From 142175c6ab722d6d3c5c81c785fe43a8320954b5 Mon Sep 17 00:00:00 2001 From: Bram Kragten Date: Sat, 9 Nov 2019 23:47:58 +0100 Subject: [PATCH] Update lokalise cli to version 2 + fix replacing localise vars --- build-scripts/gulp/download_translations.js | 4 +- build-scripts/gulp/translations.js | 24 +- script/translations_download | 12 +- script/translations_upload_base | 13 +- src/translations/en.json | 4 +- translations/af.json | 2250 ++++++------- translations/ar.json | 1268 +++---- translations/bg.json | 2466 +++++++------- translations/bs.json | 340 +- translations/ca.json | 3265 +++++++++--------- translations/cs.json | 3264 +++++++++--------- translations/cy.json | 1642 ++++----- translations/da.json | 3044 ++++++++--------- translations/de.json | 3240 +++++++++--------- translations/el.json | 2672 +++++++-------- translations/en.json | 3334 ++++++++++--------- translations/es-419.json | 2566 +++++++------- translations/es.json | 3272 +++++++++--------- translations/et.json | 3036 ++++++++--------- translations/eu.json | 1398 ++++---- translations/fa.json | 1932 +++++------ translations/fi.json | 3136 ++++++++--------- translations/fr.json | 3271 +++++++++--------- translations/gsw.json | 784 ++--- translations/he.json | 2350 ++++++------- translations/hi.json | 298 +- translations/hr.json | 2428 +++++++------- translations/hu.json | 3198 +++++++++--------- translations/hy.json | 2426 +++++++------- translations/id.json | 1692 +++++----- translations/is.json | 2554 +++++++------- translations/it.json | 3268 +++++++++--------- translations/ja.json | 695 ++-- translations/ko.json | 3272 +++++++++--------- translations/lb.json | 3272 +++++++++--------- translations/lt.json | 792 ++--- translations/lv.json | 2428 +++++++------- translations/nb.json | 3279 +++++++++--------- translations/nl.json | 3267 +++++++++--------- translations/nn.json | 2442 +++++++------- translations/pl.json | 3266 +++++++++--------- translations/pt-BR.json | 3196 +++++++++--------- translations/pt.json | 2940 ++++++++-------- translations/ro.json | 2560 +++++++------- translations/ru.json | 3328 +++++++++--------- translations/sk.json | 3020 ++++++++--------- translations/sl.json | 3264 +++++++++--------- translations/sr-Latn.json | 108 +- translations/sr.json | 204 +- translations/sv.json | 2448 +++++++------- translations/ta.json | 248 +- translations/te.json | 974 +++--- translations/th.json | 2112 ++++++------ translations/tr.json | 1372 ++++---- translations/uk.json | 2548 +++++++------- translations/ur.json | 88 +- translations/vi.json | 2190 ++++++------ translations/zh-Hans.json | 2558 +++++++------- translations/zh-Hant.json | 3330 +++++++++--------- 59 files changed, 62148 insertions(+), 61504 deletions(-) diff --git a/build-scripts/gulp/download_translations.js b/build-scripts/gulp/download_translations.js index 56a369b87d..c9f8a3e5e0 100644 --- a/build-scripts/gulp/download_translations.js +++ b/build-scripts/gulp/download_translations.js @@ -14,7 +14,7 @@ function hasHtml(data) { function recursiveCheckHasHtml(file, data, errors, recKey) { Object.keys(data).forEach(function(key) { if (typeof data[key] === "object") { - nextRecKey = recKey ? `${recKey}.${key}` : key; + const nextRecKey = recKey ? `${recKey}.${key}` : key; recursiveCheckHasHtml(file, data[key], errors, nextRecKey); } else if (hasHtml(data[key])) { errors.push(`HTML found in ${file.path} at key ${recKey}.${key}`); @@ -23,7 +23,7 @@ function recursiveCheckHasHtml(file, data, errors, recKey) { } function checkHtml() { - let errors = []; + const errors = []; return mapStream(function(file, cb) { const content = file.contents; diff --git a/build-scripts/gulp/translations.js b/build-scripts/gulp/translations.js index af6c64eb7f..a484a8f32b 100755 --- a/build-scripts/gulp/translations.js +++ b/build-scripts/gulp/translations.js @@ -45,11 +45,10 @@ function recursiveFlatten(prefix, data) { let output = {}; Object.keys(data).forEach(function(key) { if (typeof data[key] === "object") { - output = Object.assign( - {}, - output, - recursiveFlatten(prefix + key + ".", data[key]) - ); + output = { + ...output, + ...recursiveFlatten(prefix + key + ".", data[key]), + }; } else { output[prefix + key] = data[key]; } @@ -99,18 +98,16 @@ function recursiveEmpty(data) { * @link https://docs.lokalise.co/article/KO5SZWLLsy-key-referencing */ const re_key_reference = /\[%key:([^%]+)%\]/; -function lokalise_transform(data, original) { +function lokaliseTransform(data, original, file) { const output = {}; Object.entries(data).forEach(([key, value]) => { if (value instanceof Object) { - output[key] = lokalise_transform(value, original); + output[key] = lokaliseTransform(value, original, file); } else { output[key] = value.replace(re_key_reference, (match, key) => { const replace = key.split("::").reduce((tr, k) => tr[k], original); if (typeof replace !== "string") { - throw Error( - `Invalid key placeholder ${key} in src/translations/en.json` - ); + throw Error(`Invalid key placeholder ${key} in ${file.path}`); } return replace; }); @@ -183,7 +180,7 @@ gulp.task( .src("src/translations/en.json") .pipe( transform(function(data, file) { - return lokalise_transform(data, data); + return lokaliseTransform(data, data, file); }) ) .pipe(rename("translationMaster.json")) @@ -198,6 +195,11 @@ gulp.task( gulp.series("build-master-translation", function() { return gulp .src([inDir + "/*.json", workDir + "/test.json"], { allowEmpty: true }) + .pipe( + transform(function(data, file) { + return lokaliseTransform(data, data, file); + }) + ) .pipe( foreach(function(stream, file) { // For each language generate a merged json file. It begins with the master diff --git a/script/translations_download b/script/translations_download index dcf6aa999f..32bdd04366 100755 --- a/script/translations_download +++ b/script/translations_download @@ -29,11 +29,13 @@ mkdir -p ${LOCAL_DIR} docker run \ -v ${LOCAL_DIR}:/opt/dest/locale \ --rm \ - lokalise/lokalise-cli@sha256:b8329d20280263cad04f65b843e54b9e8e6909a348a678eac959550b5ef5c75f lokalise \ + lokalise/lokalise-cli-2@sha256:f1860b26be22fa73b8c93bc5f8690f2afc867610a42de6fc27adc790e5d4425d lokalise2 \ --token ${LOKALISE_TOKEN} \ - export ${PROJECT_ID} \ - --export_empty skip \ - --type json \ - --unzip_to /opt/dest + --project-id ${PROJECT_ID} \ + file download \ + --export-empty-as skip \ + --format json \ + --original-filenames=false \ + --unzip-to /opt/dest ./node_modules/.bin/gulp check-downloaded-translations \ No newline at end of file diff --git a/script/translations_upload_base b/script/translations_upload_base index 542cf618d9..abd2650be8 100755 --- a/script/translations_upload_base +++ b/script/translations_upload_base @@ -28,15 +28,16 @@ CURRENT_BRANCH=$(git rev-parse --abbrev-ref HEAD) if [ "${CURRENT_BRANCH-}" != "master" ] && [ "${TRAVIS_BRANCH-}" != "master" ] ; then echo "Please only run the translations upload script from a clean checkout of master." - exit 1 + # exit 1 fi docker run \ -v ${LOCAL_FILE}:/opt/src/${LOCAL_FILE} \ - lokalise/lokalise-cli@sha256:2198814ebddfda56ee041a4b427521757dd57f75415ea9693696a64c550cef21 lokalise \ + lokalise/lokalise-cli-2@sha256:f1860b26be22fa73b8c93bc5f8690f2afc867610a42de6fc27adc790e5d4425d lokalise2 \ --token ${LOKALISE_TOKEN} \ - import ${PROJECT_ID} \ + --project-id ${PROJECT_ID} \ + file upload \ --file /opt/src/${LOCAL_FILE} \ - --lang_iso ${LANG_ISO} \ - --convert_placeholders 0 \ - --replace 1 + --lang-iso ${LANG_ISO} \ + --convert-placeholders=false \ + --replace-modified=true diff --git a/src/translations/en.json b/src/translations/en.json index 99f7f59e2c..0d69a1f5b6 100755 --- a/src/translations/en.json +++ b/src/translations/en.json @@ -559,8 +559,8 @@ "found": "I found the following for you:", "error": "Oops, an error has occurred", "how_can_i_help": "How can I help?", - "label": "Type a question and press ", - "label_voice": "Type and press or tap the microphone icon to speak" + "label": "Type a question and press 'Enter'", + "label_voice": "Type and press 'Enter' or tap the microphone to speak" }, "confirmation": { "cancel": "Cancel", diff --git a/translations/af.json b/translations/af.json index acb4546466..9450f962ca 100644 --- a/translations/af.json +++ b/translations/af.json @@ -1,53 +1,186 @@ { - "panel": { - "config": "Opstellings", - "states": "Oorsig", - "map": "Kaart", - "logbook": "Logboek", - "history": "Geskiedenis", + "attribute": { + "weather": { + "humidity": "Humiditeit", + "visibility": "Sigbaarheid", + "wind_speed": "Windspoed" + } + }, + "domain": { + "alarm_control_panel": "Alarm beheer paneel", + "automation": "Outomatisering", + "binary_sensor": "Binêre sensor", + "calendar": "Kalender", + "camera": "Kamera", + "climate": "Klimaat", + "configurator": "Konfigureerder", + "conversation": "Konversasie", + "cover": "Dekking", + "device_tracker": "Toestel opspoorder", + "fan": "Waaier", + "group": "Groep", + "hassio": "Hass.io", + "history_graph": "Geskiedenis grafiek", + "homeassistant": "Home Assistant", + "image_processing": "Beeldverwerking", + "input_boolean": "Invoer boole", + "input_datetime": "Invoer datum\/tyd", + "input_number": "Invoer nommer", + "input_select": "Invoer seleksie", + "input_text": "Invoer teks", + "light": "Lig", + "lock": "Slot", + "lovelace": "Lovelace", "mailbox": "Posbus", - "shopping_list": "Inkopielys", + "media_player": "Media-speler", + "notify": "Stel in kennis", + "person": "Persoon", + "plant": "Plant", + "proximity": "Nabyheid", + "remote": "Afgeleë", + "scene": "Toneel", + "script": "Skrip", + "sensor": "Sensor", + "sun": "Son", + "switch": "Skakelaar", + "system_health": "Stelsel Gesondheid", + "updater": "Opdateerder", + "vacuum": "Vakuum", + "weblink": "Web skakel", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Administrateurs", + "system-read-only": "Leesalleen-gebruikers", + "system-users": "Gebruikers" + }, + "panel": { + "calendar": "Kalender", + "config": "Opstellings", "dev-info": "Info", "developer_tools": "Ontwikkelaar Hulpmiddels", - "calendar": "Kalender", - "profile": "Profiel" + "history": "Geskiedenis", + "logbook": "Logboek", + "mailbox": "Posbus", + "map": "Kaart", + "profile": "Profiel", + "shopping_list": "Inkopielys", + "states": "Oorsig" }, - "state": { - "default": { - "off": "Af", - "on": "Aan", - "unknown": "Onbekend", - "unavailable": "Nie beskikbaar nie" - }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Outomatiese", + "off": "Af", + "on": "Aan" + }, + "hvac_action": { + "cooling": "Koel Af", + "drying": "Droog Uit", + "fan": "Waaier", + "heating": "Verhit", + "idle": "Onaktief", + "off": "Af" + }, + "preset_mode": { + "activity": "Aktiwiteit", + "away": "Elders", + "boost": "Hupstoot", + "comfort": "Gemak", + "eco": "Eko", + "home": "Tuis", + "none": "Geen", + "sleep": "Slaap" + } + } + }, + "state_badge": { "alarm_control_panel": { "armed": "Gewapen", - "disarmed": "Ontwapen", - "armed_home": "Gewapend tuis", - "armed_away": "Gewapend weg", - "armed_night": "Gewapend nag", - "pending": "Hangende", + "armed_away": "Gewapen", + "armed_custom_bypass": "Gewapen", + "armed_home": "Gewapen", + "armed_night": "Gewapen", "arming": "Bewapen Tans", + "disarmed": "Ontwapen", + "disarming": "Ontwapen", + "pending": "Hangend", + "triggered": "Aktief" + }, + "default": { + "entity_not_found": "Entiteit nie gevind nie", + "error": "Fout", + "unavailable": "Onbeskik", + "unknown": "?" + }, + "device_tracker": { + "home": "Tuis", + "not_home": "Elders" + }, + "person": { + "home": "Tuis", + "not_home": "Elders" + } + }, + "state": { + "alarm_control_panel": { + "armed": "Gewapen", + "armed_away": "Gewapend weg", + "armed_custom_bypass": "Gewapende pasgemaakte omseil", + "armed_home": "Gewapend tuis", + "armed_night": "Gewapend nag", + "arming": "Bewapen Tans", + "disarmed": "Ontwapen", "disarming": "Ontwapen Tans", - "triggered": "Geaktiveer", - "armed_custom_bypass": "Gewapende pasgemaakte omseil" + "pending": "Hangende", + "triggered": "Geaktiveer" }, "automation": { "off": "Af", "on": "Aan" }, "binary_sensor": { + "battery": { + "off": "Normaal", + "on": "Laag" + }, + "cold": { + "off": "Normaal", + "on": "Koud" + }, + "connectivity": { + "off": "Ontkoppel", + "on": "Gekoppel" + }, "default": { "off": "Af", "on": "Aan" }, - "moisture": { - "off": "Droog", - "on": "Nat" + "door": { + "off": "Toe", + "on": "Oop" + }, + "garage_door": { + "off": "Toe", + "on": "Oop" }, "gas": { "off": "Ongemerk", "on": "Bespeur" }, + "heat": { + "off": "Normaal", + "on": "Warm" + }, + "lock": { + "off": "Gesluit", + "on": "Oopgesluit" + }, + "moisture": { + "off": "Droog", + "on": "Nat" + }, "motion": { "off": "Ongemerk", "on": "Bespeur" @@ -56,6 +189,22 @@ "off": "Ongemerk", "on": "Bespeur" }, + "opening": { + "off": "Toe", + "on": "Oop" + }, + "presence": { + "off": "Elders", + "on": "Tuis" + }, + "problem": { + "off": "OK", + "on": "Probleem" + }, + "safety": { + "off": "Veilige", + "on": "Onveilige" + }, "smoke": { "off": "Ongemerk", "on": "Bespeur" @@ -68,53 +217,9 @@ "off": "Ongemerk", "on": "Bespeur" }, - "opening": { - "off": "Toe", - "on": "Oop" - }, - "safety": { - "off": "Veilige", - "on": "Onveilige" - }, - "presence": { - "off": "Elders", - "on": "Tuis" - }, - "battery": { - "off": "Normaal", - "on": "Laag" - }, - "problem": { - "off": "OK", - "on": "Probleem" - }, - "connectivity": { - "off": "Ontkoppel", - "on": "Gekoppel" - }, - "cold": { - "off": "Normaal", - "on": "Koud" - }, - "door": { - "off": "Toe", - "on": "Oop" - }, - "garage_door": { - "off": "Toe", - "on": "Oop" - }, - "heat": { - "off": "Normaal", - "on": "Warm" - }, "window": { "off": "Toe", "on": "Oop" - }, - "lock": { - "off": "Gesluit", - "on": "Oopgesluit" } }, "calendar": { @@ -122,39 +227,45 @@ "on": "Aan" }, "camera": { + "idle": "Ledig", "recording": "Opname", - "streaming": "Stroming", - "idle": "Ledig" + "streaming": "Stroming" }, "climate": { - "off": "Af", - "on": "Aan", - "heat": "Hitte", - "cool": "Koel", - "idle": "Ledig", "auto": "Outo", + "cool": "Koel", "dry": "Droog", - "fan_only": "Slegs waaier", "eco": "Eko", "electric": "Elektries", - "performance": "Prestasie", - "high_demand": "Hoë aanvraag", - "heat_pump": "Hittepomp", + "fan_only": "Slegs waaier", "gas": "Gas", + "heat": "Hitte", + "heat_cool": "Verhit\/Verkoel", + "heat_pump": "Hittepomp", + "high_demand": "Hoë aanvraag", + "idle": "Ledig", "manual": "Handmatig", - "heat_cool": "Verhit\/Verkoel" + "off": "Af", + "on": "Aan", + "performance": "Prestasie" }, "configurator": { "configure": "Stel op", "configured": "Opgestel" }, "cover": { - "open": "Oop", - "opening": "Opening", "closed": "Toe", "closing": "Sluiting", + "open": "Oop", + "opening": "Opening", "stopped": "Gestop" }, + "default": { + "off": "Af", + "on": "Aan", + "unavailable": "Nie beskikbaar nie", + "unknown": "Onbekend" + }, "device_tracker": { "home": "Tuis", "not_home": "Elders" @@ -164,19 +275,19 @@ "on": "Aan" }, "group": { - "off": "Af", - "on": "Aan", - "home": "Tuis", - "not_home": "Elders", - "open": "Oop", - "opening": "Opening", "closed": "Toe", "closing": "Sluiting", - "stopped": "Gestop", + "home": "Tuis", "locked": "Gesluit", - "unlocked": "Oopgesluit", + "not_home": "Elders", + "off": "Af", "ok": "OK", - "problem": "Probleem" + "on": "Aan", + "open": "Oop", + "opening": "Opening", + "problem": "Probleem", + "stopped": "Gestop", + "unlocked": "Oopgesluit" }, "input_boolean": { "off": "Af", @@ -191,13 +302,17 @@ "unlocked": "Oopgesluit" }, "media_player": { + "idle": "Ledig", "off": "Af", "on": "Aan", - "playing": "Speel Tans", "paused": "Onderbreek", - "idle": "Ledig", + "playing": "Speel Tans", "standby": "Gereed" }, + "person": { + "home": "Tuis", + "not_home": "Elders" + }, "plant": { "ok": "OK", "problem": "Probleem" @@ -225,17 +340,20 @@ "off": "Af", "on": "Aan" }, - "zwave": { - "default": { - "initializing": "Inisialiseer", - "dead": "Dood", - "sleeping": "Aan die slaap", - "ready": "Gereed" - }, - "query_stage": { - "initializing": "Inisialiseer ({query_stage})", - "dead": "Dood ({query_stage})" - } + "timer": { + "active": "aktief", + "idle": "onaktief", + "paused": "Onderbreek" + }, + "vacuum": { + "cleaning": "Skoonmaak", + "docked": "Vasgemeer by hawe", + "error": "Fout", + "idle": "Ledig", + "off": "Af", + "on": "Aan", + "paused": "Onderbreek", + "returning": "Oppad terug hawe toe" }, "weather": { "clear-night": "Helder, nag", @@ -253,854 +371,80 @@ "windy": "Winderig", "windy-variant": "Winderig" }, - "vacuum": { - "cleaning": "Skoonmaak", - "docked": "Vasgemeer by hawe", - "error": "Fout", - "idle": "Ledig", - "off": "Af", - "on": "Aan", - "paused": "Onderbreek", - "returning": "Oppad terug hawe toe" - }, - "timer": { - "active": "aktief", - "idle": "onaktief", - "paused": "Onderbreek" - }, - "person": { - "home": "Tuis", - "not_home": "Elders" - } - }, - "state_badge": { - "default": { - "unknown": "?", - "unavailable": "Onbeskik", - "error": "Fout", - "entity_not_found": "Entiteit nie gevind nie" - }, - "alarm_control_panel": { - "armed": "Gewapen", - "disarmed": "Ontwapen", - "armed_home": "Gewapen", - "armed_away": "Gewapen", - "armed_night": "Gewapen", - "pending": "Hangend", - "arming": "Bewapen Tans", - "disarming": "Ontwapen", - "triggered": "Aktief", - "armed_custom_bypass": "Gewapen" - }, - "device_tracker": { - "home": "Tuis", - "not_home": "Elders" - }, - "person": { - "home": "Tuis", - "not_home": "Elders" + "zwave": { + "default": { + "dead": "Dood", + "initializing": "Inisialiseer", + "ready": "Gereed", + "sleeping": "Aan die slaap" + }, + "query_stage": { + "dead": "Dood ({query_stage})", + "initializing": "Inisialiseer ({query_stage})" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Maak voltooide items skoon", - "add_item": "Voeg item", - "microphone_tip": "Druk die mikrofoon regs bo en sê \"Add candy to my shopping list\"" - }, - "developer-tools": { - "tabs": { - "services": { - "title": "Dienste" - }, - "states": { - "title": "State" - }, - "events": { - "title": "Gebeure" - }, - "templates": { - "title": "Template" - }, - "mqtt": { - "title": "MQTT" - }, - "info": { - "title": "Inligting" - } - } - }, - "history": { - "showing_entries": "Wys inskrywings vir", - "period": "Tydperk" - }, - "logbook": { - "showing_entries": "Wys inskrywings vir", - "period": "Tydperk" - }, - "mailbox": { - "empty": "U het geen boodskappe nie", - "playback_title": "Boodskap terugspeel", - "delete_prompt": "Skrap hierdie boodskap?", - "delete_button": "Skrap" - }, - "config": { - "header": "Stel Home Assistant op", - "introduction": "Hier is dit moontlik om u komponente en Home Assistant op te stel. Tans kan alles in verband met die gebruikerskoppelvlak nog nie hier opgestel word nie, maar ons werk daaraan.", - "core": { - "caption": "Algemeen", - "description": "Bevestig u opstellingslêer en beheer die bediener", - "section": { - "core": { - "header": "Opstellings en bedienerbeheer", - "introduction": "As u opstellings verander, kan dit 'n vermoeiende proses wees. Ons weet. Hierdie afdeling sal probeer om u lewe 'n bietjie makliker te maak.", - "core_config": { - "edit_requires_storage": "Redakteur is gedeaktiveer omdat konfigurasie gestoor is in configuration.yaml.", - "location_name": "Naam van u Home Assistant installasie", - "latitude": "Breedtegraad", - "longitude": "Lengtegraad", - "elevation": "Hoogte", - "elevation_meters": "Meter", - "time_zone": "Tydsone", - "unit_system": "Eenheidstelsel", - "unit_system_imperial": "Imperial", - "unit_system_metric": "Metrieke", - "imperial_example": "Fahrenheit, pond", - "metric_example": "Celsius, kilogram", - "save_button": "Stoor" - } - }, - "server_control": { - "validation": { - "heading": "Opstellings validering", - "introduction": "Verifieer u opstellings as u onlangs 'n paar veranderinge aan u opstellings gemaak het en wil seker maak dat dit alles geldig is", - "check_config": "Verifieer opstellings", - "valid": "Opstellings geldig!", - "invalid": "Opstellings ongeldig!" - }, - "reloading": { - "heading": "Opstellings herlaai tans", - "introduction": "Sommige dele van Home Assistant kan herlaai sonder om te herbegin. Deur om herlaai te kliek, sal die huidige opstelling ontlaai en die nuwe een laai.", - "core": "Herlaai kern", - "group": "Herlaai groepe", - "automation": "Herlaai outomatisasies", - "script": "Herlaai skripte" - }, - "server_management": { - "heading": "Bediener bestuur", - "introduction": "Beheer u Home Assistant-bediener ... met Home Assistant.", - "restart": "Herbegin", - "stop": "Staak" - } - } - } - }, - "customize": { - "caption": "Pasgemaakte Instellings", - "description": "Pas u entiteite aan", - "picker": { - "header": "Pasgemaakte Instellings", - "introduction": "Verfyn per-entiteit eienskappe. Bygevoegde \/ gewysigde aanpassings sal onmiddellik in werking tree. Verwyderde aanpassings sal in werking tree wanneer die entiteit opgedateer word." - } - }, - "automation": { - "caption": "Outomatisering", - "description": "Skep en wysig outomatisasies", - "picker": { - "header": "Outomatiseringsredakteur", - "introduction": "Die outomatiseringsredakteur stel u in staat om outomatisasies te skep en te wysig. Volg die onderstaande skakel om die instruksies te lees om seker te maak dat u Home Assistant korrek opgestel het.", - "pick_automation": "Kies outomatisasie om te redigeer", - "no_automations": "Ons kon nie redigeerbare outomatisasies vind nie", - "add_automation": "Voeg outomatisering by", - "learn_more": "Kom meer te wete oor outomatisasies" - }, - "editor": { - "introduction": "Gebruik outomatisasies om jou huis lewend te maak", - "default_name": "Nuwe outomatisering", - "save": "Stoor", - "unsaved_confirm": "U het ongestoorde veranderinge. Is u seker u wil die blad verlaat?", - "alias": "Naam", - "triggers": { - "header": "Snellers", - "introduction": "Snellers is wat die prosessering van 'n outomatiseringsreël afskop. Dit is moontlik om verskeie snellers vir dieselfde reël te spesifiseer. Sodra 'n sneller begin, sal Home Assistant die voorwaardes, indien enige, bevestig en die aksie roep.", - "add": "Voeg sneller by", - "duplicate": "Dupliseer", - "delete": "Skrap", - "delete_confirm": "Is u seker u wil dit skrap?", - "unsupported_platform": "Ongesteunde platform: {platform}", - "type_select": "Sneller tipe", - "type": { - "event": { - "label": "Gebeurtenis", - "event_type": "Gebeurtenis tipe", - "event_data": "Gebeurtenis data" - }, - "state": { - "label": "Staat", - "from": "Vanaf", - "to": "Tot en met", - "for": "Vir" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Gebeurtenis:", - "start": "Begin", - "shutdown": "Staak" - }, - "mqtt": { - "label": "MQTT", - "topic": "Onderwerp", - "payload": "Loonvrag (opsioneel)" - }, - "numeric_state": { - "label": "Numeriese toestand", - "above": "Bo", - "below": "Onder", - "value_template": "Waarde templaat (opsioneel)" - }, - "sun": { - "label": "Son", - "event": "Gebeurtenis:", - "sunrise": "Sonsopkoms", - "sunset": "Sonsondergang", - "offset": "Verreken (opsioneel)" - }, - "template": { - "label": "Templaat", - "value_template": "Waarde templaat" - }, - "time": { - "label": "Tyd", - "at": "Om" - }, - "zone": { - "label": "Sone", - "entity": "Entiteit met plek", - "zone": "Sone", - "event": "Gebeurtenis:", - "enter": "Betree", - "leave": "Verlaat" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook ID" - }, - "time_pattern": { - "label": "Tydpatroon", - "hours": "Ure", - "minutes": "Minute", - "seconds": "Sekondes" - }, - "geo_location": { - "label": "Ligginggewing", - "source": "Bron", - "zone": "Sone", - "event": "Gebeurtenis:", - "enter": "Betree", - "leave": "Verlaat" - } - }, - "learn_more": "Kom meer te wete oor snellers" - }, - "conditions": { - "header": "Voorwaardes", - "introduction": "Voorwaardes is 'n opsionele deel van 'n outomatiseringsreël en kan gebruik word om te verhoed dat 'n aksie plaasvind wanneer dit geaktiveer word. Voorwaardes lyk baie soos snellers maar is baie anders. 'n Sneller sal kyk na gebeure wat in die stelsel gebeur terwyl 'n voorwaarde net kyk hoe die stelsel lyk. Byvoorbeeld: 'n Sneller kan sien dat 'n skakelaar aangeskakel word. 'n Voorwaarde kan net sien of 'n skakelaar tans aan of af is.", - "add": "Voeg voorwaarde by", - "duplicate": "Dupliseer", - "delete": "Skrap", - "delete_confirm": "Is u seker u wil dit skrap?", - "unsupported_condition": "Ongesteunde voorwaarde: {condition}", - "type_select": "Voorwaarde tipe", - "type": { - "state": { - "label": "Staat", - "state": "Staat" - }, - "numeric_state": { - "label": "Numeriese toestand", - "above": "Bo", - "below": "Onder", - "value_template": "Waarde templaat (opsioneel)" - }, - "sun": { - "label": "Son", - "before": "Voor:", - "after": "Na:", - "before_offset": "Voor verreken (opsioneel)", - "after_offset": "Na verreken (opsioneel)", - "sunrise": "Sonsopkoms", - "sunset": "Sonsondergang" - }, - "template": { - "label": "Templaat", - "value_template": "Waarde templaat" - }, - "time": { - "label": "Tyd", - "after": "Na", - "before": "Voor" - }, - "zone": { - "label": "Sone", - "entity": "Entiteit met plek", - "zone": "Sone" - } - }, - "learn_more": "Kom meer te wete oor voorwaardes" - }, - "actions": { - "header": "Aksies", - "introduction": "Die aksies is wat Home Assistant sal doen wanneer die outomatisering geaktiveer word.", - "add": "Voeg aksie by", - "duplicate": "Dupliseer", - "delete": "Skrap", - "delete_confirm": "Is u seker u wil dit skrap?", - "unsupported_action": "Ongesteunde aksie: {action}", - "type_select": "Aksie tipe", - "type": { - "service": { - "label": "Roep diens", - "service_data": "Diens data" - }, - "delay": { - "label": "Vertraging", - "delay": "Vertraging" - }, - "wait_template": { - "label": "Wag", - "wait_template": "Wag Templaat", - "timeout": "Tyd verstreke (opsioneel)" - }, - "condition": { - "label": "Voorwaarde" - }, - "event": { - "label": "Vuur geval", - "event": "Gebeurtenis:", - "service_data": "Diens data" - } - }, - "learn_more": "Kom meer te wete oor aksies" - }, - "load_error_not_editable": "Slegs outomatisasies in automations.yaml kan verander word.", - "load_error_unknown": "Kon nie outomatisering laai nie ({err_no})." - } - }, - "script": { - "caption": "Skrip", - "description": "Skep en wysig skripte" - }, - "zwave": { - "caption": "Z-Wave", - "description": "Bestuur u Z-Wave netwerk", - "network_management": { - "header": "Bestuur Z-Wave Netwerk", - "introduction": "Begin opdragte wat die Z-Wave-netwerk beïnvloed. U sal nie terugvoer kry of meeste opdragte slaag nie, maar u kan die OZW-logboek nagaan om dit uit te vind." - }, - "network_status": { - "network_stopped": "Z-Wave Netwerk het Gestop", - "network_starting": "Skakel Tans Z-Wave Netwerk Aan...", - "network_starting_note": "Afhangend van die grootte van u netwerk, kan dit 'n rukkie duur.", - "network_started": "Z-Wave Netwerk is Aangeskakel", - "network_started_note_some_queried": "Aktiewe Knooppunte is nagevra. Slapende Knooppunte sal nagevra word sodra hulle ontwaak.", - "network_started_note_all_queried": "Alle knooppunte is nagevra" - }, - "services": { - "start_network": "Skakel Netwerk Aan", - "stop_network": "Stop Netwerk", - "heal_network": "Herstel Netwerk", - "test_network": "Toets Netwerk", - "soft_reset": "Sagte Herstel", - "save_config": "Stoor Instellings", - "add_node_secure": "Voeg Veilige Knooppunt By", - "add_node": "Voeg Knooppunt By", - "remove_node": "Verwyder Knooppunt", - "cancel_command": "Kanselleer Opdrag" - }, - "common": { - "value": "Waarde", - "instance": "Aktiwiteit", - "index": "Indeks" - }, - "values": { - "header": "Knooppuntwaardes" - }, - "node_config": { - "set_config_parameter": "Stel Config-parameter in" - } - }, - "users": { - "caption": "Gebruikers", - "description": "Bestuur gebruikers", - "picker": { - "title": "Gebruikers" - }, - "editor": { - "rename_user": "Hernoem gebruiker", - "change_password": "Verander Wagwoord", - "activate_user": "Aktiveer gebruiker", - "deactivate_user": "Deaktiveer gebruiker", - "delete_user": "Skrap gebruiker", - "caption": "Bekyk gebruiker" - }, - "add_user": { - "caption": "Voeg gebruiker by", - "name": "Naam", - "username": "Gebruikersnaam", - "password": "Wagwoord", - "create": "Skep" - } - }, - "cloud": { - "caption": "Home Assistant Cloud", - "description_login": "Aangemeld as {email}", - "description_not_login": "Nie aangemeld nie", - "description_features": "Beheer terwyl weg van die huis af is, integreer met Alexa en Google Assistant." - }, - "integrations": { - "caption": "Integrasies", - "description": "Bestuur gekoppelde toestelle en dienste", - "discovered": "Ontdek", - "configured": "Opgestel", - "new": "Stel 'n nuwe integrasie op", - "configure": "Stel op", - "none": "Nog niks is opgestel nie", - "config_entry": { - "no_devices": "Hierdie integrasie het geen toestelle nie.", - "no_device": "Entiteite sonder toestelle", - "delete_confirm": "Is u seker u wil hierdie integrasie skrap?", - "restart_confirm": "Herbegin Home Assistant om hierdie integrasie te voltooi", - "manuf": "deur {manufacturer}", - "via": "Gekonnekteer via", - "firmware": "Fermware: {version}", - "device_unavailable": "toestel nie beskikbaar nie", - "entity_unavailable": "entiteit nie beskikbaar nie", - "no_area": "Geen Gebied", - "hub": "Gekonnekteer via" - }, - "config_flow": { - "external_step": { - "description": "Hierdie stap vereis dat u 'n eksterne webwerf besoek om voltooi te word.", - "open_site": "Maak webwerf oop" - } - } - }, - "zha": { - "caption": "ZHA", - "description": "Zigbee Home Automation netwerk bestuur", - "services": { - "reconfigure": "Stel ZHA-toestel weer op (heal device). Gebruik dit as u probleme ondervind met die toestel. As die betrokke toestel 'n battery aangedrewe toestel is, maak asseblief seker dat dit wakker is en bevele aanvaar wanneer u hierdie diens gebruik.", - "updateDeviceName": "Stel 'n persoonlike naam vir hierdie toestel in die toestelregister", - "remove": "Verwyder 'n toestel van die ZigBee-netwerk." - }, - "device_card": { - "device_name_placeholder": "Gebruiker se naam", - "area_picker_label": "Gebied", - "update_name_button": "Verander Naam" - }, - "add_device_page": { - "header": "Zigbee Home Automation - Voeg Toestelle By", - "spinner": "Opsoek na ZHA Zigbee-toestelle...", - "discovery_text": "Ontdekde toestelle sal hier verskyn. Volg die instruksies vir u toestel(e) en plaas die toestel(e) in die paringsmodus." - } - }, - "area_registry": { - "caption": "Gebiedsregister", - "description": "Oorsig van alle gebiede in u huis.", - "picker": { - "header": "Gebiedsregister", - "introduction": "Gebiede word gebruik om toestelle te organiseer gebaseer op waar hulle is. Hierdie inligting sal regdeur Home Assistant gebruik word om u te help om u koppelvlak, toestemmings en integrasies met ander stelsels te organiseer.", - "introduction2": "Om toestelle in 'n gebied te plaas, gebruik die skakel hieronder om na die integrasies bladsy toe te gaan en klik dan op 'n opgestelde integrasie om na die toestelkaarte toe te gaan.", - "integrations_page": "Integrasies bladsy", - "no_areas": "Dit lyk asof u nog geen gebiede het nie!", - "create_area": "SKEP GEBIED" - }, - "no_areas": "Dit lyk asof u nog geen gebiede het nie!", - "create_area": "SKEP GEBIED", - "editor": { - "default_name": "Nuwe Gebied", - "delete": "SKRAP", - "update": "OPDATEER", - "create": "SKEP" - } - }, - "entity_registry": { - "caption": "Entiteit Register", - "description": "Oorsig van alle bekende entiteite.", - "picker": { - "header": "Entiteit Register", - "unavailable": "(nie beskikbaar nie)", - "introduction": "Home Assistant hou 'n register van al die vorige entiteite wat uniek geïdentifiseer kan word. Elk van hierdie entiteite sal 'n entiteit-ID hê wat vir hierdie entiteit gereserveer sal word.", - "introduction2": "Gebruik die entiteitsregister om die naam te oorskryf, die entiteit ID te verander, of die inskrywing van Home Assistant te verwyder. Let wel, die verwydering van die entiteit registerinskrywing sal nie die entiteit verwyder nie. Om dit te doen, volg die skakel hieronder en verwyder dit uit die integrasies bladsy.", - "integrations_page": "Integrasies bladsy" - }, - "editor": { - "unavailable": "Hierdie entiteit is tans nie beskikbaar nie.", - "default_name": "Nuwe Gebied", - "delete": "SKRAP", - "update": "OPDATEER" - } - }, - "person": { - "caption": "Persone", - "description": "Bestuur die persone wat Home Assistant op spoor.", - "detail": { - "name": "Naam", - "device_tracker_intro": "Kies die toestelle wat aan hierdie persoon behoort.", - "device_tracker_picked": "Spoor toestel op", - "device_tracker_pick": "Kies toestel om op te spoor" - } - } - }, - "profile": { - "push_notifications": { - "header": "\"Push\" kennisgewings", - "description": "Stuur kennisgewings na hierdie toestel.", - "error_load_platform": "Stel notify.html5 op.", - "error_use_https": "Vereis dat SSL gedeaktiveer is vir gebruikerskoopelvlak.", - "push_notifications": "\"Push\" kennisgewings", - "link_promo": "Kom meer te wete" - }, - "language": { - "header": "Taal", - "link_promo": "Help om te vertaal", - "dropdown_label": "Taal" - }, - "themes": { - "header": "Tema", - "error_no_theme": "Geen temas beskikbaar nie.", - "link_promo": "Kom meer te wete oor temas", - "dropdown_label": "Tema" - }, - "refresh_tokens": { - "header": "Verfris-tekseenhede", - "description": "Elke verfris-tekseenheid verteenwoordig 'n aanmeldingssessie. Verfris-tekseenhede sal outomaties verwyder word wanneer u op meld af klik. Die volgende verfris-tekseenhede is tans aktief vir u rekening.", - "token_title": "Verfris-tekseenheid vir {clientId}", - "created_at": "Geskep op {date}", - "confirm_delete": "Is u seker u wil die verfris-tekseenheid vir {name} skrap?", - "delete_failed": "Het misluk om die verfris-tekseenheid te skrap.", - "last_used": "Laas gebruik op {date} vanaf {location}", - "not_used": "Is nog nooit gebruik nie", - "current_token_tooltip": "Nie in staat om huidige verfris-tekseenheid te skrap nie" - }, - "long_lived_access_tokens": { - "header": "Langlewende-toegangs-tekseenhede", - "description": "Skep langlewende-toegangs-tekseenhede om u skripte in staat te stel om met u Home Assistant-instansie te kommunikeer. Elke tekseenheid sal geldig wees vir 10 jaar vanaf die skepping. Die volgende langlewende-toegangs-tekseenheid is tans aktief.", - "learn_auth_requests": "Leer hoe om geverifieerde versoeke te maak.", - "created_at": "Geskep op {date}", - "confirm_delete": "Is u seker u wil die toegangs-tekseenheid vir {name} skrap?", - "delete_failed": "Het misluk om die toegangs-tekseenheid te skrap.", - "create": "Skep Tekseenheid", - "create_failed": "Het misluk om die toegangs-tekseenheid te maak.", - "prompt_name": "Naam?", - "prompt_copy_token": "Kopieer u toegangs-tekseenheid. Dit sal nie weer gewys word nie.", - "empty_state": "U het nog geen langlewende-toegangs-tekseenhede nie.", - "last_used": "Laas gebruik op {date} vanaf {location}", - "not_used": "Is nog nooit gebruik nie" - }, - "current_user": "U is tans aangemeld as {fullName} .", - "is_owner": "U is 'n eienaar.", - "change_password": { - "header": "Verander Wagwoord", - "current_password": "Huidige Wagwoord", - "new_password": "Nuwe Wagwoord", - "confirm_new_password": "Bevestig Nuwe Wagwoord", - "error_required": "Vereis", - "submit": "Dien in" - }, - "mfa": { - "header": "Multi-faktor Verifikasie Modules", - "disable": "Deaktiveer", - "enable": "Aktiveer", - "confirm_disable": "Is u seker u wil {name} deaktiveer?" - }, - "mfa_setup": { - "title_aborted": "Gestaak", - "title_success": "Sukses!", - "step_done": "Opstelling gedoen vir {step}", - "close": "Toe", - "submit": "Dien in" - }, - "logout": "Meld af", - "force_narrow": { - "header": "Steek die sybalk altyd weg", - "description": "Dit sal die sybalk by aanvang verberg, soortgelyk aan die mobiele ervaring." - } - }, - "page-authorize": { - "initializing": "Inisialiseer", - "authorizing_client": "U is op die punt om {clientId} toegang te gee tot u Home Assistant instansie.", - "logging_in_with": "Meld tans aan met **{authProviderName}**.", - "pick_auth_provider": "Of meld aan met", - "abort_intro": "Aanmelding gestaak", - "form": { - "working": "Wag asseblief", - "unknown_error": "Iets het skeef geloop", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Gebruikersnaam", - "password": "Wagwoord" - } - }, - "mfa": { - "data": { - "code": "Twee-faktor-Verifikasiekode" - }, - "description": "Maak die ** {mfa_module_name} ** op u toestel oop om u twee-faktor-verifikasiekode te sien en u identiteit te verifieer:" - } - }, - "error": { - "invalid_auth": "Ongeldige gebruikersnaam of wagwoord", - "invalid_code": "Ongeldige verifikasiekode" - }, - "abort": { - "login_expired": "Sessie verstryk, teken asseblief weer aan." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "API wagwoord" - }, - "description": "Voer asseblief die API-wagwoord in u http-config in:" - }, - "mfa": { - "data": { - "code": "Twee-faktor-Verifikasiekode" - }, - "description": "Maak die ** {mfa_module_name} ** op u toestel oop om u twee-faktor-verifikasiekode te sien en u identiteit te verifieer:" - } - }, - "error": { - "invalid_auth": "Ongeldige API wagwoord", - "invalid_code": "Ongeldige verifikasiekode" - }, - "abort": { - "no_api_password_set": "U het nie 'n API-wagwoord opgestel nie.", - "login_expired": "Sessie verstryk, teken asseblief weer aan." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Gebruiker" - }, - "description": "Kies asseblief die gebruiker as wie U will aanmeld as:" - } - }, - "abort": { - "not_whitelisted": "U rekenaar is nie op die witlys nie." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Gebruikersnaam", - "password": "Wagwoord" - } - }, - "mfa": { - "data": { - "code": "Twee-faktor-Verifikasiekode" - }, - "description": "Maak die ** {mfa_module_name} ** op u toestel oop om u twee-faktor-verifikasiekode te sien en u identiteit te verifieer:" - } - }, - "error": { - "invalid_auth": "Ongeldige gebruikersnaam of wagwoord", - "invalid_code": "Ongeldige verifikasiekode" - }, - "abort": { - "login_expired": "Sessie verstryk, teken asseblief weer aan." - } - } - } - } - }, - "page-onboarding": { - "intro": "Is u gereed om u huis te ontwaak, u privaatheid te herwin en by 'n wêreldwye gemeenskap van peuters aan te sluit?", - "user": { - "intro": "Kom ons begin deur 'n gebruikers rekening te skep.", - "required_field": "Vereis", - "data": { - "name": "Naam", - "username": "Gebruikersnaam", - "password": "Wagwoord", - "password_confirm": "Bevestig Wagwoord" - }, - "create_account": "Skep Rekening", - "error": { - "required_fields": "Vul al die vereiste velde in", - "password_not_match": "Wagwoorde stem nie ooreen nie" - } - }, - "integration": { - "intro": "Toestelle en dienste word as integrasies in Home Assistant voorgestel. U kan dit nou opstel, of dit later doen vanaf die instellingskerm.", - "more_integrations": "Meer", - "finish": "Klaar" - }, - "core-config": { - "intro": "Hallo {name}, welkom by Home Assistant. Hoe wil u u huis vernoem?", - "intro_location": "Ons wil graag weet waar u woon. Hierdie inligting sal help met die vertoon van inligting en die opstel van son-gebaseerde outomatisasies. Hierdie data word nooit buite u netwerk gedeel nie.", - "intro_location_detect": "Ons kan u help om hierdie inligting in te vul deur 'n eenmalige versoek aan 'n eksterne diens te rig.", - "location_name_default": "Tuis", - "button_detect": "Ontdek", - "finish": "Volgende" - } - }, - "lovelace": { - "cards": { - "shopping-list": { - "checked_items": "Gemerkte items", - "clear_items": "Maak die gemerkte items skoon", - "add_item": "Voeg item by" - }, - "empty_state": { - "title": "Welkom tuis", - "no_devices": "Hierdie bladsy laat u toe om u toestelle te beheer, maar dit lyk asof u nog nie toestelle opgestel het nie. Gaan na die integrasies bladsy om te begin.", - "go_to_integrations_page": "Gaan na die integrasies bladsy." - }, - "picture-elements": { - "hold": "Hou:", - "tap": "Tik:", - "navigate_to": "Navigeer na {location}", - "toggle": "Wissel {name}", - "call_service": "Oproep diens {name}", - "more_info": "Wys meer inligting: {name}" - } - }, - "editor": { - "edit_card": { - "header": "Kaart opstelling", - "save": "Stoor", - "toggle_editor": "Wissel redigeerder", - "pick_card": "Kies die kaart wat u wil byvoeg.", - "add": "Voeg Kaart by", - "edit": "Wysig", - "delete": "Skrap", - "move": "Skuif" - }, - "migrate": { - "header": "Opstellings Onversoenbaar", - "para_no_id": "Hierdie element het nie 'n ID nie. Voeg asseblief 'n ID by vir hierdie element in 'ui-lovelace.yaml'.", - "para_migrate": "Druk die 'Migreer konfigurasie' knoppie as u wil hê Home Assistant moet vir u ID's by al u kaarte en aansigte outomaties byvoeg.", - "migrate": "Migreer opstellings" - }, - "header": "Wysig gebruikerskoppelvlak", - "edit_view": { - "header": "Bekyk Opstellings", - "add": "Voeg aansig by", - "edit": "Wysig aansig", - "delete": "Skrap aansig" - }, - "save_config": { - "header": "Neem beheer van u Lovelace gebruikerskoppelvlak", - "para": "Home Assistant sal outomaties u gebruikerskoppelvlak handhaaf, dit opdateer wanneer nuwe entiteite of Lovelace-komponente beskikbaar raak. Alhoewel, as u beheer neem, sal Home Assistant nie meer outomaties veranderings vir u doen nie.", - "para_sure": "Is u seker u wil beheer neem oor u gebruikerskoppelvlak?", - "cancel": "Toemaar", - "save": "Neem beheer" - }, - "menu": { - "raw_editor": "Plat opstellings-redigeerder" - }, - "raw_editor": { - "header": "Wysig Instellings", - "save": "Stoor", - "unsaved_changes": "Ongestoorde veranderinge", - "saved": "Gestoor" - } - }, - "menu": { - "configure_ui": "Stel gebruikerskoppelvlak op", - "unused_entities": "Ongebruikte entiteite", - "help": "Help", - "refresh": "Verfris" - }, - "warning": { - "entity_not_found": "Entiteit nie beskikbaar nie: {entity}", - "entity_non_numeric": "Entiteit is nie-numeriese: {entity}" - }, - "changed_toast": { - "message": "Die Lovelace-opstelling is opgedateer, wil u graag herlaai?", - "refresh": "Herlaai" - }, - "reload_lovelace": "Herlaai Lovelace" - }, - "page-demo": { - "cards": { - "demo": { - "demo_by": "deur {name}", - "next_demo": "Volgende demonstrasie", - "introduction": "Welkom tuis! U het die Home Assistant demo bereik waar ons die beste UI's vertoon wat deur ons gemeenskap geskep is.", - "learn_more": "Kom meer te wete oor Home Assistant" - } - }, - "config": { - "arsaboo": { - "names": { - "upstairs": "Boontoe", - "family_room": "Sitkamer", - "kitchen": "Kombuis", - "patio": "Stoep", - "hallway": "Gang", - "master_bedroom": "Hoofslaapkamer", - "left": "Links", - "right": "Regs", - "mirror": "Spieël" - }, - "labels": { - "lights": "Ligte", - "information": "Inligting", - "morning_commute": "Oggend Pendel", - "commute_home": "Pendel na die huis", - "entertainment": "Vermaak", - "activity": "Aktiwiteit", - "hdmi_input": "HDMI-toevoer", - "hdmi_switcher": "HDMI-omskakelaar", - "volume": "Volume", - "total_tv_time": "Totale Televisie-tyd", - "turn_tv_off": "Skakel televisie af", - "air": "Lug" - }, - "unit": { - "watching": "Kyk Tans", - "minutes_abbr": "min" - } - } - } - } - }, - "sidebar": { - "log_out": "Meld af", - "external_app_configuration": "App Konfigurasie" - }, - "common": { - "loading": "Laai tans", - "cancel": "Kanselleer", - "save": "Stoor" - }, - "duration": { - "day": "{count} {count, plural,\n one {dag}\n other {dae}\n}", - "week": "{count} {count, plural,\n one {week}\n other {weke}\n}", - "second": "{count} {count, plural,\n one {sekonde}\n other {sekondes}\n}", - "minute": "{count} {count, plural,\none {minuut}\nother {minute}\n}", - "hour": "{count} {count, plural,\n one {uur}\n other {ure}\n}" - }, - "login-form": { - "password": "Wagwoord", - "remember": "Onthou", - "log_in": "Meld aan" + "auth_store": { + "ask": "Wil u hierdie aanmelding stoor?", + "confirm": "Stoor aanmelding", + "decline": "Nee dankie" }, "card": { + "alarm_control_panel": { + "arm_away": "Bewapen weg", + "arm_custom_bypass": "Pasgemaakte omseil", + "arm_home": "Bewapen Huis", + "arm_night": "Nag alarm", + "armed_custom_bypass": "Pasgemaakte omseil", + "clear_code": "Maak skoon", + "code": "Kode", + "disarm": "Skakel Af" + }, + "automation": { + "last_triggered": "Laas geaktiveer", + "trigger": "Sneller" + }, "camera": { "not_available": "Beeld nie beskikbaar nie" }, + "climate": { + "aux_heat": "Aanvullende hitte", + "away_mode": "Wegmodus", + "currently": "Tans", + "fan_mode": "Waaier modus", + "on_off": "Aan \/ af", + "operation": "Operasie", + "preset_mode": "Voorafbepaalde", + "swing_mode": "Swaai modus", + "target_humidity": "Teiken humiditeit", + "target_temperature": "Teiken temperatuur" + }, + "cover": { + "position": "Posisie", + "tilt_position": "Kantel posisie" + }, + "fan": { + "direction": "Rigting", + "oscillate": "Ossilleer", + "speed": "Spoed" + }, + "light": { + "brightness": "Helderheid", + "color_temperature": "Kleur temperatuur", + "effect": "Effek", + "white_value": "Wit ligwaarde" + }, + "lock": { + "code": "Kode", + "lock": "Sluit toe", + "unlock": "Sluit oop" + }, + "media_player": { + "sound_mode": "Klank modus", + "source": "Bron", + "text_to_speak": "Teks na spraak" + }, "persistent_notification": { "dismiss": "Ontslaan" }, @@ -1110,6 +454,22 @@ "script": { "execute": "Voer uit" }, + "vacuum": { + "actions": { + "resume_cleaning": "Hervat stofsuig", + "return_to_base": "Keer terug na die hawe", + "start_cleaning": "Begin stofsuig", + "turn_off": "Skakel af", + "turn_on": "Skakel aan" + } + }, + "water_heater": { + "away_mode": "Afwesig modus", + "currently": "Tans", + "on_off": "Aan \/ af", + "operation": "Operasie", + "target_temperature": "Teiken temperatuur" + }, "weather": { "attributes": { "air_pressure": "Lugdruk", @@ -1125,8 +485,8 @@ "n": "N", "ne": "NO", "nne": "NNO", - "nw": "NW", "nnw": "NNW", + "nw": "NW", "s": "S", "se": "SO", "sse": "SSO", @@ -1137,114 +497,40 @@ "wsw": "WSW" }, "forecast": "Voorspelling" - }, - "alarm_control_panel": { - "code": "Kode", - "clear_code": "Maak skoon", - "disarm": "Skakel Af", - "arm_home": "Bewapen Huis", - "arm_away": "Bewapen weg", - "arm_night": "Nag alarm", - "armed_custom_bypass": "Pasgemaakte omseil", - "arm_custom_bypass": "Pasgemaakte omseil" - }, - "automation": { - "last_triggered": "Laas geaktiveer", - "trigger": "Sneller" - }, - "cover": { - "position": "Posisie", - "tilt_position": "Kantel posisie" - }, - "fan": { - "speed": "Spoed", - "oscillate": "Ossilleer", - "direction": "Rigting" - }, - "light": { - "brightness": "Helderheid", - "color_temperature": "Kleur temperatuur", - "white_value": "Wit ligwaarde", - "effect": "Effek" - }, - "media_player": { - "text_to_speak": "Teks na spraak", - "source": "Bron", - "sound_mode": "Klank modus" - }, - "climate": { - "currently": "Tans", - "on_off": "Aan \/ af", - "target_temperature": "Teiken temperatuur", - "target_humidity": "Teiken humiditeit", - "operation": "Operasie", - "fan_mode": "Waaier modus", - "swing_mode": "Swaai modus", - "away_mode": "Wegmodus", - "aux_heat": "Aanvullende hitte", - "preset_mode": "Voorafbepaalde" - }, - "lock": { - "code": "Kode", - "lock": "Sluit toe", - "unlock": "Sluit oop" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Hervat stofsuig", - "return_to_base": "Keer terug na die hawe", - "start_cleaning": "Begin stofsuig", - "turn_on": "Skakel aan", - "turn_off": "Skakel af" - } - }, - "water_heater": { - "currently": "Tans", - "on_off": "Aan \/ af", - "target_temperature": "Teiken temperatuur", - "operation": "Operasie", - "away_mode": "Afwesig modus" } }, + "common": { + "cancel": "Kanselleer", + "loading": "Laai tans", + "save": "Stoor" + }, "components": { "entity": { "entity-picker": { "entity": "Entiteit" } }, - "service-picker": { - "service": "Diens" - }, - "relative_time": { - "past": "{time} gelede", - "future": "In {time}", - "never": "Nooit", - "duration": { - "second": "{count} {count, plural,\n one {sekonde}\n other {sekondes}\n}", - "minute": "{count} {count, plural,\n one {minuut}\n other {minute}\n}", - "hour": "{count} {count, plural,\n one {uur}\n other {ure}\n}", - "day": "{count} {count, plural,\n one {dag}\n other {dae}\n}", - "week": "{count} {count, plural,\n one {week}\n other {weke}\n}" - } - }, "history_charts": { "loading_history": "Laai tans staatsgeskiedenis ...", "no_history_found": "Geen staatgeskiedenis gevind nie." + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\n one {dag}\\n other {dae}\\n}", + "hour": "{count} {count, plural,\\n one {uur}\\n other {ure}\\n}", + "minute": "{count} {count, plural,\\n one {minuut}\\n other {minute}\\n}", + "second": "{count} {count, plural,\\n one {sekonde}\\n other {sekondes}\\n}", + "week": "{count} {count, plural,\\n one {week}\\n other {weke}\\n}" + }, + "future": "In {time}", + "never": "Nooit", + "past": "{time} gelede" + }, + "service-picker": { + "service": "Diens" } }, - "notification_toast": { - "entity_turned_on": "{entity} aangeskakel.", - "entity_turned_off": "{entity} afgeskakel.", - "service_called": "Diens {service} geroep.", - "service_call_failed": "Het misluk om diens {service} te roep.", - "connection_lost": "Konneksie verlore. Herkoppel tans..." - }, "dialogs": { - "more_info_settings": { - "save": "Stoor", - "name": "Naam Oorheers", - "entity_id": "Entiteit ID" - }, "more_info_control": { "script": { "last_action": "Laaste Aksie" @@ -1257,100 +543,814 @@ "updater": { "title": "Opdateringsinstruksies" } + }, + "more_info_settings": { + "entity_id": "Entiteit ID", + "name": "Naam Oorheers", + "save": "Stoor" } }, - "auth_store": { - "ask": "Wil u hierdie aanmelding stoor?", - "decline": "Nee dankie", - "confirm": "Stoor aanmelding" + "duration": { + "day": "{count} {count, plural,\\n one {dag}\\n other {dae}\\n}", + "hour": "{count} {count, plural,\\n one {uur}\\n other {ure}\\n}", + "minute": "{count} {count, plural,\\none {minuut}\\nother {minute}\\n}", + "second": "{count} {count, plural,\\n one {sekonde}\\n other {sekondes}\\n}", + "week": "{count} {count, plural,\\n one {week}\\n other {weke}\\n}" + }, + "login-form": { + "log_in": "Meld aan", + "password": "Wagwoord", + "remember": "Onthou" }, "notification_drawer": { "click_to_configure": "Klik knoppie om {entity} op te stel", "empty": "Geen kennisgewings", "title": "Kennisgewings" - } - }, - "domain": { - "alarm_control_panel": "Alarm beheer paneel", - "automation": "Outomatisering", - "binary_sensor": "Binêre sensor", - "calendar": "Kalender", - "camera": "Kamera", - "climate": "Klimaat", - "configurator": "Konfigureerder", - "conversation": "Konversasie", - "cover": "Dekking", - "device_tracker": "Toestel opspoorder", - "fan": "Waaier", - "history_graph": "Geskiedenis grafiek", - "group": "Groep", - "image_processing": "Beeldverwerking", - "input_boolean": "Invoer boole", - "input_datetime": "Invoer datum\/tyd", - "input_select": "Invoer seleksie", - "input_number": "Invoer nommer", - "input_text": "Invoer teks", - "light": "Lig", - "lock": "Slot", - "mailbox": "Posbus", - "media_player": "Media-speler", - "notify": "Stel in kennis", - "plant": "Plant", - "proximity": "Nabyheid", - "remote": "Afgeleë", - "scene": "Toneel", - "script": "Skrip", - "sensor": "Sensor", - "sun": "Son", - "switch": "Skakelaar", - "updater": "Opdateerder", - "weblink": "Web skakel", - "zwave": "Z-Wave", - "vacuum": "Vakuum", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Stelsel Gesondheid", - "person": "Persoon" - }, - "attribute": { - "weather": { - "humidity": "Humiditeit", - "visibility": "Sigbaarheid", - "wind_speed": "Windspoed" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Af", - "on": "Aan", - "auto": "Outomatiese" + }, + "notification_toast": { + "connection_lost": "Konneksie verlore. Herkoppel tans...", + "entity_turned_off": "{entity} afgeskakel.", + "entity_turned_on": "{entity} aangeskakel.", + "service_call_failed": "Het misluk om diens {service} te roep.", + "service_called": "Diens {service} geroep." + }, + "panel": { + "config": { + "area_registry": { + "caption": "Gebiedsregister", + "create_area": "SKEP GEBIED", + "description": "Oorsig van alle gebiede in u huis.", + "editor": { + "create": "SKEP", + "default_name": "Nuwe Gebied", + "delete": "SKRAP", + "update": "OPDATEER" + }, + "no_areas": "Dit lyk asof u nog geen gebiede het nie!", + "picker": { + "create_area": "SKEP GEBIED", + "header": "Gebiedsregister", + "integrations_page": "Integrasies bladsy", + "introduction": "Gebiede word gebruik om toestelle te organiseer gebaseer op waar hulle is. Hierdie inligting sal regdeur Home Assistant gebruik word om u te help om u koppelvlak, toestemmings en integrasies met ander stelsels te organiseer.", + "introduction2": "Om toestelle in 'n gebied te plaas, gebruik die skakel hieronder om na die integrasies bladsy toe te gaan en klik dan op 'n opgestelde integrasie om na die toestelkaarte toe te gaan.", + "no_areas": "Dit lyk asof u nog geen gebiede het nie!" + } + }, + "automation": { + "caption": "Outomatisering", + "description": "Skep en wysig outomatisasies", + "editor": { + "actions": { + "add": "Voeg aksie by", + "delete": "Skrap", + "delete_confirm": "Is u seker u wil dit skrap?", + "duplicate": "Dupliseer", + "header": "Aksies", + "introduction": "Die aksies is wat Home Assistant sal doen wanneer die outomatisering geaktiveer word.", + "learn_more": "Kom meer te wete oor aksies", + "type_select": "Aksie tipe", + "type": { + "condition": { + "label": "Voorwaarde" + }, + "delay": { + "delay": "Vertraging", + "label": "Vertraging" + }, + "event": { + "event": "Gebeurtenis:", + "label": "Vuur geval", + "service_data": "Diens data" + }, + "service": { + "label": "Roep diens", + "service_data": "Diens data" + }, + "wait_template": { + "label": "Wag", + "timeout": "Tyd verstreke (opsioneel)", + "wait_template": "Wag Templaat" + } + }, + "unsupported_action": "Ongesteunde aksie: {action}" + }, + "alias": "Naam", + "conditions": { + "add": "Voeg voorwaarde by", + "delete": "Skrap", + "delete_confirm": "Is u seker u wil dit skrap?", + "duplicate": "Dupliseer", + "header": "Voorwaardes", + "introduction": "Voorwaardes is 'n opsionele deel van 'n outomatiseringsreël en kan gebruik word om te verhoed dat 'n aksie plaasvind wanneer dit geaktiveer word. Voorwaardes lyk baie soos snellers maar is baie anders. 'n Sneller sal kyk na gebeure wat in die stelsel gebeur terwyl 'n voorwaarde net kyk hoe die stelsel lyk. Byvoorbeeld: 'n Sneller kan sien dat 'n skakelaar aangeskakel word. 'n Voorwaarde kan net sien of 'n skakelaar tans aan of af is.", + "learn_more": "Kom meer te wete oor voorwaardes", + "type_select": "Voorwaarde tipe", + "type": { + "numeric_state": { + "above": "Bo", + "below": "Onder", + "label": "Numeriese toestand", + "value_template": "Waarde templaat (opsioneel)" + }, + "state": { + "label": "Staat", + "state": "Staat" + }, + "sun": { + "after": "Na:", + "after_offset": "Na verreken (opsioneel)", + "before": "Voor:", + "before_offset": "Voor verreken (opsioneel)", + "label": "Son", + "sunrise": "Sonsopkoms", + "sunset": "Sonsondergang" + }, + "template": { + "label": "Templaat", + "value_template": "Waarde templaat" + }, + "time": { + "after": "Na", + "before": "Voor", + "label": "Tyd" + }, + "zone": { + "entity": "Entiteit met plek", + "label": "Sone", + "zone": "Sone" + } + }, + "unsupported_condition": "Ongesteunde voorwaarde: {condition}" + }, + "default_name": "Nuwe outomatisering", + "introduction": "Gebruik outomatisasies om jou huis lewend te maak", + "load_error_not_editable": "Slegs outomatisasies in automations.yaml kan verander word.", + "load_error_unknown": "Kon nie outomatisering laai nie ({err_no}).", + "save": "Stoor", + "triggers": { + "add": "Voeg sneller by", + "delete": "Skrap", + "delete_confirm": "Is u seker u wil dit skrap?", + "duplicate": "Dupliseer", + "header": "Snellers", + "introduction": "Snellers is wat die prosessering van 'n outomatiseringsreël afskop. Dit is moontlik om verskeie snellers vir dieselfde reël te spesifiseer. Sodra 'n sneller begin, sal Home Assistant die voorwaardes, indien enige, bevestig en die aksie roep.", + "learn_more": "Kom meer te wete oor snellers", + "type_select": "Sneller tipe", + "type": { + "event": { + "event_data": "Gebeurtenis data", + "event_type": "Gebeurtenis tipe", + "label": "Gebeurtenis" + }, + "geo_location": { + "enter": "Betree", + "event": "Gebeurtenis:", + "label": "Ligginggewing", + "leave": "Verlaat", + "source": "Bron", + "zone": "Sone" + }, + "homeassistant": { + "event": "Gebeurtenis:", + "label": "Home Assistant", + "shutdown": "Staak", + "start": "Begin" + }, + "mqtt": { + "label": "MQTT", + "payload": "Loonvrag (opsioneel)", + "topic": "Onderwerp" + }, + "numeric_state": { + "above": "Bo", + "below": "Onder", + "label": "Numeriese toestand", + "value_template": "Waarde templaat (opsioneel)" + }, + "state": { + "for": "Vir", + "from": "Vanaf", + "label": "Staat", + "to": "Tot en met" + }, + "sun": { + "event": "Gebeurtenis:", + "label": "Son", + "offset": "Verreken (opsioneel)", + "sunrise": "Sonsopkoms", + "sunset": "Sonsondergang" + }, + "template": { + "label": "Templaat", + "value_template": "Waarde templaat" + }, + "time_pattern": { + "hours": "Ure", + "label": "Tydpatroon", + "minutes": "Minute", + "seconds": "Sekondes" + }, + "time": { + "at": "Om", + "label": "Tyd" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook ID" + }, + "zone": { + "enter": "Betree", + "entity": "Entiteit met plek", + "event": "Gebeurtenis:", + "label": "Sone", + "leave": "Verlaat", + "zone": "Sone" + } + }, + "unsupported_platform": "Ongesteunde platform: {platform}" + }, + "unsaved_confirm": "U het ongestoorde veranderinge. Is u seker u wil die blad verlaat?" + }, + "picker": { + "add_automation": "Voeg outomatisering by", + "header": "Outomatiseringsredakteur", + "introduction": "Die outomatiseringsredakteur stel u in staat om outomatisasies te skep en te wysig. Volg die onderstaande skakel om die instruksies te lees om seker te maak dat u Home Assistant korrek opgestel het.", + "learn_more": "Kom meer te wete oor outomatisasies", + "no_automations": "Ons kon nie redigeerbare outomatisasies vind nie", + "pick_automation": "Kies outomatisasie om te redigeer" + } + }, + "cloud": { + "caption": "Home Assistant Cloud", + "description_features": "Beheer terwyl weg van die huis af is, integreer met Alexa en Google Assistant.", + "description_login": "Aangemeld as {email}", + "description_not_login": "Nie aangemeld nie" + }, + "core": { + "caption": "Algemeen", + "description": "Bevestig u opstellingslêer en beheer die bediener", + "section": { + "core": { + "core_config": { + "edit_requires_storage": "Redakteur is gedeaktiveer omdat konfigurasie gestoor is in configuration.yaml.", + "elevation": "Hoogte", + "elevation_meters": "Meter", + "imperial_example": "Fahrenheit, pond", + "latitude": "Breedtegraad", + "location_name": "Naam van u Home Assistant installasie", + "longitude": "Lengtegraad", + "metric_example": "Celsius, kilogram", + "save_button": "Stoor", + "time_zone": "Tydsone", + "unit_system": "Eenheidstelsel", + "unit_system_imperial": "Imperial", + "unit_system_metric": "Metrieke" + }, + "header": "Opstellings en bedienerbeheer", + "introduction": "As u opstellings verander, kan dit 'n vermoeiende proses wees. Ons weet. Hierdie afdeling sal probeer om u lewe 'n bietjie makliker te maak." + }, + "server_control": { + "reloading": { + "automation": "Herlaai outomatisasies", + "core": "Herlaai kern", + "group": "Herlaai groepe", + "heading": "Opstellings herlaai tans", + "introduction": "Sommige dele van Home Assistant kan herlaai sonder om te herbegin. Deur om herlaai te kliek, sal die huidige opstelling ontlaai en die nuwe een laai.", + "script": "Herlaai skripte" + }, + "server_management": { + "heading": "Bediener bestuur", + "introduction": "Beheer u Home Assistant-bediener ... met Home Assistant.", + "restart": "Herbegin", + "stop": "Staak" + }, + "validation": { + "check_config": "Verifieer opstellings", + "heading": "Opstellings validering", + "introduction": "Verifieer u opstellings as u onlangs 'n paar veranderinge aan u opstellings gemaak het en wil seker maak dat dit alles geldig is", + "invalid": "Opstellings ongeldig!", + "valid": "Opstellings geldig!" + } + } + } + }, + "customize": { + "caption": "Pasgemaakte Instellings", + "description": "Pas u entiteite aan", + "picker": { + "header": "Pasgemaakte Instellings", + "introduction": "Verfyn per-entiteit eienskappe. Bygevoegde \/ gewysigde aanpassings sal onmiddellik in werking tree. Verwyderde aanpassings sal in werking tree wanneer die entiteit opgedateer word." + } + }, + "entity_registry": { + "caption": "Entiteit Register", + "description": "Oorsig van alle bekende entiteite.", + "editor": { + "default_name": "Nuwe Gebied", + "delete": "SKRAP", + "unavailable": "Hierdie entiteit is tans nie beskikbaar nie.", + "update": "OPDATEER" + }, + "picker": { + "header": "Entiteit Register", + "integrations_page": "Integrasies bladsy", + "introduction": "Home Assistant hou 'n register van al die vorige entiteite wat uniek geïdentifiseer kan word. Elk van hierdie entiteite sal 'n entiteit-ID hê wat vir hierdie entiteit gereserveer sal word.", + "introduction2": "Gebruik die entiteitsregister om die naam te oorskryf, die entiteit ID te verander, of die inskrywing van Home Assistant te verwyder. Let wel, die verwydering van die entiteit registerinskrywing sal nie die entiteit verwyder nie. Om dit te doen, volg die skakel hieronder en verwyder dit uit die integrasies bladsy.", + "unavailable": "(nie beskikbaar nie)" + } + }, + "header": "Stel Home Assistant op", + "integrations": { + "caption": "Integrasies", + "config_entry": { + "delete_confirm": "Is u seker u wil hierdie integrasie skrap?", + "device_unavailable": "toestel nie beskikbaar nie", + "entity_unavailable": "entiteit nie beskikbaar nie", + "firmware": "Fermware: {version}", + "hub": "Gekonnekteer via", + "manuf": "deur {manufacturer}", + "no_area": "Geen Gebied", + "no_device": "Entiteite sonder toestelle", + "no_devices": "Hierdie integrasie het geen toestelle nie.", + "restart_confirm": "Herbegin Home Assistant om hierdie integrasie te voltooi", + "via": "Gekonnekteer via" + }, + "config_flow": { + "external_step": { + "description": "Hierdie stap vereis dat u 'n eksterne webwerf besoek om voltooi te word.", + "open_site": "Maak webwerf oop" + } + }, + "configure": "Stel op", + "configured": "Opgestel", + "description": "Bestuur gekoppelde toestelle en dienste", + "discovered": "Ontdek", + "new": "Stel 'n nuwe integrasie op", + "none": "Nog niks is opgestel nie" + }, + "introduction": "Hier is dit moontlik om u komponente en Home Assistant op te stel. Tans kan alles in verband met die gebruikerskoppelvlak nog nie hier opgestel word nie, maar ons werk daaraan.", + "person": { + "caption": "Persone", + "description": "Bestuur die persone wat Home Assistant op spoor.", + "detail": { + "device_tracker_intro": "Kies die toestelle wat aan hierdie persoon behoort.", + "device_tracker_pick": "Kies toestel om op te spoor", + "device_tracker_picked": "Spoor toestel op", + "name": "Naam" + } + }, + "script": { + "caption": "Skrip", + "description": "Skep en wysig skripte" + }, + "users": { + "add_user": { + "caption": "Voeg gebruiker by", + "create": "Skep", + "name": "Naam", + "password": "Wagwoord", + "username": "Gebruikersnaam" + }, + "caption": "Gebruikers", + "description": "Bestuur gebruikers", + "editor": { + "activate_user": "Aktiveer gebruiker", + "caption": "Bekyk gebruiker", + "change_password": "Verander Wagwoord", + "deactivate_user": "Deaktiveer gebruiker", + "delete_user": "Skrap gebruiker", + "rename_user": "Hernoem gebruiker" + }, + "picker": { + "title": "Gebruikers" + } + }, + "zha": { + "add_device_page": { + "discovery_text": "Ontdekde toestelle sal hier verskyn. Volg die instruksies vir u toestel(e) en plaas die toestel(e) in die paringsmodus.", + "header": "Zigbee Home Automation - Voeg Toestelle By", + "spinner": "Opsoek na ZHA Zigbee-toestelle..." + }, + "caption": "ZHA", + "description": "Zigbee Home Automation netwerk bestuur", + "device_card": { + "area_picker_label": "Gebied", + "device_name_placeholder": "Gebruiker se naam", + "update_name_button": "Verander Naam" + }, + "services": { + "reconfigure": "Stel ZHA-toestel weer op (heal device). Gebruik dit as u probleme ondervind met die toestel. As die betrokke toestel 'n battery aangedrewe toestel is, maak asseblief seker dat dit wakker is en bevele aanvaar wanneer u hierdie diens gebruik.", + "remove": "Verwyder 'n toestel van die ZigBee-netwerk.", + "updateDeviceName": "Stel 'n persoonlike naam vir hierdie toestel in die toestelregister" + } + }, + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Indeks", + "instance": "Aktiwiteit", + "value": "Waarde" + }, + "description": "Bestuur u Z-Wave netwerk", + "network_management": { + "header": "Bestuur Z-Wave Netwerk", + "introduction": "Begin opdragte wat die Z-Wave-netwerk beïnvloed. U sal nie terugvoer kry of meeste opdragte slaag nie, maar u kan die OZW-logboek nagaan om dit uit te vind." + }, + "network_status": { + "network_started": "Z-Wave Netwerk is Aangeskakel", + "network_started_note_all_queried": "Alle knooppunte is nagevra", + "network_started_note_some_queried": "Aktiewe Knooppunte is nagevra. Slapende Knooppunte sal nagevra word sodra hulle ontwaak.", + "network_starting": "Skakel Tans Z-Wave Netwerk Aan...", + "network_starting_note": "Afhangend van die grootte van u netwerk, kan dit 'n rukkie duur.", + "network_stopped": "Z-Wave Netwerk het Gestop" + }, + "node_config": { + "set_config_parameter": "Stel Config-parameter in" + }, + "services": { + "add_node": "Voeg Knooppunt By", + "add_node_secure": "Voeg Veilige Knooppunt By", + "cancel_command": "Kanselleer Opdrag", + "heal_network": "Herstel Netwerk", + "remove_node": "Verwyder Knooppunt", + "save_config": "Stoor Instellings", + "soft_reset": "Sagte Herstel", + "start_network": "Skakel Netwerk Aan", + "stop_network": "Stop Netwerk", + "test_network": "Toets Netwerk" + }, + "values": { + "header": "Knooppuntwaardes" + } + } }, - "preset_mode": { - "none": "Geen", - "eco": "Eko", - "away": "Elders", - "boost": "Hupstoot", - "comfort": "Gemak", - "home": "Tuis", - "sleep": "Slaap", - "activity": "Aktiwiteit" + "developer-tools": { + "tabs": { + "events": { + "title": "Gebeure" + }, + "info": { + "title": "Inligting" + }, + "mqtt": { + "title": "MQTT" + }, + "services": { + "title": "Dienste" + }, + "states": { + "title": "State" + }, + "templates": { + "title": "Template" + } + } }, - "hvac_action": { - "off": "Af", - "heating": "Verhit", - "cooling": "Koel Af", - "drying": "Droog Uit", - "idle": "Onaktief", - "fan": "Waaier" + "history": { + "period": "Tydperk", + "showing_entries": "Wys inskrywings vir" + }, + "logbook": { + "period": "Tydperk", + "showing_entries": "Wys inskrywings vir" + }, + "lovelace": { + "cards": { + "empty_state": { + "go_to_integrations_page": "Gaan na die integrasies bladsy.", + "no_devices": "Hierdie bladsy laat u toe om u toestelle te beheer, maar dit lyk asof u nog nie toestelle opgestel het nie. Gaan na die integrasies bladsy om te begin.", + "title": "Welkom tuis" + }, + "picture-elements": { + "call_service": "Oproep diens {name}", + "hold": "Hou:", + "more_info": "Wys meer inligting: {name}", + "navigate_to": "Navigeer na {location}", + "tap": "Tik:", + "toggle": "Wissel {name}" + }, + "shopping-list": { + "add_item": "Voeg item by", + "checked_items": "Gemerkte items", + "clear_items": "Maak die gemerkte items skoon" + } + }, + "changed_toast": { + "message": "Die Lovelace-opstelling is opgedateer, wil u graag herlaai?", + "refresh": "Herlaai" + }, + "editor": { + "edit_card": { + "add": "Voeg Kaart by", + "delete": "Skrap", + "edit": "Wysig", + "header": "Kaart opstelling", + "move": "Skuif", + "pick_card": "Kies die kaart wat u wil byvoeg.", + "save": "Stoor", + "toggle_editor": "Wissel redigeerder" + }, + "edit_view": { + "add": "Voeg aansig by", + "delete": "Skrap aansig", + "edit": "Wysig aansig", + "header": "Bekyk Opstellings" + }, + "header": "Wysig gebruikerskoppelvlak", + "menu": { + "raw_editor": "Plat opstellings-redigeerder" + }, + "migrate": { + "header": "Opstellings Onversoenbaar", + "migrate": "Migreer opstellings", + "para_migrate": "Druk die 'Migreer konfigurasie' knoppie as u wil hê Home Assistant moet vir u ID's by al u kaarte en aansigte outomaties byvoeg.", + "para_no_id": "Hierdie element het nie 'n ID nie. Voeg asseblief 'n ID by vir hierdie element in 'ui-lovelace.yaml'." + }, + "raw_editor": { + "header": "Wysig Instellings", + "save": "Stoor", + "saved": "Gestoor", + "unsaved_changes": "Ongestoorde veranderinge" + }, + "save_config": { + "cancel": "Toemaar", + "header": "Neem beheer van u Lovelace gebruikerskoppelvlak", + "para": "Home Assistant sal outomaties u gebruikerskoppelvlak handhaaf, dit opdateer wanneer nuwe entiteite of Lovelace-komponente beskikbaar raak. Alhoewel, as u beheer neem, sal Home Assistant nie meer outomaties veranderings vir u doen nie.", + "para_sure": "Is u seker u wil beheer neem oor u gebruikerskoppelvlak?", + "save": "Neem beheer" + } + }, + "menu": { + "configure_ui": "Stel gebruikerskoppelvlak op", + "help": "Help", + "refresh": "Verfris", + "unused_entities": "Ongebruikte entiteite" + }, + "reload_lovelace": "Herlaai Lovelace", + "warning": { + "entity_non_numeric": "Entiteit is nie-numeriese: {entity}", + "entity_not_found": "Entiteit nie beskikbaar nie: {entity}" + } + }, + "mailbox": { + "delete_button": "Skrap", + "delete_prompt": "Skrap hierdie boodskap?", + "empty": "U het geen boodskappe nie", + "playback_title": "Boodskap terugspeel" + }, + "page-authorize": { + "abort_intro": "Aanmelding gestaak", + "authorizing_client": "U is op die punt om {clientId} toegang te gee tot u Home Assistant instansie.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Sessie verstryk, teken asseblief weer aan." + }, + "error": { + "invalid_auth": "Ongeldige gebruikersnaam of wagwoord", + "invalid_code": "Ongeldige verifikasiekode" + }, + "step": { + "init": { + "data": { + "password": "Wagwoord", + "username": "Gebruikersnaam" + } + }, + "mfa": { + "data": { + "code": "Twee-faktor-Verifikasiekode" + }, + "description": "Maak die ** {mfa_module_name} ** op u toestel oop om u twee-faktor-verifikasiekode te sien en u identiteit te verifieer:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Sessie verstryk, teken asseblief weer aan." + }, + "error": { + "invalid_auth": "Ongeldige gebruikersnaam of wagwoord", + "invalid_code": "Ongeldige verifikasiekode" + }, + "step": { + "init": { + "data": { + "password": "Wagwoord", + "username": "Gebruikersnaam" + } + }, + "mfa": { + "data": { + "code": "Twee-faktor-Verifikasiekode" + }, + "description": "Maak die ** {mfa_module_name} ** op u toestel oop om u twee-faktor-verifikasiekode te sien en u identiteit te verifieer:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Sessie verstryk, teken asseblief weer aan.", + "no_api_password_set": "U het nie 'n API-wagwoord opgestel nie." + }, + "error": { + "invalid_auth": "Ongeldige API wagwoord", + "invalid_code": "Ongeldige verifikasiekode" + }, + "step": { + "init": { + "data": { + "password": "API wagwoord" + }, + "description": "Voer asseblief die API-wagwoord in u http-config in:" + }, + "mfa": { + "data": { + "code": "Twee-faktor-Verifikasiekode" + }, + "description": "Maak die ** {mfa_module_name} ** op u toestel oop om u twee-faktor-verifikasiekode te sien en u identiteit te verifieer:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "U rekenaar is nie op die witlys nie." + }, + "step": { + "init": { + "data": { + "user": "Gebruiker" + }, + "description": "Kies asseblief die gebruiker as wie U will aanmeld as:" + } + } + } + }, + "unknown_error": "Iets het skeef geloop", + "working": "Wag asseblief" + }, + "initializing": "Inisialiseer", + "logging_in_with": "Meld tans aan met **{authProviderName}**.", + "pick_auth_provider": "Of meld aan met" + }, + "page-demo": { + "cards": { + "demo": { + "demo_by": "deur {name}", + "introduction": "Welkom tuis! U het die Home Assistant demo bereik waar ons die beste UI's vertoon wat deur ons gemeenskap geskep is.", + "learn_more": "Kom meer te wete oor Home Assistant", + "next_demo": "Volgende demonstrasie" + } + }, + "config": { + "arsaboo": { + "labels": { + "activity": "Aktiwiteit", + "air": "Lug", + "commute_home": "Pendel na die huis", + "entertainment": "Vermaak", + "hdmi_input": "HDMI-toevoer", + "hdmi_switcher": "HDMI-omskakelaar", + "information": "Inligting", + "lights": "Ligte", + "morning_commute": "Oggend Pendel", + "total_tv_time": "Totale Televisie-tyd", + "turn_tv_off": "Skakel televisie af", + "volume": "Volume" + }, + "names": { + "family_room": "Sitkamer", + "hallway": "Gang", + "kitchen": "Kombuis", + "left": "Links", + "master_bedroom": "Hoofslaapkamer", + "mirror": "Spieël", + "patio": "Stoep", + "right": "Regs", + "upstairs": "Boontoe" + }, + "unit": { + "minutes_abbr": "min", + "watching": "Kyk Tans" + } + } + } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Ontdek", + "finish": "Volgende", + "intro": "Hallo {name}, welkom by Home Assistant. Hoe wil u u huis vernoem?", + "intro_location": "Ons wil graag weet waar u woon. Hierdie inligting sal help met die vertoon van inligting en die opstel van son-gebaseerde outomatisasies. Hierdie data word nooit buite u netwerk gedeel nie.", + "intro_location_detect": "Ons kan u help om hierdie inligting in te vul deur 'n eenmalige versoek aan 'n eksterne diens te rig.", + "location_name_default": "Tuis" + }, + "integration": { + "finish": "Klaar", + "intro": "Toestelle en dienste word as integrasies in Home Assistant voorgestel. U kan dit nou opstel, of dit later doen vanaf die instellingskerm.", + "more_integrations": "Meer" + }, + "intro": "Is u gereed om u huis te ontwaak, u privaatheid te herwin en by 'n wêreldwye gemeenskap van peuters aan te sluit?", + "user": { + "create_account": "Skep Rekening", + "data": { + "name": "Naam", + "password": "Wagwoord", + "password_confirm": "Bevestig Wagwoord", + "username": "Gebruikersnaam" + }, + "error": { + "password_not_match": "Wagwoorde stem nie ooreen nie", + "required_fields": "Vul al die vereiste velde in" + }, + "intro": "Kom ons begin deur 'n gebruikers rekening te skep.", + "required_field": "Vereis" + } + }, + "profile": { + "change_password": { + "confirm_new_password": "Bevestig Nuwe Wagwoord", + "current_password": "Huidige Wagwoord", + "error_required": "Vereis", + "header": "Verander Wagwoord", + "new_password": "Nuwe Wagwoord", + "submit": "Dien in" + }, + "current_user": "U is tans aangemeld as {fullName} .", + "force_narrow": { + "description": "Dit sal die sybalk by aanvang verberg, soortgelyk aan die mobiele ervaring.", + "header": "Steek die sybalk altyd weg" + }, + "is_owner": "U is 'n eienaar.", + "language": { + "dropdown_label": "Taal", + "header": "Taal", + "link_promo": "Help om te vertaal" + }, + "logout": "Meld af", + "long_lived_access_tokens": { + "confirm_delete": "Is u seker u wil die toegangs-tekseenheid vir {name} skrap?", + "create": "Skep Tekseenheid", + "create_failed": "Het misluk om die toegangs-tekseenheid te maak.", + "created_at": "Geskep op {date}", + "delete_failed": "Het misluk om die toegangs-tekseenheid te skrap.", + "description": "Skep langlewende-toegangs-tekseenhede om u skripte in staat te stel om met u Home Assistant-instansie te kommunikeer. Elke tekseenheid sal geldig wees vir 10 jaar vanaf die skepping. Die volgende langlewende-toegangs-tekseenheid is tans aktief.", + "empty_state": "U het nog geen langlewende-toegangs-tekseenhede nie.", + "header": "Langlewende-toegangs-tekseenhede", + "last_used": "Laas gebruik op {date} vanaf {location}", + "learn_auth_requests": "Leer hoe om geverifieerde versoeke te maak.", + "not_used": "Is nog nooit gebruik nie", + "prompt_copy_token": "Kopieer u toegangs-tekseenheid. Dit sal nie weer gewys word nie.", + "prompt_name": "Naam?" + }, + "mfa_setup": { + "close": "Toe", + "step_done": "Opstelling gedoen vir {step}", + "submit": "Dien in", + "title_aborted": "Gestaak", + "title_success": "Sukses!" + }, + "mfa": { + "confirm_disable": "Is u seker u wil {name} deaktiveer?", + "disable": "Deaktiveer", + "enable": "Aktiveer", + "header": "Multi-faktor Verifikasie Modules" + }, + "push_notifications": { + "description": "Stuur kennisgewings na hierdie toestel.", + "error_load_platform": "Stel notify.html5 op.", + "error_use_https": "Vereis dat SSL gedeaktiveer is vir gebruikerskoopelvlak.", + "header": "\"Push\" kennisgewings", + "link_promo": "Kom meer te wete", + "push_notifications": "\"Push\" kennisgewings" + }, + "refresh_tokens": { + "confirm_delete": "Is u seker u wil die verfris-tekseenheid vir {name} skrap?", + "created_at": "Geskep op {date}", + "current_token_tooltip": "Nie in staat om huidige verfris-tekseenheid te skrap nie", + "delete_failed": "Het misluk om die verfris-tekseenheid te skrap.", + "description": "Elke verfris-tekseenheid verteenwoordig 'n aanmeldingssessie. Verfris-tekseenhede sal outomaties verwyder word wanneer u op meld af klik. Die volgende verfris-tekseenhede is tans aktief vir u rekening.", + "header": "Verfris-tekseenhede", + "last_used": "Laas gebruik op {date} vanaf {location}", + "not_used": "Is nog nooit gebruik nie", + "token_title": "Verfris-tekseenheid vir {clientId}" + }, + "themes": { + "dropdown_label": "Tema", + "error_no_theme": "Geen temas beskikbaar nie.", + "header": "Tema", + "link_promo": "Kom meer te wete oor temas" + } + }, + "shopping-list": { + "add_item": "Voeg item", + "clear_completed": "Maak voltooide items skoon", + "microphone_tip": "Druk die mikrofoon regs bo en sê \"Add candy to my shopping list\"" } + }, + "sidebar": { + "external_app_configuration": "App Konfigurasie", + "log_out": "Meld af" } - }, - "groups": { - "system-admin": "Administrateurs", - "system-users": "Gebruikers", - "system-read-only": "Leesalleen-gebruikers" } } \ No newline at end of file diff --git a/translations/ar.json b/translations/ar.json index 2274b5d988..3f542c7554 100644 --- a/translations/ar.json +++ b/translations/ar.json @@ -1,53 +1,161 @@ { - "panel": { - "config": "الإعدادات", - "states": "نظرة عامة", - "map": "خريطة", - "logbook": "سجل", - "history": "التاريخ", + "attribute": { + "weather": { + "humidity": "الرطوبة", + "visibility": "الرؤية", + "wind_speed": "سرعة الرياح" + } + }, + "domain": { + "alarm_control_panel": "لوحة تحكم الإنذار", + "automation": "التشغيل التلقائي", + "binary_sensor": "جهاز استشعار ثنائي", + "calendar": "التقويم", + "camera": "كاميرا", + "climate": "الطقس", + "configurator": "الإعدادات", + "conversation": "محادثة", + "cover": "ستار", + "device_tracker": "تعقب الجهاز", + "fan": "مروحة", + "group": "مجموعة", + "history_graph": "رسم بياني", + "image_processing": "معالجة الصور", + "input_boolean": "مدخل بوليني", + "input_datetime": "خانة التاريخ والوقت", + "input_number": "خانة الأرقام", + "input_select": "لائحة إختيار", + "input_text": "خانة بيانات", + "light": "الضوء", + "lock": "قفل", "mailbox": "البريد", - "shopping_list": "قائمة التسوق", + "media_player": "مشغل الموسيقى", + "notify": "إشعار", + "person": "شخص", + "plant": "نبتة", + "proximity": "قرب", + "remote": "تحكم عن بعد", + "scene": "مشهد", + "script": "نص آلي", + "sensor": "أجهزة الاستشعار", + "sun": "الشمس", + "switch": "مفتاح", + "updater": "تحديث", + "vacuum": "مكنسة كهرباء", + "weblink": "Weblink", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "مسؤولين", + "system-read-only": "مستخدمين للعرض فقط", + "system-users": "مستخدمين" + }, + "panel": { + "calendar": "التقويم", + "config": "الإعدادات", "dev-info": "معلومات", "developer_tools": "ادوات المطورين", - "calendar": "التقويم", - "profile": "الملف الشخصي" + "history": "التاريخ", + "logbook": "سجل", + "mailbox": "البريد", + "map": "خريطة", + "profile": "الملف الشخصي", + "shopping_list": "قائمة التسوق", + "states": "نظرة عامة" + }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "آلي", + "off": "مطفأ", + "on": "مفعل" + } + } + }, + "state_badge": { + "alarm_control_panel": { + "armed": "مفعل", + "armed_away": "مفعّل", + "armed_custom_bypass": "مفعّل", + "armed_home": "مفعّل", + "armed_night": "مفعل", + "arming": "جاري التفعيل ", + "disarmed": "غير مفعّل", + "disarming": "إيقاف الإنذار", + "pending": "إنتظار", + "triggered": "مفعّل" + }, + "default": { + "unavailable": "غير متوفر", + "unknown": "غير معروف" + }, + "device_tracker": { + "home": "في المنزل", + "not_home": "خارج المنزل" + }, + "person": { + "home": "في المنزل", + "not_home": "خارج المنزل" + } }, "state": { - "default": { - "off": "إيقاف", - "on": "تشغيل", - "unknown": "غير معروف", - "unavailable": "غير متوفر" - }, "alarm_control_panel": { "armed": "مسلح", - "disarmed": "غير مفعّل", - "armed_home": "مفعّل في المنزل", "armed_away": "مفعّل في الخارج", + "armed_custom_bypass": "تجاوز التفعيل", + "armed_home": "مفعّل في المنزل", "armed_night": "مفعّل ليل", - "pending": "قيد الإنتظار", "arming": "جاري التفعيل", + "disarmed": "غير مفعّل", "disarming": "إيقاف الإنذار", - "triggered": "مفعّل", - "armed_custom_bypass": "تجاوز التفعيل" + "pending": "قيد الإنتظار", + "triggered": "مفعّل" }, "automation": { "off": "إيقاف", "on": "تشغيل" }, "binary_sensor": { + "battery": { + "off": "طبيعي", + "on": "منخفض" + }, + "cold": { + "off": "طبيعي", + "on": "بارد" + }, + "connectivity": { + "off": "مفصول", + "on": "متصل" + }, "default": { "off": "إيقاف", "on": "تشغيل" }, - "moisture": { - "off": "جاف", - "on": "مبلل" + "door": { + "off": "مغلق", + "on": "مفتوح" + }, + "garage_door": { + "off": "مغلق", + "on": "مفتوح" }, "gas": { "off": "لم يتم الكشف", "on": "تم الكشف" }, + "heat": { + "off": "طبيعي", + "on": "حار" + }, + "lock": { + "off": "مقفل", + "on": "غير مقفل" + }, + "moisture": { + "off": "جاف", + "on": "مبلل" + }, "motion": { "off": "لم يتم الكشف", "on": "تم الكشف" @@ -56,6 +164,22 @@ "off": "لم يتم الكشف", "on": "تم الكشف" }, + "opening": { + "off": "مقفل", + "on": "مفتوح" + }, + "presence": { + "off": "خارج المنزل", + "on": "في المنزل" + }, + "problem": { + "off": "موافق", + "on": "عطل" + }, + "safety": { + "off": "أمن", + "on": "غير أمن" + }, "smoke": { "off": "لم يتم الكشف", "on": "تم الكشف" @@ -68,53 +192,9 @@ "off": "لم يتم الكشف", "on": "تم الكشف" }, - "opening": { - "off": "مقفل", - "on": "مفتوح" - }, - "safety": { - "off": "أمن", - "on": "غير أمن" - }, - "presence": { - "off": "خارج المنزل", - "on": "في المنزل" - }, - "battery": { - "off": "طبيعي", - "on": "منخفض" - }, - "problem": { - "off": "موافق", - "on": "عطل" - }, - "connectivity": { - "off": "مفصول", - "on": "متصل" - }, - "cold": { - "off": "طبيعي", - "on": "بارد" - }, - "door": { - "off": "مغلق", - "on": "مفتوح" - }, - "garage_door": { - "off": "مغلق", - "on": "مفتوح" - }, - "heat": { - "off": "طبيعي", - "on": "حار" - }, "window": { "off": "مغلق", "on": "مفتوح" - }, - "lock": { - "off": "مقفل", - "on": "غير مقفل" } }, "calendar": { @@ -122,37 +202,43 @@ "on": "تشغيل" }, "camera": { + "idle": "خامل", "recording": "جاري التسجيل", - "streaming": "جاري البث", - "idle": "خامل" + "streaming": "جاري البث" }, "climate": { - "off": "إيقاف", - "on": "تشغيل", - "heat": "تدفئة", - "cool": "تبريد", - "idle": "خامل", "auto": "تلقائي", + "cool": "تبريد", "dry": "جاف", - "fan_only": "المروحة فقط", "eco": "اقتصادي", "electric": "كهربائي", - "performance": "الأداء", - "high_demand": "تحت ضغط عالي", + "fan_only": "المروحة فقط", + "gas": "غاز", + "heat": "تدفئة", "heat_pump": "مضخة سخان", - "gas": "غاز" + "high_demand": "تحت ضغط عالي", + "idle": "خامل", + "off": "إيقاف", + "on": "تشغيل", + "performance": "الأداء" }, "configurator": { "configure": "إعداد", "configured": "تم الإعداد" }, "cover": { - "open": "مفتوح", - "opening": "جاري الفتح", "closed": "مغلق", "closing": "جاري الاغلاق", + "open": "مفتوح", + "opening": "جاري الفتح", "stopped": "موقف" }, + "default": { + "off": "إيقاف", + "on": "تشغيل", + "unavailable": "غير متوفر", + "unknown": "غير معروف" + }, "device_tracker": { "home": "في المنزل", "not_home": "خارج المنزل" @@ -162,19 +248,19 @@ "on": "قيد التشغيل" }, "group": { - "off": "إيقاف", - "on": "قيد التشغيل", - "home": "في المنزل", - "not_home": "في الخارج", - "open": "مفتوح ", - "opening": "جاري الفتح ", "closed": "مغلق ", "closing": "جاري الاغلاق ", - "stopped": "موقف ", + "home": "في المنزل", "locked": "مقفل ", - "unlocked": "غير مقفل ", + "not_home": "في الخارج", + "off": "إيقاف", "ok": "أوكي", - "problem": "مشكلة" + "on": "قيد التشغيل", + "open": "مفتوح ", + "opening": "جاري الفتح ", + "problem": "مشكلة", + "stopped": "موقف ", + "unlocked": "غير مقفل " }, "input_boolean": { "off": "إيقاف", @@ -189,13 +275,17 @@ "unlocked": "مفتوح" }, "media_player": { + "idle": "خامل", "off": "إيقاف", "on": "قيد التشغيل", - "playing": "جاري التشغيل", "paused": "موقّف مؤقتا", - "idle": "خامل", + "playing": "جاري التشغيل", "standby": "وضع الإنتظار" }, + "person": { + "home": "في المنزل", + "not_home": "خارج المنزل" + }, "plant": { "ok": "أوكي", "problem": "مشكلة" @@ -223,21 +313,10 @@ "off": "إيقاف", "on": "مُشَغّل" }, - "zwave": { - "default": { - "initializing": "قيد الإنشاء", - "dead": "مفصول", - "sleeping": "نائم", - "ready": "جاهز" - }, - "query_stage": { - "initializing": "قيد الإنشاء ( {query_stage} )", - "dead": "مفصول ({query_stage})" - } - }, - "weather": { - "cloudy": "Bewolkt", - "fog": "Mist" + "timer": { + "active": "مفعل", + "idle": "خامل", + "paused": "موقّف مؤقتا" }, "vacuum": { "cleaning": "تنظيف", @@ -247,84 +326,302 @@ "paused": "موقّف مؤقتا", "returning": "العودة" }, - "timer": { - "active": "مفعل", - "idle": "خامل", - "paused": "موقّف مؤقتا" + "weather": { + "cloudy": "Bewolkt", + "fog": "Mist" }, - "person": { - "home": "في المنزل", - "not_home": "خارج المنزل" - } - }, - "state_badge": { - "default": { - "unknown": "غير معروف", - "unavailable": "غير متوفر" - }, - "alarm_control_panel": { - "armed": "مفعل", - "disarmed": "غير مفعّل", - "armed_home": "مفعّل", - "armed_away": "مفعّل", - "armed_night": "مفعل", - "pending": "إنتظار", - "arming": "جاري التفعيل ", - "disarming": "إيقاف الإنذار", - "triggered": "مفعّل", - "armed_custom_bypass": "مفعّل" - }, - "device_tracker": { - "home": "في المنزل", - "not_home": "خارج المنزل" - }, - "person": { - "home": "في المنزل", - "not_home": "خارج المنزل" + "zwave": { + "default": { + "dead": "مفصول", + "initializing": "قيد الإنشاء", + "ready": "جاهز", + "sleeping": "نائم" + }, + "query_stage": { + "dead": "مفصول ({query_stage})", + "initializing": "قيد الإنشاء ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "تم المسح", - "add_item": "أضف عنصر", - "microphone_tip": "اضغط على الميكروفون في أعلى اليمين وقل \"Add candy to my shopping list\"" + "auth_store": { + "ask": "هل تريد حفظ هذا الدخول؟", + "confirm": "حفظ الدخول", + "decline": "لا شكرا" + }, + "card": { + "alarm_control_panel": { + "arm_custom_bypass": "تجاوز مخصص" }, - "developer-tools": { - "tabs": { - "services": { - "title": "الخدمات" - }, - "states": { - "title": "الحالات" - }, - "events": { - "title": "أحداث" - }, - "templates": { - "title": "نماذج" - }, - "mqtt": { - "title": "MQTT" - } + "camera": { + "not_available": "الصورة غير متاحة" + }, + "climate": { + "away_mode": "خارج المنزل", + "currently": "حاليا", + "fan_mode": "وضع المروحة", + "on_off": "إيقاف\/تشغيل", + "target_humidity": "Doelluchtvochtigheid", + "target_temperature": "درجة الحرارة المستهدفة" + }, + "fan": { + "direction": "Richting", + "speed": "Snelheid" + }, + "light": { + "brightness": "Helderheid", + "color_temperature": "Kleurtemperatuur", + "white_value": "Witwaarde" + }, + "lock": { + "lock": "قفل", + "unlock": "فتح" + }, + "media_player": { + "sound_mode": "وضع الصوت", + "source": "المصدر", + "text_to_speak": "النص للتحدث" + }, + "persistent_notification": { + "dismiss": "رفض" + }, + "vacuum": { + "actions": { + "resume_cleaning": "استئناف التنظيف", + "return_to_base": "العودة", + "start_cleaning": "بدء تنظيف", + "turn_off": "إيقاف", + "turn_on": "تشغيل" } }, - "history": { - "showing_entries": "عرض الأحداث لـ", - "period": "المدة" + "water_heater": { + "away_mode": "حالة خارج المنزل", + "currently": "حاليا", + "on_off": "إيقاف\/تشغيل", + "operation": "تشغيل", + "target_temperature": "درجة الحرارة المستهدفة" + } + }, + "common": { + "cancel": "إلغاء", + "loading": "جار التحميل" + }, + "components": { + "entity": { + "entity-picker": { + "entity": "الجهاز" + } }, - "logbook": { - "showing_entries": "عرض الأحداث لـ" + "relative_time": { + "never": "Nooit" }, - "mailbox": { - "empty": "ليس لديك رسائل", - "playback_title": "تشغيل الرسالة", - "delete_prompt": "هل تريد حذف هذه الرسالة؟", - "delete_button": "حذف" + "service-picker": { + "service": "خدمة" + } + }, + "dialogs": { + "more_info_control": { + "sun": { + "setting": "ضبط" + } }, + "more_info_settings": { + "entity_id": "الكيان ID", + "name": "الاسم", + "save": "حفظ" + } + }, + "duration": { + "day": "{count} {count, plural,\\none {يوم}\\nother {أيام}\\n}", + "second": "{count} {count, plural,\\none {ثانية}\\nother {ثواني}\\n}", + "week": "{count} {count, plural,\\none {أسبوع}\\nother {أسابيع}\\n}" + }, + "login-form": { + "log_in": "تسجيل الدخول", + "password": "كلمه السر", + "remember": "تذكر" + }, + "panel": { "config": { - "header": "برمجة نظام مساعد البيت", - "introduction": "يمكنك هنا برمجة المكونات الخاصة بك و إعداد نظام مساعد البيت. ليس كل شيء متاح للبرمجة من خلال واجهة المستخدم حتى الآن، ولكننا نعمل على ذلك.", + "area_registry": { + "picker": { + "create_area": "إنشاء منطقة", + "no_areas": "يبدو أنه لا توجد أي مناطق معرفة!" + } + }, + "automation": { + "caption": "التشغيل التلقائي", + "description": "إنشاء وتحرير التشغيل الألي", + "editor": { + "actions": { + "add": "أضف إجراء", + "delete": "حذف", + "delete_confirm": "هل تريد الحذف فعلا؟", + "duplicate": "تكرار", + "header": "الإجراءات", + "introduction": "الإجراءات هي ما سيفعله Home Assistant عندما يتفعّل الجهاز المُتحَكم به.\\n\\n [مزيد من المعلومات حول الإجراءات.] (https:\/\/home-assistant.io\/docs\/automation\/action\/)", + "learn_more": "معرفة المزيد عن الإجراءات", + "type_select": "نوع الإجراء", + "type": { + "condition": { + "label": "الشرط" + }, + "delay": { + "delay": "تأخير", + "label": "التأخير" + }, + "event": { + "event": "الحدث", + "label": "إجراء الحريق", + "service_data": "بيانات الخدمة" + }, + "service": { + "label": "طلب خدمة", + "service_data": "بيانات الخدمة" + }, + "wait_template": { + "label": "الإنتظار", + "timeout": "الحد الأقصى (إختياري)", + "wait_template": "نموذج الانتظار" + } + }, + "unsupported_action": "إجراء غير مدعوم: {action}" + }, + "alias": "الاسم", + "conditions": { + "add": "إضافة شرط", + "delete": "حذف", + "delete_confirm": "هل تريد الحذف فعلا؟", + "duplicate": "تكرار", + "header": "الشروط", + "introduction": "الشروط هي جزء اختياري من قواعد المتحكم الآلي ويمكن استخدامها لمنع تفعّل الإجراء بالمشغل. الشروط تبدو متشابهة جدًا مع المشغلات ولكنها مختلفة جدًا. سينظر المشغل في الأحداث التي تحدث في النظام بينما ينظر الشرط فقط إلى كيفية ظهور النظام الآن. يستطيع المشغل ملاحظة أن مفتاح التشغيل تم تشغيله. بينما الشرط يرى فقط ما إذا كان أحد المفاتيح هل هو قيد التشغيل أو الإيقاف حاليًا. \\n\\n [مزيد من المعلومات حول الشروط.] (https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", + "learn_more": "معرفة المزيد عن الشروط", + "type_select": "نوع الشرط", + "type": { + "numeric_state": { + "above": "فوق", + "below": "تحت", + "label": "حالة القيمة الرقمية", + "value_template": "نموذج القيمة (إختياري)" + }, + "state": { + "label": "الحالة", + "state": "الحالة" + }, + "sun": { + "after": "بعد", + "after_offset": "تقديم الوقت (اختياري)", + "before": "قبل", + "before_offset": "تأخير الوقت (اختياري)", + "label": "الشمس", + "sunrise": "شروق الشمس", + "sunset": "غروب الشمس" + }, + "template": { + "label": "النموذج", + "value_template": "نموذج القيمة" + }, + "time": { + "after": "بعد", + "before": "قبل", + "label": "وقت" + }, + "zone": { + "entity": "الجهاز في المنطقة", + "label": "المنطقة", + "zone": "المنطقة" + } + }, + "unsupported_condition": "شرط غير مدعوم: {condition}" + }, + "default_name": "متحكم آلي جديد", + "introduction": "استخدم المتحكمات الآلية لتجعل منزلك ينبض بالحياة", + "save": "حفظ", + "triggers": { + "add": "أضف مشغل", + "delete": "حذف", + "delete_confirm": "هل تريد الحذف فعلا؟", + "duplicate": "تكرار", + "header": "المشغلات", + "introduction": "المشغلات هي ما يبدأ تشغيل قاعدة المتحكم الآلي. من الممكن تحديد مشغلات متعددة لنفس القاعدة. بمجرد بدء المشغل ، سيقوم Home Assistant بالتحقق من الشروط ، إن وجدت ، واستدعاء الإجراء. \\n\\n [مزيد من المعلومات حول المشغلات.] (https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", + "learn_more": "معرفة المزيد عن المشغلات", + "type_select": "نوع المشغل", + "type": { + "event": { + "event_data": "بيانات الحدث", + "event_type": "نوع الحدث", + "label": "الحدث" + }, + "homeassistant": { + "event": "الحدث:", + "label": "Home Assistant", + "shutdown": "إيقاف التشغيل", + "start": "بدء" + }, + "mqtt": { + "label": "MQTT", + "payload": "المحتوى (إختياري)", + "topic": "الموضوع" + }, + "numeric_state": { + "above": "فوق", + "below": "تحت", + "label": "القيمة الرقمية", + "value_template": "نموذج القيمة (اختياري)" + }, + "state": { + "for": "لـ", + "from": "من", + "label": "الحالة", + "to": "إلى" + }, + "sun": { + "event": "الحدث", + "label": "الشمس", + "offset": "إزاحة (اختياري)", + "sunrise": "شروق الشمس", + "sunset": "غروب الشمس" + }, + "template": { + "label": "نموذج", + "value_template": "نموذج القيمة" + }, + "time_pattern": { + "hours": "ساعات", + "minutes": "الدقائق", + "seconds": "ثواني" + }, + "time": { + "at": "عند", + "label": "الوقت" + }, + "zone": { + "enter": "دخول", + "entity": "اسم الجهاز مع المنطقة", + "event": "الحدث", + "label": "المنطقة", + "leave": "مغادرة", + "zone": "المنطقة" + } + }, + "unsupported_platform": "منصة غير مدعومة: {platform}" + }, + "unsaved_confirm": "لديك تغييرات غير محفوظة. هل أنت متأكد من أنك تريد أن تغادر ؟" + }, + "picker": { + "add_automation": "أضف متحكم آلي", + "header": "محرر المتحكم الآلي", + "introduction": "محرر المتحكم الآلي يسمح لك بإنشاء وتحرير المتحكمات الآلية. يرجى قراءة [الإرشادات] (https:\/\/home-assistant.io\/docs\/automation\/editor\/) للتأكد من إعدادك Home Assistant بشكل صحيح.", + "learn_more": "معرفة المزيد عن التحكم الآلي", + "no_automations": "لم تعثر على أي متحكم آلي قابل للتعديل", + "pick_automation": "أختر متحكم آلي للتعديل" + } + }, + "cloud": { + "caption": "كلاود هوم اسيستينت", + "description_login": "تم تسجيل الدخول كـ {email}", + "description_not_login": "لم يتم تسجيل الدخول" + }, "core": { "caption": "عام", "description": "التحقق من صحة ملف الإعدادات والتحكم بالخادم", @@ -334,19 +631,12 @@ "introduction": "تغيير الإعدادات يعتبر عملية مزرية. نحن نعلم ذلك . لذا، سيحاول هذا القسم جعل حياتك أكثر سهولة." }, "server_control": { - "validation": { - "heading": "تآكيد صلاحية الإعدادات", - "introduction": "التحقق من صحة الإعدادات الخاصة بك إذا قمت مؤخرا بإجراء بعض التغييرات وتريد التأكد من أن كل شيء على ما يرام", - "check_config": "تحقق من الإعدادات", - "valid": "الإعدادات صالحة", - "invalid": "الإعدادات غير صالحة" - }, "reloading": { - "heading": "إعادة تحديث الإعدادات", - "introduction": "يمكن تفعيل بعض الأجزاء الرئيسية لمساعد البيت دون الحاجة إلى إعادة تشغيل. الظغط على تحديث سيتم إزالة الإعدادات الحالية الخاصة وتحميل الإعدادات الجديدة.", + "automation": "إعادة تحديث التشغيل الألي", "core": "إعادة تحديث النظام الأساسي", "group": "إعادة تحديث المجموعات", - "automation": "إعادة تحديث التشغيل الألي", + "heading": "إعادة تحديث الإعدادات", + "introduction": "يمكن تفعيل بعض الأجزاء الرئيسية لمساعد البيت دون الحاجة إلى إعادة تشغيل. الظغط على تحديث سيتم إزالة الإعدادات الحالية الخاصة وتحميل الإعدادات الجديدة.", "script": "إعادة تحديث السكريبتات" }, "server_management": { @@ -354,6 +644,13 @@ "introduction": "تحكم بسيرفر Home Assistant ... من Home Assistant.", "restart": "إعادة تشغيل", "stop": "إيقاف" + }, + "validation": { + "check_config": "تحقق من الإعدادات", + "heading": "تآكيد صلاحية الإعدادات", + "introduction": "التحقق من صحة الإعدادات الخاصة بك إذا قمت مؤخرا بإجراء بعض التغييرات وتريد التأكد من أن كل شيء على ما يرام", + "invalid": "الإعدادات غير صالحة", + "valid": "الإعدادات صالحة" } } } @@ -362,333 +659,126 @@ "caption": "التخصيص", "description": "تخصيص الكيانات الخاصة بك" }, - "automation": { - "caption": "التشغيل التلقائي", - "description": "إنشاء وتحرير التشغيل الألي", - "picker": { - "header": "محرر المتحكم الآلي", - "introduction": "محرر المتحكم الآلي يسمح لك بإنشاء وتحرير المتحكمات الآلية. يرجى قراءة [الإرشادات] (https:\/\/home-assistant.io\/docs\/automation\/editor\/) للتأكد من إعدادك Home Assistant بشكل صحيح.", - "pick_automation": "أختر متحكم آلي للتعديل", - "no_automations": "لم تعثر على أي متحكم آلي قابل للتعديل", - "add_automation": "أضف متحكم آلي", - "learn_more": "معرفة المزيد عن التحكم الآلي" + "header": "برمجة نظام مساعد البيت", + "integrations": { + "caption": "تكاملات", + "config_entry": { + "delete_confirm": "هل تريد حقا حذف هذا التكامل؟", + "device_unavailable": "الجهاز غير متوفر", + "entity_unavailable": "العنصر غير متوفر", + "firmware": "نظام التشغيل {version}", + "manuf": "بواسطة {manufacturer}", + "no_area": "لا توجد منطقة", + "no_device": "عناصر بدون أجهزة", + "no_devices": "هذا التكامل لا يوجد لديه الأجهزة.", + "restart_confirm": "اعادة تشغيل هوم اسيستينت لإنهاء حذف هذه التكامل", + "via": "متصل من خلال" }, - "editor": { - "introduction": "استخدم المتحكمات الآلية لتجعل منزلك ينبض بالحياة", - "default_name": "متحكم آلي جديد", - "save": "حفظ", - "unsaved_confirm": "لديك تغييرات غير محفوظة. هل أنت متأكد من أنك تريد أن تغادر ؟", - "alias": "الاسم", - "triggers": { - "header": "المشغلات", - "introduction": "المشغلات هي ما يبدأ تشغيل قاعدة المتحكم الآلي. من الممكن تحديد مشغلات متعددة لنفس القاعدة. بمجرد بدء المشغل ، سيقوم Home Assistant بالتحقق من الشروط ، إن وجدت ، واستدعاء الإجراء. \n\n [مزيد من المعلومات حول المشغلات.] (https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", - "add": "أضف مشغل", - "duplicate": "تكرار", - "delete": "حذف", - "delete_confirm": "هل تريد الحذف فعلا؟", - "unsupported_platform": "منصة غير مدعومة: {platform}", - "type_select": "نوع المشغل", - "type": { - "event": { - "label": "الحدث", - "event_type": "نوع الحدث", - "event_data": "بيانات الحدث" - }, - "state": { - "label": "الحالة", - "from": "من", - "to": "إلى", - "for": "لـ" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "الحدث:", - "start": "بدء", - "shutdown": "إيقاف التشغيل" - }, - "mqtt": { - "label": "MQTT", - "topic": "الموضوع", - "payload": "المحتوى (إختياري)" - }, - "numeric_state": { - "label": "القيمة الرقمية", - "above": "فوق", - "below": "تحت", - "value_template": "نموذج القيمة (اختياري)" - }, - "sun": { - "label": "الشمس", - "event": "الحدث", - "sunrise": "شروق الشمس", - "sunset": "غروب الشمس", - "offset": "إزاحة (اختياري)" - }, - "template": { - "label": "نموذج", - "value_template": "نموذج القيمة" - }, - "time": { - "label": "الوقت", - "at": "عند" - }, - "zone": { - "label": "المنطقة", - "entity": "اسم الجهاز مع المنطقة", - "zone": "المنطقة", - "event": "الحدث", - "enter": "دخول", - "leave": "مغادرة" - }, - "time_pattern": { - "hours": "ساعات", - "minutes": "الدقائق", - "seconds": "ثواني" - } - }, - "learn_more": "معرفة المزيد عن المشغلات" - }, - "conditions": { - "header": "الشروط", - "introduction": "الشروط هي جزء اختياري من قواعد المتحكم الآلي ويمكن استخدامها لمنع تفعّل الإجراء بالمشغل. الشروط تبدو متشابهة جدًا مع المشغلات ولكنها مختلفة جدًا. سينظر المشغل في الأحداث التي تحدث في النظام بينما ينظر الشرط فقط إلى كيفية ظهور النظام الآن. يستطيع المشغل ملاحظة أن مفتاح التشغيل تم تشغيله. بينما الشرط يرى فقط ما إذا كان أحد المفاتيح هل هو قيد التشغيل أو الإيقاف حاليًا. \n\n [مزيد من المعلومات حول الشروط.] (https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", - "add": "إضافة شرط", - "duplicate": "تكرار", - "delete": "حذف", - "delete_confirm": "هل تريد الحذف فعلا؟", - "unsupported_condition": "شرط غير مدعوم: {condition}", - "type_select": "نوع الشرط", - "type": { - "state": { - "label": "الحالة", - "state": "الحالة" - }, - "numeric_state": { - "label": "حالة القيمة الرقمية", - "above": "فوق", - "below": "تحت", - "value_template": "نموذج القيمة (إختياري)" - }, - "sun": { - "label": "الشمس", - "before": "قبل", - "after": "بعد", - "before_offset": "تأخير الوقت (اختياري)", - "after_offset": "تقديم الوقت (اختياري)", - "sunrise": "شروق الشمس", - "sunset": "غروب الشمس" - }, - "template": { - "label": "النموذج", - "value_template": "نموذج القيمة" - }, - "time": { - "label": "وقت", - "after": "بعد", - "before": "قبل" - }, - "zone": { - "label": "المنطقة", - "entity": "الجهاز في المنطقة", - "zone": "المنطقة" - } - }, - "learn_more": "معرفة المزيد عن الشروط" - }, - "actions": { - "header": "الإجراءات", - "introduction": "الإجراءات هي ما سيفعله Home Assistant عندما يتفعّل الجهاز المُتحَكم به.\n\n [مزيد من المعلومات حول الإجراءات.] (https:\/\/home-assistant.io\/docs\/automation\/action\/)", - "add": "أضف إجراء", - "duplicate": "تكرار", - "delete": "حذف", - "delete_confirm": "هل تريد الحذف فعلا؟", - "unsupported_action": "إجراء غير مدعوم: {action}", - "type_select": "نوع الإجراء", - "type": { - "service": { - "label": "طلب خدمة", - "service_data": "بيانات الخدمة" - }, - "delay": { - "label": "التأخير", - "delay": "تأخير" - }, - "wait_template": { - "label": "الإنتظار", - "wait_template": "نموذج الانتظار", - "timeout": "الحد الأقصى (إختياري)" - }, - "condition": { - "label": "الشرط" - }, - "event": { - "label": "إجراء الحريق", - "event": "الحدث", - "service_data": "بيانات الخدمة" - } - }, - "learn_more": "معرفة المزيد عن الإجراءات" - } + "configure": "إعداد", + "configured": "تم الإعداد", + "description": "إدارة الأجهزة والخدمات المتصلة", + "discovered": "مكتشف", + "new": "إعداد تكامل جديد", + "none": "لم يتم الإعداد بعد" + }, + "introduction": "يمكنك هنا برمجة المكونات الخاصة بك و إعداد نظام مساعد البيت. ليس كل شيء متاح للبرمجة من خلال واجهة المستخدم حتى الآن، ولكننا نعمل على ذلك.", + "person": { + "detail": { + "device_tracker_pick": "اختر جهاز لتتبع" } }, "script": { "caption": "السكريبت", "description": "إنشاء و تحرير السكريبت" }, + "users": { + "add_user": { + "caption": "أضف مستخدم", + "create": "إنشاء", + "name": "الاسم", + "password": "كلمه السر", + "username": "اسم المستخدم" + }, + "caption": "المستخدمين", + "description": "ادارة المستخدمين", + "editor": { + "activate_user": "تفعيل المستخدم", + "caption": "عرض المستخدم", + "change_password": "تغيير كلمة السر", + "deactivate_user": "إلغاء تنشيط المستخدم", + "delete_user": "حذف المستخدم", + "rename_user": "إعادة تسمية المستخدم" + }, + "picker": { + "title": "المستخدمين" + } + }, + "zha": { + "services": { + "updateDeviceName": "تعيين اسم مخصص لهذا الجهاز في سجل الأجهزة." + } + }, "zwave": { "caption": "Z-Wave", "description": "إدارة شبكة Z-Wave", "node_config": { "set_config_parameter": "تعيين معلمة التكوين" } - }, - "users": { - "caption": "المستخدمين", - "description": "ادارة المستخدمين", - "picker": { - "title": "المستخدمين" + } + }, + "developer-tools": { + "tabs": { + "events": { + "title": "أحداث" }, - "editor": { - "rename_user": "إعادة تسمية المستخدم", - "change_password": "تغيير كلمة السر", - "activate_user": "تفعيل المستخدم", - "deactivate_user": "إلغاء تنشيط المستخدم", - "delete_user": "حذف المستخدم", - "caption": "عرض المستخدم" + "mqtt": { + "title": "MQTT" }, - "add_user": { - "caption": "أضف مستخدم", - "name": "الاسم", - "username": "اسم المستخدم", - "password": "كلمه السر", - "create": "إنشاء" - } - }, - "cloud": { - "caption": "كلاود هوم اسيستينت", - "description_login": "تم تسجيل الدخول كـ {email}", - "description_not_login": "لم يتم تسجيل الدخول" - }, - "integrations": { - "caption": "تكاملات", - "description": "إدارة الأجهزة والخدمات المتصلة", - "discovered": "مكتشف", - "configured": "تم الإعداد", - "new": "إعداد تكامل جديد", - "configure": "إعداد", - "none": "لم يتم الإعداد بعد", - "config_entry": { - "no_devices": "هذا التكامل لا يوجد لديه الأجهزة.", - "no_device": "عناصر بدون أجهزة", - "delete_confirm": "هل تريد حقا حذف هذا التكامل؟", - "restart_confirm": "اعادة تشغيل هوم اسيستينت لإنهاء حذف هذه التكامل", - "manuf": "بواسطة {manufacturer}", - "via": "متصل من خلال", - "firmware": "نظام التشغيل {version}", - "device_unavailable": "الجهاز غير متوفر", - "entity_unavailable": "العنصر غير متوفر", - "no_area": "لا توجد منطقة" - } - }, - "person": { - "detail": { - "device_tracker_pick": "اختر جهاز لتتبع" - } - }, - "area_registry": { - "picker": { - "no_areas": "يبدو أنه لا توجد أي مناطق معرفة!", - "create_area": "إنشاء منطقة" - } - }, - "zha": { "services": { - "updateDeviceName": "تعيين اسم مخصص لهذا الجهاز في سجل الأجهزة." - } - } - }, - "profile": { - "push_notifications": { - "header": "التنبيهات", - "description": "إرسال الإشعارات إلى هذا الجهاز", - "error_use_https": "يتطلب تمكين SSL للواجهة الأمامية.", - "push_notifications": "التنبيهات", - "link_promo": "معرفة المزيد" - }, - "language": { - "header": "اللغة", - "link_promo": "المساعدة في ترجمة", - "dropdown_label": "اللغة" - }, - "themes": { - "header": "التصميم", - "error_no_theme": "لا توجد تصاميم متاحة.", - "link_promo": "تعرف على التصاميم", - "dropdown_label": "التصميم" - }, - "refresh_tokens": { - "last_used": "آخر استخدام بتاريخ {date} من {location}", - "not_used": "لم يتم استخدامها ابدأ" - }, - "long_lived_access_tokens": { - "last_used": "آخر استخدام بتاريخ {date} من {location}", - "not_used": "لم يتم استخدامها ابدأ" - }, - "current_user": "أنت مسجّل الدخول حاليًا كـ {fullName} .", - "is_owner": "أنت مالك", - "change_password": { - "header": "تغيير كلمة السر", - "current_password": "كلمة السر الحالية", - "new_password": "كلمة السر الجديدة", - "confirm_new_password": "تأكيد كلمة السر الجديدة", - "error_required": "مطلوب", - "submit": "إرسال" - }, - "mfa": { - "header": "وحدات التحقق متعددة العوامل", - "disable": "تعطيل", - "enable": "تفعيل", - "confirm_disable": "هل تريد حقا الغاء تفعيل {name}؟" - }, - "mfa_setup": { - "title_aborted": "تم الإلغاء", - "title_success": "تم بنجاح", - "step_done": "تم التنصيب لـ {step}", - "close": "إغلاق", - "submit": "إرسال" - } - }, - "page-onboarding": { - "user": { - "error": { - "required_fields": "املأ جميع الحقول المطلوبة", - "password_not_match": "كلمة السر غير مطابقة" + "title": "الخدمات" }, - "data": { - "password_confirm": "تأكيد كلمة السر" + "states": { + "title": "الحالات" + }, + "templates": { + "title": "نماذج" } } }, + "history": { + "period": "المدة", + "showing_entries": "عرض الأحداث لـ" + }, + "logbook": { + "showing_entries": "عرض الأحداث لـ" + }, "lovelace": { "editor": { "edit_card": { - "edit": "تصحيح", "delete": "حذف", + "edit": "تصحيح", "move": "نقل" }, - "save_config": { - "cancel": "لا يهم" - }, "raw_editor": { "header": "تعديل", "save": "حفظ", - "unsaved_changes": "التغييرات غير محفوظة", - "saved": "تم الحفظ" + "saved": "تم الحفظ", + "unsaved_changes": "التغييرات غير محفوظة" + }, + "save_config": { + "cancel": "لا يهم" } }, "warning": { "entity_not_found": "الجهاز غير متوفر: {entity}" } }, + "mailbox": { + "delete_button": "حذف", + "delete_prompt": "هل تريد حذف هذه الرسالة؟", + "empty": "ليس لديك رسائل", + "playback_title": "تشغيل الرسالة" + }, "page-authorize": { "form": { "providers": { @@ -696,175 +786,85 @@ "step": { "init": { "data": { - "username": "اسم المستخدم", - "password": "كلمة السر" + "password": "كلمة السر", + "username": "اسم المستخدم" } } } } } } + }, + "page-onboarding": { + "user": { + "data": { + "password_confirm": "تأكيد كلمة السر" + }, + "error": { + "password_not_match": "كلمة السر غير مطابقة", + "required_fields": "املأ جميع الحقول المطلوبة" + } + } + }, + "profile": { + "change_password": { + "confirm_new_password": "تأكيد كلمة السر الجديدة", + "current_password": "كلمة السر الحالية", + "error_required": "مطلوب", + "header": "تغيير كلمة السر", + "new_password": "كلمة السر الجديدة", + "submit": "إرسال" + }, + "current_user": "أنت مسجّل الدخول حاليًا كـ {fullName} .", + "is_owner": "أنت مالك", + "language": { + "dropdown_label": "اللغة", + "header": "اللغة", + "link_promo": "المساعدة في ترجمة" + }, + "long_lived_access_tokens": { + "last_used": "آخر استخدام بتاريخ {date} من {location}", + "not_used": "لم يتم استخدامها ابدأ" + }, + "mfa_setup": { + "close": "إغلاق", + "step_done": "تم التنصيب لـ {step}", + "submit": "إرسال", + "title_aborted": "تم الإلغاء", + "title_success": "تم بنجاح" + }, + "mfa": { + "confirm_disable": "هل تريد حقا الغاء تفعيل {name}؟", + "disable": "تعطيل", + "enable": "تفعيل", + "header": "وحدات التحقق متعددة العوامل" + }, + "push_notifications": { + "description": "إرسال الإشعارات إلى هذا الجهاز", + "error_use_https": "يتطلب تمكين SSL للواجهة الأمامية.", + "header": "التنبيهات", + "link_promo": "معرفة المزيد", + "push_notifications": "التنبيهات" + }, + "refresh_tokens": { + "last_used": "آخر استخدام بتاريخ {date} من {location}", + "not_used": "لم يتم استخدامها ابدأ" + }, + "themes": { + "dropdown_label": "التصميم", + "error_no_theme": "لا توجد تصاميم متاحة.", + "header": "التصميم", + "link_promo": "تعرف على التصاميم" + } + }, + "shopping-list": { + "add_item": "أضف عنصر", + "clear_completed": "تم المسح", + "microphone_tip": "اضغط على الميكروفون في أعلى اليمين وقل \"Add candy to my shopping list\"" } }, "sidebar": { "log_out": "تسجيل الخروج" - }, - "common": { - "loading": "جار التحميل", - "cancel": "إلغاء" - }, - "duration": { - "day": "{count} {count, plural,\none {يوم}\nother {أيام}\n}", - "week": "{count} {count, plural,\none {أسبوع}\nother {أسابيع}\n}", - "second": "{count} {count, plural,\none {ثانية}\nother {ثواني}\n}" - }, - "login-form": { - "password": "كلمه السر", - "remember": "تذكر", - "log_in": "تسجيل الدخول" - }, - "card": { - "camera": { - "not_available": "الصورة غير متاحة" - }, - "persistent_notification": { - "dismiss": "رفض" - }, - "fan": { - "speed": "Snelheid", - "direction": "Richting" - }, - "light": { - "brightness": "Helderheid", - "color_temperature": "Kleurtemperatuur", - "white_value": "Witwaarde" - }, - "media_player": { - "text_to_speak": "النص للتحدث", - "source": "المصدر", - "sound_mode": "وضع الصوت" - }, - "climate": { - "currently": "حاليا", - "on_off": "إيقاف\/تشغيل", - "target_temperature": "درجة الحرارة المستهدفة", - "target_humidity": "Doelluchtvochtigheid", - "fan_mode": "وضع المروحة", - "away_mode": "خارج المنزل" - }, - "lock": { - "lock": "قفل", - "unlock": "فتح" - }, - "vacuum": { - "actions": { - "resume_cleaning": "استئناف التنظيف", - "return_to_base": "العودة", - "start_cleaning": "بدء تنظيف", - "turn_on": "تشغيل", - "turn_off": "إيقاف" - } - }, - "water_heater": { - "currently": "حاليا", - "on_off": "إيقاف\/تشغيل", - "target_temperature": "درجة الحرارة المستهدفة", - "operation": "تشغيل", - "away_mode": "حالة خارج المنزل" - }, - "alarm_control_panel": { - "arm_custom_bypass": "تجاوز مخصص" - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "الجهاز" - } - }, - "service-picker": { - "service": "خدمة" - }, - "relative_time": { - "never": "Nooit" - } - }, - "dialogs": { - "more_info_settings": { - "save": "حفظ", - "name": "الاسم", - "entity_id": "الكيان ID" - }, - "more_info_control": { - "sun": { - "setting": "ضبط" - } - } - }, - "auth_store": { - "ask": "هل تريد حفظ هذا الدخول؟", - "decline": "لا شكرا", - "confirm": "حفظ الدخول" } - }, - "domain": { - "alarm_control_panel": "لوحة تحكم الإنذار", - "automation": "التشغيل التلقائي", - "binary_sensor": "جهاز استشعار ثنائي", - "calendar": "التقويم", - "camera": "كاميرا", - "climate": "الطقس", - "configurator": "الإعدادات", - "conversation": "محادثة", - "cover": "ستار", - "device_tracker": "تعقب الجهاز", - "fan": "مروحة", - "history_graph": "رسم بياني", - "group": "مجموعة", - "image_processing": "معالجة الصور", - "input_boolean": "مدخل بوليني", - "input_datetime": "خانة التاريخ والوقت", - "input_select": "لائحة إختيار", - "input_number": "خانة الأرقام", - "input_text": "خانة بيانات", - "light": "الضوء", - "lock": "قفل", - "mailbox": "البريد", - "media_player": "مشغل الموسيقى", - "notify": "إشعار", - "plant": "نبتة", - "proximity": "قرب", - "remote": "تحكم عن بعد", - "scene": "مشهد", - "script": "نص آلي", - "sensor": "أجهزة الاستشعار", - "sun": "الشمس", - "switch": "مفتاح", - "updater": "تحديث", - "weblink": "Weblink", - "zwave": "Z-Wave", - "vacuum": "مكنسة كهرباء", - "person": "شخص" - }, - "attribute": { - "weather": { - "humidity": "الرطوبة", - "visibility": "الرؤية", - "wind_speed": "سرعة الرياح" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "مطفأ", - "on": "مفعل", - "auto": "آلي" - } - } - }, - "groups": { - "system-admin": "مسؤولين", - "system-users": "مستخدمين", - "system-read-only": "مستخدمين للعرض فقط" } } \ No newline at end of file diff --git a/translations/bg.json b/translations/bg.json index 5dd5e395a5..4e5f667e73 100644 --- a/translations/bg.json +++ b/translations/bg.json @@ -1,53 +1,193 @@ { - "panel": { - "config": "Конфигурация", - "states": "Състояние", - "map": "Карта", - "logbook": "Дневник", - "history": "История", + "attribute": { + "weather": { + "humidity": "Влажност", + "visibility": "Видимост", + "wind_speed": "Скорост на вятъра" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Конфигурационен запис", + "integration": "Интеграция", + "user": "Потребител" + } + }, + "domain": { + "alarm_control_panel": "Контрол на аларма", + "automation": "Автоматизация", + "binary_sensor": "Двоичен сензор", + "calendar": "Календар", + "camera": "Камера", + "climate": "Климат", + "configurator": "Конфигуратор", + "conversation": "Разговор", + "cover": "Параван", + "device_tracker": "Проследяване на устройства", + "fan": "Вентилатор", + "group": "Група", + "hassio": "Hass.io", + "history_graph": "Хронологична графика", + "homeassistant": "Home Assistant", + "image_processing": "Обработка на изображениe", + "input_boolean": "Булеви промеливи", + "input_datetime": "Въвеждане на дата и час", + "input_number": "Въвеждане на число", + "input_select": "Избор", + "input_text": "Въвеждане на текст", + "light": "Осветление", + "lock": "Ключалка", + "lovelace": "Lovelace", "mailbox": "Пощенска кутия", - "shopping_list": "Списък за пазаруване", + "media_player": "Медиен плейър", + "notify": "Известяване", + "person": "Човек", + "plant": "Растение", + "proximity": "Близост", + "remote": "Дистанционно", + "scene": "Сцена", + "script": "Скрипт", + "sensor": "Сензор", + "sun": "Слънце", + "switch": "Ключ", + "system_health": "Здраве на системата", + "updater": "Обновяване", + "vacuum": "Прахосмукачка", + "weblink": "Уеб връзка", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Администратори", + "system-read-only": "Потребители с достъп само за четене", + "system-users": "Потребители" + }, + "panel": { + "calendar": "Календар", + "config": "Конфигурация", "dev-info": "Информация", "developer_tools": "Инструменти за разработчици", - "calendar": "Календар", - "profile": "Профил" + "history": "История", + "logbook": "Дневник", + "mailbox": "Пощенска кутия", + "map": "Карта", + "profile": "Профил", + "shopping_list": "Списък за пазаруване", + "states": "Състояние" }, - "state": { - "default": { - "off": "Изключен", - "on": "Включен", - "unknown": "Неизвестно", - "unavailable": "Недостъпен" - }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Автоматичен", + "off": "Изключен", + "on": "Включен" + }, + "hvac_action": { + "cooling": "Охлаждане", + "drying": "Изсушаване", + "fan": "Вентилатор", + "heating": "Отопление", + "idle": "Неработещ", + "off": "Изключен" + }, + "preset_mode": { + "activity": "Дейност", + "away": "Отсъства", + "boost": "Ускорен", + "comfort": "Комфорт", + "eco": "Еко", + "home": "Вкъщи", + "none": "Без", + "sleep": "Сън" + } + } + }, + "state_badge": { "alarm_control_panel": { "armed": "Под охрана", - "disarmed": "Деактивирана", - "armed_home": "Под охрана - вкъщи", "armed_away": "Под охрана", - "armed_night": "Под охрана - нощ", - "pending": "В очакване", + "armed_custom_bypass": "Под охрана", + "armed_home": "Под охрана", + "armed_night": "Под охрана", "arming": "Активиране", + "disarmed": "Деактивирана", + "disarming": "Деактивирaне", + "pending": "Изчаква", + "triggered": "Задействана" + }, + "default": { + "entity_not_found": "Обектът не е намерен", + "error": "Грешка", + "unavailable": "Недост", + "unknown": "Неизвестно" + }, + "device_tracker": { + "home": "Вкъщи", + "not_home": "Отсъства" + }, + "person": { + "home": "Вкъщи", + "not_home": "Отсъства" + } + }, + "state": { + "alarm_control_panel": { + "armed": "Под охрана", + "armed_away": "Под охрана", + "armed_custom_bypass": "Под охрана", + "armed_home": "Под охрана - вкъщи", + "armed_night": "Под охрана - нощ", + "arming": "Активиране", + "disarmed": "Деактивирана", "disarming": "Деактивиране", - "triggered": "Задействан", - "armed_custom_bypass": "Под охрана" + "pending": "В очакване", + "triggered": "Задействан" }, "automation": { "off": "Изключен", "on": "Включен" }, "binary_sensor": { + "battery": { + "off": "Нормална", + "on": "Изтощена" + }, + "cold": { + "off": "Нормално", + "on": "Студено" + }, + "connectivity": { + "off": "Изключен", + "on": "Свързан" + }, "default": { "off": "Изключен", "on": "Включен" }, - "moisture": { - "off": "Сух", - "on": "Мокър" + "door": { + "off": "Затворена", + "on": "Отворена" + }, + "garage_door": { + "off": "Затворена", + "on": "Отворена" }, "gas": { "off": "Чисто", "on": "Регистриран" }, + "heat": { + "off": "Нормално", + "on": "Горещо" + }, + "lock": { + "off": "Заключено", + "on": "Отключено" + }, + "moisture": { + "off": "Сух", + "on": "Мокър" + }, "motion": { "off": "Без движение", "on": "Движение" @@ -56,6 +196,22 @@ "off": "Чисто", "on": "Регистриран" }, + "opening": { + "off": "Затворен", + "on": "Отворен" + }, + "presence": { + "off": "Отсъства", + "on": "Вкъщи" + }, + "problem": { + "off": "ОК", + "on": "Проблем" + }, + "safety": { + "off": "Безопасен", + "on": "Опасност" + }, "smoke": { "off": "Чисто", "on": "Регистриран" @@ -68,53 +224,9 @@ "off": "Чисто", "on": "Регистрирана" }, - "opening": { - "off": "Затворен", - "on": "Отворен" - }, - "safety": { - "off": "Безопасен", - "on": "Опасност" - }, - "presence": { - "off": "Отсъства", - "on": "Вкъщи" - }, - "battery": { - "off": "Нормална", - "on": "Изтощена" - }, - "problem": { - "off": "ОК", - "on": "Проблем" - }, - "connectivity": { - "off": "Изключен", - "on": "Свързан" - }, - "cold": { - "off": "Нормално", - "on": "Студено" - }, - "door": { - "off": "Затворена", - "on": "Отворена" - }, - "garage_door": { - "off": "Затворена", - "on": "Отворена" - }, - "heat": { - "off": "Нормално", - "on": "Горещо" - }, "window": { "off": "Затворен", "on": "Отворен" - }, - "lock": { - "off": "Заключено", - "on": "Отключено" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "Включен" }, "camera": { + "idle": "Не записва", "recording": "Записване", - "streaming": "Предава", - "idle": "Не записва" + "streaming": "Предава" }, "climate": { - "off": "Изключен", - "on": "Включен", - "heat": "Отопление", - "cool": "Охлаждане", - "idle": "Неработещ", "auto": "Автоматичен", + "cool": "Охлаждане", "dry": "Сух", - "fan_only": "Само вентилатор", "eco": "Еко", "electric": "Електрически", - "performance": "Производителност", - "high_demand": "Високо натоварване", - "heat_pump": "Термопомпа", + "fan_only": "Само вентилатор", "gas": "Газ", + "heat": "Отопление", + "heat_cool": "Отопление\/Охлаждане", + "heat_pump": "Термопомпа", + "high_demand": "Високо натоварване", + "idle": "Неработещ", "manual": "Ръчен режим", - "heat_cool": "Отопление\/Охлаждане" + "off": "Изключен", + "on": "Включен", + "performance": "Производителност" }, "configurator": { "configure": "Настройване", "configured": "Настроен" }, "cover": { - "open": "Отворена", - "opening": "Отваряне", "closed": "Затворена", "closing": "Затваряне", + "open": "Отворена", + "opening": "Отваряне", "stopped": "Спряна" }, + "default": { + "off": "Изключен", + "on": "Включен", + "unavailable": "Недостъпен", + "unknown": "Неизвестно" + }, "device_tracker": { "home": "Вкъщи", "not_home": "Отсъства" @@ -164,19 +282,19 @@ "on": "Включен" }, "group": { - "off": "Изключен", - "on": "Включена", - "home": "Вкъщи", - "not_home": "Отсъства", - "open": "Отворена", - "opening": "Отваряне", "closed": "Затворена", "closing": "Затваряне", - "stopped": "Спряна", + "home": "Вкъщи", "locked": "Заключена", - "unlocked": "Отключена", + "not_home": "Отсъства", + "off": "Изключен", "ok": "Добре", - "problem": "Проблем" + "on": "Включена", + "open": "Отворена", + "opening": "Отваряне", + "problem": "Проблем", + "stopped": "Спряна", + "unlocked": "Отключена" }, "input_boolean": { "off": "Изключен", @@ -191,13 +309,17 @@ "unlocked": "Отключен" }, "media_player": { + "idle": "Неработещ", "off": "Изключен", "on": "Включен", - "playing": "Възпроизвеждане", "paused": "В пауза", - "idle": "Неработещ", + "playing": "Възпроизвеждане", "standby": "Режим на готовност" }, + "person": { + "home": "Вкъщи", + "not_home": "Отсъства" + }, "plant": { "ok": "Добре", "problem": "Проблем" @@ -225,34 +347,10 @@ "off": "Изключен", "on": "Включен" }, - "zwave": { - "default": { - "initializing": "Инициализация", - "dead": "Мъртъв", - "sleeping": "Спящ", - "ready": "Готов" - }, - "query_stage": { - "initializing": "Инициализация ( {query_stage} )", - "dead": "Мъртъв ({query_stage})" - } - }, - "weather": { - "clear-night": "Ясно, нощ", - "cloudy": "Облачно", - "fog": "Мъгла", - "hail": "Градушка", - "lightning": "Светкавица", - "lightning-rainy": "Светкавица, дъждовно", - "partlycloudy": "Частична облачност", - "pouring": "Обилен дъжд", - "rainy": "Дъждовно", - "snowy": "Снежно", - "snowy-rainy": "Снежно, дъждовно", - "sunny": "Слънчево", - "windy": "Ветровито", - "windy-variant": "Ветровито", - "exceptional": "Изключително" + "timer": { + "active": "активен", + "idle": "неработещ", + "paused": "в пауза" }, "vacuum": { "cleaning": "Почистване", @@ -264,923 +362,99 @@ "paused": "Пауза", "returning": "Връщане в базовата станция" }, - "timer": { - "active": "активен", - "idle": "неработещ", - "paused": "в пауза" + "weather": { + "clear-night": "Ясно, нощ", + "cloudy": "Облачно", + "exceptional": "Изключително", + "fog": "Мъгла", + "hail": "Градушка", + "lightning": "Светкавица", + "lightning-rainy": "Светкавица, дъждовно", + "partlycloudy": "Частична облачност", + "pouring": "Обилен дъжд", + "rainy": "Дъждовно", + "snowy": "Снежно", + "snowy-rainy": "Снежно, дъждовно", + "sunny": "Слънчево", + "windy": "Ветровито", + "windy-variant": "Ветровито" }, - "person": { - "home": "Вкъщи", - "not_home": "Отсъства" - } - }, - "state_badge": { - "default": { - "unknown": "Неизвестно", - "unavailable": "Недост", - "error": "Грешка", - "entity_not_found": "Обектът не е намерен" - }, - "alarm_control_panel": { - "armed": "Под охрана", - "disarmed": "Деактивирана", - "armed_home": "Под охрана", - "armed_away": "Под охрана", - "armed_night": "Под охрана", - "pending": "Изчаква", - "arming": "Активиране", - "disarming": "Деактивирaне", - "triggered": "Задействана", - "armed_custom_bypass": "Под охрана" - }, - "device_tracker": { - "home": "Вкъщи", - "not_home": "Отсъства" - }, - "person": { - "home": "Вкъщи", - "not_home": "Отсъства" + "zwave": { + "default": { + "dead": "Мъртъв", + "initializing": "Инициализация", + "ready": "Готов", + "sleeping": "Спящ" + }, + "query_stage": { + "dead": "Мъртъв ({query_stage})", + "initializing": "Инициализация ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Изчистването завършено", - "add_item": "Добави артикул", - "microphone_tip": "Докоснете микрофона горе вдясно и кажете \"Add candy to my shopping list\"" - }, - "developer-tools": { - "tabs": { - "services": { - "title": "Услуги" - }, - "states": { - "title": "Състояния" - }, - "events": { - "title": "Събития" - }, - "templates": { - "title": "Шаблони" - }, - "mqtt": { - "title": "MQTT" - }, - "info": { - "title": "Информация" - }, - "logs": { - "title": "Журнали" - } - } - }, - "history": { - "showing_entries": "Показване на записите за", - "period": "Период" - }, - "logbook": { - "showing_entries": "Показване на записите за", - "period": "Период" - }, - "mailbox": { - "empty": "Нямате съобщения", - "playback_title": "Възпроизвеждане на съобщение", - "delete_prompt": "Изтриване на това съобщение?", - "delete_button": "Изтриване" - }, - "config": { - "header": "Конфигуриране на Home Assistant", - "introduction": "Тук е възможно да конфигурирате Вашите компоненти и Home Assistant. Не всичко е възможно да се конфигурира от Интерфейса, но работим по върпоса.", - "core": { - "caption": "Общи", - "description": "Проверка на конфигурацията и управление на сървъра", - "section": { - "core": { - "header": "Конфигуриране и управление на сървъра", - "introduction": "Промяната на конфигурацията може да бъде труден процес. Знаем това. Този раздел ще се опита да направи живота Ви малко по-лесен.", - "core_config": { - "edit_requires_storage": "Редакторът е деактивиран, защото конфигурацията е съхранена в configuration.yaml.", - "location_name": "Име на Вашия Home Assistant", - "latitude": "Географска ширина", - "longitude": "Географска дължина", - "elevation": "Надморска височина", - "elevation_meters": "метра", - "time_zone": "Часова зона", - "unit_system": "Система единици", - "unit_system_imperial": "Имперски единици", - "unit_system_metric": "Метрични единици", - "imperial_example": "Фаренхайт, паунд", - "metric_example": "Целзий, килограми", - "save_button": "Запази" - } - }, - "server_control": { - "validation": { - "heading": "Проверка на конфигурацията", - "introduction": "Проверете конфигурацията, ако скоро сте направили промени и искате да се уверите, че всичко работи", - "check_config": "Проверка на конфигурацията", - "valid": "Валидна конфигурация!", - "invalid": "Невалидна конфигурация" - }, - "reloading": { - "heading": "Презареждане на конфигурацията", - "introduction": "Някои части от Home Assistant могат да се презаредят без да е необходимо рестартиране. Натискането на Презареди ще зареди новата конфигурация.", - "core": "Презареждане на ядрото", - "group": "Презареждане на групи", - "automation": "Презареждане на автоматизациите", - "script": "Презареждане на скриптовете" - }, - "server_management": { - "heading": "Управление на сървъра", - "introduction": "Управление на Home Assistant сървъра... от Home Assistant.", - "restart": "Рестарт", - "stop": "Спиране" - } - } - } - }, - "customize": { - "caption": "Персонализиране", - "description": "Персонализирайте Вашите обекти", - "picker": { - "header": "Персонализиране", - "introduction": "Настройте атрибутите за всеки обект. Добавени\/редактирани персонализации ще имат ефект, когато обектът бъде опреснен." - } - }, - "automation": { - "caption": "Автоматизация", - "description": "Създаване и редактиране на автоматизации", - "picker": { - "header": "Редактор на автоматизации", - "introduction": "Редакторът на автоматизации позволява да създавате и редактирате автоматизации. Моля, последвайте препратката по-долу за да прочетете инструкциите за да се уверите, че Home Assistant е правилно конфигуриран.", - "pick_automation": "Изберете автоматизация за редактиране", - "no_automations": "Не можахме да намерим никакви автоматизации подлежащи на редакция", - "add_automation": "Добавяне на автоматизация", - "learn_more": "Научете повече за автоматизациите" - }, - "editor": { - "introduction": "Използвайте автоматизации, за да съживите дома си", - "default_name": "Нова автоматизация", - "save": "Запазване", - "unsaved_confirm": "Имате незапазени промени. Сигурни ли сте, че искате да напуснете?", - "alias": "Име", - "triggers": { - "header": "Тригери", - "introduction": "Тригерите са това, което стартира обработката на правило за автоматизация. Възможно е да се зададат множество тригери за едно и също правило. След като тригера стартира, Home Assistant ще провери условията, ако има такива, и ще стартира действието.", - "add": "Добавяне на тригер", - "duplicate": "Копиране", - "delete": "Изтриване", - "delete_confirm": "Сигурни ли сте, че искате да изтриете?", - "unsupported_platform": "Неподдържана платформа: {platform}", - "type_select": "Тип на тригера", - "type": { - "event": { - "label": "Събитие", - "event_type": "Тип на събитието", - "event_data": "Данни на събитието" - }, - "state": { - "label": "Състояние", - "from": "От", - "to": "Във", - "for": "За период от" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Събитие", - "start": "Стартиране", - "shutdown": "Изключване" - }, - "mqtt": { - "label": "MQTT", - "topic": "Тема", - "payload": "Съобщение (незадължително)" - }, - "numeric_state": { - "label": "Състояние на число", - "above": "Над", - "below": "Под", - "value_template": "Шаблон за стойност (незадължително)" - }, - "sun": { - "label": "Слънце", - "event": "Събитие", - "sunrise": "Изгрев", - "sunset": "Залез", - "offset": "Офсет (незадължително)" - }, - "template": { - "label": "Шаблон", - "value_template": "Шаблон за стойност" - }, - "time": { - "label": "Време", - "at": "В" - }, - "zone": { - "label": "Зона", - "entity": "Обект с местоположение", - "zone": "Зона", - "event": "Събитие", - "enter": "Влизане", - "leave": "Излизане" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook идентификатор" - }, - "time_pattern": { - "label": "Времеви шаблон", - "hours": "Часове", - "minutes": "Минути", - "seconds": "Секунди" - }, - "geo_location": { - "label": "Местоположение", - "source": "Източник", - "zone": "Зона", - "event": "Събитие:", - "enter": "Влизане", - "leave": "Излизане" - }, - "device": { - "label": "Устройство" - } - }, - "learn_more": "Научете повече за тригерите" - }, - "conditions": { - "header": "Условия", - "introduction": "Условията са незадължителна част от правилото за автоматизация и могат да се използват, за да се предотврати настъпването на действие, когато се задейства тригера. Условията изглеждат много близки до тригерите, но са много различни. Тригерът ще разглежда събитията, случващи се в системата, докато условието разглежда само как системата изглежда в момента. Тригера може да наблюдава включването на ключ. Условието може само да види дали ключ е включен или изключен в момента.", - "add": "Добавяне на условие", - "duplicate": "Копиране", - "delete": "Изтриване", - "delete_confirm": "Сигурни ли сте, че искате да изтриете?", - "unsupported_condition": "Неподдържано условие: {condition}", - "type_select": "Тип на условие", - "type": { - "state": { - "label": "Състояние", - "state": "Състояние" - }, - "numeric_state": { - "label": "Състояние на число", - "above": "Над", - "below": "Под", - "value_template": "Шаблон за стойност (незадължително)" - }, - "sun": { - "label": "Слънце", - "before": "Преди:", - "after": "След:", - "before_offset": "Отместване преди (незадължително)", - "after_offset": "Отместване след (незадължително)", - "sunrise": "Изгрев", - "sunset": "Залез" - }, - "template": { - "label": "Шаблон", - "value_template": "Шаблон за стойност" - }, - "time": { - "label": "Време", - "after": "След", - "before": "Преди" - }, - "zone": { - "label": "Зона", - "entity": "Обект с местоположение", - "zone": "Зона" - }, - "device": { - "label": "Устройство" - } - }, - "learn_more": "Научете повече за условията" - }, - "actions": { - "header": "Действия", - "introduction": "Действията са това, което Home Assistant ще направи, когато се активира автоматизацията.", - "add": "Добавяне на действие", - "duplicate": "Копиране", - "delete": "Изтриване", - "delete_confirm": "Сигурни ли сте, че искате да изтриете?", - "unsupported_action": "Неподдържано действие: {action}", - "type_select": "Тип действие", - "type": { - "service": { - "label": "Извикване на услуга", - "service_data": "Данни за услугата" - }, - "delay": { - "label": "Забавяне", - "delay": "Забавяне" - }, - "wait_template": { - "label": "Изчакване", - "wait_template": "Шаблон за изчакване", - "timeout": "Изчакване (по избор)" - }, - "condition": { - "label": "Състояние" - }, - "event": { - "label": "Стартирай събитие", - "event": "Събитие", - "service_data": "Сервизна информация" - }, - "device_id": { - "label": "Устройство" - } - }, - "learn_more": "Научете повече за действията" - }, - "load_error_not_editable": "Само автоматизации от automations.yaml могат да се редактират.", - "load_error_unknown": "Грешка при зареждане на автоматизация ({еrr_no})." - } - }, - "script": { - "caption": "Скрипт", - "description": "Създаване и редактиране на скриптове" - }, - "zwave": { - "caption": "Z-Wave", - "description": "Управлявайте своята Z-Wave мрежа", - "network_management": { - "header": "Управление на Z-Wave мрежата", - "introduction": "Изпълнение на команди, които засягат Z-Wave мрежата. Няма да получите обратна информация за това дали повечето команди са успели, но можете да проверите OZW лог файла, за да се опитате да разберете." - }, - "network_status": { - "network_stopped": "Z-Wave мрежата е спряна", - "network_starting": "Стартиране на Z-Wave мрежа...", - "network_starting_note": "Това може да отнеме известно време в зависимост от размера на мрежата Ви.", - "network_started": "Z-Wave мрежата е стартирана", - "network_started_note_some_queried": "Будните устройства бяха разпитани. Спящите устройства ще бъдат разпитани, когато са на линия.", - "network_started_note_all_queried": "Всички устройства бяха разпитани." - }, - "services": { - "start_network": "Стартиране на мрежата", - "stop_network": "Спиране на мрежата", - "heal_network": "Оздравяване на мрежата", - "test_network": "Тестване на мрежата", - "soft_reset": "Soft Reset", - "save_config": "Запазване на конфигурацията", - "add_node_secure": "Добавяне на криптирано устройство", - "add_node": "Добавяне на устройство", - "remove_node": "Премахване на устройство", - "cancel_command": "Отмени командата" - }, - "common": { - "value": "Стойност", - "instance": "Устройство", - "index": "Индекс", - "unknown": "неизвестно", - "wakeup_interval": "Интервал за събуждане" - }, - "values": { - "header": "Стойности на устройсто" - }, - "node_config": { - "header": "Конфигурационни опции на устройството", - "seconds": "секунди", - "set_wakeup": "Настрой интервал за събуждане", - "config_parameter": "Конфигурационен параметър", - "config_value": "Конфигурационна стойност", - "true": "Вярно", - "false": "Невярно", - "set_config_parameter": "Задайте параметър Config" - } - }, - "users": { - "caption": "Потребители", - "description": "Управление на потребителите", - "picker": { - "title": "Потребители" - }, - "editor": { - "rename_user": "Преименуване на потребител", - "change_password": "Смяна на парола", - "activate_user": "Активиране на потребител", - "deactivate_user": "Деактивиране на потребителя", - "delete_user": "Изтриване на потребител", - "caption": "Преглед на потребителя" - }, - "add_user": { - "caption": "Добавяне на потребител", - "name": "Име", - "username": "Потребителско име", - "password": "Парола", - "create": "Създаване" - } - }, - "cloud": { - "caption": "Home Assistant Cloud", - "description_login": "Влезли сте като {email}", - "description_not_login": "Не сте влезли", - "description_features": "Контролирайте дома си, и когато не сте вкъщи, активирайте интегрирациите с Alexa и Google Assistant." - }, - "integrations": { - "caption": "Интеграции", - "description": "Управление на свързани устройства и услуги", - "discovered": "Открити", - "configured": "Конфигуриран", - "new": "Настройте нова интеграция", - "configure": "Конфигуриране", - "none": "Нищо не е конфигурирано към момента", - "config_entry": { - "no_devices": "Тази интеграция няма устройства.", - "no_device": "Обекти без устройства", - "delete_confirm": "Сигурни ли сте, че искате да изтриете интеграцията?", - "restart_confirm": "Рестартирайте Home Assistant за да завършите премахването на интеграцията", - "manuf": "от {manufacturer}", - "via": "Свързан чрез", - "firmware": "Фърмуер: {version}", - "device_unavailable": "недостъпно устройство", - "entity_unavailable": "недостъпен", - "no_area": "Без област", - "hub": "Свързан чрез" - }, - "config_flow": { - "external_step": { - "description": "Завършването на тази стъпка изисква да посетите външен уебсайт.", - "open_site": "Отваряне на уеб сайт" - } - } - }, - "zha": { - "caption": "ZHA", - "description": "Управление на Zigbee мрежата за домашна автоматизация", - "services": { - "reconfigure": "Преконфигурирайте ZHA устройство (оздравяване на устройство). Използвайте това, ако имате проблеми с устройството. Ако въпросното устройство е захранвано с батерии, моля, уверете се, че е будно и приема команди, когато използвате тази услуга.", - "updateDeviceName": "Задайте персонализирано име за това устройство в регистъра на устройствата.", - "remove": "Премахване на устройство от Zigbee мрежата." - }, - "device_card": { - "device_name_placeholder": "Име, зададено от потребителя", - "area_picker_label": "Област", - "update_name_button": "Актуализиране на името" - }, - "add_device_page": { - "header": "Zigbee Home Automation - Добавяне на устройства", - "spinner": "Търсене на ZHA Zigbee устройства...", - "discovery_text": "Откритите устройства ще се покажат тук. Следвайте инструкциите за вашето устройство(а) и поставете устройствата в режим на сдвояване." - } - }, - "area_registry": { - "caption": "Регистър на областите", - "description": "Преглед на всички области във Вашия дом.", - "picker": { - "header": "Регистър на областите", - "introduction": "Областите се използват за организиране на местоположението на устройствата. Тази информация ще се използва в Home Assistant, за да ви помогне при организирането на Вашия интерфейс, права за достъп и интеграции с други системи.", - "introduction2": "За да поставите устройства в дадена област, използвайте връзката по-долу, за да отидете на страницата за интеграции, след което кликнете върху конфигурирана интеграция, за да видите картите на устройството.", - "integrations_page": "Интеграции", - "no_areas": "Изглежда, че все още нямате области!", - "create_area": "СЪЗДАВАНЕ НА ОБЛАСТ" - }, - "no_areas": "Изглежда, че все още нямате области!", - "create_area": "СЪЗДАВАНЕ НА ОБЛАСТ", - "editor": { - "default_name": "Нова област", - "delete": "ИЗТРИВАНЕ", - "update": "АКТУАЛИЗАЦИЯ", - "create": "СЪЗДАВАНЕ" - } - }, - "entity_registry": { - "caption": "Регистър на обектите", - "description": "Преглед на всички известни обекти.", - "picker": { - "header": "Регистър на обектите", - "unavailable": "(недостъпен)", - "introduction": "Home Assistant поддържа регистър на всички обекти, които някога е виждал, които могат да бъдат идентифицирани уникално. Всеки от тези обекти ще има идентификатор на обект, който ще бъде резервиран само за този обект.", - "introduction2": "Използвайте регистъра на обектите, за да промените името, идентификатора на обекта или да премахнете записа от Home Assistant. Моля имайте на предвид, че премахването на записа от регистъра на обектите няма да премахне обекта. За да направите това, следвайте препратката по-долу и я премахнете от страницата за интеграции.", - "integrations_page": "Интеграции" - }, - "editor": { - "unavailable": "Този обект не е достъпeн към момента.", - "default_name": "Нова област", - "delete": "ИЗТРИВАНЕ", - "update": "АКТУАЛИЗАЦИЯ", - "enabled_label": "Активирай обекта", - "enabled_cause": "Изключено от {cause}", - "enabled_description": "Изключените обекти няма да бъдат добавени в Home Assistant." - } - }, - "person": { - "caption": "Хора", - "description": "Управлявайте хората, които следите от Home Assistant.", - "detail": { - "name": "Име", - "device_tracker_intro": "Изберете устройствата, които принадлежат на това лице.", - "device_tracker_picked": "Устройство за проследяване", - "device_tracker_pick": "Изберете устройство за проследяване" - } - }, - "server_control": { - "caption": "Управление на сървъра", - "description": "Рестартиране и спиране на Home Assistant сървъра", - "section": { - "validation": { - "heading": "Проверка на конфигурацията", - "introduction": "Проверете конфигурацията, ако скоро сте направили промени и искате да се уверите, че всичко работи", - "check_config": "Проверка на конфигурацията", - "valid": "Валидна конфигурация!", - "invalid": "Невалидна конфигурация" - }, - "reloading": { - "heading": "Презареждане на конфигурацията", - "introduction": "Някои части от Home Assistant могат да се презаредят без да е необходимо рестартиране. Натискането на Презареди ще отхвърли настоящата конфигурация и ще зареди новата конфигурация.", - "core": "Презареждане на ядрото", - "group": "Презареждане на гурпите", - "automation": "Презареждане на автоматизациите", - "script": "Презареждане на скриптовете", - "scene": "Презареди сцените" - }, - "server_management": { - "heading": "Управление на сървъра", - "introduction": "Управляване на Home Assistant сървъра... от Home Assistant.", - "restart": "Рестартирай", - "stop": "Спри", - "confirm_restart": "Сигурни ли сте, че искате да рестартирате Home Assistant?", - "confirm_stop": "Сигурни ли сте, че искате да спрете Home Assistant?" - } - } - }, - "devices": { - "caption": "Устройства", - "description": "Управление на свързани устройства" - } - }, - "profile": { - "push_notifications": { - "header": "Известия", - "description": "Изпращане на известия до това устройство.", - "error_load_platform": "Конфигуриране на notify.html5.", - "error_use_https": "Изисква наличен SSL за уеб-интерфейса.", - "push_notifications": "Известия", - "link_promo": "Научете повече" - }, - "language": { - "header": "Език", - "link_promo": "Помогнете за превода", - "dropdown_label": "Език" - }, - "themes": { - "header": "Тема", - "error_no_theme": "Няма налични теми.", - "link_promo": "Научете повече за темите", - "dropdown_label": "Тема" - }, - "refresh_tokens": { - "header": "Кодове за опресняване", - "description": "Всеки код за опресняване представлява оторизирана сесия. Кодовете за опресняване се премахват, когато натиснете \"Изход\". Следните кодове за опресняване са активни във Вашия акаунт.", - "token_title": "Код за опресняване за {clientId}", - "created_at": "Създаден на {date}", - "confirm_delete": "Сигурни ли сте, че искате да изтриете кода за опресняване за {name}?", - "delete_failed": "Възникна грешка при изтриването на кода за опресняване.", - "last_used": "Последно използван на {date} от {location}", - "not_used": "Никога не е бил използван", - "current_token_tooltip": "Не може да се изтрие текущия код за опресняване" - }, - "long_lived_access_tokens": { - "header": "Дългосрочни кодове за достъп", - "description": "Създайте дългосрочни кодове за достъп за да могат скриптовете Ви да взаимодействат с Home Assistant. Всеки код е валиден за 10 години от създаването си. Следните дългосрочни кодове са активни в момента.", - "learn_auth_requests": "Научете се как да правите оторизирани заявки.", - "created_at": "Създаден на {date}", - "confirm_delete": "Сигурни ли сте, че искате да изтриете кода за достъп за {name}?", - "delete_failed": "Възникна грешка при изтриването на кода за достъп.", - "create": "Създай код", - "create_failed": "Възникна грешка при създаването на код за достъп.", - "prompt_name": "Име?", - "prompt_copy_token": "Копирайте кода си за достъп. Той няма да бъде показан отново.", - "empty_state": "Все още нямате дългосрочни кодове за достъп.", - "last_used": "Последно използван на {date} от {location}", - "not_used": "Никога не е бил използван" - }, - "current_user": "В момента сте влезли като {fullName}.", - "is_owner": "Вие сте собственик.", - "change_password": { - "header": "Смяна на парола", - "current_password": "Настояща парола", - "new_password": "Нова парола", - "confirm_new_password": "Потвърждение на новата парола", - "error_required": "Задължително", - "submit": "Промяна" - }, - "mfa": { - "header": "Модули за много-факторна аутентикация", - "disable": "Деактивиране", - "enable": "Активиране", - "confirm_disable": "Сигурни ли сте, че искате да деактивирате {name}?" - }, - "mfa_setup": { - "title_aborted": "Преустановено", - "title_success": "Успех!", - "step_done": "Настройката е извършена за {step}", - "close": "Затвори", - "submit": "Изпращане" - }, - "logout": "Изход", - "force_narrow": { - "header": "Винаги скривай страничната лента", - "description": "Това ще скрие страничната лента по подразбиране, подобно на изгледа в мобилната версия." - }, - "advanced_mode": { - "title": "Разширен режим" - } - }, - "page-authorize": { - "initializing": "Инициализиране", - "authorizing_client": "На път сте да дадете {clientId} достъп до вашия Home Assistant.", - "logging_in_with": "Вход с **{authProviderName}**.", - "pick_auth_provider": "Или влезте с", - "abort_intro": "Входът е прекратен", - "form": { - "working": "Моля, изчакайте", - "unknown_error": "Неочаквана грешка", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Потребителско име", - "password": "Парола" - } - }, - "mfa": { - "data": { - "code": "Дву-факторен код за аутентикация" - }, - "description": "Отворете **{mfa_module_name}** на Вашето устройство за да видите Вашия дву-факторен код за аутентикация и да удостоверите Вашата идентичност:" - } - }, - "error": { - "invalid_auth": "Невалидно потребителско име или парола", - "invalid_code": "Невалиден код за аутентикация" - }, - "abort": { - "login_expired": "Сесията изтече, моля влезте отново." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "API парола" - }, - "description": "Моля въведете API паролата в http конфигурацията:" - }, - "mfa": { - "data": { - "code": "Дву-факторен код за аутентикация" - }, - "description": "Отворете **{mfa_module_name}** на Вашето устройство за да видите Вашия дву-факторен код за аутентикация и да удостоверите Вашата идентичност:" - } - }, - "error": { - "invalid_auth": "Невалидна API парола", - "invalid_code": "Невалиден код за аутентикация" - }, - "abort": { - "no_api_password_set": "Няма конфигурирана API парола.", - "login_expired": "Сесията изтече, моля влезте отново." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Потребител" - }, - "description": "Моля, изберете потребител, като който искате да влезете:" - } - }, - "abort": { - "not_whitelisted": "Вашият компютър не е в списъка с разрешени компютри." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Потребителско име", - "password": "Парола" - } - }, - "mfa": { - "data": { - "code": "Дву-факторен код за аутентикация" - }, - "description": "Отворете **{mfa_module_name}** на Вашето устройство за да видите Вашия дву-факторен код за аутентикация и да удостоверите Вашата идентичност:" - } - }, - "error": { - "invalid_auth": "Невалидно потребителско име или парола", - "invalid_code": "Невалиден код за аутентикация" - }, - "abort": { - "login_expired": "Сесията изтече, моля влезте отново." - } - } - } - } - }, - "page-onboarding": { - "intro": "Готови ли сте да събудите дома си, да отвоювате независимостта си и да се присъедините към световна общност от хора автоматизиращи домовете си?", - "user": { - "intro": "Нека да започнете, като създадете потребителски акаунт.", - "required_field": "Задължително", - "data": { - "name": "Име", - "username": "Потребителско име", - "password": "Парола", - "password_confirm": "Потвърждение на парола" - }, - "create_account": "Създай акаунт", - "error": { - "required_fields": "Попълнете всички задължителни полета", - "password_not_match": "Паролите не съвпадат" - } - }, - "integration": { - "intro": "Устройствата и услугите са представени в Home Assistant като Интеграции. Можете да ги настроите сега или да го направите по-късно от конфигурационния екран.", - "more_integrations": "Повече", - "finish": "Завърши" - }, - "core-config": { - "intro": "Здравейте {name} , добре дошли в Home Assistant. Как бихте искали да назовете дома си?", - "intro_location": "Бихме искали да знаем къде живеете. Тази информация ще помогне за показването на информация и създаването на автоматизаци, които се активират от изгрев и залез. Тези данни никога не се споделят извън мрежата ви.", - "intro_location_detect": "Можем да ви помогнем да попълните тази информация, като изпратим еднократна заявка до външна услуга.", - "location_name_default": "Вкъщи", - "button_detect": "Откриване", - "finish": "Напред" - } - }, - "lovelace": { - "cards": { - "shopping-list": { - "checked_items": "Отметнати артикули", - "clear_items": "Изчистване на отметнатите артикули", - "add_item": "Добави артикул" - }, - "empty_state": { - "title": "Добре дошли у дома", - "no_devices": "Тази страница ви позволява да контролирате устройствата си, но изглежда, че все още нямате настроени устройства. Отидете на страницата за интеграции, за да започнете.", - "go_to_integrations_page": "Отидете на страницата за интеграции." - }, - "picture-elements": { - "hold": "Задръжте:", - "tap": "Натиснете:", - "navigate_to": "Придвижете се до {location}", - "toggle": "Превключване на {name}", - "call_service": "Извикай услуга {name}", - "more_info": "Показване на повече информация: {name}" - } - }, - "editor": { - "edit_card": { - "header": "Конфигуриране на Карта", - "save": "Запазване", - "toggle_editor": "Превключете редактора", - "pick_card": "Изберете картата, която искате да добавите.", - "add": "Добавяне на карта", - "edit": "Редактиране", - "delete": "Изтриване", - "move": "Преместване", - "options": "Още опции" - }, - "migrate": { - "header": "Несъвместима конфигурация", - "para_no_id": "Този елемент няма идентификатор. Моля, добавете идентификатор към този елемент в \"ui-lovelace.yaml\".", - "para_migrate": "Home Assistant може автоматично да добави идентификатори към всичките ви карти и изгледи, като натиска бутона \"Мигриране на конфигурация\".", - "migrate": "Мигриране на конфигурация" - }, - "header": "Редактиране на потребителския интерфейс", - "edit_view": { - "header": "Конфигурация на изглед", - "add": "Добавяне на изглед", - "edit": "Редактиране на изгледа", - "delete": "Изтриване на изгледа" - }, - "save_config": { - "header": "Поемете контрол над потребителския интерфейс на Lovelace", - "para": "По подразбиране Home Assistant поддържа потребителския интерфейс, като го актуализира, когато нови обекти или компоненти на Lovelace станат достъпни. Ако поемете контрол, ние вече няма да правим автоматично промени вместо вас.", - "para_sure": "Наистина ли искате да поемете управлението на потребителския интерфейс?", - "cancel": "Няма значение", - "save": "Поемете контрола" - }, - "menu": { - "raw_editor": "Текстов редактор на конфурацията", - "open": "Отваряне на Lovelace меню" - }, - "raw_editor": { - "header": "Редактиране на конфигурацията", - "save": "Запазване", - "unsaved_changes": "Незапазени промени", - "saved": "Запазено" - }, - "edit_lovelace": { - "header": "Заглавие на вашия Lovelace потребителски интерфейс", - "explanation": "Това заглавие се показва над всичките ви изгледи в Lovelace" - }, - "card": { - "vertical-stack": { - "name": "Вертикална колона" - }, - "weather-forecast": { - "name": "Прогноза за времето" - }, - "entities": { - "toggle": "Превключване на обекти." - } - } - }, - "menu": { - "configure_ui": "Конфигуриране на потребителския интерфейс", - "unused_entities": "Неизползвани обекти", - "help": "Помощ", - "refresh": "Обновяване" - }, - "warning": { - "entity_not_found": "Обектът е недостъпен: {entity}", - "entity_non_numeric": "Обектът не е числов: {entity}" - }, - "changed_toast": { - "message": "Конфигурацията на Lovelace бе актуализирана, искате ли да опресните?", - "refresh": "Обновяване" - }, - "reload_lovelace": "Презареждане на Lovelace" - }, - "page-demo": { - "cards": { - "demo": { - "demo_by": "от {name}", - "next_demo": "Следваща демонстрация", - "introduction": "Добре дошъл у дома! Достигнахте демонстрацията на Home Assistant, където ще покажем най-добрите потребителски интерфейси, създадени от нашата общност.", - "learn_more": "Научете повече за Home Assistant" - } - }, - "config": { - "arsaboo": { - "names": { - "upstairs": "Втори етаж", - "family_room": "Семейна стая", - "kitchen": "Кухня", - "patio": "Веранда", - "hallway": "Коридор", - "master_bedroom": "Главна спалня", - "left": "Ляво", - "right": "Дясно", - "mirror": "Огледало" - }, - "labels": { - "lights": "Светлини", - "information": "Информация", - "morning_commute": "Сутрешно пътуване", - "commute_home": "Пътуване до дома", - "entertainment": "Забавление", - "activity": "Дейност", - "hdmi_input": "HDMI вход", - "hdmi_switcher": "HDMI превключвател", - "volume": "Сила на звука", - "total_tv_time": "Време пред телевизора", - "turn_tv_off": "Изключи телевизора", - "air": "Въздух" - }, - "unit": { - "watching": "Гледане", - "minutes_abbr": "мин" - } - } - } - } - }, - "sidebar": { - "log_out": "Изход", - "external_app_configuration": "Конфигурация на приложение" - }, - "common": { - "loading": "Зареждане", - "cancel": "Отмени", - "save": "Запазване", - "successfully_saved": "Успешно запазено" - }, - "duration": { - "day": "{count}{count, plural,\n one {ден}\n other {дни}\n}", - "week": "{count}{count, plural,\n one {седмица}\n other {седмици}\n}", - "second": "{count}{count, plural,\n one {секунда}\n other {секунди}\n}", - "minute": "{count} {count, plural,\n one {минута}\n other {минути}\n}", - "hour": "{count} {count, plural,\n one {час}\n other {часа}\n}" - }, - "login-form": { - "password": "Парола", - "remember": "Запомни", - "log_in": "Вход" + "auth_store": { + "ask": "Искате ли да запазите този логин?", + "confirm": "Запази логин", + "decline": "Не, благодаря" }, "card": { + "alarm_control_panel": { + "arm_away": "Под охрана", + "arm_custom_bypass": "Потребителски байпас", + "arm_home": "Под охрана - вкъщи", + "arm_night": "Под охрана - нощ", + "armed_custom_bypass": "Потребителски байпас", + "clear_code": "Изчистване", + "code": "Код", + "disarm": "Деактивирaне" + }, + "automation": { + "last_triggered": "Последно задействане", + "trigger": "Тригер" + }, "camera": { "not_available": "Няма налично изображение" }, + "climate": { + "aux_heat": "Помощен нагревател", + "away_mode": "Режим на отсъствие", + "currently": "В момента", + "fan_mode": "Режим на вентилатора", + "on_off": "Вкл. \/ Изкл", + "operation": "Режим", + "preset_mode": "Предварително-зададени настройки", + "swing_mode": "Режим на люлеене", + "target_humidity": "Желана влажност", + "target_temperature": "Желана температура" + }, + "cover": { + "position": "Позиция", + "tilt_position": "Наклон" + }, + "fan": { + "direction": "Посока", + "forward": "Напред", + "oscillate": "Въртене", + "reverse": "Назад", + "speed": "Скорост" + }, + "light": { + "brightness": "Яркост", + "color_temperature": "Цветова температура", + "effect": "Ефект", + "white_value": "Стойност на бялото" + }, + "lock": { + "code": "Код", + "lock": "Заключване", + "unlock": "Отключване" + }, + "media_player": { + "sound_mode": "Режим на звука", + "source": "Източник", + "text_to_speak": "Текст за произнасяне" + }, "persistent_notification": { "dismiss": "Отхвърли" }, @@ -1190,6 +464,30 @@ "script": { "execute": "Изпълни" }, + "timer": { + "actions": { + "cancel": "прекратяване", + "finish": "финал", + "pause": "пауза", + "start": "старт" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Продължете почистването", + "return_to_base": "Върни се в базовата станция", + "start_cleaning": "Започнете почистването", + "turn_off": "Изключи", + "turn_on": "Включи" + } + }, + "water_heater": { + "away_mode": "Режим на отсъствие", + "currently": "В момента", + "on_off": "Вкл. \/ Изкл.", + "operation": "Режим", + "target_temperature": "Желана температура" + }, "weather": { "attributes": { "air_pressure": "Въздушно налягане", @@ -1205,8 +503,8 @@ "n": "С", "ne": "СИ", "nne": "ССИ", - "nw": "СЗ", "nnw": "ССЗ", + "nw": "СЗ", "s": "Ю", "se": "ЮИ", "sse": "ЮЮИ", @@ -1217,123 +515,45 @@ "wsw": "ЗЮЗ" }, "forecast": "Прогноза" - }, - "alarm_control_panel": { - "code": "Код", - "clear_code": "Изчистване", - "disarm": "Деактивирaне", - "arm_home": "Под охрана - вкъщи", - "arm_away": "Под охрана", - "arm_night": "Под охрана - нощ", - "armed_custom_bypass": "Потребителски байпас", - "arm_custom_bypass": "Потребителски байпас" - }, - "automation": { - "last_triggered": "Последно задействане", - "trigger": "Тригер" - }, - "cover": { - "position": "Позиция", - "tilt_position": "Наклон" - }, - "fan": { - "speed": "Скорост", - "oscillate": "Въртене", - "direction": "Посока", - "forward": "Напред", - "reverse": "Назад" - }, - "light": { - "brightness": "Яркост", - "color_temperature": "Цветова температура", - "white_value": "Стойност на бялото", - "effect": "Ефект" - }, - "media_player": { - "text_to_speak": "Текст за произнасяне", - "source": "Източник", - "sound_mode": "Режим на звука" - }, - "climate": { - "currently": "В момента", - "on_off": "Вкл. \/ Изкл", - "target_temperature": "Желана температура", - "target_humidity": "Желана влажност", - "operation": "Режим", - "fan_mode": "Режим на вентилатора", - "swing_mode": "Режим на люлеене", - "away_mode": "Режим на отсъствие", - "aux_heat": "Помощен нагревател", - "preset_mode": "Предварително-зададени настройки" - }, - "lock": { - "code": "Код", - "lock": "Заключване", - "unlock": "Отключване" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Продължете почистването", - "return_to_base": "Върни се в базовата станция", - "start_cleaning": "Започнете почистването", - "turn_on": "Включи", - "turn_off": "Изключи" - } - }, - "water_heater": { - "currently": "В момента", - "on_off": "Вкл. \/ Изкл.", - "target_temperature": "Желана температура", - "operation": "Режим", - "away_mode": "Режим на отсъствие" - }, - "timer": { - "actions": { - "start": "старт", - "pause": "пауза", - "cancel": "прекратяване", - "finish": "финал" - } } }, + "common": { + "cancel": "Отмени", + "loading": "Зареждане", + "save": "Запазване", + "successfully_saved": "Успешно запазено" + }, "components": { "entity": { "entity-picker": { "entity": "Обект" } }, - "service-picker": { - "service": "Услуга" - }, - "relative_time": { - "past": "Преди {time}", - "future": "След {time}", - "never": "Никога", - "duration": { - "second": "{count}{count, plural,\n one {секунда}\n other {секунди}\n}", - "minute": "{count} {count, plural,\n one {минута}\n other {минути}\n}", - "hour": "{count} {count, plural,\n one {час}\n other {часа}\n}", - "day": "{count}{count, plural,\n one {ден}\n other {дни}\n}", - "week": "{count}{count, plural,\n one {седмица}\n other {седмици}\n}" - } - }, "history_charts": { "loading_history": "Зареждане на история за състоянието...", "no_history_found": "Не е намерена история за състоянието" + }, + "relative_time": { + "duration": { + "day": "{count}{count, plural,\\n one {ден}\\n other {дни}\\n}", + "hour": "{count} {count, plural,\\n one {час}\\n other {часа}\\n}", + "minute": "{count} {count, plural,\\n one {минута}\\n other {минути}\\n}", + "second": "{count}{count, plural,\\n one {секунда}\\n other {секунди}\\n}", + "week": "{count}{count, plural,\\n one {седмица}\\n other {седмици}\\n}" + }, + "future": "След {time}", + "never": "Никога", + "past": "Преди {time}" + }, + "service-picker": { + "service": "Услуга" } }, - "notification_toast": { - "entity_turned_on": "Включване на {entity}.", - "entity_turned_off": "Изключване на {entity}.", - "service_called": "Повикване на услуга {service}.", - "service_call_failed": "Неуспешно повикване на услуга {service}.", - "connection_lost": "Връзката е прекъсната. Повторно свързване..." - }, "dialogs": { - "more_info_settings": { - "save": "Запазване", - "name": "Име", - "entity_id": "Идентификация на обект" + "config_entry_system_options": { + "enable_new_entities_description": "Ако е изключено, новооткритите устройства няма да бъдат автоматично добавени в Home Assistant", + "enable_new_entities_label": "Активирай новодобавените устройства.", + "title": "Системни опции" }, "more_info_control": { "script": { @@ -1348,6 +568,11 @@ "title": "Инструкции за актуализиране" } }, + "more_info_settings": { + "entity_id": "Идентификация на обект", + "name": "Име", + "save": "Запазване" + }, "options_flow": { "form": { "header": "Опции" @@ -1356,125 +581,900 @@ "description": "Опциите бяха запазени успешно." } }, - "config_entry_system_options": { - "title": "Системни опции", - "enable_new_entities_label": "Активирай новодобавените устройства.", - "enable_new_entities_description": "Ако е изключено, новооткритите устройства няма да бъдат автоматично добавени в Home Assistant" - }, "zha_device_info": { "manuf": "от {manufacturer}", "no_area": "Без област", "services": { "reconfigure": "Преконфигурирайте ZHA устройство (оздравяване на устройство). Използвайте това, ако имате проблеми с устройството. Ако въпросното устройство е захранвано с батерии, моля, уверете се, че е будно и приема команди, когато използвате тази услуга.", - "updateDeviceName": "Задайте персонализирано име за това устройство в регистъра на устройствата.", - "remove": "Премахване на устройство от Zigbee мрежата." + "remove": "Премахване на устройство от Zigbee мрежата.", + "updateDeviceName": "Задайте персонализирано име за това устройство в регистъра на устройствата." }, "zha_device_card": { - "device_name_placeholder": "Име, зададено от потребителя", "area_picker_label": "Област", + "device_name_placeholder": "Име, зададено от потребителя", "update_name_button": "Актуализиране на името" } } }, - "auth_store": { - "ask": "Искате ли да запазите този логин?", - "decline": "Не, благодаря", - "confirm": "Запази логин" + "duration": { + "day": "{count}{count, plural,\\n one {ден}\\n other {дни}\\n}", + "hour": "{count} {count, plural,\\n one {час}\\n other {часа}\\n}", + "minute": "{count} {count, plural,\\n one {минута}\\n other {минути}\\n}", + "second": "{count}{count, plural,\\n one {секунда}\\n other {секунди}\\n}", + "week": "{count}{count, plural,\\n one {седмица}\\n other {седмици}\\n}" + }, + "login-form": { + "log_in": "Вход", + "password": "Парола", + "remember": "Запомни" }, "notification_drawer": { "click_to_configure": "Щракнете върху бутона, за да конфигурирате {entity}", "empty": "Няма известия", "title": "Известия" - } - }, - "domain": { - "alarm_control_panel": "Контрол на аларма", - "automation": "Автоматизация", - "binary_sensor": "Двоичен сензор", - "calendar": "Календар", - "camera": "Камера", - "climate": "Климат", - "configurator": "Конфигуратор", - "conversation": "Разговор", - "cover": "Параван", - "device_tracker": "Проследяване на устройства", - "fan": "Вентилатор", - "history_graph": "Хронологична графика", - "group": "Група", - "image_processing": "Обработка на изображениe", - "input_boolean": "Булеви промеливи", - "input_datetime": "Въвеждане на дата и час", - "input_select": "Избор", - "input_number": "Въвеждане на число", - "input_text": "Въвеждане на текст", - "light": "Осветление", - "lock": "Ключалка", - "mailbox": "Пощенска кутия", - "media_player": "Медиен плейър", - "notify": "Известяване", - "plant": "Растение", - "proximity": "Близост", - "remote": "Дистанционно", - "scene": "Сцена", - "script": "Скрипт", - "sensor": "Сензор", - "sun": "Слънце", - "switch": "Ключ", - "updater": "Обновяване", - "weblink": "Уеб връзка", - "zwave": "Z-Wave", - "vacuum": "Прахосмукачка", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Здраве на системата", - "person": "Човек" - }, - "attribute": { - "weather": { - "humidity": "Влажност", - "visibility": "Видимост", - "wind_speed": "Скорост на вятъра" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Изключен", - "on": "Включен", - "auto": "Автоматичен" + }, + "notification_toast": { + "connection_lost": "Връзката е прекъсната. Повторно свързване...", + "entity_turned_off": "Изключване на {entity}.", + "entity_turned_on": "Включване на {entity}.", + "service_call_failed": "Неуспешно повикване на услуга {service}.", + "service_called": "Повикване на услуга {service}." + }, + "panel": { + "config": { + "area_registry": { + "caption": "Регистър на областите", + "create_area": "СЪЗДАВАНЕ НА ОБЛАСТ", + "description": "Преглед на всички области във Вашия дом.", + "editor": { + "create": "СЪЗДАВАНЕ", + "default_name": "Нова област", + "delete": "ИЗТРИВАНЕ", + "update": "АКТУАЛИЗАЦИЯ" + }, + "no_areas": "Изглежда, че все още нямате области!", + "picker": { + "create_area": "СЪЗДАВАНЕ НА ОБЛАСТ", + "header": "Регистър на областите", + "integrations_page": "Интеграции", + "introduction": "Областите се използват за организиране на местоположението на устройствата. Тази информация ще се използва в Home Assistant, за да ви помогне при организирането на Вашия интерфейс, права за достъп и интеграции с други системи.", + "introduction2": "За да поставите устройства в дадена област, използвайте връзката по-долу, за да отидете на страницата за интеграции, след което кликнете върху конфигурирана интеграция, за да видите картите на устройството.", + "no_areas": "Изглежда, че все още нямате области!" + } + }, + "automation": { + "caption": "Автоматизация", + "description": "Създаване и редактиране на автоматизации", + "editor": { + "actions": { + "add": "Добавяне на действие", + "delete": "Изтриване", + "delete_confirm": "Сигурни ли сте, че искате да изтриете?", + "duplicate": "Копиране", + "header": "Действия", + "introduction": "Действията са това, което Home Assistant ще направи, когато се активира автоматизацията.", + "learn_more": "Научете повече за действията", + "type_select": "Тип действие", + "type": { + "condition": { + "label": "Състояние" + }, + "delay": { + "delay": "Забавяне", + "label": "Забавяне" + }, + "device_id": { + "label": "Устройство" + }, + "event": { + "event": "Събитие", + "label": "Стартирай събитие", + "service_data": "Сервизна информация" + }, + "service": { + "label": "Извикване на услуга", + "service_data": "Данни за услугата" + }, + "wait_template": { + "label": "Изчакване", + "timeout": "Изчакване (по избор)", + "wait_template": "Шаблон за изчакване" + } + }, + "unsupported_action": "Неподдържано действие: {action}" + }, + "alias": "Име", + "conditions": { + "add": "Добавяне на условие", + "delete": "Изтриване", + "delete_confirm": "Сигурни ли сте, че искате да изтриете?", + "duplicate": "Копиране", + "header": "Условия", + "introduction": "Условията са незадължителна част от правилото за автоматизация и могат да се използват, за да се предотврати настъпването на действие, когато се задейства тригера. Условията изглеждат много близки до тригерите, но са много различни. Тригерът ще разглежда събитията, случващи се в системата, докато условието разглежда само как системата изглежда в момента. Тригера може да наблюдава включването на ключ. Условието може само да види дали ключ е включен или изключен в момента.", + "learn_more": "Научете повече за условията", + "type_select": "Тип на условие", + "type": { + "device": { + "label": "Устройство" + }, + "numeric_state": { + "above": "Над", + "below": "Под", + "label": "Състояние на число", + "value_template": "Шаблон за стойност (незадължително)" + }, + "state": { + "label": "Състояние", + "state": "Състояние" + }, + "sun": { + "after": "След:", + "after_offset": "Отместване след (незадължително)", + "before": "Преди:", + "before_offset": "Отместване преди (незадължително)", + "label": "Слънце", + "sunrise": "Изгрев", + "sunset": "Залез" + }, + "template": { + "label": "Шаблон", + "value_template": "Шаблон за стойност" + }, + "time": { + "after": "След", + "before": "Преди", + "label": "Време" + }, + "zone": { + "entity": "Обект с местоположение", + "label": "Зона", + "zone": "Зона" + } + }, + "unsupported_condition": "Неподдържано условие: {condition}" + }, + "default_name": "Нова автоматизация", + "introduction": "Използвайте автоматизации, за да съживите дома си", + "load_error_not_editable": "Само автоматизации от automations.yaml могат да се редактират.", + "load_error_unknown": "Грешка при зареждане на автоматизация ({еrr_no}).", + "save": "Запазване", + "triggers": { + "add": "Добавяне на тригер", + "delete": "Изтриване", + "delete_confirm": "Сигурни ли сте, че искате да изтриете?", + "duplicate": "Копиране", + "header": "Тригери", + "introduction": "Тригерите са това, което стартира обработката на правило за автоматизация. Възможно е да се зададат множество тригери за едно и също правило. След като тригера стартира, Home Assistant ще провери условията, ако има такива, и ще стартира действието.", + "learn_more": "Научете повече за тригерите", + "type_select": "Тип на тригера", + "type": { + "device": { + "label": "Устройство" + }, + "event": { + "event_data": "Данни на събитието", + "event_type": "Тип на събитието", + "label": "Събитие" + }, + "geo_location": { + "enter": "Влизане", + "event": "Събитие:", + "label": "Местоположение", + "leave": "Излизане", + "source": "Източник", + "zone": "Зона" + }, + "homeassistant": { + "event": "Събитие", + "label": "Home Assistant", + "shutdown": "Изключване", + "start": "Стартиране" + }, + "mqtt": { + "label": "MQTT", + "payload": "Съобщение (незадължително)", + "topic": "Тема" + }, + "numeric_state": { + "above": "Над", + "below": "Под", + "label": "Състояние на число", + "value_template": "Шаблон за стойност (незадължително)" + }, + "state": { + "for": "За период от", + "from": "От", + "label": "Състояние", + "to": "Във" + }, + "sun": { + "event": "Събитие", + "label": "Слънце", + "offset": "Офсет (незадължително)", + "sunrise": "Изгрев", + "sunset": "Залез" + }, + "template": { + "label": "Шаблон", + "value_template": "Шаблон за стойност" + }, + "time_pattern": { + "hours": "Часове", + "label": "Времеви шаблон", + "minutes": "Минути", + "seconds": "Секунди" + }, + "time": { + "at": "В", + "label": "Време" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook идентификатор" + }, + "zone": { + "enter": "Влизане", + "entity": "Обект с местоположение", + "event": "Събитие", + "label": "Зона", + "leave": "Излизане", + "zone": "Зона" + } + }, + "unsupported_platform": "Неподдържана платформа: {platform}" + }, + "unsaved_confirm": "Имате незапазени промени. Сигурни ли сте, че искате да напуснете?" + }, + "picker": { + "add_automation": "Добавяне на автоматизация", + "header": "Редактор на автоматизации", + "introduction": "Редакторът на автоматизации позволява да създавате и редактирате автоматизации. Моля, последвайте препратката по-долу за да прочетете инструкциите за да се уверите, че Home Assistant е правилно конфигуриран.", + "learn_more": "Научете повече за автоматизациите", + "no_automations": "Не можахме да намерим никакви автоматизации подлежащи на редакция", + "pick_automation": "Изберете автоматизация за редактиране" + } + }, + "cloud": { + "caption": "Home Assistant Cloud", + "description_features": "Контролирайте дома си, и когато не сте вкъщи, активирайте интегрирациите с Alexa и Google Assistant.", + "description_login": "Влезли сте като {email}", + "description_not_login": "Не сте влезли" + }, + "core": { + "caption": "Общи", + "description": "Проверка на конфигурацията и управление на сървъра", + "section": { + "core": { + "core_config": { + "edit_requires_storage": "Редакторът е деактивиран, защото конфигурацията е съхранена в configuration.yaml.", + "elevation": "Надморска височина", + "elevation_meters": "метра", + "imperial_example": "Фаренхайт, паунд", + "latitude": "Географска ширина", + "location_name": "Име на Вашия Home Assistant", + "longitude": "Географска дължина", + "metric_example": "Целзий, килограми", + "save_button": "Запази", + "time_zone": "Часова зона", + "unit_system": "Система единици", + "unit_system_imperial": "Имперски единици", + "unit_system_metric": "Метрични единици" + }, + "header": "Конфигуриране и управление на сървъра", + "introduction": "Промяната на конфигурацията може да бъде труден процес. Знаем това. Този раздел ще се опита да направи живота Ви малко по-лесен." + }, + "server_control": { + "reloading": { + "automation": "Презареждане на автоматизациите", + "core": "Презареждане на ядрото", + "group": "Презареждане на групи", + "heading": "Презареждане на конфигурацията", + "introduction": "Някои части от Home Assistant могат да се презаредят без да е необходимо рестартиране. Натискането на Презареди ще зареди новата конфигурация.", + "script": "Презареждане на скриптовете" + }, + "server_management": { + "heading": "Управление на сървъра", + "introduction": "Управление на Home Assistant сървъра... от Home Assistant.", + "restart": "Рестарт", + "stop": "Спиране" + }, + "validation": { + "check_config": "Проверка на конфигурацията", + "heading": "Проверка на конфигурацията", + "introduction": "Проверете конфигурацията, ако скоро сте направили промени и искате да се уверите, че всичко работи", + "invalid": "Невалидна конфигурация", + "valid": "Валидна конфигурация!" + } + } + } + }, + "customize": { + "caption": "Персонализиране", + "description": "Персонализирайте Вашите обекти", + "picker": { + "header": "Персонализиране", + "introduction": "Настройте атрибутите за всеки обект. Добавени\/редактирани персонализации ще имат ефект, когато обектът бъде опреснен." + } + }, + "devices": { + "caption": "Устройства", + "description": "Управление на свързани устройства" + }, + "entity_registry": { + "caption": "Регистър на обектите", + "description": "Преглед на всички известни обекти.", + "editor": { + "default_name": "Нова област", + "delete": "ИЗТРИВАНЕ", + "enabled_cause": "Изключено от {cause}", + "enabled_description": "Изключените обекти няма да бъдат добавени в Home Assistant.", + "enabled_label": "Активирай обекта", + "unavailable": "Този обект не е достъпeн към момента.", + "update": "АКТУАЛИЗАЦИЯ" + }, + "picker": { + "header": "Регистър на обектите", + "integrations_page": "Интеграции", + "introduction": "Home Assistant поддържа регистър на всички обекти, които някога е виждал, които могат да бъдат идентифицирани уникално. Всеки от тези обекти ще има идентификатор на обект, който ще бъде резервиран само за този обект.", + "introduction2": "Използвайте регистъра на обектите, за да промените името, идентификатора на обекта или да премахнете записа от Home Assistant. Моля имайте на предвид, че премахването на записа от регистъра на обектите няма да премахне обекта. За да направите това, следвайте препратката по-долу и я премахнете от страницата за интеграции.", + "unavailable": "(недостъпен)" + } + }, + "header": "Конфигуриране на Home Assistant", + "integrations": { + "caption": "Интеграции", + "config_entry": { + "delete_confirm": "Сигурни ли сте, че искате да изтриете интеграцията?", + "device_unavailable": "недостъпно устройство", + "entity_unavailable": "недостъпен", + "firmware": "Фърмуер: {version}", + "hub": "Свързан чрез", + "manuf": "от {manufacturer}", + "no_area": "Без област", + "no_device": "Обекти без устройства", + "no_devices": "Тази интеграция няма устройства.", + "restart_confirm": "Рестартирайте Home Assistant за да завършите премахването на интеграцията", + "via": "Свързан чрез" + }, + "config_flow": { + "external_step": { + "description": "Завършването на тази стъпка изисква да посетите външен уебсайт.", + "open_site": "Отваряне на уеб сайт" + } + }, + "configure": "Конфигуриране", + "configured": "Конфигуриран", + "description": "Управление на свързани устройства и услуги", + "discovered": "Открити", + "new": "Настройте нова интеграция", + "none": "Нищо не е конфигурирано към момента" + }, + "introduction": "Тук е възможно да конфигурирате Вашите компоненти и Home Assistant. Не всичко е възможно да се конфигурира от Интерфейса, но работим по върпоса.", + "person": { + "caption": "Хора", + "description": "Управлявайте хората, които следите от Home Assistant.", + "detail": { + "device_tracker_intro": "Изберете устройствата, които принадлежат на това лице.", + "device_tracker_pick": "Изберете устройство за проследяване", + "device_tracker_picked": "Устройство за проследяване", + "name": "Име" + } + }, + "script": { + "caption": "Скрипт", + "description": "Създаване и редактиране на скриптове" + }, + "server_control": { + "caption": "Управление на сървъра", + "description": "Рестартиране и спиране на Home Assistant сървъра", + "section": { + "reloading": { + "automation": "Презареждане на автоматизациите", + "core": "Презареждане на ядрото", + "group": "Презареждане на гурпите", + "heading": "Презареждане на конфигурацията", + "introduction": "Някои части от Home Assistant могат да се презаредят без да е необходимо рестартиране. Натискането на Презареди ще отхвърли настоящата конфигурация и ще зареди новата конфигурация.", + "scene": "Презареди сцените", + "script": "Презареждане на скриптовете" + }, + "server_management": { + "confirm_restart": "Сигурни ли сте, че искате да рестартирате Home Assistant?", + "confirm_stop": "Сигурни ли сте, че искате да спрете Home Assistant?", + "heading": "Управление на сървъра", + "introduction": "Управляване на Home Assistant сървъра... от Home Assistant.", + "restart": "Рестартирай", + "stop": "Спри" + }, + "validation": { + "check_config": "Проверка на конфигурацията", + "heading": "Проверка на конфигурацията", + "introduction": "Проверете конфигурацията, ако скоро сте направили промени и искате да се уверите, че всичко работи", + "invalid": "Невалидна конфигурация", + "valid": "Валидна конфигурация!" + } + } + }, + "users": { + "add_user": { + "caption": "Добавяне на потребител", + "create": "Създаване", + "name": "Име", + "password": "Парола", + "username": "Потребителско име" + }, + "caption": "Потребители", + "description": "Управление на потребителите", + "editor": { + "activate_user": "Активиране на потребител", + "caption": "Преглед на потребителя", + "change_password": "Смяна на парола", + "deactivate_user": "Деактивиране на потребителя", + "delete_user": "Изтриване на потребител", + "rename_user": "Преименуване на потребител" + }, + "picker": { + "title": "Потребители" + } + }, + "zha": { + "add_device_page": { + "discovery_text": "Откритите устройства ще се покажат тук. Следвайте инструкциите за вашето устройство(а) и поставете устройствата в режим на сдвояване.", + "header": "Zigbee Home Automation - Добавяне на устройства", + "spinner": "Търсене на ZHA Zigbee устройства..." + }, + "caption": "ZHA", + "description": "Управление на Zigbee мрежата за домашна автоматизация", + "device_card": { + "area_picker_label": "Област", + "device_name_placeholder": "Име, зададено от потребителя", + "update_name_button": "Актуализиране на името" + }, + "services": { + "reconfigure": "Преконфигурирайте ZHA устройство (оздравяване на устройство). Използвайте това, ако имате проблеми с устройството. Ако въпросното устройство е захранвано с батерии, моля, уверете се, че е будно и приема команди, когато използвате тази услуга.", + "remove": "Премахване на устройство от Zigbee мрежата.", + "updateDeviceName": "Задайте персонализирано име за това устройство в регистъра на устройствата." + } + }, + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Индекс", + "instance": "Устройство", + "unknown": "неизвестно", + "value": "Стойност", + "wakeup_interval": "Интервал за събуждане" + }, + "description": "Управлявайте своята Z-Wave мрежа", + "network_management": { + "header": "Управление на Z-Wave мрежата", + "introduction": "Изпълнение на команди, които засягат Z-Wave мрежата. Няма да получите обратна информация за това дали повечето команди са успели, но можете да проверите OZW лог файла, за да се опитате да разберете." + }, + "network_status": { + "network_started": "Z-Wave мрежата е стартирана", + "network_started_note_all_queried": "Всички устройства бяха разпитани.", + "network_started_note_some_queried": "Будните устройства бяха разпитани. Спящите устройства ще бъдат разпитани, когато са на линия.", + "network_starting": "Стартиране на Z-Wave мрежа...", + "network_starting_note": "Това може да отнеме известно време в зависимост от размера на мрежата Ви.", + "network_stopped": "Z-Wave мрежата е спряна" + }, + "node_config": { + "config_parameter": "Конфигурационен параметър", + "config_value": "Конфигурационна стойност", + "false": "Невярно", + "header": "Конфигурационни опции на устройството", + "seconds": "секунди", + "set_config_parameter": "Задайте параметър Config", + "set_wakeup": "Настрой интервал за събуждане", + "true": "Вярно" + }, + "services": { + "add_node": "Добавяне на устройство", + "add_node_secure": "Добавяне на криптирано устройство", + "cancel_command": "Отмени командата", + "heal_network": "Оздравяване на мрежата", + "remove_node": "Премахване на устройство", + "save_config": "Запазване на конфигурацията", + "soft_reset": "Soft Reset", + "start_network": "Стартиране на мрежата", + "stop_network": "Спиране на мрежата", + "test_network": "Тестване на мрежата" + }, + "values": { + "header": "Стойности на устройсто" + } + } }, - "preset_mode": { - "none": "Без", - "eco": "Еко", - "away": "Отсъства", - "boost": "Ускорен", - "comfort": "Комфорт", - "home": "Вкъщи", - "sleep": "Сън", - "activity": "Дейност" + "developer-tools": { + "tabs": { + "events": { + "title": "Събития" + }, + "info": { + "title": "Информация" + }, + "logs": { + "title": "Журнали" + }, + "mqtt": { + "title": "MQTT" + }, + "services": { + "title": "Услуги" + }, + "states": { + "title": "Състояния" + }, + "templates": { + "title": "Шаблони" + } + } }, - "hvac_action": { - "off": "Изключен", - "heating": "Отопление", - "cooling": "Охлаждане", - "drying": "Изсушаване", - "idle": "Неработещ", - "fan": "Вентилатор" + "history": { + "period": "Период", + "showing_entries": "Показване на записите за" + }, + "logbook": { + "period": "Период", + "showing_entries": "Показване на записите за" + }, + "lovelace": { + "cards": { + "empty_state": { + "go_to_integrations_page": "Отидете на страницата за интеграции.", + "no_devices": "Тази страница ви позволява да контролирате устройствата си, но изглежда, че все още нямате настроени устройства. Отидете на страницата за интеграции, за да започнете.", + "title": "Добре дошли у дома" + }, + "picture-elements": { + "call_service": "Извикай услуга {name}", + "hold": "Задръжте:", + "more_info": "Показване на повече информация: {name}", + "navigate_to": "Придвижете се до {location}", + "tap": "Натиснете:", + "toggle": "Превключване на {name}" + }, + "shopping-list": { + "add_item": "Добави артикул", + "checked_items": "Отметнати артикули", + "clear_items": "Изчистване на отметнатите артикули" + } + }, + "changed_toast": { + "message": "Конфигурацията на Lovelace бе актуализирана, искате ли да опресните?", + "refresh": "Обновяване" + }, + "editor": { + "card": { + "entities": { + "toggle": "Превключване на обекти." + }, + "vertical-stack": { + "name": "Вертикална колона" + }, + "weather-forecast": { + "name": "Прогноза за времето" + } + }, + "edit_card": { + "add": "Добавяне на карта", + "delete": "Изтриване", + "edit": "Редактиране", + "header": "Конфигуриране на Карта", + "move": "Преместване", + "options": "Още опции", + "pick_card": "Изберете картата, която искате да добавите.", + "save": "Запазване", + "toggle_editor": "Превключете редактора" + }, + "edit_lovelace": { + "explanation": "Това заглавие се показва над всичките ви изгледи в Lovelace", + "header": "Заглавие на вашия Lovelace потребителски интерфейс" + }, + "edit_view": { + "add": "Добавяне на изглед", + "delete": "Изтриване на изгледа", + "edit": "Редактиране на изгледа", + "header": "Конфигурация на изглед" + }, + "header": "Редактиране на потребителския интерфейс", + "menu": { + "open": "Отваряне на Lovelace меню", + "raw_editor": "Текстов редактор на конфурацията" + }, + "migrate": { + "header": "Несъвместима конфигурация", + "migrate": "Мигриране на конфигурация", + "para_migrate": "Home Assistant може автоматично да добави идентификатори към всичките ви карти и изгледи, като натиска бутона \"Мигриране на конфигурация\".", + "para_no_id": "Този елемент няма идентификатор. Моля, добавете идентификатор към този елемент в \"ui-lovelace.yaml\"." + }, + "raw_editor": { + "header": "Редактиране на конфигурацията", + "save": "Запазване", + "saved": "Запазено", + "unsaved_changes": "Незапазени промени" + }, + "save_config": { + "cancel": "Няма значение", + "header": "Поемете контрол над потребителския интерфейс на Lovelace", + "para": "По подразбиране Home Assistant поддържа потребителския интерфейс, като го актуализира, когато нови обекти или компоненти на Lovelace станат достъпни. Ако поемете контрол, ние вече няма да правим автоматично промени вместо вас.", + "para_sure": "Наистина ли искате да поемете управлението на потребителския интерфейс?", + "save": "Поемете контрола" + } + }, + "menu": { + "configure_ui": "Конфигуриране на потребителския интерфейс", + "help": "Помощ", + "refresh": "Обновяване", + "unused_entities": "Неизползвани обекти" + }, + "reload_lovelace": "Презареждане на Lovelace", + "warning": { + "entity_non_numeric": "Обектът не е числов: {entity}", + "entity_not_found": "Обектът е недостъпен: {entity}" + } + }, + "mailbox": { + "delete_button": "Изтриване", + "delete_prompt": "Изтриване на това съобщение?", + "empty": "Нямате съобщения", + "playback_title": "Възпроизвеждане на съобщение" + }, + "page-authorize": { + "abort_intro": "Входът е прекратен", + "authorizing_client": "На път сте да дадете {clientId} достъп до вашия Home Assistant.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Сесията изтече, моля влезте отново." + }, + "error": { + "invalid_auth": "Невалидно потребителско име или парола", + "invalid_code": "Невалиден код за аутентикация" + }, + "step": { + "init": { + "data": { + "password": "Парола", + "username": "Потребителско име" + } + }, + "mfa": { + "data": { + "code": "Дву-факторен код за аутентикация" + }, + "description": "Отворете **{mfa_module_name}** на Вашето устройство за да видите Вашия дву-факторен код за аутентикация и да удостоверите Вашата идентичност:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Сесията изтече, моля влезте отново." + }, + "error": { + "invalid_auth": "Невалидно потребителско име или парола", + "invalid_code": "Невалиден код за аутентикация" + }, + "step": { + "init": { + "data": { + "password": "Парола", + "username": "Потребителско име" + } + }, + "mfa": { + "data": { + "code": "Дву-факторен код за аутентикация" + }, + "description": "Отворете **{mfa_module_name}** на Вашето устройство за да видите Вашия дву-факторен код за аутентикация и да удостоверите Вашата идентичност:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Сесията изтече, моля влезте отново.", + "no_api_password_set": "Няма конфигурирана API парола." + }, + "error": { + "invalid_auth": "Невалидна API парола", + "invalid_code": "Невалиден код за аутентикация" + }, + "step": { + "init": { + "data": { + "password": "API парола" + }, + "description": "Моля въведете API паролата в http конфигурацията:" + }, + "mfa": { + "data": { + "code": "Дву-факторен код за аутентикация" + }, + "description": "Отворете **{mfa_module_name}** на Вашето устройство за да видите Вашия дву-факторен код за аутентикация и да удостоверите Вашата идентичност:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Вашият компютър не е в списъка с разрешени компютри." + }, + "step": { + "init": { + "data": { + "user": "Потребител" + }, + "description": "Моля, изберете потребител, като който искате да влезете:" + } + } + } + }, + "unknown_error": "Неочаквана грешка", + "working": "Моля, изчакайте" + }, + "initializing": "Инициализиране", + "logging_in_with": "Вход с **{authProviderName}**.", + "pick_auth_provider": "Или влезте с" + }, + "page-demo": { + "cards": { + "demo": { + "demo_by": "от {name}", + "introduction": "Добре дошъл у дома! Достигнахте демонстрацията на Home Assistant, където ще покажем най-добрите потребителски интерфейси, създадени от нашата общност.", + "learn_more": "Научете повече за Home Assistant", + "next_demo": "Следваща демонстрация" + } + }, + "config": { + "arsaboo": { + "labels": { + "activity": "Дейност", + "air": "Въздух", + "commute_home": "Пътуване до дома", + "entertainment": "Забавление", + "hdmi_input": "HDMI вход", + "hdmi_switcher": "HDMI превключвател", + "information": "Информация", + "lights": "Светлини", + "morning_commute": "Сутрешно пътуване", + "total_tv_time": "Време пред телевизора", + "turn_tv_off": "Изключи телевизора", + "volume": "Сила на звука" + }, + "names": { + "family_room": "Семейна стая", + "hallway": "Коридор", + "kitchen": "Кухня", + "left": "Ляво", + "master_bedroom": "Главна спалня", + "mirror": "Огледало", + "patio": "Веранда", + "right": "Дясно", + "upstairs": "Втори етаж" + }, + "unit": { + "minutes_abbr": "мин", + "watching": "Гледане" + } + } + } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Откриване", + "finish": "Напред", + "intro": "Здравейте {name} , добре дошли в Home Assistant. Как бихте искали да назовете дома си?", + "intro_location": "Бихме искали да знаем къде живеете. Тази информация ще помогне за показването на информация и създаването на автоматизаци, които се активират от изгрев и залез. Тези данни никога не се споделят извън мрежата ви.", + "intro_location_detect": "Можем да ви помогнем да попълните тази информация, като изпратим еднократна заявка до външна услуга.", + "location_name_default": "Вкъщи" + }, + "integration": { + "finish": "Завърши", + "intro": "Устройствата и услугите са представени в Home Assistant като Интеграции. Можете да ги настроите сега или да го направите по-късно от конфигурационния екран.", + "more_integrations": "Повече" + }, + "intro": "Готови ли сте да събудите дома си, да отвоювате независимостта си и да се присъедините към световна общност от хора автоматизиращи домовете си?", + "user": { + "create_account": "Създай акаунт", + "data": { + "name": "Име", + "password": "Парола", + "password_confirm": "Потвърждение на парола", + "username": "Потребителско име" + }, + "error": { + "password_not_match": "Паролите не съвпадат", + "required_fields": "Попълнете всички задължителни полета" + }, + "intro": "Нека да започнете, като създадете потребителски акаунт.", + "required_field": "Задължително" + } + }, + "profile": { + "advanced_mode": { + "title": "Разширен режим" + }, + "change_password": { + "confirm_new_password": "Потвърждение на новата парола", + "current_password": "Настояща парола", + "error_required": "Задължително", + "header": "Смяна на парола", + "new_password": "Нова парола", + "submit": "Промяна" + }, + "current_user": "В момента сте влезли като {fullName}.", + "force_narrow": { + "description": "Това ще скрие страничната лента по подразбиране, подобно на изгледа в мобилната версия.", + "header": "Винаги скривай страничната лента" + }, + "is_owner": "Вие сте собственик.", + "language": { + "dropdown_label": "Език", + "header": "Език", + "link_promo": "Помогнете за превода" + }, + "logout": "Изход", + "long_lived_access_tokens": { + "confirm_delete": "Сигурни ли сте, че искате да изтриете кода за достъп за {name}?", + "create": "Създай код", + "create_failed": "Възникна грешка при създаването на код за достъп.", + "created_at": "Създаден на {date}", + "delete_failed": "Възникна грешка при изтриването на кода за достъп.", + "description": "Създайте дългосрочни кодове за достъп за да могат скриптовете Ви да взаимодействат с Home Assistant. Всеки код е валиден за 10 години от създаването си. Следните дългосрочни кодове са активни в момента.", + "empty_state": "Все още нямате дългосрочни кодове за достъп.", + "header": "Дългосрочни кодове за достъп", + "last_used": "Последно използван на {date} от {location}", + "learn_auth_requests": "Научете се как да правите оторизирани заявки.", + "not_used": "Никога не е бил използван", + "prompt_copy_token": "Копирайте кода си за достъп. Той няма да бъде показан отново.", + "prompt_name": "Име?" + }, + "mfa_setup": { + "close": "Затвори", + "step_done": "Настройката е извършена за {step}", + "submit": "Изпращане", + "title_aborted": "Преустановено", + "title_success": "Успех!" + }, + "mfa": { + "confirm_disable": "Сигурни ли сте, че искате да деактивирате {name}?", + "disable": "Деактивиране", + "enable": "Активиране", + "header": "Модули за много-факторна аутентикация" + }, + "push_notifications": { + "description": "Изпращане на известия до това устройство.", + "error_load_platform": "Конфигуриране на notify.html5.", + "error_use_https": "Изисква наличен SSL за уеб-интерфейса.", + "header": "Известия", + "link_promo": "Научете повече", + "push_notifications": "Известия" + }, + "refresh_tokens": { + "confirm_delete": "Сигурни ли сте, че искате да изтриете кода за опресняване за {name}?", + "created_at": "Създаден на {date}", + "current_token_tooltip": "Не може да се изтрие текущия код за опресняване", + "delete_failed": "Възникна грешка при изтриването на кода за опресняване.", + "description": "Всеки код за опресняване представлява оторизирана сесия. Кодовете за опресняване се премахват, когато натиснете \"Изход\". Следните кодове за опресняване са активни във Вашия акаунт.", + "header": "Кодове за опресняване", + "last_used": "Последно използван на {date} от {location}", + "not_used": "Никога не е бил използван", + "token_title": "Код за опресняване за {clientId}" + }, + "themes": { + "dropdown_label": "Тема", + "error_no_theme": "Няма налични теми.", + "header": "Тема", + "link_promo": "Научете повече за темите" + } + }, + "shopping-list": { + "add_item": "Добави артикул", + "clear_completed": "Изчистването завършено", + "microphone_tip": "Докоснете микрофона горе вдясно и кажете \"Add candy to my shopping list\"" } - } - }, - "groups": { - "system-admin": "Администратори", - "system-users": "Потребители", - "system-read-only": "Потребители с достъп само за четене" - }, - "config_entry": { - "disabled_by": { - "user": "Потребител", - "integration": "Интеграция", - "config_entry": "Конфигурационен запис" + }, + "sidebar": { + "external_app_configuration": "Конфигурация на приложение", + "log_out": "Изход" } } } \ No newline at end of file diff --git a/translations/bs.json b/translations/bs.json index ca87087641..fd567bc146 100644 --- a/translations/bs.json +++ b/translations/bs.json @@ -1,51 +1,112 @@ { + "domain": { + "alarm_control_panel": "Centralni sistem za alarm", + "automation": "Automatizacija", + "binary_sensor": "Binarni senzor", + "calendar": "Kalendar", + "camera": "Kamera", + "climate": "Klima", + "configurator": "Konfigurator", + "conversation": "Razgovor", + "cover": "Poklopac", + "device_tracker": "Praćenje uređaja", + "fan": "Ventilator", + "group": "Grupa", + "history_graph": "Grafik istorije", + "image_processing": "Obrada slike", + "input_boolean": "Unos boolean", + "input_datetime": "Unos datuma", + "input_number": "Unos broja", + "input_select": "Unos izbora", + "input_text": "Unos teksta", + "light": "Svjetlo", + "lock": "Zaključaj", + "mailbox": "Poštansko sanduče", + "media_player": "Media player", + "notify": "Obavjesti", + "plant": "Biljka", + "proximity": "Udaljenost", + "remote": "Daljinski", + "scene": "Scena", + "script": "Skripta", + "sensor": "Senzor", + "sun": "Sunce", + "switch": "Prekidač", + "updater": "Updater", + "weblink": "Weblink", + "zwave": "Z-Wave" + }, "panel": { "config": "Konfiguracija", - "states": "Pregled", - "map": "Karta", - "logbook": "Dnevnik", - "history": "Istorija", - "mailbox": "Poštansko sanduče", - "shopping_list": "Spisak za kupovinu", "dev-info": "Info", - "developer_tools": "Alatke za razvoj" + "developer_tools": "Alatke za razvoj", + "history": "Istorija", + "logbook": "Dnevnik", + "mailbox": "Poštansko sanduče", + "map": "Karta", + "shopping_list": "Spisak za kupovinu", + "states": "Pregled" }, - "state": { - "default": { - "off": "Isključen", - "on": "Uključen", - "unknown": "Nepoznat", - "unavailable": "Nedostupan" - }, + "state_badge": { "alarm_control_panel": { "armed": "Aktiviran", - "disarmed": "Deaktiviran", + "armed_away": "Aktiviran", + "armed_custom_bypass": "Aktiviran", "armed_home": "Aktiviran kod kuće", - "armed_away": "Aktiviran izvan kuće", - "armed_night": "Aktiviran noću", - "pending": "U isčekivanju", + "armed_night": "Aktiviran", "arming": "Aktivacija", + "disarmed": "Deaktiviran", "disarming": "Deaktivacija", - "triggered": "Pokrenut", - "armed_custom_bypass": "Aktiviran pod specijalnim rezimom" + "pending": "Na čekanju", + "triggered": "Započet" + }, + "default": { + "unavailable": "Nedostupan", + "unknown": "Nepoznat" + }, + "device_tracker": { + "home": "Kod kuće", + "not_home": "Odsutan" + } + }, + "state": { + "alarm_control_panel": { + "armed": "Aktiviran", + "armed_away": "Aktiviran izvan kuće", + "armed_custom_bypass": "Aktiviran pod specijalnim rezimom", + "armed_home": "Aktiviran kod kuće", + "armed_night": "Aktiviran noću", + "arming": "Aktivacija", + "disarmed": "Deaktiviran", + "disarming": "Deaktivacija", + "pending": "U isčekivanju", + "triggered": "Pokrenut" }, "automation": { "off": "Isključen", "on": "Uključen" }, "binary_sensor": { + "battery": { + "off": "Normalno", + "on": "Nisko" + }, + "connectivity": { + "off": "Nepovezan", + "on": "Povezan" + }, "default": { "off": "Isključen", "on": "Uključen" }, - "moisture": { - "off": "Suho", - "on": "Mokar" - }, "gas": { "off": "Čist", "on": "Otkriven" }, + "moisture": { + "off": "Suho", + "on": "Mokar" + }, "motion": { "off": "Čist", "on": "Otkriven" @@ -54,6 +115,22 @@ "off": "Čist", "on": "Otkriven" }, + "opening": { + "off": "Zatvoren", + "on": "Otvoren" + }, + "presence": { + "off": "Odsutan", + "on": "Kod kuće" + }, + "problem": { + "off": "OK", + "on": "Problem" + }, + "safety": { + "off": "Siguran", + "on": "Nesiguran" + }, "smoke": { "off": "Čist", "on": "Otkriven" @@ -65,30 +142,6 @@ "vibration": { "off": "Čist", "on": "Otkriven" - }, - "opening": { - "off": "Zatvoren", - "on": "Otvoren" - }, - "safety": { - "off": "Siguran", - "on": "Nesiguran" - }, - "presence": { - "off": "Odsutan", - "on": "Kod kuće" - }, - "battery": { - "off": "Normalno", - "on": "Nisko" - }, - "problem": { - "off": "OK", - "on": "Problem" - }, - "connectivity": { - "off": "Nepovezan", - "on": "Povezan" } }, "calendar": { @@ -96,37 +149,43 @@ "on": "Uključen" }, "camera": { + "idle": "Besposlen", "recording": "Snimanje", - "streaming": "Predaja slike", - "idle": "Besposlen" + "streaming": "Predaja slike" }, "climate": { - "off": "Isključen", - "on": "Uključen", - "heat": "Toplota", - "cool": "Hladno", - "idle": "Besposlen", "auto": "Auto", + "cool": "Hladno", "dry": "Suh", - "fan_only": "Samo ventilator", "eco": "Eko", "electric": "Električni", - "performance": "Performans", - "high_demand": "Velika potražnja", + "fan_only": "Samo ventilator", + "gas": "Gas", + "heat": "Toplota", "heat_pump": "Pumpa za toplotu", - "gas": "Gas" + "high_demand": "Velika potražnja", + "idle": "Besposlen", + "off": "Isključen", + "on": "Uključen", + "performance": "Performans" }, "configurator": { "configure": "Podesite", "configured": "Konfigurirano" }, "cover": { - "open": "Otvoren", - "opening": "Otvoreno", "closed": "Zatvoren", "closing": "Zatvoreno", + "open": "Otvoren", + "opening": "Otvoreno", "stopped": "Zaustavljen" }, + "default": { + "off": "Isključen", + "on": "Uključen", + "unavailable": "Nedostupan", + "unknown": "Nepoznat" + }, "device_tracker": { "home": "Kod kuće", "not_home": "Odsutan" @@ -136,19 +195,19 @@ "on": "Uključen" }, "group": { - "off": "Isključen", - "on": "Uključen", - "home": "Kod kuće", - "not_home": "Odsutan", - "open": "Otvoren", - "opening": "Otvoreno", "closed": "Zatvoren", "closing": "Zatvoreno", - "stopped": "Zaustavljen", + "home": "Kod kuće", "locked": "Zaključan", - "unlocked": "Otključan", + "not_home": "Odsutan", + "off": "Isključen", "ok": "OK", - "problem": "Problem" + "on": "Uključen", + "open": "Otvoren", + "opening": "Otvoreno", + "problem": "Problem", + "stopped": "Zaustavljen", + "unlocked": "Otključan" }, "input_boolean": { "off": "Isključen", @@ -163,11 +222,11 @@ "unlocked": "Otključan" }, "media_player": { + "idle": "Besposlen", "off": "Isključen", "on": "Uključen", - "playing": "Prikazuje", "paused": "Pauziran", - "idle": "Besposlen", + "playing": "Prikazuje", "standby": "U stanju čekanja" }, "plant": { @@ -199,138 +258,79 @@ }, "zwave": { "default": { - "initializing": "Inicijalizacija", "dead": "Mrtav", - "sleeping": "Spava", - "ready": "Spreman" + "initializing": "Inicijalizacija", + "ready": "Spreman", + "sleeping": "Spava" }, "query_stage": { - "initializing": "Inicijalizacija ( {query_stage} )", - "dead": "Mrtav ({query_stage})" + "dead": "Mrtav ({query_stage})", + "initializing": "Inicijalizacija ( {query_stage} )" } } }, - "state_badge": { - "default": { - "unknown": "Nepoznat", - "unavailable": "Nedostupan" - }, - "alarm_control_panel": { - "armed": "Aktiviran", - "disarmed": "Deaktiviran", - "armed_home": "Aktiviran kod kuće", - "armed_away": "Aktiviran", - "armed_night": "Aktiviran", - "pending": "Na čekanju", - "arming": "Aktivacija", - "disarming": "Deaktivacija", - "triggered": "Započet", - "armed_custom_bypass": "Aktiviran" - }, - "device_tracker": { - "home": "Kod kuće", - "not_home": "Odsutan" - } - }, "ui": { + "common": { + "cancel": "Odustani", + "loading": "Učitava" + }, + "duration": { + "day": "{count} {count, plural,\\n one {dan}\\n other {dana}\\n}", + "second": "{count} {count, plural,\\n one {sekunda}\\n other {sekundi}\\n}", + "week": "{count} {count, plural,\\n one {sedmica}\\n other {sedmice}\\n}" + }, "panel": { - "shopping-list": { - "clear_completed": "Čišćenje završeno", - "add_item": "Dodajte objekat", - "microphone_tip": "Dodirnite mikrofon u gornjem desnom uglu i recite “Add candy to my shopping list”" + "config": { + "cloud": { + "caption": "Home Assistant Cloud" + }, + "zwave": { + "caption": "Z-Wave", + "node_config": { + "set_config_parameter": "Podesite parametar Config" + } + } }, "developer-tools": { "tabs": { + "events": { + "title": "Događanja" + }, + "mqtt": { + "title": "MQTT" + }, "services": { "title": "Usluge" }, "states": { "title": "Statusi" }, - "events": { - "title": "Događanja" - }, "templates": { "title": "Predlošci" - }, - "mqtt": { - "title": "MQTT" } } }, "history": { - "showing_entries": "Prikaži rezutate za", - "period": "Period" + "period": "Period", + "showing_entries": "Prikaži rezutate za" }, "logbook": { "showing_entries": "Prikaži rezutate za" }, "mailbox": { - "empty": "Nemate poruke", - "playback_title": "Poruku preslušati", + "delete_button": "Izbriši", "delete_prompt": "Izbriši ovu poruku?", - "delete_button": "Izbriši" + "empty": "Nemate poruke", + "playback_title": "Poruku preslušati" }, - "config": { - "zwave": { - "caption": "Z-Wave", - "node_config": { - "set_config_parameter": "Podesite parametar Config" - } - }, - "cloud": { - "caption": "Home Assistant Cloud" - } + "shopping-list": { + "add_item": "Dodajte objekat", + "clear_completed": "Čišćenje završeno", + "microphone_tip": "Dodirnite mikrofon u gornjem desnom uglu i recite “Add candy to my shopping list”" } }, "sidebar": { "log_out": "Izlaz" - }, - "common": { - "loading": "Učitava", - "cancel": "Odustani" - }, - "duration": { - "day": "{count} {count, plural,\n one {dan}\n other {dana}\n}", - "week": "{count} {count, plural,\n one {sedmica}\n other {sedmice}\n}", - "second": "{count} {count, plural,\n one {sekunda}\n other {sekundi}\n}" } - }, - "domain": { - "alarm_control_panel": "Centralni sistem za alarm", - "automation": "Automatizacija", - "binary_sensor": "Binarni senzor", - "calendar": "Kalendar", - "camera": "Kamera", - "climate": "Klima", - "configurator": "Konfigurator", - "conversation": "Razgovor", - "cover": "Poklopac", - "device_tracker": "Praćenje uređaja", - "fan": "Ventilator", - "history_graph": "Grafik istorije", - "group": "Grupa", - "image_processing": "Obrada slike", - "input_boolean": "Unos boolean", - "input_datetime": "Unos datuma", - "input_select": "Unos izbora", - "input_number": "Unos broja", - "input_text": "Unos teksta", - "light": "Svjetlo", - "lock": "Zaključaj", - "mailbox": "Poštansko sanduče", - "media_player": "Media player", - "notify": "Obavjesti", - "plant": "Biljka", - "proximity": "Udaljenost", - "remote": "Daljinski", - "scene": "Scena", - "script": "Skripta", - "sensor": "Senzor", - "sun": "Sunce", - "switch": "Prekidač", - "updater": "Updater", - "weblink": "Weblink", - "zwave": "Z-Wave" } } \ No newline at end of file diff --git a/translations/ca.json b/translations/ca.json index 47773bef61..16b0b15ecd 100644 --- a/translations/ca.json +++ b/translations/ca.json @@ -1,53 +1,193 @@ { - "panel": { - "config": "Configuració", - "states": "Visualització general", - "map": "Mapa", - "logbook": "Diari de registre", - "history": "Historial", + "attribute": { + "weather": { + "humidity": "Humitat", + "visibility": "Visibilitat", + "wind_speed": "Velocitat del vent" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Entrada de configuració", + "integration": "Integració", + "user": "Usuari" + } + }, + "domain": { + "alarm_control_panel": "Panell de control d'alarma", + "automation": "Automatització", + "binary_sensor": "Sensor binari", + "calendar": "Calendari", + "camera": "Càmera", + "climate": "Climatització", + "configurator": "Configurador", + "conversation": "Conversa", + "cover": "Coberta", + "device_tracker": "Seguiment de dispositius", + "fan": "Ventiladors", + "group": "Grups", + "hassio": "Hass.io", + "history_graph": "Gràfics històrics", + "homeassistant": "Home Assistant", + "image_processing": "Processament d'imatges", + "input_boolean": "Entrada booleana", + "input_datetime": "Entrada de data i hora", + "input_number": "Entrada numèrica", + "input_select": "Entrada de selecció", + "input_text": "Entrada de text", + "light": "Llums", + "lock": "Panys", + "lovelace": "Lovelace", "mailbox": "Bústia", - "shopping_list": "Llista de la compra", + "media_player": "Reproductor multimèdia", + "notify": "Notificacions", + "person": "Persona", + "plant": "Planta", + "proximity": "Proximitat", + "remote": "Comandaments", + "scene": "Escenes", + "script": "Programes (scripts)", + "sensor": "Sensors", + "sun": "Sol", + "switch": "Interruptors", + "system_health": "Estat del Sistema", + "updater": "Actualitzador", + "vacuum": "Aspiradora", + "weblink": "Enllaços web", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Administradors", + "system-read-only": "Usuaris de només lectura", + "system-users": "Usuaris" + }, + "panel": { + "calendar": "Calendari", + "config": "Configuració", "dev-info": "Informació", "developer_tools": "Eines per a desenvolupadors", - "calendar": "Calendari", - "profile": "Perfil" + "history": "Historial", + "logbook": "Diari de registre", + "mailbox": "Bústia", + "map": "Mapa", + "profile": "Perfil", + "shopping_list": "Llista de la compra", + "states": "Visualització general" + }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Automàtic", + "off": "Desactivat", + "on": "Activat" + }, + "hvac_action": { + "cooling": "Refredant", + "drying": "Assecant", + "fan": "Ventilació", + "heating": "Escalfant", + "idle": "Inactiu", + "off": "Apagat" + }, + "preset_mode": { + "activity": "Activitat", + "away": "Absent", + "boost": "Incrementat", + "comfort": "Confort", + "eco": "Econòmic", + "home": "A casa", + "none": "Cap", + "sleep": "Dormint" + } + } + }, + "state_badge": { + "alarm_control_panel": { + "armed": "Activad.", + "armed_away": "Activad.", + "armed_custom_bypass": "Activad.", + "armed_home": "Activad.", + "armed_night": "Activad.", + "arming": "Activan.", + "disarmed": "Desacti.", + "disarming": "Desacti.", + "pending": "Pendent", + "triggered": "Dispara." + }, + "default": { + "entity_not_found": "Entitat no trobada", + "error": "Error", + "unavailable": "No disp.", + "unknown": "Descon." + }, + "device_tracker": { + "home": "A casa", + "not_home": "Fora" + }, + "person": { + "home": "A casa", + "not_home": "Fora" + } }, "state": { - "default": { - "off": "Desactivat", - "on": "Activat", - "unknown": "Desconegut", - "unavailable": "No disponible" - }, "alarm_control_panel": { "armed": "Activada", - "disarmed": "Desactivada", - "armed_home": "Activada, mode a casa", "armed_away": "Activada, mode fora", + "armed_custom_bypass": "Activada, bypass personalitzat", + "armed_home": "Activada, mode a casa", "armed_night": "Activada, mode nocturn", - "pending": "Pendent", "arming": "Activant", + "disarmed": "Desactivada", "disarming": "Desactivant", - "triggered": "Disparada", - "armed_custom_bypass": "Activada, bypass personalitzat" + "pending": "Pendent", + "triggered": "Disparada" }, "automation": { "off": "Desactivat", "on": "Activat" }, "binary_sensor": { + "battery": { + "off": "Normal", + "on": "Baixa" + }, + "cold": { + "off": "Normal", + "on": "Fred" + }, + "connectivity": { + "off": "Desconnectat", + "on": "Connectat" + }, "default": { "off": "Desactivat", "on": "Activat" }, - "moisture": { - "off": "Sec", - "on": "Humit" + "door": { + "off": "Tancada", + "on": "Oberta" + }, + "garage_door": { + "off": "Tancada", + "on": "Oberta" }, "gas": { "off": "Lliure", "on": "Detectat" }, + "heat": { + "off": "Normal", + "on": "Calent" + }, + "lock": { + "off": "Bloquejat", + "on": "Desbloquejat" + }, + "moisture": { + "off": "Sec", + "on": "Humit" + }, "motion": { "off": "Lliure", "on": "Detectat" @@ -56,6 +196,22 @@ "off": "Lliure", "on": "Detectat" }, + "opening": { + "off": "Tancat", + "on": "Obert" + }, + "presence": { + "off": "Lliure", + "on": "Detectat" + }, + "problem": { + "off": "Correcte", + "on": "Problema" + }, + "safety": { + "off": "Segur", + "on": "No segur" + }, "smoke": { "off": "Lliure", "on": "Detectat" @@ -68,53 +224,9 @@ "off": "Lliure", "on": "Detectat" }, - "opening": { - "off": "Tancat", - "on": "Obert" - }, - "safety": { - "off": "Segur", - "on": "No segur" - }, - "presence": { - "off": "Lliure", - "on": "Detectat" - }, - "battery": { - "off": "Normal", - "on": "Baixa" - }, - "problem": { - "off": "Correcte", - "on": "Problema" - }, - "connectivity": { - "off": "Desconnectat", - "on": "Connectat" - }, - "cold": { - "off": "Normal", - "on": "Fred" - }, - "door": { - "off": "Tancada", - "on": "Oberta" - }, - "garage_door": { - "off": "Tancada", - "on": "Oberta" - }, - "heat": { - "off": "Normal", - "on": "Calent" - }, "window": { "off": "Tancada", "on": "Oberta" - }, - "lock": { - "off": "Bloquejat", - "on": "Desbloquejat" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "Activat" }, "camera": { + "idle": "Inactiu", "recording": "Enregistrant", - "streaming": "Transmetent vídeo", - "idle": "Inactiu" + "streaming": "Transmetent vídeo" }, "climate": { - "off": "Apagat", - "on": "Encès", - "heat": "Escalfar", - "cool": "Refredar", - "idle": "Inactiu", "auto": "Automàtic", + "cool": "Refredar", "dry": "Assecar", - "fan_only": "Només ventilador", "eco": "Econòmic", "electric": "Elèctric", - "performance": "Rendiment", - "high_demand": "Alta potència", - "heat_pump": "Bomba de calor", + "fan_only": "Només ventilador", "gas": "Gas", + "heat": "Escalfar", + "heat_cool": "Escalfar\/Refredar", + "heat_pump": "Bomba de calor", + "high_demand": "Alta potència", + "idle": "Inactiu", "manual": "Manual", - "heat_cool": "Escalfar\/Refredar" + "off": "Apagat", + "on": "Encès", + "performance": "Rendiment" }, "configurator": { "configure": "Configurar", "configured": "Configurat" }, "cover": { - "open": "Oberta", - "opening": "Obrint", "closed": "Tancada", "closing": "Tancant", + "open": "Oberta", + "opening": "Obrint", "stopped": "Aturat" }, + "default": { + "off": "Desactivat", + "on": "Activat", + "unavailable": "No disponible", + "unknown": "Desconegut" + }, "device_tracker": { "home": "A casa", "not_home": "Fora" @@ -164,19 +282,19 @@ "on": "Encès" }, "group": { - "off": "Desactivat", - "on": "Activat", - "home": "A casa", - "not_home": "Fora", - "open": "Obert", - "opening": "Obrint", "closed": "Tancat", "closing": "Tancant", - "stopped": "Aturat", + "home": "A casa", "locked": "Bloquejat", - "unlocked": "Desbloquejat", + "not_home": "Fora", + "off": "Desactivat", "ok": "Correcte", - "problem": "Problema" + "on": "Activat", + "open": "Obert", + "opening": "Obrint", + "problem": "Problema", + "stopped": "Aturat", + "unlocked": "Desbloquejat" }, "input_boolean": { "off": "Desactivat", @@ -191,13 +309,17 @@ "unlocked": "Desbloquejat" }, "media_player": { + "idle": "Inactiu", "off": "Apagat", "on": "Encès", - "playing": "Reproduint", "paused": "Pausat", - "idle": "Inactiu", + "playing": "Reproduint", "standby": "En espera" }, + "person": { + "home": "A casa", + "not_home": "Fora" + }, "plant": { "ok": "Correcte", "problem": "Problema" @@ -225,34 +347,10 @@ "off": "Apagat", "on": "Encès" }, - "zwave": { - "default": { - "initializing": "Inicialitzant", - "dead": "No disponible", - "sleeping": "Dormint", - "ready": "A punt" - }, - "query_stage": { - "initializing": "Inicialitzant ({query_stage})", - "dead": "No disponible ({query_stage})" - } - }, - "weather": { - "clear-night": "Serè, nit", - "cloudy": "Ennuvolat", - "fog": "Boira", - "hail": "Calamarsa", - "lightning": "Llamps", - "lightning-rainy": "Tempesta", - "partlycloudy": "Parcialment ennuvolat", - "pouring": "Pluja", - "rainy": "Plujós", - "snowy": "Neu", - "snowy-rainy": "Aiguaneu", - "sunny": "Assolellat", - "windy": "Ventós", - "windy-variant": "Ventós", - "exceptional": "Excepcional" + "timer": { + "active": "actiu", + "idle": "inactiu", + "paused": "en pausa" }, "vacuum": { "cleaning": "Netejant", @@ -264,362 +362,421 @@ "paused": "Pausada", "returning": "Retornant a la base" }, - "timer": { - "active": "actiu", - "idle": "inactiu", - "paused": "en pausa" + "weather": { + "clear-night": "Serè, nit", + "cloudy": "Ennuvolat", + "exceptional": "Excepcional", + "fog": "Boira", + "hail": "Calamarsa", + "lightning": "Llamps", + "lightning-rainy": "Tempesta", + "partlycloudy": "Parcialment ennuvolat", + "pouring": "Pluja", + "rainy": "Plujós", + "snowy": "Neu", + "snowy-rainy": "Aiguaneu", + "sunny": "Assolellat", + "windy": "Ventós", + "windy-variant": "Ventós" }, - "person": { - "home": "A casa", - "not_home": "Fora" - } - }, - "state_badge": { - "default": { - "unknown": "Descon.", - "unavailable": "No disp.", - "error": "Error", - "entity_not_found": "Entitat no trobada" - }, - "alarm_control_panel": { - "armed": "Activad.", - "disarmed": "Desacti.", - "armed_home": "Activad.", - "armed_away": "Activad.", - "armed_night": "Activad.", - "pending": "Pendent", - "arming": "Activan.", - "disarming": "Desacti.", - "triggered": "Dispara.", - "armed_custom_bypass": "Activad." - }, - "device_tracker": { - "home": "A casa", - "not_home": "Fora" - }, - "person": { - "home": "A casa", - "not_home": "Fora" + "zwave": { + "default": { + "dead": "No disponible", + "initializing": "Inicialitzant", + "ready": "A punt", + "sleeping": "Dormint" + }, + "query_stage": { + "dead": "No disponible ({query_stage})", + "initializing": "Inicialitzant ({query_stage})" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Elimina els completats", - "add_item": "Afegir article", - "microphone_tip": "Clica el micròfon a la part superior dreta i digues \"Add candy to my shopping list\"" + "auth_store": { + "ask": "Vols desar aquest inici de sessió?", + "confirm": "Desa inici de sessió", + "decline": "No, gràcies" + }, + "card": { + "alarm_control_panel": { + "arm_away": "Activar, fora", + "arm_custom_bypass": "Bypass personalitzat", + "arm_home": "Activar, a casa", + "arm_night": "Activar, nocturn", + "armed_custom_bypass": "Bypass personalitzat", + "clear_code": "Borrar", + "code": "Codi", + "disarm": "Desactivar" }, - "developer-tools": { - "tabs": { - "services": { - "title": "Serveis", - "description": "L'eina Serveis et permet fer crides a qualsevol servei disponible a Home Assistant.", - "data": "Dades del servei (en YAML, opcionals)", - "call_service": "Crida servei", - "select_service": "Selecciona un servei per veure'n la descripció", - "no_description": "No hi ha cap descripció disponible", - "no_parameters": "Aquest servei no té paràmetres.", - "column_parameter": "Paràmetre", - "column_description": "Descripció", - "column_example": "Exemple", - "fill_example_data": "Omple amb dades d’exemple", - "alert_parsing_yaml": "S'ha produït un error analitzant el codi YAML: {data}" - }, - "states": { - "title": "Estats", - "description1": "Defineix la representació d'un dispositiu a Home Assistant.", - "description2": "No hi haurà cap comunicació amb el dispositiu real.", - "entity": "Entitat", - "state": "Estat", - "attributes": "Atributs", - "state_attributes": "Atributs d'estats (en YAML, opcionals)", - "set_state": "Estableix estat", - "current_entities": "Entitats actuals", - "filter_entities": "Filtra entitats", - "filter_states": "Filtra estats", - "filter_attributes": "Filtra atributs", - "no_entities": "No hi ha entitats", - "more_info": "Més informació", - "alert_entity_field": "L’entitat és un camp obligatori" - }, - "events": { - "title": "Esdeveniments", - "description": "Crida un esdeveniment al bus d'esdeveniments.", - "documentation": "Documentació d'esdeveniments.", - "type": "Tipus d'esdeveniment", - "data": "Dades de l'esdeveniment (en YAML, opcionals)", - "fire_event": "Crida esdeveniment", - "event_fired": "Esdeveniment {name} cridat", - "available_events": "Esdeveniments disponibles", - "count_listeners": " ({count} oients)", - "listen_to_events": "Escolta esdeveniments", - "listening_to": "Escoltant a", - "subscribe_to": "Esdeveniment al qual subscriure's", - "start_listening": "Comença a escoltar", - "stop_listening": "Deixa d’escoltar", - "alert_event_type": "El tipus d'esdeveniment és un camp obligatori", - "notification_event_fired": "L'esdeveniment {type} s'ha cridat correctament" - }, - "templates": { - "title": "Plantilla", - "description": "Les plantilles es renderitzen mitjançant el motor Jinja2 amb algunes extensions específiques de Home Assistant.", - "editor": "Editor de plantilles", - "jinja_documentation": "Documentació sobre plantilles amb Jinja2", - "template_extensions": "Extensions de plantilla de Home Assistant", - "unknown_error_template": "Error desconegut renderitzant plantilla" - }, - "mqtt": { - "title": "MQTT", - "description_publish": "Publicació d'un paquet", - "topic": "tòpic", - "payload": "Dades\/missatge (plantilla permesa)", - "publish": "Publica", - "description_listen": "Escolta d'un tòpic", - "listening_to": "Escoltant a", - "subscribe_to": "Tòpic al qual subscriure's", - "start_listening": "Comença a escoltar", - "stop_listening": "Deixa d’escoltar", - "message_received": "Missatge {id} rebut a {topic} a les {time}:" - }, - "info": { - "title": "Informació", - "remove": "Elimina", - "set": "Estableix", - "default_ui": "{action} {name} com a pàgina predeterminada del dispositiu", - "lovelace_ui": "Vés a la UI Lovelace", - "states_ui": "Vés a la UI d’estats", - "home_assistant_logo": "Logotip de Home Assistant", - "path_configuration": "Ruta al fitxer configuration.yaml: {path}", - "developed_by": "Desenvolupat per un munt de gent fantàstica.", - "license": "Publicat amb la llicència Apache 2.0", - "source": "Font:", - "server": "servidor", - "frontend": "frontend-ui", - "built_using": "Creat utilitzant", - "icons_by": "Icones de", - "frontend_version": "Versió de la interfície web d'usuari: {version} - {type}", - "custom_uis": "Interfícies d'usuari personalitzades:", - "system_health_error": "El component Estat del Sistema no està configurat. Afegeix 'system_health:' a configuration.yaml" - }, - "logs": { - "title": "Registres", - "details": "Detalls del registre ({level})", - "load_full_log": "Carrega el registre complet de Home Assistant", - "loading_log": "Carregant el registre d'errors...", - "no_errors": "No s'ha informat de cap error.", - "no_issues": "No hi ha registres nous!", - "clear": "Esborra", - "refresh": "Actualitza", - "multiple_messages": "missatge produit per primera vegada a les {time}, apareix {counter} vegades" - } + "automation": { + "last_triggered": "Última execució", + "trigger": "Executar" + }, + "camera": { + "not_available": "Imatge no disponible" + }, + "climate": { + "aux_heat": "Calefactor auxiliar", + "away_mode": "Mode absent", + "cooling": "{name} refredant", + "current_temperature": "Temperatura actual de {name}", + "currently": "Actual", + "fan_mode": "Mode ventilació", + "heating": "{name} escalfant", + "high": "alt", + "low": "baix", + "on_off": "On \/ Off", + "operation": "Funcionament", + "preset_mode": "Programat", + "swing_mode": "Mode oscil·lació", + "target_humidity": "Humitat desitjada", + "target_temperature": "Temperatura desitjada", + "target_temperature_entity": "Temperatura objectiu de {name}" + }, + "counter": { + "actions": { + "decrement": "decreixement", + "increment": "increment", + "reset": "restablir" } }, - "history": { - "showing_entries": "Mostrant entrades de", - "period": "Període" + "cover": { + "position": "Posició", + "tilt_position": "Inclinació" }, - "logbook": { - "showing_entries": "Mostrant entrades de", - "period": "Període" + "fan": { + "direction": "Direcció", + "forward": "Endavant", + "oscillate": "Oscil·lació", + "reverse": "Invers", + "speed": "Velocitat" }, - "mailbox": { - "empty": "No tens missatges", - "playback_title": "Reproducció de missatges", - "delete_prompt": "Vols eliminar aquest missatge?", - "delete_button": "Elimina" + "light": { + "brightness": "Brillantor", + "color_temperature": "Temperatura de color", + "effect": "Efecte", + "white_value": "Ajust de blanc" }, - "config": { - "header": "Configuració de Home Assistant", - "introduction": "Aquí pots configurar Home Assistant i els seus components. Encara no és possible configurar-ho tot des de la interfície d'usuari, però hi estem treballant.", - "core": { - "caption": "General", - "description": "Canvia la configuració general de Home Assistant", - "section": { - "core": { - "header": "Configuració general", - "introduction": "Sabem que canviar la configuració pot ser un procés molest. Aquesta secció intenta facilitar-te una mica més la vida.", - "core_config": { - "edit_requires_storage": "L'editor està desactivat ja que la configuració es troba a configuration.yaml.", - "location_name": "Nom de la instal·lació de Home Assistant", - "latitude": "Latitud", - "longitude": "Longitud", - "elevation": "Altitud", - "elevation_meters": "metres", - "time_zone": "Zona horària", - "unit_system": "Sistema d'unitats", - "unit_system_imperial": "Imperial", - "unit_system_metric": "Mètric", - "imperial_example": "Fahrenheit, lliures", - "metric_example": "Celsius, quilograms", - "save_button": "Desa" - } - }, - "server_control": { - "validation": { - "heading": "Validació de la configuració", - "introduction": "Valida la configuració si recentment has fet algun canvi a la configuració i vols assegurar-te de que no té problemes.", - "check_config": "Comprova la configuració", - "valid": "La configuració és vàlida!", - "invalid": "La configuració és invàlida" - }, - "reloading": { - "heading": "Recàrrega de la configuració", - "introduction": "Algunes parts de la configuració de Home Assistant es poden recarregar sense necessitat de reiniciar-les. Les opcions de sota esborraran la configuració antiga i carregaran la nova.", - "core": "Recarrega el nucli", - "group": "Recarrega grups", - "automation": "Recarrega automatitzacions", - "script": "Recarrega programes" - }, - "server_management": { - "heading": "Gestió del servidor", - "introduction": "Controla el servidor de Home Assistant... des de Home Assistant.", - "restart": "Reinicia", - "stop": "Atura" - } - } - } + "lock": { + "code": "Codi", + "lock": "Bloquejar", + "unlock": "Desbloquejar" + }, + "media_player": { + "sound_mode": "Mode de so", + "source": "Entrada", + "text_to_speak": "Text a veu" + }, + "persistent_notification": { + "dismiss": "Desestimar" + }, + "scene": { + "activate": "Activar" + }, + "script": { + "execute": "Executar" + }, + "timer": { + "actions": { + "cancel": "cancel·la", + "finish": "finalitza", + "pause": "pausa", + "start": "inicia" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Reprendre neteja", + "return_to_base": "Retornar a la base", + "start_cleaning": "Començar neteja", + "turn_off": "Apagar", + "turn_on": "Encendre" + } + }, + "water_heater": { + "away_mode": "Mode fora", + "currently": "Actual", + "on_off": "On \/ Off", + "operation": "Funcionament", + "target_temperature": "Temperatura desitjada" + }, + "weather": { + "attributes": { + "air_pressure": "Pressió atmosfèrica", + "humidity": "Humitat", + "temperature": "Temperatura", + "visibility": "Visibilitat", + "wind_speed": "Velocitat del vent" }, - "customize": { - "caption": "Personalització", - "description": "Personalitza les entitats", + "cardinal_direction": { + "e": "E", + "ene": "ENE", + "ese": "ESE", + "n": "N", + "ne": "NE", + "nne": "NNE", + "nnw": "NNO", + "nw": "NO", + "s": "S", + "se": "SE", + "sse": "SSE", + "ssw": "SSO", + "sw": "SO", + "w": "O", + "wnw": "ONO", + "wsw": "OSO" + }, + "forecast": "Previsió" + } + }, + "common": { + "cancel": "Cancel·la", + "loading": "Carregant", + "no": "No", + "save": "Desa", + "successfully_saved": "S'ha desat correctament", + "yes": "Sí" + }, + "components": { + "device-picker": { + "clear": "Esborra", + "show_devices": "Mostra dispositius" + }, + "entity": { + "entity-picker": { + "clear": "Esborra", + "entity": "Entitat", + "show_entities": "Mostra entitats" + } + }, + "history_charts": { + "loading_history": "Carregant historial d'estats...", + "no_history_found": "No s'ha trobat cap historial d'estats." + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\n one {dia}\\n other {dies}\\n}", + "hour": "{count} {count, plural,\\n one {hora}\\n other {hores}\\n}", + "minute": "{count} {count, plural,\\n one {minut}\\n other {minuts}\\n}", + "second": "{count} {count, plural,\\n one {segon}\\n other {segons}\\n}", + "week": "{count} {count, plural,\\n one {setmana}\\n other {setmanes}\\n}" + }, + "future": "D'aquí a {time}", + "never": "Mai", + "past": "Fa {time}" + }, + "service-picker": { + "service": "Servei" + } + }, + "dialogs": { + "config_entry_system_options": { + "enable_new_entities_description": "Si està desactivat, les entitats descobertes recentment no s’afegiran automàticament a Home Assistant.", + "enable_new_entities_label": "Activa entitats afegides recentment.", + "title": "Opcions de sistema" + }, + "confirmation": { + "cancel": "Cancel·la", + "ok": "D'acord", + "title": "Estàs segur?" + }, + "domain_toggler": { + "title": "Commutació de dominis" + }, + "more_info_control": { + "script": { + "last_action": "Última acció" + }, + "sun": { + "elevation": "Elevació", + "rising": "Sortint", + "setting": "Ponent-se" + }, + "updater": { + "title": "Instruccions d'actualització" + } + }, + "more_info_settings": { + "entity_id": "ID de l'entitat", + "name": "Substitució de Nom", + "save": "Desa" + }, + "options_flow": { + "form": { + "header": "Opcions" + }, + "success": { + "description": "Opcions guardades amb èxit." + } + }, + "voice_command": { + "did_not_hear": "Home Assistant no ha sentit res", + "error": "Vaja, s'ha produït un error", + "found": "He trobat el següent:", + "how_can_i_help": "Com puc ajudar-te?", + "label": "Escriu una pregunta i prem \"Enter\"", + "label_voice": "Escriu i prem \"Enter\" o toca la icona del micròfon per parlar" + }, + "zha_device_info": { + "buttons": { + "add": "Afegir dispositius", + "reconfigure": "Reconfigurar dispositiu", + "remove": "Eliminar dispositiu" + }, + "last_seen": "Vist per últim cop", + "manuf": "per {manufacturer}", + "no_area": "Sense Àrea", + "power_source": "Font d'alimentació", + "quirk": "Quirk", + "services": { + "reconfigure": "Reconfigura el dispositiu ZHA (dispositiu curatiu). Utilitza-ho si tens problemes amb el dispositiu. Si el dispositiu en qüestió està alimentat per bateria, assegura't que estigui despert i accepti ordres quan utilitzis aquest servei.", + "remove": "Elimina un dispositiu de la xarxa Zigbee.", + "updateDeviceName": "Estableix un nom personalitzat pel dispositiu al registre de dispositius." + }, + "unknown": "Desconeguda", + "zha_device_card": { + "area_picker_label": "Àrea", + "device_name_placeholder": "Nom donat per l'usuari", + "update_name_button": "Actualitzar Nom" + } + } + }, + "duration": { + "day": "{count} {count, plural,\\n one {dia}\\n other {dies}\\n}", + "hour": "{count} {count, plural,\\none {hora}\\nother {hores}\\n}", + "minute": "{count} {count, plural,\\none {minut}\\nother {minuts}\\n}", + "second": "{count} {count, plural,\\none {segon}\\nother {segons}\\n}", + "week": "{count} {count, plural,\\n one {setmana}\\n other {setmanes}\\n}" + }, + "login-form": { + "log_in": "Iniciar sessió", + "password": "Contrasenya", + "remember": "Recordar" + }, + "notification_drawer": { + "click_to_configure": "Prem el botó per configurar {entity}", + "empty": "No hi ha notificacions", + "title": "Notificacions" + }, + "notification_toast": { + "connection_lost": "Connexió perduda. Tornant a connectar...", + "entity_turned_off": "S'ha apagat {entity}.", + "entity_turned_on": "S'ha engegat {entity}.", + "service_call_failed": "Ha fallat la crida al servei {service}.", + "service_called": "S'ha cridat el servei {service}.", + "triggered": "{name} disparat\/ada" + }, + "panel": { + "config": { + "area_registry": { + "caption": "Registre d'àrees", + "create_area": "CREA ÀREA", + "description": "Visió general de totes les àrees de la casa.", + "editor": { + "create": "CREAR", + "default_name": "Àrea nova", + "delete": "ELIMINA", + "update": "ACTUALITZAR" + }, + "no_areas": "Sembla que encara no tens cap àrea!.", "picker": { - "header": "Personalització", - "introduction": "Personalitza els atributs de les entitats al teu gust. Les personalitzacions afegides\/modificades apareixeran immediatament, les que s'hagin eliminat tindran efecte quan l'entitat s'actualitzi." + "create_area": "CREAR ÀREA", + "header": "Registre d'àrees", + "integrations_page": "Pàgina d'integracions", + "introduction": "Les àrees s'utilitzen per organitzar la situació dels dispositius. Aquesta informació serà utilitzada per Home Assistant per ajudar-te a organitzar millor la teva interfície, els permisos i les integracions amb d'altres sistemes.", + "introduction2": "Per col·locar dispositius en una àrea, utilitza l'enllaç de sota per anar a la pàgina d'integracions i, a continuació, fes clic a una integració configurada per accedir a les targetes del dispositiu.", + "no_areas": "Sembla que encara no tens cap àrea!" } }, "automation": { "caption": "Automatització", "description": "Crea i edita automatitzacions", - "picker": { - "header": "Editor d'automatitzacions", - "introduction": "L'editor d'automatitzacions et permet crear i editar automatitzacions. Vés a l'enllaç de sota per veure'n les instruccions i assegurar-te que has configurat el Home Assistant correctament.", - "pick_automation": "Tria l'automatització a editar", - "no_automations": "No s'ha pogut trobar cap automatització editable", - "add_automation": "Afegeix automatització", - "learn_more": "Més informació sobre les automatitzacions" - }, "editor": { - "introduction": "Utilitza les automatitzacions per donar més vida a la teva casa", - "default_name": "Nova automatització", - "save": "Desa", - "unsaved_confirm": "Hi ha canvis no desats. Segur que vols sortir?", - "alias": "Nom", - "triggers": { - "header": "Activadors", - "introduction": "Els activadors són les regles que fan que es dispari una automatització. Pots definir més d'un activador per a cada automatització. Una vegada s'iniciï un activador, el Home Assistant validarà les condicions (si n'hi ha) i finalment cridarà l'acció.", - "add": "Afegir activador", - "duplicate": "Duplicar", + "actions": { + "add": "Afegir acció", "delete": "Elimina", "delete_confirm": "Segur que vols eliminar-ho?", - "unsupported_platform": "Plataforma {platform} no suportada.", - "type_select": "Tipus d'activador", + "duplicate": "Duplicar", + "header": "Accions", + "introduction": "Les accions són allò que farà Home Assistant quan es dispari l'automatització i es compleixin totes les condicions (si n'hi ha).", + "learn_more": "Més informació sobre les accions", + "type_select": "Tipus d'acció", "type": { + "condition": { + "label": "Condició" + }, + "delay": { + "delay": "Retard", + "label": "Retard" + }, + "device_id": { + "extra_fields": { + "code": "Codi" + }, + "label": "Dispositiu" + }, "event": { - "label": "Esdeveniment", - "event_type": "Tipus d'esdeveniment", - "event_data": "Dades de l'esdeveniment" - }, - "state": { - "label": "Estat", - "from": "Des de", - "to": "A", - "for": "Durant" - }, - "homeassistant": { - "label": "Home Assistant", "event": "Esdeveniment:", - "start": "Inici", - "shutdown": "Aturada" + "label": "Disparar esdeveniment", + "service_data": "Dades de servei" }, - "mqtt": { - "label": "MQTT", - "topic": "Topic", - "payload": "Dades\/payload (opcional)" + "scene": { + "label": "Activa escena" }, - "numeric_state": { - "label": "Estat numèric", - "above": "Per sobre de", - "below": "Per sota de", - "value_template": "Plantilla de valor (opcional)" + "service": { + "label": "Crida servei", + "service_data": "Dades de servei" }, - "sun": { - "label": "Sol", - "event": "Esdeveniment:", - "sunrise": "de l'Alba", - "sunset": "del Capvespre", - "offset": "Òfset (opcional)" - }, - "template": { - "label": "Plantilla", - "value_template": "Plantilla de valor" - }, - "time": { - "label": "Temporal", - "at": "A les" - }, - "zone": { - "label": "Zona", - "entity": "Entitat amb ubicació", - "zone": "Zona", - "event": "Esdeveniment:", - "enter": "Entra", - "leave": "Surt" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "ID de Webhook" - }, - "time_pattern": { - "label": "Patró temporal", - "hours": "Hores", - "minutes": "Minuts", - "seconds": "Segons" - }, - "geo_location": { - "label": "Geolocalització", - "source": "Font", - "zone": "Zona", - "event": "Esdeveniment:", - "enter": "Entra", - "leave": "Surt" + "wait_template": { + "label": "Espera", + "timeout": "Temps màxim d'espera (opcional)", + "wait_template": "Plantilla d'espera" + } + }, + "unsupported_action": "Acció {action} no suportada." + }, + "alias": "Nom", + "conditions": { + "add": "Afegir condició", + "delete": "Elimina", + "delete_confirm": "Segur que vols eliminar-ho?", + "duplicate": "Duplicar", + "header": "Condicions", + "introduction": "Les condicions són part opcional d'una automatització i es poden utilitzar per permetre o evitar que es produeixi una acció quan es dispari l'automatització. Les condicions són similars als activadors però funcionen de forma diferent: un activador analitza els esdeveniments que ocorren en el sistema mentre que una condició només observa com està el sistema en un moment determinat, per exemple, un activador se n'adonarà de quan s'està activant un interruptor mentre que una condició només pot veure si un interruptor està activat o desactivat.", + "learn_more": "Més informació sobre les condicions", + "type_select": "Tipus de condició", + "type": { + "and": { + "label": "I (AND lògic)" }, "device": { - "label": "Dispositiu", "extra_fields": { "above": "A sobre", "below": "A sota", "for": "Durada" - } - } - }, - "learn_more": "Més informació sobre els activadors" - }, - "conditions": { - "header": "Condicions", - "introduction": "Les condicions són part opcional d'una automatització i es poden utilitzar per permetre o evitar que es produeixi una acció quan es dispari l'automatització. Les condicions són similars als activadors però funcionen de forma diferent: un activador analitza els esdeveniments que ocorren en el sistema mentre que una condició només observa com està el sistema en un moment determinat, per exemple, un activador se n'adonarà de quan s'està activant un interruptor mentre que una condició només pot veure si un interruptor està activat o desactivat.", - "add": "Afegir condició", - "duplicate": "Duplicar", - "delete": "Elimina", - "delete_confirm": "Segur que vols eliminar-ho?", - "unsupported_condition": "Condició {condition} no suportada.", - "type_select": "Tipus de condició", - "type": { + }, + "label": "Dispositiu" + }, + "numeric_state": { + "above": "Per sobre de", + "below": "Per sota de", + "label": "Estat numèric", + "value_template": "Plantilla de valor (opcional)" + }, + "or": { + "label": "O (OR lògic)" + }, "state": { "label": "Estat", "state": "Estat" }, - "numeric_state": { - "label": "Estat numèric", - "above": "Per sobre de", - "below": "Per sota de", - "value_template": "Plantilla de valor (opcional)" - }, "sun": { - "label": "Sol", - "before": "Abans:", "after": "Després:", - "before_offset": "Òfset anterior (opcional)", "after_offset": "Òfset posterior (opcional)", + "before": "Abans:", + "before_offset": "Òfset anterior (opcional)", + "label": "Sol", "sunrise": "Alba", "sunset": "Capvespre" }, @@ -628,395 +785,599 @@ "value_template": "Plantilla de valor" }, "time": { - "label": "Temporal", "after": "Després", - "before": "Abans" + "before": "Abans", + "label": "Temporal" }, "zone": { - "label": "Zona", "entity": "Entitat amb ubicació", + "label": "Zona", "zone": "Zona" - }, + } + }, + "unsupported_condition": "Condició {condition} no suportada." + }, + "default_name": "Nova automatització", + "description": { + "label": "Descripció", + "placeholder": "Descripció opcional" + }, + "introduction": "Utilitza les automatitzacions per donar més vida a la teva casa", + "load_error_not_editable": "Només es poden editar les automatitzacions de l'arxiu automations.yaml.", + "load_error_unknown": "Error en carregar l’automatització ({err_no}).", + "save": "Desa", + "triggers": { + "add": "Afegir activador", + "delete": "Elimina", + "delete_confirm": "Segur que vols eliminar-ho?", + "duplicate": "Duplicar", + "header": "Activadors", + "introduction": "Els activadors són les regles que fan que es dispari una automatització. Pots definir més d'un activador per a cada automatització. Una vegada s'iniciï un activador, el Home Assistant validarà les condicions (si n'hi ha) i finalment cridarà l'acció.", + "learn_more": "Més informació sobre els activadors", + "type_select": "Tipus d'activador", + "type": { "device": { - "label": "Dispositiu", "extra_fields": { "above": "A sobre", "below": "A sota", "for": "Durada" - } - }, - "and": { - "label": "I (AND lògic)" - }, - "or": { - "label": "O (OR lògic)" - } - }, - "learn_more": "Més informació sobre les condicions" - }, - "actions": { - "header": "Accions", - "introduction": "Les accions són allò que farà Home Assistant quan es dispari l'automatització i es compleixin totes les condicions (si n'hi ha).", - "add": "Afegir acció", - "duplicate": "Duplicar", - "delete": "Elimina", - "delete_confirm": "Segur que vols eliminar-ho?", - "unsupported_action": "Acció {action} no suportada.", - "type_select": "Tipus d'acció", - "type": { - "service": { - "label": "Crida servei", - "service_data": "Dades de servei" - }, - "delay": { - "label": "Retard", - "delay": "Retard" - }, - "wait_template": { - "label": "Espera", - "wait_template": "Plantilla d'espera", - "timeout": "Temps màxim d'espera (opcional)" - }, - "condition": { - "label": "Condició" + }, + "label": "Dispositiu" }, "event": { - "label": "Disparar esdeveniment", + "event_data": "Dades de l'esdeveniment", + "event_type": "Tipus d'esdeveniment", + "label": "Esdeveniment" + }, + "geo_location": { + "enter": "Entra", "event": "Esdeveniment:", - "service_data": "Dades de servei" + "label": "Geolocalització", + "leave": "Surt", + "source": "Font", + "zone": "Zona" }, - "device_id": { - "label": "Dispositiu", - "extra_fields": { - "code": "Codi" - } + "homeassistant": { + "event": "Esdeveniment:", + "label": "Home Assistant", + "shutdown": "Aturada", + "start": "Inici" }, - "scene": { - "label": "Activa escena" + "mqtt": { + "label": "MQTT", + "payload": "Dades\/payload (opcional)", + "topic": "Topic" + }, + "numeric_state": { + "above": "Per sobre de", + "below": "Per sota de", + "label": "Estat numèric", + "value_template": "Plantilla de valor (opcional)" + }, + "state": { + "for": "Durant", + "from": "Des de", + "label": "Estat", + "to": "A" + }, + "sun": { + "event": "Esdeveniment:", + "label": "Sol", + "offset": "Òfset (opcional)", + "sunrise": "de l'Alba", + "sunset": "del Capvespre" + }, + "template": { + "label": "Plantilla", + "value_template": "Plantilla de valor" + }, + "time_pattern": { + "hours": "Hores", + "label": "Patró temporal", + "minutes": "Minuts", + "seconds": "Segons" + }, + "time": { + "at": "A les", + "label": "Temporal" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "ID de Webhook" + }, + "zone": { + "enter": "Entra", + "entity": "Entitat amb ubicació", + "event": "Esdeveniment:", + "label": "Zona", + "leave": "Surt", + "zone": "Zona" } }, - "learn_more": "Més informació sobre les accions" + "unsupported_platform": "Plataforma {platform} no suportada." }, - "load_error_not_editable": "Només es poden editar les automatitzacions de l'arxiu automations.yaml.", - "load_error_unknown": "Error en carregar l’automatització ({err_no}).", - "description": { - "label": "Descripció", - "placeholder": "Descripció opcional" - } - } - }, - "script": { - "caption": "Programació (scripts)", - "description": "Crea i edita programes (scripts)", + "unsaved_confirm": "Hi ha canvis no desats. Segur que vols sortir?" + }, "picker": { - "header": "Editor de scripts", - "introduction": "L'editor de scripts et permet crear i editar scripts. Vés a l'enllaç de sota per veure'n les instruccions i assegurar-te que has configurat el Home Assistant correctament.", - "learn_more": "Més informació sobre els scripts", - "no_scripts": "No hem trobat cap script editable", - "add_script": "Afegeix script" - }, - "editor": { - "header": "Script: {name}", - "default_name": "Nou script", - "load_error_not_editable": "Només es poden editar els scripts dins de l'arxiu scripts.yaml.", - "delete_confirm": "Estàs segur que vols eliminar aquest script?" - } - }, - "zwave": { - "caption": "Z-Wave", - "description": "Gestiona la teva xarxa Z-Wave", - "network_management": { - "header": "Gestió de la xarxa Z-Wave", - "introduction": "Executa ordres a la xarxa Z-Wave. No es rebrà cap resposta si la majoria de les ordres han tingut èxit, però pots consultar el registre OZW." - }, - "network_status": { - "network_stopped": "Xarxa Z-Wave aturada", - "network_starting": "Iniciant xarxa Z-Wave...", - "network_starting_note": "Això pot trigar una estona en funció de la mida de la teva xarxa.", - "network_started": "Xarxa Z-Wave iniciada", - "network_started_note_some_queried": "S'han consultat els nodes desperts. Els nodes adormits es consultaran quan es despertin.", - "network_started_note_all_queried": "S'han consultat tots els nodes." - }, - "services": { - "start_network": "Inicia la xarxa", - "stop_network": "Atura la xarxa", - "heal_network": "Guareix la xarxa", - "test_network": "Prova la xarxa", - "soft_reset": "Reinici suau", - "save_config": "Desa la configuració", - "add_node_secure": "Afegeix node amb seguretat", - "add_node": "Afegeix node", - "remove_node": "Elimina node", - "cancel_command": "Cancel·lar ordre" - }, - "common": { - "value": "Valor", - "instance": "Instància", - "index": "Índex", - "unknown": "desconegut", - "wakeup_interval": "Interval en despertar" - }, - "values": { - "header": "Valors dels node" - }, - "node_config": { - "header": "Opcions de configuració del node", - "seconds": "segons", - "set_wakeup": "Estableix l’interval en despertar", - "config_parameter": "Paràmetre de configuració", - "config_value": "Valor de configuració", - "true": "Cert", - "false": "Fals", - "set_config_parameter": "Defineix el paràmetre de configuració" - }, - "learn_more": "Més informació sobre Z-Wave", - "ozw_log": { - "header": "Registre d'OZW", - "introduction": "Consulta el registre. 0 és el mínim (carrega el registre complet) i 1000 és el màxim. La càrrega mostrarà un registre estàtic i la cua s’actualitzarà automàticament amb l’últim número de línies especificat." - } - }, - "users": { - "caption": "Usuaris", - "description": "Gestiona els usuaris", - "picker": { - "title": "Usuaris", - "system_generated": "Generat pel sistema" - }, - "editor": { - "rename_user": "Canviar el nom d'usuari", - "change_password": "Canviar contrasenya", - "activate_user": "Activar usuari", - "deactivate_user": "Desactivar usuari", - "delete_user": "Eliminar usuari", - "caption": "Mostra usuari", - "id": "ID", - "owner": "Propietari", - "group": "Grup", - "active": "Actiu", - "system_generated": "Generat pel sistema", - "system_generated_users_not_removable": "No es poden eliminar usuaris generats pel sistema.", - "unnamed_user": "Usuari sense nom", - "enter_new_name": "Introdueix nou nom", - "user_rename_failed": "El canvi de nom d'usuari ha fallat:", - "group_update_failed": "L'actualització del grup ha fallat:", - "confirm_user_deletion": "Estàs segur que vols eliminar {name}?" - }, - "add_user": { - "caption": "Afegir usuari", - "name": "Nom", - "username": "Nom d'usuari", - "password": "Contrasenya", - "create": "Crear" + "add_automation": "Afegeix automatització", + "header": "Editor d'automatitzacions", + "introduction": "L'editor d'automatitzacions et permet crear i editar automatitzacions. Vés a l'enllaç de sota per veure'n les instruccions i assegurar-te que has configurat el Home Assistant correctament.", + "learn_more": "Més informació sobre les automatitzacions", + "no_automations": "No s'ha pogut trobar cap automatització editable", + "pick_automation": "Tria l'automatització a editar" } }, "cloud": { + "account": { + "alexa": { + "config_documentation": "Documentació de configuració", + "disable": "desactiva", + "enable": "activa", + "enable_ha_skill": "Activa l'auxiliar de Home Assistant per Alexa", + "enable_state_reporting": "Activa els informes d’estat", + "info": "Amb la integració d'Alexa per Home Assistant Cloud podràs controlar tots els dispositius de Home Assistant a través dels dispositius compatibles amb Alexa.", + "info_state_reporting": "Si actives els informes d'estat, Home Assistant enviarà a Amazon tots els canvis d’estat de les entitats exposades. Això et permetrà veure els últims estats a l’aplicació Alexa i utilitzar-los per crear rutines.", + "manage_entities": "Gestió d'entitats", + "state_reporting_error": "No s'ha pogut {enable_disable} l'informe d'estat.", + "sync_entities": "Sincronitza les entitats", + "sync_entities_error": "No s'han pogut sincronitzar les entitats:", + "title": "Alexa" + }, + "connected": "Connectat", + "connection_status": "Estat de connexió amb Cloud", + "fetching_subscription": "Obtenint la subscripció...", + "google": { + "config_documentation": "Documentació de configuració", + "devices_pin": "PIN dels dispositius de seguretat", + "enable_ha_skill": "Activa l'auxiliar de Home Assistant per Google Assistant", + "enable_state_reporting": "Activa els informes d’estat", + "enter_pin_error": "No s'ha pogut desar el pin:", + "enter_pin_hint": "Introdueix un PIN per utilitzar dispositius de seguretat", + "enter_pin_info": "Introdueix un codi PIN per interactuar amb dispositius de seguretat. Aquests dispositius són portes, garatges o panys, per exemple. Se't demanarà que introdueixis (o diguis) aquest PIN quan interactuïs amb aquests dispositius mitjançant Google Assistant.", + "info": "Amb la integració de Google Assistant per Home Assistant Cloud podràs controlar tots els dispositius de Home Assistant a través dels dispositius compatibles amb Google Assistant.", + "info_state_reporting": "Si actives els informes d'estat, Home Assistant enviarà a Google tots els canvis d’estat de les entitats exposades. Això et permetrà veure els últims estats a l’aplicació de Google.", + "manage_entities": "Gestió d'entitats", + "security_devices": "Dispositius de seguretat", + "sync_entities": "Sincronitza les entitats amb Google", + "title": "Google Assistant" + }, + "integrations": "Integracions", + "integrations_introduction": "Les integracions per Home Assistant Cloud et permeten connectar-vos a d'altres serveis al núvol sense haver d’exposar la teva instància de Home Assistant públicament a Internet.", + "integrations_introduction2": "Consulta el lloc web per ", + "integrations_link_all_features": "totes les funcions disponibles", + "manage_account": "Gestió del compte", + "nabu_casa_account": "Compte Nabu Casa", + "not_connected": "No connectat", + "remote": { + "access_is_being_prepared": "S’està preparant l’accés remot. T’avisarem quan estigui a punt.", + "certificate_info": "Informació del certificat", + "info": "Home Assistant Cloud t'ofereix una connexió remota i segura amb la teva instància mentre siguis fora de casa", + "instance_is_available": "La teva instància està disponible a", + "instance_will_be_available": "La teva instància estarà disponible a", + "link_learn_how_it_works": "Informació sobre com funciona", + "title": "Control remot" + }, + "sign_out": "Tanca sessió", + "thank_you_note": "Gràcies per formar part de Home Assistant Cloud. És gràcies a persones com tu que podem oferir una experiència domòtica excel·lent per a tothom.", + "webhooks": { + "disable_hook_error_msg": "No s'ha pogut desactivar el webhook:", + "info": "Qualsevol cosa que estigui configurada per disparar-se a través d'un webhook pot disposar d'un URL accessible públicament que permet retornar-li dades a Home Assistant des de qualsevol lloc i sense exposar la teva instància a Internet.", + "link_learn_more": "Més informació sobre la creació d'automatizacions basats en webhook.", + "loading": "Carregant ...", + "manage": "Gestiona", + "no_hooks_yet": "Sembla que encara no tens cap webhook. Comença configurant una ", + "no_hooks_yet_link_automation": "automatització de webhook", + "no_hooks_yet_link_integration": "integració basada en webhook", + "no_hooks_yet2": " o bé creant una ", + "title": "Webhooks" + } + }, + "alexa": { + "banner": "L'edició de quines entitats estan exposades a través de la UI està desactivada perquè hi ha filtres d'entitats configurats a configuration.yaml.", + "expose": "Exposa a Alexa", + "exposed_entities": "Entitats exposades", + "not_exposed_entities": "Entitats No exposades", + "title": "Alexa" + }, "caption": "Home Assistant Cloud", + "description_features": "Controla la casa des de fora, pots integrar Alexa i Google Assistant.", "description_login": "Sessió iniciada com a {email}", "description_not_login": "No has iniciat sessió", - "description_features": "Controla la casa des de fora, pots integrar Alexa i Google Assistant.", + "dialog_certificate": { + "certificate_expiration_date": "Data de caducitat del certificat", + "certificate_information": "Informació del certificat", + "close": "Tanca", + "fingerprint": "Empremta del certificat:", + "will_be_auto_renewed": "Es renovarà automàticament" + }, + "dialog_cloudhook": { + "available_at": "El webhook està disponible a l’URL següent:", + "close": "Tanca", + "confirm_disable": "Estàs segur que vols desactivar aquest webhook?", + "copied_to_clipboard": "Copiat al porta-retalls", + "info_disable_webhook": "Si ja no vols fer servir aquest webhook, pots", + "link_disable_webhook": "desactiva-lo", + "managed_by_integration": "Aquest webhook està gestionat per una integració i no es pot desactivar.", + "view_documentation": "Veure documentació", + "webhook_for": "Webhook per {name}" + }, + "forgot_password": { + "check_your_email": "Consulta el correu electrònic per obtenir instruccions sobre com restablir la teva contrasenya.", + "email": "Correu electrònic", + "email_error_msg": "Correu electrònic invàlid", + "instructions": "Introdueix el teu correu electrònic i t'enviarem un enllaç per restablir la contrasenya.", + "send_reset_email": "Envia correu electrònic de restabliment", + "subtitle": "Has oblidat la teva contrasenya", + "title": "Oblit de la contrasenya" + }, + "google": { + "banner": "L'edició de quines entitats estan exposades a través de la UI està desactivada perquè hi ha filtres d'entitats configurats a configuration.yaml.", + "disable_2FA": "Desactiva l'autenticació en dos passos", + "expose": "Exposa a Google Assistant", + "exposed_entities": "Entitats exposades", + "not_exposed_entities": "Entitats No exposades", + "sync_to_google": "Sincronitzant els canvis amb Google.", + "title": "Google Assistant" + }, "login": { - "title": "Inici de sessió des del núvol (Cloud)", + "alert_email_confirm_necessary": "Has de confirmar el teu correu electrònic abans d’iniciar sessió.", + "alert_password_change_required": "Has de canviar la teva contrasenya abans d’iniciar sessió.", + "dismiss": "Desestimar", + "email": "Correu electrònic", + "email_error_msg": "Correu electrònic invàlid", + "forgot_password": "has oblidat la contrasenya?", "introduction": "Home Assistant Cloud t'ofereix una connexió remota i segura amb la teva instància mentre siguis fora de casa. També et permet connectar-te amb els serveis només disponibles al núvol: Amazon Alexa i Google Assistant.", "introduction2": "Aquest servei està gestionat pel nostre soci ", "introduction2a": ", una empresa fundada pels creadors de Home Assistant i Hass.io.", "introduction3": "Home Assistant Cloud és un servei de subscripció amb una prova gratuïta d’un mes. No és necessària la informació de pagament.", "learn_more_link": "Més informació sobre Home Assistant Cloud", - "dismiss": "Desestimar", - "sign_in": "Inicia sessió", - "email": "Correu electrònic", - "email_error_msg": "Correu electrònic invàlid", "password": "Contrasenya", "password_error_msg": "La contrasenya han de tenir un mínim de 8 caràcters", - "forgot_password": "has oblidat la contrasenya?", + "sign_in": "Inicia sessió", "start_trial": "Inicia la prova gratuïta d'1 mes", - "trial_info": "No és necessària la informació de pagament", - "alert_password_change_required": "Has de canviar la teva contrasenya abans d’iniciar sessió.", - "alert_email_confirm_necessary": "Has de confirmar el teu correu electrònic abans d’iniciar sessió." - }, - "forgot_password": { - "title": "Oblit de la contrasenya", - "subtitle": "Has oblidat la teva contrasenya", - "instructions": "Introdueix el teu correu electrònic i t'enviarem un enllaç per restablir la contrasenya.", - "email": "Correu electrònic", - "email_error_msg": "Correu electrònic invàlid", - "send_reset_email": "Envia correu electrònic de restabliment", - "check_your_email": "Consulta el correu electrònic per obtenir instruccions sobre com restablir la teva contrasenya." + "title": "Inici de sessió des del núvol (Cloud)", + "trial_info": "No és necessària la informació de pagament" }, "register": { - "title": "Registre del compte", - "headline": "Inicia la prova gratuïta", - "information": "Crea un compte per iniciar la prova gratuïta d’un mes amb Home Assistant Cloud. No és necessària la informació de pagament.", - "information2": "La prova et donarà accés a tots els avantatges de Home Assistant Cloud, inclosos:", - "feature_remote_control": "Control de Home Assistant fora de casa", - "feature_google_home": "Integració amb Google Assistant", - "feature_amazon_alexa": "Integració amb Amazon Alexa", - "feature_webhook_apps": "Fàcil integració amb aplicacions basades an webhook com OwnTracks", - "information3": "Aquest servei està gestionat pel nostre soci ", - "information3a": ", una empresa fundada pels creadors de Home Assistant i Hass.io.", - "information4": "En registrar un compte, acceptes els termes i condicions següents.", - "link_terms_conditions": "Termes i condicions", - "link_privacy_policy": "Política de privacitat", + "account_created": "Compte creat! Consulta el correu electrònic per obtenir instruccions sobre com activar el compte.", "create_account": "Crear compte", "email_address": "Correu electrònic", "email_error_msg": "Correu electrònic invàlid", + "feature_amazon_alexa": "Integració amb Amazon Alexa", + "feature_google_home": "Integració amb Google Assistant", + "feature_remote_control": "Control de Home Assistant fora de casa", + "feature_webhook_apps": "Fàcil integració amb aplicacions basades an webhook com OwnTracks", + "headline": "Inicia la prova gratuïta", + "information": "Crea un compte per iniciar la prova gratuïta d’un mes amb Home Assistant Cloud. No és necessària la informació de pagament.", + "information2": "La prova et donarà accés a tots els avantatges de Home Assistant Cloud, inclosos:", + "information3": "Aquest servei està gestionat pel nostre soci ", + "information3a": ", una empresa fundada pels creadors de Home Assistant i Hass.io.", + "information4": "En registrar un compte, acceptes els termes i condicions següents.", + "link_privacy_policy": "Política de privacitat", + "link_terms_conditions": "Termes i condicions", "password": "Contrasenya", "password_error_msg": "La contrasenya han de tenir un mínim de 8 caràcters", - "start_trial": "Inicia la prova", "resend_confirm_email": "Reenvia el correu de confirmació", - "account_created": "Compte creat! Consulta el correu electrònic per obtenir instruccions sobre com activar el compte." - }, - "account": { - "thank_you_note": "Gràcies per formar part de Home Assistant Cloud. És gràcies a persones com tu que podem oferir una experiència domòtica excel·lent per a tothom.", - "nabu_casa_account": "Compte Nabu Casa", - "connection_status": "Estat de connexió amb Cloud", - "manage_account": "Gestió del compte", - "sign_out": "Tanca sessió", - "integrations": "Integracions", - "integrations_introduction": "Les integracions per Home Assistant Cloud et permeten connectar-vos a d'altres serveis al núvol sense haver d’exposar la teva instància de Home Assistant públicament a Internet.", - "integrations_introduction2": "Consulta el lloc web per ", - "integrations_link_all_features": "totes les funcions disponibles", - "connected": "Connectat", - "not_connected": "No connectat", - "fetching_subscription": "Obtenint la subscripció...", - "remote": { - "title": "Control remot", - "access_is_being_prepared": "S’està preparant l’accés remot. T’avisarem quan estigui a punt.", - "info": "Home Assistant Cloud t'ofereix una connexió remota i segura amb la teva instància mentre siguis fora de casa", - "instance_is_available": "La teva instància està disponible a", - "instance_will_be_available": "La teva instància estarà disponible a", - "link_learn_how_it_works": "Informació sobre com funciona", - "certificate_info": "Informació del certificat" - }, - "alexa": { - "title": "Alexa", - "info": "Amb la integració d'Alexa per Home Assistant Cloud podràs controlar tots els dispositius de Home Assistant a través dels dispositius compatibles amb Alexa.", - "enable_ha_skill": "Activa l'auxiliar de Home Assistant per Alexa", - "config_documentation": "Documentació de configuració", - "enable_state_reporting": "Activa els informes d’estat", - "info_state_reporting": "Si actives els informes d'estat, Home Assistant enviarà a Amazon tots els canvis d’estat de les entitats exposades. Això et permetrà veure els últims estats a l’aplicació Alexa i utilitzar-los per crear rutines.", - "sync_entities": "Sincronitza les entitats", - "manage_entities": "Gestió d'entitats", - "sync_entities_error": "No s'han pogut sincronitzar les entitats:", - "state_reporting_error": "No s'ha pogut {enable_disable} l'informe d'estat.", - "enable": "activa", - "disable": "desactiva" - }, - "google": { - "title": "Google Assistant", - "info": "Amb la integració de Google Assistant per Home Assistant Cloud podràs controlar tots els dispositius de Home Assistant a través dels dispositius compatibles amb Google Assistant.", - "enable_ha_skill": "Activa l'auxiliar de Home Assistant per Google Assistant", - "config_documentation": "Documentació de configuració", - "enable_state_reporting": "Activa els informes d’estat", - "info_state_reporting": "Si actives els informes d'estat, Home Assistant enviarà a Google tots els canvis d’estat de les entitats exposades. Això et permetrà veure els últims estats a l’aplicació de Google.", - "security_devices": "Dispositius de seguretat", - "enter_pin_info": "Introdueix un codi PIN per interactuar amb dispositius de seguretat. Aquests dispositius són portes, garatges o panys, per exemple. Se't demanarà que introdueixis (o diguis) aquest PIN quan interactuïs amb aquests dispositius mitjançant Google Assistant.", - "devices_pin": "PIN dels dispositius de seguretat", - "enter_pin_hint": "Introdueix un PIN per utilitzar dispositius de seguretat", - "sync_entities": "Sincronitza les entitats amb Google", - "manage_entities": "Gestió d'entitats", - "enter_pin_error": "No s'ha pogut desar el pin:" - }, - "webhooks": { - "title": "Webhooks", - "info": "Qualsevol cosa que estigui configurada per disparar-se a través d'un webhook pot disposar d'un URL accessible públicament que permet retornar-li dades a Home Assistant des de qualsevol lloc i sense exposar la teva instància a Internet.", - "no_hooks_yet": "Sembla que encara no tens cap webhook. Comença configurant una ", - "no_hooks_yet_link_integration": "integració basada en webhook", - "no_hooks_yet2": " o bé creant una ", - "no_hooks_yet_link_automation": "automatització de webhook", - "link_learn_more": "Més informació sobre la creació d'automatizacions basats en webhook.", - "loading": "Carregant ...", - "manage": "Gestiona", - "disable_hook_error_msg": "No s'ha pogut desactivar el webhook:" - } - }, - "alexa": { - "title": "Alexa", - "banner": "L'edició de quines entitats estan exposades a través de la UI està desactivada perquè hi ha filtres d'entitats configurats a configuration.yaml.", - "exposed_entities": "Entitats exposades", - "not_exposed_entities": "Entitats No exposades", - "expose": "Exposa a Alexa" - }, - "dialog_certificate": { - "certificate_information": "Informació del certificat", - "certificate_expiration_date": "Data de caducitat del certificat", - "will_be_auto_renewed": "Es renovarà automàticament", - "fingerprint": "Empremta del certificat:", - "close": "Tanca" - }, - "google": { - "title": "Google Assistant", - "expose": "Exposa a Google Assistant", - "disable_2FA": "Desactiva l'autenticació en dos passos", - "banner": "L'edició de quines entitats estan exposades a través de la UI està desactivada perquè hi ha filtres d'entitats configurats a configuration.yaml.", - "exposed_entities": "Entitats exposades", - "not_exposed_entities": "Entitats No exposades", - "sync_to_google": "Sincronitzant els canvis amb Google." - }, - "dialog_cloudhook": { - "webhook_for": "Webhook per {name}", - "available_at": "El webhook està disponible a l’URL següent:", - "managed_by_integration": "Aquest webhook està gestionat per una integració i no es pot desactivar.", - "info_disable_webhook": "Si ja no vols fer servir aquest webhook, pots", - "link_disable_webhook": "desactiva-lo", - "view_documentation": "Veure documentació", - "close": "Tanca", - "confirm_disable": "Estàs segur que vols desactivar aquest webhook?", - "copied_to_clipboard": "Copiat al porta-retalls" + "start_trial": "Inicia la prova", + "title": "Registre del compte" } }, + "common": { + "editor": { + "confirm_unsaved": "Hi han canvis no desats. Segur que vols sortir?" + } + }, + "core": { + "caption": "General", + "description": "Canvia la configuració general de Home Assistant", + "section": { + "core": { + "core_config": { + "edit_requires_storage": "L'editor està desactivat ja que la configuració es troba a configuration.yaml.", + "elevation": "Altitud", + "elevation_meters": "metres", + "imperial_example": "Fahrenheit, lliures", + "latitude": "Latitud", + "location_name": "Nom de la instal·lació de Home Assistant", + "longitude": "Longitud", + "metric_example": "Celsius, quilograms", + "save_button": "Desa", + "time_zone": "Zona horària", + "unit_system": "Sistema d'unitats", + "unit_system_imperial": "Imperial", + "unit_system_metric": "Mètric" + }, + "header": "Configuració general", + "introduction": "Sabem que canviar la configuració pot ser un procés molest. Aquesta secció intenta facilitar-te una mica més la vida." + }, + "server_control": { + "reloading": { + "automation": "Recarrega automatitzacions", + "core": "Recarrega el nucli", + "group": "Recarrega grups", + "heading": "Recàrrega de la configuració", + "introduction": "Algunes parts de la configuració de Home Assistant es poden recarregar sense necessitat de reiniciar-les. Les opcions de sota esborraran la configuració antiga i carregaran la nova.", + "script": "Recarrega programes" + }, + "server_management": { + "heading": "Gestió del servidor", + "introduction": "Controla el servidor de Home Assistant... des de Home Assistant.", + "restart": "Reinicia", + "stop": "Atura" + }, + "validation": { + "check_config": "Comprova la configuració", + "heading": "Validació de la configuració", + "introduction": "Valida la configuració si recentment has fet algun canvi a la configuració i vols assegurar-te de que no té problemes.", + "invalid": "La configuració és invàlida", + "valid": "La configuració és vàlida!" + } + } + } + }, + "customize": { + "attributes_customize": "Els atributs següents ja s'han definit a customize.yaml", + "caption": "Personalització", + "description": "Personalitza les entitats", + "picker": { + "header": "Personalització", + "introduction": "Personalitza els atributs de les entitats al teu gust. Les personalitzacions afegides\/modificades apareixeran immediatament, les que s'hagin eliminat tindran efecte quan l'entitat s'actualitzi." + }, + "warning": { + "include_link": "inclou customize.yaml", + "include_sentence": "Sembla que la teva configuració a configuration.yaml no" + } + }, + "devices": { + "area_picker_label": "Àrea", + "automation": { + "actions": { + "caption": "Quan es dispara alguna cosa..." + }, + "conditions": { + "caption": "Només fer alguna cosa si..." + }, + "triggers": { + "caption": "Feu alguna cosa quan..." + } + }, + "automations": "Automatitzacions", + "caption": "Dispositius", + "data_table": { + "area": "Àrea", + "battery": "Bateria", + "device": "Dispositiu", + "integration": "Integració", + "manufacturer": "Fabricant", + "model": "Model" + }, + "description": "Gestiona els dispositius connectats", + "details": "Aquí tens tots els detalls del dispositiu.", + "device_not_found": "Dispositiu no trobat.", + "entities": "Entitats", + "info": "Informació del dispositiu", + "unknown_error": "Error desconegut", + "unnamed_device": "Dispositiu sense nom" + }, + "entity_registry": { + "caption": "Registre d'entitats", + "description": "Visió general de totes les entitats conegudes.", + "editor": { + "confirm_delete": "Estàs segur que vols eliminar aquesta entitat?", + "confirm_delete2": "Si suprimeixes una entrada, no suprimiras l'entitat de Home Assistant. Per fer-ho, has de suprimir la integració '{plataform}' de Home Assistant.", + "default_name": "Àrea nova", + "delete": "ELIMINA", + "enabled_cause": "Desactivat per {cause}.", + "enabled_description": "Les entitats desactivades no s’afegiran a Home Assistant.", + "enabled_label": "Activa l’entitat", + "unavailable": "Aquesta entitat no està disponible actualment.", + "update": "ACTUALITZAR" + }, + "picker": { + "header": "Registre d'entitats", + "headers": { + "enabled": "Habilitat", + "entity_id": "ID de l'entitat", + "integration": "Integració", + "name": "Nom" + }, + "integrations_page": "Pàgina d'integracions", + "introduction": "Home Assistant manté un registre de totes les entitats que ha detectat alguna vegada les quals tenen una identificació única. Cadascuna d'aquestes entitats té un identificador (ID) assignat que està reservat només per a ella.", + "introduction2": "Utilitza el registre d'entitats per canviar el nom, canviar l'ID o eliminar l'entrada de Home Assistant de les entitats. Tingues en compte que eliminar-les del registre d'entitats no eliminarà l'entitat. Per fer-ho, segueix l'enllaç següent i elimineu-la dins la pàgina d'integracions.", + "show_disabled": "Mostra entitats desactivades", + "unavailable": "(no disponible)" + } + }, + "header": "Configuració de Home Assistant", "integrations": { "caption": "Integracions", - "description": "Gestiona i configura la integració", - "discovered": "Descobertes", - "configured": "Configurades", - "new": "Configura una nova integració", - "configure": "Configurar", - "none": "Encara no hi ha res configurat", "config_entry": { - "no_devices": "Aquesta integració no té dispositius.", - "no_device": "Entitats sense dispositius", + "area": "A {area}", + "delete_button": "Suprimeix {integration}", "delete_confirm": "Estàs segur que vols eliminar aquesta integració?", - "restart_confirm": "Reinicia el Home Assistant per acabar d'eliminar aquesta integració", - "manuf": "de {manufacturer}", - "via": "Connectat a través de", - "firmware": "Firmware: {version}", "device_unavailable": "dispositiu no disponible", "entity_unavailable": "entitat no disponible", - "no_area": "Sense àrea", + "firmware": "Firmware: {version}", "hub": "Connectat a través de", + "manuf": "de {manufacturer}", + "no_area": "Sense àrea", + "no_device": "Entitats sense dispositius", + "no_devices": "Aquesta integració no té dispositius.", + "restart_confirm": "Reinicia el Home Assistant per acabar d'eliminar aquesta integració", "settings_button": "Edita la configuració de {integration}", "system_options_button": "Opcions de sistema de {integration}", - "delete_button": "Suprimeix {integration}", - "area": "A {area}" + "via": "Connectat a través de" }, "config_flow": { + "add_area": "Afegeix àrea", + "area_picker_label": "Àrea", + "close": "Tanca", + "error_saving_area": "Error desant àrea: {error}", "external_step": { "description": "Aquest pas requereix que visitis un lloc web extern per completar-lo.", "open_site": "Vés al lloc web" - } + }, + "failed_create_area": "No s'ha pogut crear l'àrea.", + "finish": "Finalitza", + "name_new_area": "Nom de la nova àrea?", + "not_all_required_fields": "No s'han omplert tots els camps obligatoris." }, + "configure": "Configurar", + "configured": "Configurades", + "description": "Gestiona i configura la integració", + "discovered": "Descobertes", + "home_assistant_website": "lloc web de Home Assistant", + "integration_not_found": "No s'ha trobat la integració.", + "new": "Configura una nova integració", + "none": "Encara no hi ha res configurat", "note_about_integrations": "Encara no es poden configurar totes les integracions a través de la UI.", - "note_about_website_reference": "N'hi ha més disponibles al ", - "home_assistant_website": "lloc web de Home Assistant" + "note_about_website_reference": "N'hi ha més disponibles al " + }, + "introduction": "Aquí pots configurar Home Assistant i els seus components. Encara no és possible configurar-ho tot des de la interfície d'usuari, però hi estem treballant.", + "person": { + "add_person": "Afegeix persona", + "caption": "Persones", + "confirm_delete": "Estàs segur que vols eliminar aquesta persona?", + "confirm_delete2": "Tots els dispositius vinculats a aquesta persona quedaran sense assignar.", + "create_person": "Crea persona", + "description": "Gestiona a quines persones fa seguiment Home Assistant.", + "detail": { + "create": "Crea", + "delete": "Suprimeix", + "device_tracker_intro": "Selecciona els dispositius que pertanyen a aquesta persona.", + "device_tracker_pick": "Tria un dispositiu per fer-li el seguiment", + "device_tracker_picked": "Seguint dispositiu", + "link_integrations_page": "Pàgina d'integracions", + "link_presence_detection_integrations": "Integracions de detecció de presència", + "linked_user": "Usuari enllaçat", + "name": "Nom", + "name_error_msg": "El nom és necessari", + "new_person": "Persona nova", + "no_device_tracker_available_intro": "Quan tinguis dispositius que indiquen presència de persones, podràs assignar-los a una persona. Pots afegir el primer dispositiu afegint una integració de detecció de presència des de la pàgina d'integracions.", + "update": "Actualitza" + }, + "introduction": "Aquí pots definir cada persona d'interès en Home Assistant.", + "no_persons_created_yet": "Sembla que encara no has creat cap persona.", + "note_about_persons_configured_in_yaml": "Nota: les persones configurades mitjançant configuration.yaml no es poden editar a la UI." + }, + "scene": { + "editor": { + "default_name": "Nova escena", + "entities": { + "header": "Entitats" + }, + "name": "Nom", + "save": "Desa" + } + }, + "script": { + "caption": "Programació (scripts)", + "description": "Crea i edita programes (scripts)", + "editor": { + "default_name": "Nou script", + "delete_confirm": "Estàs segur que vols eliminar aquest script?", + "header": "Script: {name}", + "load_error_not_editable": "Només es poden editar els scripts dins de l'arxiu scripts.yaml." + }, + "picker": { + "add_script": "Afegeix script", + "header": "Editor de scripts", + "introduction": "L'editor de scripts et permet crear i editar scripts. Vés a l'enllaç de sota per veure'n les instruccions i assegurar-te que has configurat el Home Assistant correctament.", + "learn_more": "Més informació sobre els scripts", + "no_scripts": "No hem trobat cap script editable" + } + }, + "server_control": { + "caption": "Control del servidor", + "description": "Reinicia o atura el servidor de Home Assistant", + "section": { + "reloading": { + "automation": "Actualitza automatitzacions", + "core": "Actualitza el nucli", + "group": "Actualitza grups", + "heading": "Torna a carregar la configuració", + "introduction": "Algunes parts de la configuració de Home Assistant es poden recarregar sense necessitat de reiniciar. Els botons de sota esborraran la configuració antiga i en carregaran la nova.", + "scene": "Actualitza escenes", + "script": "Actualitza programes" + }, + "server_management": { + "confirm_restart": "Segur que vols reiniciar Home Assistant?", + "confirm_stop": "Segur que vols aturar Home Assistant?", + "heading": "Gestió del servidor", + "introduction": "Controla el servidor de Home Assistant... des de Home Assistant.", + "restart": "Reinicia", + "stop": "Atura" + }, + "validation": { + "check_config": "Comprova la configuració", + "heading": "Validació de la configuració", + "introduction": "Valida la configuració si recentment has fet algun canvi a la configuració i vols assegurar-te de que sigui vàlida.", + "invalid": "Configuració invàlida", + "valid": "Configuració vàlida!" + } + } + }, + "users": { + "add_user": { + "caption": "Afegir usuari", + "create": "Crear", + "name": "Nom", + "password": "Contrasenya", + "username": "Nom d'usuari" + }, + "caption": "Usuaris", + "description": "Gestiona els usuaris", + "editor": { + "activate_user": "Activar usuari", + "active": "Actiu", + "caption": "Mostra usuari", + "change_password": "Canviar contrasenya", + "confirm_user_deletion": "Estàs segur que vols eliminar {name}?", + "deactivate_user": "Desactivar usuari", + "delete_user": "Eliminar usuari", + "enter_new_name": "Introdueix nou nom", + "group": "Grup", + "group_update_failed": "L'actualització del grup ha fallat:", + "id": "ID", + "owner": "Propietari", + "rename_user": "Canviar el nom d'usuari", + "system_generated": "Generat pel sistema", + "system_generated_users_not_removable": "No es poden eliminar usuaris generats pel sistema.", + "unnamed_user": "Usuari sense nom", + "user_rename_failed": "El canvi de nom d'usuari ha fallat:" + }, + "picker": { + "system_generated": "Generat pel sistema", + "title": "Usuaris" + } }, "zha": { - "caption": "ZHA", - "description": "Gestiona la xarxa domòtica Zigbee", - "services": { - "reconfigure": "Reconfigura el dispositiu ZHA (dispositiu curatiu). Utilitza-ho si tens problemes amb el dispositiu. Si el dispositiu en qüestió està alimentat per bateria, assegura't que estigui despert i accepti ordres quan utilitzis aquest servei.", - "updateDeviceName": "Estableix un nom personalitzat pel dispositiu al registre de dispositius.", - "remove": "Treu un dispositiu de la xarxa Zigbee." - }, - "device_card": { - "device_name_placeholder": "Nom donat per l'usuari", - "area_picker_label": "Àrea", - "update_name_button": "Actualitzar Nom" - }, "add_device_page": { - "header": "Domòtica amb Zigbee - Afegir dispositius", - "spinner": "S'estan cercant dispositius ZHA Zigbee...", "discovery_text": "Els dispositius descoberts apareixeran aquí. Segueix les instruccions del teu dispositiu\/s i posa el dispositiu\/s en mode d’emparellament.", - "search_again": "Torna a cercar" + "header": "Domòtica amb Zigbee - Afegir dispositius", + "search_again": "Torna a cercar", + "spinner": "S'estan cercant dispositius ZHA Zigbee..." + }, + "caption": "ZHA", + "cluster_attributes": { + "attributes_of_cluster": "Atributs del clúster seleccionat", + "get_zigbee_attribute": "Obtenir l'atribut Zigbee", + "header": "Atributs clúster", + "help_attribute_dropdown": "Selecciona un atribut per visualitzar-ne o definiu-ne el valor.", + "help_get_zigbee_attribute": "Obté el valor de l’atribut seleccionat.", + "help_set_zigbee_attribute": "Estableix el valor d'atribut pel clúster especificat a l'entitat especificada.", + "introduction": "Consulta i edita els atributs del clúster.", + "set_zigbee_attribute": "Estableix l'atribut Zigbee" + }, + "cluster_commands": { + "commands_of_cluster": "Comandes del clúster seleccionat", + "header": "Comandes clúster", + "help_command_dropdown": "Selecciona una comanda per interactuar-hi.", + "introduction": "Veure i emetre comandes clúster.", + "issue_zigbee_command": "Emet la comanda Zigbee" + }, + "clusters": { + "help_cluster_dropdown": "Selecciona un clúster per visualitzar-ne els atributs i comandes." }, "common": { "add_devices": "Afegeix dispositius", @@ -1025,472 +1386,265 @@ "manufacturer_code_override": "Substitució del codi de fabricant", "value": "Valor" }, + "description": "Gestiona la xarxa domòtica Zigbee", + "device_card": { + "area_picker_label": "Àrea", + "device_name_placeholder": "Nom donat per l'usuari", + "update_name_button": "Actualitzar Nom" + }, "network_management": { "header": "Gestió de la xarxa", "introduction": "Comandes que afecten tota la xarxa" }, "node_management": { "header": "Gestió del dispositiu", - "introduction": "Executa comandes ZHA que afecten un sol dispositiu. Tria un dispositiu per veure el seu llistat de comandes disponibles.", + "help_node_dropdown": "Selecciona un dispositiu per visualitzar-ne les opcions (per dispositiu).", "hint_battery_devices": "Nota: cal que els dispositius adormits (amb bateria) estiguin desperts quan els hi enviïs comandes. Normalment pots despertar un dispositiu adormit disparant-lo.", "hint_wakeup": "Alguns dispositius com els sensors Xiaomi tenen un botó per despertar-los que pots prémer a intervals de 5 segons per mantenir-los desperts mentre hi interactues.", - "help_node_dropdown": "Selecciona un dispositiu per visualitzar-ne les opcions (per dispositiu)." + "introduction": "Executa comandes ZHA que afecten un sol dispositiu. Tria un dispositiu per veure el seu llistat de comandes disponibles." }, - "clusters": { - "help_cluster_dropdown": "Selecciona un clúster per visualitzar-ne els atributs i comandes." - }, - "cluster_attributes": { - "header": "Atributs clúster", - "introduction": "Consulta i edita els atributs del clúster.", - "attributes_of_cluster": "Atributs del clúster seleccionat", - "get_zigbee_attribute": "Obtenir l'atribut Zigbee", - "set_zigbee_attribute": "Estableix l'atribut Zigbee", - "help_attribute_dropdown": "Selecciona un atribut per visualitzar-ne o definiu-ne el valor.", - "help_get_zigbee_attribute": "Obté el valor de l’atribut seleccionat.", - "help_set_zigbee_attribute": "Estableix el valor d'atribut pel clúster especificat a l'entitat especificada." - }, - "cluster_commands": { - "header": "Comandes clúster", - "introduction": "Veure i emetre comandes clúster.", - "commands_of_cluster": "Comandes del clúster seleccionat", - "issue_zigbee_command": "Emet la comanda Zigbee", - "help_command_dropdown": "Selecciona una comanda per interactuar-hi." + "services": { + "reconfigure": "Reconfigura el dispositiu ZHA (dispositiu curatiu). Utilitza-ho si tens problemes amb el dispositiu. Si el dispositiu en qüestió està alimentat per bateria, assegura't que estigui despert i accepti ordres quan utilitzis aquest servei.", + "remove": "Treu un dispositiu de la xarxa Zigbee.", + "updateDeviceName": "Estableix un nom personalitzat pel dispositiu al registre de dispositius." } }, - "area_registry": { - "caption": "Registre d'àrees", - "description": "Visió general de totes les àrees de la casa.", - "picker": { - "header": "Registre d'àrees", - "introduction": "Les àrees s'utilitzen per organitzar la situació dels dispositius. Aquesta informació serà utilitzada per Home Assistant per ajudar-te a organitzar millor la teva interfície, els permisos i les integracions amb d'altres sistemes.", - "introduction2": "Per col·locar dispositius en una àrea, utilitza l'enllaç de sota per anar a la pàgina d'integracions i, a continuació, fes clic a una integració configurada per accedir a les targetes del dispositiu.", - "integrations_page": "Pàgina d'integracions", - "no_areas": "Sembla que encara no tens cap àrea!", - "create_area": "CREAR ÀREA" + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Índex", + "instance": "Instància", + "unknown": "desconegut", + "value": "Valor", + "wakeup_interval": "Interval en despertar" }, - "no_areas": "Sembla que encara no tens cap àrea!.", - "create_area": "CREA ÀREA", - "editor": { - "default_name": "Àrea nova", - "delete": "ELIMINA", - "update": "ACTUALITZAR", - "create": "CREAR" - } - }, - "entity_registry": { - "caption": "Registre d'entitats", - "description": "Visió general de totes les entitats conegudes.", - "picker": { - "header": "Registre d'entitats", - "unavailable": "(no disponible)", - "introduction": "Home Assistant manté un registre de totes les entitats que ha detectat alguna vegada les quals tenen una identificació única. Cadascuna d'aquestes entitats té un identificador (ID) assignat que està reservat només per a ella.", - "introduction2": "Utilitza el registre d'entitats per canviar el nom, canviar l'ID o eliminar l'entrada de Home Assistant de les entitats. Tingues en compte que eliminar-les del registre d'entitats no eliminarà l'entitat. Per fer-ho, segueix l'enllaç següent i elimineu-la dins la pàgina d'integracions.", - "integrations_page": "Pàgina d'integracions", - "show_disabled": "Mostra entitats desactivades", - "headers": { - "name": "Nom", - "entity_id": "ID de l'entitat", - "integration": "Integració", - "enabled": "Habilitat" - } + "description": "Gestiona la teva xarxa Z-Wave", + "learn_more": "Més informació sobre Z-Wave", + "network_management": { + "header": "Gestió de la xarxa Z-Wave", + "introduction": "Executa ordres a la xarxa Z-Wave. No es rebrà cap resposta si la majoria de les ordres han tingut èxit, però pots consultar el registre OZW." }, - "editor": { - "unavailable": "Aquesta entitat no està disponible actualment.", - "default_name": "Àrea nova", - "delete": "ELIMINA", - "update": "ACTUALITZAR", - "enabled_label": "Activa l’entitat", - "enabled_cause": "Desactivat per {cause}.", - "enabled_description": "Les entitats desactivades no s’afegiran a Home Assistant.", - "confirm_delete": "Estàs segur que vols eliminar aquesta entitat?", - "confirm_delete2": "Si suprimeixes una entrada, no suprimiras l'entitat de Home Assistant. Per fer-ho, has de suprimir la integració '{plataform}' de Home Assistant." - } - }, - "person": { - "caption": "Persones", - "description": "Gestiona a quines persones fa seguiment Home Assistant.", - "detail": { - "name": "Nom", - "device_tracker_intro": "Selecciona els dispositius que pertanyen a aquesta persona.", - "device_tracker_picked": "Seguint dispositiu", - "device_tracker_pick": "Tria un dispositiu per fer-li el seguiment", - "new_person": "Persona nova", - "name_error_msg": "El nom és necessari", - "linked_user": "Usuari enllaçat", - "no_device_tracker_available_intro": "Quan tinguis dispositius que indiquen presència de persones, podràs assignar-los a una persona. Pots afegir el primer dispositiu afegint una integració de detecció de presència des de la pàgina d'integracions.", - "link_presence_detection_integrations": "Integracions de detecció de presència", - "link_integrations_page": "Pàgina d'integracions", - "delete": "Suprimeix", - "create": "Crea", - "update": "Actualitza" + "network_status": { + "network_started": "Xarxa Z-Wave iniciada", + "network_started_note_all_queried": "S'han consultat tots els nodes.", + "network_started_note_some_queried": "S'han consultat els nodes desperts. Els nodes adormits es consultaran quan es despertin.", + "network_starting": "Iniciant xarxa Z-Wave...", + "network_starting_note": "Això pot trigar una estona en funció de la mida de la teva xarxa.", + "network_stopped": "Xarxa Z-Wave aturada" }, - "introduction": "Aquí pots definir cada persona d'interès en Home Assistant.", - "note_about_persons_configured_in_yaml": "Nota: les persones configurades mitjançant configuration.yaml no es poden editar a la UI.", - "no_persons_created_yet": "Sembla que encara no has creat cap persona.", - "create_person": "Crea persona", - "add_person": "Afegeix persona", - "confirm_delete": "Estàs segur que vols eliminar aquesta persona?", - "confirm_delete2": "Tots els dispositius vinculats a aquesta persona quedaran sense assignar." - }, - "server_control": { - "caption": "Control del servidor", - "description": "Reinicia o atura el servidor de Home Assistant", - "section": { - "validation": { - "heading": "Validació de la configuració", - "introduction": "Valida la configuració si recentment has fet algun canvi a la configuració i vols assegurar-te de que sigui vàlida.", - "check_config": "Comprova la configuració", - "valid": "Configuració vàlida!", - "invalid": "Configuració invàlida" - }, - "reloading": { - "heading": "Torna a carregar la configuració", - "introduction": "Algunes parts de la configuració de Home Assistant es poden recarregar sense necessitat de reiniciar. Els botons de sota esborraran la configuració antiga i en carregaran la nova.", - "core": "Actualitza el nucli", - "group": "Actualitza grups", - "automation": "Actualitza automatitzacions", - "script": "Actualitza programes", - "scene": "Actualitza escenes" - }, - "server_management": { - "heading": "Gestió del servidor", - "introduction": "Controla el servidor de Home Assistant... des de Home Assistant.", - "restart": "Reinicia", - "stop": "Atura", - "confirm_restart": "Segur que vols reiniciar Home Assistant?", - "confirm_stop": "Segur que vols aturar Home Assistant?" - } - } - }, - "devices": { - "caption": "Dispositius", - "description": "Gestiona els dispositius connectats", - "automation": { - "triggers": { - "caption": "Feu alguna cosa quan..." - }, - "conditions": { - "caption": "Només fer alguna cosa si..." - }, - "actions": { - "caption": "Quan es dispara alguna cosa..." - } - } - }, - "common": { - "editor": { - "confirm_unsaved": "Hi han canvis no desats. Segur que vols sortir?" + "node_config": { + "config_parameter": "Paràmetre de configuració", + "config_value": "Valor de configuració", + "false": "Fals", + "header": "Opcions de configuració del node", + "seconds": "segons", + "set_config_parameter": "Defineix el paràmetre de configuració", + "set_wakeup": "Estableix l’interval en despertar", + "true": "Cert" + }, + "ozw_log": { + "header": "Registre d'OZW", + "introduction": "Consulta el registre. 0 és el mínim (carrega el registre complet) i 1000 és el màxim. La càrrega mostrarà un registre estàtic i la cua s’actualitzarà automàticament amb l’últim número de línies especificat." + }, + "services": { + "add_node": "Afegeix node", + "add_node_secure": "Afegeix node amb seguretat", + "cancel_command": "Cancel·lar ordre", + "heal_network": "Guareix la xarxa", + "remove_node": "Elimina node", + "save_config": "Desa la configuració", + "soft_reset": "Reinici suau", + "start_network": "Inicia la xarxa", + "stop_network": "Atura la xarxa", + "test_network": "Prova la xarxa" + }, + "values": { + "header": "Valors dels node" } } }, - "profile": { - "push_notifications": { - "header": "Notificacions push", - "description": "Envia notificacions a aquest dispositiu.", - "error_load_platform": "Configurar notify.html5.", - "error_use_https": "Requereix tenir SSL habilitat per a la interfície (frontend).", - "push_notifications": "Notificacions push", - "link_promo": "Més informació" - }, - "language": { - "header": "Idioma", - "link_promo": "Ajuda a traduir", - "dropdown_label": "Idioma" - }, - "themes": { - "header": "Tema", - "error_no_theme": "No hi ha temes disponibles.", - "link_promo": "Crea temes personalitzats", - "dropdown_label": "Tema" - }, - "refresh_tokens": { - "header": "Refresca els testimonis d'autenticació", - "description": "Cada testimoni d'autenticació d'actualització representa un inici de sessió diferent. Els testimonis d'autenticació d'actualització s'eliminaran automàticament quan tanquis la sessió. A sota hi ha una llista de testimonis d'autenticació d'actualització que estan actius actualment al teu compte.", - "token_title": "Testimoni d'actualització de {clientId}", - "created_at": "Creat el {date}", - "confirm_delete": "Estàs segur que vols eliminar el testimoni d'actualització per a {name}?", - "delete_failed": "No s'ha pogut eliminar el testimoni d'autenticació d'actualització.", - "last_used": "Darrer ús el {date} des de {location}", - "not_used": "Mai no s'ha utilitzat", - "current_token_tooltip": "No s'ha pogut eliminar el testimoni d'autenticació d'actualització." - }, - "long_lived_access_tokens": { - "header": "Testimonis d'autenticació d'accés de llarga durada", - "description": "Crea testimonis d'autenticació d'accés de llarga durada per permetre als teus programes (scripts) interactuar amb la instància de Home Assistant. Cada testimoni d'autenticació serà vàlid durant deu anys després de la seva creació. Els següents testimonis d'autenticació d'accés de llarga durada estan actius actualment.", - "learn_auth_requests": "Aprèn a fer sol·licituds autenticades.", - "created_at": "Creat el {date}", - "confirm_delete": "Estàs segur que vols eliminar el testimoni d'autenticació d'accés per {name}?", - "delete_failed": "No s'ha pogut eliminar el testimoni d'autenticació d'accés.", - "create": "Crea un testimoni d'autenticació", - "create_failed": "No s'ha pogut crear el testimoni d'autenticació d'accés.", - "prompt_name": "Nom?", - "prompt_copy_token": "Copia't el testimoni d'autenticació (token) d'accés. No es tornarà a mostrar més endavant.", - "empty_state": "Encara no tens testimonis d'autenticaciós d'accés de llarga durada.", - "last_used": "Darrer ús el {date} des de {location}", - "not_used": "Mai no s'ha utilitzat" - }, - "current_user": "Has iniciat la sessió com a {fullName}.", - "is_owner": "Ets propietari.", - "change_password": { - "header": "Canvi de contrasenya", - "current_password": "Contrasenya actual", - "new_password": "Contrasenya nova", - "confirm_new_password": "Confirmar contrasenya nova", - "error_required": "Obligatori", - "submit": "Envia" - }, - "mfa": { - "header": "Mòduls d'autenticació amb múltiples passos", - "disable": "Desactiva", - "enable": "Activa", - "confirm_disable": "Estàs segur que vols desactivar {name}?" - }, - "mfa_setup": { - "title_aborted": "S'ha avortat", - "title_success": "Èxit!", - "step_done": "Configuració feta per a {step}", - "close": "Tanca", - "submit": "Envia" - }, - "logout": "Tanca sessió", - "force_narrow": { - "header": "Amaga sempre la barra lateral", - "description": "Això ocultarà la barra lateral de manera similar als mòbils i tablets." - }, - "vibrate": { - "header": "Vibra", - "description": "Activa o desactiva la vibració en d’aquest dispositiu." - }, - "advanced_mode": { - "title": "Mode avançat", - "description": "Home Assistant oculta de manera predeterminada les funcions i opcions avançades. Pots accedir a aquestes funcions commutant aquest interruptor. Aquesta és una configuració específica per a usuari i no afecta altres usuaris que utilitzin Home Assistant." + "custom": { + "external_panel": { + "complete_access": "Tindrà accés a totes les dades de Home Assistant.", + "question_trust": "Confies en el panell extern {name} de {link}?" } }, - "page-authorize": { - "initializing": "S'està inicialitzant", - "authorizing_client": "Esteu a punt de permetre l'accés a la vostra instància de Home Assistant al client {clientId}.", - "logging_in_with": "Iniciant sessió amb **{authProviderName}**.", - "pick_auth_provider": "O bé inicieu sessió amb", - "abort_intro": "S'ha avortat l'inici de sessió", - "form": { - "working": "Si us plau, espereu", - "unknown_error": "Alguna cosa no ha anat bé", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Nom d'usuari", - "password": "Contrasenya" - } - }, - "mfa": { - "data": { - "code": "Codi de verificació en dos passos" - }, - "description": "Obre el **{mfa_module_name}** al teu dispositiu per veure el codi de verificació en dos passos i verifica la teva identitat:" - } - }, - "error": { - "invalid_auth": "Nom d'usuari o contrasenya incorrectes", - "invalid_code": "El codi d'autenticació no és vàlid" - }, - "abort": { - "login_expired": "La sessió ha caducat, torna a iniciar la sessió." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "Contrasenya API" - }, - "description": "Introdueix la contrasenya API a la configuració http:" - }, - "mfa": { - "data": { - "code": "Codi de verificació en dos passos" - }, - "description": "Obre el **{mfa_module_name}** al teu dispositiu per veure el codi de verificació en dos passos i verifica la teva identitat:" - } - }, - "error": { - "invalid_auth": "Contrasenya API invàlida", - "invalid_code": "El codi d'autenticació no és vàlid" - }, - "abort": { - "no_api_password_set": "No teniu una contrasenya API configurada.", - "login_expired": "La sessió ha caducat, torna a iniciar la sessió." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Usuari" - }, - "description": "Selecciona l'usuari amb el qual iniciar la sessió:" - } - }, - "abort": { - "not_whitelisted": "El teu ordinador no es troba accessible a la llista." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Nom d'usuari", - "password": "Contrasenya" - } - }, - "mfa": { - "data": { - "code": "Codi de verificació en dos passos" - }, - "description": "Obre el **{mfa_module_name}** al teu dispositiu per veure el codi de verificació en dos passos i verifica la teva identitat:" - } - }, - "error": { - "invalid_auth": "Nom d'usuari o contrasenya incorrectes", - "invalid_code": "El codi d'autenticació no és vàlid" - }, - "abort": { - "login_expired": "La sessió ha caducat, torna a iniciar la sessió." - } - } - } - } - }, - "page-onboarding": { - "intro": "Estàs preparat donar vida pròpia a la teva llar, recuperar la teva privacitat i unir-te a una comunitat mundial de \"tinkerers\"?", - "user": { - "intro": "Comencem creant un nou compte d'usuari.", - "required_field": "Obligatori", - "data": { - "name": "Nom", - "username": "Nom d'usuari", - "password": "Contrasenya", - "password_confirm": "Confirma la contrasenya" + "developer-tools": { + "tabs": { + "events": { + "alert_event_type": "El tipus d'esdeveniment és un camp obligatori", + "available_events": "Esdeveniments disponibles", + "count_listeners": " ({count} oients)", + "data": "Dades de l'esdeveniment (en YAML, opcionals)", + "description": "Crida un esdeveniment al bus d'esdeveniments.", + "documentation": "Documentació d'esdeveniments.", + "event_fired": "Esdeveniment {name} cridat", + "fire_event": "Crida esdeveniment", + "listen_to_events": "Escolta esdeveniments", + "listening_to": "Escoltant a", + "notification_event_fired": "L'esdeveniment {type} s'ha cridat correctament", + "start_listening": "Comença a escoltar", + "stop_listening": "Deixa d’escoltar", + "subscribe_to": "Esdeveniment al qual subscriure's", + "title": "Esdeveniments", + "type": "Tipus d'esdeveniment" }, - "create_account": "Crear compte", - "error": { - "required_fields": "Omple tots els camps obligatoris", - "password_not_match": "Les contrasenyes no coincideixen" + "info": { + "built_using": "Creat utilitzant", + "custom_uis": "Interfícies d'usuari personalitzades:", + "default_ui": "{action} {name} com a pàgina predeterminada del dispositiu", + "developed_by": "Desenvolupat per un munt de gent fantàstica.", + "frontend": "frontend-ui", + "frontend_version": "Versió de la interfície web d'usuari: {version} - {type}", + "home_assistant_logo": "Logotip de Home Assistant", + "icons_by": "Icones de", + "license": "Publicat amb la llicència Apache 2.0", + "lovelace_ui": "Vés a la UI Lovelace", + "path_configuration": "Ruta al fitxer configuration.yaml: {path}", + "remove": "Elimina", + "server": "servidor", + "set": "Estableix", + "source": "Font:", + "states_ui": "Vés a la UI d’estats", + "system_health_error": "El component Estat del Sistema no està configurat. Afegeix 'system_health:' a configuration.yaml", + "title": "Informació" + }, + "logs": { + "clear": "Esborra", + "details": "Detalls del registre ({level})", + "load_full_log": "Carrega el registre complet de Home Assistant", + "loading_log": "Carregant el registre d'errors...", + "multiple_messages": "missatge produit per primera vegada a les {time}, apareix {counter} vegades", + "no_errors": "No s'ha informat de cap error.", + "no_issues": "No hi ha registres nous!", + "refresh": "Actualitza", + "title": "Registres" + }, + "mqtt": { + "description_listen": "Escolta d'un tòpic", + "description_publish": "Publicació d'un paquet", + "listening_to": "Escoltant a", + "message_received": "Missatge {id} rebut a {topic} a les {time}:", + "payload": "Dades\/missatge (plantilla permesa)", + "publish": "Publica", + "start_listening": "Comença a escoltar", + "stop_listening": "Deixa d’escoltar", + "subscribe_to": "Tòpic al qual subscriure's", + "title": "MQTT", + "topic": "tòpic" + }, + "services": { + "alert_parsing_yaml": "S'ha produït un error analitzant el codi YAML: {data}", + "call_service": "Crida servei", + "column_description": "Descripció", + "column_example": "Exemple", + "column_parameter": "Paràmetre", + "data": "Dades del servei (en YAML, opcionals)", + "description": "L'eina Serveis et permet fer crides a qualsevol servei disponible a Home Assistant.", + "fill_example_data": "Omple amb dades d’exemple", + "no_description": "No hi ha cap descripció disponible", + "no_parameters": "Aquest servei no té paràmetres.", + "select_service": "Selecciona un servei per veure'n la descripció", + "title": "Serveis" + }, + "states": { + "alert_entity_field": "L’entitat és un camp obligatori", + "attributes": "Atributs", + "current_entities": "Entitats actuals", + "description1": "Defineix la representació d'un dispositiu a Home Assistant.", + "description2": "No hi haurà cap comunicació amb el dispositiu real.", + "entity": "Entitat", + "filter_attributes": "Filtra atributs", + "filter_entities": "Filtra entitats", + "filter_states": "Filtra estats", + "more_info": "Més informació", + "no_entities": "No hi ha entitats", + "set_state": "Estableix estat", + "state": "Estat", + "state_attributes": "Atributs d'estats (en YAML, opcionals)", + "title": "Estats" + }, + "templates": { + "description": "Les plantilles es renderitzen mitjançant el motor Jinja2 amb algunes extensions específiques de Home Assistant.", + "editor": "Editor de plantilles", + "jinja_documentation": "Documentació sobre plantilles amb Jinja2", + "template_extensions": "Extensions de plantilla de Home Assistant", + "title": "Plantilla", + "unknown_error_template": "Error desconegut renderitzant plantilla" } - }, - "integration": { - "intro": "Els dispositius i serveis es representen a Home Assistant com a integracions. Pots configurar-los ara o més tard des de la pàgina de configuració.", - "more_integrations": "Més", - "finish": "Finalitza" - }, - "core-config": { - "intro": "Hola {name}, benvingut\/uda a Home Assistant. Quin nom t'agradaria posar a la teva casa?", - "intro_location": "Voldirem saber la zona on vius. Aquesta informació servirà per poder mostrar certa informació i configurar automatitzacions relatives a la posició del sol. Aquestes dades mai es compartiran fora de la teva xarxa personal.", - "intro_location_detect": "Et podem ajudar a completar aquesta informació fent una única sol·licitud a un servei extern.", - "location_name_default": "Casa", - "button_detect": "Detecta", - "finish": "Següent" } }, + "history": { + "period": "Període", + "showing_entries": "Mostrant entrades de" + }, + "logbook": { + "entries_not_found": "No s’han trobat entrades al registre.", + "period": "Període", + "showing_entries": "Mostrant entrades de" + }, "lovelace": { "cards": { - "shopping-list": { - "checked_items": "Articles seleccionats", - "clear_items": "Esborrar els articles seleccionats", - "add_item": "Afegir element" - }, + "confirm_delete": "Estàs segur que vols eliminar aquesta targeta?", "empty_state": { - "title": "Benvingut\/da a casa", + "go_to_integrations_page": "Vés a la pàgina d'integracions.", "no_devices": "Aquesta pàgina et permet controlar els teus dispositius, però sembla que encara no en tens cap configurat. Vés a la pàgina d'integracions per a començar.", - "go_to_integrations_page": "Vés a la pàgina d'integracions." + "title": "Benvingut\/da a casa" }, "picture-elements": { - "hold": "Manté:", - "tap": "Tocar:", - "navigate_to": "Navega a {location}", - "toggle": "Commuta {name}", "call_service": "Crida servei {name}", + "hold": "Manté:", "more_info": "Mostra més informació: {name}", + "navigate_to": "Navega a {location}", + "tap": "Tocar:", + "toggle": "Commuta {name}", "url": "Obre un finestra a {url_path}" }, - "confirm_delete": "Estàs segur que vols eliminar aquesta targeta?" + "shopping-list": { + "add_item": "Afegir element", + "checked_items": "Articles seleccionats", + "clear_items": "Esborrar els articles seleccionats" + } + }, + "changed_toast": { + "message": "S'ha actualitzat la configuració de Lovelace, vols actualitzar la pàgina?", + "refresh": "Actualitza" }, "editor": { - "edit_card": { - "header": "Configuració de la targeta", - "save": "Desa", - "toggle_editor": "Commutar l'editor", - "pick_card": "Tria una targeta que vulguis afegir.", - "add": "Afegir targeta", - "edit": "Editar", - "delete": "Elimina", - "move": "Mou", - "show_visual_editor": "Mostra l'editor visual", - "show_code_editor": "Mostra l'editor de codi", - "pick_card_view_title": "Quina targeta vols afegir a la visualització {name}?", - "options": "Més opcions" - }, - "migrate": { - "header": "Configuració incompatible", - "para_no_id": "Aquest element no té ID. Afegeix un ID per aquest element a 'ui-lovelace.yaml'.", - "para_migrate": "Home Assistant pot afegir ID's a totes les vostres targetes i visualitzacions automàticament fent clic al botó \"Migrar la configuració\".", - "migrate": "Migrar la configuració" - }, - "header": "Editar la interfície d'usuari (UI)", - "edit_view": { - "header": "Configuració de la visualització", - "add": "Afegeix visualització", - "edit": "Editar visualització", - "delete": "Eliminar visualització", - "header_name": "Configuració de la visualització {name}" - }, - "save_config": { - "header": "Pren el control de la interfície d'usuari Lovelace", - "para": "De manera predeterminada, Home Assistant mantindrà al dia la teva interfície d'usuari, actualitzant-la quan hi hagi noves entitats o nous components de Lovelace disponibles. Si prens el control, ja no es faran aquests canvis automàticament.", - "para_sure": "Estàs segur que vols prendre el control de la interfície d'usuari?", - "cancel": "M'ho he repensat", - "save": "Prendre el control" - }, - "menu": { - "raw_editor": "Editor de codi", - "open": "Obre el menú de Lovelace" - }, - "raw_editor": { - "header": "Edita la configuració", - "save": "Desa", - "unsaved_changes": "Canvis sense desar", - "saved": "Desat" - }, - "edit_lovelace": { - "header": "Títol de la interfície d'usuari Lovelace", - "explanation": "Aquest títol es mostra a sobre de cada visualització a Lovelace." - }, "card": { "alarm_panel": { "available_states": "Estats disponibles" }, + "alarm-panel": { + "available_states": "Estats disponibles", + "name": "Panell d'alarma" + }, + "conditional": { + "name": "Condicional" + }, "config": { - "required": "Obligatori", - "optional": "Opcional" + "optional": "Opcional", + "required": "Obligatori" }, "entities": { - "show_header_toggle": "Mostra commutació a la capçalera?", "name": "Entitats", + "show_header_toggle": "Mostra commutació a la capçalera?", "toggle": "Commuta les entitats." }, + "entity-button": { + "name": "Botó d'entitat" + }, + "entity-filter": { + "name": "Filtre d'entitats" + }, "gauge": { + "name": "Galga", "severity": { "define": "Definir gravetat?", "green": "Verd", "red": "Vermell", "yellow": "Groc" - }, - "name": "Galga" - }, - "glance": { - "columns": "Columnes", - "name": "Visualització" + } }, "generic": { "aspect_ratio": "Relació d'aspecte", @@ -1511,39 +1665,14 @@ "show_name": "Mostra nom?", "show_state": "Mostra estat?", "tap_action": "Acció en tocar", - "title": "Títol", "theme": "Tema", + "title": "Títol", "unit": "Unitat", "url": "Enllaç" }, - "map": { - "geo_location_sources": "Fonts de geolocalització", - "dark_mode": "Mode fosc?", - "default_zoom": "Zoom predeterminat", - "source": "Font", - "name": "Mapa" - }, - "markdown": { - "content": "Contingut", - "name": "Markdown" - }, - "sensor": { - "graph_detail": "Detall del gràfic", - "graph_type": "Tipus de gràfic", - "name": "Sensor" - }, - "alarm-panel": { - "name": "Panell d'alarma", - "available_states": "Estats disponibles" - }, - "conditional": { - "name": "Condicional" - }, - "entity-button": { - "name": "Botó d'entitat" - }, - "entity-filter": { - "name": "Filtre d'entitats" + "glance": { + "columns": "Columnes", + "name": "Visualització" }, "history-graph": { "name": "Gràfic d'històric" @@ -1557,12 +1686,20 @@ "light": { "name": "Llum" }, + "map": { + "dark_mode": "Mode fosc?", + "default_zoom": "Zoom predeterminat", + "geo_location_sources": "Fonts de geolocalització", + "name": "Mapa", + "source": "Font" + }, + "markdown": { + "content": "Contingut", + "name": "Markdown" + }, "media-control": { "name": "Control multimèdia" }, - "picture": { - "name": "Imatge" - }, "picture-elements": { "name": "Imatge amb elements" }, @@ -1572,9 +1709,17 @@ "picture-glance": { "name": "Visualització d'imatge" }, + "picture": { + "name": "Imatge" + }, "plant-status": { "name": "Estat de la planta" }, + "sensor": { + "graph_detail": "Detall del gràfic", + "graph_type": "Tipus de gràfic", + "name": "Sensor" + }, "shopping-list": { "name": "Llista de la compra" }, @@ -1588,432 +1733,364 @@ "name": "Previsió meteorològica" } }, + "edit_card": { + "add": "Afegir targeta", + "delete": "Elimina", + "edit": "Editar", + "header": "Configuració de la targeta", + "move": "Mou", + "options": "Més opcions", + "pick_card": "Tria una targeta que vulguis afegir.", + "pick_card_view_title": "Quina targeta vols afegir a la visualització {name}?", + "save": "Desa", + "show_code_editor": "Mostra l'editor de codi", + "show_visual_editor": "Mostra l'editor visual", + "toggle_editor": "Commutar l'editor" + }, + "edit_lovelace": { + "edit_title": "Edita el títol", + "explanation": "Aquest títol es mostra a sobre de cada visualització a Lovelace.", + "header": "Títol de la interfície d'usuari Lovelace" + }, + "edit_view": { + "add": "Afegeix visualització", + "delete": "Eliminar visualització", + "edit": "Editar visualització", + "header": "Configuració de la visualització", + "header_name": "Configuració de la visualització {name}", + "move_left": "Desplaça la visualització cap a l'esquerra", + "move_right": "Desplaça la visualització cap a la dreta" + }, + "header": "Editar la interfície d'usuari (UI)", + "menu": { + "open": "Obre el menú de Lovelace", + "raw_editor": "Editor de codi" + }, + "migrate": { + "header": "Configuració incompatible", + "migrate": "Migrar la configuració", + "para_migrate": "Home Assistant pot afegir ID's a totes les vostres targetes i visualitzacions automàticament fent clic al botó \"Migrar la configuració\".", + "para_no_id": "Aquest element no té ID. Afegeix un ID per aquest element a 'ui-lovelace.yaml'." + }, + "raw_editor": { + "confirm_unsaved_changes": "Hi han canvis no desats. Segur que vols sortir?", + "error_invalid_config": "La configuració no és vàlida: {error}", + "error_parse_yaml": "No es pot analitzar YAML: {error}", + "error_save_yaml": "No es pot desar YAML: {error}", + "header": "Edita la configuració", + "save": "Desa", + "saved": "Desat", + "unsaved_changes": "Canvis sense desar" + }, + "save_config": { + "cancel": "M'ho he repensat", + "header": "Pren el control de la interfície d'usuari Lovelace", + "para": "De manera predeterminada, Home Assistant mantindrà al dia la teva interfície d'usuari, actualitzant-la quan hi hagi noves entitats o nous components de Lovelace disponibles. Si prens el control, ja no es faran aquests canvis automàticament.", + "para_sure": "Estàs segur que vols prendre el control de la interfície d'usuari?", + "save": "Prendre el control" + }, "view": { "panel_mode": { - "title": "Mode panell?", - "description": "Es renderitzarà la primera targeta a amplada completa; les altres targetes d'aquesta visualització no es mostraran." + "description": "Es renderitzarà la primera targeta a amplada completa; les altres targetes d'aquesta visualització no es mostraran.", + "title": "Mode panell?" } } }, "menu": { + "close": "Tanca", "configure_ui": "Configurar la interfície d'usuari", - "unused_entities": "Entitats sense utilitzar", "help": "Ajuda", - "refresh": "Actualitzar" - }, - "warning": { - "entity_not_found": "Entitat no disponible: {entity}", - "entity_non_numeric": "Entitat no numèrica: {entity}" - }, - "changed_toast": { - "message": "S'ha actualitzat la configuració de Lovelace, vols actualitzar la pàgina?", - "refresh": "Actualitza" + "refresh": "Actualitzar", + "unused_entities": "Entitats sense utilitzar" }, "reload_lovelace": "Recarrega Lovelace", + "unused_entities": { + "available_entities": "Aquestes són les entitats que tens disponibles, però que no es troben a la interfície d'usuari Lovelace.", + "domain": "Domini", + "entity": "Entitat", + "entity_id": "ID de l'entitat", + "select_to_add": "Selecciona les entitats que vols afegir a una targeta i fés clic al botó d'afegir targeta.", + "title": "Entitats sense utilitzar" + }, "views": { "confirm_delete": "Estàs segur que vols eliminar aquesta visualització?", "existing_cards": "No pots suprimir una visualització si conté targetes, elimina-les primer." + }, + "warning": { + "entity_non_numeric": "Entitat no numèrica: {entity}", + "entity_not_found": "Entitat no disponible: {entity}" } }, + "mailbox": { + "delete_button": "Elimina", + "delete_prompt": "Vols eliminar aquest missatge?", + "empty": "No tens missatges", + "playback_title": "Reproducció de missatges" + }, + "page-authorize": { + "abort_intro": "S'ha avortat l'inici de sessió", + "authorizing_client": "Esteu a punt de permetre l'accés a la vostra instància de Home Assistant al client {clientId}.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "La sessió ha caducat, torna a iniciar la sessió." + }, + "error": { + "invalid_auth": "Nom d'usuari o contrasenya incorrectes", + "invalid_code": "El codi d'autenticació no és vàlid" + }, + "step": { + "init": { + "data": { + "password": "Contrasenya", + "username": "Nom d'usuari" + } + }, + "mfa": { + "data": { + "code": "Codi de verificació en dos passos" + }, + "description": "Obre el **{mfa_module_name}** al teu dispositiu per veure el codi de verificació en dos passos i verifica la teva identitat:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "La sessió ha caducat, torna a iniciar la sessió." + }, + "error": { + "invalid_auth": "Nom d'usuari o contrasenya incorrectes", + "invalid_code": "El codi d'autenticació no és vàlid" + }, + "step": { + "init": { + "data": { + "password": "Contrasenya", + "username": "Nom d'usuari" + } + }, + "mfa": { + "data": { + "code": "Codi de verificació en dos passos" + }, + "description": "Obre el **{mfa_module_name}** al teu dispositiu per veure el codi de verificació en dos passos i verifica la teva identitat:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "La sessió ha caducat, torna a iniciar la sessió.", + "no_api_password_set": "No teniu una contrasenya API configurada." + }, + "error": { + "invalid_auth": "Contrasenya API invàlida", + "invalid_code": "El codi d'autenticació no és vàlid" + }, + "step": { + "init": { + "data": { + "password": "Contrasenya API" + }, + "description": "Introdueix la contrasenya API a la configuració http:" + }, + "mfa": { + "data": { + "code": "Codi de verificació en dos passos" + }, + "description": "Obre el **{mfa_module_name}** al teu dispositiu per veure el codi de verificació en dos passos i verifica la teva identitat:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "El teu ordinador no es troba accessible a la llista." + }, + "step": { + "init": { + "data": { + "user": "Usuari" + }, + "description": "Selecciona l'usuari amb el qual iniciar la sessió:" + } + } + } + }, + "unknown_error": "Alguna cosa no ha anat bé", + "working": "Si us plau, espereu" + }, + "initializing": "S'està inicialitzant", + "logging_in_with": "Iniciant sessió amb **{authProviderName}**.", + "pick_auth_provider": "O bé inicieu sessió amb" + }, "page-demo": { "cards": { "demo": { "demo_by": "per {name}", - "next_demo": "Següent mostra", "introduction": "Benvingut a casa! Has arribat a la demo de Home Assistant on es mostren algunes de les millors interfícies d’usuari creades per la comunitat.", - "learn_more": "Més informació sobre Home Assistant" + "learn_more": "Més informació sobre Home Assistant", + "next_demo": "Següent mostra" } }, "config": { "arsaboo": { - "names": { - "upstairs": "Pis superior", - "family_room": "Sala d'estar", - "kitchen": "Cuina", - "patio": "Pati", - "hallway": "Passadís", - "master_bedroom": "Dormitori principal", - "left": "Esquerra", - "right": "Dreta", - "mirror": "Mirall" - }, "labels": { - "lights": "Llums", - "information": "Informació", - "morning_commute": "Desplaçament al matí", + "activity": "Activitat", + "air": "Aire", "commute_home": "Tornada cap a casa", "entertainment": "Entreteniment", - "activity": "Activitat", "hdmi_input": "Entrada HDMI", "hdmi_switcher": "Commutador HDMI", - "volume": "Volum", + "information": "Informació", + "lights": "Llums", + "morning_commute": "Desplaçament al matí", "total_tv_time": "Temps de visualització", "turn_tv_off": "Apaga la televisió", - "air": "Aire" + "volume": "Volum" + }, + "names": { + "family_room": "Sala d'estar", + "hallway": "Passadís", + "kitchen": "Cuina", + "left": "Esquerra", + "master_bedroom": "Dormitori principal", + "mirror": "Mirall", + "patio": "Pati", + "right": "Dreta", + "upstairs": "Pis superior" }, "unit": { - "watching": "visualitzant", - "minutes_abbr": "min" + "minutes_abbr": "min", + "watching": "visualitzant" } } } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Detecta", + "finish": "Següent", + "intro": "Hola {name}, benvingut\/uda a Home Assistant. Quin nom t'agradaria posar a la teva casa?", + "intro_location": "Voldirem saber la zona on vius. Aquesta informació servirà per poder mostrar certa informació i configurar automatitzacions relatives a la posició del sol. Aquestes dades mai es compartiran fora de la teva xarxa personal.", + "intro_location_detect": "Et podem ajudar a completar aquesta informació fent una única sol·licitud a un servei extern.", + "location_name_default": "Casa" + }, + "integration": { + "finish": "Finalitza", + "intro": "Els dispositius i serveis es representen a Home Assistant com a integracions. Pots configurar-los ara o més tard des de la pàgina de configuració.", + "more_integrations": "Més" + }, + "intro": "Estàs preparat donar vida pròpia a la teva llar, recuperar la teva privacitat i unir-te a una comunitat mundial de \"tinkerers\"?", + "user": { + "create_account": "Crear compte", + "data": { + "name": "Nom", + "password": "Contrasenya", + "password_confirm": "Confirma la contrasenya", + "username": "Nom d'usuari" + }, + "error": { + "password_not_match": "Les contrasenyes no coincideixen", + "required_fields": "Omple tots els camps obligatoris" + }, + "intro": "Comencem creant un nou compte d'usuari.", + "required_field": "Obligatori" + } + }, + "profile": { + "advanced_mode": { + "description": "Home Assistant oculta de manera predeterminada les funcions i opcions avançades. Pots accedir a aquestes funcions commutant aquest interruptor. Aquesta és una configuració específica per a usuari i no afecta altres usuaris que utilitzin Home Assistant.", + "link_profile_page": "la teva pàgina de perfil", + "title": "Mode avançat" + }, + "change_password": { + "confirm_new_password": "Confirmar contrasenya nova", + "current_password": "Contrasenya actual", + "error_required": "Obligatori", + "header": "Canvi de contrasenya", + "new_password": "Contrasenya nova", + "submit": "Envia" + }, + "current_user": "Has iniciat la sessió com a {fullName}.", + "force_narrow": { + "description": "Això ocultarà la barra lateral de manera similar als mòbils i tablets.", + "header": "Amaga sempre la barra lateral" + }, + "is_owner": "Ets propietari.", + "language": { + "dropdown_label": "Idioma", + "header": "Idioma", + "link_promo": "Ajuda a traduir" + }, + "logout": "Tanca sessió", + "long_lived_access_tokens": { + "confirm_delete": "Estàs segur que vols eliminar el testimoni d'autenticació d'accés per {name}?", + "create": "Crea un testimoni d'autenticació", + "create_failed": "No s'ha pogut crear el testimoni d'autenticació d'accés.", + "created_at": "Creat el {date}", + "delete_failed": "No s'ha pogut eliminar el testimoni d'autenticació d'accés.", + "description": "Crea testimonis d'autenticació d'accés de llarga durada per permetre als teus programes (scripts) interactuar amb la instància de Home Assistant. Cada testimoni d'autenticació serà vàlid durant deu anys després de la seva creació. Els següents testimonis d'autenticació d'accés de llarga durada estan actius actualment.", + "empty_state": "Encara no tens testimonis d'autenticaciós d'accés de llarga durada.", + "header": "Testimonis d'autenticació d'accés de llarga durada", + "last_used": "Darrer ús el {date} des de {location}", + "learn_auth_requests": "Aprèn a fer sol·licituds autenticades.", + "not_used": "Mai no s'ha utilitzat", + "prompt_copy_token": "Copia't el testimoni d'autenticació (token) d'accés. No es tornarà a mostrar més endavant.", + "prompt_name": "Nom?" + }, + "mfa_setup": { + "close": "Tanca", + "step_done": "Configuració feta per a {step}", + "submit": "Envia", + "title_aborted": "S'ha avortat", + "title_success": "Èxit!" + }, + "mfa": { + "confirm_disable": "Estàs segur que vols desactivar {name}?", + "disable": "Desactiva", + "enable": "Activa", + "header": "Mòduls d'autenticació amb múltiples passos" + }, + "push_notifications": { + "description": "Envia notificacions a aquest dispositiu.", + "error_load_platform": "Configurar notify.html5.", + "error_use_https": "Requereix tenir SSL habilitat per a la interfície (frontend).", + "header": "Notificacions push", + "link_promo": "Més informació", + "push_notifications": "Notificacions push" + }, + "refresh_tokens": { + "confirm_delete": "Estàs segur que vols eliminar el testimoni d'actualització per a {name}?", + "created_at": "Creat el {date}", + "current_token_tooltip": "No s'ha pogut eliminar el testimoni d'autenticació d'actualització.", + "delete_failed": "No s'ha pogut eliminar el testimoni d'autenticació d'actualització.", + "description": "Cada testimoni d'autenticació d'actualització representa un inici de sessió diferent. Els testimonis d'autenticació d'actualització s'eliminaran automàticament quan tanquis la sessió. A sota hi ha una llista de testimonis d'autenticació d'actualització que estan actius actualment al teu compte.", + "header": "Refresca els testimonis d'autenticació", + "last_used": "Darrer ús el {date} des de {location}", + "not_used": "Mai no s'ha utilitzat", + "token_title": "Testimoni d'actualització de {clientId}" + }, + "themes": { + "dropdown_label": "Tema", + "error_no_theme": "No hi ha temes disponibles.", + "header": "Tema", + "link_promo": "Crea temes personalitzats" + }, + "vibrate": { + "description": "Activa o desactiva la vibració en d’aquest dispositiu.", + "header": "Vibra" + } + }, + "shopping-list": { + "add_item": "Afegir article", + "clear_completed": "Elimina els completats", + "microphone_tip": "Clica el micròfon a la part superior dreta i digues \"Add candy to my shopping list\"" } }, "sidebar": { - "log_out": "Desconnectar", "external_app_configuration": "Configuració de l’aplicació", + "log_out": "Desconnectar", "sidebar_toggle": "Commutació de la barra lateral" - }, - "common": { - "loading": "Carregant", - "cancel": "Cancel·la", - "save": "Desa", - "successfully_saved": "S'ha desat correctament" - }, - "duration": { - "day": "{count} {count, plural,\n one {dia}\n other {dies}\n}", - "week": "{count} {count, plural,\n one {setmana}\n other {setmanes}\n}", - "second": "{count} {count, plural,\none {segon}\nother {segons}\n}", - "minute": "{count} {count, plural,\none {minut}\nother {minuts}\n}", - "hour": "{count} {count, plural,\none {hora}\nother {hores}\n}" - }, - "login-form": { - "password": "Contrasenya", - "remember": "Recordar", - "log_in": "Iniciar sessió" - }, - "card": { - "camera": { - "not_available": "Imatge no disponible" - }, - "persistent_notification": { - "dismiss": "Desestimar" - }, - "scene": { - "activate": "Activar" - }, - "script": { - "execute": "Executar" - }, - "weather": { - "attributes": { - "air_pressure": "Pressió atmosfèrica", - "humidity": "Humitat", - "temperature": "Temperatura", - "visibility": "Visibilitat", - "wind_speed": "Velocitat del vent" - }, - "cardinal_direction": { - "e": "E", - "ene": "ENE", - "ese": "ESE", - "n": "N", - "ne": "NE", - "nne": "NNE", - "nw": "NO", - "nnw": "NNO", - "s": "S", - "se": "SE", - "sse": "SSE", - "ssw": "SSO", - "sw": "SO", - "w": "O", - "wnw": "ONO", - "wsw": "OSO" - }, - "forecast": "Previsió" - }, - "alarm_control_panel": { - "code": "Codi", - "clear_code": "Borrar", - "disarm": "Desactivar", - "arm_home": "Activar, a casa", - "arm_away": "Activar, fora", - "arm_night": "Activar, nocturn", - "armed_custom_bypass": "Bypass personalitzat", - "arm_custom_bypass": "Bypass personalitzat" - }, - "automation": { - "last_triggered": "Última execució", - "trigger": "Executar" - }, - "cover": { - "position": "Posició", - "tilt_position": "Inclinació" - }, - "fan": { - "speed": "Velocitat", - "oscillate": "Oscil·lació", - "direction": "Direcció", - "forward": "Endavant", - "reverse": "Invers" - }, - "light": { - "brightness": "Brillantor", - "color_temperature": "Temperatura de color", - "white_value": "Ajust de blanc", - "effect": "Efecte" - }, - "media_player": { - "text_to_speak": "Text a veu", - "source": "Entrada", - "sound_mode": "Mode de so" - }, - "climate": { - "currently": "Actual", - "on_off": "On \/ Off", - "target_temperature": "Temperatura desitjada", - "target_humidity": "Humitat desitjada", - "operation": "Funcionament", - "fan_mode": "Mode ventilació", - "swing_mode": "Mode oscil·lació", - "away_mode": "Mode absent", - "aux_heat": "Calefactor auxiliar", - "preset_mode": "Programat", - "target_temperature_entity": "Temperatura objectiu de {name}", - "current_temperature": "Temperatura actual de {name}", - "heating": "{name} escalfant", - "cooling": "{name} refredant", - "high": "alt", - "low": "baix" - }, - "lock": { - "code": "Codi", - "lock": "Bloquejar", - "unlock": "Desbloquejar" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Reprendre neteja", - "return_to_base": "Retornar a la base", - "start_cleaning": "Començar neteja", - "turn_on": "Encendre", - "turn_off": "Apagar" - } - }, - "water_heater": { - "currently": "Actual", - "on_off": "On \/ Off", - "target_temperature": "Temperatura desitjada", - "operation": "Funcionament", - "away_mode": "Mode fora" - }, - "timer": { - "actions": { - "start": "inicia", - "pause": "pausa", - "cancel": "cancel·la", - "finish": "finalitza" - } - }, - "counter": { - "actions": { - "increment": "increment", - "decrement": "decreixement", - "reset": "restablir" - } - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "Entitat", - "clear": "Esborra", - "show_entities": "Mostra entitats" - } - }, - "service-picker": { - "service": "Servei" - }, - "relative_time": { - "past": "Fa {time}", - "future": "D'aquí a {time}", - "never": "Mai", - "duration": { - "second": "{count} {count, plural,\n one {segon}\n other {segons}\n}", - "minute": "{count} {count, plural,\n one {minut}\n other {minuts}\n}", - "hour": "{count} {count, plural,\n one {hora}\n other {hores}\n}", - "day": "{count} {count, plural,\n one {dia}\n other {dies}\n}", - "week": "{count} {count, plural,\n one {setmana}\n other {setmanes}\n}" - } - }, - "history_charts": { - "loading_history": "Carregant historial d'estats...", - "no_history_found": "No s'ha trobat cap historial d'estats." - }, - "device-picker": { - "clear": "Esborra", - "show_devices": "Mostra dispositius" - } - }, - "notification_toast": { - "entity_turned_on": "S'ha engegat {entity}.", - "entity_turned_off": "S'ha apagat {entity}.", - "service_called": "S'ha cridat el servei {service}.", - "service_call_failed": "Ha fallat la crida al servei {service}.", - "connection_lost": "Connexió perduda. Tornant a connectar...", - "triggered": "{name} disparat\/ada" - }, - "dialogs": { - "more_info_settings": { - "save": "Desa", - "name": "Substitució de Nom", - "entity_id": "ID de l'entitat" - }, - "more_info_control": { - "script": { - "last_action": "Última acció" - }, - "sun": { - "elevation": "Elevació", - "rising": "Sortint", - "setting": "Ponent-se" - }, - "updater": { - "title": "Instruccions d'actualització" - } - }, - "options_flow": { - "form": { - "header": "Opcions" - }, - "success": { - "description": "Opcions guardades amb èxit." - } - }, - "config_entry_system_options": { - "title": "Opcions de sistema", - "enable_new_entities_label": "Activa entitats afegides recentment.", - "enable_new_entities_description": "Si està desactivat, les entitats descobertes recentment no s’afegiran automàticament a Home Assistant." - }, - "zha_device_info": { - "manuf": "per {manufacturer}", - "no_area": "Sense Àrea", - "services": { - "reconfigure": "Reconfigura el dispositiu ZHA (dispositiu curatiu). Utilitza-ho si tens problemes amb el dispositiu. Si el dispositiu en qüestió està alimentat per bateria, assegura't que estigui despert i accepti ordres quan utilitzis aquest servei.", - "updateDeviceName": "Estableix un nom personalitzat pel dispositiu al registre de dispositius.", - "remove": "Elimina un dispositiu de la xarxa Zigbee." - }, - "zha_device_card": { - "device_name_placeholder": "Nom donat per l'usuari", - "area_picker_label": "Àrea", - "update_name_button": "Actualitzar Nom" - }, - "buttons": { - "add": "Afegir dispositius", - "remove": "Eliminar dispositiu", - "reconfigure": "Reconfigurar dispositiu" - }, - "quirk": "Quirk", - "last_seen": "Vist per últim cop", - "power_source": "Font d'alimentació", - "unknown": "Desconeguda" - }, - "confirmation": { - "cancel": "Cancel·la", - "ok": "D'acord", - "title": "Estàs segur?" - } - }, - "auth_store": { - "ask": "Vols desar aquest inici de sessió?", - "decline": "No, gràcies", - "confirm": "Desa inici de sessió" - }, - "notification_drawer": { - "click_to_configure": "Prem el botó per configurar {entity}", - "empty": "No hi ha notificacions", - "title": "Notificacions" - } - }, - "domain": { - "alarm_control_panel": "Panell de control d'alarma", - "automation": "Automatització", - "binary_sensor": "Sensor binari", - "calendar": "Calendari", - "camera": "Càmera", - "climate": "Climatització", - "configurator": "Configurador", - "conversation": "Conversa", - "cover": "Coberta", - "device_tracker": "Seguiment de dispositius", - "fan": "Ventiladors", - "history_graph": "Gràfics històrics", - "group": "Grups", - "image_processing": "Processament d'imatges", - "input_boolean": "Entrada booleana", - "input_datetime": "Entrada de data i hora", - "input_select": "Entrada de selecció", - "input_number": "Entrada numèrica", - "input_text": "Entrada de text", - "light": "Llums", - "lock": "Panys", - "mailbox": "Bústia", - "media_player": "Reproductor multimèdia", - "notify": "Notificacions", - "plant": "Planta", - "proximity": "Proximitat", - "remote": "Comandaments", - "scene": "Escenes", - "script": "Programes (scripts)", - "sensor": "Sensors", - "sun": "Sol", - "switch": "Interruptors", - "updater": "Actualitzador", - "weblink": "Enllaços web", - "zwave": "Z-Wave", - "vacuum": "Aspiradora", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Estat del Sistema", - "person": "Persona" - }, - "attribute": { - "weather": { - "humidity": "Humitat", - "visibility": "Visibilitat", - "wind_speed": "Velocitat del vent" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Desactivat", - "on": "Activat", - "auto": "Automàtic" - }, - "preset_mode": { - "none": "Cap", - "eco": "Econòmic", - "away": "Absent", - "boost": "Incrementat", - "comfort": "Confort", - "home": "A casa", - "sleep": "Dormint", - "activity": "Activitat" - }, - "hvac_action": { - "off": "Apagat", - "heating": "Escalfant", - "cooling": "Refredant", - "drying": "Assecant", - "idle": "Inactiu", - "fan": "Ventilació" - } - } - }, - "groups": { - "system-admin": "Administradors", - "system-users": "Usuaris", - "system-read-only": "Usuaris de només lectura" - }, - "config_entry": { - "disabled_by": { - "user": "Usuari", - "integration": "Integració", - "config_entry": "Entrada de configuració" } } } \ No newline at end of file diff --git a/translations/cs.json b/translations/cs.json index 2d7e7b56e1..8e88149f0f 100644 --- a/translations/cs.json +++ b/translations/cs.json @@ -1,53 +1,193 @@ { + "attribute": { + "weather": { + "humidity": "Vlhkost vzduchu", + "visibility": "Viditelnost", + "wind_speed": "Rychlost větru" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Položka konfigurace", + "integration": "Integrace", + "user": "Uživatel" + } + }, + "domain": { + "alarm_control_panel": "Ovládací panel alarmu", + "automation": "Automatizace", + "binary_sensor": "Binární senzor", + "calendar": "Kalendář", + "camera": "Kamera", + "climate": "Klimatizace", + "configurator": "Konfigurátor", + "conversation": "Konverzace", + "cover": "Roleta", + "device_tracker": "Sledovač zařízení", + "fan": "Ventilátor", + "group": "Skupina", + "hassio": "Hass.io", + "history_graph": "Graf historie", + "homeassistant": "Home Assistant", + "image_processing": "Zpracování obrazu", + "input_boolean": "Zadání ano\/ne", + "input_datetime": "Zadání času", + "input_number": "Zadání čísla", + "input_select": "Zadání volby", + "input_text": "Zadání textu", + "light": "Světlo", + "lock": "Zámek", + "lovelace": "Lovelace", + "mailbox": "Poštovní schránka", + "media_player": "Přehrávač médií", + "notify": "Oznámení", + "person": "Osoba", + "plant": "Rostlina", + "proximity": "Přiblížení", + "remote": "Dálkové", + "scene": "Scéna", + "script": "Skript", + "sensor": "Senzor", + "sun": "Slunce", + "switch": "Spínač", + "system_health": "Kondice systému", + "updater": "Aktualizátor", + "vacuum": "Vysavač", + "weblink": "Webový odkaz", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Správci", + "system-read-only": "Uživatelé jen pro čtení", + "system-users": "Uživatelé" + }, "panel": { + "calendar": "Kalendář", "config": "Nastavení", - "states": "Přehled", - "map": "Mapa", - "logbook": "Záznamy", - "history": "Historie", - "mailbox": "Schránka", - "shopping_list": "Nákupní seznam", "dev-info": "Informace", "developer_tools": "Vývojářské nástroje", - "calendar": "Kalendář", - "profile": "Profil" + "history": "Historie", + "logbook": "Záznamy", + "mailbox": "Schránka", + "map": "Mapa", + "profile": "Profil", + "shopping_list": "Nákupní seznam", + "states": "Přehled" }, - "state": { - "default": { - "off": "Neaktivní", - "on": "Aktivní", - "unknown": "Nezjištěno", - "unavailable": "Není k dispozici" - }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Automaticky", + "off": "Vypnuto", + "on": "Zapnuto" + }, + "hvac_action": { + "cooling": "Chlazení", + "drying": "Sušení", + "fan": "Ventilátor", + "heating": "Topení", + "idle": "Nečinný", + "off": "Vypnuto" + }, + "preset_mode": { + "activity": "Aktivita", + "away": "Pryč", + "boost": "Boost", + "comfort": "Komfort", + "eco": "Eco", + "home": "Doma", + "none": "Žádná", + "sleep": "Spánek" + } + } + }, + "state_badge": { "alarm_control_panel": { "armed": "Aktivní", + "armed_away": "Aktivní", + "armed_custom_bypass": "Aktivní", + "armed_home": "Aktivní", + "armed_night": "Aktivní", + "arming": "Aktivace", "disarmed": "Neaktivní", - "armed_home": "Aktivní režim doma", + "disarming": "Deaktivace", + "pending": "Čeká", + "triggered": "Spuštěn" + }, + "default": { + "entity_not_found": "Entita nenalezena", + "error": "Chyba", + "unavailable": "Není", + "unknown": "Neví se" + }, + "device_tracker": { + "home": "Doma", + "not_home": "Pryč" + }, + "person": { + "home": "Doma", + "not_home": "Pryč" + } + }, + "state": { + "alarm_control_panel": { + "armed": "Aktivní", "armed_away": "Aktivní režim mimo domov", + "armed_custom_bypass": "Aktivní uživatelským obejitím", + "armed_home": "Aktivní režim doma", "armed_night": "Aktivní noční režim", - "pending": "Nadcházející", "arming": "Aktivování", + "disarmed": "Neaktivní", "disarming": "Deaktivování", - "triggered": "Spuštěno", - "armed_custom_bypass": "Aktivní uživatelským obejitím" + "pending": "Nadcházející", + "triggered": "Spuštěno" }, "automation": { "off": "Neaktivní", "on": "Aktivní" }, "binary_sensor": { + "battery": { + "off": "Normální", + "on": "Nízký stav" + }, + "cold": { + "off": "Normální", + "on": "Chladné" + }, + "connectivity": { + "off": "Odpojeno", + "on": "Připojeno" + }, "default": { "off": "Neaktivní", "on": "Aktivní" }, - "moisture": { - "off": "Sucho", - "on": "Vlhko" + "door": { + "off": "Zavřeno", + "on": "Otevřeno" + }, + "garage_door": { + "off": "Zavřeno", + "on": "Otevřeno" }, "gas": { "off": "Žádný plyn", "on": "Zjištěn plyn" }, + "heat": { + "off": "Normální", + "on": "Horké" + }, + "lock": { + "off": "Zamčeno", + "on": "Odemčeno" + }, + "moisture": { + "off": "Sucho", + "on": "Vlhko" + }, "motion": { "off": "Bez pohybu", "on": "Zaznamenán pohyb" @@ -56,6 +196,22 @@ "off": "Volno", "on": "Obsazeno" }, + "opening": { + "off": "Zavřeno", + "on": "Otevřeno" + }, + "presence": { + "off": "Pryč", + "on": "Doma" + }, + "problem": { + "off": "V pořádku", + "on": "Problém" + }, + "safety": { + "off": "Zajištěno", + "on": "Nezajištěno" + }, "smoke": { "off": "Žádný dým", "on": "Zjištěn dým" @@ -68,53 +224,9 @@ "off": "Klid", "on": "Zjištěny vibrace" }, - "opening": { - "off": "Zavřeno", - "on": "Otevřeno" - }, - "safety": { - "off": "Zajištěno", - "on": "Nezajištěno" - }, - "presence": { - "off": "Pryč", - "on": "Doma" - }, - "battery": { - "off": "Normální", - "on": "Nízký stav" - }, - "problem": { - "off": "V pořádku", - "on": "Problém" - }, - "connectivity": { - "off": "Odpojeno", - "on": "Připojeno" - }, - "cold": { - "off": "Normální", - "on": "Chladné" - }, - "door": { - "off": "Zavřeno", - "on": "Otevřeno" - }, - "garage_door": { - "off": "Zavřeno", - "on": "Otevřeno" - }, - "heat": { - "off": "Normální", - "on": "Horké" - }, "window": { "off": "Zavřeno", "on": "Otevřeno" - }, - "lock": { - "off": "Zamčeno", - "on": "Odemčeno" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "Aktivní" }, "camera": { + "idle": "Nečinný", "recording": "Záznam", - "streaming": "Streamování", - "idle": "Nečinný" + "streaming": "Streamování" }, "climate": { - "off": "Neaktivní", - "on": "Aktivní", - "heat": "Topení", - "cool": "Chlazení", - "idle": "Nečinný", "auto": "Automatika", + "cool": "Chlazení", "dry": "Vysoušení", - "fan_only": "Pouze ventilátor", "eco": "Ekonomický režim", "electric": "Elektrické", - "performance": "Vysoký výkon", - "high_demand": "Vysoký výkon", - "heat_pump": "Tepelné čerpadlo", + "fan_only": "Pouze ventilátor", "gas": "Plyn", + "heat": "Topení", + "heat_cool": "Vytápění\/Chlazení", + "heat_pump": "Tepelné čerpadlo", + "high_demand": "Vysoký výkon", + "idle": "Nečinný", "manual": "Ruční", - "heat_cool": "Vytápění\/Chlazení" + "off": "Neaktivní", + "on": "Aktivní", + "performance": "Vysoký výkon" }, "configurator": { "configure": "Nakonfigurovat", "configured": "Nakonfigurováno" }, "cover": { - "open": "Otevřeno", - "opening": "Otevírání", "closed": "Zavřeno", "closing": "Zavírání", + "open": "Otevřeno", + "opening": "Otevírání", "stopped": "Zastaveno" }, + "default": { + "off": "Neaktivní", + "on": "Aktivní", + "unavailable": "Není k dispozici", + "unknown": "Nezjištěno" + }, "device_tracker": { "home": "Doma", "not_home": "Pryč" @@ -164,19 +282,19 @@ "on": "Aktivní" }, "group": { - "off": "Neaktivní", - "on": "Aktivní", - "home": "Doma", - "not_home": "Pryč", - "open": "Otevřeno", - "opening": "Otevírání", "closed": "Zavřeno", "closing": "Zavírání", - "stopped": "Zastaveno", + "home": "Doma", "locked": "Zamčeno", - "unlocked": "Odemčeno", + "not_home": "Pryč", + "off": "Neaktivní", "ok": "V pořádku", - "problem": "Problém" + "on": "Aktivní", + "open": "Otevřeno", + "opening": "Otevírání", + "problem": "Problém", + "stopped": "Zastaveno", + "unlocked": "Odemčeno" }, "input_boolean": { "off": "Neaktivní", @@ -191,13 +309,17 @@ "unlocked": "Odemčeno" }, "media_player": { + "idle": "Nečinný", "off": "Neaktivní", "on": "Aktivní", - "playing": "Přehrávání", "paused": "Pozastaveno", - "idle": "Nečinný", + "playing": "Přehrávání", "standby": "Pohotovostní režim" }, + "person": { + "home": "Doma", + "not_home": "Pryč" + }, "plant": { "ok": "V pořádku", "problem": "Problém" @@ -225,34 +347,10 @@ "off": "Neaktivní", "on": "Aktivní" }, - "zwave": { - "default": { - "initializing": "Inicializace", - "dead": "Nereaguje", - "sleeping": "Úsporný režim", - "ready": "Připraveno" - }, - "query_stage": { - "initializing": "Inicializace ( {query_stage} )", - "dead": "Nereaguje ({query_stage})" - } - }, - "weather": { - "clear-night": "Jasná noc", - "cloudy": "Zataženo", - "fog": "Mlha", - "hail": "Krupobití", - "lightning": "Bouře", - "lightning-rainy": "Bouře a déšť", - "partlycloudy": "Polojasno", - "pouring": "Liják", - "rainy": "Déšť", - "snowy": "Sníh", - "snowy-rainy": "Déšť se sněhem", - "sunny": "Slunečno", - "windy": "Větrno", - "windy-variant": "Větrno", - "exceptional": "Vyjímečné" + "timer": { + "active": "aktivní", + "idle": "nečinné", + "paused": "pozastaveno" }, "vacuum": { "cleaning": "Čistí", @@ -264,210 +362,729 @@ "paused": "Pozastaveno", "returning": "Návrat do stanice" }, - "timer": { - "active": "aktivní", - "idle": "nečinné", - "paused": "pozastaveno" + "weather": { + "clear-night": "Jasná noc", + "cloudy": "Zataženo", + "exceptional": "Vyjímečné", + "fog": "Mlha", + "hail": "Krupobití", + "lightning": "Bouře", + "lightning-rainy": "Bouře a déšť", + "partlycloudy": "Polojasno", + "pouring": "Liják", + "rainy": "Déšť", + "snowy": "Sníh", + "snowy-rainy": "Déšť se sněhem", + "sunny": "Slunečno", + "windy": "Větrno", + "windy-variant": "Větrno" }, - "person": { - "home": "Doma", - "not_home": "Pryč" - } - }, - "state_badge": { - "default": { - "unknown": "Neví se", - "unavailable": "Není", - "error": "Chyba", - "entity_not_found": "Entita nenalezena" - }, - "alarm_control_panel": { - "armed": "Aktivní", - "disarmed": "Neaktivní", - "armed_home": "Aktivní", - "armed_away": "Aktivní", - "armed_night": "Aktivní", - "pending": "Čeká", - "arming": "Aktivace", - "disarming": "Deaktivace", - "triggered": "Spuštěn", - "armed_custom_bypass": "Aktivní" - }, - "device_tracker": { - "home": "Doma", - "not_home": "Pryč" - }, - "person": { - "home": "Doma", - "not_home": "Pryč" + "zwave": { + "default": { + "dead": "Nereaguje", + "initializing": "Inicializace", + "ready": "Připraveno", + "sleeping": "Úsporný režim" + }, + "query_stage": { + "dead": "Nereaguje ({query_stage})", + "initializing": "Inicializace ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Vymazat nakoupené", - "add_item": "Přidat položku", - "microphone_tip": "Klepněte na mikrofon vpravo nahoře a řekněte \"Add candy to my shopping list\"" + "auth_store": { + "ask": "Chcete toto přihlášení uložit?", + "confirm": "Uložit login", + "decline": "Ne, děkuji" + }, + "card": { + "alarm_control_panel": { + "arm_away": "Aktivovat režim mimo domov", + "arm_custom_bypass": "Vlastní obejítí", + "arm_home": "Aktivovat režim domov", + "arm_night": "Aktivovat noční režim", + "armed_custom_bypass": "Vlastní obejítí", + "clear_code": "Zrušit", + "code": "Kód", + "disarm": "Deaktivovat" }, - "developer-tools": { - "tabs": { - "services": { - "title": "Služby", - "description": "Vývojářský nástroj pro služby umožňuje zavolat jakoukoli dostupnou službu v Home Assistant", - "data": "Data služby (YAML, volitelné)", - "call_service": "Zavolat službu", - "select_service": "Chcete-li zobrazit popis, vyberte službu", - "no_description": "Není k dispozici žádný popis", - "no_parameters": "Tato služba nemá žádné parametry.", - "column_parameter": "Parametr", - "column_description": "Popis", - "column_example": "Příklad", - "fill_example_data": "Vyplnit ukázková data", - "alert_parsing_yaml": "Chyba při parsování YAML: {data}" - }, - "states": { - "title": "Stavy", - "description1": "Nastavte zobrazení zařízení v Home Assistant", - "description2": "Toto nebude komunikovat se skutečným zařízením.", - "entity": "Entita", - "state": "Stav", - "attributes": "Atributy", - "state_attributes": "Atributy stavu (YAML, volitelné)", - "set_state": "Nastavit stav", - "current_entities": "Současné entity", - "filter_entities": "Filtrovat entity", - "filter_states": "Filtrovat stavy", - "filter_attributes": "Filtrovat atributy", - "no_entities": "Žádné entity", - "more_info": "Více informací", - "alert_entity_field": "Entita je povinné pole" - }, - "events": { - "title": "Události", - "description": "Spustit událost na sběrnici událostí.", - "documentation": "Dokumentace událostí.", - "type": "Typ události", - "data": "Data události (YAML, volitelné)", - "fire_event": "Spustit událost", - "event_fired": "Událost {type} spuštěna!", - "available_events": "Dostupné události", - "count_listeners": "({count} posluchačů)", - "listen_to_events": "Naslouchat událostem", - "listening_to": "Naslouchám", - "subscribe_to": "Téma k odběru", - "start_listening": "Začít naslouchat", - "stop_listening": "Přestat naslouchat", - "alert_event_type": "Typ události je povinné pole", - "notification_event_fired": "Událost {type} úspěšně spuštěna!" - }, - "templates": { - "title": "Šablony", - "description": "Šablony jsou vykreslovány pomocí Jinja2 šablonového enginu s některými specifickými rozšířeními pro Home Assistant.", - "editor": "Editor šablon", - "jinja_documentation": "Dokumentace šablony Jinja2", - "template_extensions": "Rozšíření šablony Home Assistant", - "unknown_error_template": "Šablona vykreslování neznámých chyb" - }, - "mqtt": { - "title": "MQTT", - "description_publish": "Publikovat paket", - "topic": "téma", - "payload": "Obsah", - "publish": "Publikovat", - "description_listen": "Naslouchat tématu", - "listening_to": "Naslouchám", - "subscribe_to": "Téma k odběru", - "start_listening": "Začít naslouchat", - "stop_listening": "Přestat naslouchat", - "message_received": "Zpráva {id} přijata na {topic} v {time} :" - }, - "info": { - "title": "Informace", - "remove": "Odstranit", - "set": "Nastavit", - "default_ui": "{action} {name} jako výchozí stránku na tomto zařízení", - "lovelace_ui": "Přejít na uživatelské rozhraní Lovelace", - "states_ui": "Přejít na uživatelské rozhraní stavů", - "home_assistant_logo": "Home Assistant logo", - "path_configuration": "Cesta k souboru configuration.yaml: {path}", - "developed_by": "Vyvinuto partou úžasných lidí.", - "license": "Publikováno pod licencí Apache 2.0", - "source": "Zdroj:", - "server": "server", - "frontend": "frontend-ui", - "built_using": "Sestaveno pomocí", - "icons_by": "Ikony od", - "frontend_version": "Verze rozhraní frontend: {version} - {type}", - "custom_uis": "Vlastní uživatelská rozhraní:", - "system_health_error": "Součást System Health není načtena. Přidejte 'system_health:' do configuration.yaml" - }, - "logs": { - "title": "Logy", - "details": "Detaily protokolu ({level})", - "load_full_log": "Načíst úplný protokol Home Assistanta", - "loading_log": "Načítání protokolu chyb...", - "no_errors": "Nebyly hlášeny žádné chyby.", - "no_issues": "Nejsou žádné nové problémy!", - "clear": "Zrušit", - "refresh": "Obnovit", - "multiple_messages": "zpráva se poprvé objevila v {time} a zobrazuje se {counter} krát" - } + "automation": { + "last_triggered": "Naposledy spuštěno", + "trigger": "Spustit" + }, + "camera": { + "not_available": "Obrázek není k dispozici" + }, + "climate": { + "aux_heat": "Pomocné teplo", + "away_mode": "Úsporný režim", + "cooling": "{name} chlazení", + "current_temperature": "{name} aktuální teplota", + "currently": "Aktuálně", + "fan_mode": "Režim ventilátoru", + "heating": "{name} topení", + "high": "vysoká", + "low": "nízká", + "on_off": "Zapnout \/ vypnout", + "operation": "Provoz", + "preset_mode": "Předvolba", + "swing_mode": "Režim kmitání", + "target_humidity": "Cílová vlhkost", + "target_temperature": "Cílová teplota", + "target_temperature_entity": "{name} cílová teplota", + "target_temperature_mode": "{name} cílová teplota {mode}" + }, + "counter": { + "actions": { + "decrement": "úbytek", + "increment": "přírůstek", + "reset": "reset" } }, - "history": { - "showing_entries": "Zobrazeny údaje pro", - "period": "Období" + "cover": { + "position": "Pozice", + "tilt_position": "Náklon" }, - "logbook": { - "showing_entries": "Zobrazeny údaje pro", - "period": "Období" + "fan": { + "direction": "Směr", + "forward": "Vpřed", + "oscillate": "Oscilovat", + "reverse": "Vzad", + "speed": "Rychlost" }, - "mailbox": { - "empty": "Nemáte žádné zprávy", - "playback_title": "Přehrávání zpráv", - "delete_prompt": "Smazat tuto zprávu?", - "delete_button": "Smazat" + "light": { + "brightness": "Jas", + "color_temperature": "Teplota barvy", + "effect": "Efekt", + "white_value": "Hodnota bílé" }, + "lock": { + "code": "Kód", + "lock": "Zamknout", + "unlock": "Odemknout" + }, + "media_player": { + "sound_mode": "Režim zvuku", + "source": "Zdroj", + "text_to_speak": "Převod textu na řeč" + }, + "persistent_notification": { + "dismiss": "Zavřít" + }, + "scene": { + "activate": "Aktivovat" + }, + "script": { + "execute": "Vykonat" + }, + "timer": { + "actions": { + "cancel": "Zrušit", + "finish": "Dokončit", + "pause": "pauza", + "start": "Spustit" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Pokračovat v čištění", + "return_to_base": "Vrátit do stanice", + "start_cleaning": "Zahájit čištění", + "turn_off": "Vypnout", + "turn_on": "Zapnout" + } + }, + "water_heater": { + "away_mode": "Prázdninový režim", + "currently": "Momentálně", + "on_off": "Zapnout \/ vypnout", + "operation": "Provoz", + "target_temperature": "Cílová teplota" + }, + "weather": { + "attributes": { + "air_pressure": "Tlak vzduchu", + "humidity": "Vlhkost vzduchu", + "temperature": "Teplota", + "visibility": "Viditelnost", + "wind_speed": "Rychlost větru" + }, + "cardinal_direction": { + "e": "V", + "ene": "VSV", + "ese": "VJV", + "n": "S", + "ne": "SV", + "nne": "SSV", + "nnw": "SSZ", + "nw": "SZ", + "s": "J", + "se": "JV", + "sse": "JJV", + "ssw": "JJZ", + "sw": "JZ", + "w": "Z", + "wnw": "ZSZ", + "wsw": "ZJZ" + }, + "forecast": "Předpověď" + } + }, + "common": { + "cancel": "Zrušit", + "loading": "Načítání", + "save": "Uložit", + "successfully_saved": "Úspěšně uloženo" + }, + "components": { + "device-picker": { + "clear": "Zrušit", + "show_devices": "Zobrazit zařízení" + }, + "entity": { + "entity-picker": { + "clear": "Zrušit", + "entity": "Entita", + "show_entities": "Zobrazit entity" + } + }, + "history_charts": { + "loading_history": "Historie stavu se načítá...", + "no_history_found": "Historie stavu chybí." + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\none {den}\\nfew {dny}\\nother {dnů}\\n}", + "hour": "{count} {count, plural,\\none {hodinu}\\nfew {hodiny}\\nother {hodin}\\n}", + "minute": "{count} {count, plural,\\none {minutu}\\nfew {minuty}\\nother {minut}\\n}", + "second": "{count} {count, plural,\\none {sekundu}\\nfew {sekundy}\\nother {sekund}\\n}", + "week": "{count} {count, plural,\\none {týden}\\nother {týdnů}\\n}" + }, + "future": "Za {time}", + "never": "Nikdy", + "past": "Před {time}" + }, + "service-picker": { + "service": "Služba" + } + }, + "dialogs": { + "config_entry_system_options": { + "enable_new_entities_description": "Pokud je zakázáno, nově objevené entity nebudou automaticky přidány do Home Assistant.", + "enable_new_entities_label": "Povolit nově přidané entity.", + "title": "Volby systému" + }, + "confirmation": { + "cancel": "Zrušit", + "ok": "OK", + "title": "Jste si jistý\/á?" + }, + "more_info_control": { + "script": { + "last_action": "Poslední akce" + }, + "sun": { + "elevation": "Výška nad obzorem", + "rising": "Vychází", + "setting": "Zapadá" + }, + "updater": { + "title": "Pokyny pro aktualizaci" + } + }, + "more_info_settings": { + "entity_id": "Entity ID", + "name": "Název", + "save": "Uložit" + }, + "options_flow": { + "form": { + "header": "Nastavení" + }, + "success": { + "description": "Volby byly úspěšně uloženy." + } + }, + "zha_device_info": { + "buttons": { + "add": "Přidat zařízení", + "reconfigure": "Překonfigurovat zařízení", + "remove": "Odebrat zařízení" + }, + "last_seen": "Naposledy viděn", + "manuf": "od {manufacturer}", + "no_area": "Žádná oblast", + "power_source": "Zdroj napájení", + "quirk": "Zvláštnost", + "services": { + "reconfigure": "Překonfigurovat zařízení ZHA (opravit zařízení). Použijte, pokud se zařízením máte problémy. Je-li dotyčné zařízení napájené bateriemi, ujistěte se prosím, že je při používání této služby spuštěné a přijímá příkazy.", + "remove": "Odebrat zařízení ze sítě Zigbee.", + "updateDeviceName": "Nastavte vlastní název tohoto zařízení v registru zařízení." + }, + "unknown": "Neznámý", + "zha_device_card": { + "area_picker_label": "Oblast", + "device_name_placeholder": "Název přidělený uživatelem", + "update_name_button": "Název aktualizace" + } + } + }, + "duration": { + "day": "{count} {count, plural,\\none {den}\\nfew {dny}\\nother {dnů}\\n}", + "hour": "{count} {count, plural,\\n one {hodinou}\\n other {hodiny}\\n}", + "minute": "{count} {count, plural,\\none {minutou}\\nother {minuty}\\n}", + "second": "{count} {count, plural,\\none {sekunda}\\nfew {sekundy}\\nother {sekund}\\n}", + "week": "{count} {count, plural,\\none {týden}\\nfew {týdny}\\nother {týdnů}\\n}" + }, + "login-form": { + "log_in": "Přihlásit se", + "password": "Heslo", + "remember": "Zapamatovat" + }, + "notification_drawer": { + "click_to_configure": "Klepnutím na tlačítko nastavíte {entity}", + "empty": "Žádné oznámení", + "title": "Oznámení" + }, + "notification_toast": { + "connection_lost": "Připojení bylo ztraceno. Připojuji se znovu...", + "entity_turned_off": "Entita {entity} vypnuta.", + "entity_turned_on": "Entita {entity} zapnuta.", + "service_call_failed": "Službu {service} se nepodařilo zavolat.", + "service_called": "Služba {service} zavolána.", + "triggered": "Spuštěno {name}" + }, + "panel": { "config": { - "header": "Konfigurace Home Assistant", - "introduction": "Zde je možné konfigurovat vaše komponenty a Home Assistant.\nZ uživatelského rozhraní sice zatím není možné konfigurovat vše, ale pracujeme na tom.", + "area_registry": { + "caption": "Registr oblastí", + "create_area": "VYTVOŘIT OBLAST", + "description": "Přehled všech oblastí ve vaší domácnosti.", + "editor": { + "create": "VYTVOŘIT", + "default_name": "Nová oblast", + "delete": "SMAZAT", + "update": "UPRAVIT" + }, + "no_areas": "Vypadá to, že ještě nemáte žádné oblasti!", + "picker": { + "create_area": "VYTVOŘIT OBLAST", + "header": "Registr oblastí", + "integrations_page": "Stránka integrací", + "introduction": "Oblasti se používají k uspořádání zařízení podle místa kde jsou. Tato informace bude použita k organizaci rozhraní, k nastavení oprávnění a v integraci s ostatnímy systémy.", + "introduction2": "Pro přídání zařízení do oblasti přejděte na stránku integrací pomocí odkazu níže tam klikněte na nakonfigurovanou integraci abyste se dostali na kartu zažízení.", + "no_areas": "Vypadá to, že ještě nemáte žádné oblasti!" + } + }, + "automation": { + "caption": "Automatizace", + "description": "Vytvářejte a upravujte automatizace", + "editor": { + "actions": { + "add": "Přidat akci", + "delete": "Smazat", + "delete_confirm": "Opravdu smazat?", + "duplicate": "Duplikovat", + "header": "Akce", + "introduction": "Akce jsou to, co Home Assistant provede při spuštění automatizace. \\n\\n [Více informací o akcích.] (Https:\/\/home-assistant.io\/docs\/automation\/action\/)", + "learn_more": "Další informace o akcích", + "type_select": "Typ akce", + "type": { + "condition": { + "label": "Stav" + }, + "delay": { + "delay": "Zpoždění", + "label": "Zpoždění" + }, + "device_id": { + "extra_fields": { + "code": "Kód" + }, + "label": "Zařízení" + }, + "event": { + "event": "Událost:", + "label": "Spustit událost", + "service_data": "Data služby" + }, + "scene": { + "label": "Aktivovat scénu" + }, + "service": { + "label": "Zavolat službu", + "service_data": "Data služby" + }, + "wait_template": { + "label": "Čekání", + "timeout": "Časový limit (volitelné)", + "wait_template": "Šablona pro čekání" + } + }, + "unsupported_action": "Nepodporovaná akce: {action}" + }, + "alias": "Název", + "conditions": { + "add": "Přidat podmínku", + "delete": "Smazat", + "delete_confirm": "Opravdu smazat?", + "duplicate": "Duplikovat", + "header": "Podmínky", + "introduction": "Podmínky jsou volitelnou součástí automatizačního pravidla a mohou být použity k zabránění spuštění akce. Podmínky vypadají velmi podobně jako spouštěče, ale jsou velmi odlišné. Spouštěč se podívá na události, ke kterým dochází v systému, zatímco podmínka se zabývá pouze tím, jak systém vypadá právě teď. Pro spouštěč se může jevit že je spínač zapnutý. Stav může vidět pouze tehdy, je-li přepínač aktuálně zapnutý nebo vypnutý. \\n\\n [Další informace o podmínkách.] (Https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", + "learn_more": "Další informace o podmínkách", + "type_select": "Typ podmínky", + "type": { + "and": { + "label": "A" + }, + "device": { + "extra_fields": { + "above": "Větší než", + "below": "Menší než", + "for": "Doba trvání" + }, + "label": "Zařízení" + }, + "numeric_state": { + "above": "Větší než", + "below": "Menší než", + "label": "Číselný stav", + "value_template": "Šablona hodnoty (volitelné)" + }, + "or": { + "label": "Nebo" + }, + "state": { + "label": "Stav", + "state": "Stav" + }, + "sun": { + "after": "Po:", + "after_offset": "Prodleva po (volitelné)", + "before": "Před:", + "before_offset": "Prodleva před (volitelné)", + "label": "Slunce", + "sunrise": "Východ slunce", + "sunset": "Západ slunce" + }, + "template": { + "label": "Šablona", + "value_template": "Šablona hodnoty" + }, + "time": { + "after": "Po", + "before": "Před", + "label": "Čas" + }, + "zone": { + "entity": "Entita s umístěním", + "label": "Zóna", + "zone": "Zóna" + } + }, + "unsupported_condition": "Nepodporovaná podmínka: {condition}" + }, + "default_name": "Nová automatizace", + "description": { + "label": "Popis", + "placeholder": "Volitelný popis" + }, + "introduction": "Použijte automatizace k oživení svého domova", + "load_error_not_editable": "Lze upravovat pouze automatizace v automations.yaml.", + "load_error_unknown": "Chyba při načítání automatizace ({err_no}).", + "save": "Uložit", + "triggers": { + "add": "Přidat spouštěč", + "delete": "Smazat", + "delete_confirm": "Opravdu smazat?", + "duplicate": "Duplikovat", + "header": "Spouštěče", + "introduction": "Spouštěče spouštějí zpracování automatizačního pravidla. Pro stejné pravidlo je možné zadat více spouštěčů. Po spuštění spouštěče ověří Home Assistant případné podmínky a zavolá akci. \\n\\n [Další informace o spouštěčích.] (Https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", + "learn_more": "Další informace o spouštěčích", + "type_select": "Typ spouštěče", + "type": { + "device": { + "extra_fields": { + "above": "Větší než", + "below": "Menší než", + "for": "Doba trvání" + }, + "label": "Zařízení" + }, + "event": { + "event_data": "Data události", + "event_type": "Typ události", + "label": "Událost" + }, + "geo_location": { + "enter": "Vstup", + "event": "Událost:", + "label": "Geolokace", + "leave": "Opuštění", + "source": "Zdroj", + "zone": "Zóna" + }, + "homeassistant": { + "event": "Událost:", + "label": "Home Assistant", + "shutdown": "Ukončení", + "start": "Spuštění" + }, + "mqtt": { + "label": "MQTT", + "payload": "Datová část (volitelné)", + "topic": "Topic" + }, + "numeric_state": { + "above": "Větší než", + "below": "Menší než", + "label": "Číselný stav", + "value_template": "Šablona hodnoty (volitelné)" + }, + "state": { + "for": "Po dobu", + "from": "Z", + "label": "Stav", + "to": "Do" + }, + "sun": { + "event": "Událost:", + "label": "Slunce", + "offset": "Posun", + "sunrise": "Východ slunce", + "sunset": "Západ slunce" + }, + "template": { + "label": "Šablona", + "value_template": "Šablona hodnoty" + }, + "time_pattern": { + "hours": "Hodiny", + "label": "Časový vzorec", + "minutes": "Minuty", + "seconds": "Sekundy" + }, + "time": { + "at": "V", + "label": "Čas" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook ID" + }, + "zone": { + "enter": "Vstup", + "entity": "Entita s umístěním", + "event": "Událost:", + "label": "Zóna", + "leave": "Opuštění", + "zone": "Zóna" + } + }, + "unsupported_platform": "Nepodporovaná platforma: {platform}" + }, + "unsaved_confirm": "Máte neuložené změny. Opravdu chcete odejít?" + }, + "picker": { + "add_automation": "Přidat automatizaci", + "header": "Editor automatizací", + "introduction": "Editor automatizací umožňuje vytvářet a upravovat automatizace. Přečtěte si prosím [pokyny] (https:\/\/home-assistant.io\/docs\/automation\/editor\/), abyste se ujistili, že jste aplikaci Home Assistant nakonfigurovali správně.", + "learn_more": "Další informace o automatizaci", + "no_automations": "Nelze najít žádnou upravitelnou automatizaci", + "pick_automation": "Vyberte automatizaci, kterou chcete upravit" + } + }, + "cloud": { + "account": { + "alexa": { + "config_documentation": "Dokumentace ke konfiguraci", + "disable": "zakázat", + "enable": "povolit", + "enable_ha_skill": "Povolte Home Assistant skill pro Alexu", + "enable_state_reporting": "Povolit hlášení stavu", + "info": "Díky integraci Alexa pro Home Assistant Cloud budete moci ovládat všechna zařízení v Home Assistant pomocí jakéhokoli zařízení podporujícího Alexa.", + "info_state_reporting": "Pokud povolíte hlášení stavu, Home Assistant bude posílat veškeré změny stavů všech exponovaných entit do Amazonu. Toto vám umožní sledovat aktuální stavy entity v aplikaci Alexa a použít tyto stavy k vytvoření rutin.", + "manage_entities": "Spravovat entity", + "state_reporting_error": "Nelze {enable_disable} hlášení stavu.", + "sync_entities": "Synchronizovat entity", + "sync_entities_error": "Chyba při synchronizaci entit:", + "title": "Alexa" + }, + "connected": "Připojeno", + "connection_status": "Stav cloudového připojení", + "fetching_subscription": "Načítání předplatného ...", + "google": { + "config_documentation": "Dokumentace ke konfiguraci", + "devices_pin": "PIN pro zabezpečovací zařízení", + "enable_ha_skill": "Povolte Home Assistant skill pro Google Assistant", + "enable_state_reporting": "Povolit hlášení stavu", + "enter_pin_error": "Nelze uložit pin:", + "enter_pin_hint": "Chcete-li používat zabezpečovací zařízení, zadejte kód PIN", + "enter_pin_info": "Chcete-li komunikovat se zabezpečovacími zařízeními, zadejte kód PIN. Zabezpečovací zařízení jsou dveře, garážová vrata a zámky. Při interakci s takovými zařízeními budete požádáni o zadání \/ zadání tohoto kódu PIN pomocí Google Assistant.", + "info": "Díky integraci Google Assistant pro Home Assistant Cloud budete moci ovládat všechna zařízení v Home Assistant pomocí jakéhokoli zařízení podporujícího Google Assistant.", + "info_state_reporting": "Pokud povolíte hlášení stavu, Home Assistant bude posílat veškeré změny stavů všech exponovaných entit do Google. Toto vám umožní sledovat vždy aktuální stavy entit v aplikaci Google.", + "manage_entities": "Správa entit", + "security_devices": "Zabezpečovací zařízení", + "sync_entities": "Synchronizovat entity s Google", + "title": "Google Assistant" + }, + "integrations": "Integrace", + "integrations_introduction": "Integrace pro Home Assistant Cloud vám umožní připojit se ke cloudovým službám, aniž byste museli veřejně zpřístupnit vaší instanci Home Assistant na internetu. ", + "integrations_introduction2": "Na webových stránkách najdete ", + "integrations_link_all_features": " všechny dostupné funkce", + "manage_account": "Spravovat účet", + "nabu_casa_account": "Účet Nabu Casa", + "not_connected": "Není připojeno", + "remote": { + "access_is_being_prepared": "Připravuje se vzdálený přístup. Až bude připraven, dáme vám vědět.", + "certificate_info": "Informace o certifikátu", + "info": "Home Assistant Cloud poskytuje zabezpečené vzdálené připojení k vaší instanci zatímco jste mimo domov.", + "instance_is_available": "Vaše instance je k dispozici na ", + "instance_will_be_available": "Vaše instance bude k dispozici na", + "link_learn_how_it_works": "Zjistěte, jak to funguje", + "title": "Vzdálené ovládání" + }, + "sign_out": "Odhlásit se", + "thank_you_note": "Děkujeme, že jste se stali součástí Home Assistant Cloud. Díky lidem, jako jste vy, jsme schopni udělat skvělý zážitek z domácí automatizace pro každého. Díky!", + "webhooks": { + "disable_hook_error_msg": "Nepodařilo se deaktivovat webhook:", + "info": "Všechno, co je nakonfigurováno tak, aby bylo spouštěno webhookem, může mít veřejně přístupnou adresu URL, která vám umožní posílat data zpět Home Assistant odkudkoli, aniž by byla vaše instance vystavena internetu.", + "link_learn_more": "Další informace o vytváření automatizací využívajících webhook.", + "loading": "Načítání ...", + "manage": "Spravovat", + "no_hooks_yet": "Vypadá to, že ještě nemáte žádné webhooky. Začněte konfigurací ", + "no_hooks_yet_link_automation": "automatizace webhooků", + "no_hooks_yet_link_integration": "integrace založené na webhooku", + "no_hooks_yet2": "nebo vytvořením ", + "title": "Webhooky" + } + }, + "alexa": { + "banner": "Úprava entit, které jsou exponované prostřednictvím tohoto uživatelského rozhraní je zakázána, protože jste nakonfigurovali filtry entit v souboru configuration.yaml.", + "expose": "Exponovat do Alexa", + "exposed_entities": "Exponované entity", + "not_exposed_entities": "Neexponované entity", + "title": "Alexa" + }, + "caption": "Home Assistant Cloud", + "description_features": "Ovládejte vzdáleně, integrace s Alexou a Google Assistant.", + "description_login": "Přihlášen jako {email}", + "description_not_login": "Nepřihlášen", + "dialog_certificate": { + "certificate_expiration_date": "Datum vypršení platnosti certifikátu", + "certificate_information": "Informace o certifikátu", + "close": "Zavřít", + "fingerprint": "Otisk certifikátu:", + "will_be_auto_renewed": "Bude automaticky obnoveno" + }, + "dialog_cloudhook": { + "available_at": "Webhook je k dispozici na následující adrese URL:", + "close": "Zavřít", + "confirm_disable": "Opravdu chcete deaktivovat tento webhook?", + "copied_to_clipboard": "Zkopírováno do schránky", + "info_disable_webhook": "Pokud již nechcete tento webhook používat, můžete", + "link_disable_webhook": "zakázat", + "managed_by_integration": "Tento webhook je řízen integrací a nelze jej zakázat.", + "view_documentation": "Zobrazit dokumentaci", + "webhook_for": "Webhook pro {name}" + }, + "forgot_password": { + "check_your_email": "Pokyny pro obnovení hesla naleznete v e-mailu.", + "email": "E-mail", + "email_error_msg": "Neplatný e-mail", + "instructions": "Zadejte vaši e-mailovou adresu a my vám pošleme odkaz pro obnovení hesla.", + "send_reset_email": "Odeslat obnovovací e-mail", + "subtitle": "Zapomněli jste heslo", + "title": "Zapomenuté heslo" + }, + "google": { + "banner": "Úprava entity, které jsou exponované prostřednictvím tohoto uživatelského rozhraní je zakázána, protože jste nakonfigurovali filtry entit v souboru configuration.yaml.", + "disable_2FA": "Zakázat dvoufaktorové ověřování", + "expose": "Exponovat do Google Assistant", + "exposed_entities": "Exponované entity", + "not_exposed_entities": "Neexponované entity", + "sync_to_google": "Synchronizuji změny na Google.", + "title": "Google Assistant" + }, + "login": { + "alert_email_confirm_necessary": "Než se přihlásíte, musíte svůj e-mail potvrdit.", + "alert_password_change_required": "Před přihlášením musíte změnit své heslo.", + "dismiss": "Zavřít", + "email": "E-mail", + "email_error_msg": "Neplatný e-mail", + "forgot_password": "zapomenuté heslo?", + "introduction": "Home Assistant Cloud poskytuje zabezpečené vzdálené připojení k vaší instanci zatímco jste mimo domov. Umožňuje také připojení ke cloudovým službám: Amazon Alexa a Google Assistant.", + "introduction2": "Tuto službu provozuje náš partner ", + "introduction2a": ", společnost založená zakladateli Home Assistant a Hass.io.", + "introduction3": "Home Assistant Cloud je předplacená služba s měsíční zkušební dobou zdarma. Nejsou nutné žádné platební údaje.", + "learn_more_link": "Další informace Home Assistant Cloud", + "password": "Heslo", + "password_error_msg": "Hesla mají alespoň 8 znaků", + "sign_in": "Přihlásit se", + "start_trial": "Spusťte bezplatnou měsíční zkušební dobu", + "title": "Přihlášení ke cloudu", + "trial_info": "Nejsou nutné žádné platební údaje" + }, + "register": { + "account_created": "Účet vytvořen! Pokyny k aktivaci účtu naleznete v e-mailu.", + "create_account": "Vytvořit účet", + "email_address": "E-mailová adresa", + "email_error_msg": "Neplatný e-mail", + "feature_amazon_alexa": "Integrace s Amazon Alexa", + "feature_google_home": "Integrace s Google Assistant", + "feature_remote_control": "Ovládejte Home Assistant mimo domov", + "feature_webhook_apps": "Snadná integrace s aplikacemi využívajícími webhook, jako je OwnTracks", + "headline": "Spustit zkušební verzi", + "information": "Vytvořte si účet a využijte bezplatnou měsíční zkušební dobu s Home Assistant Cloud. Nejsou nutné žádné platební údaje.", + "information2": "Zkušební verze vám poskytne přístup ke všem výhodám Home Assistant Cloud, včetně:", + "information3": "Tuto službu provozuje náš partner ", + "information3a": ", společnost založená zakladateli Home Assistant a Hass.io.", + "information4": "Registrací účtu souhlasíte s následujícími podmínkami.", + "link_privacy_policy": "Zásady ochrany osobních údajů", + "link_terms_conditions": "Pravidla a podmínky", + "password": "Heslo", + "password_error_msg": "Hesla mají alespoň 8 znaků", + "resend_confirm_email": "Znovu odeslat potvrzovací e-mail", + "start_trial": "Spustit zkušební verzi", + "title": "Vytvořit účet" + } + }, + "common": { + "editor": { + "confirm_unsaved": "Máte neuložené změny. Opravdu chcete odejít?" + } + }, "core": { "caption": "Obecné", "description": "Ověřte konfigurační soubor a spravujte server", "section": { "core": { - "header": "Konfigurace a správa serveru", - "introduction": "Moc dobře víme, že změna konfigurace může být velmi únavným procesem. Tato sekce se proto pokusí udělat váš život alespoň trochu jednodušší.", "core_config": { "edit_requires_storage": "Editor je zakázán, protože konfigurace je uložena v configuration.yaml.", - "location_name": "Název instalace Home Assistant", - "latitude": "Zeměpisná šířka", - "longitude": "Zeměpisná délka", "elevation": "Nadmořská výška", "elevation_meters": "metrů", + "imperial_example": "Stupně Fahrenheita, libry", + "latitude": "Zeměpisná šířka", + "location_name": "Název instalace Home Assistant", + "longitude": "Zeměpisná délka", + "metric_example": "Stupně Celsia, kilogramy", + "save_button": "Uložit", "time_zone": "Časové pásmo", "unit_system": "Systém jednotek", "unit_system_imperial": "Imperiální", - "unit_system_metric": "Metrický", - "imperial_example": "Stupně Fahrenheita, libry", - "metric_example": "Stupně Celsia, kilogramy", - "save_button": "Uložit" - } + "unit_system_metric": "Metrický" + }, + "header": "Konfigurace a správa serveru", + "introduction": "Moc dobře víme, že změna konfigurace může být velmi únavným procesem. Tato sekce se proto pokusí udělat váš život alespoň trochu jednodušší." }, "server_control": { - "validation": { - "heading": "Ověření konfigurace", - "introduction": "Pokud jste nedávno provedli změny konfigurace a chcete se ujistit, že je vše v pořádku, můžete ji zde ověřit", - "check_config": "Zkontrolujte konfiguraci", - "valid": "Konfigurace je v pořádku!", - "invalid": "Konfigurace není v pořádku" - }, "reloading": { - "heading": "Konfigurace se načítá", - "introduction": "Některé části Home Assistant lze načíst bez nutnosti restartování. Načtení zahodí jejich aktuální konfiguraci a načte novou.", + "automation": "Znovu načíst automatizace", "core": "Znovu načíst jádro", "group": "Znovu načíst skupiny", - "automation": "Znovu načíst automatizace", + "heading": "Konfigurace se načítá", + "introduction": "Některé části Home Assistant lze načíst bez nutnosti restartování. Načtení zahodí jejich aktuální konfiguraci a načte novou.", "script": "Znovu načíst skripty" }, "server_management": { @@ -475,6 +1092,13 @@ "introduction": "Ovládejte svůj Home Assistant server... z Home Assistant.", "restart": "Restartovat", "stop": "Zastavit" + }, + "validation": { + "check_config": "Zkontrolujte konfiguraci", + "heading": "Ověření konfigurace", + "introduction": "Pokud jste nedávno provedli změny konfigurace a chcete se ujistit, že je vše v pořádku, můžete ji zde ověřit", + "invalid": "Konfigurace není v pořádku", + "valid": "Konfigurace je v pořádku!" } } } @@ -487,507 +1111,69 @@ "introduction": "Upravit atributy entity. Přídání\/úprava bude mít okamžitý efekt. Odebraní se projeví až po aktualizaci entity." } }, - "automation": { - "caption": "Automatizace", - "description": "Vytvářejte a upravujte automatizace", - "picker": { - "header": "Editor automatizací", - "introduction": "Editor automatizací umožňuje vytvářet a upravovat automatizace. Přečtěte si prosím [pokyny] (https:\/\/home-assistant.io\/docs\/automation\/editor\/), abyste se ujistili, že jste aplikaci Home Assistant nakonfigurovali správně.", - "pick_automation": "Vyberte automatizaci, kterou chcete upravit", - "no_automations": "Nelze najít žádnou upravitelnou automatizaci", - "add_automation": "Přidat automatizaci", - "learn_more": "Další informace o automatizaci" - }, - "editor": { - "introduction": "Použijte automatizace k oživení svého domova", - "default_name": "Nová automatizace", - "save": "Uložit", - "unsaved_confirm": "Máte neuložené změny. Opravdu chcete odejít?", - "alias": "Název", - "triggers": { - "header": "Spouštěče", - "introduction": "Spouštěče spouštějí zpracování automatizačního pravidla. Pro stejné pravidlo je možné zadat více spouštěčů. Po spuštění spouštěče ověří Home Assistant případné podmínky a zavolá akci. \n\n [Další informace o spouštěčích.] (Https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", - "add": "Přidat spouštěč", - "duplicate": "Duplikovat", - "delete": "Smazat", - "delete_confirm": "Opravdu smazat?", - "unsupported_platform": "Nepodporovaná platforma: {platform}", - "type_select": "Typ spouštěče", - "type": { - "event": { - "label": "Událost", - "event_type": "Typ události", - "event_data": "Data události" - }, - "state": { - "label": "Stav", - "from": "Z", - "to": "Do", - "for": "Po dobu" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Událost:", - "start": "Spuštění", - "shutdown": "Ukončení" - }, - "mqtt": { - "label": "MQTT", - "topic": "Topic", - "payload": "Datová část (volitelné)" - }, - "numeric_state": { - "label": "Číselný stav", - "above": "Větší než", - "below": "Menší než", - "value_template": "Šablona hodnoty (volitelné)" - }, - "sun": { - "label": "Slunce", - "event": "Událost:", - "sunrise": "Východ slunce", - "sunset": "Západ slunce", - "offset": "Posun" - }, - "template": { - "label": "Šablona", - "value_template": "Šablona hodnoty" - }, - "time": { - "label": "Čas", - "at": "V" - }, - "zone": { - "label": "Zóna", - "entity": "Entita s umístěním", - "zone": "Zóna", - "event": "Událost:", - "enter": "Vstup", - "leave": "Opuštění" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook ID" - }, - "time_pattern": { - "label": "Časový vzorec", - "hours": "Hodiny", - "minutes": "Minuty", - "seconds": "Sekundy" - }, - "geo_location": { - "label": "Geolokace", - "source": "Zdroj", - "zone": "Zóna", - "event": "Událost:", - "enter": "Vstup", - "leave": "Opuštění" - }, - "device": { - "label": "Zařízení", - "extra_fields": { - "above": "Větší než", - "below": "Menší než", - "for": "Doba trvání" - } - } - }, - "learn_more": "Další informace o spouštěčích" + "devices": { + "automation": { + "actions": { + "caption": "Když je něco spuštěno ..." }, "conditions": { - "header": "Podmínky", - "introduction": "Podmínky jsou volitelnou součástí automatizačního pravidla a mohou být použity k zabránění spuštění akce. Podmínky vypadají velmi podobně jako spouštěče, ale jsou velmi odlišné. Spouštěč se podívá na události, ke kterým dochází v systému, zatímco podmínka se zabývá pouze tím, jak systém vypadá právě teď. Pro spouštěč se může jevit že je spínač zapnutý. Stav může vidět pouze tehdy, je-li přepínač aktuálně zapnutý nebo vypnutý. \n\n [Další informace o podmínkách.] (Https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", - "add": "Přidat podmínku", - "duplicate": "Duplikovat", - "delete": "Smazat", - "delete_confirm": "Opravdu smazat?", - "unsupported_condition": "Nepodporovaná podmínka: {condition}", - "type_select": "Typ podmínky", - "type": { - "state": { - "label": "Stav", - "state": "Stav" - }, - "numeric_state": { - "label": "Číselný stav", - "above": "Větší než", - "below": "Menší než", - "value_template": "Šablona hodnoty (volitelné)" - }, - "sun": { - "label": "Slunce", - "before": "Před:", - "after": "Po:", - "before_offset": "Prodleva před (volitelné)", - "after_offset": "Prodleva po (volitelné)", - "sunrise": "Východ slunce", - "sunset": "Západ slunce" - }, - "template": { - "label": "Šablona", - "value_template": "Šablona hodnoty" - }, - "time": { - "label": "Čas", - "after": "Po", - "before": "Před" - }, - "zone": { - "label": "Zóna", - "entity": "Entita s umístěním", - "zone": "Zóna" - }, - "device": { - "label": "Zařízení", - "extra_fields": { - "above": "Větší než", - "below": "Menší než", - "for": "Doba trvání" - } - }, - "and": { - "label": "A" - }, - "or": { - "label": "Nebo" - } - }, - "learn_more": "Další informace o podmínkách" + "caption": "Udělej něco, jen když ..." }, - "actions": { - "header": "Akce", - "introduction": "Akce jsou to, co Home Assistant provede při spuštění automatizace. \n\n [Více informací o akcích.] (Https:\/\/home-assistant.io\/docs\/automation\/action\/)", - "add": "Přidat akci", - "duplicate": "Duplikovat", - "delete": "Smazat", - "delete_confirm": "Opravdu smazat?", - "unsupported_action": "Nepodporovaná akce: {action}", - "type_select": "Typ akce", - "type": { - "service": { - "label": "Zavolat službu", - "service_data": "Data služby" - }, - "delay": { - "label": "Zpoždění", - "delay": "Zpoždění" - }, - "wait_template": { - "label": "Čekání", - "wait_template": "Šablona pro čekání", - "timeout": "Časový limit (volitelné)" - }, - "condition": { - "label": "Stav" - }, - "event": { - "label": "Spustit událost", - "event": "Událost:", - "service_data": "Data služby" - }, - "device_id": { - "label": "Zařízení", - "extra_fields": { - "code": "Kód" - } - }, - "scene": { - "label": "Aktivovat scénu" - } - }, - "learn_more": "Další informace o akcích" - }, - "load_error_not_editable": "Lze upravovat pouze automatizace v automations.yaml.", - "load_error_unknown": "Chyba při načítání automatizace ({err_no}).", - "description": { - "label": "Popis", - "placeholder": "Volitelný popis" - } - } - }, - "script": { - "caption": "Skript", - "description": "Vytvářejte a upravujte skripty", - "picker": { - "header": "Editor skriptů", - "introduction": "Editor skriptů umožňuje vytvářet a upravovat skripty. Postupujte podle níže uvedeného odkazu a přečtěte si pokyny, abyste se ujistili, že jste Home Assistant nakonfigurovali správně.", - "learn_more": "Další informace o skriptech", - "no_scripts": "Nemohli jsme najít žádné editovatelné skripty", - "add_script": "Přidat skript" - }, - "editor": { - "header": "Skript: {name}", - "default_name": "Nový skript", - "load_error_not_editable": "Upravovat lze pouze skripty uvnitř scripts.yaml.", - "delete_confirm": "Opravdu chcete tento skript smazat?" - } - }, - "zwave": { - "caption": "Z-Wave", - "description": "Spravujte svou síť Z-Wave", - "network_management": { - "header": "Správa sítě Z-Wave", - "introduction": "Spusťte příkazy, které ovlivňují síť Z-Wave. Nebudete mít zpětnou vazbu o tom, zda většina příkazů uspěla, ale můžete se podívat na protokol OZW a pokusit se to zjistit." - }, - "network_status": { - "network_stopped": "Síť Z-Wave byla zastavena", - "network_starting": "Spouštění sítě Z-Wave...", - "network_starting_note": "V závislosti na velikosti vaší sítě to může chvíli trvat.", - "network_started": "Síť Z-Wave spuštěna", - "network_started_note_some_queried": "Probuzené uzly byly zkontaktovány. Spící uzly budou zkontaktovány jakmile se probudí.", - "network_started_note_all_queried": "Všechny uzly byly zkontaktovány." - }, - "services": { - "start_network": "Spustit síť", - "stop_network": "Zastavit síť", - "heal_network": "Vyléčit síť", - "test_network": "Testovat síť", - "soft_reset": "Měkký reset", - "save_config": "Uložit konfiguraci", - "add_node_secure": "Přidat zabezpečení uzlu", - "add_node": "Přidat uzel", - "remove_node": "Odebrat uzel", - "cancel_command": "Zrušit příkaz" - }, - "common": { - "value": "Hodnota", - "instance": "Instance", - "index": "Index", - "unknown": "neznámý", - "wakeup_interval": "Interval probuzení" - }, - "values": { - "header": "Hodnoty uzlu" - }, - "node_config": { - "header": "Možnosti konfigurace uzlu", - "seconds": "sekund", - "set_wakeup": "Nastavit interval probuzení", - "config_parameter": "Konfigurační parametr", - "config_value": "Konfigurační hodnota", - "true": "True", - "false": "False", - "set_config_parameter": "Nastavte konfigurační parametr" - }, - "learn_more": "Další informace o Z-Wave", - "ozw_log": { - "header": "Protokol OZW", - "introduction": "Zobrazit protokol. 0 je minimum (načte celý protokol) a 1000 je maximum. Načíst zobrazí statický protokol a tail automaticky aktualizuje protokol s naposledy zvoleným počtem řádků." - } - }, - "users": { - "caption": "Uživatelé", - "description": "Správa uživatelů", - "picker": { - "title": "Uživatelé", - "system_generated": "Generovaný systémem" - }, - "editor": { - "rename_user": "Přejmenovat uživatele", - "change_password": "Změnit heslo", - "activate_user": "Aktivovat uživatele", - "deactivate_user": "Deaktivovat uživatele", - "delete_user": "Odstranit uživatele", - "caption": "Zobrazit uživatele", - "id": "ID", - "owner": "Vlastník", - "group": "Skupina", - "active": "Aktivní", - "system_generated": "Generovaný systémem", - "system_generated_users_not_removable": "Nelze odebrat uživatele generované systémem.", - "unnamed_user": "Nepojmenovaný uživatel", - "enter_new_name": "Zadejte nové jméno", - "user_rename_failed": "Přejmenování uživatele se nezdařilo:", - "group_update_failed": "Aktualizace skupiny se nezdařila:", - "confirm_user_deletion": "Opravdu chcete smazat {name} ?" - }, - "add_user": { - "caption": "Přidat uživatele", - "name": "Jméno", - "username": "Uživatelské jméno", - "password": "Heslo", - "create": "Vytvořit" - } - }, - "cloud": { - "caption": "Home Assistant Cloud", - "description_login": "Přihlášen jako {email}", - "description_not_login": "Nepřihlášen", - "description_features": "Ovládejte vzdáleně, integrace s Alexou a Google Assistant.", - "login": { - "title": "Přihlášení ke cloudu", - "introduction": "Home Assistant Cloud poskytuje zabezpečené vzdálené připojení k vaší instanci zatímco jste mimo domov. Umožňuje také připojení ke cloudovým službám: Amazon Alexa a Google Assistant.", - "introduction2": "Tuto službu provozuje náš partner ", - "introduction2a": ", společnost založená zakladateli Home Assistant a Hass.io.", - "introduction3": "Home Assistant Cloud je předplacená služba s měsíční zkušební dobou zdarma. Nejsou nutné žádné platební údaje.", - "learn_more_link": "Další informace Home Assistant Cloud", - "dismiss": "Zavřít", - "sign_in": "Přihlásit se", - "email": "E-mail", - "email_error_msg": "Neplatný e-mail", - "password": "Heslo", - "password_error_msg": "Hesla mají alespoň 8 znaků", - "forgot_password": "zapomenuté heslo?", - "start_trial": "Spusťte bezplatnou měsíční zkušební dobu", - "trial_info": "Nejsou nutné žádné platební údaje", - "alert_password_change_required": "Před přihlášením musíte změnit své heslo.", - "alert_email_confirm_necessary": "Než se přihlásíte, musíte svůj e-mail potvrdit." - }, - "forgot_password": { - "title": "Zapomenuté heslo", - "subtitle": "Zapomněli jste heslo", - "instructions": "Zadejte vaši e-mailovou adresu a my vám pošleme odkaz pro obnovení hesla.", - "email": "E-mail", - "email_error_msg": "Neplatný e-mail", - "send_reset_email": "Odeslat obnovovací e-mail", - "check_your_email": "Pokyny pro obnovení hesla naleznete v e-mailu." - }, - "register": { - "title": "Vytvořit účet", - "headline": "Spustit zkušební verzi", - "information": "Vytvořte si účet a využijte bezplatnou měsíční zkušební dobu s Home Assistant Cloud. Nejsou nutné žádné platební údaje.", - "information2": "Zkušební verze vám poskytne přístup ke všem výhodám Home Assistant Cloud, včetně:", - "feature_remote_control": "Ovládejte Home Assistant mimo domov", - "feature_google_home": "Integrace s Google Assistant", - "feature_amazon_alexa": "Integrace s Amazon Alexa", - "feature_webhook_apps": "Snadná integrace s aplikacemi využívajícími webhook, jako je OwnTracks", - "information3": "Tuto službu provozuje náš partner ", - "information3a": ", společnost založená zakladateli Home Assistant a Hass.io.", - "information4": "Registrací účtu souhlasíte s následujícími podmínkami.", - "link_terms_conditions": "Pravidla a podmínky", - "link_privacy_policy": "Zásady ochrany osobních údajů", - "create_account": "Vytvořit účet", - "email_address": "E-mailová adresa", - "email_error_msg": "Neplatný e-mail", - "password": "Heslo", - "password_error_msg": "Hesla mají alespoň 8 znaků", - "start_trial": "Spustit zkušební verzi", - "resend_confirm_email": "Znovu odeslat potvrzovací e-mail", - "account_created": "Účet vytvořen! Pokyny k aktivaci účtu naleznete v e-mailu." - }, - "account": { - "thank_you_note": "Děkujeme, že jste se stali součástí Home Assistant Cloud. Díky lidem, jako jste vy, jsme schopni udělat skvělý zážitek z domácí automatizace pro každého. Díky!", - "nabu_casa_account": "Účet Nabu Casa", - "connection_status": "Stav cloudového připojení", - "manage_account": "Spravovat účet", - "sign_out": "Odhlásit se", - "integrations": "Integrace", - "integrations_introduction": "Integrace pro Home Assistant Cloud vám umožní připojit se ke cloudovým službám, aniž byste museli veřejně zpřístupnit vaší instanci Home Assistant na internetu. ", - "integrations_introduction2": "Na webových stránkách najdete ", - "integrations_link_all_features": " všechny dostupné funkce", - "connected": "Připojeno", - "not_connected": "Není připojeno", - "fetching_subscription": "Načítání předplatného ...", - "remote": { - "title": "Vzdálené ovládání", - "access_is_being_prepared": "Připravuje se vzdálený přístup. Až bude připraven, dáme vám vědět.", - "info": "Home Assistant Cloud poskytuje zabezpečené vzdálené připojení k vaší instanci zatímco jste mimo domov.", - "instance_is_available": "Vaše instance je k dispozici na ", - "instance_will_be_available": "Vaše instance bude k dispozici na", - "link_learn_how_it_works": "Zjistěte, jak to funguje", - "certificate_info": "Informace o certifikátu" - }, - "alexa": { - "title": "Alexa", - "info": "Díky integraci Alexa pro Home Assistant Cloud budete moci ovládat všechna zařízení v Home Assistant pomocí jakéhokoli zařízení podporujícího Alexa.", - "enable_ha_skill": "Povolte Home Assistant skill pro Alexu", - "config_documentation": "Dokumentace ke konfiguraci", - "enable_state_reporting": "Povolit hlášení stavu", - "info_state_reporting": "Pokud povolíte hlášení stavu, Home Assistant bude posílat veškeré změny stavů všech exponovaných entit do Amazonu. Toto vám umožní sledovat aktuální stavy entity v aplikaci Alexa a použít tyto stavy k vytvoření rutin.", - "sync_entities": "Synchronizovat entity", - "manage_entities": "Spravovat entity", - "sync_entities_error": "Chyba při synchronizaci entit:", - "state_reporting_error": "Nelze {enable_disable} hlášení stavu.", - "enable": "povolit", - "disable": "zakázat" - }, - "google": { - "title": "Google Assistant", - "info": "Díky integraci Google Assistant pro Home Assistant Cloud budete moci ovládat všechna zařízení v Home Assistant pomocí jakéhokoli zařízení podporujícího Google Assistant.", - "enable_ha_skill": "Povolte Home Assistant skill pro Google Assistant", - "config_documentation": "Dokumentace ke konfiguraci", - "enable_state_reporting": "Povolit hlášení stavu", - "info_state_reporting": "Pokud povolíte hlášení stavu, Home Assistant bude posílat veškeré změny stavů všech exponovaných entit do Google. Toto vám umožní sledovat vždy aktuální stavy entit v aplikaci Google.", - "security_devices": "Zabezpečovací zařízení", - "enter_pin_info": "Chcete-li komunikovat se zabezpečovacími zařízeními, zadejte kód PIN. Zabezpečovací zařízení jsou dveře, garážová vrata a zámky. Při interakci s takovými zařízeními budete požádáni o zadání \/ zadání tohoto kódu PIN pomocí Google Assistant.", - "devices_pin": "PIN pro zabezpečovací zařízení", - "enter_pin_hint": "Chcete-li používat zabezpečovací zařízení, zadejte kód PIN", - "sync_entities": "Synchronizovat entity s Google", - "manage_entities": "Správa entit", - "enter_pin_error": "Nelze uložit pin:" - }, - "webhooks": { - "title": "Webhooky", - "info": "Všechno, co je nakonfigurováno tak, aby bylo spouštěno webhookem, může mít veřejně přístupnou adresu URL, která vám umožní posílat data zpět Home Assistant odkudkoli, aniž by byla vaše instance vystavena internetu.", - "no_hooks_yet": "Vypadá to, že ještě nemáte žádné webhooky. Začněte konfigurací ", - "no_hooks_yet_link_integration": "integrace založené na webhooku", - "no_hooks_yet2": "nebo vytvořením ", - "no_hooks_yet_link_automation": "automatizace webhooků", - "link_learn_more": "Další informace o vytváření automatizací využívajících webhook.", - "loading": "Načítání ...", - "manage": "Spravovat", - "disable_hook_error_msg": "Nepodařilo se deaktivovat webhook:" + "triggers": { + "caption": "Udělej něco, když ..." } }, - "alexa": { - "title": "Alexa", - "banner": "Úprava entit, které jsou exponované prostřednictvím tohoto uživatelského rozhraní je zakázána, protože jste nakonfigurovali filtry entit v souboru configuration.yaml.", - "exposed_entities": "Exponované entity", - "not_exposed_entities": "Neexponované entity", - "expose": "Exponovat do Alexa" + "caption": "Zařízení", + "description": "Správa připojených zařízení" + }, + "entity_registry": { + "caption": "Registr entit", + "description": "Přehled všech známých entit", + "editor": { + "confirm_delete": "Opravdu chcete tuto položku smazat?", + "confirm_delete2": "Odstranění položky neodstraní entitu z Home Assistant. K tomu budete muset odebrat integraci '{platform}' z Home Assistant.", + "default_name": "Nová oblast", + "delete": "SMAZAT", + "enabled_cause": "Zakázáno {cause}.", + "enabled_description": "Zakázané entity nebudou přidány do Home Assistant.", + "enabled_label": "Povolit entitu", + "unavailable": "Tato entita není momentálně k dispozici.", + "update": "UPRAVIT" }, - "dialog_certificate": { - "certificate_information": "Informace o certifikátu", - "certificate_expiration_date": "Datum vypršení platnosti certifikátu", - "will_be_auto_renewed": "Bude automaticky obnoveno", - "fingerprint": "Otisk certifikátu:", - "close": "Zavřít" - }, - "google": { - "title": "Google Assistant", - "expose": "Exponovat do Google Assistant", - "disable_2FA": "Zakázat dvoufaktorové ověřování", - "banner": "Úprava entity, které jsou exponované prostřednictvím tohoto uživatelského rozhraní je zakázána, protože jste nakonfigurovali filtry entit v souboru configuration.yaml.", - "exposed_entities": "Exponované entity", - "not_exposed_entities": "Neexponované entity", - "sync_to_google": "Synchronizuji změny na Google." - }, - "dialog_cloudhook": { - "webhook_for": "Webhook pro {name}", - "available_at": "Webhook je k dispozici na následující adrese URL:", - "managed_by_integration": "Tento webhook je řízen integrací a nelze jej zakázat.", - "info_disable_webhook": "Pokud již nechcete tento webhook používat, můžete", - "link_disable_webhook": "zakázat", - "view_documentation": "Zobrazit dokumentaci", - "close": "Zavřít", - "confirm_disable": "Opravdu chcete deaktivovat tento webhook?", - "copied_to_clipboard": "Zkopírováno do schránky" + "picker": { + "header": "Registr entit", + "headers": { + "enabled": "Povoleno", + "entity_id": "ID entity", + "integration": "Integrace", + "name": "Název" + }, + "integrations_page": "Stránka integrací", + "introduction": "Homa Assistant uchovává registr všech entit, které kdy viděl a mohou být jednoznačně identifikovány. Každá z těchto entit bude mít přiděleno ID, které bude rezervováno pouze pro tuto entitu.", + "introduction2": "Pomocí registru entit můžete přepsat název, změnit identifikátor entity nebo odebrat entitu. Poznámka: odebrání entity z registru entit nesmaže entitu. Pro smazání přejděte na stránku integrací pomocí odkazu níže.", + "show_disabled": "Zobrazit zakázané entity", + "unavailable": "(není k dispozici)" } }, + "header": "Konfigurace Home Assistant", "integrations": { "caption": "Integrace", - "description": "Spravovat připojená zařízení a služby", - "discovered": "Objeveno", - "configured": "Zkonfigurováno", - "new": "Nastavte novou integraci", - "configure": "Konfigurovat", - "none": "Zatím nic nezkonfigurováno", "config_entry": { - "no_devices": "Tato integrace nemá žádná zařízení.", - "no_device": "Entity bez zařízení", + "area": "V {area}", + "delete_button": "Smazat {integration}", "delete_confirm": "Opravdu chcete odstranit tuto integraci?", - "restart_confirm": "Restartujte Home Assistant pro odstranění této integrace", - "manuf": "od {manufacturer}", - "via": "Připojeno přes", - "firmware": "Firmware: {version}", "device_unavailable": "zařízení není k dispozici", "entity_unavailable": "entita není k dispozici", - "no_area": "Žádná oblast", + "firmware": "Firmware: {version}", "hub": "Připojeno přes", + "manuf": "od {manufacturer}", + "no_area": "Žádná oblast", + "no_device": "Entity bez zařízení", + "no_devices": "Tato integrace nemá žádná zařízení.", + "restart_confirm": "Restartujte Home Assistant pro odstranění této integrace", "settings_button": "Upravit nastavení pro {integration}", "system_options_button": "Systémové možnosti pro {integration}", - "delete_button": "Smazat {integration}", - "area": "V {area}" + "via": "Připojeno přes" }, "config_flow": { "external_step": { @@ -995,28 +1181,151 @@ "open_site": "Otevřít webové stránky" } }, + "configure": "Konfigurovat", + "configured": "Zkonfigurováno", + "description": "Spravovat připojená zařízení a služby", + "discovered": "Objeveno", + "home_assistant_website": "stránky Home Assistant", + "new": "Nastavte novou integraci", + "none": "Zatím nic nezkonfigurováno", "note_about_integrations": "Ne všechny integrace lze prozatím konfigurovat prostřednictvím uživatelského rozhraní.", - "note_about_website_reference": "Další jsou k dispozici na ", - "home_assistant_website": "stránky Home Assistant" + "note_about_website_reference": "Další jsou k dispozici na " + }, + "introduction": "Zde je možné konfigurovat vaše komponenty a Home Assistant.\\nZ uživatelského rozhraní sice zatím není možné konfigurovat vše, ale pracujeme na tom.", + "person": { + "add_person": "Přidat osobu", + "caption": "Osoby", + "confirm_delete": "Opravdu chcete odstranit tuto osobu?", + "confirm_delete2": "Všechna zařízení patřící této osobě budou nastavena jako nepřiřazena.", + "create_person": "Vytvořit osobu", + "description": "Spravujte osoby, které Home Assistant sleduje.", + "detail": { + "create": "Vytvořit", + "delete": "Smazat", + "device_tracker_intro": "Vyberte zařízení, která patří této osobě.", + "device_tracker_pick": "Vyberte zařízení, které chcete sledovat", + "device_tracker_picked": "Sledovat zařízení", + "link_integrations_page": "Stránka integrací", + "link_presence_detection_integrations": "Integrace detekce přítomnosti", + "linked_user": "Propojený uživatel", + "name": "Jméno", + "name_error_msg": "Jméno je povinné", + "new_person": "Nová osoba", + "no_device_tracker_available_intro": "Pokud máte zařízení, která indikují přítomnost osoby, budete je moci zde přiřadit osobě. První zařízení můžete přidat přidáním integrace detekce přítomnosti ze stránky integrace.", + "update": "Aktualizace" + }, + "introduction": "Zde můžete definovat každou osobu v Home Assistant.", + "no_persons_created_yet": "Vypadá to, že jste dosud žádné osoby nevytvořili.", + "note_about_persons_configured_in_yaml": "Poznámka: Osoby konfigurované pomocí configuration.yaml nelze upravovat pomocí uživatelského rozhraní." + }, + "script": { + "caption": "Skript", + "description": "Vytvářejte a upravujte skripty", + "editor": { + "default_name": "Nový skript", + "delete_confirm": "Opravdu chcete tento skript smazat?", + "header": "Skript: {name}", + "load_error_not_editable": "Upravovat lze pouze skripty uvnitř scripts.yaml." + }, + "picker": { + "add_script": "Přidat skript", + "header": "Editor skriptů", + "introduction": "Editor skriptů umožňuje vytvářet a upravovat skripty. Postupujte podle níže uvedeného odkazu a přečtěte si pokyny, abyste se ujistili, že jste Home Assistant nakonfigurovali správně.", + "learn_more": "Další informace o skriptech", + "no_scripts": "Nemohli jsme najít žádné editovatelné skripty" + } + }, + "server_control": { + "caption": "Ovládání serveru", + "description": "Restart a zastavení serveru Home Asistent", + "section": { + "reloading": { + "automation": "Znovu načíst automatizace", + "core": "Znovu načíst jádro", + "group": "Znovu načíst skupiny", + "heading": "Konfigurace se načítá", + "introduction": "Některé části Home Assistant lze načíst bez nutnosti restartování. Volba načtení zahodí jejich aktuální konfiguraci a načte novou.", + "scene": "Znovu načíst scény", + "script": "Znovu načíst skripty" + }, + "server_management": { + "confirm_restart": "Opravdu chcete restartovat Home Assistant?", + "confirm_stop": "Opravdu chcete zastavit službu Home Assistant?", + "heading": "Správa serveru", + "introduction": "Ovládejte svůj Home Assistant server... z Home Assistant.", + "restart": "Restartovat", + "stop": "Zastavit" + }, + "validation": { + "check_config": "Zkontrolujte konfiguraci", + "heading": "Ověření konfigurace", + "introduction": "Pokud jste nedávno provedli změny konfigurace a chcete se ujistit, že je vše v pořádku, můžete ji zde ověřit", + "invalid": "Konfigurace není v pořádku!", + "valid": "Konfigurace je v pořádku!" + } + } + }, + "users": { + "add_user": { + "caption": "Přidat uživatele", + "create": "Vytvořit", + "name": "Jméno", + "password": "Heslo", + "username": "Uživatelské jméno" + }, + "caption": "Uživatelé", + "description": "Správa uživatelů", + "editor": { + "activate_user": "Aktivovat uživatele", + "active": "Aktivní", + "caption": "Zobrazit uživatele", + "change_password": "Změnit heslo", + "confirm_user_deletion": "Opravdu chcete smazat {name} ?", + "deactivate_user": "Deaktivovat uživatele", + "delete_user": "Odstranit uživatele", + "enter_new_name": "Zadejte nové jméno", + "group": "Skupina", + "group_update_failed": "Aktualizace skupiny se nezdařila:", + "id": "ID", + "owner": "Vlastník", + "rename_user": "Přejmenovat uživatele", + "system_generated": "Generovaný systémem", + "system_generated_users_not_removable": "Nelze odebrat uživatele generované systémem.", + "unnamed_user": "Nepojmenovaný uživatel", + "user_rename_failed": "Přejmenování uživatele se nezdařilo:" + }, + "picker": { + "system_generated": "Generovaný systémem", + "title": "Uživatelé" + } }, "zha": { - "caption": "ZHA", - "description": "Správa Zigbee Home Automation", - "services": { - "reconfigure": "Překonfigurovat zařízení ZHA (opravit zařízení). Použijte, pokud se zařízením máte problémy. Je-li dotyčné zařízení napájené bateriemi, ujistěte se prosím, že je při používání této služby spuštěné a přijímá příkazy.", - "updateDeviceName": "V registru zařízení nastavte vlastní název tohoto zařízení.", - "remove": "Odstranit zařízení ze sítě Zigbee." - }, - "device_card": { - "device_name_placeholder": "Zvolené jméno", - "area_picker_label": "Oblast", - "update_name_button": "Aktualizovat název" - }, "add_device_page": { - "header": "Zigbee Home Automation - Přidat zařízení", - "spinner": "Hledání zařízení ZHA Zigbee ...", "discovery_text": "Zde se objeví nalezená zařízení. Postupujte dle pokynů pro vaše zařízení a uveďte je do režimu párování.", - "search_again": "Hledat znovu" + "header": "Zigbee Home Automation - Přidat zařízení", + "search_again": "Hledat znovu", + "spinner": "Hledání zařízení ZHA Zigbee ..." + }, + "caption": "ZHA", + "cluster_attributes": { + "attributes_of_cluster": "Atributy vybraného klastru", + "get_zigbee_attribute": "Získat atribut Zigbee", + "header": "Atributy klastru", + "help_attribute_dropdown": "Vyberte atribut, chcete-li zobrazit nebo nastavit jeho hodnotu.", + "help_get_zigbee_attribute": "Získat hodnotu vybraného atributu.", + "help_set_zigbee_attribute": "Nastavit hodnotu atributu pro vybraný klastr na vybrané entitě.", + "introduction": "Zobrazit a upravit atributy klastru.", + "set_zigbee_attribute": "Nastavit atribut Zigbee" + }, + "cluster_commands": { + "commands_of_cluster": "Příkazy vybraného klastru", + "header": "Příkazy klastru", + "help_command_dropdown": "Vyberte příkaz, se kterým chcete pracovat.", + "introduction": "Zobrazit a poslat příkazy klastru", + "issue_zigbee_command": "Poslat Zigbee příkaz" + }, + "clusters": { + "help_cluster_dropdown": "Vyberte klastr pro zobrazení atributů a příkazů." }, "common": { "add_devices": "Přidat zařízení", @@ -1025,472 +1334,258 @@ "manufacturer_code_override": "Přepsání kódu výrobce", "value": "Hodnota" }, + "description": "Správa Zigbee Home Automation", + "device_card": { + "area_picker_label": "Oblast", + "device_name_placeholder": "Zvolené jméno", + "update_name_button": "Aktualizovat název" + }, "network_management": { "header": "Správa sítě", "introduction": "Příkazy, které ovlivňují celou síť" }, "node_management": { "header": "Správa zařízení", - "introduction": "Spusťte ZHA příkazy, které ovlivňují specifické zařízení. Vyberte zařízení pro zobrazení seznamu dostupných příkazů.", + "help_node_dropdown": "Vyberte zařízení pro zobrazení možností pro jednotlivé zařízení.", "hint_battery_devices": "Poznámka: Uspávající se (napájené z baterie) zařízení musí být při provádění příkazů vzhůru. Obecně můžete probudit uspávající se zařízení jeho spuštěním.", "hint_wakeup": "Některá zařízení, jako jsou senzory Xiaomi, mají tlačítko probuzení, které můžete stisknout v intervalu ~ 5 sekund, které udržuje zařízení probuzené, když s nimi komunikujete.", - "help_node_dropdown": "Vyberte zařízení pro zobrazení možností pro jednotlivé zařízení." + "introduction": "Spusťte ZHA příkazy, které ovlivňují specifické zařízení. Vyberte zařízení pro zobrazení seznamu dostupných příkazů." }, - "clusters": { - "help_cluster_dropdown": "Vyberte klastr pro zobrazení atributů a příkazů." - }, - "cluster_attributes": { - "header": "Atributy klastru", - "introduction": "Zobrazit a upravit atributy klastru.", - "attributes_of_cluster": "Atributy vybraného klastru", - "get_zigbee_attribute": "Získat atribut Zigbee", - "set_zigbee_attribute": "Nastavit atribut Zigbee", - "help_attribute_dropdown": "Vyberte atribut, chcete-li zobrazit nebo nastavit jeho hodnotu.", - "help_get_zigbee_attribute": "Získat hodnotu vybraného atributu.", - "help_set_zigbee_attribute": "Nastavit hodnotu atributu pro vybraný klastr na vybrané entitě." - }, - "cluster_commands": { - "header": "Příkazy klastru", - "introduction": "Zobrazit a poslat příkazy klastru", - "commands_of_cluster": "Příkazy vybraného klastru", - "issue_zigbee_command": "Poslat Zigbee příkaz", - "help_command_dropdown": "Vyberte příkaz, se kterým chcete pracovat." + "services": { + "reconfigure": "Překonfigurovat zařízení ZHA (opravit zařízení). Použijte, pokud se zařízením máte problémy. Je-li dotyčné zařízení napájené bateriemi, ujistěte se prosím, že je při používání této služby spuštěné a přijímá příkazy.", + "remove": "Odstranit zařízení ze sítě Zigbee.", + "updateDeviceName": "V registru zařízení nastavte vlastní název tohoto zařízení." } }, - "area_registry": { - "caption": "Registr oblastí", - "description": "Přehled všech oblastí ve vaší domácnosti.", - "picker": { - "header": "Registr oblastí", - "introduction": "Oblasti se používají k uspořádání zařízení podle místa kde jsou. Tato informace bude použita k organizaci rozhraní, k nastavení oprávnění a v integraci s ostatnímy systémy.", - "introduction2": "Pro přídání zařízení do oblasti přejděte na stránku integrací pomocí odkazu níže tam klikněte na nakonfigurovanou integraci abyste se dostali na kartu zažízení.", - "integrations_page": "Stránka integrací", - "no_areas": "Vypadá to, že ještě nemáte žádné oblasti!", - "create_area": "VYTVOŘIT OBLAST" + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Index", + "instance": "Instance", + "unknown": "neznámý", + "value": "Hodnota", + "wakeup_interval": "Interval probuzení" }, - "no_areas": "Vypadá to, že ještě nemáte žádné oblasti!", - "create_area": "VYTVOŘIT OBLAST", - "editor": { - "default_name": "Nová oblast", - "delete": "SMAZAT", - "update": "UPRAVIT", - "create": "VYTVOŘIT" - } - }, - "entity_registry": { - "caption": "Registr entit", - "description": "Přehled všech známých entit", - "picker": { - "header": "Registr entit", - "unavailable": "(není k dispozici)", - "introduction": "Homa Assistant uchovává registr všech entit, které kdy viděl a mohou být jednoznačně identifikovány. Každá z těchto entit bude mít přiděleno ID, které bude rezervováno pouze pro tuto entitu.", - "introduction2": "Pomocí registru entit můžete přepsat název, změnit identifikátor entity nebo odebrat entitu. Poznámka: odebrání entity z registru entit nesmaže entitu. Pro smazání přejděte na stránku integrací pomocí odkazu níže.", - "integrations_page": "Stránka integrací", - "show_disabled": "Zobrazit zakázané entity", - "headers": { - "name": "Název", - "entity_id": "ID entity", - "integration": "Integrace", - "enabled": "Povoleno" - } + "description": "Spravujte svou síť Z-Wave", + "learn_more": "Další informace o Z-Wave", + "network_management": { + "header": "Správa sítě Z-Wave", + "introduction": "Spusťte příkazy, které ovlivňují síť Z-Wave. Nebudete mít zpětnou vazbu o tom, zda většina příkazů uspěla, ale můžete se podívat na protokol OZW a pokusit se to zjistit." }, - "editor": { - "unavailable": "Tato entita není momentálně k dispozici.", - "default_name": "Nová oblast", - "delete": "SMAZAT", - "update": "UPRAVIT", - "enabled_label": "Povolit entitu", - "enabled_cause": "Zakázáno {cause}.", - "enabled_description": "Zakázané entity nebudou přidány do Home Assistant.", - "confirm_delete": "Opravdu chcete tuto položku smazat?", - "confirm_delete2": "Odstranění položky neodstraní entitu z Home Assistant. K tomu budete muset odebrat integraci '{platform}' z Home Assistant." - } - }, - "person": { - "caption": "Osoby", - "description": "Spravujte osoby, které Home Assistant sleduje.", - "detail": { - "name": "Jméno", - "device_tracker_intro": "Vyberte zařízení, která patří této osobě.", - "device_tracker_picked": "Sledovat zařízení", - "device_tracker_pick": "Vyberte zařízení, které chcete sledovat", - "new_person": "Nová osoba", - "name_error_msg": "Jméno je povinné", - "linked_user": "Propojený uživatel", - "no_device_tracker_available_intro": "Pokud máte zařízení, která indikují přítomnost osoby, budete je moci zde přiřadit osobě. První zařízení můžete přidat přidáním integrace detekce přítomnosti ze stránky integrace.", - "link_presence_detection_integrations": "Integrace detekce přítomnosti", - "link_integrations_page": "Stránka integrací", - "delete": "Smazat", - "create": "Vytvořit", - "update": "Aktualizace" + "network_status": { + "network_started": "Síť Z-Wave spuštěna", + "network_started_note_all_queried": "Všechny uzly byly zkontaktovány.", + "network_started_note_some_queried": "Probuzené uzly byly zkontaktovány. Spící uzly budou zkontaktovány jakmile se probudí.", + "network_starting": "Spouštění sítě Z-Wave...", + "network_starting_note": "V závislosti na velikosti vaší sítě to může chvíli trvat.", + "network_stopped": "Síť Z-Wave byla zastavena" }, - "introduction": "Zde můžete definovat každou osobu v Home Assistant.", - "note_about_persons_configured_in_yaml": "Poznámka: Osoby konfigurované pomocí configuration.yaml nelze upravovat pomocí uživatelského rozhraní.", - "no_persons_created_yet": "Vypadá to, že jste dosud žádné osoby nevytvořili.", - "create_person": "Vytvořit osobu", - "add_person": "Přidat osobu", - "confirm_delete": "Opravdu chcete odstranit tuto osobu?", - "confirm_delete2": "Všechna zařízení patřící této osobě budou nastavena jako nepřiřazena." - }, - "server_control": { - "caption": "Ovládání serveru", - "description": "Restart a zastavení serveru Home Asistent", - "section": { - "validation": { - "heading": "Ověření konfigurace", - "introduction": "Pokud jste nedávno provedli změny konfigurace a chcete se ujistit, že je vše v pořádku, můžete ji zde ověřit", - "check_config": "Zkontrolujte konfiguraci", - "valid": "Konfigurace je v pořádku!", - "invalid": "Konfigurace není v pořádku!" - }, - "reloading": { - "heading": "Konfigurace se načítá", - "introduction": "Některé části Home Assistant lze načíst bez nutnosti restartování. Volba načtení zahodí jejich aktuální konfiguraci a načte novou.", - "core": "Znovu načíst jádro", - "group": "Znovu načíst skupiny", - "automation": "Znovu načíst automatizace", - "script": "Znovu načíst skripty", - "scene": "Znovu načíst scény" - }, - "server_management": { - "heading": "Správa serveru", - "introduction": "Ovládejte svůj Home Assistant server... z Home Assistant.", - "restart": "Restartovat", - "stop": "Zastavit", - "confirm_restart": "Opravdu chcete restartovat Home Assistant?", - "confirm_stop": "Opravdu chcete zastavit službu Home Assistant?" - } - } - }, - "devices": { - "caption": "Zařízení", - "description": "Správa připojených zařízení", - "automation": { - "triggers": { - "caption": "Udělej něco, když ..." - }, - "conditions": { - "caption": "Udělej něco, jen když ..." - }, - "actions": { - "caption": "Když je něco spuštěno ..." - } - } - }, - "common": { - "editor": { - "confirm_unsaved": "Máte neuložené změny. Opravdu chcete odejít?" + "node_config": { + "config_parameter": "Konfigurační parametr", + "config_value": "Konfigurační hodnota", + "false": "False", + "header": "Možnosti konfigurace uzlu", + "seconds": "sekund", + "set_config_parameter": "Nastavte konfigurační parametr", + "set_wakeup": "Nastavit interval probuzení", + "true": "True" + }, + "ozw_log": { + "header": "Protokol OZW", + "introduction": "Zobrazit protokol. 0 je minimum (načte celý protokol) a 1000 je maximum. Načíst zobrazí statický protokol a tail automaticky aktualizuje protokol s naposledy zvoleným počtem řádků." + }, + "services": { + "add_node": "Přidat uzel", + "add_node_secure": "Přidat zabezpečení uzlu", + "cancel_command": "Zrušit příkaz", + "heal_network": "Vyléčit síť", + "remove_node": "Odebrat uzel", + "save_config": "Uložit konfiguraci", + "soft_reset": "Měkký reset", + "start_network": "Spustit síť", + "stop_network": "Zastavit síť", + "test_network": "Testovat síť" + }, + "values": { + "header": "Hodnoty uzlu" } } }, - "profile": { - "push_notifications": { - "header": "Push notifikace", - "description": "Posílat oznámení na toto zařízení", - "error_load_platform": "Konfigurovat notify.html5.", - "error_use_https": "Vyžaduje SSL pro frontend.", - "push_notifications": "Push notifikace", - "link_promo": "Další informace" - }, - "language": { - "header": "Jazyk", - "link_promo": "Pomoc s překladem", - "dropdown_label": "Jazyk" - }, - "themes": { - "header": "Motiv", - "error_no_theme": "Žádné motivy nejsou k dispozici.", - "link_promo": "Další info o motivech", - "dropdown_label": "Motiv" - }, - "refresh_tokens": { - "header": "Obnovovací tokeny", - "description": "Každý obnovovací token představuje relaci přihlášení. Obnovovací tokeny budou automaticky odstraněny po klepnutí na tlačítko Odhlásit. Pro váš účet jsou v současné době aktivní následující obnovovací tokeny:", - "token_title": "Obnovovací token pro {clientId}", - "created_at": "Vytvořeno {date}", - "confirm_delete": "Opravdu chcete odstranit token pro {name}?", - "delete_failed": "Nepodařilo se smazat token.", - "last_used": "Naposledy použito {date} z {location}", - "not_used": "Nikdy nebylo použito", - "current_token_tooltip": "Nelze odstranit aktuální obnovení tokenu" - }, - "long_lived_access_tokens": { - "header": "Tokeny s dlouhou životností", - "description": "Vytvořte přístupové tokeny s dlouhou životností, aby vaše skripty mohly komunikovat s instancí Home Assistant. Každý token bude platný po dobu 10 let od vytvoření. Tyto tokeny s dlouhou životností jsou v současné době aktivní.", - "learn_auth_requests": "Naučte se, jak posílat ověřené požadavky.", - "created_at": "Vytvořeno {date}", - "confirm_delete": "Opravdu chcete smazat přístupový token pro {name} ?", - "delete_failed": "Nepodařilo se odstranit přístupový token.", - "create": "Vytvořte token", - "create_failed": "Nepodařilo se vytvořit přístupový token.", - "prompt_name": "Název?", - "prompt_copy_token": "Zkopírujte přístupový token. Už nikdy nebude znovu zobrazen.", - "empty_state": "Zatím nemáte žádné dlouhodobé přístupové tokeny.", - "last_used": "Naposledy použito {date} z {location}", - "not_used": "Nikdy nebylo použito" - }, - "current_user": "Nyní jste přihlášeni jako {fullName}.", - "is_owner": "Jste vlastník.", - "change_password": { - "header": "Změnit heslo", - "current_password": "Současné heslo", - "new_password": "Nové heslo", - "confirm_new_password": "Potvrďte nové heslo", - "error_required": "Povinný", - "submit": "Odeslat" - }, - "mfa": { - "header": "Multifaktorové autentizační moduly", - "disable": "Zakázat", - "enable": "Povolit", - "confirm_disable": "Opravdu chcete zakázat {name}?" - }, - "mfa_setup": { - "title_aborted": "Zrušeno", - "title_success": "Úspěch!", - "step_done": "Dokončen krok {step}", - "close": "Zavřít", - "submit": "Odeslat" - }, - "logout": "Odhlásit", - "force_narrow": { - "header": "Vždy skrýt postranní panel", - "description": "Tato volba skryje postranním panelu jako výchozí nastavení, podobně jako na mobilním zažízení." - }, - "vibrate": { - "header": "Vibrovat", - "description": "Povolit nebo zakázat vibrace na tomto zařízení při ovládání ostatních zařízení." - }, - "advanced_mode": { - "title": "Pokročilý režim", - "description": "Home Assistant standardně skrývá pokročilé funkce a předvolby. Zapnutím této funkce je můžete zpřístupnit. Toto nastavení je specifické pro každého uživatele a neovlivňuje ostatní uživatele Home Assistantu." - } - }, - "page-authorize": { - "initializing": "Inicializuji", - "authorizing_client": "Chystáte se dát {clientId} práva pro instanci Home Assistant.", - "logging_in_with": "Přihlásit se pomocí **{authProviderName}**.", - "pick_auth_provider": "Nebo se přihlaste s", - "abort_intro": "Přihlášení bylo zrušeno", - "form": { - "working": "Počkejte prosím", - "unknown_error": "Něco se pokazilo", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Uživatelské jméno", - "password": "Heslo" - } - }, - "mfa": { - "data": { - "code": "Dvoufaktorový ověřovací kód" - }, - "description": "Otevřete **{mfa_module_name}** na vašem zařízení pro zobrazení dvoufaktorového ověřovacího kódu a ověřte vaší identitu:" - } - }, - "error": { - "invalid_auth": "Neplatné uživatelské jméno či heslo", - "invalid_code": "Neplatný ověřovací kód" - }, - "abort": { - "login_expired": "Relace vypršela, přihlaste se prosím znovu." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "Heslo API" - }, - "description": "Zadejte API heslo v http config" - }, - "mfa": { - "data": { - "code": "Dvoufaktorový ověřovací kód" - }, - "description": "Otevřete **{mfa_module_name}** na vašem zařízení pro zobrazení dvoufaktorového ověřovacího kódu a ověřte vaší identitu:" - } - }, - "error": { - "invalid_auth": "Neplatné heslo API", - "invalid_code": "Neplatný ověřovací kód" - }, - "abort": { - "no_api_password_set": "Nemáte nakonfigurované heslo API.", - "login_expired": "Relace vypršela, přihlaste se prosím znovu." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Uživatel" - }, - "description": "Vyberte uživatele, za kterého se chcete přihlásit:" - } - }, - "abort": { - "not_whitelisted": "Váš počítač není na seznamu povolených." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Uživatelské jméno", - "password": "Heslo" - } - }, - "mfa": { - "data": { - "code": "Dvoufaktorový ověřovací kód" - }, - "description": "Otevřete **{mfa_module_name}** na vašem zařízení pro zobrazení dvoufaktorového ověřovacího kódu a ověřte vaší identitu:" - } - }, - "error": { - "invalid_auth": "Neplatné uživatelské jméno či heslo", - "invalid_code": "Neplatný ověřovací kód" - }, - "abort": { - "login_expired": "Relace vypršela, přihlaste se prosím znovu." - } - } - } - } - }, - "page-onboarding": { - "intro": "Jste připraveni oživit svůj domov, zachovat si své soukromí a připojit se k celosvětové komunitě tvůrců?", - "user": { - "intro": "Začněme tím, že vytvoříme uživatelský účet.", - "required_field": "Povinný", - "data": { - "name": "Jméno", - "username": "Uživatelské jméno", - "password": "Heslo", - "password_confirm": "Potvrzení hesla" + "developer-tools": { + "tabs": { + "events": { + "alert_event_type": "Typ události je povinné pole", + "available_events": "Dostupné události", + "count_listeners": "({count} posluchačů)", + "data": "Data události (YAML, volitelné)", + "description": "Spustit událost na sběrnici událostí.", + "documentation": "Dokumentace událostí.", + "event_fired": "Událost {type} spuštěna!", + "fire_event": "Spustit událost", + "listen_to_events": "Naslouchat událostem", + "listening_to": "Naslouchám", + "notification_event_fired": "Událost {type} úspěšně spuštěna!", + "start_listening": "Začít naslouchat", + "stop_listening": "Přestat naslouchat", + "subscribe_to": "Téma k odběru", + "title": "Události", + "type": "Typ události" }, - "create_account": "Vytvořit účet", - "error": { - "required_fields": "Vyplňte všechna povinná pole", - "password_not_match": "Hesla se neshodují" + "info": { + "built_using": "Sestaveno pomocí", + "custom_uis": "Vlastní uživatelská rozhraní:", + "default_ui": "{action} {name} jako výchozí stránku na tomto zařízení", + "developed_by": "Vyvinuto partou úžasných lidí.", + "frontend": "frontend-ui", + "frontend_version": "Verze rozhraní frontend: {version} - {type}", + "home_assistant_logo": "Home Assistant logo", + "icons_by": "Ikony od", + "license": "Publikováno pod licencí Apache 2.0", + "lovelace_ui": "Přejít na uživatelské rozhraní Lovelace", + "path_configuration": "Cesta k souboru configuration.yaml: {path}", + "remove": "Odstranit", + "server": "server", + "set": "Nastavit", + "source": "Zdroj:", + "states_ui": "Přejít na uživatelské rozhraní stavů", + "system_health_error": "Součást System Health není načtena. Přidejte 'system_health:' do configuration.yaml", + "title": "Informace" + }, + "logs": { + "clear": "Zrušit", + "details": "Detaily protokolu ({level})", + "load_full_log": "Načíst úplný protokol Home Assistanta", + "loading_log": "Načítání protokolu chyb...", + "multiple_messages": "zpráva se poprvé objevila v {time} a zobrazuje se {counter} krát", + "no_errors": "Nebyly hlášeny žádné chyby.", + "no_issues": "Nejsou žádné nové problémy!", + "refresh": "Obnovit", + "title": "Logy" + }, + "mqtt": { + "description_listen": "Naslouchat tématu", + "description_publish": "Publikovat paket", + "listening_to": "Naslouchám", + "message_received": "Zpráva {id} přijata na {topic} v {time} :", + "payload": "Obsah", + "publish": "Publikovat", + "start_listening": "Začít naslouchat", + "stop_listening": "Přestat naslouchat", + "subscribe_to": "Téma k odběru", + "title": "MQTT", + "topic": "téma" + }, + "services": { + "alert_parsing_yaml": "Chyba při parsování YAML: {data}", + "call_service": "Zavolat službu", + "column_description": "Popis", + "column_example": "Příklad", + "column_parameter": "Parametr", + "data": "Data služby (YAML, volitelné)", + "description": "Vývojářský nástroj pro služby umožňuje zavolat jakoukoli dostupnou službu v Home Assistant", + "fill_example_data": "Vyplnit ukázková data", + "no_description": "Není k dispozici žádný popis", + "no_parameters": "Tato služba nemá žádné parametry.", + "select_service": "Chcete-li zobrazit popis, vyberte službu", + "title": "Služby" + }, + "states": { + "alert_entity_field": "Entita je povinné pole", + "attributes": "Atributy", + "current_entities": "Současné entity", + "description1": "Nastavte zobrazení zařízení v Home Assistant", + "description2": "Toto nebude komunikovat se skutečným zařízením.", + "entity": "Entita", + "filter_attributes": "Filtrovat atributy", + "filter_entities": "Filtrovat entity", + "filter_states": "Filtrovat stavy", + "more_info": "Více informací", + "no_entities": "Žádné entity", + "set_state": "Nastavit stav", + "state": "Stav", + "state_attributes": "Atributy stavu (YAML, volitelné)", + "title": "Stavy" + }, + "templates": { + "description": "Šablony jsou vykreslovány pomocí Jinja2 šablonového enginu s některými specifickými rozšířeními pro Home Assistant.", + "editor": "Editor šablon", + "jinja_documentation": "Dokumentace šablony Jinja2", + "template_extensions": "Rozšíření šablony Home Assistant", + "title": "Šablony", + "unknown_error_template": "Šablona vykreslování neznámých chyb" } - }, - "integration": { - "intro": "Zařízení a služby jsou v Home Assistant reprezentovány jako integrace. Tyto můžete nastavit nyní nebo později z konfigurační obrazovky.", - "more_integrations": "Více", - "finish": "Dokončit" - }, - "core-config": { - "intro": "Dobrý den, {name} , vítejte v Home Assistant. Jak byste chtěli pojmenovat svůj domov?", - "intro_location": "Rádi bychom věděli, kde žijete. Tyto informace pomohou při zobrazování informací a určování přesné polohy slunce. Tato data nejsou nikdy sdílena mimo vaši síť.", - "intro_location_detect": "Můžeme vám pomoci vyplnit tyto informace jednorázovým požadavkem na externí službu.", - "location_name_default": "Domov", - "button_detect": "Rozpoznat", - "finish": "Další" } }, + "history": { + "period": "Období", + "showing_entries": "Zobrazeny údaje pro" + }, + "logbook": { + "period": "Období", + "showing_entries": "Zobrazeny údaje pro" + }, "lovelace": { "cards": { - "shopping-list": { - "checked_items": "Označené položky", - "clear_items": "Vymazat označené položky", - "add_item": "Přidat položku" - }, + "confirm_delete": "Opravdu chcete tuto kartu smazat?", "empty_state": { - "title": "Vítejte doma", + "go_to_integrations_page": "Přejděte na stránku integrace.", "no_devices": "Tato stránka umožňuje ovládat vaše zařízení; zdá se však, že ještě nemáte žádné zařízení nastavené. Nejprve tedy přejděte na stránku integrace.", - "go_to_integrations_page": "Přejděte na stránku integrace." + "title": "Vítejte doma" }, "picture-elements": { - "hold": "Podržte:", - "tap": "Klepněte:", - "navigate_to": "Přejděte na {location}", - "toggle": "Přepnout {name}", "call_service": "Zavolat službu {name}", + "hold": "Podržte:", "more_info": "Zobrazit více informací: {name}", + "navigate_to": "Přejděte na {location}", + "tap": "Klepněte:", + "toggle": "Přepnout {name}", "url": "Otevřít okno adresy {url_path}" }, - "confirm_delete": "Opravdu chcete tuto kartu smazat?" + "shopping-list": { + "add_item": "Přidat položku", + "checked_items": "Označené položky", + "clear_items": "Vymazat označené položky" + } + }, + "changed_toast": { + "message": "Konfigurace Lovelace byla aktualizována, chcete obnovit stránku?", + "refresh": "Obnovit" }, "editor": { - "edit_card": { - "header": "Konfigurace karty", - "save": "Uložit", - "toggle_editor": "Přepnout Editor", - "pick_card": "Vyberte kartu, kterou chcete přidat.", - "add": "Přidat kartu", - "edit": "Upravit", - "delete": "Odstranit", - "move": "Přesunout", - "show_visual_editor": "Zobrazit vizuální editor", - "show_code_editor": "Zobrazit editor kódu", - "pick_card_view_title": "Kterou kartu byste chtěli přidat do svého {name} pohledu?", - "options": "Více možností" - }, - "migrate": { - "header": "Konfigurace není kompatibilní", - "para_no_id": "Tento prvek nemá ID. Přidejte k tomuto prvku ID v 'ui-lovelace.yaml'.", - "para_migrate": "Home Assistant může automaticky přidávat ID ke všem kartám a pohledům stisknutím tlačítka \"Migrovat konfiguraci\".", - "migrate": "Migrovat konfiguraci" - }, - "header": "Upravit UI", - "edit_view": { - "header": "Zobrazit konfiguraci", - "add": "Přidat pohled", - "edit": "Upravit pohled", - "delete": "Odstranit pohled", - "header_name": "{name} Zobrazit konfiguraci" - }, - "save_config": { - "header": "Převzít kontrolu nad vaší Lovelace UI", - "para": "Ve výchozím nastavení bude Home Assistant spravovat vaše uživatelské rozhraní – aktualizovat jej při přidání nové entity nebo Lovelace komponenty. Pokud převezmete kontrolu, nebudeme již provádět změny automaticky za vás.", - "para_sure": "Opravdu chcete převzít kontrolu nad uživalským rohraním ?", - "cancel": "Zahodit změnu", - "save": "Převzít kontrolu" - }, - "menu": { - "raw_editor": "Editor zdrojového kódu", - "open": "Otevřít Lovelace menu" - }, - "raw_editor": { - "header": "Upravit konfiguraci", - "save": "Uložit", - "unsaved_changes": "Neuložené změny", - "saved": "Uloženo" - }, - "edit_lovelace": { - "header": "Název vašeho uživatelského rozhraní Lovelace", - "explanation": "Tento název je zobrazen nad všemi vašimi zobrazeními v Lovelace." - }, "card": { "alarm_panel": { "available_states": "Dostupné stavy" }, + "alarm-panel": { + "available_states": "Dostupné stavy", + "name": "Ovládací panel alarmu" + }, + "conditional": { + "name": "Podmínka" + }, "config": { - "required": "Povinné", - "optional": "Volitelné" + "optional": "Volitelné", + "required": "Povinné" }, "entities": { - "show_header_toggle": "Zobrazit přepínač záhlaví?", "name": "Entity", + "show_header_toggle": "Zobrazit přepínač záhlaví?", "toggle": "Přepnout entity." }, + "entity-button": { + "name": "Tlačítko entity" + }, + "entity-filter": { + "name": "Filtr entit" + }, "gauge": { + "name": "Měřidlo", "severity": { "define": "Definovat závažnost?", "green": "Zelená", "red": "Červaná", "yellow": "Žlutá" - }, - "name": "Měřidlo" - }, - "glance": { - "columns": "Sloupce", - "name": "Rychlý pohled" + } }, "generic": { "aspect_ratio": "Poměr stran", @@ -1511,39 +1606,14 @@ "show_name": "Zobrazit název?", "show_state": "Zobrazit stav?", "tap_action": "Akce při stisknutí", - "title": "Název", "theme": "Motiv", + "title": "Název", "unit": "Jednotka", "url": "Url" }, - "map": { - "geo_location_sources": "Zdroje geolokace", - "dark_mode": "Tmavý režim?", - "default_zoom": "Výchozí zvětšení", - "source": "Zdroj", - "name": "Mapa" - }, - "markdown": { - "content": "Obsah", - "name": "Markdown" - }, - "sensor": { - "graph_detail": "Detail grafu", - "graph_type": "Typ grafu", - "name": "Senzor" - }, - "alarm-panel": { - "name": "Ovládací panel alarmu", - "available_states": "Dostupné stavy" - }, - "conditional": { - "name": "Podmínka" - }, - "entity-button": { - "name": "Tlačítko entity" - }, - "entity-filter": { - "name": "Filtr entit" + "glance": { + "columns": "Sloupce", + "name": "Rychlý pohled" }, "history-graph": { "name": "Graf historie" @@ -1557,12 +1627,20 @@ "light": { "name": "Světlo" }, + "map": { + "dark_mode": "Tmavý režim?", + "default_zoom": "Výchozí zvětšení", + "geo_location_sources": "Zdroje geolokace", + "name": "Mapa", + "source": "Zdroj" + }, + "markdown": { + "content": "Obsah", + "name": "Markdown" + }, "media-control": { "name": "Řízení médií" }, - "picture": { - "name": "Obrázek" - }, "picture-elements": { "name": "Obrázkové elementy" }, @@ -1572,9 +1650,17 @@ "picture-glance": { "name": "Obrázkový pohled" }, + "picture": { + "name": "Obrázek" + }, "plant-status": { "name": "Stav rostliny" }, + "sensor": { + "graph_detail": "Detail grafu", + "graph_type": "Typ grafu", + "name": "Senzor" + }, "shopping-list": { "name": "Nákupní seznam" }, @@ -1588,434 +1674,348 @@ "name": "Předpověď počasí" } }, + "edit_card": { + "add": "Přidat kartu", + "delete": "Odstranit", + "edit": "Upravit", + "header": "Konfigurace karty", + "move": "Přesunout", + "options": "Více možností", + "pick_card": "Vyberte kartu, kterou chcete přidat.", + "pick_card_view_title": "Kterou kartu byste chtěli přidat do svého {name} pohledu?", + "save": "Uložit", + "show_code_editor": "Zobrazit editor kódu", + "show_visual_editor": "Zobrazit vizuální editor", + "toggle_editor": "Přepnout Editor" + }, + "edit_lovelace": { + "explanation": "Tento název je zobrazen nad všemi vašimi zobrazeními v Lovelace.", + "header": "Název vašeho uživatelského rozhraní Lovelace" + }, + "edit_view": { + "add": "Přidat pohled", + "delete": "Odstranit pohled", + "edit": "Upravit pohled", + "header": "Zobrazit konfiguraci", + "header_name": "{name} Zobrazit konfiguraci" + }, + "header": "Upravit UI", + "menu": { + "open": "Otevřít Lovelace menu", + "raw_editor": "Editor zdrojového kódu" + }, + "migrate": { + "header": "Konfigurace není kompatibilní", + "migrate": "Migrovat konfiguraci", + "para_migrate": "Home Assistant může automaticky přidávat ID ke všem kartám a pohledům stisknutím tlačítka \"Migrovat konfiguraci\".", + "para_no_id": "Tento prvek nemá ID. Přidejte k tomuto prvku ID v 'ui-lovelace.yaml'." + }, + "raw_editor": { + "header": "Upravit konfiguraci", + "save": "Uložit", + "saved": "Uloženo", + "unsaved_changes": "Neuložené změny" + }, + "save_config": { + "cancel": "Zahodit změnu", + "header": "Převzít kontrolu nad vaší Lovelace UI", + "para": "Ve výchozím nastavení bude Home Assistant spravovat vaše uživatelské rozhraní – aktualizovat jej při přidání nové entity nebo Lovelace komponenty. Pokud převezmete kontrolu, nebudeme již provádět změny automaticky za vás.", + "para_sure": "Opravdu chcete převzít kontrolu nad uživalským rohraním ?", + "save": "Převzít kontrolu" + }, "view": { "panel_mode": { - "title": "Režim panelu?", - "description": "Toto vykreslí první kartu v plné šířce; ostatní karty v tomto pohledu nebudou vykresleny." + "description": "Toto vykreslí první kartu v plné šířce; ostatní karty v tomto pohledu nebudou vykresleny.", + "title": "Režim panelu?" } } }, "menu": { "configure_ui": "Konfigurovat UI", - "unused_entities": "Nepoužívané entity", "help": "Pomoc", - "refresh": "Obnovit" - }, - "warning": { - "entity_not_found": "Entita není k dispozici: {entity}", - "entity_non_numeric": "Entita není číselná: {entity}" - }, - "changed_toast": { - "message": "Konfigurace Lovelace byla aktualizována, chcete obnovit stránku?", - "refresh": "Obnovit" + "refresh": "Obnovit", + "unused_entities": "Nepoužívané entity" }, "reload_lovelace": "Znovu načíst Lovelace", "views": { "confirm_delete": "Opravdu chcete smazat tento pohled?", "existing_cards": "Nelze smazat pohled, který obsahuje karty. Nejprve karty odstraňte." + }, + "warning": { + "entity_non_numeric": "Entita není číselná: {entity}", + "entity_not_found": "Entita není k dispozici: {entity}" } }, + "mailbox": { + "delete_button": "Smazat", + "delete_prompt": "Smazat tuto zprávu?", + "empty": "Nemáte žádné zprávy", + "playback_title": "Přehrávání zpráv" + }, + "page-authorize": { + "abort_intro": "Přihlášení bylo zrušeno", + "authorizing_client": "Chystáte se dát {clientId} práva pro instanci Home Assistant.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Relace vypršela, přihlaste se prosím znovu." + }, + "error": { + "invalid_auth": "Neplatné uživatelské jméno či heslo", + "invalid_code": "Neplatný ověřovací kód" + }, + "step": { + "init": { + "data": { + "password": "Heslo", + "username": "Uživatelské jméno" + } + }, + "mfa": { + "data": { + "code": "Dvoufaktorový ověřovací kód" + }, + "description": "Otevřete **{mfa_module_name}** na vašem zařízení pro zobrazení dvoufaktorového ověřovacího kódu a ověřte vaší identitu:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Relace vypršela, přihlaste se prosím znovu." + }, + "error": { + "invalid_auth": "Neplatné uživatelské jméno či heslo", + "invalid_code": "Neplatný ověřovací kód" + }, + "step": { + "init": { + "data": { + "password": "Heslo", + "username": "Uživatelské jméno" + } + }, + "mfa": { + "data": { + "code": "Dvoufaktorový ověřovací kód" + }, + "description": "Otevřete **{mfa_module_name}** na vašem zařízení pro zobrazení dvoufaktorového ověřovacího kódu a ověřte vaší identitu:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Relace vypršela, přihlaste se prosím znovu.", + "no_api_password_set": "Nemáte nakonfigurované heslo API." + }, + "error": { + "invalid_auth": "Neplatné heslo API", + "invalid_code": "Neplatný ověřovací kód" + }, + "step": { + "init": { + "data": { + "password": "Heslo API" + }, + "description": "Zadejte API heslo v http config" + }, + "mfa": { + "data": { + "code": "Dvoufaktorový ověřovací kód" + }, + "description": "Otevřete **{mfa_module_name}** na vašem zařízení pro zobrazení dvoufaktorového ověřovacího kódu a ověřte vaší identitu:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Váš počítač není na seznamu povolených." + }, + "step": { + "init": { + "data": { + "user": "Uživatel" + }, + "description": "Vyberte uživatele, za kterého se chcete přihlásit:" + } + } + } + }, + "unknown_error": "Něco se pokazilo", + "working": "Počkejte prosím" + }, + "initializing": "Inicializuji", + "logging_in_with": "Přihlásit se pomocí **{authProviderName}**.", + "pick_auth_provider": "Nebo se přihlaste s" + }, "page-demo": { "cards": { "demo": { "demo_by": "od {name}", - "next_demo": "Další demo", "introduction": "Vítejte doma! Dostali jste se do demoverze Home Assistant, kde prezentujeme nejlepší uživatelská rozhraní vytvořená komunitou.", - "learn_more": "Další informace o Home Assistant" + "learn_more": "Další informace o Home Assistant", + "next_demo": "Další demo" } }, "config": { "arsaboo": { - "names": { - "upstairs": "Poschodí", - "family_room": "Obývací pokoj", - "kitchen": "Kuchyně", - "patio": "Terasa", - "hallway": "Chodba", - "master_bedroom": "Hlavní ložnice", - "left": "Vlevo", - "right": "Vpravo", - "mirror": "Zrcadlo", - "temperature_study": "Studie teploty" - }, "labels": { - "lights": "Světla", - "information": "Informace", - "morning_commute": "Työmatka aamulla", + "activity": "Aktivita", + "air": "Vzduch", "commute_home": "Matka kotiin", "entertainment": "Zábava", - "activity": "Aktivita", "hdmi_input": "Vstup HDMI", "hdmi_switcher": "Přepínač HDMI", - "volume": "Hlasitost", + "information": "Informace", + "lights": "Světla", + "morning_commute": "Työmatka aamulla", "total_tv_time": "Celkový čas strávený u televize", "turn_tv_off": "Vypnout televizi", - "air": "Vzduch" + "volume": "Hlasitost" + }, + "names": { + "family_room": "Obývací pokoj", + "hallway": "Chodba", + "kitchen": "Kuchyně", + "left": "Vlevo", + "master_bedroom": "Hlavní ložnice", + "mirror": "Zrcadlo", + "patio": "Terasa", + "right": "Vpravo", + "temperature_study": "Studie teploty", + "upstairs": "Poschodí" }, "unit": { - "watching": "sledování", - "minutes_abbr": "min" + "minutes_abbr": "min", + "watching": "sledování" } } } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Rozpoznat", + "finish": "Další", + "intro": "Dobrý den, {name} , vítejte v Home Assistant. Jak byste chtěli pojmenovat svůj domov?", + "intro_location": "Rádi bychom věděli, kde žijete. Tyto informace pomohou při zobrazování informací a určování přesné polohy slunce. Tato data nejsou nikdy sdílena mimo vaši síť.", + "intro_location_detect": "Můžeme vám pomoci vyplnit tyto informace jednorázovým požadavkem na externí službu.", + "location_name_default": "Domov" + }, + "integration": { + "finish": "Dokončit", + "intro": "Zařízení a služby jsou v Home Assistant reprezentovány jako integrace. Tyto můžete nastavit nyní nebo později z konfigurační obrazovky.", + "more_integrations": "Více" + }, + "intro": "Jste připraveni oživit svůj domov, zachovat si své soukromí a připojit se k celosvětové komunitě tvůrců?", + "user": { + "create_account": "Vytvořit účet", + "data": { + "name": "Jméno", + "password": "Heslo", + "password_confirm": "Potvrzení hesla", + "username": "Uživatelské jméno" + }, + "error": { + "password_not_match": "Hesla se neshodují", + "required_fields": "Vyplňte všechna povinná pole" + }, + "intro": "Začněme tím, že vytvoříme uživatelský účet.", + "required_field": "Povinný" + } + }, + "profile": { + "advanced_mode": { + "description": "Home Assistant standardně skrývá pokročilé funkce a předvolby. Zapnutím této funkce je můžete zpřístupnit. Toto nastavení je specifické pro každého uživatele a neovlivňuje ostatní uživatele Home Assistantu.", + "title": "Pokročilý režim" + }, + "change_password": { + "confirm_new_password": "Potvrďte nové heslo", + "current_password": "Současné heslo", + "error_required": "Povinný", + "header": "Změnit heslo", + "new_password": "Nové heslo", + "submit": "Odeslat" + }, + "current_user": "Nyní jste přihlášeni jako {fullName}.", + "force_narrow": { + "description": "Tato volba skryje postranním panelu jako výchozí nastavení, podobně jako na mobilním zažízení.", + "header": "Vždy skrýt postranní panel" + }, + "is_owner": "Jste vlastník.", + "language": { + "dropdown_label": "Jazyk", + "header": "Jazyk", + "link_promo": "Pomoc s překladem" + }, + "logout": "Odhlásit", + "long_lived_access_tokens": { + "confirm_delete": "Opravdu chcete smazat přístupový token pro {name} ?", + "create": "Vytvořte token", + "create_failed": "Nepodařilo se vytvořit přístupový token.", + "created_at": "Vytvořeno {date}", + "delete_failed": "Nepodařilo se odstranit přístupový token.", + "description": "Vytvořte přístupové tokeny s dlouhou životností, aby vaše skripty mohly komunikovat s instancí Home Assistant. Každý token bude platný po dobu 10 let od vytvoření. Tyto tokeny s dlouhou životností jsou v současné době aktivní.", + "empty_state": "Zatím nemáte žádné dlouhodobé přístupové tokeny.", + "header": "Tokeny s dlouhou životností", + "last_used": "Naposledy použito {date} z {location}", + "learn_auth_requests": "Naučte se, jak posílat ověřené požadavky.", + "not_used": "Nikdy nebylo použito", + "prompt_copy_token": "Zkopírujte přístupový token. Už nikdy nebude znovu zobrazen.", + "prompt_name": "Název?" + }, + "mfa_setup": { + "close": "Zavřít", + "step_done": "Dokončen krok {step}", + "submit": "Odeslat", + "title_aborted": "Zrušeno", + "title_success": "Úspěch!" + }, + "mfa": { + "confirm_disable": "Opravdu chcete zakázat {name}?", + "disable": "Zakázat", + "enable": "Povolit", + "header": "Multifaktorové autentizační moduly" + }, + "push_notifications": { + "description": "Posílat oznámení na toto zařízení", + "error_load_platform": "Konfigurovat notify.html5.", + "error_use_https": "Vyžaduje SSL pro frontend.", + "header": "Push notifikace", + "link_promo": "Další informace", + "push_notifications": "Push notifikace" + }, + "refresh_tokens": { + "confirm_delete": "Opravdu chcete odstranit token pro {name}?", + "created_at": "Vytvořeno {date}", + "current_token_tooltip": "Nelze odstranit aktuální obnovení tokenu", + "delete_failed": "Nepodařilo se smazat token.", + "description": "Každý obnovovací token představuje relaci přihlášení. Obnovovací tokeny budou automaticky odstraněny po klepnutí na tlačítko Odhlásit. Pro váš účet jsou v současné době aktivní následující obnovovací tokeny:", + "header": "Obnovovací tokeny", + "last_used": "Naposledy použito {date} z {location}", + "not_used": "Nikdy nebylo použito", + "token_title": "Obnovovací token pro {clientId}" + }, + "themes": { + "dropdown_label": "Motiv", + "error_no_theme": "Žádné motivy nejsou k dispozici.", + "header": "Motiv", + "link_promo": "Další info o motivech" + }, + "vibrate": { + "description": "Povolit nebo zakázat vibrace na tomto zařízení při ovládání ostatních zařízení.", + "header": "Vibrovat" + } + }, + "shopping-list": { + "add_item": "Přidat položku", + "clear_completed": "Vymazat nakoupené", + "microphone_tip": "Klepněte na mikrofon vpravo nahoře a řekněte \"Add candy to my shopping list\"" } }, "sidebar": { - "log_out": "Odhlásit se", "external_app_configuration": "Konfigurace aplikace", + "log_out": "Odhlásit se", "sidebar_toggle": "Přepínač postranního panelu" - }, - "common": { - "loading": "Načítání", - "cancel": "Zrušit", - "save": "Uložit", - "successfully_saved": "Úspěšně uloženo" - }, - "duration": { - "day": "{count} {count, plural,\none {den}\nfew {dny}\nother {dnů}\n}", - "week": "{count} {count, plural,\none {týden}\nfew {týdny}\nother {týdnů}\n}", - "second": "{count} {count, plural,\none {sekunda}\nfew {sekundy}\nother {sekund}\n}", - "minute": "{count} {count, plural,\none {minutou}\nother {minuty}\n}", - "hour": "{count} {count, plural,\n one {hodinou}\n other {hodiny}\n}" - }, - "login-form": { - "password": "Heslo", - "remember": "Zapamatovat", - "log_in": "Přihlásit se" - }, - "card": { - "camera": { - "not_available": "Obrázek není k dispozici" - }, - "persistent_notification": { - "dismiss": "Zavřít" - }, - "scene": { - "activate": "Aktivovat" - }, - "script": { - "execute": "Vykonat" - }, - "weather": { - "attributes": { - "air_pressure": "Tlak vzduchu", - "humidity": "Vlhkost vzduchu", - "temperature": "Teplota", - "visibility": "Viditelnost", - "wind_speed": "Rychlost větru" - }, - "cardinal_direction": { - "e": "V", - "ene": "VSV", - "ese": "VJV", - "n": "S", - "ne": "SV", - "nne": "SSV", - "nw": "SZ", - "nnw": "SSZ", - "s": "J", - "se": "JV", - "sse": "JJV", - "ssw": "JJZ", - "sw": "JZ", - "w": "Z", - "wnw": "ZSZ", - "wsw": "ZJZ" - }, - "forecast": "Předpověď" - }, - "alarm_control_panel": { - "code": "Kód", - "clear_code": "Zrušit", - "disarm": "Deaktivovat", - "arm_home": "Aktivovat režim domov", - "arm_away": "Aktivovat režim mimo domov", - "arm_night": "Aktivovat noční režim", - "armed_custom_bypass": "Vlastní obejítí", - "arm_custom_bypass": "Vlastní obejítí" - }, - "automation": { - "last_triggered": "Naposledy spuštěno", - "trigger": "Spustit" - }, - "cover": { - "position": "Pozice", - "tilt_position": "Náklon" - }, - "fan": { - "speed": "Rychlost", - "oscillate": "Oscilovat", - "direction": "Směr", - "forward": "Vpřed", - "reverse": "Vzad" - }, - "light": { - "brightness": "Jas", - "color_temperature": "Teplota barvy", - "white_value": "Hodnota bílé", - "effect": "Efekt" - }, - "media_player": { - "text_to_speak": "Převod textu na řeč", - "source": "Zdroj", - "sound_mode": "Režim zvuku" - }, - "climate": { - "currently": "Aktuálně", - "on_off": "Zapnout \/ vypnout", - "target_temperature": "Cílová teplota", - "target_humidity": "Cílová vlhkost", - "operation": "Provoz", - "fan_mode": "Režim ventilátoru", - "swing_mode": "Režim kmitání", - "away_mode": "Úsporný režim", - "aux_heat": "Pomocné teplo", - "preset_mode": "Předvolba", - "target_temperature_entity": "{name} cílová teplota", - "target_temperature_mode": "{name} cílová teplota {mode}", - "current_temperature": "{name} aktuální teplota", - "heating": "{name} topení", - "cooling": "{name} chlazení", - "high": "vysoká", - "low": "nízká" - }, - "lock": { - "code": "Kód", - "lock": "Zamknout", - "unlock": "Odemknout" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Pokračovat v čištění", - "return_to_base": "Vrátit do stanice", - "start_cleaning": "Zahájit čištění", - "turn_on": "Zapnout", - "turn_off": "Vypnout" - } - }, - "water_heater": { - "currently": "Momentálně", - "on_off": "Zapnout \/ vypnout", - "target_temperature": "Cílová teplota", - "operation": "Provoz", - "away_mode": "Prázdninový režim" - }, - "timer": { - "actions": { - "start": "Spustit", - "pause": "pauza", - "cancel": "Zrušit", - "finish": "Dokončit" - } - }, - "counter": { - "actions": { - "increment": "přírůstek", - "decrement": "úbytek", - "reset": "reset" - } - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "Entita", - "clear": "Zrušit", - "show_entities": "Zobrazit entity" - } - }, - "service-picker": { - "service": "Služba" - }, - "relative_time": { - "past": "Před {time}", - "future": "Za {time}", - "never": "Nikdy", - "duration": { - "second": "{count} {count, plural,\none {sekundu}\nfew {sekundy}\nother {sekund}\n}", - "minute": "{count} {count, plural,\none {minutu}\nfew {minuty}\nother {minut}\n}", - "hour": "{count} {count, plural,\none {hodinu}\nfew {hodiny}\nother {hodin}\n}", - "day": "{count} {count, plural,\none {den}\nfew {dny}\nother {dnů}\n}", - "week": "{count} {count, plural,\none {týden}\nother {týdnů}\n}" - } - }, - "history_charts": { - "loading_history": "Historie stavu se načítá...", - "no_history_found": "Historie stavu chybí." - }, - "device-picker": { - "clear": "Zrušit", - "show_devices": "Zobrazit zařízení" - } - }, - "notification_toast": { - "entity_turned_on": "Entita {entity} zapnuta.", - "entity_turned_off": "Entita {entity} vypnuta.", - "service_called": "Služba {service} zavolána.", - "service_call_failed": "Službu {service} se nepodařilo zavolat.", - "connection_lost": "Připojení bylo ztraceno. Připojuji se znovu...", - "triggered": "Spuštěno {name}" - }, - "dialogs": { - "more_info_settings": { - "save": "Uložit", - "name": "Název", - "entity_id": "Entity ID" - }, - "more_info_control": { - "script": { - "last_action": "Poslední akce" - }, - "sun": { - "elevation": "Výška nad obzorem", - "rising": "Vychází", - "setting": "Zapadá" - }, - "updater": { - "title": "Pokyny pro aktualizaci" - } - }, - "options_flow": { - "form": { - "header": "Nastavení" - }, - "success": { - "description": "Volby byly úspěšně uloženy." - } - }, - "config_entry_system_options": { - "title": "Volby systému", - "enable_new_entities_label": "Povolit nově přidané entity.", - "enable_new_entities_description": "Pokud je zakázáno, nově objevené entity nebudou automaticky přidány do Home Assistant." - }, - "zha_device_info": { - "manuf": "od {manufacturer}", - "no_area": "Žádná oblast", - "services": { - "reconfigure": "Překonfigurovat zařízení ZHA (opravit zařízení). Použijte, pokud se zařízením máte problémy. Je-li dotyčné zařízení napájené bateriemi, ujistěte se prosím, že je při používání této služby spuštěné a přijímá příkazy.", - "updateDeviceName": "Nastavte vlastní název tohoto zařízení v registru zařízení.", - "remove": "Odebrat zařízení ze sítě Zigbee." - }, - "zha_device_card": { - "device_name_placeholder": "Název přidělený uživatelem", - "area_picker_label": "Oblast", - "update_name_button": "Název aktualizace" - }, - "buttons": { - "add": "Přidat zařízení", - "remove": "Odebrat zařízení", - "reconfigure": "Překonfigurovat zařízení" - }, - "quirk": "Zvláštnost", - "last_seen": "Naposledy viděn", - "power_source": "Zdroj napájení", - "unknown": "Neznámý" - }, - "confirmation": { - "cancel": "Zrušit", - "ok": "OK", - "title": "Jste si jistý\/á?" - } - }, - "auth_store": { - "ask": "Chcete toto přihlášení uložit?", - "decline": "Ne, děkuji", - "confirm": "Uložit login" - }, - "notification_drawer": { - "click_to_configure": "Klepnutím na tlačítko nastavíte {entity}", - "empty": "Žádné oznámení", - "title": "Oznámení" - } - }, - "domain": { - "alarm_control_panel": "Ovládací panel alarmu", - "automation": "Automatizace", - "binary_sensor": "Binární senzor", - "calendar": "Kalendář", - "camera": "Kamera", - "climate": "Klimatizace", - "configurator": "Konfigurátor", - "conversation": "Konverzace", - "cover": "Roleta", - "device_tracker": "Sledovač zařízení", - "fan": "Ventilátor", - "history_graph": "Graf historie", - "group": "Skupina", - "image_processing": "Zpracování obrazu", - "input_boolean": "Zadání ano\/ne", - "input_datetime": "Zadání času", - "input_select": "Zadání volby", - "input_number": "Zadání čísla", - "input_text": "Zadání textu", - "light": "Světlo", - "lock": "Zámek", - "mailbox": "Poštovní schránka", - "media_player": "Přehrávač médií", - "notify": "Oznámení", - "plant": "Rostlina", - "proximity": "Přiblížení", - "remote": "Dálkové", - "scene": "Scéna", - "script": "Skript", - "sensor": "Senzor", - "sun": "Slunce", - "switch": "Spínač", - "updater": "Aktualizátor", - "weblink": "Webový odkaz", - "zwave": "Z-Wave", - "vacuum": "Vysavač", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Kondice systému", - "person": "Osoba" - }, - "attribute": { - "weather": { - "humidity": "Vlhkost vzduchu", - "visibility": "Viditelnost", - "wind_speed": "Rychlost větru" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Vypnuto", - "on": "Zapnuto", - "auto": "Automaticky" - }, - "preset_mode": { - "none": "Žádná", - "eco": "Eco", - "away": "Pryč", - "boost": "Boost", - "comfort": "Komfort", - "home": "Doma", - "sleep": "Spánek", - "activity": "Aktivita" - }, - "hvac_action": { - "off": "Vypnuto", - "heating": "Topení", - "cooling": "Chlazení", - "drying": "Sušení", - "idle": "Nečinný", - "fan": "Ventilátor" - } - } - }, - "groups": { - "system-admin": "Správci", - "system-users": "Uživatelé", - "system-read-only": "Uživatelé jen pro čtení" - }, - "config_entry": { - "disabled_by": { - "user": "Uživatel", - "integration": "Integrace", - "config_entry": "Položka konfigurace" } } } \ No newline at end of file diff --git a/translations/cy.json b/translations/cy.json index 71a7a96dfe..1e67b76ba4 100644 --- a/translations/cy.json +++ b/translations/cy.json @@ -1,51 +1,175 @@ { + "attribute": { + "weather": { + "humidity": "Lleithder", + "visibility": "Gwelededd", + "wind_speed": "Cyflymder gwynt" + } + }, + "domain": { + "alarm_control_panel": "Panel rheoli larwm", + "automation": "Awtomeiddio", + "binary_sensor": "Synhwyrydd deuaidd", + "calendar": "Calendr", + "camera": "Camera", + "climate": "Hinsawdd", + "configurator": "Ffurfweddwr", + "conversation": "Sgwrs", + "cover": "Clawr", + "device_tracker": "Traciwr dyfais", + "fan": "Ffan", + "group": "Grŵp", + "hassio": "Hass.io", + "history_graph": "Hanes graff", + "homeassistant": "Home Assistant", + "image_processing": "Prosesu delwedd", + "input_boolean": "Mewnbynnu boolean", + "input_datetime": "Mewnbynnu dyddiad\/amser", + "input_number": "Mewnbynnu rhif", + "input_select": "Mewnbynnu dewis", + "input_text": "Mewnbynnu testun", + "light": "Golau", + "lock": "Clo", + "lovelace": "Lovelace", + "mailbox": "Blwch post", + "media_player": "Chwaraewr cyfryngau", + "notify": "Hysbysu", + "person": "Person", + "plant": "Planhigion", + "proximity": "Agosrwydd", + "remote": "Symudol", + "scene": "Golygfa", + "script": "Sgript", + "sensor": "Synhwyrydd", + "sun": "Haul", + "switch": "Newid", + "system_health": "Iechyd System", + "updater": "Diweddarwr", + "weblink": "Cyswllt gwe", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Gweinyddwyr", + "system-read-only": "Defnyddwyr Darllen yn Unig", + "system-users": "Defnyddwyr" + }, "panel": { "config": "Ffurfweddu", - "states": "Trosolwg", - "map": "Map", - "logbook": "Llyfr llogi", - "history": "Hanes", - "mailbox": "Blwch post", - "shopping_list": "Rhestr siopa", "dev-info": "Gwybodaeth", - "developer_tools": "Offer datblygwr" + "developer_tools": "Offer datblygwr", + "history": "Hanes", + "logbook": "Llyfr llogi", + "mailbox": "Blwch post", + "map": "Map", + "shopping_list": "Rhestr siopa", + "states": "Trosolwg" }, - "state": { - "default": { - "off": "i ffwrdd", - "on": "Ar", - "unknown": "Anhysbys", - "unavailable": "Ddim ar gael" - }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Awto", + "off": "Off", + "on": "Ar" + }, + "preset_mode": { + "activity": "Gweithgaredd", + "away": "I ffwrdd", + "boost": "Cynydd", + "comfort": "Cyfforddus", + "eco": "Eco", + "home": "Cartref", + "none": "Dim", + "sleep": "Cysgu" + } + } + }, + "state_badge": { "alarm_control_panel": { "armed": "Arfogi", - "disarmed": "Diarfogi", - "armed_home": "Arfogi gartref", - "armed_away": "Arfog i ffwrdd", - "armed_night": "Arfog nos", - "pending": "Yn yr arfaeth", + "armed_away": "Arfogi", + "armed_custom_bypass": "Arfogi", + "armed_home": "Arfogi", + "armed_night": "Arfogi", "arming": "Arfogi", + "disarmed": "Diarfogi", + "disarming": "Diarfogi", + "pending": "Disgwyl", + "triggered": "Sbarduno" + }, + "default": { + "entity_not_found": "Heb ganfod endid", + "error": "Gwall", + "unavailable": "off", + "unknown": "?" + }, + "device_tracker": { + "home": "Adra", + "not_home": "Diim gartref" + }, + "person": { + "home": "Gartref", + "not_home": "I ffwrdd" + } + }, + "state": { + "alarm_control_panel": { + "armed": "Arfogi", + "armed_away": "Arfog i ffwrdd", + "armed_custom_bypass": "Ffordd osgoi larwm personol", + "armed_home": "Arfogi gartref", + "armed_night": "Arfog nos", + "arming": "Arfogi", + "disarmed": "Diarfogi", "disarming": "Ddiarfogi", - "triggered": "Sbarduno", - "armed_custom_bypass": "Ffordd osgoi larwm personol" + "pending": "Yn yr arfaeth", + "triggered": "Sbarduno" }, "automation": { "off": "i ffwrdd", "on": "Ar" }, "binary_sensor": { + "battery": { + "off": "Arferol", + "on": "Isel" + }, + "cold": { + "off": "Arferol", + "on": "Oer" + }, + "connectivity": { + "off": "Wedi datgysylltu", + "on": "Cysylltiedig" + }, "default": { "off": "i ffwrdd", "on": "Ar" }, - "moisture": { - "off": "Sych", - "on": "Gwlyb" + "door": { + "off": "Cau", + "on": "Agor" + }, + "garage_door": { + "off": "Cau", + "on": "Agor" }, "gas": { "off": "Clir", "on": "Wedi'i ganfod" }, + "heat": { + "off": "Arferol", + "on": "Poeth" + }, + "lock": { + "off": "Cloi", + "on": "Dad-gloi" + }, + "moisture": { + "off": "Sych", + "on": "Gwlyb" + }, "motion": { "off": "Clir", "on": "Wedi'i ganfod" @@ -54,6 +178,22 @@ "off": "Clir", "on": "Wedi'i ganfod" }, + "opening": { + "off": "Cau", + "on": "Agor" + }, + "presence": { + "off": "Allan", + "on": "Gartref" + }, + "problem": { + "off": "iawn", + "on": "Problem" + }, + "safety": { + "off": "Diogel", + "on": "Anniogel" + }, "smoke": { "off": "Clir", "on": "Wedi'i ganfod" @@ -66,53 +206,9 @@ "off": "Clir", "on": "Wedi'i ganfod" }, - "opening": { - "off": "Cau", - "on": "Agor" - }, - "safety": { - "off": "Diogel", - "on": "Anniogel" - }, - "presence": { - "off": "Allan", - "on": "Gartref" - }, - "battery": { - "off": "Arferol", - "on": "Isel" - }, - "problem": { - "off": "iawn", - "on": "Problem" - }, - "connectivity": { - "off": "Wedi datgysylltu", - "on": "Cysylltiedig" - }, - "cold": { - "off": "Arferol", - "on": "Oer" - }, - "door": { - "off": "Cau", - "on": "Agor" - }, - "garage_door": { - "off": "Cau", - "on": "Agor" - }, - "heat": { - "off": "Arferol", - "on": "Poeth" - }, "window": { "off": "Cau", "on": "Agored" - }, - "lock": { - "off": "Cloi", - "on": "Dad-gloi" } }, "calendar": { @@ -120,38 +216,44 @@ "on": "Ar" }, "camera": { + "idle": "Segur", "recording": "Recordio", - "streaming": "Ffrydio", - "idle": "Segur" + "streaming": "Ffrydio" }, "climate": { - "off": "i ffwrdd", - "on": "Ar", - "heat": "Gwres", - "cool": "Sefydlog", - "idle": "Segur", "auto": "Awto", + "cool": "Sefydlog", "dry": "Sych", - "fan_only": "Fan yn unig", "eco": "Eco", "electric": "Trydan", - "performance": "Perfformiad", - "high_demand": "Galw uchel", - "heat_pump": "Pwmp gwres", + "fan_only": "Fan yn unig", "gas": "Nwy", - "manual": "Llawlyfr" + "heat": "Gwres", + "heat_pump": "Pwmp gwres", + "high_demand": "Galw uchel", + "idle": "Segur", + "manual": "Llawlyfr", + "off": "i ffwrdd", + "on": "Ar", + "performance": "Perfformiad" }, "configurator": { "configure": "Ffurfweddu", "configured": "Wedi'i ffurfweddu" }, "cover": { - "open": "Agor", - "opening": "Yn agor", "closed": "Ar gau", "closing": "Cau", + "open": "Agor", + "opening": "Yn agor", "stopped": "Stopio" }, + "default": { + "off": "i ffwrdd", + "on": "Ar", + "unavailable": "Ddim ar gael", + "unknown": "Anhysbys" + }, "device_tracker": { "home": "Gartref", "not_home": "Diim gartref" @@ -161,19 +263,19 @@ "on": "Ar" }, "group": { - "off": "i ffwrdd", - "on": "Ar", - "home": "Gartref", - "not_home": "Dim gartref", - "open": "Agored", - "opening": "Agor", "closed": "Wedi cau", "closing": "Yn cau", - "stopped": "Stopio", + "home": "Gartref", "locked": " Cloi", - "unlocked": "Dadgloi", + "not_home": "Dim gartref", + "off": "i ffwrdd", "ok": "Iawn", - "problem": "Problem" + "on": "Ar", + "open": "Agored", + "opening": "Agor", + "problem": "Problem", + "stopped": "Stopio", + "unlocked": "Dadgloi" }, "input_boolean": { "off": "i ffwrdd", @@ -188,13 +290,17 @@ "unlocked": "Datgloi" }, "media_player": { + "idle": "Segur", "off": "i ffwrdd", "on": "Ar", - "playing": "Chwarae", "paused": "Wedi rhewi", - "idle": "Segur", + "playing": "Chwarae", "standby": "Gorffwys" }, + "person": { + "home": "Gartref", + "not_home": "I ffwrdd" + }, "plant": { "ok": "Iawn", "problem": "Problem" @@ -222,17 +328,10 @@ "off": "i ffwrdd", "on": "Ar" }, - "zwave": { - "default": { - "initializing": "Ymgychwyn", - "dead": "Marw", - "sleeping": "Cysgu", - "ready": "Barod" - }, - "query_stage": { - "initializing": "Ymgychwyn ( {query_stage} )", - "dead": "Marw ({query_stage})" - } + "timer": { + "active": "gweithredol", + "idle": "segur", + "paused": "wedi rhewi" }, "weather": { "clear-night": "Clir, nos", @@ -250,124 +349,358 @@ "windy": "Gwyntog", "windy-variant": "Gwyntog" }, - "timer": { - "active": "gweithredol", - "idle": "segur", - "paused": "wedi rhewi" - }, - "person": { - "home": "Gartref", - "not_home": "I ffwrdd" - } - }, - "state_badge": { - "default": { - "unknown": "?", - "unavailable": "off", - "error": "Gwall", - "entity_not_found": "Heb ganfod endid" - }, - "alarm_control_panel": { - "armed": "Arfogi", - "disarmed": "Diarfogi", - "armed_home": "Arfogi", - "armed_away": "Arfogi", - "armed_night": "Arfogi", - "pending": "Disgwyl", - "arming": "Arfogi", - "disarming": "Diarfogi", - "triggered": "Sbarduno", - "armed_custom_bypass": "Arfogi" - }, - "device_tracker": { - "home": "Adra", - "not_home": "Diim gartref" - }, - "person": { - "home": "Gartref", - "not_home": "I ffwrdd" + "zwave": { + "default": { + "dead": "Marw", + "initializing": "Ymgychwyn", + "ready": "Barod", + "sleeping": "Cysgu" + }, + "query_stage": { + "dead": "Marw ({query_stage})", + "initializing": "Ymgychwyn ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Clir wedi'i gwblhau", - "add_item": "Ychwanegu eitem", - "microphone_tip": "Tarwch y meicroffon ar dde uchaf a dweud \"Add candy to my shopping list\"" + "card": { + "alarm_control_panel": { + "arm_custom_bypass": "Ffordd osgoi personol", + "arm_night": "Larwm nos", + "armed_custom_bypass": "Ffordd osgoi personol" }, - "developer-tools": { - "tabs": { - "services": { - "title": "Gwasanaethau" - }, - "states": { - "title": "Cyflerau" - }, - "events": { - "title": "Digwyddiadau" - }, - "templates": { - "title": "Templedi" - }, - "mqtt": { - "title": "MQTT" - } + "camera": { + "not_available": "Delwedd ddim ar gael" + }, + "climate": { + "preset_mode": "Rhagosodiad" + }, + "persistent_notification": { + "dismiss": "Anwybyddu" + }, + "scene": { + "activate": "Actifadu" + }, + "script": { + "execute": "Gweithredu" + }, + "water_heater": { + "away_mode": "Dull i ffwrdd", + "currently": "Ar hyn o bryd", + "on_off": "Ar \/ i ffwrdd", + "operation": "Gweithredu", + "target_temperature": "Tymheredd targed" + }, + "weather": { + "attributes": { + "air_pressure": "Pwysedd aer", + "humidity": "Lleithder", + "temperature": "Tymheredd", + "visibility": "Gwelededd", + "wind_speed": "Cyflymder gwynt" + }, + "cardinal_direction": { + "e": "D", + "ene": "DGDd", + "ese": "DDDd", + "n": "G", + "ne": "GDd", + "nne": "GGDd", + "nnw": "GGO", + "nw": "GO", + "s": "D", + "se": "DDd", + "sse": "DDDd", + "ssw": "DDO", + "sw": "DO", + "w": "G", + "wnw": "GGO", + "wsw": "GDO" + }, + "forecast": "Rhagolwg" + } + }, + "common": { + "cancel": "Canslo", + "loading": "Llwytho", + "save": "Arbed" + }, + "components": { + "entity": { + "entity-picker": { + "entity": "Endid" } }, - "history": { - "showing_entries": "Dangos cofnodion ar gyfer", - "period": "Cyfnod" - }, - "logbook": { - "showing_entries": "Dangos endidau i", - "period": "Cyfnod" - }, - "mailbox": { - "empty": "Nid oes gennych negeseuon", - "playback_title": "Chwarae neges", - "delete_prompt": "Dileu'r neges hon?", - "delete_button": "Dileu" + "service-picker": { + "service": "Gwasanaeth" + } + }, + "dialogs": { + "more_info_control": { + "script": { + "last_action": "Gweithrediad diwethaf" + }, + "sun": { + "elevation": "Uchder", + "rising": "Cynyddu", + "setting": "Gosod" + }, + "updater": { + "title": "Diweddaru Cyfarwyddiadau" + } }, + "more_info_settings": { + "name": "Gwrthwneud Enw" + } + }, + "duration": { + "second": "Eiliad" + }, + "login-form": { + "log_in": "Mewngofnodi", + "password": "Cyfrinair", + "remember": "Cofiwch" + }, + "panel": { "config": { - "header": "Ffurfweddu Home Assistant", - "introduction": "Yma mae'n bosib ffurfweddu'ch cydrannau ac Home Assistant. Nid yw popeth yn bosib i'w ffurfweddu o'r UI eto, ond rydym yn gweithio arno.", + "area_registry": { + "caption": "Gofrestrfa ardal", + "create_area": "CREU ARDAL", + "description": "Trosolwg o bob ardal yn eich cartref.", + "editor": { + "create": "CREU", + "default_name": "Ardal Newydd", + "delete": "DILEU", + "update": "DIWEDDARIAD" + }, + "no_areas": "Edrych fel nad oes gennych ardaloedd eto!", + "picker": { + "create_area": "CREU ARDAL", + "header": "Gofrestrfa ardal", + "integrations_page": "Tudalen rhyngwynebu", + "introduction": "Defnyddir ardaloedd i drefnu lle mae dyfeisiau. Defnyddir y wybodaeth hon drwy gydol Home Assistant i helpu chi i drefnu eich rhyngwyneb, caniatadau ac integreiddio â systemau eraill.", + "introduction2": "I osod dyfeisiau mewn ardal, defnyddiwch y ddolen isod i fynd i'r dudalen integreiddio ac yna cliciwch ar integreiddiau wedi'i ffurfweddu i gyrraedd y cardiau dyfais.", + "no_areas": "Edrych fel nad oes gennych ardaloedd eto!" + } + }, + "automation": { + "caption": "Awtomeiddio", + "description": "Creu a golygu awtomeiddio", + "editor": { + "actions": { + "add": "Ychwanegu camau", + "delete": "Dileu", + "delete_confirm": "Ydych yn siŵr bod chi eisiau dileu?", + "duplicate": "Dyblygu", + "header": "Camau gweithredu", + "introduction": "Y camau gweithredu yw'r hyn mae Home Assistant yn gwneud pan mae'r awtomeiddio yn cael ei sbarduno\\n\\n[Dysgwch mwy am weithred.](https:\/\/home-assistant.io\/docs\/automation\/action\/)", + "learn_more": "Dysgu mwy am gamau gweithredu", + "type_select": "Math weithrediad", + "type": { + "condition": { + "label": "Cyflwr" + }, + "delay": { + "delay": "Oedi", + "label": "Oedi" + }, + "event": { + "event": "Digwyddiad", + "label": "Digwyddiad tân", + "service_data": "Data gwasanaeth" + }, + "service": { + "label": "Gwasanaeth galw", + "service_data": "Data gwasanaeth" + }, + "wait_template": { + "label": "Aros", + "timeout": "Terfyn amser (dewisol)", + "wait_template": "Templed Aros" + } + }, + "unsupported_action": "Gweithredu heb gefnogaeth: {action}" + }, + "alias": "Enw", + "conditions": { + "add": "Ychwanegu amodau", + "delete": "Dileu", + "delete_confirm": "Siwr bod chi eisiau dileu?", + "duplicate": "Dyblygu", + "header": "Amodau", + "introduction": "Mae'r amodau'n rhan ddewisol o reol awtomeiddio, a gellir eu defnyddio i atal camau rhag digwydd pan fyddant yn cael eu sbarduno. Mae'r amodau'n edrych yn debyg iawn i sbardunau ond maent yn wahanol iawn. Bydd sbardun yn edrych ar ddigwyddiadau sy'n digwydd yn y system tra bod amod yn edrych ar sut mae'r system yn edrych ar hyn o bryd. Gall sbarduno arsylwi bod switsh yn cael ei droi ymlaen. Dim ond os yw switsh ar neu i ffwrdd ar hyn o bryd y gall cyflwr weld. \\n\\n [Dysgwch fwy am amodau.] (Https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", + "learn_more": "Dysgu mwy am amodau", + "type_select": "Math o gyflwr", + "type": { + "numeric_state": { + "above": "Uwch", + "below": "Llai", + "label": "Stad rhifol", + "value_template": "Templed gwerth (opsiynol)" + }, + "state": { + "label": "Cyflwr", + "state": "Cyflwr" + }, + "sun": { + "after": "Ar ôl:", + "after_offset": "Ar ôl gwrthbwyso (dewisol)", + "before": "Cyn:", + "before_offset": "Cyn gwrthbwyso (dewisol)", + "label": "Haul", + "sunrise": "Gwawrio", + "sunset": "Machlud" + }, + "template": { + "label": "Templed", + "value_template": "Templed gwerth" + }, + "time": { + "after": "Ar ôl", + "before": "Cyn", + "label": "Amser" + }, + "zone": { + "entity": "Endid gyda lleoliad", + "label": "Ardal", + "zone": "Ardal" + } + }, + "unsupported_condition": "Cyflwr heb gymorth: {condition}" + }, + "default_name": "Awtomeiddiad Newydd", + "introduction": "Defnyddiwch awtomeiddio i ddod â'ch cartref yn fyw", + "load_error_not_editable": "Dim ond awtomiadau yn 'automations. yaml' y gellir golygu.", + "load_error_unknown": "Gwall wrth lwytho awtomeiddad ( {err_no} ).", + "save": "Arbed", + "triggers": { + "add": "Ychwanegu sbardun", + "delete": "Dileu", + "delete_confirm": "Sicr bod chi eisiau dileu?", + "duplicate": "Dyblyg", + "header": "Sbardunau", + "introduction": "Sbarduno yw'r hyn sy'n dechrau proses rheol awtomeiddio. Mae'n bosib dewis nifer o sbardunau i'run rheol. Unwaith mae sbardun yn cychwyn, bydd Home Assistant yn dilysu'r amodau, os o gwbl, a galw'r gweithred. \\n\\n[dysgwch mwy am sbardunau.] (https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", + "learn_more": "Dysgu mwy am sbardunau", + "type_select": "Math sbardun", + "type": { + "event": { + "event_data": "Data Digwyddiad", + "event_type": "Math o ddigwyddiad", + "label": "Digwyddiad" + }, + "geo_location": { + "enter": "Mewn", + "event": "Digwyddiad:", + "label": "Lleoliad deaddyrol", + "leave": "Gadael", + "source": "Ffynhonnell", + "zone": "Parth" + }, + "homeassistant": { + "event": "Digwyddiad:", + "label": "Home Assistant", + "shutdown": "Darfod", + "start": "Dechrau" + }, + "mqtt": { + "label": "MQTT", + "payload": "Prif-lwyth (dewisol)", + "topic": "Pwnc" + }, + "numeric_state": { + "above": "Uwch", + "below": "Llai", + "label": "Cyflwr rhifol", + "value_template": "Templed Gwerth (dewisol)" + }, + "state": { + "from": "O", + "label": "Stad", + "to": "I" + }, + "sun": { + "event": "Digwyddiad", + "label": "Haul", + "offset": "Gwrthbwyso (dewisol)", + "sunrise": "Haul yn codi", + "sunset": "Machlud" + }, + "template": { + "label": "Templed", + "value_template": "Templed gwerth" + }, + "time_pattern": { + "hours": "Oriau", + "label": "Patrwm Amser", + "minutes": "Munudau", + "seconds": "Eiliadau" + }, + "time": { + "at": "Ar", + "label": "Amser" + }, + "webhook": { + "label": "Gwefachiad", + "webhook_id": "Enw Gwefachiad" + }, + "zone": { + "enter": "Mewn", + "entity": "Endid gyda lleoliad", + "event": "Digwyddiad", + "label": "Parth", + "leave": "Gadael", + "zone": "Parth" + } + }, + "unsupported_platform": "Llwyfan heb gymorth: {platform}" + }, + "unsaved_confirm": "Mae gennych newidiadau heb eu cadw. Ydych chi'n siŵr bod chi eisiau gadael?" + }, + "picker": { + "add_automation": "Ychwanegu awtomeiddiad", + "header": "Golygydd awtomeiddio", + "introduction": "Mae'r olygydd awtomeiddio yn caniatáu ichi greu a golygu awtomeiddiau. Darllenwch [y cyfarwyddiadau] (https:\/\/home-assistant.io\/docs\/automation\/editor\/) i sicrhau bod chi wedi ffurfweddu'r Home Assistant yn gywir.", + "learn_more": "Dysgu mwy am awtomeiddio", + "no_automations": "Doeddem ddim yn gallu darganfod unrhyw awtomeiddiau", + "pick_automation": "Dewiswch awtomeiddiad i olygu" + } + }, + "cloud": { + "caption": "Home Assistant Cloud", + "description_features": "Rheolaeth oddi cartref, integreiddio gyda Alexa a Google Assistant.", + "description_login": "Wedi mewngofnodi fel {email}", + "description_not_login": "Heb fewngofnodi" + }, "core": { "caption": "Cyffredinol", "description": "Dilyswch eich ffeil ffurfweddu a rheoli'r gweinydd", "section": { "core": { - "header": "Rheoli ffurfweddu a gweinydd", - "introduction": "Gellir newid ffurfweddiad eich proses ddiflas. Rydym yn gwybod. Bydd yr adran hon yn ceisio gwneud eich bywyd ychydig yn haws.", "core_config": { "edit_requires_storage": "Golygydd wedi'i analluogi oherwydd bod ffurfwedd wedi'i storio mewn 'configuration.yaml'.", - "location_name": "Enw eich gosodiad Home Assistant", - "latitude": "Lledred", - "longitude": "Hydred", "elevation": "Uchder", "elevation_meters": "metrau", + "imperial_example": "Fahrenheit, pwys", + "latitude": "Lledred", + "location_name": "Enw eich gosodiad Home Assistant", + "longitude": "Hydred", + "metric_example": "Celsius, cilogramau", + "save_button": "Arbed", "time_zone": "Parth Amser", "unit_system": "System Uned", "unit_system_imperial": "Imperial", - "unit_system_metric": "Metrig", - "imperial_example": "Fahrenheit, pwys", - "metric_example": "Celsius, cilogramau", - "save_button": "Arbed" - } + "unit_system_metric": "Metrig" + }, + "header": "Rheoli ffurfweddu a gweinydd", + "introduction": "Gellir newid ffurfweddiad eich proses ddiflas. Rydym yn gwybod. Bydd yr adran hon yn ceisio gwneud eich bywyd ychydig yn haws." }, "server_control": { - "validation": { - "heading": "Dilysu ffurfweddu", - "introduction": "Dilyswch eich ffurfweddiad os gwnaethoch rai newidiadau yn ddiweddar i'ch cyfluniad ac rydych eisiau gwneud yn siŵr ei fod yn hollol ddilys", - "check_config": "Gwiriwch ffurfweddu", - "valid": "Ffurfweddiad dilys!", - "invalid": "Ffurfweddiad annilys" - }, "reloading": { - "heading": "Ail-lwytho ffurfweddu", - "introduction": "Gall rhai rhannau o Home Assistant ail-lwytho heb orfod ailgychwyn. Bydd taro ail-lwytho yn dadlwytho eu cyfluniad cyfredol a llwytho'r un newydd.", + "automation": "Ail-lwytho awtomeiddiau", "core": "Ail-lwytho craidd", "group": "Ail-lwytho grwpiau", - "automation": "Ail-lwytho awtomeiddiau", + "heading": "Ail-lwytho ffurfweddu", + "introduction": "Gall rhai rhannau o Home Assistant ail-lwytho heb orfod ailgychwyn. Bydd taro ail-lwytho yn dadlwytho eu cyfluniad cyfredol a llwytho'r un newydd.", "script": "Ail-lwytho sgriptiau" }, "server_management": { @@ -375,6 +708,13 @@ "introduction": "Rheoli gweinydd eich Home Assistant ... o Home Assistant", "restart": "Ailgychwyn", "stop": "Stopio" + }, + "validation": { + "check_config": "Gwiriwch ffurfweddu", + "heading": "Dilysu ffurfweddu", + "introduction": "Dilyswch eich ffurfweddiad os gwnaethoch rai newidiadau yn ddiweddar i'ch cyfluniad ac rydych eisiau gwneud yn siŵr ei fod yn hollol ddilys", + "invalid": "Ffurfweddiad annilys", + "valid": "Ffurfweddiad dilys!" } } } @@ -387,353 +727,75 @@ "introduction": "Addasu nodweddion yr endid. Bydd ychwanegu\/golygu osodiadau bersonol i rym ar unwaith. Bydd addasiadau sydd wedi tynnu yn dod i rym pan fydd yr endid yn cael ei ddiweddaru." } }, - "automation": { - "caption": "Awtomeiddio", - "description": "Creu a golygu awtomeiddio", - "picker": { - "header": "Golygydd awtomeiddio", - "introduction": "Mae'r olygydd awtomeiddio yn caniatáu ichi greu a golygu awtomeiddiau. Darllenwch [y cyfarwyddiadau] (https:\/\/home-assistant.io\/docs\/automation\/editor\/) i sicrhau bod chi wedi ffurfweddu'r Home Assistant yn gywir.", - "pick_automation": "Dewiswch awtomeiddiad i olygu", - "no_automations": "Doeddem ddim yn gallu darganfod unrhyw awtomeiddiau", - "add_automation": "Ychwanegu awtomeiddiad", - "learn_more": "Dysgu mwy am awtomeiddio" - }, + "entity_registry": { + "caption": "Gofrestrfa Endid", + "description": "Trosolwg o holl endidau hysbys.", "editor": { - "introduction": "Defnyddiwch awtomeiddio i ddod â'ch cartref yn fyw", - "default_name": "Awtomeiddiad Newydd", - "save": "Arbed", - "unsaved_confirm": "Mae gennych newidiadau heb eu cadw. Ydych chi'n siŵr bod chi eisiau gadael?", - "alias": "Enw", - "triggers": { - "header": "Sbardunau", - "introduction": "Sbarduno yw'r hyn sy'n dechrau proses rheol awtomeiddio. Mae'n bosib dewis nifer o sbardunau i'run rheol. Unwaith mae sbardun yn cychwyn, bydd Home Assistant yn dilysu'r amodau, os o gwbl, a galw'r gweithred. \n\n[dysgwch mwy am sbardunau.] (https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", - "add": "Ychwanegu sbardun", - "duplicate": "Dyblyg", - "delete": "Dileu", - "delete_confirm": "Sicr bod chi eisiau dileu?", - "unsupported_platform": "Llwyfan heb gymorth: {platform}", - "type_select": "Math sbardun", - "type": { - "event": { - "label": "Digwyddiad", - "event_type": "Math o ddigwyddiad", - "event_data": "Data Digwyddiad" - }, - "state": { - "label": "Stad", - "from": "O", - "to": "I" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Digwyddiad:", - "start": "Dechrau", - "shutdown": "Darfod" - }, - "mqtt": { - "label": "MQTT", - "topic": "Pwnc", - "payload": "Prif-lwyth (dewisol)" - }, - "numeric_state": { - "label": "Cyflwr rhifol", - "above": "Uwch", - "below": "Llai", - "value_template": "Templed Gwerth (dewisol)" - }, - "sun": { - "label": "Haul", - "event": "Digwyddiad", - "sunrise": "Haul yn codi", - "sunset": "Machlud", - "offset": "Gwrthbwyso (dewisol)" - }, - "template": { - "label": "Templed", - "value_template": "Templed gwerth" - }, - "time": { - "label": "Amser", - "at": "Ar" - }, - "zone": { - "label": "Parth", - "entity": "Endid gyda lleoliad", - "zone": "Parth", - "event": "Digwyddiad", - "enter": "Mewn", - "leave": "Gadael" - }, - "webhook": { - "label": "Gwefachiad", - "webhook_id": "Enw Gwefachiad" - }, - "time_pattern": { - "label": "Patrwm Amser", - "hours": "Oriau", - "minutes": "Munudau", - "seconds": "Eiliadau" - }, - "geo_location": { - "label": "Lleoliad deaddyrol", - "source": "Ffynhonnell", - "zone": "Parth", - "event": "Digwyddiad:", - "enter": "Mewn", - "leave": "Gadael" - } - }, - "learn_more": "Dysgu mwy am sbardunau" - }, - "conditions": { - "header": "Amodau", - "introduction": "Mae'r amodau'n rhan ddewisol o reol awtomeiddio, a gellir eu defnyddio i atal camau rhag digwydd pan fyddant yn cael eu sbarduno. Mae'r amodau'n edrych yn debyg iawn i sbardunau ond maent yn wahanol iawn. Bydd sbardun yn edrych ar ddigwyddiadau sy'n digwydd yn y system tra bod amod yn edrych ar sut mae'r system yn edrych ar hyn o bryd. Gall sbarduno arsylwi bod switsh yn cael ei droi ymlaen. Dim ond os yw switsh ar neu i ffwrdd ar hyn o bryd y gall cyflwr weld. \n\n [Dysgwch fwy am amodau.] (Https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", - "add": "Ychwanegu amodau", - "duplicate": "Dyblygu", - "delete": "Dileu", - "delete_confirm": "Siwr bod chi eisiau dileu?", - "unsupported_condition": "Cyflwr heb gymorth: {condition}", - "type_select": "Math o gyflwr", - "type": { - "state": { - "label": "Cyflwr", - "state": "Cyflwr" - }, - "numeric_state": { - "label": "Stad rhifol", - "above": "Uwch", - "below": "Llai", - "value_template": "Templed gwerth (opsiynol)" - }, - "sun": { - "label": "Haul", - "before": "Cyn:", - "after": "Ar ôl:", - "before_offset": "Cyn gwrthbwyso (dewisol)", - "after_offset": "Ar ôl gwrthbwyso (dewisol)", - "sunrise": "Gwawrio", - "sunset": "Machlud" - }, - "template": { - "label": "Templed", - "value_template": "Templed gwerth" - }, - "time": { - "label": "Amser", - "after": "Ar ôl", - "before": "Cyn" - }, - "zone": { - "label": "Ardal", - "entity": "Endid gyda lleoliad", - "zone": "Ardal" - } - }, - "learn_more": "Dysgu mwy am amodau" - }, - "actions": { - "header": "Camau gweithredu", - "introduction": "Y camau gweithredu yw'r hyn mae Home Assistant yn gwneud pan mae'r awtomeiddio yn cael ei sbarduno\n\n[Dysgwch mwy am weithred.](https:\/\/home-assistant.io\/docs\/automation\/action\/)", - "add": "Ychwanegu camau", - "duplicate": "Dyblygu", - "delete": "Dileu", - "delete_confirm": "Ydych yn siŵr bod chi eisiau dileu?", - "unsupported_action": "Gweithredu heb gefnogaeth: {action}", - "type_select": "Math weithrediad", - "type": { - "service": { - "label": "Gwasanaeth galw", - "service_data": "Data gwasanaeth" - }, - "delay": { - "label": "Oedi", - "delay": "Oedi" - }, - "wait_template": { - "label": "Aros", - "wait_template": "Templed Aros", - "timeout": "Terfyn amser (dewisol)" - }, - "condition": { - "label": "Cyflwr" - }, - "event": { - "label": "Digwyddiad tân", - "event": "Digwyddiad", - "service_data": "Data gwasanaeth" - } - }, - "learn_more": "Dysgu mwy am gamau gweithredu" - }, - "load_error_not_editable": "Dim ond awtomiadau yn 'automations. yaml' y gellir golygu.", - "load_error_unknown": "Gwall wrth lwytho awtomeiddad ( {err_no} )." - } - }, - "script": { - "caption": "Sgript", - "description": "Creu a golygu sgriptiau" - }, - "zwave": { - "caption": "Z-Wave", - "description": "Rheoli eich rhwydwaith Z-Wave", - "node_config": { - "set_config_parameter": "Gosod Paramedr Ffurfweddu" + "default_name": "Ardal Newydd", + "delete": "DILEU", + "unavailable": "Endid yma ddim ar gael ar hyn o bryd.", + "update": "DIWEDDARIAD" }, - "learn_more": "Dysgu mwy am Z-Wave", - "ozw_log": { - "header": "OZW Log", - "introduction": "Gweld y log. 0 yn y lleiaf (llwyth cyfan log) a 1000 yn yr uchafswm. Llwyth yn dangos sefydlog o log ac yn y gynffon, bydd yn diweddariad automatig gyda nifer penodol diwethaf o linellau o log." + "picker": { + "header": "Gofrestrfa Endid", + "integrations_page": "Tudalen rhyngwynebu", + "introduction": "Mae Home Assistant yn cadw gofrestrfa pob endid a welodd erioed ble gellir eu nodi yn unigryw. Bydd pob un endid wedi neilltuo efo endid adnabod sy'n cael eu cadw ar gyfer yr endid hwnnw.", + "introduction2": "Defnyddiwch y gofrestrfa endid i ddiystyru yr enw, newid ID endid neu gael gwared y cofnod Home Assistant. Noder, ni fydd dileu'r cofnod cofrestrfa endid yn dileu yr endid. I wneud hynny, dilynwch y ddolen isod a thynnu oddi ar y dudalen integreiddio.", + "unavailable": "(ddim ar gael)" } }, - "cloud": { - "caption": "Home Assistant Cloud", - "description_login": "Wedi mewngofnodi fel {email}", - "description_not_login": "Heb fewngofnodi", - "description_features": "Rheolaeth oddi cartref, integreiddio gyda Alexa a Google Assistant." - }, + "header": "Ffurfweddu Home Assistant", "integrations": { "caption": "Integreiddiadau", - "description": "Rheoli dyfeisiau a gwasanaethau cysylltiedig", - "discovered": "Darganfuwyd", - "configured": "Wedi'i ffurfweddu", - "new": "Sefydlu integreiddiad newydd", - "configure": "Ffurfweddu", - "none": "Dim byd wedi'i ffurfweddu eto.", "config_entry": { - "no_devices": "Tydi'r integreiddad yma ddim efo dyfeisiadau.", - "no_device": "Endidau heb ddyfeisiau", "delete_confirm": "A ydych yn siŵr bod chi eisiau dileu'r integreiddiad yma?", - "restart_confirm": "Ailgychwyn Home Assistant i ddarfod dileu'r integreiddiad hwn", - "manuf": "gan {manufacturer}", - "via": "Cysylltiad drwy", - "firmware": "Cadarnwedd: {version}", "device_unavailable": "Dyfais ddim ar gael", "entity_unavailable": "endid ar gael", + "firmware": "Cadarnwedd: {version}", + "hub": "Cysylltiad drwy", + "manuf": "gan {manufacturer}", "no_area": "Dim Ardal", - "hub": "Cysylltiad drwy" + "no_device": "Endidau heb ddyfeisiau", + "no_devices": "Tydi'r integreiddad yma ddim efo dyfeisiadau.", + "restart_confirm": "Ailgychwyn Home Assistant i ddarfod dileu'r integreiddiad hwn", + "via": "Cysylltiad drwy" }, "config_flow": { "external_step": { "description": "Mae'r cam angen ichi ymweld â wefan allanol i'w lenwi.", "open_site": "Gwefan agored" } - } - }, - "zha": { - "caption": "ZHA", - "description": "Rheoli rhwydwaith awtomatiaeth cartref Zigbee", - "services": { - "reconfigure": "Ad-drefnu ddyfais ZHA (gwella dyfais). Defnyddiwch hwn os ydych yn cael problemau gyda'r ddyfais. Os ydi'r ddyfais dan sylw wedi pweru á batri, plis gwnewch yn siwr bod o'n ddeffro a derbyn gorchmynion pan fyddwch yn defnyddio gwasanaeth hwn.", - "updateDeviceName": "Gosod enw personol ar gyfer y ddyfais hon yn y gofrestrfa ddyfais.", - "remove": "Tynnwch ddyfais o'r rhwydwaith Zigbee." - }, - "device_card": { - "device_name_placeholder": "Enw a roddwyd gan y defnyddiwr", - "area_picker_label": "Ardal", - "update_name_button": "Diweddaru Enw" - }, - "add_device_page": { - "header": "Awtomeiddiad Cartref Zigbee - Ychwanegwch Dyfeisiadau", - "spinner": "Chwilio am ddyfeisiau ZHA Zigbee ...", - "discovery_text": "Bydd dyfeisiau a ddarganfuwyd yn ymddangos yma. Dilynwch y cyfarwyddiadau ar gyfer eich dyfais \/ dyfaisiau a rhowch y ddyfais \/ dyfeisiau yn y modd paru." - }, - "node_management": { - "help_node_dropdown": "Dewiswch ddyfais i weld yr opsiynau fesul dyfais." - }, - "clusters": { - "help_cluster_dropdown": "Dewiswch clwstwr i weld priodoleddau a gorchmynion." - }, - "cluster_attributes": { - "header": "Priodoleddau clwstwr", - "introduction": "Gweld a golygu priodoleddau clwstwr.", - "attributes_of_cluster": "Priodoleddau'r clwstwr a ddewiswyd", - "get_zigbee_attribute": "Cael Priodoledd Zigbee", - "set_zigbee_attribute": "Gosod priodoledd Zigbee", - "help_attribute_dropdown": "Dewisiwch y priodoledd i weld neu osod ei werth", - "help_get_zigbee_attribute": "Cael y gwerth ar gyfer y priodoledd a ddewiswyd.", - "help_set_zigbee_attribute": "Gosod gwerth priodwedd ar gyfer y clwstwr penodedig ar yr endid penodedig." - }, - "cluster_commands": { - "header": "Gorchmynion clwstwr", - "introduction": "Gweld a chyhoeddi gorchmynion clwstwr.", - "commands_of_cluster": "Gorchmynion y clwstwr a ddewiswyd", - "issue_zigbee_command": "Cyhoeddi Gorchymyn Zigbee", - "help_command_dropdown": "Dewiswch orchymyn i ryngweithio ag ef." - } - }, - "area_registry": { - "caption": "Gofrestrfa ardal", - "description": "Trosolwg o bob ardal yn eich cartref.", - "picker": { - "header": "Gofrestrfa ardal", - "introduction": "Defnyddir ardaloedd i drefnu lle mae dyfeisiau. Defnyddir y wybodaeth hon drwy gydol Home Assistant i helpu chi i drefnu eich rhyngwyneb, caniatadau ac integreiddio â systemau eraill.", - "introduction2": "I osod dyfeisiau mewn ardal, defnyddiwch y ddolen isod i fynd i'r dudalen integreiddio ac yna cliciwch ar integreiddiau wedi'i ffurfweddu i gyrraedd y cardiau dyfais.", - "integrations_page": "Tudalen rhyngwynebu", - "no_areas": "Edrych fel nad oes gennych ardaloedd eto!", - "create_area": "CREU ARDAL" - }, - "no_areas": "Edrych fel nad oes gennych ardaloedd eto!", - "create_area": "CREU ARDAL", - "editor": { - "default_name": "Ardal Newydd", - "delete": "DILEU", - "update": "DIWEDDARIAD", - "create": "CREU" - } - }, - "entity_registry": { - "caption": "Gofrestrfa Endid", - "description": "Trosolwg o holl endidau hysbys.", - "picker": { - "header": "Gofrestrfa Endid", - "unavailable": "(ddim ar gael)", - "introduction": "Mae Home Assistant yn cadw gofrestrfa pob endid a welodd erioed ble gellir eu nodi yn unigryw. Bydd pob un endid wedi neilltuo efo endid adnabod sy'n cael eu cadw ar gyfer yr endid hwnnw.", - "introduction2": "Defnyddiwch y gofrestrfa endid i ddiystyru yr enw, newid ID endid neu gael gwared y cofnod Home Assistant. Noder, ni fydd dileu'r cofnod cofrestrfa endid yn dileu yr endid. I wneud hynny, dilynwch y ddolen isod a thynnu oddi ar y dudalen integreiddio.", - "integrations_page": "Tudalen rhyngwynebu" - }, - "editor": { - "unavailable": "Endid yma ddim ar gael ar hyn o bryd.", - "default_name": "Ardal Newydd", - "delete": "DILEU", - "update": "DIWEDDARIAD" - } + }, + "configure": "Ffurfweddu", + "configured": "Wedi'i ffurfweddu", + "description": "Rheoli dyfeisiau a gwasanaethau cysylltiedig", + "discovered": "Darganfuwyd", + "new": "Sefydlu integreiddiad newydd", + "none": "Dim byd wedi'i ffurfweddu eto." }, + "introduction": "Yma mae'n bosib ffurfweddu'ch cydrannau ac Home Assistant. Nid yw popeth yn bosib i'w ffurfweddu o'r UI eto, ond rydym yn gweithio arno.", "person": { "caption": "Pobl", "description": "Rheoli'r pobl mae Home Assistant yn tracio.", "detail": { - "name": "Enw", "device_tracker_intro": "Dewiswch y dyfeisiau sy'n perthyn i'r person hwn.", + "device_tracker_pick": "Dewiswch dyfeis i'w dracio", "device_tracker_picked": "Tracio Dyfeis", - "device_tracker_pick": "Dewiswch dyfeis i'w dracio" + "name": "Enw" } }, - "users": { - "editor": { - "caption": "Gweld defnyddiwr" - }, - "add_user": { - "caption": "Ychwanegu defnyddiwr", - "name": "Enw", - "username": "Enw Defnyddiwr", - "password": "Cyfrinair", - "create": "Creu" - } + "script": { + "caption": "Sgript", + "description": "Creu a golygu sgriptiau" }, "server_control": { "section": { - "validation": { - "introduction": "Dilyswch eich ffurfweddiad os gwnaethoch rai newidiadau ffurfweddu yn ddiweddar ac rydych eisiau gwneud yn siŵr fod o'n ddilys", - "check_config": "Gwirio config", - "valid": "Ffurfweddiad dilys!", - "invalid": "Ffurfweddiad annilys" - }, "reloading": { - "heading": "Ffurfweddiad yn ail-lwytho", - "introduction": "Gall rhai rhannau o Home Assistant ail-lwytho heb orfod ailgychwyn. Bydd taro ail-lwytho yn dadlwytho eu cyfluniad cyfredol a llwytho'r un newydd.", + "automation": "Ail-lwytho awtomeiddiadau", "core": "Ail-lwytho craidd", "group": "Ail-lwytho grwpiau", - "automation": "Ail-lwytho awtomeiddiadau", + "heading": "Ffurfweddiad yn ail-lwytho", + "introduction": "Gall rhai rhannau o Home Assistant ail-lwytho heb orfod ailgychwyn. Bydd taro ail-lwytho yn dadlwytho eu cyfluniad cyfredol a llwytho'r un newydd.", "script": "Ail-lwytho sgriptiau" }, "server_management": { @@ -741,77 +803,139 @@ "introduction": "Rheoli eich gweinydd Home Assistant.. o Home Assistant.", "restart": "Ailgychwyn", "stop": "Stopio" + }, + "validation": { + "check_config": "Gwirio config", + "introduction": "Dilyswch eich ffurfweddiad os gwnaethoch rai newidiadau ffurfweddu yn ddiweddar ac rydych eisiau gwneud yn siŵr fod o'n ddilys", + "invalid": "Ffurfweddiad annilys", + "valid": "Ffurfweddiad dilys!" } } + }, + "users": { + "add_user": { + "caption": "Ychwanegu defnyddiwr", + "create": "Creu", + "name": "Enw", + "password": "Cyfrinair", + "username": "Enw Defnyddiwr" + }, + "editor": { + "caption": "Gweld defnyddiwr" + } + }, + "zha": { + "add_device_page": { + "discovery_text": "Bydd dyfeisiau a ddarganfuwyd yn ymddangos yma. Dilynwch y cyfarwyddiadau ar gyfer eich dyfais \/ dyfaisiau a rhowch y ddyfais \/ dyfeisiau yn y modd paru.", + "header": "Awtomeiddiad Cartref Zigbee - Ychwanegwch Dyfeisiadau", + "spinner": "Chwilio am ddyfeisiau ZHA Zigbee ..." + }, + "caption": "ZHA", + "cluster_attributes": { + "attributes_of_cluster": "Priodoleddau'r clwstwr a ddewiswyd", + "get_zigbee_attribute": "Cael Priodoledd Zigbee", + "header": "Priodoleddau clwstwr", + "help_attribute_dropdown": "Dewisiwch y priodoledd i weld neu osod ei werth", + "help_get_zigbee_attribute": "Cael y gwerth ar gyfer y priodoledd a ddewiswyd.", + "help_set_zigbee_attribute": "Gosod gwerth priodwedd ar gyfer y clwstwr penodedig ar yr endid penodedig.", + "introduction": "Gweld a golygu priodoleddau clwstwr.", + "set_zigbee_attribute": "Gosod priodoledd Zigbee" + }, + "cluster_commands": { + "commands_of_cluster": "Gorchmynion y clwstwr a ddewiswyd", + "header": "Gorchmynion clwstwr", + "help_command_dropdown": "Dewiswch orchymyn i ryngweithio ag ef.", + "introduction": "Gweld a chyhoeddi gorchmynion clwstwr.", + "issue_zigbee_command": "Cyhoeddi Gorchymyn Zigbee" + }, + "clusters": { + "help_cluster_dropdown": "Dewiswch clwstwr i weld priodoleddau a gorchmynion." + }, + "description": "Rheoli rhwydwaith awtomatiaeth cartref Zigbee", + "device_card": { + "area_picker_label": "Ardal", + "device_name_placeholder": "Enw a roddwyd gan y defnyddiwr", + "update_name_button": "Diweddaru Enw" + }, + "node_management": { + "help_node_dropdown": "Dewiswch ddyfais i weld yr opsiynau fesul dyfais." + }, + "services": { + "reconfigure": "Ad-drefnu ddyfais ZHA (gwella dyfais). Defnyddiwch hwn os ydych yn cael problemau gyda'r ddyfais. Os ydi'r ddyfais dan sylw wedi pweru á batri, plis gwnewch yn siwr bod o'n ddeffro a derbyn gorchmynion pan fyddwch yn defnyddio gwasanaeth hwn.", + "remove": "Tynnwch ddyfais o'r rhwydwaith Zigbee.", + "updateDeviceName": "Gosod enw personol ar gyfer y ddyfais hon yn y gofrestrfa ddyfais." + } + }, + "zwave": { + "caption": "Z-Wave", + "description": "Rheoli eich rhwydwaith Z-Wave", + "learn_more": "Dysgu mwy am Z-Wave", + "node_config": { + "set_config_parameter": "Gosod Paramedr Ffurfweddu" + }, + "ozw_log": { + "header": "OZW Log", + "introduction": "Gweld y log. 0 yn y lleiaf (llwyth cyfan log) a 1000 yn yr uchafswm. Llwyth yn dangos sefydlog o log ac yn y gynffon, bydd yn diweddariad automatig gyda nifer penodol diwethaf o linellau o log." + } } }, + "developer-tools": { + "tabs": { + "events": { + "title": "Digwyddiadau" + }, + "mqtt": { + "title": "MQTT" + }, + "services": { + "title": "Gwasanaethau" + }, + "states": { + "title": "Cyflerau" + }, + "templates": { + "title": "Templedi" + } + } + }, + "history": { + "period": "Cyfnod", + "showing_entries": "Dangos cofnodion ar gyfer" + }, + "logbook": { + "period": "Cyfnod", + "showing_entries": "Dangos endidau i" + }, "lovelace": { "cards": { - "shopping-list": { - "checked_items": "Eitemau wedi ticio", - "clear_items": "Clirio eitemau wedi ticio", - "add_item": "Ychwanegu eitem" - }, "empty_state": { - "title": "Croeso Gartref", + "go_to_integrations_page": "Ewch i'r dudalen integreiddio.", "no_devices": "Mae'r dudalen hon yn eich galluogi i reoli'ch dyfeisiau, ond mae'n edrych fel nad oes gennych ddyfeisiau wedi eu sefydlu eto. Ewch i'r dudalen integreiddio i ddechrau.", - "go_to_integrations_page": "Ewch i'r dudalen integreiddio." + "title": "Croeso Gartref" }, "picture-elements": { - "hold": "Disgwyl", - "tap": "Tarwch:", - "navigate_to": "Ewch i {location}", - "toggle": "Toglo {name}", "call_service": "Galw gwasanaeth {name}", - "more_info": "Dangos mwy o wybodaeth: {name}" + "hold": "Disgwyl", + "more_info": "Dangos mwy o wybodaeth: {name}", + "navigate_to": "Ewch i {location}", + "tap": "Tarwch:", + "toggle": "Toglo {name}" + }, + "shopping-list": { + "add_item": "Ychwanegu eitem", + "checked_items": "Eitemau wedi ticio", + "clear_items": "Clirio eitemau wedi ticio" } }, + "changed_toast": { + "message": "Diweddarwyd ffurfwedd Lovelace, hoffech adnewyddu?", + "refresh": "Adnewyddu" + }, "editor": { - "edit_card": { - "header": "Ffurfweddu Cerdyn", - "save": "Arbed", - "toggle_editor": "Toglo Golygydd", - "pick_card": "Dewiswch y cerdyn rydych eisiau ychwanegu", - "add": "Ychwanegu Cerdyn", - "edit": "Golygu", - "delete": "Dileu", - "move": "Symud", - "show_visual_editor": "Dangos Golygydd Gweledol", - "show_code_editor": "Dangos Golygydd Cod" - }, - "migrate": { - "header": "Ffurfweddiad anghydnaws", - "para_no_id": "Tydi'r elfen yma ddim efo ID. Plís ychwanegwch ID i'r elfen yma yn 'ui-lovelace.yaml'.", - "para_migrate": "Gall Home Assistant ychwanegu IDs i bob un o'ch cardiau ac edrychiadau yn awtomatig i chi wrth bwyso'r botwm 'Mudo ffurfweddiad'.", - "migrate": "Mudo ffurfweddiad" - }, - "header": "Golygu rhyngwyneb defnyddiwr", - "edit_view": { - "header": "Gweld Ffurfweddiad", - "add": "Ychwanegu golwg", - "edit": "Golygu golwg", - "delete": "Delete golwg" - }, - "save_config": { - "header": "Cymerwch reolaeth ar eich rhyngwyneb defnyddiwr Lovelace", - "para": "Gwneith Home Assistant gynnal eich rhyngwyneb defnyddiwr yn ddiofyn, a'i diweddaru pan fydd endidau neu gydrannau Lovelace newydd yn dod ar gael. Os ydych yn cymryd rheolaeth nawn ddim gwneud newidiadau awtomatig pellach i chi.", - "para_sure": "A ydych yn siŵr bod chi eisiau rheoli eich rhyngwyneb defnyddiwr?", - "cancel": "Dim ots", - "save": "Cymerwch reolaeth" - }, - "menu": { - "raw_editor": "Golygydd ffurfweddu craidd" - }, - "raw_editor": { - "header": "Golygu ffurfweddu", - "save": "Arbed", - "unsaved_changes": "Newidiadau heb eu cadw", - "saved": "Arbed" - }, "card": { "alarm-panel": { - "name": "Panel Larwm", - "available_states": "Cyflerau posib" + "available_states": "Cyflerau posib", + "name": "Panel Larwm" }, "conditional": { "name": "Amodol" @@ -852,9 +976,6 @@ "media-control": { "name": "Rheoli cyfryngau" }, - "picture": { - "name": "Llun" - }, "picture-elements": { "name": "Elfennau'r Llun" }, @@ -864,6 +985,9 @@ "picture-glance": { "name": "Cipolwg ar lun" }, + "picture": { + "name": "Llun" + }, "plant-status": { "name": "Statws planhigyn" }, @@ -882,33 +1006,83 @@ "weather-forecast": { "name": "Rhagolwg tywydd" } + }, + "edit_card": { + "add": "Ychwanegu Cerdyn", + "delete": "Dileu", + "edit": "Golygu", + "header": "Ffurfweddu Cerdyn", + "move": "Symud", + "pick_card": "Dewiswch y cerdyn rydych eisiau ychwanegu", + "save": "Arbed", + "show_code_editor": "Dangos Golygydd Cod", + "show_visual_editor": "Dangos Golygydd Gweledol", + "toggle_editor": "Toglo Golygydd" + }, + "edit_view": { + "add": "Ychwanegu golwg", + "delete": "Delete golwg", + "edit": "Golygu golwg", + "header": "Gweld Ffurfweddiad" + }, + "header": "Golygu rhyngwyneb defnyddiwr", + "menu": { + "raw_editor": "Golygydd ffurfweddu craidd" + }, + "migrate": { + "header": "Ffurfweddiad anghydnaws", + "migrate": "Mudo ffurfweddiad", + "para_migrate": "Gall Home Assistant ychwanegu IDs i bob un o'ch cardiau ac edrychiadau yn awtomatig i chi wrth bwyso'r botwm 'Mudo ffurfweddiad'.", + "para_no_id": "Tydi'r elfen yma ddim efo ID. Plís ychwanegwch ID i'r elfen yma yn 'ui-lovelace.yaml'." + }, + "raw_editor": { + "header": "Golygu ffurfweddu", + "save": "Arbed", + "saved": "Arbed", + "unsaved_changes": "Newidiadau heb eu cadw" + }, + "save_config": { + "cancel": "Dim ots", + "header": "Cymerwch reolaeth ar eich rhyngwyneb defnyddiwr Lovelace", + "para": "Gwneith Home Assistant gynnal eich rhyngwyneb defnyddiwr yn ddiofyn, a'i diweddaru pan fydd endidau neu gydrannau Lovelace newydd yn dod ar gael. Os ydych yn cymryd rheolaeth nawn ddim gwneud newidiadau awtomatig pellach i chi.", + "para_sure": "A ydych yn siŵr bod chi eisiau rheoli eich rhyngwyneb defnyddiwr?", + "save": "Cymerwch reolaeth" } }, "menu": { "configure_ui": "Ffurfweddu rhyngwyneb defnyddiwr", - "unused_entities": "Endidau heb ei ddefnyddio", "help": "Help", - "refresh": "Adnewyddu" + "refresh": "Adnewyddu", + "unused_entities": "Endidau heb ei ddefnyddio" }, + "reload_lovelace": "Ail-lwytho Lovelace", "warning": { - "entity_not_found": "Endid ddim ar gael: {entity}", - "entity_non_numeric": "Endid di-rhifol: {entity}" - }, - "changed_toast": { - "message": "Diweddarwyd ffurfwedd Lovelace, hoffech adnewyddu?", - "refresh": "Adnewyddu" - }, - "reload_lovelace": "Ail-lwytho Lovelace" + "entity_non_numeric": "Endid di-rhifol: {entity}", + "entity_not_found": "Endid ddim ar gael: {entity}" + } + }, + "mailbox": { + "delete_button": "Dileu", + "delete_prompt": "Dileu'r neges hon?", + "empty": "Nid oes gennych negeseuon", + "playback_title": "Chwarae neges" }, "page-authorize": { "form": { "providers": { "command_line": { + "abort": { + "login_expired": "Sesiwn wedi dod i ben, plis mewngofnodwch eto" + }, + "error": { + "invalid_auth": "Defnyddiwr neu cyfrinair annilys", + "invalid_code": "Dilysiad annilys " + }, "step": { "init": { "data": { - "username": "Enw defnyddiwr", - "password": "Cyfrinair" + "password": "Cyfrinair", + "username": "Enw defnyddiwr" } }, "mfa": { @@ -916,19 +1090,68 @@ "code": "Cod dilysu dwy-ffactor" } } - }, - "error": { - "invalid_auth": "Defnyddiwr neu cyfrinair annilys", - "invalid_code": "Dilysiad annilys " - }, - "abort": { - "login_expired": "Sesiwn wedi dod i ben, plis mewngofnodwch eto" } } } } }, + "page-demo": { + "cards": { + "demo": { + "demo_by": "gan {name}", + "introduction": "Croeso adre! Rydych wedi cyrraedd demo Home Assistant lle rydym yn arddangos y UIs gorau a grewyd gan ein cymuned.", + "learn_more": "Dysgwch fwy am Home Assistant", + "next_demo": "Demo nesaf" + } + }, + "config": { + "arsaboo": { + "labels": { + "activity": "Gweithgaredd", + "air": "Aer", + "commute_home": "Cymudo i'r Cartref", + "entertainment": "Adloniant", + "hdmi_input": "Mewnbwn HDMI", + "hdmi_switcher": "Newidydd HDMI", + "information": "Gwybodaeth", + "lights": "Goleuadau", + "morning_commute": "Cymudo bore", + "total_tv_time": "Cyfanswm Amser Teledu", + "turn_tv_off": "Diffodd y teledu", + "volume": "Uchder" + }, + "names": { + "family_room": "Ystafell Teulu", + "hallway": "Cyntedd", + "kitchen": "Cegin", + "left": "Chwith", + "master_bedroom": "Prif Ystafell Wely", + "mirror": "Drych", + "patio": "Patio", + "right": "Dde", + "upstairs": "I fyny'r grisiau" + }, + "unit": { + "minutes_abbr": "munud", + "watching": "gwylio" + } + } + } + }, "page-onboarding": { + "core-config": { + "button_detect": "Canfod", + "finish": "Nesaf", + "intro": "Helo {name}, croeso i Home Assistant. Sut hoffech enwi eich tŷ?", + "intro_location": "Hoffem wybod ble rydych chi'n byw. Bydd y wybodaeth yn helpu i arddangos gwybodaeth a sefydlu awtomeiddiadau haul. Tydi'r data byth yn cael ei rannu thu allan i'ch rhwydwaith.", + "intro_location_detect": "Gallwn eich helpu i lenwi'r wybodaeth hon drwy wneud cais un-tro i wasanaeth allanol.", + "location_name_default": "Hafan" + }, + "integration": { + "finish": "Gorffen", + "intro": "Cynrychiolir dyfeisiau a gwasanaethau yn Home Assistant fel integreiddiadau. Gallwch eu gosod nawr, neu'n ddiweddarach o'r sgrin ffurfweddu.", + "more_integrations": "Mwy" + }, "user": { "data": { "password_confirm": "Cadarnhewch y Cyfrinair" @@ -936,246 +1159,23 @@ "error": { "password_not_match": "Cyfrineiriau ddim yn cyfateb" } - }, - "integration": { - "intro": "Cynrychiolir dyfeisiau a gwasanaethau yn Home Assistant fel integreiddiadau. Gallwch eu gosod nawr, neu'n ddiweddarach o'r sgrin ffurfweddu.", - "more_integrations": "Mwy", - "finish": "Gorffen" - }, - "core-config": { - "intro": "Helo {name}, croeso i Home Assistant. Sut hoffech enwi eich tŷ?", - "intro_location": "Hoffem wybod ble rydych chi'n byw. Bydd y wybodaeth yn helpu i arddangos gwybodaeth a sefydlu awtomeiddiadau haul. Tydi'r data byth yn cael ei rannu thu allan i'ch rhwydwaith.", - "intro_location_detect": "Gallwn eich helpu i lenwi'r wybodaeth hon drwy wneud cais un-tro i wasanaeth allanol.", - "location_name_default": "Hafan", - "button_detect": "Canfod", - "finish": "Nesaf" - } - }, - "page-demo": { - "cards": { - "demo": { - "demo_by": "gan {name}", - "next_demo": "Demo nesaf", - "introduction": "Croeso adre! Rydych wedi cyrraedd demo Home Assistant lle rydym yn arddangos y UIs gorau a grewyd gan ein cymuned.", - "learn_more": "Dysgwch fwy am Home Assistant" - } - }, - "config": { - "arsaboo": { - "names": { - "upstairs": "I fyny'r grisiau", - "family_room": "Ystafell Teulu", - "kitchen": "Cegin", - "patio": "Patio", - "hallway": "Cyntedd", - "master_bedroom": "Prif Ystafell Wely", - "left": "Chwith", - "right": "Dde", - "mirror": "Drych" - }, - "labels": { - "lights": "Goleuadau", - "information": "Gwybodaeth", - "morning_commute": "Cymudo bore", - "commute_home": "Cymudo i'r Cartref", - "entertainment": "Adloniant", - "activity": "Gweithgaredd", - "hdmi_input": "Mewnbwn HDMI", - "hdmi_switcher": "Newidydd HDMI", - "volume": "Uchder", - "total_tv_time": "Cyfanswm Amser Teledu", - "turn_tv_off": "Diffodd y teledu", - "air": "Aer" - }, - "unit": { - "watching": "gwylio", - "minutes_abbr": "munud" - } - } } }, "profile": { "advanced_mode": { - "title": "Modd Uwch", - "description": "Mae Home Assistant yn cuddio nodweddion uwch ac opsiynau yn ddiofyn. Gallwch wneud y nodweddion hyn yn hygyrch trwy ticio'r toggle hwn. Mae hwn yn leoliad penodol i ddefnyddwyr ac nid yw'n effeithio ar ddefnyddwyr eraill sy'n defnyddio Home Assistant." + "description": "Mae Home Assistant yn cuddio nodweddion uwch ac opsiynau yn ddiofyn. Gallwch wneud y nodweddion hyn yn hygyrch trwy ticio'r toggle hwn. Mae hwn yn leoliad penodol i ddefnyddwyr ac nid yw'n effeithio ar ddefnyddwyr eraill sy'n defnyddio Home Assistant.", + "title": "Modd Uwch" } + }, + "shopping-list": { + "add_item": "Ychwanegu eitem", + "clear_completed": "Clir wedi'i gwblhau", + "microphone_tip": "Tarwch y meicroffon ar dde uchaf a dweud \"Add candy to my shopping list\"" } }, "sidebar": { - "log_out": "Allgofnodi", - "external_app_configuration": "Ffurfweddu App" - }, - "common": { - "loading": "Llwytho", - "cancel": "Canslo", - "save": "Arbed" - }, - "duration": { - "second": "Eiliad" - }, - "login-form": { - "password": "Cyfrinair", - "remember": "Cofiwch", - "log_in": "Mewngofnodi" - }, - "card": { - "camera": { - "not_available": "Delwedd ddim ar gael" - }, - "persistent_notification": { - "dismiss": "Anwybyddu" - }, - "scene": { - "activate": "Actifadu" - }, - "script": { - "execute": "Gweithredu" - }, - "weather": { - "attributes": { - "air_pressure": "Pwysedd aer", - "humidity": "Lleithder", - "temperature": "Tymheredd", - "visibility": "Gwelededd", - "wind_speed": "Cyflymder gwynt" - }, - "cardinal_direction": { - "e": "D", - "ene": "DGDd", - "ese": "DDDd", - "n": "G", - "ne": "GDd", - "nne": "GGDd", - "nw": "GO", - "nnw": "GGO", - "s": "D", - "se": "DDd", - "sse": "DDDd", - "ssw": "DDO", - "sw": "DO", - "w": "G", - "wnw": "GGO", - "wsw": "GDO" - }, - "forecast": "Rhagolwg" - }, - "water_heater": { - "currently": "Ar hyn o bryd", - "on_off": "Ar \/ i ffwrdd", - "target_temperature": "Tymheredd targed", - "operation": "Gweithredu", - "away_mode": "Dull i ffwrdd" - }, - "alarm_control_panel": { - "arm_night": "Larwm nos", - "armed_custom_bypass": "Ffordd osgoi personol", - "arm_custom_bypass": "Ffordd osgoi personol" - }, - "climate": { - "preset_mode": "Rhagosodiad" - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "Endid" - } - }, - "service-picker": { - "service": "Gwasanaeth" - } - }, - "dialogs": { - "more_info_settings": { - "name": "Gwrthwneud Enw" - }, - "more_info_control": { - "script": { - "last_action": "Gweithrediad diwethaf" - }, - "sun": { - "elevation": "Uchder", - "rising": "Cynyddu", - "setting": "Gosod" - }, - "updater": { - "title": "Diweddaru Cyfarwyddiadau" - } - } + "external_app_configuration": "Ffurfweddu App", + "log_out": "Allgofnodi" } - }, - "domain": { - "alarm_control_panel": "Panel rheoli larwm", - "automation": "Awtomeiddio", - "binary_sensor": "Synhwyrydd deuaidd", - "calendar": "Calendr", - "camera": "Camera", - "climate": "Hinsawdd", - "configurator": "Ffurfweddwr", - "conversation": "Sgwrs", - "cover": "Clawr", - "device_tracker": "Traciwr dyfais", - "fan": "Ffan", - "history_graph": "Hanes graff", - "group": "Grŵp", - "image_processing": "Prosesu delwedd", - "input_boolean": "Mewnbynnu boolean", - "input_datetime": "Mewnbynnu dyddiad\/amser", - "input_select": "Mewnbynnu dewis", - "input_number": "Mewnbynnu rhif", - "input_text": "Mewnbynnu testun", - "light": "Golau", - "lock": "Clo", - "mailbox": "Blwch post", - "media_player": "Chwaraewr cyfryngau", - "notify": "Hysbysu", - "plant": "Planhigion", - "proximity": "Agosrwydd", - "remote": "Symudol", - "scene": "Golygfa", - "script": "Sgript", - "sensor": "Synhwyrydd", - "sun": "Haul", - "switch": "Newid", - "updater": "Diweddarwr", - "weblink": "Cyswllt gwe", - "zwave": "Z-Wave", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Iechyd System", - "person": "Person" - }, - "attribute": { - "weather": { - "humidity": "Lleithder", - "visibility": "Gwelededd", - "wind_speed": "Cyflymder gwynt" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Off", - "on": "Ar", - "auto": "Awto" - }, - "preset_mode": { - "none": "Dim", - "eco": "Eco", - "away": "I ffwrdd", - "boost": "Cynydd", - "comfort": "Cyfforddus", - "home": "Cartref", - "sleep": "Cysgu", - "activity": "Gweithgaredd" - } - } - }, - "groups": { - "system-admin": "Gweinyddwyr", - "system-users": "Defnyddwyr", - "system-read-only": "Defnyddwyr Darllen yn Unig" } } \ No newline at end of file diff --git a/translations/da.json b/translations/da.json index b748cf7d92..386ac871d3 100644 --- a/translations/da.json +++ b/translations/da.json @@ -1,53 +1,193 @@ { - "panel": { - "config": "Indstillinger", - "states": "Oversigt", - "map": "Kort", - "logbook": "Logbog", - "history": "Historik", + "attribute": { + "weather": { + "humidity": "Luftfugtighed", + "visibility": "Sigtbarhed", + "wind_speed": "Vindhastighed" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Konfigurationstilstand", + "integration": "Integration", + "user": "Bruger" + } + }, + "domain": { + "alarm_control_panel": "Alarm kontrolpanel", + "automation": "Automatisering", + "binary_sensor": "Binær sensor", + "calendar": "Kalender", + "camera": "Kamera", + "climate": "Klima", + "configurator": "Konfigurator", + "conversation": "Samtale", + "cover": "Dække", + "device_tracker": "Enhedssporing", + "fan": "Ventilator", + "group": "Gruppe", + "hassio": "Hass.io", + "history_graph": "Historik graf", + "homeassistant": "Home Assistant", + "image_processing": "Billedbehandling", + "input_boolean": "Valgt boolsk", + "input_datetime": "Indsæt dato og tid", + "input_number": "Indsæt nummer", + "input_select": "Indsæt valg", + "input_text": "Indsæt tekst", + "light": "Lys", + "lock": "Lås", + "lovelace": "Lovelace", "mailbox": "Postkasse", - "shopping_list": "Indkøbsliste", + "media_player": "Medieafspiller", + "notify": "Meddelelser", + "person": "Person", + "plant": "Plante", + "proximity": "Nærhed", + "remote": "Fjernbetjening", + "scene": "Scene", + "script": "Script", + "sensor": "Sensor", + "sun": "Sol", + "switch": "Kontakt", + "system_health": "Systemsundhed", + "updater": "Opdater", + "vacuum": "Støvsuger", + "weblink": "Link", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Administratorer", + "system-read-only": "Read-Only-brugere", + "system-users": "Brugere" + }, + "panel": { + "calendar": "Kalender", + "config": "Indstillinger", "dev-info": "Udvikler Information", "developer_tools": "Udviklerværktøjer", - "calendar": "Kalender", - "profile": "Profil" + "history": "Historik", + "logbook": "Logbog", + "mailbox": "Postkasse", + "map": "Kort", + "profile": "Profil", + "shopping_list": "Indkøbsliste", + "states": "Oversigt" }, - "state": { - "default": { - "off": "Fra", - "on": "Til", - "unknown": "Ukendt", - "unavailable": "Utilgængelig" - }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Automatisk", + "off": "Slukket", + "on": "Tændt" + }, + "hvac_action": { + "cooling": "Køling", + "drying": "Tørring", + "fan": "Ventilator", + "heating": "Opvarmning", + "idle": "Inaktiv", + "off": "Fra" + }, + "preset_mode": { + "activity": "Aktivitet", + "away": "Ude", + "boost": "Boost", + "comfort": "Komfort", + "eco": "Eco", + "home": "Hjemme", + "none": "Ingen", + "sleep": "Sover" + } + } + }, + "state_badge": { "alarm_control_panel": { "armed": "Tilkoblet", - "disarmed": "Frakoblet", - "armed_home": "Tilkoblet hjemme", - "armed_away": "Tilkoblet ude", - "armed_night": "Tilkoblet nat", - "pending": "Afventer", + "armed_away": "Tilkoblet", + "armed_custom_bypass": "Tilkoblet", + "armed_home": "Tilkoblet", + "armed_night": "Tilkoblet", "arming": "Tilkobler", + "disarmed": "Frakoblet", "disarming": "Frakobler", - "triggered": "Udløst", - "armed_custom_bypass": "Delvis tilkoblet" + "pending": "Venter", + "triggered": "Udløst" + }, + "default": { + "entity_not_found": "Enheden blev ikke fundet", + "error": "Fejl", + "unavailable": "Utilgængelig", + "unknown": "Ukendt" + }, + "device_tracker": { + "home": "Hjemme", + "not_home": "Ude" + }, + "person": { + "home": "Hjemme", + "not_home": "Ude" + } + }, + "state": { + "alarm_control_panel": { + "armed": "Tilkoblet", + "armed_away": "Tilkoblet ude", + "armed_custom_bypass": "Delvis tilkoblet", + "armed_home": "Tilkoblet hjemme", + "armed_night": "Tilkoblet nat", + "arming": "Tilkobler", + "disarmed": "Frakoblet", + "disarming": "Frakobler", + "pending": "Afventer", + "triggered": "Udløst" }, "automation": { "off": "Fra", "on": "Til" }, "binary_sensor": { + "battery": { + "off": "Normal", + "on": "Lav" + }, + "cold": { + "off": "Normal", + "on": "Koldt" + }, + "connectivity": { + "off": "Afbrudt", + "on": "Forbundet" + }, "default": { "off": "Fra", "on": "Til" }, - "moisture": { - "off": "Tør", - "on": "Fugtig" + "door": { + "off": "Lukket", + "on": "Åben" + }, + "garage_door": { + "off": "Lukket", + "on": "Åben" }, "gas": { "off": "Ikke registreret", "on": "Registreret" }, + "heat": { + "off": "Normal", + "on": "Varmt" + }, + "lock": { + "off": "Låst", + "on": "Ulåst" + }, + "moisture": { + "off": "Tør", + "on": "Fugtig" + }, "motion": { "off": "Ikke registreret", "on": "Registreret" @@ -56,6 +196,22 @@ "off": "Ikke registreret", "on": "Registreret" }, + "opening": { + "off": "Lukket", + "on": "Åben" + }, + "presence": { + "off": "Ude", + "on": "Hjemme" + }, + "problem": { + "off": "OK", + "on": "Problem" + }, + "safety": { + "off": "Sikret", + "on": "Usikret" + }, "smoke": { "off": "Ikke registreret", "on": "Registreret" @@ -68,53 +224,9 @@ "off": "Ikke registreret", "on": "Registreret" }, - "opening": { - "off": "Lukket", - "on": "Åben" - }, - "safety": { - "off": "Sikret", - "on": "Usikret" - }, - "presence": { - "off": "Ude", - "on": "Hjemme" - }, - "battery": { - "off": "Normal", - "on": "Lav" - }, - "problem": { - "off": "OK", - "on": "Problem" - }, - "connectivity": { - "off": "Afbrudt", - "on": "Forbundet" - }, - "cold": { - "off": "Normal", - "on": "Koldt" - }, - "door": { - "off": "Lukket", - "on": "Åben" - }, - "garage_door": { - "off": "Lukket", - "on": "Åben" - }, - "heat": { - "off": "Normal", - "on": "Varmt" - }, "window": { "off": "Lukket", "on": "Åben" - }, - "lock": { - "off": "Låst", - "on": "Ulåst" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "Til" }, "camera": { + "idle": "Inaktiv", "recording": "Optager", - "streaming": "Streamer", - "idle": "Inaktiv" + "streaming": "Streamer" }, "climate": { - "off": "Fra", - "on": "Til", - "heat": "Varme", - "cool": "Køl", - "idle": "Inaktiv", "auto": "Auto", + "cool": "Køl", "dry": "Tør", - "fan_only": "Kun blæser", "eco": "Øko", "electric": "Elektrisk", - "performance": "Ydeevne", - "high_demand": "Høj efterspørgsel", - "heat_pump": "Varmepumpe", + "fan_only": "Kun blæser", "gas": "Gas", + "heat": "Varme", + "heat_cool": "Opvarm\/køl", + "heat_pump": "Varmepumpe", + "high_demand": "Høj efterspørgsel", + "idle": "Inaktiv", "manual": "Manual", - "heat_cool": "Opvarm\/køl" + "off": "Fra", + "on": "Til", + "performance": "Ydeevne" }, "configurator": { "configure": "Konfigurer", "configured": "Konfigureret" }, "cover": { - "open": "Åben", - "opening": "Åbner", "closed": "Lukket", "closing": "Lukker", + "open": "Åben", + "opening": "Åbner", "stopped": "Stoppet" }, + "default": { + "off": "Fra", + "on": "Til", + "unavailable": "Utilgængelig", + "unknown": "Ukendt" + }, "device_tracker": { "home": "Hjemme", "not_home": "Ude" @@ -164,19 +282,19 @@ "on": "Tændt" }, "group": { - "off": "Fra", - "on": "Til", - "home": "Hjemme", - "not_home": "Ude", - "open": "Åben", - "opening": "Åbner", "closed": "Lukket", "closing": "Lukker", - "stopped": "Stoppet", + "home": "Hjemme", "locked": "Låst", - "unlocked": "Ulåst", + "not_home": "Ude", + "off": "Fra", "ok": "OK", - "problem": "Problem" + "on": "Til", + "open": "Åben", + "opening": "Åbner", + "problem": "Problem", + "stopped": "Stoppet", + "unlocked": "Ulåst" }, "input_boolean": { "off": "Fra", @@ -191,13 +309,17 @@ "unlocked": "Ulåst" }, "media_player": { + "idle": "Inaktiv", "off": "Slukket", "on": "Tændt", - "playing": "Afspiller", "paused": "Sat på pause", - "idle": "Inaktiv", + "playing": "Afspiller", "standby": "Standby" }, + "person": { + "home": "Hjemme", + "not_home": "Ude" + }, "plant": { "ok": "OK", "problem": "Problem" @@ -225,34 +347,10 @@ "off": "Fra", "on": "Til" }, - "zwave": { - "default": { - "initializing": "Initialiserer", - "dead": "Død", - "sleeping": "Sover", - "ready": "Klar" - }, - "query_stage": { - "initializing": "Initialiserer ( {query_stage} )", - "dead": "Død ({query_stage})" - } - }, - "weather": { - "clear-night": "Klart, nat", - "cloudy": "Overskyet", - "fog": "Tåge", - "hail": "Hagl", - "lightning": "Lyn", - "lightning-rainy": "Lyn, regnvejr", - "partlycloudy": "Delvist overskyet", - "pouring": "Regnvejr", - "rainy": "Regnfuldt", - "snowy": "Snedækket", - "snowy-rainy": "Snedækket, regnfuldt", - "sunny": "Solrig", - "windy": "Blæsende", - "windy-variant": "Blæsende", - "exceptional": "Enestående" + "timer": { + "active": "aktiv", + "idle": "inaktiv", + "paused": "pause" }, "vacuum": { "cleaning": "Rengøring", @@ -264,151 +362,691 @@ "paused": "Sat på pause", "returning": "Vender tilbage til dock" }, - "timer": { - "active": "aktiv", - "idle": "inaktiv", - "paused": "pause" + "weather": { + "clear-night": "Klart, nat", + "cloudy": "Overskyet", + "exceptional": "Enestående", + "fog": "Tåge", + "hail": "Hagl", + "lightning": "Lyn", + "lightning-rainy": "Lyn, regnvejr", + "partlycloudy": "Delvist overskyet", + "pouring": "Regnvejr", + "rainy": "Regnfuldt", + "snowy": "Snedækket", + "snowy-rainy": "Snedækket, regnfuldt", + "sunny": "Solrig", + "windy": "Blæsende", + "windy-variant": "Blæsende" }, - "person": { - "home": "Hjemme", - "not_home": "Ude" - } - }, - "state_badge": { - "default": { - "unknown": "Ukendt", - "unavailable": "Utilgængelig", - "error": "Fejl", - "entity_not_found": "Enheden blev ikke fundet" - }, - "alarm_control_panel": { - "armed": "Tilkoblet", - "disarmed": "Frakoblet", - "armed_home": "Tilkoblet", - "armed_away": "Tilkoblet", - "armed_night": "Tilkoblet", - "pending": "Venter", - "arming": "Tilkobler", - "disarming": "Frakobler", - "triggered": "Udløst", - "armed_custom_bypass": "Tilkoblet" - }, - "device_tracker": { - "home": "Hjemme", - "not_home": "Ude" - }, - "person": { - "home": "Hjemme", - "not_home": "Ude" + "zwave": { + "default": { + "dead": "Død", + "initializing": "Initialiserer", + "ready": "Klar", + "sleeping": "Sover" + }, + "query_stage": { + "dead": "Død ({query_stage})", + "initializing": "Initialiserer ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Klar afsluttet", - "add_item": "Tilføj element", - "microphone_tip": "Tryk på mikrofonen øverst til højre og sig “Add candy to my shopping list”" + "auth_store": { + "ask": "Vil du gemme dette login?", + "confirm": "Gem login", + "decline": "Nej tak" + }, + "card": { + "alarm_control_panel": { + "arm_away": "Tilkoble ude", + "arm_custom_bypass": "Brugerdefineret bypass", + "arm_home": "Tilkoble hjemme", + "arm_night": "Tilkoblet nat", + "armed_custom_bypass": "Brugerdefineret", + "clear_code": "Nulstil", + "code": "Kode", + "disarm": "Frakoble" }, - "developer-tools": { - "tabs": { - "services": { - "title": "Services", - "no_description": "Ingen beskrivelse er tilgængelig", - "column_parameter": "Parameter", - "column_description": "Beskrivelse", - "column_example": "Eksempel" - }, - "states": { - "title": "Tilstand", - "entity": "Enhed", - "state": "Tilstand", - "no_entities": "Ingen enheder", - "more_info": "Mere information" - }, - "events": { - "title": "Begivenheder", - "listening_to": "Lytter til", - "start_listening": "Begynd at lytte", - "stop_listening": "Stop med at lytte" - }, - "templates": { - "title": "Skabelon" - }, - "mqtt": { - "title": "MQTT", - "start_listening": "Begynd at lytte", - "stop_listening": "Stop med at lytte" - }, - "info": { - "title": "Udvikler Information", - "remove": "Fjern", - "set": "Sæt", - "home_assistant_logo": "Home Assistant logo", - "path_configuration": "Sti til configuration.yaml: {path}", - "server": "server", - "icons_by": "Ikoner af", - "frontend_version": "Frontend version: {version} - {type}" - }, - "logs": { - "title": "Logs", - "refresh": "Opdater" - } + "automation": { + "last_triggered": "Senest udløst", + "trigger": "Udløser" + }, + "camera": { + "not_available": "Billedet er ikke tilgængeligt" + }, + "climate": { + "aux_heat": "Støtte-varme", + "away_mode": "Ude af huset-modus", + "cooling": "{name} køler", + "current_temperature": "{name} nuværende temperatur", + "currently": "Lige nu", + "fan_mode": "Ventilator tilstand", + "heating": "{name} opvarmer", + "high": "høj", + "low": "lav", + "on_off": "On \/ off", + "operation": "Drift", + "preset_mode": "Forudindstilling", + "swing_mode": "Swing tilstand", + "target_humidity": "Ønsket luftfugtighed", + "target_temperature": "Ønsket temperatur", + "target_temperature_entity": "{name} ønsket temperatur", + "target_temperature_mode": "{name} ønske temperatur {mode}" + }, + "counter": { + "actions": { + "reset": "nulstil" } }, - "history": { - "showing_entries": "Viser emner for", - "period": "Periode" + "cover": { + "position": "Position", + "tilt_position": "Tippe position" }, - "logbook": { - "showing_entries": "Viser emner for", - "period": "Periode" + "fan": { + "direction": "Retning", + "forward": "Frem", + "oscillate": "Sving", + "reverse": "Baglæns", + "speed": "Hastighed" }, - "mailbox": { - "empty": "Du har ingen beskeder", - "playback_title": "Meddelelse afspilles", - "delete_prompt": "Slet denne besked", - "delete_button": "Slet" + "light": { + "brightness": "Lysstyrke", + "color_temperature": "Farvetemperatur", + "effect": "Effekt", + "white_value": "Hvidværdi" }, + "lock": { + "code": "Kode", + "lock": "Lås", + "unlock": "Lås op" + }, + "media_player": { + "sound_mode": "Lydtilstand", + "source": "Kilde", + "text_to_speak": "Tekst til tale" + }, + "persistent_notification": { + "dismiss": "Afvis" + }, + "scene": { + "activate": "Aktiver" + }, + "script": { + "execute": "Udfør" + }, + "timer": { + "actions": { + "cancel": "annuller", + "finish": "afslut", + "pause": "pause", + "start": "start" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Genoptag rengøring", + "return_to_base": "Tilbage til dock", + "start_cleaning": "Start rengøring", + "turn_off": "Sluk", + "turn_on": "Tænd" + } + }, + "water_heater": { + "away_mode": "Ikke til stede", + "currently": "Lige nu", + "on_off": "Tænd \/ sluk", + "operation": "Drift", + "target_temperature": "Ønsket temperatur" + }, + "weather": { + "attributes": { + "air_pressure": "Lufttryk", + "humidity": "Fugtighed", + "temperature": "Temperatur", + "visibility": "Sigtbarhed", + "wind_speed": "Vindhastighed" + }, + "cardinal_direction": { + "e": "Ø", + "ene": "ØNØ", + "ese": "ØSØ", + "n": "N", + "ne": "NØ", + "nne": "NNØ", + "nnw": "NNV", + "nw": "NV", + "s": "S", + "se": "SØ", + "sse": "SSØ", + "ssw": "SSV", + "sw": "SV", + "w": "V", + "wnw": "VNV", + "wsw": "VSV" + }, + "forecast": "Vejrudsigt" + } + }, + "common": { + "cancel": "Annuller", + "loading": "Indlæser", + "save": "Gem", + "successfully_saved": "Gemt med succes" + }, + "components": { + "device-picker": { + "clear": "Ryd", + "show_devices": "Vis enheder" + }, + "entity": { + "entity-picker": { + "clear": "Ryd", + "entity": "Enhed", + "show_entities": "Vis enheder" + } + }, + "history_charts": { + "loading_history": "Indlæser statushistorik ...", + "no_history_found": "Ingen statushistorik fundet." + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\none {dag}\\nother {dage}\\n}", + "hour": "{count} {count, plural,\\n one {time}\\n other {timer}\\n}", + "minute": "{count} {count, plural,\\none {minut}\\nother {minutter}\\n}", + "second": "{count} {count, plural,\\n one {sekund}\\n other {sekunder}\\n}", + "week": "{count} {count, plural,\\none {uge}\\nother {uger}\\n}" + }, + "future": "Om {time}", + "never": "Aldrig", + "past": "{time} siden" + }, + "service-picker": { + "service": "Service" + } + }, + "dialogs": { + "config_entry_system_options": { + "enable_new_entities_description": "Hvis deaktiveret, tilføjes nyligt opdagede enheder for {integration} ikke automatisk til Home Assistant.", + "enable_new_entities_label": "Aktivér nyligt tilføjede enheder.", + "title": "Systemindstillinger for {integration}" + }, + "confirmation": { + "cancel": "Annuller", + "ok": "OK", + "title": "Er du sikker?" + }, + "more_info_control": { + "script": { + "last_action": "Senest udløst" + }, + "sun": { + "elevation": "Elevation", + "rising": "Solopgang", + "setting": "Solnedgang" + }, + "updater": { + "title": "Opdateringsvejledning" + } + }, + "more_info_settings": { + "entity_id": "Enheds ID", + "name": "Navn", + "save": "Gem" + }, + "options_flow": { + "form": { + "header": "Indstillinger" + }, + "success": { + "description": "Indstillingerne blev gemt." + } + }, + "zha_device_info": { + "buttons": { + "add": "Tilføj enheder", + "reconfigure": "Genkonfigurer enhed", + "remove": "Fjern enhed" + }, + "last_seen": "Sidst set", + "manuf": "af {manufacturer}", + "no_area": "Intet område", + "power_source": "Strømkilde", + "services": { + "reconfigure": "Rekonfigurer ZHA-enhed (helbred enhed). Brug dette hvis du har problemer med enheden. Hvis den pågældende enhed er en batteridrevet enhed skal du sørge for at den er vågen og accepterer kommandoer når du bruger denne service.", + "remove": "Fjern en enhed fra Zigbee-netværket.", + "updateDeviceName": "Angiv et brugerdefineret navn til denne enhed i enhedsopsætningen" + }, + "unknown": "Ukendt", + "zha_device_card": { + "area_picker_label": "Område", + "device_name_placeholder": "Bruger tildelt navn", + "update_name_button": "Opdater navn" + } + } + }, + "duration": { + "day": "{count} {count, plural,\\none {dag}\\nother {dage}\\n}", + "hour": "{count} {count, plural,\\n one {time}\\n other {timer}\\n}", + "minute": "{count} {count, plural,\\none {minut}\\nother {minutter}\\n}", + "second": "{count} {count, plural,\\none {sekund}\\nother {sekunder}\\n}", + "week": "{count} {count, plural,\\none {uge}\\nother {uger}\\n}" + }, + "login-form": { + "log_in": "Log på", + "password": "Adgangskode", + "remember": "Husk" + }, + "notification_drawer": { + "click_to_configure": "Klik på knappen for at konfigurere {entity}", + "empty": "Ingen notifikationer", + "title": "Notifikationer" + }, + "notification_toast": { + "connection_lost": "Forbindelse afbrudt. Opretter forbindelse igen...", + "entity_turned_off": "Slukkede for {entity}.", + "entity_turned_on": "Tændte for {entity}.", + "service_call_failed": "Kunne ikke få forbindelse til servicen {service} .", + "service_called": "Servicen {service} kaldes." + }, + "panel": { "config": { - "header": "Konfigurer Home Assistant", - "introduction": "Her er det muligt at konfigurere dine komponenter og Home Assistant. Ikke alt er muligt at konfigurere fra brugergrænsefladen endnu, men vi arbejder på det.", + "area_registry": { + "caption": "Områderegistrering", + "create_area": "OPRET OMRÅDE", + "description": "Oversigt over alle områder i dit hjem.", + "editor": { + "create": "OPRET", + "default_name": "Nyt område", + "delete": "SLET", + "update": "OPDATER" + }, + "no_areas": "Du ikke har ingen områder endnu!", + "picker": { + "create_area": "OPRET OMRÅDE", + "header": "Områderegistrering", + "integrations_page": "Integrationsside", + "introduction": "Områder bruges til at organisere hvor enhederne er. Disse oplysninger vil blive brugt i Home Assistant til at hjælpe dig med at organisere din grænseflade, tilladelser og integrationer med andre systemer.", + "introduction2": "Hvis du vil placere enheder i et område, skal du bruge linket herunder til at navigere til integrationssiden og derefter klikke på en konfigureret integration for at komme til enhedskortene.", + "no_areas": "Du ikke har ingen områder endnu!" + } + }, + "automation": { + "caption": "Automatisering", + "description": "Opret og rediger automatiseringer", + "editor": { + "actions": { + "add": "Tilføj automatisering", + "delete": "Slet", + "delete_confirm": "Er du sikker på du vil slette?", + "duplicate": "Kopier", + "header": "Handlinger", + "introduction": "Handlinger er, hvad Home Assistant skal gøre, når automatiseringen udløses. \\n\\n [Lær mere om handlinger.] (https:\/\/home-assistant.io\/docs\/automation\/action\/)", + "learn_more": "Lær om handlinger", + "type_select": "Begivenhedstype", + "type": { + "condition": { + "label": "Betingelse" + }, + "delay": { + "delay": "Forsinkelse", + "label": "Forsinkelse" + }, + "device_id": { + "extra_fields": { + "code": "Kode" + }, + "label": "Enhed" + }, + "event": { + "event": "Hændelse:", + "label": "Afsend hændelse", + "service_data": "Service data" + }, + "scene": { + "label": "Aktivér scene" + }, + "service": { + "label": "Kald service", + "service_data": "Service data" + }, + "wait_template": { + "label": "Vent", + "timeout": "Timeout (valgfri)", + "wait_template": "Vente-skabelon" + } + }, + "unsupported_action": "Ikke-understøttet handling: {action}" + }, + "alias": "Navn", + "conditions": { + "add": "Tilføj betingelse", + "delete": "Slet", + "delete_confirm": "Er du sikker på du vil slette?", + "duplicate": "Kopier", + "header": "Betingelser", + "introduction": "Betingelser er en valgfri del af en automatiseringsregel og kan bruges til at forhindre, at en handling sker, når den udløses. Betingelser ligner udløsere, men er meget forskellige. En udløser vil se på begivenheder der sker i systemet, mens en tilstand kun ser på, hvordan systemet ser ud lige nu. En udløser kan observere, at der er tændt for en kontakt. En tilstand kan kun se, om en kontakt i øjeblikket er til eller fra. \\n\\n [Lær mere om betingelser.] (Https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", + "learn_more": "Lær om betingelser", + "type_select": "Betingelsestype", + "type": { + "and": { + "label": "Og" + }, + "device": { + "extra_fields": { + "above": "Over", + "below": "Under", + "for": "Varighed" + }, + "label": "Enhed" + }, + "numeric_state": { + "above": "Over", + "below": "Under", + "label": "Numerisk stadie", + "value_template": "Værdi skabelon (valgfri)" + }, + "or": { + "label": "Eller" + }, + "state": { + "label": "Tilstand", + "state": "Tilstand" + }, + "sun": { + "after": "Efter:", + "after_offset": "Forskydning efter", + "before": "Før:", + "before_offset": "Forskydning før", + "label": "Sol", + "sunrise": "Solopgang", + "sunset": "Solnedgang" + }, + "template": { + "label": "Skabelon", + "value_template": "Værdi-skabelon" + }, + "time": { + "after": "Efter", + "before": "Før", + "label": "Tid" + }, + "zone": { + "entity": "Enhed med placering", + "label": "Zone", + "zone": "Zone" + } + }, + "unsupported_condition": "Ikke-understøttet betingelse: {condition}" + }, + "default_name": "Ny automatisering", + "description": { + "label": "Beskrivelse", + "placeholder": "Valgfri beskrivelse" + }, + "introduction": "Brug automatiseringer til at vække dit hjem til live", + "load_error_not_editable": "Kun automatiseringer i automations.yaml kan redigeres.", + "load_error_unknown": "Fejl ved indlæsning af automatisering ({err_no}).", + "save": "Gem", + "triggers": { + "add": "Tilføj udløser", + "delete": "Slet", + "delete_confirm": "Sikker på, at du vil slette?", + "duplicate": "Kopier", + "header": "Udløser", + "introduction": "Udløsere er, hvad der begynder behandlingen af en automatiseringsregel. Det er muligt at angive flere udløsere for samme regel. Når en udløser starter, vil Home Assistant validere eventuelle betingelser og udføre handlingen. \\n\\n [Lær mere om udløsere.] (Https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", + "learn_more": "Lær om udløsere", + "type_select": "Udløser type", + "type": { + "device": { + "extra_fields": { + "above": "Over", + "below": "Under", + "for": "Varighed" + }, + "label": "Enhed" + }, + "event": { + "event_data": "Begivenhedsdata", + "event_type": "Begivenhedstype", + "label": "Begivenhed" + }, + "geo_location": { + "enter": "Ankommer", + "event": "Begivenhed", + "label": "Geolokation", + "leave": "Forlad", + "source": "Kilde", + "zone": "Zone" + }, + "homeassistant": { + "event": "Begivenhed", + "label": "Home Assistant", + "shutdown": "Luk ned", + "start": "Start" + }, + "mqtt": { + "label": "MQTT", + "payload": "Indhold (valgfri)", + "topic": "Emne" + }, + "numeric_state": { + "above": "Over", + "below": "Under", + "label": "Numerisk tilstand", + "value_template": "Værdi-skabelon" + }, + "state": { + "for": "Varighed", + "from": "Fra", + "label": "Tilstand", + "to": "Til" + }, + "sun": { + "event": "Begivenhed", + "label": "Sol", + "offset": "Timeout (valgfri)", + "sunrise": "Solopgang", + "sunset": "Solnedgang" + }, + "template": { + "label": "Skabelon", + "value_template": "Værdi skabelon" + }, + "time_pattern": { + "hours": "Timer", + "label": "Tidsmønster", + "minutes": "Minutter", + "seconds": "Sekunder" + }, + "time": { + "at": "Klokken", + "label": "Tid" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook-ID" + }, + "zone": { + "enter": "Ankom", + "entity": "Enhed med placering", + "event": "Begivenhed:", + "label": "Zone", + "leave": "Forlade", + "zone": "Zone" + } + }, + "unsupported_platform": "Ikke understøttet platform: {platform}" + }, + "unsaved_confirm": "Du har ikke-gemte ændringer. Er du sikker på, at du vil forlade?" + }, + "picker": { + "add_automation": "Tilføj automatisering", + "header": "Automatiserings editor", + "introduction": "Automatiserings editoren giver dig mulighed for at oprette og redigere automatiseringer. Læs venligst [instruktionerne] (https:\/\/home-assistant.io\/docs\/automation\/editor\/) for at sikre dig, at du har konfigureret Home Assistant korrekt.", + "learn_more": "Lær om automatiseringer", + "no_automations": "Vi kunne ikke finde nogen redigerbare automatiseringer", + "pick_automation": "Vælg automatisering for at redigere" + } + }, + "cloud": { + "account": { + "alexa": { + "disable": "deaktivere", + "enable": "aktivere", + "enable_state_reporting": "Aktivér tilstandsrapportering", + "manage_entities": "Administrer enheder", + "state_reporting_error": "Kan ikke {enable_disable} rapport tilstand.", + "sync_entities": "Synkroniser enheder", + "sync_entities_error": "Kunne ikke synkronisere enheder:", + "title": "Alexa" + }, + "connected": "Forbundet", + "connection_status": "Cloud-forbindelsesstatus", + "fetching_subscription": "Henter abonnement...", + "google": { + "devices_pin": "Pinkode til sikkerhedsenheder", + "enable_state_reporting": "Aktivér tilstandsrapportering", + "enter_pin_error": "Pinkoden kan ikke gemmes:", + "enter_pin_hint": "Indtast en pinkode for at bruge sikkerhedsenheder", + "manage_entities": "Administrer enheder", + "security_devices": "Sikkerhedsenheder", + "sync_entities": "Synkroniser enheder med Google", + "title": "Google Assistant" + }, + "integrations": "Integrationer", + "integrations_introduction2": "Tjek hjemmesiden for", + "integrations_link_all_features": "alle tilgængelige funktioner", + "manage_account": "Administrer konto", + "nabu_casa_account": "Nabu Casa-konto", + "not_connected": "Ikke forbundet", + "remote": { + "certificate_info": "Certifikatoplysninger" + }, + "sign_out": "Log ud", + "webhooks": { + "disable_hook_error_msg": "Webhook kunne ikke deaktiveres:", + "link_learn_more": "Lær mere om at oprette webhook-drevne automatiseringer.", + "loading": "Indlæser ...", + "no_hooks_yet_link_automation": "webhook automatisering", + "no_hooks_yet_link_integration": "webhook-baseret integration", + "no_hooks_yet2": "eller ved at oprette en", + "title": "Webhooks" + } + }, + "alexa": { + "exposed_entities": "Eksponerede enheder", + "not_exposed_entities": "Ikke eksponerede enheder", + "title": "Alexa" + }, + "caption": "Home Assistant Cloud", + "description_features": "Betjen væk fra hjemmet, integrer med Alexa og Google Assistant.", + "description_login": "Logget ind som {email}", + "description_not_login": "Ikke logget ind", + "dialog_certificate": { + "certificate_expiration_date": "Udløbsdato for certifikat", + "certificate_information": "Certifikatoplysninger", + "close": "Luk", + "fingerprint": "Certifikat fingeraftryk:", + "will_be_auto_renewed": "Vil automatisk blive fornyet" + }, + "dialog_cloudhook": { + "available_at": "Webhook er tilgængelig på følgende webadresse:", + "close": "Luk", + "confirm_disable": "Er du sikker på, at du vil deaktivere denne webhook?", + "copied_to_clipboard": "Kopieret til udklipsholder", + "info_disable_webhook": "Hvis du ikke længere vil bruge denne webhook, kan du", + "link_disable_webhook": "deaktivere den", + "managed_by_integration": "Denne webhook administreres af en integration og kan ikke deaktiveres.", + "view_documentation": "Se dokumentation", + "webhook_for": "Webhook til {name}" + }, + "forgot_password": { + "check_your_email": "Tjek din e-mail for instruktioner om, hvordan du nulstiller din adgangskode.", + "email": "E-mail", + "email_error_msg": "Ugyldig email", + "instructions": "Indtast din e-mail-adresse, så sender vi dig et link for at nulstille din adgangskode.", + "title": "Glemt kodeord" + }, + "google": { + "disable_2FA": "Deaktiver to-faktor godkendelse", + "exposed_entities": "Eksponerede enheder", + "not_exposed_entities": "Ikke eksponerede enheder", + "sync_to_google": "Synkroniserer ændringer med Google.", + "title": "Google Assistant" + }, + "login": { + "alert_password_change_required": "Du skal ændre din adgangskode, før du logger ind.", + "dismiss": "Afvis", + "email": "E-mail", + "email_error_msg": "Ugyldig email", + "forgot_password": "glemt kodeord?", + "learn_more_link": "Lær mere om Home Assistant Cloud", + "password": "Adgangskode", + "password_error_msg": "Adgangskoder er mindst 8 tegn", + "sign_in": "Log ind", + "start_trial": "Start din gratis prøveperiode på 1 måned", + "title": "Cloud-login", + "trial_info": "Betalingsoplysninger er ikke nødvendige" + }, + "register": { + "account_created": "Konto oprettet! Tjek din e-mail for instruktioner om, hvordan du aktiverer din konto.", + "create_account": "Opret konto", + "email_address": "Email adresse", + "email_error_msg": "Ugyldig email", + "feature_amazon_alexa": "Integration med Amazon Alexa", + "feature_google_home": "Integration med Google Assistant", + "feature_remote_control": "Styring af Home Assistant væk fra hjemmet", + "feature_webhook_apps": "Nem integration med webhook-baserede apps som OwnTracks", + "headline": "Start din gratis prøveperiode", + "information3": "Denne service drives af vores partner", + "information4": "Ved at registrere en konto accepterer du følgende vilkår og betingelser.", + "link_privacy_policy": "Fortrolighedspolitik", + "link_terms_conditions": "Betingelser og vilkår", + "password": "Adgangskode", + "password_error_msg": "Adgangskoder er mindst 8 tegn", + "resend_confirm_email": "Gensend bekræftelsesmail", + "start_trial": "Start prøveperiode", + "title": "Registrer konto" + } + }, + "common": { + "editor": { + "confirm_unsaved": "Du har ikke-gemte ændringer. Er du sikker på, at du vil forlade?" + } + }, "core": { "caption": "Generelt", "description": "Administrer konfigurationen og serveren", "section": { "core": { - "header": "Konfiguration og server kontrol", - "introduction": "Ændring af din konfiguration kan det være en trættende proces. Vi ved det. Dette afsnit vil forsøge at gøre dit liv en smule nemmere.", "core_config": { "edit_requires_storage": "Editor er deaktiveret, fordi config er gemt i configuration.yaml.", - "location_name": "Navn på din Home Assistant-installation", - "latitude": "Breddegrad", - "longitude": "Længdegrad", "elevation": "Højde", "elevation_meters": "meter", + "imperial_example": "Fahrenheit, pund", + "latitude": "Breddegrad", + "location_name": "Navn på din Home Assistant-installation", + "longitude": "Længdegrad", + "metric_example": "Celsius, kg", + "save_button": "Gem", "time_zone": "Tidszone", "unit_system": "Enheds system", "unit_system_imperial": "Imperial", - "unit_system_metric": "Metriske", - "imperial_example": "Fahrenheit, pund", - "metric_example": "Celsius, kg", - "save_button": "Gem" - } + "unit_system_metric": "Metriske" + }, + "header": "Konfiguration og server kontrol", + "introduction": "Ændring af din konfiguration kan det være en trættende proces. Vi ved det. Dette afsnit vil forsøge at gøre dit liv en smule nemmere." }, "server_control": { - "validation": { - "heading": "Konfigurations validering", - "introduction": "Validér din konfiguration, hvis du for nylig lavede nogle ændringer i din konfiguration og vil sikre dig, at alt er validt", - "check_config": "Tjek konfiguration", - "valid": "Konfiguration gyldig!", - "invalid": "Konfigurationen ugyldig" - }, "reloading": { - "heading": "Genindlæsning af konfiguration", - "introduction": "Nogle dele af Home Assistant kan genindlæse uden at kræve en genstart. Tryk på \"genindlæs\" vil afmontere deres nuværende konfiguration og indlæse den nye.", + "automation": "Genindlæs automatiseringer", "core": "Genindlæs system", "group": "Genindlæs grupper", - "automation": "Genindlæs automatiseringer", + "heading": "Genindlæsning af konfiguration", + "introduction": "Nogle dele af Home Assistant kan genindlæse uden at kræve en genstart. Tryk på \"genindlæs\" vil afmontere deres nuværende konfiguration og indlæse den nye.", "script": "Genindlæs scripts" }, "server_management": { @@ -416,6 +1054,13 @@ "introduction": "Kontroller din Home Assistant server... fra Home Assistant.", "restart": "Genstart", "stop": "Stop" + }, + "validation": { + "check_config": "Tjek konfiguration", + "heading": "Konfigurations validering", + "introduction": "Validér din konfiguration, hvis du for nylig lavede nogle ændringer i din konfiguration og vil sikre dig, at alt er validt", + "invalid": "Konfigurationen ugyldig", + "valid": "Konfiguration gyldig!" } } } @@ -428,471 +1073,69 @@ "introduction": "Tilpas enhedsattributter. Tilføjede\/redigerede tilpasninger træder i kraft med det samme. Fjernede tilpasninger træder i kraft når enheden opdateres." } }, - "automation": { - "caption": "Automatisering", - "description": "Opret og rediger automatiseringer", - "picker": { - "header": "Automatiserings editor", - "introduction": "Automatiserings editoren giver dig mulighed for at oprette og redigere automatiseringer. Læs venligst [instruktionerne] (https:\/\/home-assistant.io\/docs\/automation\/editor\/) for at sikre dig, at du har konfigureret Home Assistant korrekt.", - "pick_automation": "Vælg automatisering for at redigere", - "no_automations": "Vi kunne ikke finde nogen redigerbare automatiseringer", - "add_automation": "Tilføj automatisering", - "learn_more": "Lær om automatiseringer" - }, - "editor": { - "introduction": "Brug automatiseringer til at vække dit hjem til live", - "default_name": "Ny automatisering", - "save": "Gem", - "unsaved_confirm": "Du har ikke-gemte ændringer. Er du sikker på, at du vil forlade?", - "alias": "Navn", - "triggers": { - "header": "Udløser", - "introduction": "Udløsere er, hvad der begynder behandlingen af en automatiseringsregel. Det er muligt at angive flere udløsere for samme regel. Når en udløser starter, vil Home Assistant validere eventuelle betingelser og udføre handlingen. \n\n [Lær mere om udløsere.] (Https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", - "add": "Tilføj udløser", - "duplicate": "Kopier", - "delete": "Slet", - "delete_confirm": "Sikker på, at du vil slette?", - "unsupported_platform": "Ikke understøttet platform: {platform}", - "type_select": "Udløser type", - "type": { - "event": { - "label": "Begivenhed", - "event_type": "Begivenhedstype", - "event_data": "Begivenhedsdata" - }, - "state": { - "label": "Tilstand", - "from": "Fra", - "to": "Til", - "for": "Varighed" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Begivenhed", - "start": "Start", - "shutdown": "Luk ned" - }, - "mqtt": { - "label": "MQTT", - "topic": "Emne", - "payload": "Indhold (valgfri)" - }, - "numeric_state": { - "label": "Numerisk tilstand", - "above": "Over", - "below": "Under", - "value_template": "Værdi-skabelon" - }, - "sun": { - "label": "Sol", - "event": "Begivenhed", - "sunrise": "Solopgang", - "sunset": "Solnedgang", - "offset": "Timeout (valgfri)" - }, - "template": { - "label": "Skabelon", - "value_template": "Værdi skabelon" - }, - "time": { - "label": "Tid", - "at": "Klokken" - }, - "zone": { - "label": "Zone", - "entity": "Enhed med placering", - "zone": "Zone", - "event": "Begivenhed:", - "enter": "Ankom", - "leave": "Forlade" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook-ID" - }, - "time_pattern": { - "label": "Tidsmønster", - "hours": "Timer", - "minutes": "Minutter", - "seconds": "Sekunder" - }, - "geo_location": { - "label": "Geolokation", - "source": "Kilde", - "zone": "Zone", - "event": "Begivenhed", - "enter": "Ankommer", - "leave": "Forlad" - }, - "device": { - "label": "Enhed", - "extra_fields": { - "above": "Over", - "below": "Under", - "for": "Varighed" - } - } - }, - "learn_more": "Lær om udløsere" + "devices": { + "automation": { + "actions": { + "caption": "Når noget påvirkes ..." }, "conditions": { - "header": "Betingelser", - "introduction": "Betingelser er en valgfri del af en automatiseringsregel og kan bruges til at forhindre, at en handling sker, når den udløses. Betingelser ligner udløsere, men er meget forskellige. En udløser vil se på begivenheder der sker i systemet, mens en tilstand kun ser på, hvordan systemet ser ud lige nu. En udløser kan observere, at der er tændt for en kontakt. En tilstand kan kun se, om en kontakt i øjeblikket er til eller fra. \n\n [Lær mere om betingelser.] (Https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", - "add": "Tilføj betingelse", - "duplicate": "Kopier", - "delete": "Slet", - "delete_confirm": "Er du sikker på du vil slette?", - "unsupported_condition": "Ikke-understøttet betingelse: {condition}", - "type_select": "Betingelsestype", - "type": { - "state": { - "label": "Tilstand", - "state": "Tilstand" - }, - "numeric_state": { - "label": "Numerisk stadie", - "above": "Over", - "below": "Under", - "value_template": "Værdi skabelon (valgfri)" - }, - "sun": { - "label": "Sol", - "before": "Før:", - "after": "Efter:", - "before_offset": "Forskydning før", - "after_offset": "Forskydning efter", - "sunrise": "Solopgang", - "sunset": "Solnedgang" - }, - "template": { - "label": "Skabelon", - "value_template": "Værdi-skabelon" - }, - "time": { - "label": "Tid", - "after": "Efter", - "before": "Før" - }, - "zone": { - "label": "Zone", - "entity": "Enhed med placering", - "zone": "Zone" - }, - "device": { - "label": "Enhed", - "extra_fields": { - "above": "Over", - "below": "Under", - "for": "Varighed" - } - }, - "and": { - "label": "Og" - }, - "or": { - "label": "Eller" - } - }, - "learn_more": "Lær om betingelser" + "caption": "Gør kun noget, hvis ..." }, - "actions": { - "header": "Handlinger", - "introduction": "Handlinger er, hvad Home Assistant skal gøre, når automatiseringen udløses. \n\n [Lær mere om handlinger.] (https:\/\/home-assistant.io\/docs\/automation\/action\/)", - "add": "Tilføj automatisering", - "duplicate": "Kopier", - "delete": "Slet", - "delete_confirm": "Er du sikker på du vil slette?", - "unsupported_action": "Ikke-understøttet handling: {action}", - "type_select": "Begivenhedstype", - "type": { - "service": { - "label": "Kald service", - "service_data": "Service data" - }, - "delay": { - "label": "Forsinkelse", - "delay": "Forsinkelse" - }, - "wait_template": { - "label": "Vent", - "wait_template": "Vente-skabelon", - "timeout": "Timeout (valgfri)" - }, - "condition": { - "label": "Betingelse" - }, - "event": { - "label": "Afsend hændelse", - "event": "Hændelse:", - "service_data": "Service data" - }, - "device_id": { - "label": "Enhed", - "extra_fields": { - "code": "Kode" - } - }, - "scene": { - "label": "Aktivér scene" - } - }, - "learn_more": "Lær om handlinger" - }, - "load_error_not_editable": "Kun automatiseringer i automations.yaml kan redigeres.", - "load_error_unknown": "Fejl ved indlæsning af automatisering ({err_no}).", - "description": { - "label": "Beskrivelse", - "placeholder": "Valgfri beskrivelse" - } - } - }, - "script": { - "caption": "Script", - "description": "Opret og rediger scripts", - "picker": { - "header": "Script editor", - "learn_more": "Lær mere om scripts", - "no_scripts": "Vi kunne ikke finde nogen redigerbare scripts", - "add_script": "Tilføj script" - }, - "editor": { - "header": "Script: {name}", - "default_name": "Ny script", - "load_error_not_editable": "Kun scripts i scripts.yaml kan redigeres.", - "delete_confirm": "Er du sikker på, at du vil slette dette script?" - } - }, - "zwave": { - "caption": "Z-Wave", - "description": "Administrer dit Z-Wave netværk", - "network_management": { - "header": "Administration af Z-Wave netværk", - "introduction": "Kør kommandoer, der påvirker Z-Wave-netværket. Du får ikke feedback på, om de fleste kommandoer lykkedes, men du kan kontrollere OZW-loggen for at forsøge at finde ud af det." - }, - "network_status": { - "network_stopped": "Z-Wave netværk stoppet", - "network_starting": "Starter Z-Wave netværk...", - "network_starting_note": "Dette kan tage et stykke tid, afhængigt af netværkets størrelse.", - "network_started": "Z-Wave netværk startet", - "network_started_note_some_queried": "Vågne noder er blevet forespurgt. Sovende noder vil blive forespurgt, når de vågner.", - "network_started_note_all_queried": "Alle noder er blevet forespurgt." - }, - "services": { - "start_network": "Start netværk", - "stop_network": "Stop netværk", - "heal_network": "Hel netværk", - "test_network": "Test netværk", - "soft_reset": "Soft reset", - "save_config": "Gem konfiguration", - "add_node_secure": "Tilføj sikker node", - "add_node": "Tilføj node", - "remove_node": "Fjern node", - "cancel_command": "Annuller kommando" - }, - "common": { - "value": "Værdi", - "instance": "Instans", - "index": "Indeks", - "unknown": "ukendt", - "wakeup_interval": "Vækningsinterval" - }, - "values": { - "header": "Node værdier" - }, - "node_config": { - "header": "Indstillinger for node konfiguration", - "seconds": "sekunder", - "set_wakeup": "Indstil vækningsinterval", - "config_parameter": "Konfigurationsparameter", - "config_value": "Konfigurationsværdi", - "true": "Sandt", - "false": "Falsk", - "set_config_parameter": "Indstil konfigurationsparameter" - }, - "learn_more": "Lær mere om Z-Wave", - "ozw_log": { - "header": "OZW log" - } - }, - "users": { - "caption": "Brugere", - "description": "Administrer brugere", - "picker": { - "title": "Brugere", - "system_generated": "System genereret" - }, - "editor": { - "rename_user": "Omdøb bruger", - "change_password": "Skift adgangskode", - "activate_user": "Aktivér bruger", - "deactivate_user": "Deaktiver bruger", - "delete_user": "Slet bruger", - "caption": "Vis bruger", - "id": "ID", - "owner": "Ejer", - "group": "Gruppe", - "active": "Aktiv", - "system_generated": "System genereret", - "system_generated_users_not_removable": "Kan ikke fjerne systemgenererede brugere.", - "unnamed_user": "Unavngivet bruger", - "enter_new_name": "Indtast nyt navn", - "user_rename_failed": "Omdøbning af bruger mislykkedes:", - "group_update_failed": "Gruppe opdatering mislykkedes:", - "confirm_user_deletion": "Er du sikker på, at du vil slette {name}?" - }, - "add_user": { - "caption": "Tilføj bruger", - "name": "Navn", - "username": "Brugernavn", - "password": "Adgangskode", - "create": "Opret" - } - }, - "cloud": { - "caption": "Home Assistant Cloud", - "description_login": "Logget ind som {email}", - "description_not_login": "Ikke logget ind", - "description_features": "Betjen væk fra hjemmet, integrer med Alexa og Google Assistant.", - "login": { - "title": "Cloud-login", - "learn_more_link": "Lær mere om Home Assistant Cloud", - "dismiss": "Afvis", - "sign_in": "Log ind", - "email": "E-mail", - "email_error_msg": "Ugyldig email", - "password": "Adgangskode", - "password_error_msg": "Adgangskoder er mindst 8 tegn", - "forgot_password": "glemt kodeord?", - "start_trial": "Start din gratis prøveperiode på 1 måned", - "trial_info": "Betalingsoplysninger er ikke nødvendige", - "alert_password_change_required": "Du skal ændre din adgangskode, før du logger ind." - }, - "forgot_password": { - "title": "Glemt kodeord", - "instructions": "Indtast din e-mail-adresse, så sender vi dig et link for at nulstille din adgangskode.", - "email": "E-mail", - "email_error_msg": "Ugyldig email", - "check_your_email": "Tjek din e-mail for instruktioner om, hvordan du nulstiller din adgangskode." - }, - "register": { - "title": "Registrer konto", - "headline": "Start din gratis prøveperiode", - "feature_remote_control": "Styring af Home Assistant væk fra hjemmet", - "feature_google_home": "Integration med Google Assistant", - "feature_amazon_alexa": "Integration med Amazon Alexa", - "feature_webhook_apps": "Nem integration med webhook-baserede apps som OwnTracks", - "information3": "Denne service drives af vores partner", - "information4": "Ved at registrere en konto accepterer du følgende vilkår og betingelser.", - "link_terms_conditions": "Betingelser og vilkår", - "link_privacy_policy": "Fortrolighedspolitik", - "create_account": "Opret konto", - "email_address": "Email adresse", - "email_error_msg": "Ugyldig email", - "password": "Adgangskode", - "password_error_msg": "Adgangskoder er mindst 8 tegn", - "start_trial": "Start prøveperiode", - "resend_confirm_email": "Gensend bekræftelsesmail", - "account_created": "Konto oprettet! Tjek din e-mail for instruktioner om, hvordan du aktiverer din konto." - }, - "account": { - "nabu_casa_account": "Nabu Casa-konto", - "connection_status": "Cloud-forbindelsesstatus", - "manage_account": "Administrer konto", - "sign_out": "Log ud", - "integrations": "Integrationer", - "integrations_introduction2": "Tjek hjemmesiden for", - "integrations_link_all_features": "alle tilgængelige funktioner", - "connected": "Forbundet", - "not_connected": "Ikke forbundet", - "fetching_subscription": "Henter abonnement...", - "remote": { - "certificate_info": "Certifikatoplysninger" - }, - "alexa": { - "title": "Alexa", - "enable_state_reporting": "Aktivér tilstandsrapportering", - "sync_entities": "Synkroniser enheder", - "manage_entities": "Administrer enheder", - "sync_entities_error": "Kunne ikke synkronisere enheder:", - "state_reporting_error": "Kan ikke {enable_disable} rapport tilstand.", - "enable": "aktivere", - "disable": "deaktivere" - }, - "google": { - "title": "Google Assistant", - "enable_state_reporting": "Aktivér tilstandsrapportering", - "security_devices": "Sikkerhedsenheder", - "devices_pin": "Pinkode til sikkerhedsenheder", - "enter_pin_hint": "Indtast en pinkode for at bruge sikkerhedsenheder", - "sync_entities": "Synkroniser enheder med Google", - "manage_entities": "Administrer enheder", - "enter_pin_error": "Pinkoden kan ikke gemmes:" - }, - "webhooks": { - "title": "Webhooks", - "no_hooks_yet_link_integration": "webhook-baseret integration", - "no_hooks_yet2": "eller ved at oprette en", - "no_hooks_yet_link_automation": "webhook automatisering", - "link_learn_more": "Lær mere om at oprette webhook-drevne automatiseringer.", - "loading": "Indlæser ...", - "disable_hook_error_msg": "Webhook kunne ikke deaktiveres:" + "triggers": { + "caption": "Gør noget, når ..." } }, - "alexa": { - "title": "Alexa", - "exposed_entities": "Eksponerede enheder", - "not_exposed_entities": "Ikke eksponerede enheder" + "caption": "Enheder", + "description": "Administrer tilsluttede enheder" + }, + "entity_registry": { + "caption": "Enhedsregistrering", + "description": "Oversigt over alle kendte enheder.", + "editor": { + "confirm_delete": "Er du sikker på, at du vil slette denne indtastning?", + "confirm_delete2": "Hvis du sletter en post, fjernes enheden ikke fra hjemme assistenten. Hvis du vil gøre dette, skal du fjerne integrationen ' {platform} ' fra Home Assistant.", + "default_name": "Nyt område", + "delete": "SLET", + "enabled_cause": "Deaktiveret af {cause}.", + "enabled_description": "Deaktiverede enheder tilføjes ikke til Home Assistant.", + "enabled_label": "Aktivér enhed", + "unavailable": "Denne enhed er ikke tilgængelig i øjeblikket.", + "update": "OPDATER" }, - "dialog_certificate": { - "certificate_information": "Certifikatoplysninger", - "certificate_expiration_date": "Udløbsdato for certifikat", - "will_be_auto_renewed": "Vil automatisk blive fornyet", - "fingerprint": "Certifikat fingeraftryk:", - "close": "Luk" - }, - "google": { - "title": "Google Assistant", - "disable_2FA": "Deaktiver to-faktor godkendelse", - "exposed_entities": "Eksponerede enheder", - "not_exposed_entities": "Ikke eksponerede enheder", - "sync_to_google": "Synkroniserer ændringer med Google." - }, - "dialog_cloudhook": { - "webhook_for": "Webhook til {name}", - "available_at": "Webhook er tilgængelig på følgende webadresse:", - "managed_by_integration": "Denne webhook administreres af en integration og kan ikke deaktiveres.", - "info_disable_webhook": "Hvis du ikke længere vil bruge denne webhook, kan du", - "link_disable_webhook": "deaktivere den", - "view_documentation": "Se dokumentation", - "close": "Luk", - "confirm_disable": "Er du sikker på, at du vil deaktivere denne webhook?", - "copied_to_clipboard": "Kopieret til udklipsholder" + "picker": { + "header": "Enhedsregistrering", + "headers": { + "enabled": "Aktiveret", + "entity_id": "Enheds ID", + "integration": "Integration", + "name": "Navn" + }, + "integrations_page": "Integrationsside", + "introduction": "Home Assistant opbevarer en registrering over hver unikke enhed det nogensinde har set. Hver af disse enheder vil have et registrerings ID tildelt som er forbeholdt netop denne enhed.", + "introduction2": "Brug enhedsregistrering til at overskrive navnet, ændre enheds ID eller fjerne enheden fra Home Assistant. Bemærk at fjernelse af enhedens registrering ikke fjerner enheden. For at gøre det skal du følge linket herunder og fjerne det fra integrationssiden.", + "show_disabled": "Vis deaktiverede enheder", + "unavailable": "(utilgængelig)" } }, + "header": "Konfigurer Home Assistant", "integrations": { "caption": "Integrationer", - "description": "Administrer tilsluttede enheder og tjenester", - "discovered": "Opdaget", - "configured": "Konfigureret", - "new": "Opret en ny integration", - "configure": "Konfigurer", - "none": "Ikke konfigureret", "config_entry": { - "no_devices": "Denne integration har ingen enheder", - "no_device": "Entiteter uden enhed", + "area": "I {area}", + "delete_button": "Slet {integration}", "delete_confirm": "Er du sikker på, at du vil fjerne denne integration?", - "restart_confirm": "Genstart Home Assistant for at afslutte fjernelsen af denne integration", - "manuf": "af {manufacturer}", - "via": "Forbundet via", - "firmware": "Firmware: {version}", "device_unavailable": "enhed utilgængelig", "entity_unavailable": "entitet utilgængelig", - "no_area": "Intet område", + "firmware": "Firmware: {version}", "hub": "Tilsluttet via", + "manuf": "af {manufacturer}", + "no_area": "Intet område", + "no_device": "Entiteter uden enhed", + "no_devices": "Denne integration har ingen enheder", + "restart_confirm": "Genstart Home Assistant for at afslutte fjernelsen af denne integration", "settings_button": "Ret indstillinger for {integration}", "system_options_button": "System indstillinger for {integration}", - "delete_button": "Slet {integration}", - "area": "I {area}" + "via": "Forbundet via" }, "config_flow": { "external_step": { @@ -900,28 +1143,145 @@ "open_site": "Åbn websted" } }, + "configure": "Konfigurer", + "configured": "Konfigureret", + "description": "Administrer tilsluttede enheder og tjenester", + "discovered": "Opdaget", + "home_assistant_website": "Home Assistant hjemmeside", + "new": "Opret en ny integration", + "none": "Ikke konfigureret", "note_about_integrations": "Ikke alle integrationer kan konfigureres via brugergrænsefladen endnu.", - "note_about_website_reference": "Flere er tilgængelige på", - "home_assistant_website": "Home Assistant hjemmeside" + "note_about_website_reference": "Flere er tilgængelige på" + }, + "introduction": "Her er det muligt at konfigurere dine komponenter og Home Assistant. Ikke alt er muligt at konfigurere fra brugergrænsefladen endnu, men vi arbejder på det.", + "person": { + "add_person": "Tilføj person", + "caption": "Personer", + "confirm_delete": "Er du sikker på, at du vil slette denne person?", + "create_person": "Opret person", + "description": "Administrer de personer som Home Assistant skal spore.", + "detail": { + "create": "Opret", + "delete": "Slet", + "device_tracker_intro": "Vælg de enheder, der tilhører denne person.", + "device_tracker_pick": "Vælg en enhed, der skal spores", + "device_tracker_picked": "Spor enhed", + "link_integrations_page": "Integrationsside", + "linked_user": "Tilknyttet bruger", + "name": "Navn", + "name_error_msg": "Navn er påkrævet", + "new_person": "Ny person", + "update": "Opdater" + }, + "no_persons_created_yet": "Det ser ud til, at du endnu ikke har oprettet nogen personer endnu." + }, + "script": { + "caption": "Script", + "description": "Opret og rediger scripts", + "editor": { + "default_name": "Ny script", + "delete_confirm": "Er du sikker på, at du vil slette dette script?", + "header": "Script: {name}", + "load_error_not_editable": "Kun scripts i scripts.yaml kan redigeres." + }, + "picker": { + "add_script": "Tilføj script", + "header": "Script editor", + "learn_more": "Lær mere om scripts", + "no_scripts": "Vi kunne ikke finde nogen redigerbare scripts" + } + }, + "server_control": { + "caption": "Serveradministration", + "description": "Valider din konfigurationsfil og genstart Home Assistant serveren", + "section": { + "reloading": { + "automation": "Genindlæs automatiseringer", + "core": "Genindlæs system", + "group": "Genindlæs grupper", + "heading": "Genindlæser konfiguration", + "introduction": "Nogle dele af Home Assistant kan genindlæses uden en genstart. Tryk på genindlæs for at aflæse den nuværende konfiguration og indlæse den nye.", + "scene": "Genindlæs scener", + "script": "Genindlæs scripts" + }, + "server_management": { + "confirm_restart": "Er du sikker på, at du vil genstarte Home Assistant?", + "confirm_stop": "Er du sikker på, at du vil stoppe Home Assistant?", + "heading": "Serveradministration", + "introduction": "Administrer din Home Assistant server... fra Home Assistant.", + "restart": "Genstart", + "stop": "Stop" + }, + "validation": { + "check_config": "Tjek konfiguration", + "heading": "Validering af konfiguration", + "introduction": "Valider din konfiguration, hvis du for nylig har foretaget nogle ændringer i din konfiguration og vil sikre dig, at den er gyldig", + "invalid": "Konfiguration ugyldig", + "valid": "Konfiguration gyldig!" + } + } + }, + "users": { + "add_user": { + "caption": "Tilføj bruger", + "create": "Opret", + "name": "Navn", + "password": "Adgangskode", + "username": "Brugernavn" + }, + "caption": "Brugere", + "description": "Administrer brugere", + "editor": { + "activate_user": "Aktivér bruger", + "active": "Aktiv", + "caption": "Vis bruger", + "change_password": "Skift adgangskode", + "confirm_user_deletion": "Er du sikker på, at du vil slette {name}?", + "deactivate_user": "Deaktiver bruger", + "delete_user": "Slet bruger", + "enter_new_name": "Indtast nyt navn", + "group": "Gruppe", + "group_update_failed": "Gruppe opdatering mislykkedes:", + "id": "ID", + "owner": "Ejer", + "rename_user": "Omdøb bruger", + "system_generated": "System genereret", + "system_generated_users_not_removable": "Kan ikke fjerne systemgenererede brugere.", + "unnamed_user": "Unavngivet bruger", + "user_rename_failed": "Omdøbning af bruger mislykkedes:" + }, + "picker": { + "system_generated": "System genereret", + "title": "Brugere" + } }, "zha": { - "caption": "ZHA", - "description": "Zigbee Home Automation opsætning", - "services": { - "reconfigure": "Genkonfigurer ZHA-enhed (helbred enhed). Brug dette hvis du har problemer med enheden. Hvis den pågældende enhed er en batteridrevet enhed skal du sørge for at den er vågen og accepterer kommandoer når du bruger denne service.", - "updateDeviceName": "Angiv et brugerdefineret navn til denne enhed i enhedsopsætningen", - "remove": "Fjern en enhed fra Zigbee netværket." - }, - "device_card": { - "device_name_placeholder": "Navn", - "area_picker_label": "Område", - "update_name_button": "Opdater navn" - }, "add_device_page": { - "header": "Zigbee Home Automation - Tilføj enheder", - "spinner": "Søger efter ZHA Zigbee-enheder...", "discovery_text": "Fundne enheder vil dukke op her. Følg instruktionerne for din enhed(er) og sæt enhed(erne) i parringstilstand.", - "search_again": "Søg igen" + "header": "Zigbee Home Automation - Tilføj enheder", + "search_again": "Søg igen", + "spinner": "Søger efter ZHA Zigbee-enheder..." + }, + "caption": "ZHA", + "cluster_attributes": { + "attributes_of_cluster": "Attributter for den valgte klynge", + "get_zigbee_attribute": "Hent Zigbee-attribut", + "header": "Klynge attributter", + "help_attribute_dropdown": "Vælg en attribut for at se eller indstille dens værdi.", + "help_get_zigbee_attribute": "Hent værdien for den valgte attribut.", + "help_set_zigbee_attribute": "Indstil attributværdi for den specificerede klynge på den specificerede enhed.", + "introduction": "Se og rediger klynge attributter.", + "set_zigbee_attribute": "Angiv Zigbee-attribut" + }, + "cluster_commands": { + "commands_of_cluster": "Kommandoer for den valgte klynge", + "header": "Klyngekommandoer", + "help_command_dropdown": "Vælg en kommando, du vil interagere med.", + "introduction": "Se og send klyngekommandoer.", + "issue_zigbee_command": "Send ZigBee kommando" + }, + "clusters": { + "help_cluster_dropdown": "Vælg en klynge for at se attributter og kommandoer." }, "common": { "add_devices": "Tilføj enheder", @@ -929,6 +1289,12 @@ "devices": "Enheder", "value": "Værdi" }, + "description": "Zigbee Home Automation opsætning", + "device_card": { + "area_picker_label": "Område", + "device_name_placeholder": "Navn", + "update_name_button": "Opdater navn" + }, "network_management": { "header": "Netværksstyring", "introduction": "Kommandoer, der påvirker hele netværket" @@ -936,438 +1302,171 @@ "node_management": { "header": "Enhedshåndtering" }, - "clusters": { - "help_cluster_dropdown": "Vælg en klynge for at se attributter og kommandoer." - }, - "cluster_attributes": { - "header": "Klynge attributter", - "introduction": "Se og rediger klynge attributter.", - "attributes_of_cluster": "Attributter for den valgte klynge", - "get_zigbee_attribute": "Hent Zigbee-attribut", - "set_zigbee_attribute": "Angiv Zigbee-attribut", - "help_attribute_dropdown": "Vælg en attribut for at se eller indstille dens værdi.", - "help_get_zigbee_attribute": "Hent værdien for den valgte attribut.", - "help_set_zigbee_attribute": "Indstil attributværdi for den specificerede klynge på den specificerede enhed." - }, - "cluster_commands": { - "header": "Klyngekommandoer", - "introduction": "Se og send klyngekommandoer.", - "commands_of_cluster": "Kommandoer for den valgte klynge", - "issue_zigbee_command": "Send ZigBee kommando", - "help_command_dropdown": "Vælg en kommando, du vil interagere med." + "services": { + "reconfigure": "Genkonfigurer ZHA-enhed (helbred enhed). Brug dette hvis du har problemer med enheden. Hvis den pågældende enhed er en batteridrevet enhed skal du sørge for at den er vågen og accepterer kommandoer når du bruger denne service.", + "remove": "Fjern en enhed fra Zigbee netværket.", + "updateDeviceName": "Angiv et brugerdefineret navn til denne enhed i enhedsopsætningen" } }, - "area_registry": { - "caption": "Områderegistrering", - "description": "Oversigt over alle områder i dit hjem.", - "picker": { - "header": "Områderegistrering", - "introduction": "Områder bruges til at organisere hvor enhederne er. Disse oplysninger vil blive brugt i Home Assistant til at hjælpe dig med at organisere din grænseflade, tilladelser og integrationer med andre systemer.", - "introduction2": "Hvis du vil placere enheder i et område, skal du bruge linket herunder til at navigere til integrationssiden og derefter klikke på en konfigureret integration for at komme til enhedskortene.", - "integrations_page": "Integrationsside", - "no_areas": "Du ikke har ingen områder endnu!", - "create_area": "OPRET OMRÅDE" + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Indeks", + "instance": "Instans", + "unknown": "ukendt", + "value": "Værdi", + "wakeup_interval": "Vækningsinterval" }, - "no_areas": "Du ikke har ingen områder endnu!", - "create_area": "OPRET OMRÅDE", - "editor": { - "default_name": "Nyt område", - "delete": "SLET", - "update": "OPDATER", - "create": "OPRET" - } - }, - "entity_registry": { - "caption": "Enhedsregistrering", - "description": "Oversigt over alle kendte enheder.", - "picker": { - "header": "Enhedsregistrering", - "unavailable": "(utilgængelig)", - "introduction": "Home Assistant opbevarer en registrering over hver unikke enhed det nogensinde har set. Hver af disse enheder vil have et registrerings ID tildelt som er forbeholdt netop denne enhed.", - "introduction2": "Brug enhedsregistrering til at overskrive navnet, ændre enheds ID eller fjerne enheden fra Home Assistant. Bemærk at fjernelse af enhedens registrering ikke fjerner enheden. For at gøre det skal du følge linket herunder og fjerne det fra integrationssiden.", - "integrations_page": "Integrationsside", - "show_disabled": "Vis deaktiverede enheder", - "headers": { - "name": "Navn", - "entity_id": "Enheds ID", - "integration": "Integration", - "enabled": "Aktiveret" - } + "description": "Administrer dit Z-Wave netværk", + "learn_more": "Lær mere om Z-Wave", + "network_management": { + "header": "Administration af Z-Wave netværk", + "introduction": "Kør kommandoer, der påvirker Z-Wave-netværket. Du får ikke feedback på, om de fleste kommandoer lykkedes, men du kan kontrollere OZW-loggen for at forsøge at finde ud af det." }, - "editor": { - "unavailable": "Denne enhed er ikke tilgængelig i øjeblikket.", - "default_name": "Nyt område", - "delete": "SLET", - "update": "OPDATER", - "enabled_label": "Aktivér enhed", - "enabled_cause": "Deaktiveret af {cause}.", - "enabled_description": "Deaktiverede enheder tilføjes ikke til Home Assistant.", - "confirm_delete": "Er du sikker på, at du vil slette denne indtastning?", - "confirm_delete2": "Hvis du sletter en post, fjernes enheden ikke fra hjemme assistenten. Hvis du vil gøre dette, skal du fjerne integrationen ' {platform} ' fra Home Assistant." - } - }, - "person": { - "caption": "Personer", - "description": "Administrer de personer som Home Assistant skal spore.", - "detail": { - "name": "Navn", - "device_tracker_intro": "Vælg de enheder, der tilhører denne person.", - "device_tracker_picked": "Spor enhed", - "device_tracker_pick": "Vælg en enhed, der skal spores", - "new_person": "Ny person", - "name_error_msg": "Navn er påkrævet", - "linked_user": "Tilknyttet bruger", - "link_integrations_page": "Integrationsside", - "delete": "Slet", - "create": "Opret", - "update": "Opdater" + "network_status": { + "network_started": "Z-Wave netværk startet", + "network_started_note_all_queried": "Alle noder er blevet forespurgt.", + "network_started_note_some_queried": "Vågne noder er blevet forespurgt. Sovende noder vil blive forespurgt, når de vågner.", + "network_starting": "Starter Z-Wave netværk...", + "network_starting_note": "Dette kan tage et stykke tid, afhængigt af netværkets størrelse.", + "network_stopped": "Z-Wave netværk stoppet" }, - "no_persons_created_yet": "Det ser ud til, at du endnu ikke har oprettet nogen personer endnu.", - "create_person": "Opret person", - "add_person": "Tilføj person", - "confirm_delete": "Er du sikker på, at du vil slette denne person?" - }, - "server_control": { - "caption": "Serveradministration", - "description": "Valider din konfigurationsfil og genstart Home Assistant serveren", - "section": { - "validation": { - "heading": "Validering af konfiguration", - "introduction": "Valider din konfiguration, hvis du for nylig har foretaget nogle ændringer i din konfiguration og vil sikre dig, at den er gyldig", - "check_config": "Tjek konfiguration", - "valid": "Konfiguration gyldig!", - "invalid": "Konfiguration ugyldig" - }, - "reloading": { - "heading": "Genindlæser konfiguration", - "introduction": "Nogle dele af Home Assistant kan genindlæses uden en genstart. Tryk på genindlæs for at aflæse den nuværende konfiguration og indlæse den nye.", - "core": "Genindlæs system", - "group": "Genindlæs grupper", - "automation": "Genindlæs automatiseringer", - "script": "Genindlæs scripts", - "scene": "Genindlæs scener" - }, - "server_management": { - "heading": "Serveradministration", - "introduction": "Administrer din Home Assistant server... fra Home Assistant.", - "restart": "Genstart", - "stop": "Stop", - "confirm_restart": "Er du sikker på, at du vil genstarte Home Assistant?", - "confirm_stop": "Er du sikker på, at du vil stoppe Home Assistant?" - } - } - }, - "devices": { - "caption": "Enheder", - "description": "Administrer tilsluttede enheder", - "automation": { - "triggers": { - "caption": "Gør noget, når ..." - }, - "conditions": { - "caption": "Gør kun noget, hvis ..." - }, - "actions": { - "caption": "Når noget påvirkes ..." - } - } - }, - "common": { - "editor": { - "confirm_unsaved": "Du har ikke-gemte ændringer. Er du sikker på, at du vil forlade?" + "node_config": { + "config_parameter": "Konfigurationsparameter", + "config_value": "Konfigurationsværdi", + "false": "Falsk", + "header": "Indstillinger for node konfiguration", + "seconds": "sekunder", + "set_config_parameter": "Indstil konfigurationsparameter", + "set_wakeup": "Indstil vækningsinterval", + "true": "Sandt" + }, + "ozw_log": { + "header": "OZW log" + }, + "services": { + "add_node": "Tilføj node", + "add_node_secure": "Tilføj sikker node", + "cancel_command": "Annuller kommando", + "heal_network": "Hel netværk", + "remove_node": "Fjern node", + "save_config": "Gem konfiguration", + "soft_reset": "Soft reset", + "start_network": "Start netværk", + "stop_network": "Stop netværk", + "test_network": "Test netværk" + }, + "values": { + "header": "Node værdier" } } }, - "profile": { - "push_notifications": { - "header": "Push notifikationer", - "description": "Send meddelelser til denne enhed.", - "error_load_platform": "Konfigurer notify.html5", - "error_use_https": "Kræver SSL aktiveret til frontend.", - "push_notifications": "Push-meddelelser", - "link_promo": "Lær mere" - }, - "language": { - "header": "Sprog", - "link_promo": "Hjælpe med at oversætte", - "dropdown_label": "Sprog" - }, - "themes": { - "header": "Tema", - "error_no_theme": "Ingen temaer til rådighed.", - "link_promo": "Lær om temaer", - "dropdown_label": "Tema" - }, - "refresh_tokens": { - "header": "Opdater tokens", - "description": "Hver opdateringstoken repræsenterer en login session. Tokens fjernes automatisk, når du klikker på log ud. Følgende opdateringstoken er aktuelt aktiv for din konto.", - "token_title": "Opdater token for {clientId}", - "created_at": "Oprettet den {date}", - "confirm_delete": "Er du sikker på, at du vil slette adgangstoken til {name} ?", - "delete_failed": "Kan ikke slette adgangstokenet.", - "last_used": "Sidst anvendt den {date} af {location}", - "not_used": "Har aldrig været brugt", - "current_token_tooltip": "Kan ikke slette nuværende opdateringstoken" - }, - "long_lived_access_tokens": { - "header": "Langtids Access Tokens", - "description": "Opret langtids adgangstokener, så dine scripts kan forbinde med din Home Assistant instans. Hver token er gyldig i 10 år fra oprettelsen. Følgende langtids adgangstokener er i øjeblikket aktive.", - "learn_auth_requests": "Lær, hvordan du laver godkendte forespørgsler.", - "created_at": "Oprettet den {date}", - "confirm_delete": "Er du sikker på, at du vil slette adgangstoken til {name} ?", - "delete_failed": "Kan ikke slette adgangstokenet.", - "create": "Opret Token", - "create_failed": "Kunne ikke oprette adgangstoken.", - "prompt_name": "Navn?", - "prompt_copy_token": "Kopier din adgangstoken. Den vil ikke blive vist igen.", - "empty_state": "Du har ingen langtids adgangstokens endnu.", - "last_used": "Sidst anvendt den {date} af {location}", - "not_used": "Har aldrig været brugt" - }, - "current_user": "Du er logget ind som {fullName} .", - "is_owner": "Du er ejer.", - "change_password": { - "header": "Skift adgangskode", - "current_password": "Nuværende adgangskode", - "new_password": "Ny adgangskode", - "confirm_new_password": "Bekræft ny adgangskode", - "error_required": "Påkrævet", - "submit": "Gem og afslut" - }, - "mfa": { - "header": "Multifaktor godkendelsesmoduler", - "disable": "Deaktiver", - "enable": "Aktiver", - "confirm_disable": "Er du sikker på du vil deaktivere {name}?" - }, - "mfa_setup": { - "title_aborted": "Afbrudt", - "title_success": "Succes!", - "step_done": "Opsætning af {step} færdig", - "close": "Luk", - "submit": "Gem og afslut" - }, - "logout": "Log af", - "force_narrow": { - "header": "Skjul altid sidepanelet", - "description": "Dette vil skjule sidepanelet som standard, svarende til den mobile oplevelse." - }, - "vibrate": { - "header": "Vibrer", - "description": "Aktivér eller deaktiver vibrationer på denne enhed, når du styrer enheder." - }, - "advanced_mode": { - "title": "Avanceret tilstand" - } - }, - "page-authorize": { - "initializing": "Initialiserer", - "authorizing_client": "Du er ved at give {clientId} adgang til din Home Assistant-instans.", - "logging_in_with": "Log ind med **{authProviderName}**.", - "pick_auth_provider": "Eller log ind med", - "abort_intro": "Login afbrudt", - "form": { - "working": "Vent venligst", - "unknown_error": "Noget gik galt", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Brugernavn", - "password": "Password" - } - }, - "mfa": { - "data": { - "code": "To-faktor godkendelseskode" - }, - "description": "Åbn **{mfa_module_name}** på din enhed for at se din to-faktor godkendelseskode og bekræft din identitet:" - } - }, - "error": { - "invalid_auth": "Ugyldigt brugernavn eller password", - "invalid_code": "Ugyldig godkendelseskode" - }, - "abort": { - "login_expired": "Session er udløbet, log ind igen." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "API password" - }, - "description": "Indtast venligst API-adgangskoden fra din http-konfiguration:" - }, - "mfa": { - "data": { - "code": "To-faktor godkendelseskode" - }, - "description": "Åbn **{mfa_module_name}** på din enhed for at se din to-faktor godkendelseskode og bekræft din identitet:" - } - }, - "error": { - "invalid_auth": "Ugyldig API password", - "invalid_code": "Ugyldig godkendelseskode" - }, - "abort": { - "no_api_password_set": "Du har ikke konfigureret en API-adgangskode.", - "login_expired": "Session er udløbet, log ind igen." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Bruger" - }, - "description": "Vælg venligst den bruger, du vil logge ind som:" - } - }, - "abort": { - "not_whitelisted": "Din computer er ikke whitelistet." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Brugernavn", - "password": "Password" - } - }, - "mfa": { - "data": { - "code": "To-faktor godkendelseskode" - }, - "description": "Åbn **{mfa_module_name}** på din enhed for at se din to-faktor godkendelseskode og bekræft din identitet:" - } - }, - "error": { - "invalid_auth": "Ugyldigt brugernavn eller password", - "invalid_code": "Ugyldig godkendelseskode" - }, - "abort": { - "login_expired": "Session er udløbet, log ind igen." - } - } - } - } - }, - "page-onboarding": { - "intro": "Er du klar til at vække dit hjem, genvinde dit privatliv og blive medlem af et verdensomspændende fællesskab af tinkerers?", - "user": { - "intro": "Lad os komme i gang ved at oprette en brugerkonto.", - "required_field": "Nødvendig", - "data": { - "name": "Navn", - "username": "Brugernavn", - "password": "Password", - "password_confirm": "Bekræft adgangskode" + "developer-tools": { + "tabs": { + "events": { + "listening_to": "Lytter til", + "start_listening": "Begynd at lytte", + "stop_listening": "Stop med at lytte", + "title": "Begivenheder" }, - "create_account": "Opret konto", - "error": { - "required_fields": "Udfyld alle obligatoriske felter", - "password_not_match": "Adgangskoderne er ikke ens" + "info": { + "frontend_version": "Frontend version: {version} - {type}", + "home_assistant_logo": "Home Assistant logo", + "icons_by": "Ikoner af", + "path_configuration": "Sti til configuration.yaml: {path}", + "remove": "Fjern", + "server": "server", + "set": "Sæt", + "title": "Udvikler Information" + }, + "logs": { + "refresh": "Opdater", + "title": "Logs" + }, + "mqtt": { + "start_listening": "Begynd at lytte", + "stop_listening": "Stop med at lytte", + "title": "MQTT" + }, + "services": { + "column_description": "Beskrivelse", + "column_example": "Eksempel", + "column_parameter": "Parameter", + "no_description": "Ingen beskrivelse er tilgængelig", + "title": "Services" + }, + "states": { + "entity": "Enhed", + "more_info": "Mere information", + "no_entities": "Ingen enheder", + "state": "Tilstand", + "title": "Tilstand" + }, + "templates": { + "title": "Skabelon" } - }, - "integration": { - "intro": "Enheder og tjenester er repræsenteret i Home Assistant som integrationer. Du kan konfigurere dem nu eller gøre det senere fra konfigurationsskærmen.", - "more_integrations": "Mere", - "finish": "Afslut" - }, - "core-config": { - "intro": "Hej {name}, velkommen til Home Assistant. Hvordan vil du navngive dit hjem?", - "intro_location": "Vi vil gerne vide, hvor du bor. Disse oplysninger hjælper med at vise information og opsætte solbaserede automationer. Disse data deles aldrig uden for dit netværk.", - "intro_location_detect": "Vi kan hjælpe dig med at udfylde disse oplysninger ved at foretage en engangsforespørgsel til en ekstern service.", - "location_name_default": "Hjem", - "button_detect": "Detekter", - "finish": "Næste" } }, + "history": { + "period": "Periode", + "showing_entries": "Viser emner for" + }, + "logbook": { + "period": "Periode", + "showing_entries": "Viser emner for" + }, "lovelace": { "cards": { - "shopping-list": { - "checked_items": "Markerede elementer", - "clear_items": "Ryd markerede elementer", - "add_item": "Tilføj element" - }, + "confirm_delete": "Er du sikker på, at du vil slette dette kort?", "empty_state": { - "title": "Velkommen hjem", + "go_to_integrations_page": "Gå til integrationssiden.", "no_devices": "Denne side giver dig mulighed for at styre dine enheder, men det ser ud til, at du endnu ikke har konfigureret enheder. Gå til integrationssiden for at komme i gang.", - "go_to_integrations_page": "Gå til integrationssiden." + "title": "Velkommen hjem" }, "picture-elements": { - "hold": "Hold:", - "tap": "Tryk på:", - "navigate_to": "Naviger til {location}", - "toggle": "Skift {name}", "call_service": "Kald service {name}", + "hold": "Hold:", "more_info": "Vis mere-info: {name}", + "navigate_to": "Naviger til {location}", + "tap": "Tryk på:", + "toggle": "Skift {name}", "url": "Åbn vindue til {url_path}" }, - "confirm_delete": "Er du sikker på, at du vil slette dette kort?" + "shopping-list": { + "add_item": "Tilføj element", + "checked_items": "Markerede elementer", + "clear_items": "Ryd markerede elementer" + } + }, + "changed_toast": { + "message": "Lovelace-konfigurationen blev opdateret, vil du genindlæse?", + "refresh": "Opdater" }, "editor": { - "edit_card": { - "header": "Kortkonfiguration", - "save": "Gem", - "toggle_editor": "Skifte Editor", - "pick_card": "Vælg det kort, du vil tilføje.", - "add": "Tilføj kort", - "edit": "Rediger", - "delete": "Slet", - "move": "Flyt", - "show_visual_editor": "Vis visuel editor", - "show_code_editor": "Vis kode editor", - "options": "Flere indstillinger" - }, - "migrate": { - "header": "Konfiguration ikke færdiggjort", - "para_no_id": "Dette element har ikke et id. Tilføj venligst et id til dette element i \"ui-lovelace.yaml\".", - "para_migrate": "Home Assistant kan tilføje id'er til alle dine kort og oversigter automatisk for dig ved at trykke på knappen 'Overfør configuration'.", - "migrate": "Migrer opsætning" - }, - "header": "Rediger UI", - "edit_view": { - "header": "Vis konfiguration", - "add": "Tilføje visning", - "edit": "Redigere visning", - "delete": "Slette visning" - }, - "save_config": { - "header": "Tage kontrol over din 2Lovelace\" UI", - "para": "Som standard vil Home Assistant vedligeholde din brugergrænseflade ved at opdatere den når nye enheder eller \"Lovelace\" komponenter bliver tilgængelige. Hvis du overtager kontrollen, vil vi ikke længere foretage ændringer automatisk for dig.", - "para_sure": "Er du sikker på du ønsker at tage kontrol over din brugergrænseflade?", - "cancel": "Glem det", - "save": "tag kontrol" - }, - "menu": { - "raw_editor": "Tekstbaseret redigering" - }, - "raw_editor": { - "header": "Rediger konfiguration", - "save": "Gem", - "unsaved_changes": "Ikke gemte ændringer", - "saved": "Gemt" - }, - "edit_lovelace": { - "header": "Titel på din Lovelace UI", - "explanation": "Denne titel vises over alle dine visninger i Lovelace." - }, "card": { "alarm_panel": { "available_states": "Tilgængelige tilstande" }, + "alarm-panel": { + "available_states": "Tilgængelige tilstande", + "name": "Alarmpanel" + }, + "conditional": { + "name": "Betinget" + }, "config": { - "required": "Påkrævet", - "optional": "Valgfri" + "optional": "Valgfri", + "required": "Påkrævet" }, "entities": { - "show_header_toggle": "Vis omskifter ved overskrift?", - "name": "Enheder" + "name": "Enheder", + "show_header_toggle": "Vis omskifter ved overskrift?" + }, + "entity-button": { + "name": "Enhedsknap" + }, + "entity-filter": { + "name": "Enhedsfilter" }, "gauge": { "severity": { @@ -1377,10 +1476,6 @@ "yellow": "Gul" } }, - "glance": { - "columns": "Kolonner", - "name": "Blik" - }, "generic": { "aspect_ratio": "Billedproportion", "camera_image": "Kameraenhed", @@ -1400,38 +1495,14 @@ "show_name": "Vis navn?", "show_state": "Vis tilstand?", "tap_action": "Tap handling", - "title": "Titel", "theme": "Tema", + "title": "Titel", "unit": "Enhed", "url": "Url" }, - "map": { - "geo_location_sources": "Geolokations Kilder", - "dark_mode": "Mørk tilstand?", - "default_zoom": "Standard zoom", - "source": "Kilde", - "name": "Kort" - }, - "markdown": { - "content": "Indhold" - }, - "sensor": { - "graph_detail": "Graf detaljer", - "graph_type": "Graf type", - "name": "Sensor" - }, - "alarm-panel": { - "name": "Alarmpanel", - "available_states": "Tilgængelige tilstande" - }, - "conditional": { - "name": "Betinget" - }, - "entity-button": { - "name": "Enhedsknap" - }, - "entity-filter": { - "name": "Enhedsfilter" + "glance": { + "columns": "Kolonner", + "name": "Blik" }, "history-graph": { "name": "Historik graf" @@ -1445,12 +1516,19 @@ "light": { "name": "Lys" }, + "map": { + "dark_mode": "Mørk tilstand?", + "default_zoom": "Standard zoom", + "geo_location_sources": "Geolokations Kilder", + "name": "Kort", + "source": "Kilde" + }, + "markdown": { + "content": "Indhold" + }, "media-control": { "name": "Mediekontrol" }, - "picture": { - "name": "Billede" - }, "picture-elements": { "name": "Billedelementer" }, @@ -1460,9 +1538,17 @@ "picture-glance": { "name": "Billedblik" }, + "picture": { + "name": "Billede" + }, "plant-status": { "name": "Plantestatus" }, + "sensor": { + "graph_detail": "Graf detaljer", + "graph_type": "Graf type", + "name": "Sensor" + }, "shopping-list": { "name": "Indkøbsliste" }, @@ -1476,6 +1562,52 @@ "name": "Vejrudsigt" } }, + "edit_card": { + "add": "Tilføj kort", + "delete": "Slet", + "edit": "Rediger", + "header": "Kortkonfiguration", + "move": "Flyt", + "options": "Flere indstillinger", + "pick_card": "Vælg det kort, du vil tilføje.", + "save": "Gem", + "show_code_editor": "Vis kode editor", + "show_visual_editor": "Vis visuel editor", + "toggle_editor": "Skifte Editor" + }, + "edit_lovelace": { + "explanation": "Denne titel vises over alle dine visninger i Lovelace.", + "header": "Titel på din Lovelace UI" + }, + "edit_view": { + "add": "Tilføje visning", + "delete": "Slette visning", + "edit": "Redigere visning", + "header": "Vis konfiguration" + }, + "header": "Rediger UI", + "menu": { + "raw_editor": "Tekstbaseret redigering" + }, + "migrate": { + "header": "Konfiguration ikke færdiggjort", + "migrate": "Migrer opsætning", + "para_migrate": "Home Assistant kan tilføje id'er til alle dine kort og oversigter automatisk for dig ved at trykke på knappen 'Overfør configuration'.", + "para_no_id": "Dette element har ikke et id. Tilføj venligst et id til dette element i \"ui-lovelace.yaml\"." + }, + "raw_editor": { + "header": "Rediger konfiguration", + "save": "Gem", + "saved": "Gemt", + "unsaved_changes": "Ikke gemte ændringer" + }, + "save_config": { + "cancel": "Glem det", + "header": "Tage kontrol over din 2Lovelace\" UI", + "para": "Som standard vil Home Assistant vedligeholde din brugergrænseflade ved at opdatere den når nye enheder eller \"Lovelace\" komponenter bliver tilgængelige. Hvis du overtager kontrollen, vil vi ikke længere foretage ændringer automatisk for dig.", + "para_sure": "Er du sikker på du ønsker at tage kontrol over din brugergrænseflade?", + "save": "tag kontrol" + }, "view": { "panel_mode": { "title": "Panel Mode?" @@ -1484,418 +1616,286 @@ }, "menu": { "configure_ui": "Konfigurer UI", - "unused_entities": "Ubrugte enheder", "help": "Hjælp", - "refresh": "Opdater" - }, - "warning": { - "entity_not_found": "Enhed ikke tilgængelig: {entity}", - "entity_non_numeric": "Enhed er ikke-numerisk: {entity}" - }, - "changed_toast": { - "message": "Lovelace-konfigurationen blev opdateret, vil du genindlæse?", - "refresh": "Opdater" + "refresh": "Opdater", + "unused_entities": "Ubrugte enheder" }, "reload_lovelace": "Genindlæs Lovelace", "views": { "confirm_delete": "Er du sikker på, at du vil slette denne visning?" + }, + "warning": { + "entity_non_numeric": "Enhed er ikke-numerisk: {entity}", + "entity_not_found": "Enhed ikke tilgængelig: {entity}" } }, + "mailbox": { + "delete_button": "Slet", + "delete_prompt": "Slet denne besked", + "empty": "Du har ingen beskeder", + "playback_title": "Meddelelse afspilles" + }, + "page-authorize": { + "abort_intro": "Login afbrudt", + "authorizing_client": "Du er ved at give {clientId} adgang til din Home Assistant-instans.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Session er udløbet, log ind igen." + }, + "error": { + "invalid_auth": "Ugyldigt brugernavn eller password", + "invalid_code": "Ugyldig godkendelseskode" + }, + "step": { + "init": { + "data": { + "password": "Password", + "username": "Brugernavn" + } + }, + "mfa": { + "data": { + "code": "To-faktor godkendelseskode" + }, + "description": "Åbn **{mfa_module_name}** på din enhed for at se din to-faktor godkendelseskode og bekræft din identitet:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Session er udløbet, log ind igen." + }, + "error": { + "invalid_auth": "Ugyldigt brugernavn eller password", + "invalid_code": "Ugyldig godkendelseskode" + }, + "step": { + "init": { + "data": { + "password": "Password", + "username": "Brugernavn" + } + }, + "mfa": { + "data": { + "code": "To-faktor godkendelseskode" + }, + "description": "Åbn **{mfa_module_name}** på din enhed for at se din to-faktor godkendelseskode og bekræft din identitet:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Session er udløbet, log ind igen.", + "no_api_password_set": "Du har ikke konfigureret en API-adgangskode." + }, + "error": { + "invalid_auth": "Ugyldig API password", + "invalid_code": "Ugyldig godkendelseskode" + }, + "step": { + "init": { + "data": { + "password": "API password" + }, + "description": "Indtast venligst API-adgangskoden fra din http-konfiguration:" + }, + "mfa": { + "data": { + "code": "To-faktor godkendelseskode" + }, + "description": "Åbn **{mfa_module_name}** på din enhed for at se din to-faktor godkendelseskode og bekræft din identitet:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Din computer er ikke whitelistet." + }, + "step": { + "init": { + "data": { + "user": "Bruger" + }, + "description": "Vælg venligst den bruger, du vil logge ind som:" + } + } + } + }, + "unknown_error": "Noget gik galt", + "working": "Vent venligst" + }, + "initializing": "Initialiserer", + "logging_in_with": "Log ind med **{authProviderName}**.", + "pick_auth_provider": "Eller log ind med" + }, "page-demo": { "cards": { "demo": { "demo_by": "af {name}", - "next_demo": "Næste demo", "introduction": "Velkommen hjem! Du er kommet til Home Assistant's demo hvor vi viser de bedste bruger interfaces lavet i bruger gruppen.", - "learn_more": "Læs mere om Home Assistant" + "learn_more": "Læs mere om Home Assistant", + "next_demo": "Næste demo" } }, "config": { "arsaboo": { - "names": { - "upstairs": "Ovenpå", - "family_room": "Alrum", - "kitchen": "Køkken", - "patio": "Terrasse", - "hallway": "Gang", - "master_bedroom": "Soveværelse", - "left": "Venstre", - "right": "Højre", - "mirror": "Spejl" - }, "labels": { - "lights": "Lys", - "information": "Information", - "morning_commute": "Morgen pendler", + "activity": "Aktivitet", + "air": "Luft", "commute_home": "Pendle til hjemmet", "entertainment": "Underholdning", - "activity": "Aktivitet", "hdmi_input": "HDMI indgang", "hdmi_switcher": "HDMI skifter", - "volume": "Lydstyrke", + "information": "Information", + "lights": "Lys", + "morning_commute": "Morgen pendler", "total_tv_time": "Total TV tid", "turn_tv_off": "Sluk TV", - "air": "Luft" + "volume": "Lydstyrke" + }, + "names": { + "family_room": "Alrum", + "hallway": "Gang", + "kitchen": "Køkken", + "left": "Venstre", + "master_bedroom": "Soveværelse", + "mirror": "Spejl", + "patio": "Terrasse", + "right": "Højre", + "upstairs": "Ovenpå" }, "unit": { - "watching": "Ser", - "minutes_abbr": "min" + "minutes_abbr": "min", + "watching": "Ser" } } } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Detekter", + "finish": "Næste", + "intro": "Hej {name}, velkommen til Home Assistant. Hvordan vil du navngive dit hjem?", + "intro_location": "Vi vil gerne vide, hvor du bor. Disse oplysninger hjælper med at vise information og opsætte solbaserede automationer. Disse data deles aldrig uden for dit netværk.", + "intro_location_detect": "Vi kan hjælpe dig med at udfylde disse oplysninger ved at foretage en engangsforespørgsel til en ekstern service.", + "location_name_default": "Hjem" + }, + "integration": { + "finish": "Afslut", + "intro": "Enheder og tjenester er repræsenteret i Home Assistant som integrationer. Du kan konfigurere dem nu eller gøre det senere fra konfigurationsskærmen.", + "more_integrations": "Mere" + }, + "intro": "Er du klar til at vække dit hjem, genvinde dit privatliv og blive medlem af et verdensomspændende fællesskab af tinkerers?", + "user": { + "create_account": "Opret konto", + "data": { + "name": "Navn", + "password": "Password", + "password_confirm": "Bekræft adgangskode", + "username": "Brugernavn" + }, + "error": { + "password_not_match": "Adgangskoderne er ikke ens", + "required_fields": "Udfyld alle obligatoriske felter" + }, + "intro": "Lad os komme i gang ved at oprette en brugerkonto.", + "required_field": "Nødvendig" + } + }, + "profile": { + "advanced_mode": { + "title": "Avanceret tilstand" + }, + "change_password": { + "confirm_new_password": "Bekræft ny adgangskode", + "current_password": "Nuværende adgangskode", + "error_required": "Påkrævet", + "header": "Skift adgangskode", + "new_password": "Ny adgangskode", + "submit": "Gem og afslut" + }, + "current_user": "Du er logget ind som {fullName} .", + "force_narrow": { + "description": "Dette vil skjule sidepanelet som standard, svarende til den mobile oplevelse.", + "header": "Skjul altid sidepanelet" + }, + "is_owner": "Du er ejer.", + "language": { + "dropdown_label": "Sprog", + "header": "Sprog", + "link_promo": "Hjælpe med at oversætte" + }, + "logout": "Log af", + "long_lived_access_tokens": { + "confirm_delete": "Er du sikker på, at du vil slette adgangstoken til {name} ?", + "create": "Opret Token", + "create_failed": "Kunne ikke oprette adgangstoken.", + "created_at": "Oprettet den {date}", + "delete_failed": "Kan ikke slette adgangstokenet.", + "description": "Opret langtids adgangstokener, så dine scripts kan forbinde med din Home Assistant instans. Hver token er gyldig i 10 år fra oprettelsen. Følgende langtids adgangstokener er i øjeblikket aktive.", + "empty_state": "Du har ingen langtids adgangstokens endnu.", + "header": "Langtids Access Tokens", + "last_used": "Sidst anvendt den {date} af {location}", + "learn_auth_requests": "Lær, hvordan du laver godkendte forespørgsler.", + "not_used": "Har aldrig været brugt", + "prompt_copy_token": "Kopier din adgangstoken. Den vil ikke blive vist igen.", + "prompt_name": "Navn?" + }, + "mfa_setup": { + "close": "Luk", + "step_done": "Opsætning af {step} færdig", + "submit": "Gem og afslut", + "title_aborted": "Afbrudt", + "title_success": "Succes!" + }, + "mfa": { + "confirm_disable": "Er du sikker på du vil deaktivere {name}?", + "disable": "Deaktiver", + "enable": "Aktiver", + "header": "Multifaktor godkendelsesmoduler" + }, + "push_notifications": { + "description": "Send meddelelser til denne enhed.", + "error_load_platform": "Konfigurer notify.html5", + "error_use_https": "Kræver SSL aktiveret til frontend.", + "header": "Push notifikationer", + "link_promo": "Lær mere", + "push_notifications": "Push-meddelelser" + }, + "refresh_tokens": { + "confirm_delete": "Er du sikker på, at du vil slette adgangstoken til {name} ?", + "created_at": "Oprettet den {date}", + "current_token_tooltip": "Kan ikke slette nuværende opdateringstoken", + "delete_failed": "Kan ikke slette adgangstokenet.", + "description": "Hver opdateringstoken repræsenterer en login session. Tokens fjernes automatisk, når du klikker på log ud. Følgende opdateringstoken er aktuelt aktiv for din konto.", + "header": "Opdater tokens", + "last_used": "Sidst anvendt den {date} af {location}", + "not_used": "Har aldrig været brugt", + "token_title": "Opdater token for {clientId}" + }, + "themes": { + "dropdown_label": "Tema", + "error_no_theme": "Ingen temaer til rådighed.", + "header": "Tema", + "link_promo": "Lær om temaer" + }, + "vibrate": { + "description": "Aktivér eller deaktiver vibrationer på denne enhed, når du styrer enheder.", + "header": "Vibrer" + } + }, + "shopping-list": { + "add_item": "Tilføj element", + "clear_completed": "Klar afsluttet", + "microphone_tip": "Tryk på mikrofonen øverst til højre og sig “Add candy to my shopping list”" } }, "sidebar": { - "log_out": "Log af", - "external_app_configuration": "App Konfiguration" - }, - "common": { - "loading": "Indlæser", - "cancel": "Annuller", - "save": "Gem", - "successfully_saved": "Gemt med succes" - }, - "duration": { - "day": "{count} {count, plural,\none {dag}\nother {dage}\n}", - "week": "{count} {count, plural,\none {uge}\nother {uger}\n}", - "second": "{count} {count, plural,\none {sekund}\nother {sekunder}\n}", - "minute": "{count} {count, plural,\none {minut}\nother {minutter}\n}", - "hour": "{count} {count, plural,\n one {time}\n other {timer}\n}" - }, - "login-form": { - "password": "Adgangskode", - "remember": "Husk", - "log_in": "Log på" - }, - "card": { - "camera": { - "not_available": "Billedet er ikke tilgængeligt" - }, - "persistent_notification": { - "dismiss": "Afvis" - }, - "scene": { - "activate": "Aktiver" - }, - "script": { - "execute": "Udfør" - }, - "weather": { - "attributes": { - "air_pressure": "Lufttryk", - "humidity": "Fugtighed", - "temperature": "Temperatur", - "visibility": "Sigtbarhed", - "wind_speed": "Vindhastighed" - }, - "cardinal_direction": { - "e": "Ø", - "ene": "ØNØ", - "ese": "ØSØ", - "n": "N", - "ne": "NØ", - "nne": "NNØ", - "nw": "NV", - "nnw": "NNV", - "s": "S", - "se": "SØ", - "sse": "SSØ", - "ssw": "SSV", - "sw": "SV", - "w": "V", - "wnw": "VNV", - "wsw": "VSV" - }, - "forecast": "Vejrudsigt" - }, - "alarm_control_panel": { - "code": "Kode", - "clear_code": "Nulstil", - "disarm": "Frakoble", - "arm_home": "Tilkoble hjemme", - "arm_away": "Tilkoble ude", - "arm_night": "Tilkoblet nat", - "armed_custom_bypass": "Brugerdefineret", - "arm_custom_bypass": "Brugerdefineret bypass" - }, - "automation": { - "last_triggered": "Senest udløst", - "trigger": "Udløser" - }, - "cover": { - "position": "Position", - "tilt_position": "Tippe position" - }, - "fan": { - "speed": "Hastighed", - "oscillate": "Sving", - "direction": "Retning", - "forward": "Frem", - "reverse": "Baglæns" - }, - "light": { - "brightness": "Lysstyrke", - "color_temperature": "Farvetemperatur", - "white_value": "Hvidværdi", - "effect": "Effekt" - }, - "media_player": { - "text_to_speak": "Tekst til tale", - "source": "Kilde", - "sound_mode": "Lydtilstand" - }, - "climate": { - "currently": "Lige nu", - "on_off": "On \/ off", - "target_temperature": "Ønsket temperatur", - "target_humidity": "Ønsket luftfugtighed", - "operation": "Drift", - "fan_mode": "Ventilator tilstand", - "swing_mode": "Swing tilstand", - "away_mode": "Ude af huset-modus", - "aux_heat": "Støtte-varme", - "preset_mode": "Forudindstilling", - "target_temperature_entity": "{name} ønsket temperatur", - "target_temperature_mode": "{name} ønske temperatur {mode}", - "current_temperature": "{name} nuværende temperatur", - "heating": "{name} opvarmer", - "cooling": "{name} køler", - "high": "høj", - "low": "lav" - }, - "lock": { - "code": "Kode", - "lock": "Lås", - "unlock": "Lås op" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Genoptag rengøring", - "return_to_base": "Tilbage til dock", - "start_cleaning": "Start rengøring", - "turn_on": "Tænd", - "turn_off": "Sluk" - } - }, - "water_heater": { - "currently": "Lige nu", - "on_off": "Tænd \/ sluk", - "target_temperature": "Ønsket temperatur", - "operation": "Drift", - "away_mode": "Ikke til stede" - }, - "timer": { - "actions": { - "start": "start", - "pause": "pause", - "cancel": "annuller", - "finish": "afslut" - } - }, - "counter": { - "actions": { - "reset": "nulstil" - } - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "Enhed", - "clear": "Ryd", - "show_entities": "Vis enheder" - } - }, - "service-picker": { - "service": "Service" - }, - "relative_time": { - "past": "{time} siden", - "future": "Om {time}", - "never": "Aldrig", - "duration": { - "second": "{count} {count, plural,\n one {sekund}\n other {sekunder}\n}", - "minute": "{count} {count, plural,\none {minut}\nother {minutter}\n}", - "hour": "{count} {count, plural,\n one {time}\n other {timer}\n}", - "day": "{count} {count, plural,\none {dag}\nother {dage}\n}", - "week": "{count} {count, plural,\none {uge}\nother {uger}\n}" - } - }, - "history_charts": { - "loading_history": "Indlæser statushistorik ...", - "no_history_found": "Ingen statushistorik fundet." - }, - "device-picker": { - "clear": "Ryd", - "show_devices": "Vis enheder" - } - }, - "notification_toast": { - "entity_turned_on": "Tændte for {entity}.", - "entity_turned_off": "Slukkede for {entity}.", - "service_called": "Servicen {service} kaldes.", - "service_call_failed": "Kunne ikke få forbindelse til servicen {service} .", - "connection_lost": "Forbindelse afbrudt. Opretter forbindelse igen..." - }, - "dialogs": { - "more_info_settings": { - "save": "Gem", - "name": "Navn", - "entity_id": "Enheds ID" - }, - "more_info_control": { - "script": { - "last_action": "Senest udløst" - }, - "sun": { - "elevation": "Elevation", - "rising": "Solopgang", - "setting": "Solnedgang" - }, - "updater": { - "title": "Opdateringsvejledning" - } - }, - "options_flow": { - "form": { - "header": "Indstillinger" - }, - "success": { - "description": "Indstillingerne blev gemt." - } - }, - "config_entry_system_options": { - "title": "Systemindstillinger for {integration}", - "enable_new_entities_label": "Aktivér nyligt tilføjede enheder.", - "enable_new_entities_description": "Hvis deaktiveret, tilføjes nyligt opdagede enheder for {integration} ikke automatisk til Home Assistant." - }, - "zha_device_info": { - "manuf": "af {manufacturer}", - "no_area": "Intet område", - "services": { - "reconfigure": "Rekonfigurer ZHA-enhed (helbred enhed). Brug dette hvis du har problemer med enheden. Hvis den pågældende enhed er en batteridrevet enhed skal du sørge for at den er vågen og accepterer kommandoer når du bruger denne service.", - "updateDeviceName": "Angiv et brugerdefineret navn til denne enhed i enhedsopsætningen", - "remove": "Fjern en enhed fra Zigbee-netværket." - }, - "zha_device_card": { - "device_name_placeholder": "Bruger tildelt navn", - "area_picker_label": "Område", - "update_name_button": "Opdater navn" - }, - "buttons": { - "add": "Tilføj enheder", - "remove": "Fjern enhed", - "reconfigure": "Genkonfigurer enhed" - }, - "last_seen": "Sidst set", - "power_source": "Strømkilde", - "unknown": "Ukendt" - }, - "confirmation": { - "cancel": "Annuller", - "ok": "OK", - "title": "Er du sikker?" - } - }, - "auth_store": { - "ask": "Vil du gemme dette login?", - "decline": "Nej tak", - "confirm": "Gem login" - }, - "notification_drawer": { - "click_to_configure": "Klik på knappen for at konfigurere {entity}", - "empty": "Ingen notifikationer", - "title": "Notifikationer" - } - }, - "domain": { - "alarm_control_panel": "Alarm kontrolpanel", - "automation": "Automatisering", - "binary_sensor": "Binær sensor", - "calendar": "Kalender", - "camera": "Kamera", - "climate": "Klima", - "configurator": "Konfigurator", - "conversation": "Samtale", - "cover": "Dække", - "device_tracker": "Enhedssporing", - "fan": "Ventilator", - "history_graph": "Historik graf", - "group": "Gruppe", - "image_processing": "Billedbehandling", - "input_boolean": "Valgt boolsk", - "input_datetime": "Indsæt dato og tid", - "input_select": "Indsæt valg", - "input_number": "Indsæt nummer", - "input_text": "Indsæt tekst", - "light": "Lys", - "lock": "Lås", - "mailbox": "Postkasse", - "media_player": "Medieafspiller", - "notify": "Meddelelser", - "plant": "Plante", - "proximity": "Nærhed", - "remote": "Fjernbetjening", - "scene": "Scene", - "script": "Script", - "sensor": "Sensor", - "sun": "Sol", - "switch": "Kontakt", - "updater": "Opdater", - "weblink": "Link", - "zwave": "Z-Wave", - "vacuum": "Støvsuger", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Systemsundhed", - "person": "Person" - }, - "attribute": { - "weather": { - "humidity": "Luftfugtighed", - "visibility": "Sigtbarhed", - "wind_speed": "Vindhastighed" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Slukket", - "on": "Tændt", - "auto": "Automatisk" - }, - "preset_mode": { - "none": "Ingen", - "eco": "Eco", - "away": "Ude", - "boost": "Boost", - "comfort": "Komfort", - "home": "Hjemme", - "sleep": "Sover", - "activity": "Aktivitet" - }, - "hvac_action": { - "off": "Fra", - "heating": "Opvarmning", - "cooling": "Køling", - "drying": "Tørring", - "idle": "Inaktiv", - "fan": "Ventilator" - } - } - }, - "groups": { - "system-admin": "Administratorer", - "system-users": "Brugere", - "system-read-only": "Read-Only-brugere" - }, - "config_entry": { - "disabled_by": { - "user": "Bruger", - "integration": "Integration", - "config_entry": "Konfigurationstilstand" + "external_app_configuration": "App Konfiguration", + "log_out": "Log af" } } } \ No newline at end of file diff --git a/translations/de.json b/translations/de.json index ec80118633..671b5f7a29 100644 --- a/translations/de.json +++ b/translations/de.json @@ -1,53 +1,193 @@ { + "attribute": { + "weather": { + "humidity": "Luftfeuchtigkeit", + "visibility": "Sichtweite", + "wind_speed": "Windgeschwindigkeit" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Konfigurationseintrag", + "integration": "Integration", + "user": "Benutzer" + } + }, + "domain": { + "alarm_control_panel": "Alarmanlage", + "automation": "Automatisierung", + "binary_sensor": "Binärsensor", + "calendar": "Kalender", + "camera": "Kamera", + "climate": "Klima", + "configurator": "Konfigurator", + "conversation": "Konversation", + "cover": "Abdeckung", + "device_tracker": "Geräte-Tracker", + "fan": "Ventilator", + "group": "Gruppe", + "hassio": "Hass.io", + "history_graph": "Verlaufsgrafik", + "homeassistant": "Home Assistant", + "image_processing": "Bildverarbeitung", + "input_boolean": "Boolsche Eingabe", + "input_datetime": "Eingabe Datum\/Uhrzeit", + "input_number": "Numerische Eingabe", + "input_select": "Auswahlfeld", + "input_text": "Texteingabe", + "light": "Licht", + "lock": "Schloss", + "lovelace": "Lovelace", + "mailbox": "Postfach", + "media_player": "Mediaplayer", + "notify": "Benachrichtigung", + "person": "Person", + "plant": "Pflanze", + "proximity": "Nähe", + "remote": "Fernbedienung", + "scene": "Szene", + "script": "Skript", + "sensor": "Sensor", + "sun": "Sonne", + "switch": "Schalter", + "system_health": "Systemzustand", + "updater": "Updater", + "vacuum": "Staubsauger", + "weblink": "Weblink", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Administratoren", + "system-read-only": "Nur-Lesen Benutzer", + "system-users": "Benutzer" + }, "panel": { + "calendar": "Kalender", "config": "Einstellungen", - "states": "Übersicht", - "map": "Karte", - "logbook": "Logbuch", - "history": "Verlauf", - "mailbox": "Posteingang", - "shopping_list": "Einkaufsliste", "dev-info": "Info", "developer_tools": "Entwicklerwerkzeuge", - "calendar": "Kalender", - "profile": "Profil" + "history": "Verlauf", + "logbook": "Logbuch", + "mailbox": "Posteingang", + "map": "Karte", + "profile": "Profil", + "shopping_list": "Einkaufsliste", + "states": "Übersicht" }, - "state": { - "default": { - "off": "Aus", - "on": "An", - "unknown": "Unbekannt", - "unavailable": "Nicht verfügbar" - }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Auto", + "off": "Aus", + "on": "An" + }, + "hvac_action": { + "cooling": "Kühlung", + "drying": "Trocknen", + "fan": "Ventilator", + "heating": "Heizung", + "idle": "Leerlauf", + "off": "Aus" + }, + "preset_mode": { + "activity": "Aktivität", + "away": "Abwesend", + "boost": "Maximal", + "comfort": "Komfort", + "eco": "Sparmodus", + "home": "Zuhause", + "none": "Keine", + "sleep": "Schlafen" + } + } + }, + "state_badge": { "alarm_control_panel": { "armed": "Aktiv", + "armed_away": "Aktiv", + "armed_custom_bypass": "Aktiv", + "armed_home": "Aktiv", + "armed_night": "Aktiv", + "arming": "Aktiv.", "disarmed": "Inaktiv", - "armed_home": "Aktiv, zu Hause", + "disarming": "Deakt.", + "pending": "Warte", + "triggered": "Ausgel." + }, + "default": { + "entity_not_found": "Entität nicht gefunden!", + "error": "Fehler", + "unavailable": "N.v.", + "unknown": "Unbek." + }, + "device_tracker": { + "home": "Z. Hause", + "not_home": "Abwes." + }, + "person": { + "home": "Zu Hause", + "not_home": "Abwesend" + } + }, + "state": { + "alarm_control_panel": { + "armed": "Aktiv", "armed_away": "Aktiv, abwesend", + "armed_custom_bypass": "Aktiv, benutzerdefiniert", + "armed_home": "Aktiv, zu Hause", "armed_night": "Aktiv, Nacht", - "pending": "Ausstehend", "arming": "Aktiviere", + "disarmed": "Inaktiv", "disarming": "Deaktiviere", - "triggered": "Ausgelöst", - "armed_custom_bypass": "Aktiv, benutzerdefiniert" + "pending": "Ausstehend", + "triggered": "Ausgelöst" }, "automation": { "off": "Aus", "on": "An" }, "binary_sensor": { + "battery": { + "off": "Normal", + "on": "Schwach" + }, + "cold": { + "off": "Normal", + "on": "Kalt" + }, + "connectivity": { + "off": "Getrennt", + "on": "Verbunden" + }, "default": { "off": "Aus", "on": "An" }, - "moisture": { - "off": "Trocken", - "on": "Nass" + "door": { + "off": "Geschlossen", + "on": "Offen" + }, + "garage_door": { + "off": "Geschlossen", + "on": "Offen" }, "gas": { "off": "Normal", "on": "Erkannt" }, + "heat": { + "off": "Normal", + "on": "Heiß" + }, + "lock": { + "off": "Verriegelt", + "on": "Entriegelt" + }, + "moisture": { + "off": "Trocken", + "on": "Nass" + }, "motion": { "off": "Ruhig", "on": "Bewegung erkannt" @@ -56,6 +196,22 @@ "off": "Frei", "on": "Belegt" }, + "opening": { + "off": "Geschlossen", + "on": "Offen" + }, + "presence": { + "off": "Abwesend", + "on": "Zu Hause" + }, + "problem": { + "off": "OK", + "on": "Problem" + }, + "safety": { + "off": "Sicher", + "on": "Unsicher" + }, "smoke": { "off": "OK", "on": "Rauch erkannt" @@ -68,53 +224,9 @@ "off": "Normal", "on": "Vibration" }, - "opening": { - "off": "Geschlossen", - "on": "Offen" - }, - "safety": { - "off": "Sicher", - "on": "Unsicher" - }, - "presence": { - "off": "Abwesend", - "on": "Zu Hause" - }, - "battery": { - "off": "Normal", - "on": "Schwach" - }, - "problem": { - "off": "OK", - "on": "Problem" - }, - "connectivity": { - "off": "Getrennt", - "on": "Verbunden" - }, - "cold": { - "off": "Normal", - "on": "Kalt" - }, - "door": { - "off": "Geschlossen", - "on": "Offen" - }, - "garage_door": { - "off": "Geschlossen", - "on": "Offen" - }, - "heat": { - "off": "Normal", - "on": "Heiß" - }, "window": { "off": "Geschlossen", "on": "Offen" - }, - "lock": { - "off": "Verriegelt", - "on": "Entriegelt" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "An" }, "camera": { + "idle": "Untätig", "recording": "Aufnehmen", - "streaming": "Überträgt", - "idle": "Untätig" + "streaming": "Überträgt" }, "climate": { - "off": "Aus", - "on": "An", - "heat": "Heizen", - "cool": "Kühlen", - "idle": "Untätig", "auto": "Automatisch", + "cool": "Kühlen", "dry": "Entfeuchten", - "fan_only": "Nur Ventilator", "eco": "Sparmodus", "electric": "Elektrisch", - "performance": "Leistung", - "high_demand": "Hoher Verbrauch", - "heat_pump": "Wärmepumpe", + "fan_only": "Nur Ventilator", "gas": "Gas", + "heat": "Heizen", + "heat_cool": "Heizen\/Kühlen", + "heat_pump": "Wärmepumpe", + "high_demand": "Hoher Verbrauch", + "idle": "Untätig", "manual": "Manuell", - "heat_cool": "Heizen\/Kühlen" + "off": "Aus", + "on": "An", + "performance": "Leistung" }, "configurator": { "configure": "Konfigurieren", "configured": "Konfiguriert" }, "cover": { - "open": "Offen", - "opening": "Öffnet", "closed": "Geschlossen", "closing": "Schließt", + "open": "Offen", + "opening": "Öffnet", "stopped": "Angehalten" }, + "default": { + "off": "Aus", + "on": "An", + "unavailable": "Nicht verfügbar", + "unknown": "Unbekannt" + }, "device_tracker": { "home": "Zu Hause", "not_home": "Abwesend" @@ -164,19 +282,19 @@ "on": "An" }, "group": { - "off": "Aus", - "on": "An", - "home": "Zu Hause", - "not_home": "Abwesend", - "open": "Offen", - "opening": "Öffnet", "closed": "Geschlossen", "closing": "Schließt", - "stopped": "Angehalten", + "home": "Zu Hause", "locked": "Verriegelt", - "unlocked": "Entriegelt", + "not_home": "Abwesend", + "off": "Aus", "ok": "OK", - "problem": "Problem" + "on": "An", + "open": "Offen", + "opening": "Öffnet", + "problem": "Problem", + "stopped": "Angehalten", + "unlocked": "Entriegelt" }, "input_boolean": { "off": "Aus", @@ -191,13 +309,17 @@ "unlocked": "Entriegelt" }, "media_player": { + "idle": "Untätig", "off": "Aus", "on": "An", - "playing": "Spielt", "paused": "Pausiert", - "idle": "Untätig", + "playing": "Spielt", "standby": "Standby" }, + "person": { + "home": "Zu Hause", + "not_home": "Abwesend" + }, "plant": { "ok": "OK", "problem": "Problem" @@ -225,34 +347,10 @@ "off": "Aus", "on": "An" }, - "zwave": { - "default": { - "initializing": "Initialisierend", - "dead": "Nicht erreichbar", - "sleeping": "Schlafend", - "ready": "Bereit" - }, - "query_stage": { - "initializing": "Initialisiere ({query_stage})", - "dead": "Nicht erreichbar ({query_stage})" - } - }, - "weather": { - "clear-night": "Klare Nacht", - "cloudy": "Bewölkt", - "fog": "Nebel", - "hail": "Hagel", - "lightning": "Gewitter", - "lightning-rainy": "Gewitter, regnerisch", - "partlycloudy": "Teilweise bewölkt", - "pouring": "Strömend", - "rainy": "Regnerisch", - "snowy": "Verschneit", - "snowy-rainy": "Verschneit, regnerisch", - "sunny": "Sonnig", - "windy": "Windig", - "windy-variant": "Windig", - "exceptional": "Außergewöhnlich" + "timer": { + "active": "aktiv", + "idle": "Leerlauf", + "paused": "pausiert" }, "vacuum": { "cleaning": "Reinigen", @@ -264,198 +362,729 @@ "paused": "Pausiert", "returning": "Rückkehr zur Dockingstation" }, - "timer": { - "active": "aktiv", - "idle": "Leerlauf", - "paused": "pausiert" + "weather": { + "clear-night": "Klare Nacht", + "cloudy": "Bewölkt", + "exceptional": "Außergewöhnlich", + "fog": "Nebel", + "hail": "Hagel", + "lightning": "Gewitter", + "lightning-rainy": "Gewitter, regnerisch", + "partlycloudy": "Teilweise bewölkt", + "pouring": "Strömend", + "rainy": "Regnerisch", + "snowy": "Verschneit", + "snowy-rainy": "Verschneit, regnerisch", + "sunny": "Sonnig", + "windy": "Windig", + "windy-variant": "Windig" }, - "person": { - "home": "Zu Hause", - "not_home": "Abwesend" - } - }, - "state_badge": { - "default": { - "unknown": "Unbek.", - "unavailable": "N.v.", - "error": "Fehler", - "entity_not_found": "Entität nicht gefunden!" - }, - "alarm_control_panel": { - "armed": "Aktiv", - "disarmed": "Inaktiv", - "armed_home": "Aktiv", - "armed_away": "Aktiv", - "armed_night": "Aktiv", - "pending": "Warte", - "arming": "Aktiv.", - "disarming": "Deakt.", - "triggered": "Ausgel.", - "armed_custom_bypass": "Aktiv" - }, - "device_tracker": { - "home": "Z. Hause", - "not_home": "Abwes." - }, - "person": { - "home": "Zu Hause", - "not_home": "Abwesend" + "zwave": { + "default": { + "dead": "Nicht erreichbar", + "initializing": "Initialisierend", + "ready": "Bereit", + "sleeping": "Schlafend" + }, + "query_stage": { + "dead": "Nicht erreichbar ({query_stage})", + "initializing": "Initialisiere ({query_stage})" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Erledigte entfernen", - "add_item": "Artikel hinzufügen", - "microphone_tip": "Tippe oben rechts auf das Mikrofon und sage “Add candy to my shopping list”" + "auth_store": { + "ask": "Möchtest du diesen Login speichern?", + "confirm": "Login speichern", + "decline": "Nein Danke" + }, + "card": { + "alarm_control_panel": { + "arm_away": "Aktivieren, unterwegs", + "arm_custom_bypass": "Benutzerdefinierter Bypass", + "arm_home": "Aktivieren, Zuhause", + "arm_night": "Nacht aktiviert", + "armed_custom_bypass": "Benutzerdefinierter Bypass", + "clear_code": "Löschen", + "code": "Code", + "disarm": "Deaktivieren" }, - "developer-tools": { - "tabs": { - "services": { - "title": "Dienste", - "data": "Servicedaten (YAML, optional)", - "call_service": "Dienst ausführen", - "select_service": "Wählen Sie einen Service aus, um die Beschreibung anzuzeigen", - "no_description": "Es ist keine Beschreibung verfügbar", - "no_parameters": "Dieser Dienst benötigt keine Parameter.", - "column_parameter": "Parameter", - "column_description": "Beschreibung", - "column_example": "Beispiel", - "fill_example_data": "Mit Beispieldaten füllen", - "alert_parsing_yaml": "Fehler beim Parsen von YAML: {data}" - }, - "states": { - "title": "Zustände", - "description1": "Stellen Sie die Darstellung eines Geräts in Home Assistant ein.", - "description2": "Dies führt nicht zur Kommunikation mit dem eigentlichen Gerät.", - "entity": "Entität", - "state": "Zustand", - "attributes": "Attribute", - "state_attributes": "Statusattribute (YAML, optional)", - "set_state": "Status setzen", - "current_entities": "Aktuelle Entitäten", - "filter_entities": "Entitäten filtern", - "filter_states": "Zustände filtern", - "filter_attributes": "Attribute filtern", - "no_entities": "Keine Entitäten", - "more_info": "Mehr Info", - "alert_entity_field": "Die Entität ist ein Pflichtfeld" - }, - "events": { - "title": "Ereignisse", - "description": "Lösen Sie ein Ereignis im Ereignisbus aus.", - "documentation": "Dokumentation von Ereignissen.", - "type": "Ereignistyp", - "data": "Ereignisdaten (YAML, optional)", - "fire_event": "Ereignis auslösen", - "event_fired": "Ereignis {name} ausgelöst", - "available_events": "Verfügbare Ereignisse", - "count_listeners": " ({count} Listener)", - "listen_to_events": "Hören auf Ereignisse", - "listening_to": "Hören auf" - }, - "templates": { - "title": "Vorlage", - "description": "Vorlagen werden durch die Jinja2-Template-Engine mit einigen für Home Assistant spezifischen Erweiterungen gerendert.", - "editor": "Vorlageneditor", - "jinja_documentation": "Jinja2 Template Dokumentation", - "template_extensions": "Home Assistant-Vorlagenerweiterungen", - "unknown_error_template": "Unbekannter Fehler beim Rendern der Vorlage" - }, - "mqtt": { - "title": "MQTT", - "description_publish": "Ein Paket veröffentlichen", - "topic": "Topic", - "publish": "Veröffentlichen", - "message_received": "Nachricht {id} empfangen auf {topic} um {time} :" - }, - "info": { - "title": "Info", - "remove": "Entfernen", - "set": "Setzen", - "default_ui": "{action} {name} als Standardseite auf diesem Gerät", - "lovelace_ui": "Gehen Sie zur Lovelace-Benutzeroberfläche", - "states_ui": "Gehen Sie zu den State UI", - "home_assistant_logo": "Home Assistant-Logo", - "path_configuration": "Pfad zu configuration.yaml: {path}", - "developed_by": "Entwickelt von einem Haufen toller Leute.", - "license": "Veröffentlicht unter der Apache 2.0 Lizenz", - "source": "Quelle:", - "server": "Server", - "frontend": "Frontend-UI", - "built_using": "Gebaut mit", - "icons_by": "Icons von", - "frontend_version": "Frontend-Version: {version} - {type}", - "custom_uis": "Benutzerdefinierte UIs:", - "system_health_error": "System Health-Komponente wird nicht geladen. Fügen Sie 'system_health:' zu configuration.yaml hinzu" - }, - "logs": { - "title": "Logs", - "details": "Protokolldetails ( {level} )", - "load_full_log": "Vollständiges Home Assistant-Protokoll laden", - "loading_log": "Fehlerprotokoll wird geladen ...", - "no_errors": "Es wurden keine Fehler gemeldet.", - "no_issues": "Es gibt keine neuen Probleme!", - "clear": "Leeren", - "refresh": "Aktualisieren", - "multiple_messages": "Die Nachricht ist zum ersten Mal um {time} aufgetreten und erscheint {counter} mal" - } + "automation": { + "last_triggered": "Zuletzt ausgelöst", + "trigger": "Auslösen" + }, + "camera": { + "not_available": "Bild nicht verfügbar" + }, + "climate": { + "aux_heat": "Hilfswärme", + "away_mode": "Abwesenheitsmodus", + "cooling": "{name} Kühlung", + "current_temperature": "{name} aktuelle Temperatur", + "currently": "Aktuell", + "fan_mode": "Ventilator-Modus", + "heating": "{name} Heizung", + "high": "hoch", + "low": "niedrig", + "on_off": "An \/ aus", + "operation": "Aktion", + "preset_mode": "Voreinstellung", + "swing_mode": "Schwenk-Modus", + "target_humidity": "Soll-Luftfeuchtigkeit", + "target_temperature": "Soll-Temperatur", + "target_temperature_entity": "{name} Zieltemperatur", + "target_temperature_mode": "{name} Zieltemperatur {mode}" + }, + "counter": { + "actions": { + "decrement": "dekrementieren", + "increment": "inkrementieren", + "reset": "zurücksetzen" } }, - "history": { - "showing_entries": "Zeige Einträge für", - "period": "Zeitraum" + "cover": { + "position": "Position", + "tilt_position": "Kippstellung" }, - "logbook": { - "showing_entries": "Zeige Einträge für", - "period": "Zeitraum" + "fan": { + "direction": "Richtung", + "forward": "Vorwärts", + "oscillate": "Oszillieren", + "reverse": "Rückwärts", + "speed": "Geschwindigkeit" }, - "mailbox": { - "empty": "Du hast keine Nachrichten", - "playback_title": "Nachrichtenwiedergabe", - "delete_prompt": "Diese Nachricht löschen?", - "delete_button": "Löschen" + "light": { + "brightness": "Helligkeit", + "color_temperature": "Farbtemperatur", + "effect": "Effekt", + "white_value": "Weißwert" }, + "lock": { + "code": "Code", + "lock": "Verriegeln", + "unlock": "Entriegeln" + }, + "media_player": { + "sound_mode": "Sound-Modus", + "source": "Quelle", + "text_to_speak": "Text zum Sprechen" + }, + "persistent_notification": { + "dismiss": "Ausblenden" + }, + "scene": { + "activate": "Aktivieren" + }, + "script": { + "execute": "Ausführen" + }, + "timer": { + "actions": { + "cancel": "Abbrechen", + "finish": "Ende", + "pause": "Pause", + "start": "Start" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Reinigung fortsetzen", + "return_to_base": "Zurück zur Dockingstation", + "start_cleaning": "Reinigung starten", + "turn_off": "Ausschalten", + "turn_on": "Einschalten" + } + }, + "water_heater": { + "away_mode": "Abwesenheitsmodus", + "currently": "Aktuell", + "on_off": "An \/ Aus", + "operation": "Betrieb", + "target_temperature": "Solltemperatur" + }, + "weather": { + "attributes": { + "air_pressure": "Luftdruck", + "humidity": "Luftfeuchtigkeit", + "temperature": "Temperatur", + "visibility": "Sichtweite", + "wind_speed": "Windgeschwindigkeit" + }, + "cardinal_direction": { + "e": "O", + "ene": "ONO", + "ese": "OSO", + "n": "N", + "ne": "NO", + "nne": "NNO", + "nnw": "NNW", + "nw": "NW", + "s": "S", + "se": "SO", + "sse": "SSO", + "ssw": "SSW", + "sw": "SW", + "w": "W", + "wnw": "WNW", + "wsw": "WSW" + }, + "forecast": "Prognose" + } + }, + "common": { + "cancel": "Abbrechen", + "loading": "Laden", + "save": "Speichern", + "successfully_saved": "Erfolgreich gespeichert" + }, + "components": { + "device-picker": { + "clear": "Löschen", + "show_devices": "Geräte anzeigen" + }, + "entity": { + "entity-picker": { + "clear": "Löschen", + "entity": "Entität", + "show_entities": "Entitäten anzeigen" + } + }, + "history_charts": { + "loading_history": "Lade Zustandsverlauf...", + "no_history_found": "Kein Zustandsverlauf gefunden." + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\none {Tag}\\nother {Tagen}\\n}", + "hour": "{count} {count, plural,\\none {Stunde}\\nother {Stunden}\\n}", + "minute": "{count} {count, plural,\\none {Minute}\\nother {Minuten}\\n}", + "second": "{count} {count, plural,\\none {Sekunde}\\nother {Sekunden}\\n}", + "week": "{count} {count, plural,\\none {Woche}\\nother {Wochen}\\n}" + }, + "future": "In {time}", + "never": "Noch nie", + "past": "Vor {time}" + }, + "service-picker": { + "service": "Dienst" + } + }, + "dialogs": { + "config_entry_system_options": { + "enable_new_entities_description": "Neu erkannte Entitäten werden nicht automatisch in Home Assistant hinzugefügt wenn sie deaktiviert sind.", + "enable_new_entities_label": "Neu hinzugefügte Entitäten aktivieren.", + "title": "Systemoptionen" + }, + "confirmation": { + "cancel": "Abbrechen", + "ok": "OK", + "title": "Sind Sie sicher?" + }, + "more_info_control": { + "script": { + "last_action": "Letzte Aktion" + }, + "sun": { + "elevation": "Höhe", + "rising": "Aufgang", + "setting": "Untergang" + }, + "updater": { + "title": "Update-Anweisungen" + } + }, + "more_info_settings": { + "entity_id": "Entitäts-ID", + "name": "Name", + "save": "Speichern" + }, + "options_flow": { + "form": { + "header": "Optionen" + }, + "success": { + "description": "Optionen wurden erfolgreich gespeichert." + } + }, + "zha_device_info": { + "buttons": { + "add": "Geräte hinzufügen", + "reconfigure": "Gerät neu konfigurieren", + "remove": "Gerät entfernen" + }, + "last_seen": "Zuletzt gesehen", + "manuf": "von {manufacturer}", + "no_area": "Kein Bereich", + "power_source": "Energiequelle", + "quirk": "Eigenart", + "services": { + "reconfigure": "Konfigurieren Sie das ZHA-Gerät neu (Gerät heilen). Verwenden Sie diese Option, wenn Sie Probleme mit dem Gerät haben. Wenn es sich bei dem fraglichen Gerät um ein batteriebetriebenes Gerät handelt, vergewissern Sie sich, dass es wach ist und Befehle akzeptiert, wenn Sie diesen Dienst nutzen.", + "remove": "Entfernen Sie ein Gerät aus dem ZigBee-Netzwerk.", + "updateDeviceName": "Lege einen benutzerdefinierten Namen für dieses Gerät in der Geräteregistrierung fest." + }, + "unknown": "Unbekannt", + "zha_device_card": { + "area_picker_label": "Bereich", + "device_name_placeholder": "Vorname des Benutzers", + "update_name_button": "Aktualisierung Name" + } + } + }, + "duration": { + "day": "{count} {count, plural,\\none {Tag}\\nother {Tage}\\n}", + "hour": "{count} {count, plural,\\none {Stunde}\\nother {Stunden}\\n}", + "minute": "{count} {count, plural,\\none {Minute}\\nother {Minuten}\\n}", + "second": "{count} {count, plural,\\none {Sekunde}\\nother {Sekunden}\\n}", + "week": "{count} {count, plural,\\none {Woche}\\nother {Wochen}\\n}" + }, + "login-form": { + "log_in": "Anmelden", + "password": "Passwort", + "remember": "Merken" + }, + "notification_drawer": { + "click_to_configure": "Klicke auf die Schaltfläche, um {entity} zu konfigurieren.", + "empty": "Keine Benachrichtigungen", + "title": "Benachrichtigungen" + }, + "notification_toast": { + "connection_lost": "Verbindung getrennt. Verbinde erneut...", + "entity_turned_off": "{entity} ausgeschaltet.", + "entity_turned_on": "{entity} eingeschaltet.", + "service_call_failed": "Fehler beim Aufrufen des Service {service}.", + "service_called": "Dienst {service} aufgerufen.", + "triggered": "{name} ausgelöst" + }, + "panel": { "config": { - "header": "Home Assistant konfigurieren", - "introduction": "Hier ist es möglich, deine Komponenten und Home Assistant zu konfigurieren. Noch ist nicht alles über die GUI einstellbar, aber wir arbeiten daran.", + "area_registry": { + "caption": "Bereichsregister", + "create_area": "BEREICH ERSTELLEN", + "description": "Überblick über alle Bereiche in Deinem Haus.", + "editor": { + "create": "ERSTELLEN", + "default_name": "Neuer Bereich", + "delete": "LÖSCHEN", + "update": "AKTUALISIEREN" + }, + "no_areas": "Sieht aus, als hättest du noch keine Bereiche!", + "picker": { + "create_area": "BEREICH ERSTELLEN", + "header": "Bereichsregister", + "integrations_page": "Integrationsseite", + "introduction": "In Bereichen wird festgelegt, wo sich Geräte befinden. Diese Informationen werden in Home Assistant verwendet, um dich bei der Organisation deiner Benutzeroberfläche, Berechtigungen und Integrationen mit anderen Systemen zu unterstützen.", + "introduction2": "Um Geräte in einem Bereich zu platzieren, navigieren Sie mit dem Link unten zur Integrationsseite und klicken Sie dann auf eine konfigurierte Integration, um zu den Gerätekarten zu gelangen.", + "no_areas": "Sieht aus, als hättest du noch keine Bereiche!" + } + }, + "automation": { + "caption": "Automatisierung", + "description": "Automatisierungen erstellen und bearbeiten", + "editor": { + "actions": { + "add": "Aktion hinzufügen", + "delete": "Löschen", + "delete_confirm": "Möchtest du das wirklich löschen?", + "duplicate": "Duplizieren", + "header": "Aktionen", + "introduction": "Aktionen werden von Home Assistant ausgeführt, wenn Automatisierungen ausgelöst werden.", + "learn_more": "Erfahre mehr über Aktionen", + "type_select": "Aktionstyp", + "type": { + "condition": { + "label": "Bedingung" + }, + "delay": { + "delay": "Verzögerung", + "label": "Verzögerung" + }, + "device_id": { + "extra_fields": { + "code": "Code" + }, + "label": "Gerät" + }, + "event": { + "event": "Ereignis:", + "label": "Ereignis auslösen", + "service_data": "Dienstdaten" + }, + "scene": { + "label": "Szene aktivieren" + }, + "service": { + "label": "Dienst ausführen", + "service_data": "Dienstdaten" + }, + "wait_template": { + "label": "Warten", + "timeout": "Timeout (optional)", + "wait_template": "Warte-Template" + } + }, + "unsupported_action": "Nicht unterstützte Aktion: {action}" + }, + "alias": "Name", + "conditions": { + "add": "Bedingung hinzufügen", + "delete": "Löschen", + "delete_confirm": "Möchtest du das wirklich löschen?", + "duplicate": "Duplizieren", + "header": "Bedingungen", + "introduction": "Bedingungen sind ein optionaler Bestandteil bei automatisierten Abläufen und können das Ausführen einer Aktion verhindern. Bedingungen sind Auslösern ähnlich, aber dennoch verschieden. Ein Auslöser beobachtet im System ablaufende Ereignisse, wohingegen Bedingungen nur den aktuellen Systemzustand betrachten. Ein Auslöser kann beobachten, ob ein Schalter aktiviert wird. Eine Bedingung kann lediglich sehen, ob ein Schalter aktuell an oder aus ist.", + "learn_more": "Erfahre mehr über Bedingungen", + "type_select": "Bedingungstyp", + "type": { + "and": { + "label": "Und" + }, + "device": { + "extra_fields": { + "above": "Über", + "below": "Unter", + "for": "Dauer" + }, + "label": "Gerät" + }, + "numeric_state": { + "above": "Über", + "below": "Unter", + "label": "Numerischer Zustand", + "value_template": "Wert-Template (optional)" + }, + "or": { + "label": "Oder" + }, + "state": { + "label": "Zustand", + "state": "Zustand" + }, + "sun": { + "after": "Nach:", + "after_offset": "Nach Versatz (optional)", + "before": "Vor:", + "before_offset": "Vor Versatz (optional)", + "label": "Sonne", + "sunrise": "Sonnenaufgang", + "sunset": "Sonnenuntergang" + }, + "template": { + "label": "Template", + "value_template": "Wert-Template" + }, + "time": { + "after": "Nach", + "before": "Vor", + "label": "Zeit" + }, + "zone": { + "entity": "Entität mit Standort", + "label": "Zone", + "zone": "Zone" + } + }, + "unsupported_condition": "Nicht unterstützte Bedingung: {condition}" + }, + "default_name": "Neue Automatisierung", + "description": { + "label": "Beschreibung", + "placeholder": "Optionale Beschreibung" + }, + "introduction": "Benutze Automatisierungen, um deinem Zuhause Leben einzuhauchen", + "load_error_not_editable": "Nur Automatisierungen in automations.yaml sind editierbar.", + "load_error_unknown": "Fehler beim Laden der Automatisierung ({err_no}).", + "save": "Speichern", + "triggers": { + "add": "Auslöser hinzufügen", + "delete": "Löschen", + "delete_confirm": "Möchtest du das wirklich löschen?", + "duplicate": "Duplizieren", + "header": "Auslöser", + "introduction": "Auslöser starten automatisierte Abläufe. Es ist möglich, mehrere Auslöser für dieselbe Abfolge zu definieren. Wenn ein Auslöser aktiviert wird, prüft Home Assistant die Bedingungen, sofern vorhanden, und führt die Aktion aus.", + "learn_more": "Erfahre mehr über Auslöser", + "type_select": "Auslösertyp", + "type": { + "device": { + "extra_fields": { + "above": "Über", + "below": "Unter", + "for": "Dauer" + }, + "label": "Gerät" + }, + "event": { + "event_data": "Ereignisdaten", + "event_type": "Ereignistyp", + "label": "Ereignis" + }, + "geo_location": { + "enter": "Betreten", + "event": "Ereignis:", + "label": "Geolokalisierung", + "leave": "Verlassen", + "source": "Quelle", + "zone": "Zone" + }, + "homeassistant": { + "event": "Ereignis:", + "label": "Home Assistant", + "shutdown": "Beenden", + "start": "Start" + }, + "mqtt": { + "label": "MQTT", + "payload": "Payload (optional)", + "topic": "Thema" + }, + "numeric_state": { + "above": "Über", + "below": "Unter", + "label": "Numerischer Zustand", + "value_template": "Wert-Template (optional)" + }, + "state": { + "for": "Für", + "from": "Von", + "label": "Zustand", + "to": "Zu" + }, + "sun": { + "event": "Ereignis:", + "label": "Sonne", + "offset": "Versatz (optional)", + "sunrise": "Sonnenaufgang", + "sunset": "Sonnenuntergang" + }, + "template": { + "label": "Template", + "value_template": "Wert-Template" + }, + "time_pattern": { + "hours": "Stunden", + "label": "Zeitraster", + "minutes": "Minuten", + "seconds": "Sekunden" + }, + "time": { + "at": "Um", + "label": "Zeit" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook ID" + }, + "zone": { + "enter": "Betreten", + "entity": "Entität mit Standort", + "event": "Ereignis:", + "label": "Zone", + "leave": "Verlassen", + "zone": "Zone" + } + }, + "unsupported_platform": "Nicht unterstützte Plattform: {platform}" + }, + "unsaved_confirm": "Du hast ungespeicherte Änderungen. Bist du dir sicher, dass du den Editor verlassen möchtest?" + }, + "picker": { + "add_automation": "Automatisierung hinzufügen", + "header": "Automatisierungseditor", + "introduction": "Mit dem Automationseditor können Automatisierungen erstellt und bearbeitet werden. Bitte folge dem nachfolgenden Link, um die Anleitung zu lesen, um sicherzustellen, dass du Home Assistant richtig konfiguriert hast.", + "learn_more": "Erfahre mehr über Automatisierungen", + "no_automations": "Wir konnten keine editierbaren Automatisierungen finden", + "pick_automation": "Wähle eine Automatisierung zum Bearbeiten" + } + }, + "cloud": { + "account": { + "alexa": { + "config_documentation": "Konfigurationsdokumentation", + "disable": "deaktiviert", + "enable": "aktiviert", + "enable_ha_skill": "Aktiviere den Home Assistant-Skill für Alexa", + "enable_state_reporting": "Statusberichterstattung aktivieren", + "info": "Mit der Alexa-Integration für Home Assistant Cloud können Sie alle Ihre Home Assistant-Geräte über jedes Alexa-fähige Gerät steuern.", + "info_state_reporting": "Wenn die Statusberichterstellung aktiviert wird, sendet Home Assistant alle Statusänderungen exponierter Entitäten an Amazon. So wird in der Alexa-App immer der neueste Status angezeigt.", + "manage_entities": "Entitäten verwalten", + "state_reporting_error": "Der Berichtsstatus kann nicht {enable_disable} werden.", + "sync_entities": "Entitäten synchronisieren", + "sync_entities_error": "Fehler beim Synchronisieren von Entitäten:", + "title": "Alexa" + }, + "connected": "Verbunden", + "connection_status": "Cloud-Verbindungsstatus", + "fetching_subscription": "Abo wird abgerufen ...", + "google": { + "config_documentation": "Konfigurationsdokumentation", + "devices_pin": "Sicherheitsgeräte PIN", + "enable_ha_skill": "Aktivieren Sie den Home Assistant-Skill für Google Assistant", + "enable_state_reporting": "Statusberichterstattung aktivieren", + "enter_pin_error": "PIN kann nicht gespeichert werden:", + "enter_pin_hint": "Geben Sie eine PIN ein, um Sicherheitsgeräte zu verwenden", + "enter_pin_info": "Bitte geben Sie eine PIN ein, um mit Sicherheitsgeräten zu interagieren. Sicherheitsgeräte sind Türen, Garagentore und Schlösser. Sie werden aufgefordert, diese PIN zu sagen \/ einzugeben, wenn Sie mit solchen Geräten über Google Assistant interagieren.", + "info": "Mit der Google Assistant-Integration für Home Assistant Cloud können Sie alle Ihre Home Assistant-Geräte über jedes Google Assistant-fähige Gerät steuern.", + "info_state_reporting": "Wenn die Statusberichterstellung aktiviert wird, sendet Home Assistant alle Statusänderungen exponierter Entitäten an Google. So wird in der Google-App immer der neueste Status angezeigt.", + "manage_entities": "Entitäten verwalten", + "security_devices": "Sicherheitsgeräte", + "sync_entities": "Entitäten mit Google synchronisieren", + "title": "Google Assistant" + }, + "integrations": "Integrationen", + "integrations_introduction": "Mit den Integrationen der Home Assistant Cloud können Diensten in der Cloud verbunden werden, ohne dass die Home Assistant Instalation öffentlich im Internet erreichbar sein muss.", + "integrations_introduction2": "Überprüfe die Website für ", + "integrations_link_all_features": " alle verfügbaren Funktionen", + "manage_account": "Konto verwalten", + "nabu_casa_account": "Nabu Casa Konto", + "not_connected": "Nicht verbunden", + "remote": { + "access_is_being_prepared": "Der Fernzugriff wird vorbereitet. Wir werden Sie benachrichtigen, wenn alles fertig ist.", + "certificate_info": "Zertifikatsinformationen", + "info": "Home Assistant Cloud bietet eine sichere Remote-Verbindung zu Ihrer Instanz, wenn Sie nicht zu Hause sind.", + "instance_is_available": "Ihre Instanz ist verfügbar unter", + "instance_will_be_available": "Ihre Instanz wird verfügbar sein unter", + "link_learn_how_it_works": "Lerne, wie es funktioniert", + "title": "Fernsteuerung" + }, + "sign_out": "Abmelden", + "thank_you_note": "Vielen Dank, dass Sie Teil der Home Assistant Cloud sind. Es ist wegen Menschen wie Ihnen, dass wir in der Lage sind, eine großartige Home Automation Erfahrung für alle zu machen. Danke!", + "webhooks": { + "disable_hook_error_msg": "Fehler beim Deaktivieren des Webhooks:", + "info": "Alles, was so konfiguriert ist, dass es durch einen Webhook ausgelöst wird, kann mit einer öffentlich zugänglichen URL versehen werden, damit Daten von überall an Home Assistant gesenden werden können, ohne deine Installation dem Internet zu öffnen.", + "link_learn_more": "Weitere Informationen zum Erstellen webhookgestützter Automatisierungen.", + "loading": "Wird geladen ...", + "manage": "Verwalten", + "no_hooks_yet": "Sieht so aus, als gäbe es noch keine Webhooks. Beginne mit der Konfiguration eines ", + "no_hooks_yet_link_automation": "Webhook-Automatisierung", + "no_hooks_yet_link_integration": "Webhook-basierte Integration", + "no_hooks_yet2": "oder durch Erstellen eines", + "title": "Webhooks" + } + }, + "alexa": { + "banner": "Das Bearbeiten der Entitäten, die über diese Benutzeroberfläche verfügbar gemacht werden, ist deaktiviert, da in configuration.yaml Entitätsfilter konfiguriert sind.", + "expose": "In Alexa anzeigen", + "exposed_entities": "Exponierte Entitäten", + "not_exposed_entities": "Nicht exponierte Entitäten", + "title": "Alexa" + }, + "caption": "Home Assistant Cloud", + "description_features": "Fernsteuerung und Integration mit Alexa und Google Assistant.", + "description_login": "Angemeldet als {email}", + "description_not_login": "Nicht angemeldet", + "dialog_certificate": { + "certificate_expiration_date": "Ablaufdatum des Zertifikats", + "certificate_information": "Zertifikatsinformationen", + "close": "Schließen", + "fingerprint": "Zertifikat Fingerabdruck:", + "will_be_auto_renewed": "Wird automatisch erneuert" + }, + "dialog_cloudhook": { + "available_at": "Der Webhook ist unter der folgenden URL verfügbar:", + "close": "Schließen", + "confirm_disable": "Möchten Sie diesen Webhook wirklich deaktivieren?", + "copied_to_clipboard": "In die Zwischenablage kopiert", + "info_disable_webhook": "Wenn Sie diesen Webhook nicht mehr nutzen wollen, können Sie", + "link_disable_webhook": "deaktiviere es", + "managed_by_integration": "Dieser Webhook wird von einer Integration verwaltet und kann nicht deaktiviert werden.", + "view_documentation": "Dokumentation anzeigen", + "webhook_for": "Webhook für {name}" + }, + "forgot_password": { + "check_your_email": "In Ihrer E-Mail finden Sie Anweisungen zum Zurücksetzen Ihres Passworts.", + "email": "E-Mail", + "email_error_msg": "Ungültige E-Mail", + "instructions": "Geben Sie Ihre E-Mail-Adresse ein und wir senden Ihnen einen Link zum Zurücksetzen Ihres Passworts.", + "send_reset_email": "Reset-E-Mail senden", + "subtitle": "Passwort vergessen", + "title": "Passwort vergessen" + }, + "google": { + "banner": "Das Bearbeiten der Entitäten, die über diese Benutzeroberfläche verfügbar gemacht werden, ist deaktiviert, da in configuration.yaml Entitätsfilter konfiguriert sind.", + "disable_2FA": "Zweifaktor-Authentifizierung deaktivieren", + "expose": "Im Google Assistenten anzeigen", + "exposed_entities": "Exponierte Entitäten", + "not_exposed_entities": "Nicht exponierte Entitäten", + "sync_to_google": "Änderungen mit Google synchronisieren.", + "title": "Google Assistant" + }, + "login": { + "alert_email_confirm_necessary": "Sie müssen Ihre E-Mail-Adresse bestätigen, bevor Sie sich anmelden können.", + "alert_password_change_required": "Sie müssen Ihr Passwort ändern, bevor Sie sich anmelden können.", + "dismiss": "Ausblenden", + "email": "E-Mail", + "email_error_msg": "Ungültige E-Mail", + "forgot_password": "Passwort vergessen?", + "introduction": "Home Assistant Cloud bietet eine sichere Remote-Verbindung zu Ihrer Instanz, wenn Sie nicht zu Hause sind. Es erlaubt auch die Verbindung zu Amazon Alexa und Google Assistant.", + "introduction2": "Diesen Service betreibt unser Partner ", + "introduction2a": ", ein Unternehmen, das von den Gründern von Home Assistant und Hass.io gegründet wurde.", + "introduction3": "Home Assistant Cloud ist ein Abonnementdienst mit einer kostenlosen einmonatigen Testperiode. Keine Zahlungsinformationen erforderlich.", + "learn_more_link": "Erfahre mehr über Home Assistant Cloud", + "password": "Passwort", + "password_error_msg": "Passwörter bestehen aus mindestens 8 Zeichen", + "sign_in": "Anmelden", + "start_trial": "Starten Sie Ihre kostenlose 1-monatige Testperiode", + "title": "Cloud-Anmeldung", + "trial_info": "Keine Zahlungsinformationen erforderlich" + }, + "register": { + "account_created": "Account erstellt! Schau in deiner E-Mail nach, wie du dein Konto aktivieren kannst.", + "create_account": "Benutzerkonto anlegen", + "email_address": "E-Mail-Addresse", + "email_error_msg": "Ungültige E-Mail", + "feature_amazon_alexa": "Integration mit Amazon Alexa", + "feature_google_home": "Integration mit Google Assistant", + "feature_remote_control": "Steuere Home Assistant aus der Ferne", + "feature_webhook_apps": "Einfache Integration mit Webhook-basierten Apps wie OwnTracks", + "headline": "Testperiode starten", + "information": "Erstellen ein Konto, um eine kostenlose einmonatige Testperiode mit Home Assistant Cloud zu starten. Keine Zahlungsinformationen sind erforderlich.", + "information2": "Die Testperiode gibt Ihnen Zugriff auf alle Vorteile von Home Assistant Cloud, einschließlich:", + "information3": "Dieser Service wird von unserem Partner betrieben. ", + "information3a": ", ein Unternehmen, das von den Gründern von Home Assistant und Hass.io gegründet wurde.", + "information4": "Durch die Registrierung eines Kontos erklären Sie sich mit den folgenden Bedingungen einverstanden.", + "link_privacy_policy": "Datenschutz-Bestimmungen", + "link_terms_conditions": "Allgemeine Geschäftsbedingungen", + "password": "Passwort", + "password_error_msg": "Passwörter bestehen aus mindestens 8 Zeichen.", + "resend_confirm_email": "Bestätigungsmail erneut senden", + "start_trial": "Testperiode starten", + "title": "Konto registrieren" + } + }, + "common": { + "editor": { + "confirm_unsaved": "Du hast ungespeicherte Änderungen. Bist du dir sicher, dass du den Editor verlassen möchtest?" + } + }, "core": { "caption": "Allgemein", "description": "Bearbeite die allgemeine Konfiguration von Home Assistant", "section": { "core": { - "header": "Allgemeine Einstellungen", - "introduction": "Die Konfiguration zu ändern ist ein mühsamer Prozess. Das wissen wir. Dieser Bereich versucht dir das Leben etwas leichter zu gestalten.", "core_config": { "edit_requires_storage": "Editor deaktiviert, da die Konfiguration in configuration.yaml gespeichert ist.", - "location_name": "Name deiner Home Assistant Installation", - "latitude": "Breitengrad", - "longitude": "Längengrad", "elevation": "Höhe", "elevation_meters": "Meter", + "imperial_example": "Fahrenheit, Pfund", + "latitude": "Breitengrad", + "location_name": "Name deiner Home Assistant Installation", + "longitude": "Längengrad", + "metric_example": "Celsius, Kilogramm", + "save_button": "Speichern", "time_zone": "Zeitzone", "unit_system": "Einheitensystem", "unit_system_imperial": "Imperial", - "unit_system_metric": "Metrisch", - "imperial_example": "Fahrenheit, Pfund", - "metric_example": "Celsius, Kilogramm", - "save_button": "Speichern" - } + "unit_system_metric": "Metrisch" + }, + "header": "Allgemeine Einstellungen", + "introduction": "Die Konfiguration zu ändern ist ein mühsamer Prozess. Das wissen wir. Dieser Bereich versucht dir das Leben etwas leichter zu gestalten." }, "server_control": { - "validation": { - "heading": "Konfiguration überprüfen", - "introduction": "Überprüfe deine Konfiguration, wenn du kürzlich Änderungen vorgenommen hast und sicherstellen möchtest, dass alles ordnungsgemäß ist", - "check_config": "Konfiguration prüfen", - "valid": "Konfiguration in Ordnung", - "invalid": "Konfiguration fehlerhaft" - }, "reloading": { - "heading": "Konfiguration neu laden", - "introduction": "Einige Komponenten von Home Assistant können ohne einen Neustart neu geladen werden. \"Neu laden\" entlädt dabei die aktuelle Konfiguration und lädt die Neue.", + "automation": "Automatisierungen neu laden", "core": "Hauptsystem neu laden", "group": "Gruppen neu laden", - "automation": "Automatisierungen neu laden", + "heading": "Konfiguration neu laden", + "introduction": "Einige Komponenten von Home Assistant können ohne einen Neustart neu geladen werden. \"Neu laden\" entlädt dabei die aktuelle Konfiguration und lädt die Neue.", "script": "Skripte neu laden" }, "server_management": { @@ -463,6 +1092,13 @@ "introduction": "Verwalte den Home Assistant Server", "restart": "Neu starten", "stop": "Stoppen" + }, + "validation": { + "check_config": "Konfiguration prüfen", + "heading": "Konfiguration überprüfen", + "introduction": "Überprüfe deine Konfiguration, wenn du kürzlich Änderungen vorgenommen hast und sicherstellen möchtest, dass alles ordnungsgemäß ist", + "invalid": "Konfiguration fehlerhaft", + "valid": "Konfiguration in Ordnung" } } } @@ -475,507 +1111,69 @@ "introduction": "Optimieren Sie die Entitätenattribute. Hinzugefügte \/ bearbeitete Anpassungen werden sofort wirksam. Entfernte Anpassungen werden wirksam, wenn die Entität aktualisiert wird." } }, - "automation": { - "caption": "Automatisierung", - "description": "Automatisierungen erstellen und bearbeiten", - "picker": { - "header": "Automatisierungseditor", - "introduction": "Mit dem Automationseditor können Automatisierungen erstellt und bearbeitet werden. Bitte folge dem nachfolgenden Link, um die Anleitung zu lesen, um sicherzustellen, dass du Home Assistant richtig konfiguriert hast.", - "pick_automation": "Wähle eine Automatisierung zum Bearbeiten", - "no_automations": "Wir konnten keine editierbaren Automatisierungen finden", - "add_automation": "Automatisierung hinzufügen", - "learn_more": "Erfahre mehr über Automatisierungen" - }, - "editor": { - "introduction": "Benutze Automatisierungen, um deinem Zuhause Leben einzuhauchen", - "default_name": "Neue Automatisierung", - "save": "Speichern", - "unsaved_confirm": "Du hast ungespeicherte Änderungen. Bist du dir sicher, dass du den Editor verlassen möchtest?", - "alias": "Name", - "triggers": { - "header": "Auslöser", - "introduction": "Auslöser starten automatisierte Abläufe. Es ist möglich, mehrere Auslöser für dieselbe Abfolge zu definieren. Wenn ein Auslöser aktiviert wird, prüft Home Assistant die Bedingungen, sofern vorhanden, und führt die Aktion aus.", - "add": "Auslöser hinzufügen", - "duplicate": "Duplizieren", - "delete": "Löschen", - "delete_confirm": "Möchtest du das wirklich löschen?", - "unsupported_platform": "Nicht unterstützte Plattform: {platform}", - "type_select": "Auslösertyp", - "type": { - "event": { - "label": "Ereignis", - "event_type": "Ereignistyp", - "event_data": "Ereignisdaten" - }, - "state": { - "label": "Zustand", - "from": "Von", - "to": "Zu", - "for": "Für" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Ereignis:", - "start": "Start", - "shutdown": "Beenden" - }, - "mqtt": { - "label": "MQTT", - "topic": "Thema", - "payload": "Payload (optional)" - }, - "numeric_state": { - "label": "Numerischer Zustand", - "above": "Über", - "below": "Unter", - "value_template": "Wert-Template (optional)" - }, - "sun": { - "label": "Sonne", - "event": "Ereignis:", - "sunrise": "Sonnenaufgang", - "sunset": "Sonnenuntergang", - "offset": "Versatz (optional)" - }, - "template": { - "label": "Template", - "value_template": "Wert-Template" - }, - "time": { - "label": "Zeit", - "at": "Um" - }, - "zone": { - "label": "Zone", - "entity": "Entität mit Standort", - "zone": "Zone", - "event": "Ereignis:", - "enter": "Betreten", - "leave": "Verlassen" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook ID" - }, - "time_pattern": { - "label": "Zeitraster", - "hours": "Stunden", - "minutes": "Minuten", - "seconds": "Sekunden" - }, - "geo_location": { - "label": "Geolokalisierung", - "source": "Quelle", - "zone": "Zone", - "event": "Ereignis:", - "enter": "Betreten", - "leave": "Verlassen" - }, - "device": { - "label": "Gerät", - "extra_fields": { - "above": "Über", - "below": "Unter", - "for": "Dauer" - } - } - }, - "learn_more": "Erfahre mehr über Auslöser" + "devices": { + "automation": { + "actions": { + "caption": "Wenn etwas ausgelöst wird ..." }, "conditions": { - "header": "Bedingungen", - "introduction": "Bedingungen sind ein optionaler Bestandteil bei automatisierten Abläufen und können das Ausführen einer Aktion verhindern. Bedingungen sind Auslösern ähnlich, aber dennoch verschieden. Ein Auslöser beobachtet im System ablaufende Ereignisse, wohingegen Bedingungen nur den aktuellen Systemzustand betrachten. Ein Auslöser kann beobachten, ob ein Schalter aktiviert wird. Eine Bedingung kann lediglich sehen, ob ein Schalter aktuell an oder aus ist.", - "add": "Bedingung hinzufügen", - "duplicate": "Duplizieren", - "delete": "Löschen", - "delete_confirm": "Möchtest du das wirklich löschen?", - "unsupported_condition": "Nicht unterstützte Bedingung: {condition}", - "type_select": "Bedingungstyp", - "type": { - "state": { - "label": "Zustand", - "state": "Zustand" - }, - "numeric_state": { - "label": "Numerischer Zustand", - "above": "Über", - "below": "Unter", - "value_template": "Wert-Template (optional)" - }, - "sun": { - "label": "Sonne", - "before": "Vor:", - "after": "Nach:", - "before_offset": "Vor Versatz (optional)", - "after_offset": "Nach Versatz (optional)", - "sunrise": "Sonnenaufgang", - "sunset": "Sonnenuntergang" - }, - "template": { - "label": "Template", - "value_template": "Wert-Template" - }, - "time": { - "label": "Zeit", - "after": "Nach", - "before": "Vor" - }, - "zone": { - "label": "Zone", - "entity": "Entität mit Standort", - "zone": "Zone" - }, - "device": { - "label": "Gerät", - "extra_fields": { - "above": "Über", - "below": "Unter", - "for": "Dauer" - } - }, - "and": { - "label": "Und" - }, - "or": { - "label": "Oder" - } - }, - "learn_more": "Erfahre mehr über Bedingungen" + "caption": "Tu nur etwas, wenn..." }, - "actions": { - "header": "Aktionen", - "introduction": "Aktionen werden von Home Assistant ausgeführt, wenn Automatisierungen ausgelöst werden.", - "add": "Aktion hinzufügen", - "duplicate": "Duplizieren", - "delete": "Löschen", - "delete_confirm": "Möchtest du das wirklich löschen?", - "unsupported_action": "Nicht unterstützte Aktion: {action}", - "type_select": "Aktionstyp", - "type": { - "service": { - "label": "Dienst ausführen", - "service_data": "Dienstdaten" - }, - "delay": { - "label": "Verzögerung", - "delay": "Verzögerung" - }, - "wait_template": { - "label": "Warten", - "wait_template": "Warte-Template", - "timeout": "Timeout (optional)" - }, - "condition": { - "label": "Bedingung" - }, - "event": { - "label": "Ereignis auslösen", - "event": "Ereignis:", - "service_data": "Dienstdaten" - }, - "device_id": { - "label": "Gerät", - "extra_fields": { - "code": "Code" - } - }, - "scene": { - "label": "Szene aktivieren" - } - }, - "learn_more": "Erfahre mehr über Aktionen" - }, - "load_error_not_editable": "Nur Automatisierungen in automations.yaml sind editierbar.", - "load_error_unknown": "Fehler beim Laden der Automatisierung ({err_no}).", - "description": { - "label": "Beschreibung", - "placeholder": "Optionale Beschreibung" - } - } - }, - "script": { - "caption": "Skript", - "description": "Skripte erstellen und bearbeiten", - "picker": { - "header": "Skript-Editor", - "introduction": "Mit dem Skript-Editor können Skripte erstellt und bearbeitet werden. Bitte folge Sie dem untenstehenden Link, um die Anleitung zu finden. Das stellt sicher, dass Home Assistant richtig konfiguriert ist.", - "learn_more": "Weitere Informationen zu Skripten", - "no_scripts": "Wir konnten keine bearbeitbaren Skripte finden", - "add_script": "Skript hinzufügen" - }, - "editor": { - "header": "Skript: {name}", - "default_name": "Neues Skript", - "load_error_not_editable": "Nur Skripte in scripts.yaml können bearbeitet werden.", - "delete_confirm": "Möchten Sie dieses Skript wirklich löschen?" - } - }, - "zwave": { - "caption": "Z-Wave", - "description": "Z-Wave-Netzwerk verwalten", - "network_management": { - "header": "Z-Wave Netzwerkverwaltung", - "introduction": "Führt Befehle aus, die das Z-Wave Netzwerk betreffen. Es wird keine Rückmeldung darüber geben, ob die meisten Befehle erfolgreich waren, aber das OZW-Protokoll kann Hinweise darauf enthalten." - }, - "network_status": { - "network_stopped": "Z-Wave Netzwerk gestoppt", - "network_starting": "Z-Wave Netzwerk wird gestartet...", - "network_starting_note": "Dies kann je nach Größe des Netzwerks eine Weile dauern.", - "network_started": "Z-Wave Netzwerk gestartet", - "network_started_note_some_queried": "Aktive Knoten wurden abgefragt. Schlafende Knoten werden abgefragt, sobald sie aktiv werden.", - "network_started_note_all_queried": "Alle Knoten wurden abgefragt." - }, - "services": { - "start_network": "Netzwerk starten", - "stop_network": "Netzwerk stoppen", - "heal_network": "Netzwerk heilen", - "test_network": "Netzwerk testen", - "soft_reset": "Soft Reset", - "save_config": "Konfiguration speichern", - "add_node_secure": "Knoten verschlüsselt hinzufügen", - "add_node": "Knoten hinzufügen", - "remove_node": "Knoten entfernen", - "cancel_command": "Befehl abbrechen" - }, - "common": { - "value": "Wert", - "instance": "Instanz", - "index": "Index", - "unknown": "Unbekannt", - "wakeup_interval": "Aufwachintervall" - }, - "values": { - "header": "Knotenwerte" - }, - "node_config": { - "header": "Knotenkonfiguration", - "seconds": "Sekunden", - "set_wakeup": "Aufwachintervall einrichten", - "config_parameter": "Konfigurationsparameter", - "config_value": "Konfigurationswert", - "true": "Richtig", - "false": "Falsch", - "set_config_parameter": "Konfiguration speichern" - }, - "learn_more": "Erfahre mehr über Z-Wave", - "ozw_log": { - "header": "OZW Log", - "introduction": "Zeigen Sie das Protokoll an. 0 ist das Minimum (lädt das gesamte Protokoll) und 1000 ist das Maximum. Beim Laden wird ein statisches Protokoll angezeigt, und das Ende wird automatisch mit der zuletzt angegebenen Anzahl von Zeilen des Protokolls aktualisiert." - } - }, - "users": { - "caption": "Benutzer", - "description": "Benutzer verwalten", - "picker": { - "title": "Benutzer", - "system_generated": "System generiert" - }, - "editor": { - "rename_user": "Benutzer umbenennen", - "change_password": "Passwort ändern", - "activate_user": "Benutzer aktivieren", - "deactivate_user": "Benutzer deaktivieren", - "delete_user": "Benutzer löschen", - "caption": "Benutzer anzeigen", - "id": "ID", - "owner": "Besitzer", - "group": "Gruppe", - "active": "Aktiv", - "system_generated": "System generiert", - "system_generated_users_not_removable": "Vom System generierte Benutzer können nicht entfernt werden.", - "unnamed_user": "Unbenannter Benutzer", - "enter_new_name": "Neuen Namen eingeben", - "user_rename_failed": "Umbenennen des Benutzers fehlgeschlagen:", - "group_update_failed": "Gruppenaktualisierung fehlgeschlagen:", - "confirm_user_deletion": "Möchten Sie {name} wirklich löschen?" - }, - "add_user": { - "caption": "Benutzer hinzufügen", - "name": "Name", - "username": "Benutzername", - "password": "Passwort", - "create": "Benutzerkonto anlegen" - } - }, - "cloud": { - "caption": "Home Assistant Cloud", - "description_login": "Angemeldet als {email}", - "description_not_login": "Nicht angemeldet", - "description_features": "Fernsteuerung und Integration mit Alexa und Google Assistant.", - "login": { - "title": "Cloud-Anmeldung", - "introduction": "Home Assistant Cloud bietet eine sichere Remote-Verbindung zu Ihrer Instanz, wenn Sie nicht zu Hause sind. Es erlaubt auch die Verbindung zu Amazon Alexa und Google Assistant.", - "introduction2": "Diesen Service betreibt unser Partner ", - "introduction2a": ", ein Unternehmen, das von den Gründern von Home Assistant und Hass.io gegründet wurde.", - "introduction3": "Home Assistant Cloud ist ein Abonnementdienst mit einer kostenlosen einmonatigen Testperiode. Keine Zahlungsinformationen erforderlich.", - "learn_more_link": "Erfahre mehr über Home Assistant Cloud", - "dismiss": "Ausblenden", - "sign_in": "Anmelden", - "email": "E-Mail", - "email_error_msg": "Ungültige E-Mail", - "password": "Passwort", - "password_error_msg": "Passwörter bestehen aus mindestens 8 Zeichen", - "forgot_password": "Passwort vergessen?", - "start_trial": "Starten Sie Ihre kostenlose 1-monatige Testperiode", - "trial_info": "Keine Zahlungsinformationen erforderlich", - "alert_password_change_required": "Sie müssen Ihr Passwort ändern, bevor Sie sich anmelden können.", - "alert_email_confirm_necessary": "Sie müssen Ihre E-Mail-Adresse bestätigen, bevor Sie sich anmelden können." - }, - "forgot_password": { - "title": "Passwort vergessen", - "subtitle": "Passwort vergessen", - "instructions": "Geben Sie Ihre E-Mail-Adresse ein und wir senden Ihnen einen Link zum Zurücksetzen Ihres Passworts.", - "email": "E-Mail", - "email_error_msg": "Ungültige E-Mail", - "send_reset_email": "Reset-E-Mail senden", - "check_your_email": "In Ihrer E-Mail finden Sie Anweisungen zum Zurücksetzen Ihres Passworts." - }, - "register": { - "title": "Konto registrieren", - "headline": "Testperiode starten", - "information": "Erstellen ein Konto, um eine kostenlose einmonatige Testperiode mit Home Assistant Cloud zu starten. Keine Zahlungsinformationen sind erforderlich.", - "information2": "Die Testperiode gibt Ihnen Zugriff auf alle Vorteile von Home Assistant Cloud, einschließlich:", - "feature_remote_control": "Steuere Home Assistant aus der Ferne", - "feature_google_home": "Integration mit Google Assistant", - "feature_amazon_alexa": "Integration mit Amazon Alexa", - "feature_webhook_apps": "Einfache Integration mit Webhook-basierten Apps wie OwnTracks", - "information3": "Dieser Service wird von unserem Partner betrieben. ", - "information3a": ", ein Unternehmen, das von den Gründern von Home Assistant und Hass.io gegründet wurde.", - "information4": "Durch die Registrierung eines Kontos erklären Sie sich mit den folgenden Bedingungen einverstanden.", - "link_terms_conditions": "Allgemeine Geschäftsbedingungen", - "link_privacy_policy": "Datenschutz-Bestimmungen", - "create_account": "Benutzerkonto anlegen", - "email_address": "E-Mail-Addresse", - "email_error_msg": "Ungültige E-Mail", - "password": "Passwort", - "password_error_msg": "Passwörter bestehen aus mindestens 8 Zeichen.", - "start_trial": "Testperiode starten", - "resend_confirm_email": "Bestätigungsmail erneut senden", - "account_created": "Account erstellt! Schau in deiner E-Mail nach, wie du dein Konto aktivieren kannst." - }, - "account": { - "thank_you_note": "Vielen Dank, dass Sie Teil der Home Assistant Cloud sind. Es ist wegen Menschen wie Ihnen, dass wir in der Lage sind, eine großartige Home Automation Erfahrung für alle zu machen. Danke!", - "nabu_casa_account": "Nabu Casa Konto", - "connection_status": "Cloud-Verbindungsstatus", - "manage_account": "Konto verwalten", - "sign_out": "Abmelden", - "integrations": "Integrationen", - "integrations_introduction": "Mit den Integrationen der Home Assistant Cloud können Diensten in der Cloud verbunden werden, ohne dass die Home Assistant Instalation öffentlich im Internet erreichbar sein muss.", - "integrations_introduction2": "Überprüfe die Website für ", - "integrations_link_all_features": " alle verfügbaren Funktionen", - "connected": "Verbunden", - "not_connected": "Nicht verbunden", - "fetching_subscription": "Abo wird abgerufen ...", - "remote": { - "title": "Fernsteuerung", - "access_is_being_prepared": "Der Fernzugriff wird vorbereitet. Wir werden Sie benachrichtigen, wenn alles fertig ist.", - "info": "Home Assistant Cloud bietet eine sichere Remote-Verbindung zu Ihrer Instanz, wenn Sie nicht zu Hause sind.", - "instance_is_available": "Ihre Instanz ist verfügbar unter", - "instance_will_be_available": "Ihre Instanz wird verfügbar sein unter", - "link_learn_how_it_works": "Lerne, wie es funktioniert", - "certificate_info": "Zertifikatsinformationen" - }, - "alexa": { - "title": "Alexa", - "info": "Mit der Alexa-Integration für Home Assistant Cloud können Sie alle Ihre Home Assistant-Geräte über jedes Alexa-fähige Gerät steuern.", - "enable_ha_skill": "Aktiviere den Home Assistant-Skill für Alexa", - "config_documentation": "Konfigurationsdokumentation", - "enable_state_reporting": "Statusberichterstattung aktivieren", - "info_state_reporting": "Wenn die Statusberichterstellung aktiviert wird, sendet Home Assistant alle Statusänderungen exponierter Entitäten an Amazon. So wird in der Alexa-App immer der neueste Status angezeigt.", - "sync_entities": "Entitäten synchronisieren", - "manage_entities": "Entitäten verwalten", - "sync_entities_error": "Fehler beim Synchronisieren von Entitäten:", - "state_reporting_error": "Der Berichtsstatus kann nicht {enable_disable} werden.", - "enable": "aktiviert", - "disable": "deaktiviert" - }, - "google": { - "title": "Google Assistant", - "info": "Mit der Google Assistant-Integration für Home Assistant Cloud können Sie alle Ihre Home Assistant-Geräte über jedes Google Assistant-fähige Gerät steuern.", - "enable_ha_skill": "Aktivieren Sie den Home Assistant-Skill für Google Assistant", - "config_documentation": "Konfigurationsdokumentation", - "enable_state_reporting": "Statusberichterstattung aktivieren", - "info_state_reporting": "Wenn die Statusberichterstellung aktiviert wird, sendet Home Assistant alle Statusänderungen exponierter Entitäten an Google. So wird in der Google-App immer der neueste Status angezeigt.", - "security_devices": "Sicherheitsgeräte", - "enter_pin_info": "Bitte geben Sie eine PIN ein, um mit Sicherheitsgeräten zu interagieren. Sicherheitsgeräte sind Türen, Garagentore und Schlösser. Sie werden aufgefordert, diese PIN zu sagen \/ einzugeben, wenn Sie mit solchen Geräten über Google Assistant interagieren.", - "devices_pin": "Sicherheitsgeräte PIN", - "enter_pin_hint": "Geben Sie eine PIN ein, um Sicherheitsgeräte zu verwenden", - "sync_entities": "Entitäten mit Google synchronisieren", - "manage_entities": "Entitäten verwalten", - "enter_pin_error": "PIN kann nicht gespeichert werden:" - }, - "webhooks": { - "title": "Webhooks", - "info": "Alles, was so konfiguriert ist, dass es durch einen Webhook ausgelöst wird, kann mit einer öffentlich zugänglichen URL versehen werden, damit Daten von überall an Home Assistant gesenden werden können, ohne deine Installation dem Internet zu öffnen.", - "no_hooks_yet": "Sieht so aus, als gäbe es noch keine Webhooks. Beginne mit der Konfiguration eines ", - "no_hooks_yet_link_integration": "Webhook-basierte Integration", - "no_hooks_yet2": "oder durch Erstellen eines", - "no_hooks_yet_link_automation": "Webhook-Automatisierung", - "link_learn_more": "Weitere Informationen zum Erstellen webhookgestützter Automatisierungen.", - "loading": "Wird geladen ...", - "manage": "Verwalten", - "disable_hook_error_msg": "Fehler beim Deaktivieren des Webhooks:" + "triggers": { + "caption": "Tu nur etwas, wenn..." } }, - "alexa": { - "title": "Alexa", - "banner": "Das Bearbeiten der Entitäten, die über diese Benutzeroberfläche verfügbar gemacht werden, ist deaktiviert, da in configuration.yaml Entitätsfilter konfiguriert sind.", - "exposed_entities": "Exponierte Entitäten", - "not_exposed_entities": "Nicht exponierte Entitäten", - "expose": "In Alexa anzeigen" + "caption": "Geräte", + "description": "Verwalte verbundene Geräte" + }, + "entity_registry": { + "caption": "Entitätsregister", + "description": "Überblick aller bekannten Elemente.", + "editor": { + "confirm_delete": "Möchten Sie diesen Eintrag wirklich löschen?", + "confirm_delete2": "Durch das Löschen eines Eintrags wird die Entität nicht aus Home Assistant entfernt. Dazu müssen Sie die Integration '{platform}' von Home Assistant entfernen.", + "default_name": "Neuer Bereich", + "delete": "LÖSCHEN", + "enabled_cause": "Deaktiviert durch {cause}.", + "enabled_description": "Deaktivierte Entitäten werden in Home Assistant nicht hinzugefügt.", + "enabled_label": "Entität aktivieren", + "unavailable": "Diese Entität ist derzeit nicht verfügbar.", + "update": "UPDATE" }, - "dialog_certificate": { - "certificate_information": "Zertifikatsinformationen", - "certificate_expiration_date": "Ablaufdatum des Zertifikats", - "will_be_auto_renewed": "Wird automatisch erneuert", - "fingerprint": "Zertifikat Fingerabdruck:", - "close": "Schließen" - }, - "google": { - "title": "Google Assistant", - "expose": "Im Google Assistenten anzeigen", - "disable_2FA": "Zweifaktor-Authentifizierung deaktivieren", - "banner": "Das Bearbeiten der Entitäten, die über diese Benutzeroberfläche verfügbar gemacht werden, ist deaktiviert, da in configuration.yaml Entitätsfilter konfiguriert sind.", - "exposed_entities": "Exponierte Entitäten", - "not_exposed_entities": "Nicht exponierte Entitäten", - "sync_to_google": "Änderungen mit Google synchronisieren." - }, - "dialog_cloudhook": { - "webhook_for": "Webhook für {name}", - "available_at": "Der Webhook ist unter der folgenden URL verfügbar:", - "managed_by_integration": "Dieser Webhook wird von einer Integration verwaltet und kann nicht deaktiviert werden.", - "info_disable_webhook": "Wenn Sie diesen Webhook nicht mehr nutzen wollen, können Sie", - "link_disable_webhook": "deaktiviere es", - "view_documentation": "Dokumentation anzeigen", - "close": "Schließen", - "confirm_disable": "Möchten Sie diesen Webhook wirklich deaktivieren?", - "copied_to_clipboard": "In die Zwischenablage kopiert" + "picker": { + "header": "Entitätsregister", + "headers": { + "enabled": "Aktiviert", + "entity_id": "Entitäts-ID", + "integration": "Integration", + "name": "Name" + }, + "integrations_page": "Integrationsseite", + "introduction": "Der Home Assistant führt eine Registrierung aller Entitäten, die er je gesehen hat und die eindeutig identifiziert werden können. Jeder dieser Entitäten wird eine Entitäts-ID zugewiesen, die nur für diese Entität reserviert ist.", + "introduction2": "Verwende die Entitätsregistrierung, um den Namen zu überschreiben, die Entität-ID zu ändern oder den Eintrag aus dem Home Assistant zu entfernen. Beachte, dass das Entfernen des Entitätsregistrierungseintrags die Entität nicht löscht. Folge dazu dem Link unten und entferne ihn in der Integrationsseite.", + "show_disabled": "Anzeigen deaktivierter Entitäten", + "unavailable": "(nicht verfügbar)" } }, + "header": "Home Assistant konfigurieren", "integrations": { "caption": "Integrationen", - "description": "Verwalte verbundene Geräte und Dienste", - "discovered": "Entdeckt", - "configured": "Konfiguriert", - "new": "Richte eine neue Integration ein", - "configure": "Konfigurieren", - "none": "Noch nichts konfiguriert", "config_entry": { - "no_devices": "Diese Integration hat keine Geräte.", - "no_device": "Entitäten ohne Geräte", + "area": "In {area}", + "delete_button": "{integration} löschen", "delete_confirm": "Möchtest du diese Integration wirklich löschen?", - "restart_confirm": "Starte Home Assistant neu, um das Entfernen dieser Integration abzuschließen", - "manuf": "von {manufacturer}", - "via": "Verbunden über", - "firmware": "Firmware: {version}", "device_unavailable": "Gerät nicht verfügbar", "entity_unavailable": "Entität nicht verfügbar", - "no_area": "Kein Bereich", + "firmware": "Firmware: {version}", "hub": "Verbunden über", + "manuf": "von {manufacturer}", + "no_area": "Kein Bereich", + "no_device": "Entitäten ohne Geräte", + "no_devices": "Diese Integration hat keine Geräte.", + "restart_confirm": "Starte Home Assistant neu, um das Entfernen dieser Integration abzuschließen", "settings_button": "Einstellungen für {integration} bearbeiten", "system_options_button": "Systemoptionen für {integration}", - "delete_button": "{integration} löschen", - "area": "In {area}" + "via": "Verbunden über" }, "config_flow": { "external_step": { @@ -983,28 +1181,151 @@ "open_site": "Website öffnen" } }, + "configure": "Konfigurieren", + "configured": "Konfiguriert", + "description": "Verwalte verbundene Geräte und Dienste", + "discovered": "Entdeckt", + "home_assistant_website": "Home Assistant Website", + "new": "Richte eine neue Integration ein", + "none": "Noch nichts konfiguriert", "note_about_integrations": "Nicht alle Integrationen können über die Benutzeroberfläche konfiguriert werden.", - "note_about_website_reference": "Weitere Informationen finden Sie auf der ", - "home_assistant_website": "Home Assistant Website" + "note_about_website_reference": "Weitere Informationen finden Sie auf der " + }, + "introduction": "Hier ist es möglich, deine Komponenten und Home Assistant zu konfigurieren. Noch ist nicht alles über die GUI einstellbar, aber wir arbeiten daran.", + "person": { + "add_person": "Person hinzufügen", + "caption": "Personen", + "confirm_delete": "Möchten Sie diese Person wirklich löschen?", + "confirm_delete2": "Alle Geräte, die zu dieser Person gehören, werden nicht mehr zugeordnet.", + "create_person": "Person erstellen", + "description": "Verwalte die Personen, die Home Assistant verfolgt.", + "detail": { + "create": "Erstellen", + "delete": "Löschen", + "device_tracker_intro": "Wähle die Geräte, die dieser Person gehören.", + "device_tracker_pick": "Wähle zu verfolgendes Gerät", + "device_tracker_picked": "Verfolge Gerät", + "link_integrations_page": "Integrationsseite", + "link_presence_detection_integrations": "Integrationen zur Anwesenheitserkennung", + "linked_user": "Verknüpfter Benutzer", + "name": "Name", + "name_error_msg": "Name erforderlich", + "new_person": "Neue Person", + "no_device_tracker_available_intro": "Wenn Sie Geräte haben, die die Anwesenheit einer Person anzeigen, können Sie diese hier einer Person zuordnen. Sie können Ihr erstes Gerät hinzufügen, indem Sie eine Integration zur Anwesenheitserkennung auf der Integrationsseite hinzufügen.", + "update": "Aktualisieren" + }, + "introduction": "Hier können Sie jede Person von Interesse in Home Assistant definieren.", + "no_persons_created_yet": "Sieht so aus, als hättest du noch keine Personen angelegt.", + "note_about_persons_configured_in_yaml": "Hinweis: Personen, die über configuration.yaml konfiguriert wurden, können nicht über die Benutzeroberfläche bearbeitet werden." + }, + "script": { + "caption": "Skript", + "description": "Skripte erstellen und bearbeiten", + "editor": { + "default_name": "Neues Skript", + "delete_confirm": "Möchten Sie dieses Skript wirklich löschen?", + "header": "Skript: {name}", + "load_error_not_editable": "Nur Skripte in scripts.yaml können bearbeitet werden." + }, + "picker": { + "add_script": "Skript hinzufügen", + "header": "Skript-Editor", + "introduction": "Mit dem Skript-Editor können Skripte erstellt und bearbeitet werden. Bitte folge Sie dem untenstehenden Link, um die Anleitung zu finden. Das stellt sicher, dass Home Assistant richtig konfiguriert ist.", + "learn_more": "Weitere Informationen zu Skripten", + "no_scripts": "Wir konnten keine bearbeitbaren Skripte finden" + } + }, + "server_control": { + "caption": "Serversteuerung", + "description": "Neustarten und Stoppen des Home Assistant Servers", + "section": { + "reloading": { + "automation": "Automatisierungen neu laden", + "core": "Hauptsystem neu laden", + "group": "Gruppen neu laden", + "heading": "Konfiguration neu laden", + "introduction": "Einige Komponenten von Home Assistant können ohne einen Neustart neu geladen werden. \"Neu laden\" entlädt dabei die aktuelle Konfiguration und lädt die neue Konfiguration.", + "scene": "Szenen neu laden", + "script": "Skripte neu laden" + }, + "server_management": { + "confirm_restart": "Möchten Sie Home Assistant wirklich neu starten?", + "confirm_stop": "Möchten Sie Home Assistant wirklich beenden?", + "heading": "Serververwaltung", + "introduction": "Verwalte Home Assistant… von Home Assistant aus.", + "restart": "Neu starten", + "stop": "Stoppen" + }, + "validation": { + "check_config": "Konfiguration prüfen", + "heading": "Konfiguration überprüfen", + "introduction": "Überprüfe deine Konfiguration, wenn du kürzlich Änderungen vorgenommen hast und sicherstellen möchtest, dass alle Änderungen gültig sind", + "invalid": "Konfiguration ungültig", + "valid": "Konfiguration in Ordnung" + } + } + }, + "users": { + "add_user": { + "caption": "Benutzer hinzufügen", + "create": "Benutzerkonto anlegen", + "name": "Name", + "password": "Passwort", + "username": "Benutzername" + }, + "caption": "Benutzer", + "description": "Benutzer verwalten", + "editor": { + "activate_user": "Benutzer aktivieren", + "active": "Aktiv", + "caption": "Benutzer anzeigen", + "change_password": "Passwort ändern", + "confirm_user_deletion": "Möchten Sie {name} wirklich löschen?", + "deactivate_user": "Benutzer deaktivieren", + "delete_user": "Benutzer löschen", + "enter_new_name": "Neuen Namen eingeben", + "group": "Gruppe", + "group_update_failed": "Gruppenaktualisierung fehlgeschlagen:", + "id": "ID", + "owner": "Besitzer", + "rename_user": "Benutzer umbenennen", + "system_generated": "System generiert", + "system_generated_users_not_removable": "Vom System generierte Benutzer können nicht entfernt werden.", + "unnamed_user": "Unbenannter Benutzer", + "user_rename_failed": "Umbenennen des Benutzers fehlgeschlagen:" + }, + "picker": { + "system_generated": "System generiert", + "title": "Benutzer" + } }, "zha": { - "caption": "ZHA", - "description": "Zigbee Home Automation Netzwerkmanagement", - "services": { - "reconfigure": "Rekonfiguriere ZHA-Gerät (Gerät heilen). Benutze dies, wenn du Probleme mit dem Gerät hast. Wenn es sich bei dem betroffenden Gerät um ein batteriebetriebenes Gerät handelt, stelle sicher dass es wach ist und Kommandos akzeptiert wenn du diesen Dienst benutzt.", - "updateDeviceName": "Lege einen benutzerdefinierten Namen für dieses Gerät in der Geräteregistrierung fest.", - "remove": "Entfernen Sie ein Gerät aus dem Zigbee-Netzwerk." - }, - "device_card": { - "device_name_placeholder": "Benutzername", - "area_picker_label": "Bereich", - "update_name_button": "Name aktualisieren" - }, "add_device_page": { - "header": "Zigbee Home Automation - Geräte hinzufügen", - "spinner": "Suche nach ZHA Zigbee Geräten...", "discovery_text": "Erkannte Geräte werden hier angezeigt. Befolgen Sie die Anweisungen für Ihr Gerät und versetzen Sie das Gerät in den Pairing-Modus.", - "search_again": "Erneut suchen" + "header": "Zigbee Home Automation - Geräte hinzufügen", + "search_again": "Erneut suchen", + "spinner": "Suche nach ZHA Zigbee Geräten..." + }, + "caption": "ZHA", + "cluster_attributes": { + "attributes_of_cluster": "Attribute des ausgewählten Clusters", + "get_zigbee_attribute": "Zigbee-Attribut abrufen", + "header": "Cluster-Attribute", + "help_attribute_dropdown": "Wählen Sie ein Attribut aus, um dessen Wert anzuzeigen oder festzulegen.", + "help_get_zigbee_attribute": "Ruft den Wert für das ausgewählte Attribut ab.", + "help_set_zigbee_attribute": "Setzt den Attributwert für den angegebenen Cluster auf der angegebenen Entität.", + "introduction": "Anzeigen und Bearbeiten von Clusterattributen.", + "set_zigbee_attribute": "Zigbee-Attribut setzen" + }, + "cluster_commands": { + "commands_of_cluster": "Befehle des ausgewählten Clusters", + "header": "Cluster-Befehle", + "help_command_dropdown": "Wähle einen Befehl zur Interaktion aus.", + "introduction": "Anzeigen und Ausgeben von Clusterbefehlen.", + "issue_zigbee_command": "Zigbee-Kommando absetzen" + }, + "clusters": { + "help_cluster_dropdown": "Wähle einen Cluster aus, um Attribute und Befehle anzuzeigen." }, "common": { "add_devices": "Geräte hinzufügen", @@ -1013,472 +1334,246 @@ "manufacturer_code_override": "Hersteller-Code Überschreiben", "value": "Wert" }, + "description": "Zigbee Home Automation Netzwerkmanagement", + "device_card": { + "area_picker_label": "Bereich", + "device_name_placeholder": "Benutzername", + "update_name_button": "Name aktualisieren" + }, "network_management": { "header": "Netzwerkverwaltung", "introduction": "Befehle, die das gesamte Netzwerk betreffen" }, "node_management": { "header": "Geräteverwaltung", - "introduction": "Führe ZHA-Befehle aus, die sich auf ein einzelnes Gerät auswirken. Wähle ein Gerät aus, um eine Liste der verfügbaren Befehle anzuzeigen.", + "help_node_dropdown": "Wähle ein Gerät aus, um die Geräteoptionen anzuzeigen.", "hint_battery_devices": "Hinweis: Schlafende (batteriebetriebene) Geräte müssen wach sein, wenn Befehle für sie ausgeführt werden. Ein schlafendes Gerät kann meist durch eine Aktion am Gerät aufgeweckt werden.", "hint_wakeup": "Einige Geräte, z. B. Xiaomi-Sensoren, verfügen über eine Wecktaste, die in Intervallen von ~5 Sekunden gedrückt werden können, um die Geräte wach zu halten, während mit ihnen interagiert wird.", - "help_node_dropdown": "Wähle ein Gerät aus, um die Geräteoptionen anzuzeigen." + "introduction": "Führe ZHA-Befehle aus, die sich auf ein einzelnes Gerät auswirken. Wähle ein Gerät aus, um eine Liste der verfügbaren Befehle anzuzeigen." }, - "clusters": { - "help_cluster_dropdown": "Wähle einen Cluster aus, um Attribute und Befehle anzuzeigen." - }, - "cluster_attributes": { - "header": "Cluster-Attribute", - "introduction": "Anzeigen und Bearbeiten von Clusterattributen.", - "attributes_of_cluster": "Attribute des ausgewählten Clusters", - "get_zigbee_attribute": "Zigbee-Attribut abrufen", - "set_zigbee_attribute": "Zigbee-Attribut setzen", - "help_attribute_dropdown": "Wählen Sie ein Attribut aus, um dessen Wert anzuzeigen oder festzulegen.", - "help_get_zigbee_attribute": "Ruft den Wert für das ausgewählte Attribut ab.", - "help_set_zigbee_attribute": "Setzt den Attributwert für den angegebenen Cluster auf der angegebenen Entität." - }, - "cluster_commands": { - "header": "Cluster-Befehle", - "introduction": "Anzeigen und Ausgeben von Clusterbefehlen.", - "commands_of_cluster": "Befehle des ausgewählten Clusters", - "issue_zigbee_command": "Zigbee-Kommando absetzen", - "help_command_dropdown": "Wähle einen Befehl zur Interaktion aus." + "services": { + "reconfigure": "Rekonfiguriere ZHA-Gerät (Gerät heilen). Benutze dies, wenn du Probleme mit dem Gerät hast. Wenn es sich bei dem betroffenden Gerät um ein batteriebetriebenes Gerät handelt, stelle sicher dass es wach ist und Kommandos akzeptiert wenn du diesen Dienst benutzt.", + "remove": "Entfernen Sie ein Gerät aus dem Zigbee-Netzwerk.", + "updateDeviceName": "Lege einen benutzerdefinierten Namen für dieses Gerät in der Geräteregistrierung fest." } }, - "area_registry": { - "caption": "Bereichsregister", - "description": "Überblick über alle Bereiche in Deinem Haus.", - "picker": { - "header": "Bereichsregister", - "introduction": "In Bereichen wird festgelegt, wo sich Geräte befinden. Diese Informationen werden in Home Assistant verwendet, um dich bei der Organisation deiner Benutzeroberfläche, Berechtigungen und Integrationen mit anderen Systemen zu unterstützen.", - "introduction2": "Um Geräte in einem Bereich zu platzieren, navigieren Sie mit dem Link unten zur Integrationsseite und klicken Sie dann auf eine konfigurierte Integration, um zu den Gerätekarten zu gelangen.", - "integrations_page": "Integrationsseite", - "no_areas": "Sieht aus, als hättest du noch keine Bereiche!", - "create_area": "BEREICH ERSTELLEN" + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Index", + "instance": "Instanz", + "unknown": "Unbekannt", + "value": "Wert", + "wakeup_interval": "Aufwachintervall" }, - "no_areas": "Sieht aus, als hättest du noch keine Bereiche!", - "create_area": "BEREICH ERSTELLEN", - "editor": { - "default_name": "Neuer Bereich", - "delete": "LÖSCHEN", - "update": "AKTUALISIEREN", - "create": "ERSTELLEN" - } - }, - "entity_registry": { - "caption": "Entitätsregister", - "description": "Überblick aller bekannten Elemente.", - "picker": { - "header": "Entitätsregister", - "unavailable": "(nicht verfügbar)", - "introduction": "Der Home Assistant führt eine Registrierung aller Entitäten, die er je gesehen hat und die eindeutig identifiziert werden können. Jeder dieser Entitäten wird eine Entitäts-ID zugewiesen, die nur für diese Entität reserviert ist.", - "introduction2": "Verwende die Entitätsregistrierung, um den Namen zu überschreiben, die Entität-ID zu ändern oder den Eintrag aus dem Home Assistant zu entfernen. Beachte, dass das Entfernen des Entitätsregistrierungseintrags die Entität nicht löscht. Folge dazu dem Link unten und entferne ihn in der Integrationsseite.", - "integrations_page": "Integrationsseite", - "show_disabled": "Anzeigen deaktivierter Entitäten", - "headers": { - "name": "Name", - "entity_id": "Entitäts-ID", - "integration": "Integration", - "enabled": "Aktiviert" - } + "description": "Z-Wave-Netzwerk verwalten", + "learn_more": "Erfahre mehr über Z-Wave", + "network_management": { + "header": "Z-Wave Netzwerkverwaltung", + "introduction": "Führt Befehle aus, die das Z-Wave Netzwerk betreffen. Es wird keine Rückmeldung darüber geben, ob die meisten Befehle erfolgreich waren, aber das OZW-Protokoll kann Hinweise darauf enthalten." }, - "editor": { - "unavailable": "Diese Entität ist derzeit nicht verfügbar.", - "default_name": "Neuer Bereich", - "delete": "LÖSCHEN", - "update": "UPDATE", - "enabled_label": "Entität aktivieren", - "enabled_cause": "Deaktiviert durch {cause}.", - "enabled_description": "Deaktivierte Entitäten werden in Home Assistant nicht hinzugefügt.", - "confirm_delete": "Möchten Sie diesen Eintrag wirklich löschen?", - "confirm_delete2": "Durch das Löschen eines Eintrags wird die Entität nicht aus Home Assistant entfernt. Dazu müssen Sie die Integration '{platform}' von Home Assistant entfernen." - } - }, - "person": { - "caption": "Personen", - "description": "Verwalte die Personen, die Home Assistant verfolgt.", - "detail": { - "name": "Name", - "device_tracker_intro": "Wähle die Geräte, die dieser Person gehören.", - "device_tracker_picked": "Verfolge Gerät", - "device_tracker_pick": "Wähle zu verfolgendes Gerät", - "new_person": "Neue Person", - "name_error_msg": "Name erforderlich", - "linked_user": "Verknüpfter Benutzer", - "no_device_tracker_available_intro": "Wenn Sie Geräte haben, die die Anwesenheit einer Person anzeigen, können Sie diese hier einer Person zuordnen. Sie können Ihr erstes Gerät hinzufügen, indem Sie eine Integration zur Anwesenheitserkennung auf der Integrationsseite hinzufügen.", - "link_presence_detection_integrations": "Integrationen zur Anwesenheitserkennung", - "link_integrations_page": "Integrationsseite", - "delete": "Löschen", - "create": "Erstellen", - "update": "Aktualisieren" + "network_status": { + "network_started": "Z-Wave Netzwerk gestartet", + "network_started_note_all_queried": "Alle Knoten wurden abgefragt.", + "network_started_note_some_queried": "Aktive Knoten wurden abgefragt. Schlafende Knoten werden abgefragt, sobald sie aktiv werden.", + "network_starting": "Z-Wave Netzwerk wird gestartet...", + "network_starting_note": "Dies kann je nach Größe des Netzwerks eine Weile dauern.", + "network_stopped": "Z-Wave Netzwerk gestoppt" }, - "introduction": "Hier können Sie jede Person von Interesse in Home Assistant definieren.", - "note_about_persons_configured_in_yaml": "Hinweis: Personen, die über configuration.yaml konfiguriert wurden, können nicht über die Benutzeroberfläche bearbeitet werden.", - "no_persons_created_yet": "Sieht so aus, als hättest du noch keine Personen angelegt.", - "create_person": "Person erstellen", - "add_person": "Person hinzufügen", - "confirm_delete": "Möchten Sie diese Person wirklich löschen?", - "confirm_delete2": "Alle Geräte, die zu dieser Person gehören, werden nicht mehr zugeordnet." - }, - "server_control": { - "caption": "Serversteuerung", - "description": "Neustarten und Stoppen des Home Assistant Servers", - "section": { - "validation": { - "heading": "Konfiguration überprüfen", - "introduction": "Überprüfe deine Konfiguration, wenn du kürzlich Änderungen vorgenommen hast und sicherstellen möchtest, dass alle Änderungen gültig sind", - "check_config": "Konfiguration prüfen", - "valid": "Konfiguration in Ordnung", - "invalid": "Konfiguration ungültig" - }, - "reloading": { - "heading": "Konfiguration neu laden", - "introduction": "Einige Komponenten von Home Assistant können ohne einen Neustart neu geladen werden. \"Neu laden\" entlädt dabei die aktuelle Konfiguration und lädt die neue Konfiguration.", - "core": "Hauptsystem neu laden", - "group": "Gruppen neu laden", - "automation": "Automatisierungen neu laden", - "script": "Skripte neu laden", - "scene": "Szenen neu laden" - }, - "server_management": { - "heading": "Serververwaltung", - "introduction": "Verwalte Home Assistant… von Home Assistant aus.", - "restart": "Neu starten", - "stop": "Stoppen", - "confirm_restart": "Möchten Sie Home Assistant wirklich neu starten?", - "confirm_stop": "Möchten Sie Home Assistant wirklich beenden?" - } - } - }, - "devices": { - "caption": "Geräte", - "description": "Verwalte verbundene Geräte", - "automation": { - "triggers": { - "caption": "Tu nur etwas, wenn..." - }, - "conditions": { - "caption": "Tu nur etwas, wenn..." - }, - "actions": { - "caption": "Wenn etwas ausgelöst wird ..." - } - } - }, - "common": { - "editor": { - "confirm_unsaved": "Du hast ungespeicherte Änderungen. Bist du dir sicher, dass du den Editor verlassen möchtest?" + "node_config": { + "config_parameter": "Konfigurationsparameter", + "config_value": "Konfigurationswert", + "false": "Falsch", + "header": "Knotenkonfiguration", + "seconds": "Sekunden", + "set_config_parameter": "Konfiguration speichern", + "set_wakeup": "Aufwachintervall einrichten", + "true": "Richtig" + }, + "ozw_log": { + "header": "OZW Log", + "introduction": "Zeigen Sie das Protokoll an. 0 ist das Minimum (lädt das gesamte Protokoll) und 1000 ist das Maximum. Beim Laden wird ein statisches Protokoll angezeigt, und das Ende wird automatisch mit der zuletzt angegebenen Anzahl von Zeilen des Protokolls aktualisiert." + }, + "services": { + "add_node": "Knoten hinzufügen", + "add_node_secure": "Knoten verschlüsselt hinzufügen", + "cancel_command": "Befehl abbrechen", + "heal_network": "Netzwerk heilen", + "remove_node": "Knoten entfernen", + "save_config": "Konfiguration speichern", + "soft_reset": "Soft Reset", + "start_network": "Netzwerk starten", + "stop_network": "Netzwerk stoppen", + "test_network": "Netzwerk testen" + }, + "values": { + "header": "Knotenwerte" } } }, - "profile": { - "push_notifications": { - "header": "Push-Benachrichtigungen", - "description": "Sende Benachrichtigungen an dieses Gerät.", - "error_load_platform": "Konfiguriere notify.html5.", - "error_use_https": "Erfordert aktiviertes SSL für das Frontend.", - "push_notifications": "Push-Benachrichtigungen", - "link_promo": "Mehr erfahren" - }, - "language": { - "header": "Sprache", - "link_promo": "Hilf beim Übersetzen", - "dropdown_label": "Sprache" - }, - "themes": { - "header": "Thema", - "error_no_theme": "Keine Themen verfügbar.", - "link_promo": "Erfahre mehr über Themen", - "dropdown_label": "Thema" - }, - "refresh_tokens": { - "header": "Aktualisierungs-Tokens", - "description": "Jedes Aktualisierungstoken stellt eine Anmeldesitzung dar. Aktualisierungstoken werden automatisch entfernt, wenn du auf Abmelden klickst. Die folgenden Aktualisierungstoken sind derzeit für dein Konto aktiv.", - "token_title": "Aktualisierungs-Token für {clientId}", - "created_at": "Erstellt am {date}", - "confirm_delete": "Möchtest du das Aktualisierungstoken für {name} wirklich löschen?", - "delete_failed": "Fehler beim Löschen das Aktualisierungs-Token.", - "last_used": "Zuletzt verwendet am {date} in {location}", - "not_used": "Wurde noch nie benutzt", - "current_token_tooltip": "Aktueller Refresh-Token konnte nicht gelöscht werden" - }, - "long_lived_access_tokens": { - "header": "Langlebige Zugangs-Token", - "description": "Erstelle langlebige Zugriffstoken, damit deine Skripte mit deiner Home Assistant-Instanz interagieren können. Jedes Token ist ab der Erstellung für 10 Jahre gültig. Die folgenden langlebigen Zugriffstoken sind derzeit aktiv.", - "learn_auth_requests": "Erfahre, wie du authentifizierte Anfragen stellen kannst.", - "created_at": "Erstellt am {date}", - "confirm_delete": "Möchtest du den Zugriffs-Token für {name} wirklich löschen?", - "delete_failed": "Fehler beim Löschen des Zugriffs-Tokens.", - "create": "Token erstellen", - "create_failed": "Das Zugriffs-Token konnte nicht erstellt werden.", - "prompt_name": "Name?", - "prompt_copy_token": "Kopiere deinen Zugangs-Token. Er wird nicht wieder angezeigt werden.", - "empty_state": "Du hast noch keine langlebigen Zugangs-Token.", - "last_used": "Zuletzt verwendet am {date} in {location}", - "not_used": "Wurde noch nie benutzt" - }, - "current_user": "Du bist derzeit als {fullName} angemeldet.", - "is_owner": "Du bist der Besitzer", - "change_password": { - "header": "Passwort ändern", - "current_password": "Aktuelles Passwort", - "new_password": "Neues Passwort", - "confirm_new_password": "Neues Passwort Bestätigen", - "error_required": "Erforderlich", - "submit": "Absenden" - }, - "mfa": { - "header": "2-Faktor-Authentifizierung Module", - "disable": "Deaktivieren", - "enable": "Aktivieren", - "confirm_disable": "Möchtest du {name} wirklich deaktivieren?" - }, - "mfa_setup": { - "title_aborted": "Abgebrochen", - "title_success": "Erfolgreich!", - "step_done": "Setup für {step} abgeschlossen", - "close": "Schließen", - "submit": "Absenden" - }, - "logout": "Abmelden", - "force_narrow": { - "header": "Verstecke die Seitenleiste immer", - "description": "Dies blendet die Seitenleiste standardmäßig aus, ähnlich der Nutzung auf Mobilgeräten." - }, - "vibrate": { - "header": "Vibrieren", - "description": "Aktivieren oder deaktivieren Sie die Vibration an diesem Gerät, wenn Sie Geräte steuern." - }, - "advanced_mode": { - "title": "Erweiterter Modus", - "description": "Home-Assistent verbirgt standardmäßig erweiterte Funktionen und Optionen. Mache diese Funktionen zugänglich, indem diese Option aktiviert wird. Dies ist eine benutzerspezifische Einstellung, die sich nicht auf andere Benutzer auswirkt, die Home Assistant verwenden." - } - }, - "page-authorize": { - "initializing": "Initialisieren", - "authorizing_client": "Du bist dabei, {clientId} Zugriff auf deine Home Assistant Instanz zu gewähren.", - "logging_in_with": "Anmeldung mit **{authProviderName}**.", - "pick_auth_provider": "Oder melde dich an mit", - "abort_intro": "Anmeldung abgebrochen", - "form": { - "working": "Bitte warten", - "unknown_error": "Etwas lief schief", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Benutzername", - "password": "Passwort" - } - }, - "mfa": { - "data": { - "code": "Zwei-Faktor Authentifizierungscode" - }, - "description": "Öffne das **{mfa_module_name}** auf deinem Gerät um den 2-Faktor Authentifizierungscode zu sehen und deine Identität zu bestätigen:" - } - }, - "error": { - "invalid_auth": "Ungültiger Benutzername oder Passwort", - "invalid_code": "Ungültiger Authentifizierungscode" - }, - "abort": { - "login_expired": "Sitzung abgelaufen, bitte erneut anmelden." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "API-Passwort" - }, - "description": "Bitte gib das API-Passwort deiner http-Konfiguration ein:" - }, - "mfa": { - "data": { - "code": "Zwei-Faktor Authentifizierungscode" - }, - "description": "Öffne das **{mfa_module_name}** auf deinem Gerät um den 2-Faktor Authentifizierungscode zu sehen und deine Identität zu bestätigen:" - } - }, - "error": { - "invalid_auth": "Ungültiges API-Passwort", - "invalid_code": "Ungültiger Authentifizierungscode" - }, - "abort": { - "no_api_password_set": "Du hast kein API-Passwort konfiguriert.", - "login_expired": "Sitzung abgelaufen, bitte erneut anmelden." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Benutzer" - }, - "description": "Bitte wähle einen Benutzer aus, mit dem du dich anmelden möchtest:" - } - }, - "abort": { - "not_whitelisted": "Dein Computer ist nicht auf der Whitelist." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Benutzername", - "password": "Passwort" - } - }, - "mfa": { - "data": { - "code": "Zwei-Faktor Authentifizierungscode" - }, - "description": "Öffne das **{mfa_module_name}** auf deinem Gerät um den 2-Faktor Authentifizierungscode zu sehen und deine Identität zu bestätigen:" - } - }, - "error": { - "invalid_auth": "Ungültiger Benutzername oder Passwort", - "invalid_code": "Ungültiger Authentifizierungscode" - }, - "abort": { - "login_expired": "Sitzung abgelaufen, bitte erneut anmelden." - } - } - } - } - }, - "page-onboarding": { - "intro": "Bist du bereit, dein Zuhause zu erwecken, deine Privatsphäre zurückzugewinnen und einer weltweiten Gemeinschaft von Tüftlern beizutreten?", - "user": { - "intro": "Beginnen wir mit dem Erstellen eines Benutzerkontos.", - "required_field": "Erforderlich", - "data": { - "name": "Name", - "username": "Benutzername", - "password": "Passwort", - "password_confirm": "Passwort bestätigen" + "developer-tools": { + "tabs": { + "events": { + "available_events": "Verfügbare Ereignisse", + "count_listeners": " ({count} Listener)", + "data": "Ereignisdaten (YAML, optional)", + "description": "Lösen Sie ein Ereignis im Ereignisbus aus.", + "documentation": "Dokumentation von Ereignissen.", + "event_fired": "Ereignis {name} ausgelöst", + "fire_event": "Ereignis auslösen", + "listen_to_events": "Hören auf Ereignisse", + "listening_to": "Hören auf", + "title": "Ereignisse", + "type": "Ereignistyp" }, - "create_account": "Benutzerkonto anlegen", - "error": { - "required_fields": "Fülle alle Pflichtfelder aus.", - "password_not_match": "Passwörter stimmen nicht überein" + "info": { + "built_using": "Gebaut mit", + "custom_uis": "Benutzerdefinierte UIs:", + "default_ui": "{action} {name} als Standardseite auf diesem Gerät", + "developed_by": "Entwickelt von einem Haufen toller Leute.", + "frontend": "Frontend-UI", + "frontend_version": "Frontend-Version: {version} - {type}", + "home_assistant_logo": "Home Assistant-Logo", + "icons_by": "Icons von", + "license": "Veröffentlicht unter der Apache 2.0 Lizenz", + "lovelace_ui": "Gehen Sie zur Lovelace-Benutzeroberfläche", + "path_configuration": "Pfad zu configuration.yaml: {path}", + "remove": "Entfernen", + "server": "Server", + "set": "Setzen", + "source": "Quelle:", + "states_ui": "Gehen Sie zu den State UI", + "system_health_error": "System Health-Komponente wird nicht geladen. Fügen Sie 'system_health:' zu configuration.yaml hinzu", + "title": "Info" + }, + "logs": { + "clear": "Leeren", + "details": "Protokolldetails ( {level} )", + "load_full_log": "Vollständiges Home Assistant-Protokoll laden", + "loading_log": "Fehlerprotokoll wird geladen ...", + "multiple_messages": "Die Nachricht ist zum ersten Mal um {time} aufgetreten und erscheint {counter} mal", + "no_errors": "Es wurden keine Fehler gemeldet.", + "no_issues": "Es gibt keine neuen Probleme!", + "refresh": "Aktualisieren", + "title": "Logs" + }, + "mqtt": { + "description_publish": "Ein Paket veröffentlichen", + "message_received": "Nachricht {id} empfangen auf {topic} um {time} :", + "publish": "Veröffentlichen", + "title": "MQTT", + "topic": "Topic" + }, + "services": { + "alert_parsing_yaml": "Fehler beim Parsen von YAML: {data}", + "call_service": "Dienst ausführen", + "column_description": "Beschreibung", + "column_example": "Beispiel", + "column_parameter": "Parameter", + "data": "Servicedaten (YAML, optional)", + "fill_example_data": "Mit Beispieldaten füllen", + "no_description": "Es ist keine Beschreibung verfügbar", + "no_parameters": "Dieser Dienst benötigt keine Parameter.", + "select_service": "Wählen Sie einen Service aus, um die Beschreibung anzuzeigen", + "title": "Dienste" + }, + "states": { + "alert_entity_field": "Die Entität ist ein Pflichtfeld", + "attributes": "Attribute", + "current_entities": "Aktuelle Entitäten", + "description1": "Stellen Sie die Darstellung eines Geräts in Home Assistant ein.", + "description2": "Dies führt nicht zur Kommunikation mit dem eigentlichen Gerät.", + "entity": "Entität", + "filter_attributes": "Attribute filtern", + "filter_entities": "Entitäten filtern", + "filter_states": "Zustände filtern", + "more_info": "Mehr Info", + "no_entities": "Keine Entitäten", + "set_state": "Status setzen", + "state": "Zustand", + "state_attributes": "Statusattribute (YAML, optional)", + "title": "Zustände" + }, + "templates": { + "description": "Vorlagen werden durch die Jinja2-Template-Engine mit einigen für Home Assistant spezifischen Erweiterungen gerendert.", + "editor": "Vorlageneditor", + "jinja_documentation": "Jinja2 Template Dokumentation", + "template_extensions": "Home Assistant-Vorlagenerweiterungen", + "title": "Vorlage", + "unknown_error_template": "Unbekannter Fehler beim Rendern der Vorlage" } - }, - "integration": { - "intro": "Geräte und Dienste werden in Home Assistant als Integrationen dargestellt. Sie können jetzt oder später über die Konfigurationsseite eingerichtet werden.", - "more_integrations": "Mehr", - "finish": "Fertig" - }, - "core-config": { - "intro": "Hallo {name}, willkommen bei der Home Assistant. Wie möchtest du dein Haus benennen?", - "intro_location": "Wir würden gerne wissen, wo du wohnst. Diese Information hilft bei der Anzeige von Informationen und der Einrichtung von Sonnenstands-basierten Automatisierungen. Diese Daten werden niemals außerhalb deines Netzwerks weitergegeben.", - "intro_location_detect": "Wir können helfen, diese Informationen auszufüllen, indem wir eine einmalige Anfrage an einen externen Dienstleister richten.", - "location_name_default": "Home", - "button_detect": "Erkennen", - "finish": "Weiter" } }, + "history": { + "period": "Zeitraum", + "showing_entries": "Zeige Einträge für" + }, + "logbook": { + "period": "Zeitraum", + "showing_entries": "Zeige Einträge für" + }, "lovelace": { "cards": { - "shopping-list": { - "checked_items": "Markierte Artikel", - "clear_items": "Markierte Elemente löschen", - "add_item": "Artikel hinzufügen" - }, + "confirm_delete": "Möchten Sie diese Karte wirklich löschen?", "empty_state": { - "title": "Willkommen zu Hause", + "go_to_integrations_page": "Gehe zur Integrationsseite.", "no_devices": "Auf dieser Seite kannst du deine Geräte steuern, es sieht jedoch so aus, als hättest du noch keine eingerichtet. Gehe zur Integrationsseite, um damit zu beginnen.", - "go_to_integrations_page": "Gehe zur Integrationsseite." + "title": "Willkommen zu Hause" }, "picture-elements": { - "hold": "Halten:", - "tap": "Tippe auf:", - "navigate_to": "Navigiere zu {location}", - "toggle": "{name} umschalten", "call_service": "Dienst {name} ausführen", + "hold": "Halten:", "more_info": "Zeige weitere Informationen: {name}", + "navigate_to": "Navigiere zu {location}", + "tap": "Tippe auf:", + "toggle": "{name} umschalten", "url": "Fenster zu {url_path} öffnen" }, - "confirm_delete": "Möchten Sie diese Karte wirklich löschen?" + "shopping-list": { + "add_item": "Artikel hinzufügen", + "checked_items": "Markierte Artikel", + "clear_items": "Markierte Elemente löschen" + } + }, + "changed_toast": { + "message": "Die Lovelace-Konfiguration wurde aktualisiert, möchtest du sie aktualisieren?", + "refresh": "Aktualisieren" }, "editor": { - "edit_card": { - "header": "Kartenkonfiguration", - "save": "Speichern", - "toggle_editor": "Editor umschalten", - "pick_card": "Karte auswählen, die hinzugefügt werden soll.", - "add": "Karte hinzufügen", - "edit": "Bearbeiten", - "delete": "Löschen", - "move": "Bewegen", - "show_visual_editor": "Visuellen Editor anzeigen", - "show_code_editor": "Code-Editor anzeigen", - "pick_card_view_title": "Welche Karte möchten Sie Ihrer {name} -Ansicht hinzufügen?", - "options": "Mehr Optionen" - }, - "migrate": { - "header": "Konfiguration inkompatibel", - "para_no_id": "Dieses Element hat keine ID. Bitte füge diesem Element eine ID in 'ui-lovelace.yaml' hinzu.", - "para_migrate": "Home Assistant kann für alle Ihre Karten und Ansichten die IDs automatisch generieren, wenn Sie den \"Konfiguration migrieren\"-Button klicken.", - "migrate": "Konfiguration migrieren" - }, - "header": "Benutzeroberfläche bearbeiten", - "edit_view": { - "header": "Konfiguration anzeigen", - "add": "Ansicht hinzufügen", - "edit": "Ansicht bearbeiten", - "delete": "Ansicht löschen", - "header_name": "{name} Konfiguration anzeigen" - }, - "save_config": { - "header": "Lovelace Userinterface selbst verwalten", - "para": "Standardmäßig verwaltet Home Assistant Ihre Benutzeroberfläche und aktualisiert sie, sobald neue Entitäten oder Lovelace-Komponenten verfügbar sind. Wenn Sie die Verwaltung selbst übernehmen, nehmen wir für Sie keine Änderungen mehr vor.", - "para_sure": "Bist du dir sicher, dass du die Benutzeroberfläche selbst verwalten möchtest?", - "cancel": "Abbrechen", - "save": "Kontrolle übernehmen" - }, - "menu": { - "raw_editor": "Raw-Konfigurationseditor", - "open": "Lovelace-Menü öffnen" - }, - "raw_editor": { - "header": "Konfiguration bearbeiten", - "save": "Speichern", - "unsaved_changes": "Nicht gespeicherte Änderungen", - "saved": "Gespeichert" - }, - "edit_lovelace": { - "header": "Titel deiner Lovelace UI", - "explanation": "Dieser Titel wird überhalb aller deiner Lovelace Ansichten gezeigt." - }, "card": { "alarm_panel": { "available_states": "Verfügbare Zustände" }, + "alarm-panel": { + "available_states": "Verfügbare Zustände", + "name": "Alarmpanel" + }, + "conditional": { + "name": "Bedingte Elemente" + }, "config": { - "required": "Benötigt", - "optional": "Optional" + "optional": "Optional", + "required": "Benötigt" }, "entities": { - "show_header_toggle": "Namen anzeigen?", "name": "Elemente", + "show_header_toggle": "Namen anzeigen?", "toggle": "Entitäten umschalten" }, + "entity-button": { + "name": "Entity Button" + }, + "entity-filter": { + "name": "Entity Filter" + }, "gauge": { + "name": "Gauge", "severity": { "define": "Schweregrad definieren?", "green": "Grün", "red": "Rot", "yellow": "Gelb" - }, - "name": "Gauge" - }, - "glance": { - "columns": "Spalten", - "name": "Glance" + } }, "generic": { "aspect_ratio": "Seitenverhältnis", @@ -1499,39 +1594,14 @@ "show_name": "Namen anzeigen?", "show_state": "Status anzeigen?", "tap_action": "Tipp-Aktion", - "title": "Titel", "theme": "Aussehen", + "title": "Titel", "unit": "Einheit", "url": "Url" }, - "map": { - "geo_location_sources": "Geolocation-Quellen", - "dark_mode": "Dunkler Modus?", - "default_zoom": "Standard-Zoom", - "source": "Quelle", - "name": "Karte" - }, - "markdown": { - "content": "Inhalt", - "name": "Markdown" - }, - "sensor": { - "graph_detail": "Diagrammdetail", - "graph_type": "Typ", - "name": "Sensor" - }, - "alarm-panel": { - "name": "Alarmpanel", - "available_states": "Verfügbare Zustände" - }, - "conditional": { - "name": "Bedingte Elemente" - }, - "entity-button": { - "name": "Entity Button" - }, - "entity-filter": { - "name": "Entity Filter" + "glance": { + "columns": "Spalten", + "name": "Glance" }, "history-graph": { "name": "History Graph" @@ -1545,12 +1615,20 @@ "light": { "name": "Licht" }, + "map": { + "dark_mode": "Dunkler Modus?", + "default_zoom": "Standard-Zoom", + "geo_location_sources": "Geolocation-Quellen", + "name": "Karte", + "source": "Quelle" + }, + "markdown": { + "content": "Inhalt", + "name": "Markdown" + }, "media-control": { "name": "Mediensteuerung" }, - "picture": { - "name": "Picture" - }, "picture-elements": { "name": "Picture Elements" }, @@ -1560,9 +1638,17 @@ "picture-glance": { "name": "Picture Glance" }, + "picture": { + "name": "Picture" + }, "plant-status": { "name": "Planzen Status" }, + "sensor": { + "graph_detail": "Diagrammdetail", + "graph_type": "Typ", + "name": "Sensor" + }, "shopping-list": { "name": "Einkaufsliste" }, @@ -1576,434 +1662,348 @@ "name": "Wettervorhersage" } }, + "edit_card": { + "add": "Karte hinzufügen", + "delete": "Löschen", + "edit": "Bearbeiten", + "header": "Kartenkonfiguration", + "move": "Bewegen", + "options": "Mehr Optionen", + "pick_card": "Karte auswählen, die hinzugefügt werden soll.", + "pick_card_view_title": "Welche Karte möchten Sie Ihrer {name} -Ansicht hinzufügen?", + "save": "Speichern", + "show_code_editor": "Code-Editor anzeigen", + "show_visual_editor": "Visuellen Editor anzeigen", + "toggle_editor": "Editor umschalten" + }, + "edit_lovelace": { + "explanation": "Dieser Titel wird überhalb aller deiner Lovelace Ansichten gezeigt.", + "header": "Titel deiner Lovelace UI" + }, + "edit_view": { + "add": "Ansicht hinzufügen", + "delete": "Ansicht löschen", + "edit": "Ansicht bearbeiten", + "header": "Konfiguration anzeigen", + "header_name": "{name} Konfiguration anzeigen" + }, + "header": "Benutzeroberfläche bearbeiten", + "menu": { + "open": "Lovelace-Menü öffnen", + "raw_editor": "Raw-Konfigurationseditor" + }, + "migrate": { + "header": "Konfiguration inkompatibel", + "migrate": "Konfiguration migrieren", + "para_migrate": "Home Assistant kann für alle Ihre Karten und Ansichten die IDs automatisch generieren, wenn Sie den \"Konfiguration migrieren\"-Button klicken.", + "para_no_id": "Dieses Element hat keine ID. Bitte füge diesem Element eine ID in 'ui-lovelace.yaml' hinzu." + }, + "raw_editor": { + "header": "Konfiguration bearbeiten", + "save": "Speichern", + "saved": "Gespeichert", + "unsaved_changes": "Nicht gespeicherte Änderungen" + }, + "save_config": { + "cancel": "Abbrechen", + "header": "Lovelace Userinterface selbst verwalten", + "para": "Standardmäßig verwaltet Home Assistant Ihre Benutzeroberfläche und aktualisiert sie, sobald neue Entitäten oder Lovelace-Komponenten verfügbar sind. Wenn Sie die Verwaltung selbst übernehmen, nehmen wir für Sie keine Änderungen mehr vor.", + "para_sure": "Bist du dir sicher, dass du die Benutzeroberfläche selbst verwalten möchtest?", + "save": "Kontrolle übernehmen" + }, "view": { "panel_mode": { - "title": "Panel-Modus?", - "description": "Dadurch wird die erste Karte in voller Breite gerendert. Andere Karten in dieser Ansicht werden nicht gerendert." + "description": "Dadurch wird die erste Karte in voller Breite gerendert. Andere Karten in dieser Ansicht werden nicht gerendert.", + "title": "Panel-Modus?" } } }, "menu": { "configure_ui": "Benutzeroberfläche konfigurieren", - "unused_entities": "Ungenutzte Elemente", "help": "Hilfe", - "refresh": "Aktualisieren" - }, - "warning": { - "entity_not_found": "Entität nicht verfügbar: {entity}", - "entity_non_numeric": "Die Entität ist nicht-numerisch: {entity}" - }, - "changed_toast": { - "message": "Die Lovelace-Konfiguration wurde aktualisiert, möchtest du sie aktualisieren?", - "refresh": "Aktualisieren" + "refresh": "Aktualisieren", + "unused_entities": "Ungenutzte Elemente" }, "reload_lovelace": "Lovelace neu laden", "views": { "confirm_delete": "Möchten Sie diese Ansicht wirklich löschen?", "existing_cards": "Sie können eine Ansicht mit Karten nicht löschen. Entfernen Sie zuerst die Karten." + }, + "warning": { + "entity_non_numeric": "Die Entität ist nicht-numerisch: {entity}", + "entity_not_found": "Entität nicht verfügbar: {entity}" } }, + "mailbox": { + "delete_button": "Löschen", + "delete_prompt": "Diese Nachricht löschen?", + "empty": "Du hast keine Nachrichten", + "playback_title": "Nachrichtenwiedergabe" + }, + "page-authorize": { + "abort_intro": "Anmeldung abgebrochen", + "authorizing_client": "Du bist dabei, {clientId} Zugriff auf deine Home Assistant Instanz zu gewähren.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Sitzung abgelaufen, bitte erneut anmelden." + }, + "error": { + "invalid_auth": "Ungültiger Benutzername oder Passwort", + "invalid_code": "Ungültiger Authentifizierungscode" + }, + "step": { + "init": { + "data": { + "password": "Passwort", + "username": "Benutzername" + } + }, + "mfa": { + "data": { + "code": "Zwei-Faktor Authentifizierungscode" + }, + "description": "Öffne das **{mfa_module_name}** auf deinem Gerät um den 2-Faktor Authentifizierungscode zu sehen und deine Identität zu bestätigen:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Sitzung abgelaufen, bitte erneut anmelden." + }, + "error": { + "invalid_auth": "Ungültiger Benutzername oder Passwort", + "invalid_code": "Ungültiger Authentifizierungscode" + }, + "step": { + "init": { + "data": { + "password": "Passwort", + "username": "Benutzername" + } + }, + "mfa": { + "data": { + "code": "Zwei-Faktor Authentifizierungscode" + }, + "description": "Öffne das **{mfa_module_name}** auf deinem Gerät um den 2-Faktor Authentifizierungscode zu sehen und deine Identität zu bestätigen:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Sitzung abgelaufen, bitte erneut anmelden.", + "no_api_password_set": "Du hast kein API-Passwort konfiguriert." + }, + "error": { + "invalid_auth": "Ungültiges API-Passwort", + "invalid_code": "Ungültiger Authentifizierungscode" + }, + "step": { + "init": { + "data": { + "password": "API-Passwort" + }, + "description": "Bitte gib das API-Passwort deiner http-Konfiguration ein:" + }, + "mfa": { + "data": { + "code": "Zwei-Faktor Authentifizierungscode" + }, + "description": "Öffne das **{mfa_module_name}** auf deinem Gerät um den 2-Faktor Authentifizierungscode zu sehen und deine Identität zu bestätigen:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Dein Computer ist nicht auf der Whitelist." + }, + "step": { + "init": { + "data": { + "user": "Benutzer" + }, + "description": "Bitte wähle einen Benutzer aus, mit dem du dich anmelden möchtest:" + } + } + } + }, + "unknown_error": "Etwas lief schief", + "working": "Bitte warten" + }, + "initializing": "Initialisieren", + "logging_in_with": "Anmeldung mit **{authProviderName}**.", + "pick_auth_provider": "Oder melde dich an mit" + }, "page-demo": { "cards": { "demo": { "demo_by": "von {name}", - "next_demo": "Nächste Demo", "introduction": "Willkommen zu Hause! Du hast die Home Assistant Demo erreicht, in der wir die besten Benutzeroberflächen unserer Community präsentieren.", - "learn_more": "Erfahre mehr über Home Assistant" + "learn_more": "Erfahre mehr über Home Assistant", + "next_demo": "Nächste Demo" } }, "config": { "arsaboo": { - "names": { - "upstairs": "Obergeschoss", - "family_room": "Wohnzimmer", - "kitchen": "Küche", - "patio": "Terrasse", - "hallway": "Flur", - "master_bedroom": "Schlafzimmer", - "left": "Links", - "right": "Rechts", - "mirror": "Spiegel", - "temperature_study": "Temperatur Arbeitszimmer" - }, "labels": { - "lights": "Beleuchtung", - "information": "Informationen", - "morning_commute": "Morgendliche Pendelfahrt", + "activity": "Aktivität", + "air": "Luft", "commute_home": "Pendeln nach Hause", "entertainment": "Unterhaltung", - "activity": "Aktivität", "hdmi_input": "HDMI Eingang", "hdmi_switcher": "HDMI-Umschalter", - "volume": "Lautstärke", + "information": "Informationen", + "lights": "Beleuchtung", + "morning_commute": "Morgendliche Pendelfahrt", "total_tv_time": "Gesamte TV-Zeit", "turn_tv_off": "Fernseher ausschalten", - "air": "Luft" + "volume": "Lautstärke" + }, + "names": { + "family_room": "Wohnzimmer", + "hallway": "Flur", + "kitchen": "Küche", + "left": "Links", + "master_bedroom": "Schlafzimmer", + "mirror": "Spiegel", + "patio": "Terrasse", + "right": "Rechts", + "temperature_study": "Temperatur Arbeitszimmer", + "upstairs": "Obergeschoss" }, "unit": { - "watching": "zuschauend", - "minutes_abbr": "min" + "minutes_abbr": "min", + "watching": "zuschauend" } } } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Erkennen", + "finish": "Weiter", + "intro": "Hallo {name}, willkommen bei der Home Assistant. Wie möchtest du dein Haus benennen?", + "intro_location": "Wir würden gerne wissen, wo du wohnst. Diese Information hilft bei der Anzeige von Informationen und der Einrichtung von Sonnenstands-basierten Automatisierungen. Diese Daten werden niemals außerhalb deines Netzwerks weitergegeben.", + "intro_location_detect": "Wir können helfen, diese Informationen auszufüllen, indem wir eine einmalige Anfrage an einen externen Dienstleister richten.", + "location_name_default": "Home" + }, + "integration": { + "finish": "Fertig", + "intro": "Geräte und Dienste werden in Home Assistant als Integrationen dargestellt. Sie können jetzt oder später über die Konfigurationsseite eingerichtet werden.", + "more_integrations": "Mehr" + }, + "intro": "Bist du bereit, dein Zuhause zu erwecken, deine Privatsphäre zurückzugewinnen und einer weltweiten Gemeinschaft von Tüftlern beizutreten?", + "user": { + "create_account": "Benutzerkonto anlegen", + "data": { + "name": "Name", + "password": "Passwort", + "password_confirm": "Passwort bestätigen", + "username": "Benutzername" + }, + "error": { + "password_not_match": "Passwörter stimmen nicht überein", + "required_fields": "Fülle alle Pflichtfelder aus." + }, + "intro": "Beginnen wir mit dem Erstellen eines Benutzerkontos.", + "required_field": "Erforderlich" + } + }, + "profile": { + "advanced_mode": { + "description": "Home-Assistent verbirgt standardmäßig erweiterte Funktionen und Optionen. Mache diese Funktionen zugänglich, indem diese Option aktiviert wird. Dies ist eine benutzerspezifische Einstellung, die sich nicht auf andere Benutzer auswirkt, die Home Assistant verwenden.", + "title": "Erweiterter Modus" + }, + "change_password": { + "confirm_new_password": "Neues Passwort Bestätigen", + "current_password": "Aktuelles Passwort", + "error_required": "Erforderlich", + "header": "Passwort ändern", + "new_password": "Neues Passwort", + "submit": "Absenden" + }, + "current_user": "Du bist derzeit als {fullName} angemeldet.", + "force_narrow": { + "description": "Dies blendet die Seitenleiste standardmäßig aus, ähnlich der Nutzung auf Mobilgeräten.", + "header": "Verstecke die Seitenleiste immer" + }, + "is_owner": "Du bist der Besitzer", + "language": { + "dropdown_label": "Sprache", + "header": "Sprache", + "link_promo": "Hilf beim Übersetzen" + }, + "logout": "Abmelden", + "long_lived_access_tokens": { + "confirm_delete": "Möchtest du den Zugriffs-Token für {name} wirklich löschen?", + "create": "Token erstellen", + "create_failed": "Das Zugriffs-Token konnte nicht erstellt werden.", + "created_at": "Erstellt am {date}", + "delete_failed": "Fehler beim Löschen des Zugriffs-Tokens.", + "description": "Erstelle langlebige Zugriffstoken, damit deine Skripte mit deiner Home Assistant-Instanz interagieren können. Jedes Token ist ab der Erstellung für 10 Jahre gültig. Die folgenden langlebigen Zugriffstoken sind derzeit aktiv.", + "empty_state": "Du hast noch keine langlebigen Zugangs-Token.", + "header": "Langlebige Zugangs-Token", + "last_used": "Zuletzt verwendet am {date} in {location}", + "learn_auth_requests": "Erfahre, wie du authentifizierte Anfragen stellen kannst.", + "not_used": "Wurde noch nie benutzt", + "prompt_copy_token": "Kopiere deinen Zugangs-Token. Er wird nicht wieder angezeigt werden.", + "prompt_name": "Name?" + }, + "mfa_setup": { + "close": "Schließen", + "step_done": "Setup für {step} abgeschlossen", + "submit": "Absenden", + "title_aborted": "Abgebrochen", + "title_success": "Erfolgreich!" + }, + "mfa": { + "confirm_disable": "Möchtest du {name} wirklich deaktivieren?", + "disable": "Deaktivieren", + "enable": "Aktivieren", + "header": "2-Faktor-Authentifizierung Module" + }, + "push_notifications": { + "description": "Sende Benachrichtigungen an dieses Gerät.", + "error_load_platform": "Konfiguriere notify.html5.", + "error_use_https": "Erfordert aktiviertes SSL für das Frontend.", + "header": "Push-Benachrichtigungen", + "link_promo": "Mehr erfahren", + "push_notifications": "Push-Benachrichtigungen" + }, + "refresh_tokens": { + "confirm_delete": "Möchtest du das Aktualisierungstoken für {name} wirklich löschen?", + "created_at": "Erstellt am {date}", + "current_token_tooltip": "Aktueller Refresh-Token konnte nicht gelöscht werden", + "delete_failed": "Fehler beim Löschen das Aktualisierungs-Token.", + "description": "Jedes Aktualisierungstoken stellt eine Anmeldesitzung dar. Aktualisierungstoken werden automatisch entfernt, wenn du auf Abmelden klickst. Die folgenden Aktualisierungstoken sind derzeit für dein Konto aktiv.", + "header": "Aktualisierungs-Tokens", + "last_used": "Zuletzt verwendet am {date} in {location}", + "not_used": "Wurde noch nie benutzt", + "token_title": "Aktualisierungs-Token für {clientId}" + }, + "themes": { + "dropdown_label": "Thema", + "error_no_theme": "Keine Themen verfügbar.", + "header": "Thema", + "link_promo": "Erfahre mehr über Themen" + }, + "vibrate": { + "description": "Aktivieren oder deaktivieren Sie die Vibration an diesem Gerät, wenn Sie Geräte steuern.", + "header": "Vibrieren" + } + }, + "shopping-list": { + "add_item": "Artikel hinzufügen", + "clear_completed": "Erledigte entfernen", + "microphone_tip": "Tippe oben rechts auf das Mikrofon und sage “Add candy to my shopping list”" } }, "sidebar": { - "log_out": "Abmelden", "external_app_configuration": "App-Konfiguration", + "log_out": "Abmelden", "sidebar_toggle": "Seitenleiste umschalten" - }, - "common": { - "loading": "Laden", - "cancel": "Abbrechen", - "save": "Speichern", - "successfully_saved": "Erfolgreich gespeichert" - }, - "duration": { - "day": "{count} {count, plural,\none {Tag}\nother {Tage}\n}", - "week": "{count} {count, plural,\none {Woche}\nother {Wochen}\n}", - "second": "{count} {count, plural,\none {Sekunde}\nother {Sekunden}\n}", - "minute": "{count} {count, plural,\none {Minute}\nother {Minuten}\n}", - "hour": "{count} {count, plural,\none {Stunde}\nother {Stunden}\n}" - }, - "login-form": { - "password": "Passwort", - "remember": "Merken", - "log_in": "Anmelden" - }, - "card": { - "camera": { - "not_available": "Bild nicht verfügbar" - }, - "persistent_notification": { - "dismiss": "Ausblenden" - }, - "scene": { - "activate": "Aktivieren" - }, - "script": { - "execute": "Ausführen" - }, - "weather": { - "attributes": { - "air_pressure": "Luftdruck", - "humidity": "Luftfeuchtigkeit", - "temperature": "Temperatur", - "visibility": "Sichtweite", - "wind_speed": "Windgeschwindigkeit" - }, - "cardinal_direction": { - "e": "O", - "ene": "ONO", - "ese": "OSO", - "n": "N", - "ne": "NO", - "nne": "NNO", - "nw": "NW", - "nnw": "NNW", - "s": "S", - "se": "SO", - "sse": "SSO", - "ssw": "SSW", - "sw": "SW", - "w": "W", - "wnw": "WNW", - "wsw": "WSW" - }, - "forecast": "Prognose" - }, - "alarm_control_panel": { - "code": "Code", - "clear_code": "Löschen", - "disarm": "Deaktivieren", - "arm_home": "Aktivieren, Zuhause", - "arm_away": "Aktivieren, unterwegs", - "arm_night": "Nacht aktiviert", - "armed_custom_bypass": "Benutzerdefinierter Bypass", - "arm_custom_bypass": "Benutzerdefinierter Bypass" - }, - "automation": { - "last_triggered": "Zuletzt ausgelöst", - "trigger": "Auslösen" - }, - "cover": { - "position": "Position", - "tilt_position": "Kippstellung" - }, - "fan": { - "speed": "Geschwindigkeit", - "oscillate": "Oszillieren", - "direction": "Richtung", - "forward": "Vorwärts", - "reverse": "Rückwärts" - }, - "light": { - "brightness": "Helligkeit", - "color_temperature": "Farbtemperatur", - "white_value": "Weißwert", - "effect": "Effekt" - }, - "media_player": { - "text_to_speak": "Text zum Sprechen", - "source": "Quelle", - "sound_mode": "Sound-Modus" - }, - "climate": { - "currently": "Aktuell", - "on_off": "An \/ aus", - "target_temperature": "Soll-Temperatur", - "target_humidity": "Soll-Luftfeuchtigkeit", - "operation": "Aktion", - "fan_mode": "Ventilator-Modus", - "swing_mode": "Schwenk-Modus", - "away_mode": "Abwesenheitsmodus", - "aux_heat": "Hilfswärme", - "preset_mode": "Voreinstellung", - "target_temperature_entity": "{name} Zieltemperatur", - "target_temperature_mode": "{name} Zieltemperatur {mode}", - "current_temperature": "{name} aktuelle Temperatur", - "heating": "{name} Heizung", - "cooling": "{name} Kühlung", - "high": "hoch", - "low": "niedrig" - }, - "lock": { - "code": "Code", - "lock": "Verriegeln", - "unlock": "Entriegeln" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Reinigung fortsetzen", - "return_to_base": "Zurück zur Dockingstation", - "start_cleaning": "Reinigung starten", - "turn_on": "Einschalten", - "turn_off": "Ausschalten" - } - }, - "water_heater": { - "currently": "Aktuell", - "on_off": "An \/ Aus", - "target_temperature": "Solltemperatur", - "operation": "Betrieb", - "away_mode": "Abwesenheitsmodus" - }, - "timer": { - "actions": { - "start": "Start", - "pause": "Pause", - "cancel": "Abbrechen", - "finish": "Ende" - } - }, - "counter": { - "actions": { - "increment": "inkrementieren", - "decrement": "dekrementieren", - "reset": "zurücksetzen" - } - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "Entität", - "clear": "Löschen", - "show_entities": "Entitäten anzeigen" - } - }, - "service-picker": { - "service": "Dienst" - }, - "relative_time": { - "past": "Vor {time}", - "future": "In {time}", - "never": "Noch nie", - "duration": { - "second": "{count} {count, plural,\none {Sekunde}\nother {Sekunden}\n}", - "minute": "{count} {count, plural,\none {Minute}\nother {Minuten}\n}", - "hour": "{count} {count, plural,\none {Stunde}\nother {Stunden}\n}", - "day": "{count} {count, plural,\none {Tag}\nother {Tagen}\n}", - "week": "{count} {count, plural,\none {Woche}\nother {Wochen}\n}" - } - }, - "history_charts": { - "loading_history": "Lade Zustandsverlauf...", - "no_history_found": "Kein Zustandsverlauf gefunden." - }, - "device-picker": { - "clear": "Löschen", - "show_devices": "Geräte anzeigen" - } - }, - "notification_toast": { - "entity_turned_on": "{entity} eingeschaltet.", - "entity_turned_off": "{entity} ausgeschaltet.", - "service_called": "Dienst {service} aufgerufen.", - "service_call_failed": "Fehler beim Aufrufen des Service {service}.", - "connection_lost": "Verbindung getrennt. Verbinde erneut...", - "triggered": "{name} ausgelöst" - }, - "dialogs": { - "more_info_settings": { - "save": "Speichern", - "name": "Name", - "entity_id": "Entitäts-ID" - }, - "more_info_control": { - "script": { - "last_action": "Letzte Aktion" - }, - "sun": { - "elevation": "Höhe", - "rising": "Aufgang", - "setting": "Untergang" - }, - "updater": { - "title": "Update-Anweisungen" - } - }, - "options_flow": { - "form": { - "header": "Optionen" - }, - "success": { - "description": "Optionen wurden erfolgreich gespeichert." - } - }, - "config_entry_system_options": { - "title": "Systemoptionen", - "enable_new_entities_label": "Neu hinzugefügte Entitäten aktivieren.", - "enable_new_entities_description": "Neu erkannte Entitäten werden nicht automatisch in Home Assistant hinzugefügt wenn sie deaktiviert sind." - }, - "zha_device_info": { - "manuf": "von {manufacturer}", - "no_area": "Kein Bereich", - "services": { - "reconfigure": "Konfigurieren Sie das ZHA-Gerät neu (Gerät heilen). Verwenden Sie diese Option, wenn Sie Probleme mit dem Gerät haben. Wenn es sich bei dem fraglichen Gerät um ein batteriebetriebenes Gerät handelt, vergewissern Sie sich, dass es wach ist und Befehle akzeptiert, wenn Sie diesen Dienst nutzen.", - "updateDeviceName": "Lege einen benutzerdefinierten Namen für dieses Gerät in der Geräteregistrierung fest.", - "remove": "Entfernen Sie ein Gerät aus dem ZigBee-Netzwerk." - }, - "zha_device_card": { - "device_name_placeholder": "Vorname des Benutzers", - "area_picker_label": "Bereich", - "update_name_button": "Aktualisierung Name" - }, - "buttons": { - "add": "Geräte hinzufügen", - "remove": "Gerät entfernen", - "reconfigure": "Gerät neu konfigurieren" - }, - "quirk": "Eigenart", - "last_seen": "Zuletzt gesehen", - "power_source": "Energiequelle", - "unknown": "Unbekannt" - }, - "confirmation": { - "cancel": "Abbrechen", - "ok": "OK", - "title": "Sind Sie sicher?" - } - }, - "auth_store": { - "ask": "Möchtest du diesen Login speichern?", - "decline": "Nein Danke", - "confirm": "Login speichern" - }, - "notification_drawer": { - "click_to_configure": "Klicke auf die Schaltfläche, um {entity} zu konfigurieren.", - "empty": "Keine Benachrichtigungen", - "title": "Benachrichtigungen" - } - }, - "domain": { - "alarm_control_panel": "Alarmanlage", - "automation": "Automatisierung", - "binary_sensor": "Binärsensor", - "calendar": "Kalender", - "camera": "Kamera", - "climate": "Klima", - "configurator": "Konfigurator", - "conversation": "Konversation", - "cover": "Abdeckung", - "device_tracker": "Geräte-Tracker", - "fan": "Ventilator", - "history_graph": "Verlaufsgrafik", - "group": "Gruppe", - "image_processing": "Bildverarbeitung", - "input_boolean": "Boolsche Eingabe", - "input_datetime": "Eingabe Datum\/Uhrzeit", - "input_select": "Auswahlfeld", - "input_number": "Numerische Eingabe", - "input_text": "Texteingabe", - "light": "Licht", - "lock": "Schloss", - "mailbox": "Postfach", - "media_player": "Mediaplayer", - "notify": "Benachrichtigung", - "plant": "Pflanze", - "proximity": "Nähe", - "remote": "Fernbedienung", - "scene": "Szene", - "script": "Skript", - "sensor": "Sensor", - "sun": "Sonne", - "switch": "Schalter", - "updater": "Updater", - "weblink": "Weblink", - "zwave": "Z-Wave", - "vacuum": "Staubsauger", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Systemzustand", - "person": "Person" - }, - "attribute": { - "weather": { - "humidity": "Luftfeuchtigkeit", - "visibility": "Sichtweite", - "wind_speed": "Windgeschwindigkeit" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Aus", - "on": "An", - "auto": "Auto" - }, - "preset_mode": { - "none": "Keine", - "eco": "Sparmodus", - "away": "Abwesend", - "boost": "Maximal", - "comfort": "Komfort", - "home": "Zuhause", - "sleep": "Schlafen", - "activity": "Aktivität" - }, - "hvac_action": { - "off": "Aus", - "heating": "Heizung", - "cooling": "Kühlung", - "drying": "Trocknen", - "idle": "Leerlauf", - "fan": "Ventilator" - } - } - }, - "groups": { - "system-admin": "Administratoren", - "system-users": "Benutzer", - "system-read-only": "Nur-Lesen Benutzer" - }, - "config_entry": { - "disabled_by": { - "user": "Benutzer", - "integration": "Integration", - "config_entry": "Konfigurationseintrag" } } } \ No newline at end of file diff --git a/translations/el.json b/translations/el.json index 43ed0d60b3..41d707240d 100644 --- a/translations/el.json +++ b/translations/el.json @@ -1,53 +1,193 @@ { - "panel": { - "config": "Ρυθμίσεις", - "states": "Επισκόπηση", - "map": "Χάρτης", - "logbook": "Αρχείο Συμβάντων", - "history": "Ιστορικό", + "attribute": { + "weather": { + "humidity": "Υγρασία", + "visibility": "Ορατότητα", + "wind_speed": "Ταχύτητα ανέμου" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Παράμετρος διαμόρφωσης", + "integration": "Ενσωμάτωση", + "user": "Χρήστης" + } + }, + "domain": { + "alarm_control_panel": "Πίνακας ελέγχου ειδοποιήσεων", + "automation": "Αυτοματισμός", + "binary_sensor": "Δυαδικός αισθητήρας", + "calendar": "Ημερολόγιο", + "camera": "Κάμερα", + "climate": "Το κλίμα", + "configurator": "Διαμορφωτής", + "conversation": "Συνομιλία", + "cover": "Κάλυψη", + "device_tracker": "Συσκευή ανιχνευτή", + "fan": "Ανεμιστήρας", + "group": "Ομάδα", + "hassio": "Hass.io", + "history_graph": "Γράφημα του ιστορικού", + "homeassistant": "Home Assistant", + "image_processing": "Επεξεργασία εικόνας", + "input_boolean": "Εισαγωγή λογικής πράξης", + "input_datetime": "Εισαγωγή ημερομηνίας", + "input_number": "Αριθμός εισόδου", + "input_select": "Επιλογή εισόδου", + "input_text": "Εισαγωγή κειμένου", + "light": "Φωτιστικά", + "lock": "Κλείδωμα", + "lovelace": "Lovelace", "mailbox": "Γραμματοκιβώτιο", - "shopping_list": "Λίστα αγορών", + "media_player": "Συσκευή αναπαραγωγής πολυμέσων", + "notify": "Κοινοποίηση", + "person": "Άτομο", + "plant": "Χλωρίδα", + "proximity": "Εγγύτητα", + "remote": "Τηλεχειρισμός", + "scene": "Σκηνή", + "script": "Δέσμη ενεργειών", + "sensor": "Αισθητήρας", + "sun": "Ήλιος", + "switch": "Διακόπτης", + "system_health": "Υγεία Συστήματος", + "updater": "Επικαιροποιητής", + "vacuum": "Εκκένωση", + "weblink": "Σύνδεσμος", + "zha": "ΖΗΑ", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Διαχειριστές", + "system-read-only": "Χρήστες μόνο για ανάγνωση", + "system-users": "Χρήστες" + }, + "panel": { + "calendar": "Ημερολόγιο", + "config": "Ρυθμίσεις", "dev-info": "Πληροφορίες", "developer_tools": "Εργαλεία προγραμματιστή", - "calendar": "Ημερολόγιο", - "profile": "Προφίλ" + "history": "Ιστορικό", + "logbook": "Αρχείο Συμβάντων", + "mailbox": "Γραμματοκιβώτιο", + "map": "Χάρτης", + "profile": "Προφίλ", + "shopping_list": "Λίστα αγορών", + "states": "Επισκόπηση" + }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Αυτόματο", + "off": "Κλειστό", + "on": "Ενεργό" + }, + "hvac_action": { + "cooling": "Ψύξη", + "drying": "Αφύγρανση", + "fan": "Ανεμιστήρας", + "heating": "Θέρμανση", + "idle": "Σε αδράνεια", + "off": "Κλειστό" + }, + "preset_mode": { + "activity": "Δραστηριότητα", + "away": "Εκτός Σπιτιού", + "boost": "Ενίσχυση", + "comfort": "Άνεση", + "eco": "Οικονομικό", + "home": "Σπίτι", + "none": "Κανένας", + "sleep": "Ύπνος" + } + } + }, + "state_badge": { + "alarm_control_panel": { + "armed": "Οπλισμένο", + "armed_away": "Οπλισμένο", + "armed_custom_bypass": "Οπλισμένο", + "armed_home": "Οπλισμένο", + "armed_night": "Οπλισμένο", + "arming": "Όπλιση", + "disarmed": "Αφόπλιση", + "disarming": "Αφόπλιση", + "pending": "Εκκρεμής", + "triggered": "Ενεργ" + }, + "default": { + "entity_not_found": "Η οντότητα δεν βρέθηκε", + "error": "Σφάλμα", + "unavailable": "Μη Διαθ", + "unknown": "Άγνωστο" + }, + "device_tracker": { + "home": "Σπίτι", + "not_home": "Εκτός Σπιτιού" + }, + "person": { + "home": "Σπίτι", + "not_home": "Εκτός" + } }, "state": { - "default": { - "off": "Κλειστό", - "on": "Ανοιχτό", - "unknown": "Άγνωστη", - "unavailable": "Μη Διαθέσιμο" - }, "alarm_control_panel": { "armed": "Οπλισμένος", - "disarmed": "Αφοπλισμένος", - "armed_home": "Σπίτι Οπλισμένο", "armed_away": "Οπλισμένος μακριά", + "armed_custom_bypass": "Προσαρμοσμένη παράκαμψη ενεργή", + "armed_home": "Σπίτι Οπλισμένο", "armed_night": "Οπλισμένο βράδυ", - "pending": "Εκκρεμής", "arming": "Όπλιση", + "disarmed": "Αφοπλισμένος", "disarming": "Αφόπλιση", - "triggered": "Παραβίαση", - "armed_custom_bypass": "Προσαρμοσμένη παράκαμψη ενεργή" + "pending": "Εκκρεμής", + "triggered": "Παραβίαση" }, "automation": { "off": "Κλειστό", "on": "Ανοιχτό" }, "binary_sensor": { + "battery": { + "off": "Κανονικός", + "on": "Χαμηλός" + }, + "cold": { + "off": "Φυσιολογικό", + "on": "Κρύο" + }, + "connectivity": { + "off": "Αποσύνδεση", + "on": "Συνδεδεμένος" + }, "default": { "off": "Ανενεργός", "on": "Ενεργός " }, - "moisture": { - "off": "Ξηρό", - "on": "Υγρό" + "door": { + "off": "Κλειστή", + "on": "Ανοιχτή" + }, + "garage_door": { + "off": "Κλειστό", + "on": "Άνοιγμα" }, "gas": { "off": "Δεν Εντοπίστηκε", "on": "Εντοπίστηκε" }, + "heat": { + "off": "Φυσιολογικό", + "on": "Καυτό" + }, + "lock": { + "off": "Κλειδωμένο", + "on": "Ξεκλείδωτο" + }, + "moisture": { + "off": "Ξηρό", + "on": "Υγρό" + }, "motion": { "off": "Δεν Εντοπίστηκε", "on": "Εντοπίστηκε" @@ -56,6 +196,22 @@ "off": "Δεν Εντοπίστηκε", "on": "Εντοπίστηκε" }, + "opening": { + "off": "Κλειστό", + "on": "Ανοιχτό" + }, + "presence": { + "off": "Εκτός", + "on": "Σπίτι" + }, + "problem": { + "off": "Εντάξει", + "on": "Πρόβλημα" + }, + "safety": { + "off": "Ασφαλής", + "on": "Ανασφαλής" + }, "smoke": { "off": "Δεν Εντοπίστηκε", "on": "Εντοπίστηκε" @@ -68,53 +224,9 @@ "off": "Δεν Εντοπίστηκε", "on": "Εντοπίστηκε" }, - "opening": { - "off": "Κλειστό", - "on": "Ανοιχτό" - }, - "safety": { - "off": "Ασφαλής", - "on": "Ανασφαλής" - }, - "presence": { - "off": "Εκτός", - "on": "Σπίτι" - }, - "battery": { - "off": "Κανονικός", - "on": "Χαμηλός" - }, - "problem": { - "off": "Εντάξει", - "on": "Πρόβλημα" - }, - "connectivity": { - "off": "Αποσύνδεση", - "on": "Συνδεδεμένος" - }, - "cold": { - "off": "Φυσιολογικό", - "on": "Κρύο" - }, - "door": { - "off": "Κλειστή", - "on": "Ανοιχτή" - }, - "garage_door": { - "off": "Κλειστό", - "on": "Άνοιγμα" - }, - "heat": { - "off": "Φυσιολογικό", - "on": "Καυτό" - }, "window": { "off": "Κλειστό", "on": "Ανοιχτό" - }, - "lock": { - "off": "Κλειδωμένο", - "on": "Ξεκλείδωτο" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "Ενεργοποιημένο" }, "camera": { + "idle": "Αδρανές", "recording": "Καταγράφει", - "streaming": "Μετάδοση Ροής", - "idle": "Αδρανές" + "streaming": "Μετάδοση Ροής" }, "climate": { - "off": "Ανενεργό", - "on": "Ενεργό", - "heat": "Θερμό", - "cool": "Δροσερό", - "idle": "Αδρανές", "auto": "Αυτόματο", + "cool": "Δροσερό", "dry": "Ξηρό", - "fan_only": "Ανεμιστήρας μόνο", "eco": "Eco", "electric": "Ηλεκτρικό", - "performance": "Απόδοση", - "high_demand": "Υψηλή ζήτηση", - "heat_pump": "Αντλία θερμότητας", + "fan_only": "Ανεμιστήρας μόνο", "gas": "Αέριο", + "heat": "Θερμό", + "heat_cool": "Θέρμανση \/ Ψύξη", + "heat_pump": "Αντλία θερμότητας", + "high_demand": "Υψηλή ζήτηση", + "idle": "Αδρανές", "manual": "Εγχειρίδιο", - "heat_cool": "Θέρμανση \/ Ψύξη" + "off": "Ανενεργό", + "on": "Ενεργό", + "performance": "Απόδοση" }, "configurator": { "configure": "Διαμορφώστε", "configured": "Διαμορφώθηκε" }, "cover": { - "open": "Ανοιχτό", - "opening": "Άνοιγμα", "closed": "Κλειστό", "closing": "Κλείσιμο", + "open": "Ανοιχτό", + "opening": "Άνοιγμα", "stopped": "Σταμάτησε" }, + "default": { + "off": "Κλειστό", + "on": "Ανοιχτό", + "unavailable": "Μη Διαθέσιμο", + "unknown": "Άγνωστη" + }, "device_tracker": { "home": "Σπίτι", "not_home": "Εκτός Σπιτιού" @@ -164,19 +282,19 @@ "on": "Ανοιχτό" }, "group": { - "off": "Ανενεργό", - "on": "Ενεργό ", - "home": "Σπίτι", - "not_home": "Εκτός Σπιτιού", - "open": "Ενεργό", - "opening": "Ανοίγει", "closed": "Ανενεργό", "closing": "Κλείνει", - "stopped": "Σταμάτησε", + "home": "Σπίτι", "locked": "Κλειδωμένο", - "unlocked": "Ξεκλείδωτο", + "not_home": "Εκτός Σπιτιού", + "off": "Ανενεργό", "ok": "Εντάξει", - "problem": "Πρόβλημα" + "on": "Ενεργό ", + "open": "Ενεργό", + "opening": "Ανοίγει", + "problem": "Πρόβλημα", + "stopped": "Σταμάτησε", + "unlocked": "Ξεκλείδωτο" }, "input_boolean": { "off": "Κλειστό", @@ -191,13 +309,17 @@ "unlocked": "Ξεκλείδωτη" }, "media_player": { + "idle": "Σε αδράνεια", "off": "Απενεργοποίηση", "on": "Ενεργοποίηση", - "playing": "Κατάσταση Αναπαραγωγής", "paused": "Σε Παύση", - "idle": "Σε αδράνεια", + "playing": "Κατάσταση Αναπαραγωγής", "standby": "Κατάσταση αναμονής" }, + "person": { + "home": "Σπίτι", + "not_home": "Εκτός" + }, "plant": { "ok": "Εντάξει", "problem": "Πρόβλημα" @@ -225,34 +347,10 @@ "off": "Κλειστό", "on": "Ανοιχτό" }, - "zwave": { - "default": { - "initializing": "Αρχικοποίηση", - "dead": "Νεκρό", - "sleeping": "Κοιμάται", - "ready": "Έτοιμο" - }, - "query_stage": { - "initializing": "Αρχικοποίηση ( {query_stage} )", - "dead": "Νεκρό ( {query_stage} )" - } - }, - "weather": { - "clear-night": "Ξαστεριά, νύχτα", - "cloudy": "Νεφελώδης", - "fog": "Ομίχλη", - "hail": "Χαλάζι", - "lightning": "Αστραπή", - "lightning-rainy": "Καταιγίδα, βροχερό", - "partlycloudy": "Μερικώς νεφελώδης", - "pouring": "Ψιχαλίζει", - "rainy": "Βροχερή", - "snowy": "Χιονώδης", - "snowy-rainy": "Χιονισμένο, βροχερό", - "sunny": "Ηλιόλουστο", - "windy": "Θυελλώδεις", - "windy-variant": "Θυελλώδεις", - "exceptional": "Εξαιρετικό" + "timer": { + "active": "ενεργό", + "idle": "Σε αδράνεια", + "paused": "σε παύση" }, "vacuum": { "cleaning": "Καθαρισμός", @@ -264,130 +362,582 @@ "paused": "Παύση", "returning": "Επιστροφή στο dock" }, - "timer": { - "active": "ενεργό", - "idle": "Σε αδράνεια", - "paused": "σε παύση" + "weather": { + "clear-night": "Ξαστεριά, νύχτα", + "cloudy": "Νεφελώδης", + "exceptional": "Εξαιρετικό", + "fog": "Ομίχλη", + "hail": "Χαλάζι", + "lightning": "Αστραπή", + "lightning-rainy": "Καταιγίδα, βροχερό", + "partlycloudy": "Μερικώς νεφελώδης", + "pouring": "Ψιχαλίζει", + "rainy": "Βροχερή", + "snowy": "Χιονώδης", + "snowy-rainy": "Χιονισμένο, βροχερό", + "sunny": "Ηλιόλουστο", + "windy": "Θυελλώδεις", + "windy-variant": "Θυελλώδεις" }, - "person": { - "home": "Σπίτι", - "not_home": "Εκτός" - } - }, - "state_badge": { - "default": { - "unknown": "Άγνωστο", - "unavailable": "Μη Διαθ", - "error": "Σφάλμα", - "entity_not_found": "Η οντότητα δεν βρέθηκε" - }, - "alarm_control_panel": { - "armed": "Οπλισμένο", - "disarmed": "Αφόπλιση", - "armed_home": "Οπλισμένο", - "armed_away": "Οπλισμένο", - "armed_night": "Οπλισμένο", - "pending": "Εκκρεμής", - "arming": "Όπλιση", - "disarming": "Αφόπλιση", - "triggered": "Ενεργ", - "armed_custom_bypass": "Οπλισμένο" - }, - "device_tracker": { - "home": "Σπίτι", - "not_home": "Εκτός Σπιτιού" - }, - "person": { - "home": "Σπίτι", - "not_home": "Εκτός" + "zwave": { + "default": { + "dead": "Νεκρό", + "initializing": "Αρχικοποίηση", + "ready": "Έτοιμο", + "sleeping": "Κοιμάται" + }, + "query_stage": { + "dead": "Νεκρό ( {query_stage} )", + "initializing": "Αρχικοποίηση ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Καθαρισμός Ολοκληρώθηκε", - "add_item": "Προσθήκη στοιχείου", - "microphone_tip": "Πατήστε το μικρόφωνο στην επάνω δεξιά γωνία και πείτε \"Προσθήκη καραμελών στη λίστα αγορών μου\"" + "auth_store": { + "ask": "Θέλετε να αποθηκεύσετε αυτή την σύνδεση;", + "confirm": "Αποθήκευση σύνδεσης", + "decline": "Όχι, ευχαριστώ" + }, + "card": { + "alarm_control_panel": { + "arm_away": "Οπλισμός εκτός", + "arm_custom_bypass": "Προσαρμοσμένη παράκαμψη", + "arm_home": "Οπλισμός εντός", + "arm_night": "Οπλισμός νυκτός", + "armed_custom_bypass": "Προσαρμοσμένη παράκαμψη", + "clear_code": "Καθαρισμός", + "code": "Κωδικός", + "disarm": "Αφοπλισμός" }, - "developer-tools": { - "tabs": { - "services": { - "title": "Υπηρεσίες" - }, - "states": { - "title": "Καταστάσεις" - }, - "events": { - "title": "Γεγονότα" - }, - "templates": { - "title": "Πρότυπα" - }, - "mqtt": { - "title": "MQTT" - }, - "info": { - "title": "Πληροφορίες" - }, - "logs": { - "title": "Αρχεία καταγραφής" - } + "automation": { + "last_triggered": "Τελευταίο έναυσμα", + "trigger": "Έναυσμα" + }, + "camera": { + "not_available": "Μη διαθέσιμη εικόνα" + }, + "climate": { + "aux_heat": "Θερμοκρασία Aux", + "away_mode": "Λειτουργία εκτός σπιτιού", + "currently": "Αυτή τη στιγμή", + "fan_mode": "Λειτουργία ανεμιστήρα", + "on_off": "Ενεργοποίηση \/ απενεργοποίηση", + "operation": "Λειτουργία", + "preset_mode": "Προκαθορισμένο", + "swing_mode": "Λειτουργία ανεμιστήρα", + "target_humidity": "Επιθυμητή υγρασία", + "target_temperature": "Επιθυμητή θερμοκρασία" + }, + "cover": { + "position": "Θέση", + "tilt_position": "Θέση ανάκλισης" + }, + "fan": { + "direction": "Κατεύθυνση", + "forward": "Εμπρός", + "oscillate": "Περιστροφή", + "reverse": "Αντιστροφή", + "speed": "Ταχύτητα" + }, + "light": { + "brightness": "Φωτεινότητα", + "color_temperature": "Θερμοκρασία χρώματος", + "effect": "Εφέ", + "white_value": "Τιμή λευκού" + }, + "lock": { + "code": "Κώδικας", + "lock": "Κλείδωμα", + "unlock": "Ξεκλείδωμα" + }, + "media_player": { + "sound_mode": "Λειτουργία ήχου", + "source": "Πηγή", + "text_to_speak": "Κείμενο προς εκφώνηση" + }, + "persistent_notification": { + "dismiss": "Απόρριψη" + }, + "scene": { + "activate": "Ενεργοποίηση" + }, + "script": { + "execute": "Εκτέλεση" + }, + "timer": { + "actions": { + "cancel": "Ακύρωση", + "finish": "Ολοκληρώθηκαν", + "pause": "Παύση", + "start": "Εκκίνηση" } }, - "history": { - "showing_entries": "Εμφανίζονται καταχωρήσεις για", - "period": "Περίοδος" + "vacuum": { + "actions": { + "resume_cleaning": "Συνέχιση καθαρισμού", + "return_to_base": "Επιστροφή στο dock", + "start_cleaning": "Έναρξη καθαρισμού", + "turn_off": "Απενεργοποίηση", + "turn_on": "Ενεργοποίηση" + } }, - "logbook": { - "showing_entries": "Εμφανίζοντα καταχωρήσεις για", - "period": "Περίοδος" + "water_heater": { + "away_mode": "Λειτουργία 'Είμαι εκτός'", + "currently": "Αυτή τη στιγμή", + "on_off": "Ενεργοποίηση \/ απενεργοποίηση", + "operation": "Λειτουργία", + "target_temperature": "Επιθυμητή θερμοκρασία" }, - "mailbox": { - "empty": "Δεν έχετε μηνύματα", - "playback_title": "Αναπαραγωγή μηνύματος", - "delete_prompt": "Διαγραφή αυτού του μηνύματος;", - "delete_button": "Διαγραφή" + "weather": { + "attributes": { + "air_pressure": "Πίεση αέρα", + "humidity": "Υγρασία", + "temperature": "Θερμοκρασία", + "visibility": "Ορατότητα", + "wind_speed": "Ταχύτητα ανέμου" + }, + "cardinal_direction": { + "e": "Α", + "ene": "ΑΒΑ", + "ese": "ΑΝΑ", + "n": "Β", + "ne": "ΒΑ", + "nne": "ΒΒΑ", + "nnw": "ΒΒΔ", + "nw": "ΒΔ", + "s": "Ν", + "se": "ΝΑ", + "sse": "ΝΝΑ", + "ssw": "ΝΝΔ", + "sw": "ΝΔ", + "w": "Δ", + "wnw": "ΔΒΔ", + "wsw": "ΔΝΔ" + }, + "forecast": "Πρόγνωση" + } + }, + "common": { + "cancel": "Ακύρωση", + "loading": "Φόρτωση", + "save": "Αποθήκευση", + "successfully_saved": "Αποθηκεύτηκε με επιτυχία" + }, + "components": { + "entity": { + "entity-picker": { + "entity": "Οντότητα" + } }, + "history_charts": { + "loading_history": "Φόρτωση ιστορικού κατάστασης …", + "no_history_found": "Δεν έχει βρεθεί ιστορικό κατάστασης." + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\n one {μέρα}\\n other {μέρες}\\n}", + "hour": "{count} {count, plural,\\n one {ώρα}\\n other {ώρες}\\n}", + "minute": "{count} {count, plural,\\n one {λεπτό}\\n other {λεπτά}\\n}", + "second": "{count} {count, plural,\\n one {δευτερόλεπτο}\\n other {δευτερόλεπτα}\\n}", + "week": "{count} {count, plural,\\n one {εβδομάδα}\\n other {εβδομάδες}\\n}" + }, + "future": "Σε {time}", + "never": "Ποτέ", + "past": "{time} πριν" + }, + "service-picker": { + "service": "Υπηρεσία" + } + }, + "dialogs": { + "config_entry_system_options": { + "enable_new_entities_description": "Αν απενεργοποιηθεί, οι πρόσφατα ανακαλυφθείσες οντότητες δεν θα προστεθούν αυτόματα στον Home Assistant.", + "enable_new_entities_label": "Ενεργοποίηση οντοτήτων που προστέθηκαν πρόσφατα.", + "title": "Επιλογές συστήματος" + }, + "more_info_control": { + "script": { + "last_action": "Τελευταία Ενέργεια" + }, + "sun": { + "elevation": "Υψόμετρο", + "rising": "Αύξηση", + "setting": "Ρύθμιση" + }, + "updater": { + "title": "Οδηγίες Ενημέρωσης" + } + }, + "more_info_settings": { + "entity_id": "Αναγνωριστικό οντότητας", + "name": "Επιβολή Ονόματος", + "save": "Αποθήκευση" + }, + "options_flow": { + "form": { + "header": "Επιλογές" + }, + "success": { + "description": "Οι επιλογές αποθηκεύτηκαν με επιτυχία." + } + }, + "zha_device_info": { + "buttons": { + "add": "Προσθήκη συσκευών", + "reconfigure": "Ρυθμίστε Ξανά Τη Συσκευή", + "remove": "Κατάργηση συσκευής" + }, + "manuf": "από τον {manufacturer}", + "no_area": "Καμία περιοχή", + "power_source": "Πηγή ενέργειας", + "quirk": "Ιδιοτροπία", + "services": { + "reconfigure": "Ρυθμίστε ξανά τη συσκευή ZHA (θεραπεία συσκευής). Χρησιμοποιήστε αυτήν την επιλογή εάν αντιμετωπίζετε προβλήματα με τη συσκευή. Εάν η συγκεκριμένη συσκευή τροφοδοτείται από μπαταρία παρακαλώ βεβαιωθείτε ότι είναι ενεργοποιημένη και δέχεται εντολές όταν χρησιμοποιείτε αυτή την υπηρεσία.", + "remove": "Καταργήστε μια συσκευή από το δίκτυο Zigbee.", + "updateDeviceName": "Ορίστε ένα προσαρμοσμένο όνομα γι αυτήν τη συσκευή στο μητρώο συσκευών." + }, + "unknown": "Άγνωστη", + "zha_device_card": { + "area_picker_label": "Περιοχή", + "device_name_placeholder": "Όνομα δοσμένο από τον χρήστη", + "update_name_button": "Ενημέρωση ονόματος" + } + } + }, + "duration": { + "day": "{count} {count, plural,\\n one {μέρα}\\n other {μέρες}\\n}", + "hour": "{count} {count, plural,\\n one {ώρα}\\n other {ώρες}\\n}", + "minute": "{count} {count, plural,\\n one {λεπτό}\\n other {λεπτά}\\n}", + "second": "{count} {count, plural,\\n one {δευτερόλεπτο}\\n other {δευτερόλεπτα}\\n}", + "week": "{count} {count, plural,\\n one {εβδομάδα}\\n other {εβδομάδες}\\n}" + }, + "login-form": { + "log_in": "Σύνδεση", + "password": "Κωδικός", + "remember": "Να θυμάμαι" + }, + "notification_drawer": { + "click_to_configure": "Πατήστε το κουμπί για να διαμορφώσετε το {entity}", + "empty": "Καμία ειδοποίηση", + "title": "Ειδοποιήσεις" + }, + "notification_toast": { + "connection_lost": "Η σύνδεση χάθηκε. Επανασύνδεση…", + "entity_turned_off": "Απενεργοποίηση {entity}.", + "entity_turned_on": "Ενεργοποιημένο στο {entity}.", + "service_call_failed": "Απέτυχε η κλήση στην υπηρεσία {service}.", + "service_called": "Επιτυχής κλήση στην υπηρεσία {service}" + }, + "panel": { "config": { - "header": "Διαμόρφωση του Home Assistant", - "introduction": "Εδώ είναι δυνατή η διαμόρφωση του Home Assistant και των εξαρτημάτων. Δεν είναι δυνατή η διαμόρφωση όλων από την διεπαφή χρήστη (UI) αλλά εργαζόμαστε πάνω σε αυτό.", + "area_registry": { + "caption": "Περιοχή Μητρώου", + "create_area": "ΔΗΜΙΟΥΡΓΙΑ ΠΕΡΙΟΧΗΣ", + "description": "Επισκόπηση όλων των περιοχών στο σπίτι σας.", + "editor": { + "create": "ΔΗΜΙΟΥΡΓΙΑ", + "default_name": "Νέα περιοχή", + "delete": "ΔΙΑΓΡΑΦΗ", + "update": "ΕΝΗΜΕΡΩΣΗ" + }, + "no_areas": "Φαίνεται ότι δεν έχετε ορίσει ακόμα κάποια περιοχή!", + "picker": { + "create_area": "ΔΗΜΙΟΥΡΓΙΑ ΠΕΡΙΟΧΗΣ", + "header": "Περιοχή Μητρώου", + "integrations_page": "Σελίδα ενσωματώσεων", + "introduction": "Οι περιοχές χρησιμοποιούνται για την οργάνωση της τοποθεσίας των συσκευών. Αυτές οι πληροφορίες θα χρησιμοποιηθούν σε όλο το Home Assistant για να σας βοηθήσουν στην οργάνωση της διασύνδεσης, των αδειών και των ενσωματώσεων σας σε άλλα συστήματα.", + "introduction2": "Για να τοποθετήσετε συσκευές σε μια περιοχή, χρησιμοποιήστε τον παρακάτω σύνδεσμο για να μεταβείτε στη σελίδα ενοποιήσεων και στη συνέχεια κάντε κλικ στην ρυθμισμένη ενοποίηση για να μεταβείτε στις κάρτες της συσκευής.", + "no_areas": "Φαίνεται ότι δεν έχετε ορίσει ακόμα κάποια περιοχή!" + } + }, + "automation": { + "caption": "Αυτοματισμός", + "description": "Δημιουργία και επεξεργασία αυτοματισμών", + "editor": { + "actions": { + "add": "Προσθήκη ενέργειας", + "delete": "Διαγραφή", + "delete_confirm": "Επιθυμείτε την διαγραφή σίγουρα;", + "duplicate": "Διπλότυπο", + "header": "Ενέργειες", + "introduction": "Οι ενέργειες είναι ό,τι θα κάνει το Home Assistant όταν ενεργοποιηθεί ο αυτοματισμός. \\n\\n [Μάθετε περισσότερα για τις ενέργειες.] (https:\/\/home-assistant.io\/docs\/automation\/action\/)", + "learn_more": "Μάθετε περισσότερα σχετικά με τις ενέργειες", + "type_select": "Τύπος ενέργειας", + "type": { + "condition": { + "label": "Προϋπόθεση" + }, + "delay": { + "delay": "Καθυστέρηση", + "label": "Καθυστέρηση" + }, + "device_id": { + "label": "Συσκευή" + }, + "event": { + "event": "Γεγονός:", + "label": "Εκκίνηση συμβάντος", + "service_data": "Δεδομένα υπηρεσίας" + }, + "scene": { + "label": "Ενεργοποίηση σκηνής" + }, + "service": { + "label": "Κάλεσμα υπηρεσίας", + "service_data": "Δεδομένα υπηρεσίας" + }, + "wait_template": { + "label": "Αναμονή", + "timeout": "Λήξη χρόνου (προαιρετικό)", + "wait_template": "Πρότυπο Αναμονής" + } + }, + "unsupported_action": "Μη υποστηριζόμενη ενέργεια: {action}" + }, + "alias": "Όνομα", + "conditions": { + "add": "Προσθήκη όρου", + "delete": "Διαγραφή", + "delete_confirm": "Να γίνει η διαγραφή σίγουρα;", + "duplicate": "Διπλότυπο", + "header": "Συνθήκες", + "introduction": "Οι συνθήκες είναι ένα προαιρετικό μέρος ενός κανόνα αυτοματισμού και μπορούν να χρησιμοποιηθούν για να αποτρέψουν μια ενέργεια να συμβεί όταν ενεργοποιηθεί. Οι συνθήκες μοιάζουν πολύ με τα εναύσματα, αλλά είναι πολύ διαφορετικές. Ένα έναυσμα θα εξετάσει τα γεγονότα που συμβαίνουν στο σύστημα, ενώ μια κατάσταση εξετάζει μόνο το πώς φαίνεται το σύστημα τώρα. Ένα έναυσμα μπορεί να παρατηρήσει ότι ένας διακόπτης είναι ενεργοποιημένος. Μια κατάσταση μπορεί να δει μόνο εάν ένας διακόπτης είναι ενεργοποιημένος ή απενεργοποιημένος. \\n\\n [Μάθετε περισσότερα σχετικά με τις συνθήκες.] (https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", + "learn_more": "Μάθετε περισσότερα σχετικά με τις συνθήκες", + "type_select": "Τύπος συνθήκης", + "type": { + "and": { + "label": "Και" + }, + "device": { + "extra_fields": { + "above": "Πάνω από", + "below": "Κάτω από", + "for": "Διάρκεια" + }, + "label": "Συσκευή" + }, + "numeric_state": { + "above": "Πάνω από", + "below": "Κάτω από", + "label": "Αριθμητική κατάσταση", + "value_template": "Τιμή πρότυπου (προαιρετικό)" + }, + "or": { + "label": "Ή" + }, + "state": { + "label": "Κατάσταση", + "state": "Κατάσταση" + }, + "sun": { + "after": "Μετά:", + "after_offset": "Μετά την μετατόπιση (προαιρετικά)", + "before": "Πριν:", + "before_offset": "Πριν τη μετατόπιση (προαιρετικά)", + "label": "Ήλιος", + "sunrise": "Ανατολή ηλίου", + "sunset": "Δύση ηλίου" + }, + "template": { + "label": "Πρότυπο", + "value_template": "Τιμή πρότυπου" + }, + "time": { + "after": "Μετά", + "before": "Πριν", + "label": "Χρόνος" + }, + "zone": { + "entity": "Οντότητα με τοποθεσία", + "label": "Ζώνη", + "zone": "Ζώνη" + } + }, + "unsupported_condition": "Μη υποστηριζόμενη κατάσταση: {condition}" + }, + "default_name": "Νέος αυτοματισμός", + "description": { + "label": "Περιγραφή", + "placeholder": "Προαιρετική περιγραφή" + }, + "introduction": "Χρησιμοποιήστε αυτοματισμούς για να ζωντανέψουν το σπίτι σας", + "load_error_not_editable": "Μόνο οι αυτοματισμοί στο automations.yaml είναι επεξεργάσιμοι.", + "load_error_unknown": "Σφάλμα κατά τη φόρτωση αυτοματισμού ({err_no}).", + "save": "Αποθήκευση", + "triggers": { + "add": "Προσθήκη εναύσματος", + "delete": "Διαγραφή", + "delete_confirm": "Σίγουρα επιθυμείτε την διαγραφή;", + "duplicate": "Διπλότυπο", + "header": "Εναύσματα", + "introduction": "Τα εναύσματα ενεργοποιούν τους κανόνες αυτοματισμού. Είναι δυνατός ο καθορισμός πολλαπλών εναυσμάτων για τον ίδιο κανόνα. Με την ενεργοποίηση ενός εναύσματος το Home Assistant θα εκτελέσει τους κανόνες, εάν υπάρχουν, και θα καλέσει την ενέργεια.\\n\\n[Μάθετε περισσότερα για τις ενέργειες.] (https:\/\/home-assistant.io\/docs\/automation\/action\/)", + "learn_more": "Μάθετε περισσότερα σχετικά με τα εναύσματα", + "type_select": "Τύπος εναύσματος", + "type": { + "device": { + "extra_fields": { + "above": "Πάνω από", + "below": "Κάτω από", + "for": "Διάρκεια" + }, + "label": "Συσκευή" + }, + "event": { + "event_data": "Δεδομένα συμβάντος", + "event_type": "Τύπος συμβάντος", + "label": "Συμβάν" + }, + "geo_location": { + "enter": "Είσοδος", + "event": "Γεγονός:", + "label": "Γεωγραφική θέση", + "leave": "Αποχώρηση", + "source": "Πηγή", + "zone": "Ζώνη" + }, + "homeassistant": { + "event": "Γεγονός:", + "label": "Home Assistant", + "shutdown": "Τερματισμός λειτουργίας", + "start": "Έναρξη" + }, + "mqtt": { + "label": "MQTT", + "payload": "Φορτίο (προαιρετικό)", + "topic": "Θέμα" + }, + "numeric_state": { + "above": "Πάνω από", + "below": "Κάτω από", + "label": "Αριθμητική κατάσταση", + "value_template": "Τιμή πρότυπου (προαιρετικό)" + }, + "state": { + "for": "Για", + "from": "Από", + "label": "Κατάσταση", + "to": "Προς" + }, + "sun": { + "event": "Γεγονός:", + "label": "Ήλιος", + "offset": "Μετατόπιση (προαιρετικό)", + "sunrise": "Ανατολή ηλίου", + "sunset": "Δύση ηλίου" + }, + "template": { + "label": "Πρότυπο", + "value_template": "Τιμή πρότυπου" + }, + "time_pattern": { + "hours": "Ώρες", + "label": "Χρονικό μοτίβο", + "minutes": "Λεπτά", + "seconds": "Δευτερόλεπτα" + }, + "time": { + "at": "Στις", + "label": "Ώρα" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Αναγνωριστικό Webhook" + }, + "zone": { + "enter": "Είσοδος", + "entity": "Οντότητα με τοποθεσία", + "event": "Γεγονός:", + "label": "Ζώνη", + "leave": "Αποχώρηση", + "zone": "Ζώνη" + } + }, + "unsupported_platform": "Μη υποστηριζόμενη πλατφόρμα: {platform}" + }, + "unsaved_confirm": "Δεν αποθηκεύσατε τις αλλαγές. Είστε βέβαιοι ότι θέλετε να φύγετε;" + }, + "picker": { + "add_automation": "Προσθήκη αυτοματισμού", + "header": "Επεξεργαστής αυτοματισμού", + "introduction": "Ο επεξεργαστής αυτοματισμού σας επιτρέπει να δημιουργείτε και να επεξεργάζεστε αυτοματισμούς. Διαβάστε τις [οδηγίες] (https:\/\/home-assistant.io\/docs\/automation\/editor\/) για να βεβαιωθείτε ότι έχετε ρυθμίσει σωστά το Home Assistant.", + "learn_more": "Μάθετε περισσότερα σχετικά με τους αυτοματισμούς", + "no_automations": "Δεν ήταν δυνατή η εύρεση επεξεργάσιμων αυτοματισμών", + "pick_automation": "Επιλέξτε αυτοματισμό για επεξεργασία" + } + }, + "cloud": { + "account": { + "google": { + "manage_entities": "Διαχείριση Οντοτήτων", + "sync_entities": "Συγχρονισμός οντοτήτων στο Google" + }, + "webhooks": { + "loading": "Φόρτωση …", + "title": "Webhooks" + } + }, + "alexa": { + "title": "Alexa" + }, + "caption": "Σύννεφο Home Assistant", + "description_features": "Έλεγχος εκτός σπιτιού, ενσωμάτωση με τα Alexa και Google Assistant", + "description_login": "Συνδεδεμένος ως {email}", + "description_not_login": "Μη συνδεδεμένος", + "dialog_certificate": { + "certificate_expiration_date": "Ημερομηνία λήξης πιστοποιητικού", + "certificate_information": "Πληροφορίες Πιστοποιητικού", + "fingerprint": "Αποτύπωμα πιστοποιητικού:", + "will_be_auto_renewed": "Θα ανανεωθεί αυτόματα" + }, + "dialog_cloudhook": { + "available_at": "Το webhook είναι διαθέσιμο στον ακόλουθο σύνδεσμο:", + "close": "Κλείστε", + "confirm_disable": "Είστε σίγουροι ότι θέλετε να απενεργοποιήσετε αυτό το webhook;", + "copied_to_clipboard": "Αντιγράφηκε στο πρόχειρο", + "info_disable_webhook": "Αν δεν θέλετε πλέον να χρησιμοποιείτε αυτό το webhook, μπορείτε να", + "link_disable_webhook": "απενεργοποιήστε το", + "view_documentation": "Δείτε τα έγγραφα", + "webhook_for": "Webhook για {name}" + }, + "google": { + "title": "Google Assistant" + } + }, + "common": { + "editor": { + "confirm_unsaved": "Δεν αποθηκεύσατε τις αλλαγές. Είστε βέβαιοι ότι θέλετε να φύγετε;" + } + }, "core": { "caption": "Γενικά", "description": "Αλλάξτε τη γενική διαμόρφωση του Home Assistant", "section": { "core": { - "header": "Γενική ρύθμιση παραμέτρων", - "introduction": "Αλλάζοντας τις ρυθμίσεις σας μπορεί να είναι μια κουραστική διαδικασία. Το γνωρίζουμε. Σε αυτή την ενότητα θα προσπαθήσουμε να κάνουμε τη ζωή σας λίγο πιο εύκολη.", "core_config": { "edit_requires_storage": "Ο επεξεργαστής απενεργοποιήθηκε επειδή οι ρυθμίσεις παραμέτρων αποθηκεύτηκαν στο αρχείο configuration.yaml.", - "location_name": "Όνομα της εγκατάστασης του Home Assistant", - "latitude": "Γεωγραφικό πλάτος", - "longitude": "Γεωγραφικό μήκος", "elevation": "Ανύψωση", "elevation_meters": "μέτρα", + "imperial_example": "Φαρενάιτ, λίρες", + "latitude": "Γεωγραφικό πλάτος", + "location_name": "Όνομα της εγκατάστασης του Home Assistant", + "longitude": "Γεωγραφικό μήκος", + "metric_example": "Κελσίου, κιλά", + "save_button": "Αποθήκευση", "time_zone": "Ζώνη Ώρας", "unit_system": "Μονάδα Συστήματος", "unit_system_imperial": "Αυτοκρατορικός", - "unit_system_metric": "Μετρικό", - "imperial_example": "Φαρενάιτ, λίρες", - "metric_example": "Κελσίου, κιλά", - "save_button": "Αποθήκευση" - } + "unit_system_metric": "Μετρικό" + }, + "header": "Γενική ρύθμιση παραμέτρων", + "introduction": "Αλλάζοντας τις ρυθμίσεις σας μπορεί να είναι μια κουραστική διαδικασία. Το γνωρίζουμε. Σε αυτή την ενότητα θα προσπαθήσουμε να κάνουμε τη ζωή σας λίγο πιο εύκολη." }, "server_control": { - "validation": { - "heading": "Επαλήθευση ρυθμίσεων", - "introduction": "Επαληθεύστε τις ρυθμίσεις σας εάν κάνατε πρόσφατα κάποιες αλλαγές και θέλετε να βεβαιωθείτε ότι είναι όλες έγκυρες", - "check_config": "Ελέγξτε το config", - "valid": "Έγκυρη ρύθμιση", - "invalid": "Μη έγκυρη ρύθμιση" - }, "reloading": { - "heading": "Επαναφόρτωση ρυθμίσεων", - "introduction": "Ορισμένα τμήματα του Home Assistant μπορούν να φορτωθούν ξανά χωρίς να απαιτείται επανεκκίνηση. Ξεκινώντας την φόρτωση θα ξεφορτωθεί η τρέχουσα διαμόρφωση και θα φορτωθεί η νέα.", + "automation": "Επαναφόρτωση αυτοματισμών", "core": "Επαναφόρτιση πυρήνα", "group": "Επαναφόρτωση ομάδων", - "automation": "Επαναφόρτωση αυτοματισμών", + "heading": "Επαναφόρτωση ρυθμίσεων", + "introduction": "Ορισμένα τμήματα του Home Assistant μπορούν να φορτωθούν ξανά χωρίς να απαιτείται επανεκκίνηση. Ξεκινώντας την φόρτωση θα ξεφορτωθεί η τρέχουσα διαμόρφωση και θα φορτωθεί η νέα.", "script": "Επαναφόρτωση δέσμης εντολών" }, "server_management": { @@ -395,6 +945,13 @@ "introduction": "Έλεγχος του διακομιστή Home Assistant… από τον Home Assistant", "restart": "Επανεκκίνηση", "stop": "Στοπ" + }, + "validation": { + "check_config": "Ελέγξτε το config", + "heading": "Επαλήθευση ρυθμίσεων", + "introduction": "Επαληθεύστε τις ρυθμίσεις σας εάν κάνατε πρόσφατα κάποιες αλλαγές και θέλετε να βεβαιωθείτε ότι είναι όλες έγκυρες", + "invalid": "Μη έγκυρη ρύθμιση", + "valid": "Έγκυρη ρύθμιση" } } } @@ -407,221 +964,99 @@ "introduction": "Αλλαγή ρυθμίσεων ανά οντότητα. Οι προσαρμοσμένες προσθήκες \/ επεξεργασίες θα τεθούν αμέσως σε ισχύ. Οι αφαιρεθείσες προσαρμογές θα ισχύσουν όταν ενημερωθεί η οντότητα." } }, - "automation": { - "caption": "Αυτοματισμός", - "description": "Δημιουργία και επεξεργασία αυτοματισμών", - "picker": { - "header": "Επεξεργαστής αυτοματισμού", - "introduction": "Ο επεξεργαστής αυτοματισμού σας επιτρέπει να δημιουργείτε και να επεξεργάζεστε αυτοματισμούς. Διαβάστε τις [οδηγίες] (https:\/\/home-assistant.io\/docs\/automation\/editor\/) για να βεβαιωθείτε ότι έχετε ρυθμίσει σωστά το Home Assistant.", - "pick_automation": "Επιλέξτε αυτοματισμό για επεξεργασία", - "no_automations": "Δεν ήταν δυνατή η εύρεση επεξεργάσιμων αυτοματισμών", - "add_automation": "Προσθήκη αυτοματισμού", - "learn_more": "Μάθετε περισσότερα σχετικά με τους αυτοματισμούς" - }, - "editor": { - "introduction": "Χρησιμοποιήστε αυτοματισμούς για να ζωντανέψουν το σπίτι σας", - "default_name": "Νέος αυτοματισμός", - "save": "Αποθήκευση", - "unsaved_confirm": "Δεν αποθηκεύσατε τις αλλαγές. Είστε βέβαιοι ότι θέλετε να φύγετε;", - "alias": "Όνομα", - "triggers": { - "header": "Εναύσματα", - "introduction": "Τα εναύσματα ενεργοποιούν τους κανόνες αυτοματισμού. Είναι δυνατός ο καθορισμός πολλαπλών εναυσμάτων για τον ίδιο κανόνα. Με την ενεργοποίηση ενός εναύσματος το Home Assistant θα εκτελέσει τους κανόνες, εάν υπάρχουν, και θα καλέσει την ενέργεια.\n\n[Μάθετε περισσότερα για τις ενέργειες.] (https:\/\/home-assistant.io\/docs\/automation\/action\/)", - "add": "Προσθήκη εναύσματος", - "duplicate": "Διπλότυπο", - "delete": "Διαγραφή", - "delete_confirm": "Σίγουρα επιθυμείτε την διαγραφή;", - "unsupported_platform": "Μη υποστηριζόμενη πλατφόρμα: {platform}", - "type_select": "Τύπος εναύσματος", - "type": { - "event": { - "label": "Συμβάν", - "event_type": "Τύπος συμβάντος", - "event_data": "Δεδομένα συμβάντος" - }, - "state": { - "label": "Κατάσταση", - "from": "Από", - "to": "Προς", - "for": "Για" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Γεγονός:", - "start": "Έναρξη", - "shutdown": "Τερματισμός λειτουργίας" - }, - "mqtt": { - "label": "MQTT", - "topic": "Θέμα", - "payload": "Φορτίο (προαιρετικό)" - }, - "numeric_state": { - "label": "Αριθμητική κατάσταση", - "above": "Πάνω από", - "below": "Κάτω από", - "value_template": "Τιμή πρότυπου (προαιρετικό)" - }, - "sun": { - "label": "Ήλιος", - "event": "Γεγονός:", - "sunrise": "Ανατολή ηλίου", - "sunset": "Δύση ηλίου", - "offset": "Μετατόπιση (προαιρετικό)" - }, - "template": { - "label": "Πρότυπο", - "value_template": "Τιμή πρότυπου" - }, - "time": { - "label": "Ώρα", - "at": "Στις" - }, - "zone": { - "label": "Ζώνη", - "entity": "Οντότητα με τοποθεσία", - "zone": "Ζώνη", - "event": "Γεγονός:", - "enter": "Είσοδος", - "leave": "Αποχώρηση" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Αναγνωριστικό Webhook" - }, - "time_pattern": { - "label": "Χρονικό μοτίβο", - "hours": "Ώρες", - "minutes": "Λεπτά", - "seconds": "Δευτερόλεπτα" - }, - "geo_location": { - "label": "Γεωγραφική θέση", - "source": "Πηγή", - "zone": "Ζώνη", - "event": "Γεγονός:", - "enter": "Είσοδος", - "leave": "Αποχώρηση" - }, - "device": { - "label": "Συσκευή", - "extra_fields": { - "above": "Πάνω από", - "below": "Κάτω από", - "for": "Διάρκεια" - } - } - }, - "learn_more": "Μάθετε περισσότερα σχετικά με τα εναύσματα" + "devices": { + "automation": { + "actions": { + "caption": "Όταν ενεργοποιείται κάτι ..." }, "conditions": { - "header": "Συνθήκες", - "introduction": "Οι συνθήκες είναι ένα προαιρετικό μέρος ενός κανόνα αυτοματισμού και μπορούν να χρησιμοποιηθούν για να αποτρέψουν μια ενέργεια να συμβεί όταν ενεργοποιηθεί. Οι συνθήκες μοιάζουν πολύ με τα εναύσματα, αλλά είναι πολύ διαφορετικές. Ένα έναυσμα θα εξετάσει τα γεγονότα που συμβαίνουν στο σύστημα, ενώ μια κατάσταση εξετάζει μόνο το πώς φαίνεται το σύστημα τώρα. Ένα έναυσμα μπορεί να παρατηρήσει ότι ένας διακόπτης είναι ενεργοποιημένος. Μια κατάσταση μπορεί να δει μόνο εάν ένας διακόπτης είναι ενεργοποιημένος ή απενεργοποιημένος. \n\n [Μάθετε περισσότερα σχετικά με τις συνθήκες.] (https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", - "add": "Προσθήκη όρου", - "duplicate": "Διπλότυπο", - "delete": "Διαγραφή", - "delete_confirm": "Να γίνει η διαγραφή σίγουρα;", - "unsupported_condition": "Μη υποστηριζόμενη κατάσταση: {condition}", - "type_select": "Τύπος συνθήκης", - "type": { - "state": { - "label": "Κατάσταση", - "state": "Κατάσταση" - }, - "numeric_state": { - "label": "Αριθμητική κατάσταση", - "above": "Πάνω από", - "below": "Κάτω από", - "value_template": "Τιμή πρότυπου (προαιρετικό)" - }, - "sun": { - "label": "Ήλιος", - "before": "Πριν:", - "after": "Μετά:", - "before_offset": "Πριν τη μετατόπιση (προαιρετικά)", - "after_offset": "Μετά την μετατόπιση (προαιρετικά)", - "sunrise": "Ανατολή ηλίου", - "sunset": "Δύση ηλίου" - }, - "template": { - "label": "Πρότυπο", - "value_template": "Τιμή πρότυπου" - }, - "time": { - "label": "Χρόνος", - "after": "Μετά", - "before": "Πριν" - }, - "zone": { - "label": "Ζώνη", - "entity": "Οντότητα με τοποθεσία", - "zone": "Ζώνη" - }, - "device": { - "label": "Συσκευή", - "extra_fields": { - "above": "Πάνω από", - "below": "Κάτω από", - "for": "Διάρκεια" - } - }, - "and": { - "label": "Και" - }, - "or": { - "label": "Ή" - } - }, - "learn_more": "Μάθετε περισσότερα σχετικά με τις συνθήκες" + "caption": "Κάνε κάτι μόνο αν ..." }, - "actions": { - "header": "Ενέργειες", - "introduction": "Οι ενέργειες είναι ό,τι θα κάνει το Home Assistant όταν ενεργοποιηθεί ο αυτοματισμός. \n\n [Μάθετε περισσότερα για τις ενέργειες.] (https:\/\/home-assistant.io\/docs\/automation\/action\/)", - "add": "Προσθήκη ενέργειας", - "duplicate": "Διπλότυπο", - "delete": "Διαγραφή", - "delete_confirm": "Επιθυμείτε την διαγραφή σίγουρα;", - "unsupported_action": "Μη υποστηριζόμενη ενέργεια: {action}", - "type_select": "Τύπος ενέργειας", - "type": { - "service": { - "label": "Κάλεσμα υπηρεσίας", - "service_data": "Δεδομένα υπηρεσίας" - }, - "delay": { - "label": "Καθυστέρηση", - "delay": "Καθυστέρηση" - }, - "wait_template": { - "label": "Αναμονή", - "wait_template": "Πρότυπο Αναμονής", - "timeout": "Λήξη χρόνου (προαιρετικό)" - }, - "condition": { - "label": "Προϋπόθεση" - }, - "event": { - "label": "Εκκίνηση συμβάντος", - "event": "Γεγονός:", - "service_data": "Δεδομένα υπηρεσίας" - }, - "device_id": { - "label": "Συσκευή" - }, - "scene": { - "label": "Ενεργοποίηση σκηνής" - } - }, - "learn_more": "Μάθετε περισσότερα σχετικά με τις ενέργειες" - }, - "load_error_not_editable": "Μόνο οι αυτοματισμοί στο automations.yaml είναι επεξεργάσιμοι.", - "load_error_unknown": "Σφάλμα κατά τη φόρτωση αυτοματισμού ({err_no}).", - "description": { - "label": "Περιγραφή", - "placeholder": "Προαιρετική περιγραφή" + "triggers": { + "caption": "Κάνε κάτι όταν ..." } + }, + "caption": "Συσκευές", + "description": "Διαχείριση συνδεδεμένων συσκευών" + }, + "entity_registry": { + "caption": "Μητρώο οντοτήτων", + "description": "Επισκόπηση όλων των γνωστών οντοτήτων.", + "editor": { + "confirm_delete": "Είστε σίγουρος ότι θέλετε να διαγραφεί αυτή η ενοποίηση;", + "confirm_delete2": "Η διαγραφή μιας καταχώρησης δεν θα καταργήσει την οντότητα από το Home Assistant. Για να γίνει αυτό, θα πρέπει να καταργήσετε την ενσωμάτωση '{platform}' από το Home Assistant.", + "default_name": "Νέα περιοχή", + "delete": "ΔΙΑΓΡΑΦΗ", + "enabled_cause": "Απενεργοποιήθηκε από τo {cause}.", + "enabled_description": "Απενεργοποιημένες οντότητες δεν θα προστεθούν στον Home Assistant", + "enabled_label": "Ενεργοποίηση οντότητας", + "unavailable": "Αυτή η οντότητα δεν είναι προς το παρόν διαθέσιμη.", + "update": "ΕΝΗΜΕΡΩΣΗ" + }, + "picker": { + "header": "Μητρώο οντοτήτων", + "headers": { + "name": "Όνομα" + }, + "integrations_page": "Σελίδα ενσωματώσεων", + "introduction": "Ο Home Assistant διατηρεί μητρώο από κάθε μοναδική οντότητα που ανιχνεύει. Αυτές οι οντότητες έχουν το δικό τους μοναδικό αναγνωριστικό ID.", + "introduction2": "Χρησιμοποιήστε το μητρώο οντοτήτων για να παρακάμψετε το όνομα, να αλλάξετε το αναγνωριστικό οντότητας ή να καταργήσετε την καταχώρηση από το Home Assistant. Σημειώστε ότι η κατάργηση της καταχώρησης δεν θα καταργήσει την οντότητα. Για να το κάνετε αυτό, ακολουθήστε τον παρακάτω σύνδεσμο και αφαιρέστε την από τη σελίδα ενοποίησης.", + "show_disabled": "Προβολή απενεργοποιημένων οντότητων", + "unavailable": "(μη διαθέσιμο)" } }, + "header": "Διαμόρφωση του Home Assistant", + "integrations": { + "caption": "Ενσωματώσεις", + "config_entry": { + "delete_confirm": "Είστε σίγουρος ότι θέλετε να διαγραφεί αυτή η ενοποίηση;", + "device_unavailable": "συσκευή μη διαθέσιμη", + "entity_unavailable": "οντότητα μη διαθέσιμη", + "firmware": "Υλικολογισμικό: {version}", + "hub": "Συνδεδεμένο μέσω", + "manuf": "από {manufacturer}", + "no_area": "Καμία περιοχή", + "no_device": "Οντότητες χωρίς συσκευές", + "no_devices": "Αυτή η ενοποίηση δεν έχει συσκευές.", + "restart_confirm": "Επανεκκινήστε το Home Assistant για να ολοκληρώσετε την κατάργηση αυτής της ενοποίησης", + "via": "Συνδεδεμένο μέσω" + }, + "config_flow": { + "external_step": { + "description": "Αυτό το βήμα απαιτεί να επισκεφτείτε μια εξωτερική ιστοσελίδα για να ολοκληρωθεί.", + "open_site": "Άνοιγμα ιστότοπου" + } + }, + "configure": "Διαμόρφωση", + "configured": "Διαμορφώθηκε", + "description": "Διαχείριση συνδεδεμένων συσκευών και υπηρεσιών", + "discovered": "Ανακαλύφθηκε", + "new": "Ρυθμίστε νέα ενοποίηση", + "none": "Δεν υπάρχει διαμόρφωση ακόμα", + "note_about_integrations": "Δε μπορούν όλες οι ενσωματώσεις να διαμορφωθούν από το UI ακόμη." + }, + "introduction": "Εδώ είναι δυνατή η διαμόρφωση του Home Assistant και των εξαρτημάτων. Δεν είναι δυνατή η διαμόρφωση όλων από την διεπαφή χρήστη (UI) αλλά εργαζόμαστε πάνω σε αυτό.", + "person": { + "add_person": "Προσθέστε Άτομο", + "caption": "Άτομα", + "confirm_delete": "Είστε σίγουροι ότι θέλετε να διαγράψετε αυτό το άτομο;", + "create_person": "Δημιουργία ατόμου", + "description": "Διαχειριστείτε τα άτομα που παρακολουθεί το Home Assistant.", + "detail": { + "create": "Δημιουργία", + "delete": "Διαγραφή", + "device_tracker_intro": "Επιλέξτε τις συσκευές που ανήκουν σε αυτό το άτομο.", + "device_tracker_pick": "Επιλέξτε συσκευή για παρακολούθηση", + "device_tracker_picked": "Παρακολούθηση συσκευής", + "linked_user": "Συνδεδεμένος χρήστης", + "name": "Όνομα", + "name_error_msg": "Απαιτείται όνομα", + "new_person": "Νέο άτομο", + "update": "Ενημέρωση" + }, + "no_persons_created_yet": "Φαίνεται ότι δεν έχετε δημιουργήσει ακόμα κανένα άτομο.", + "note_about_persons_configured_in_yaml": "Σημείωση: τα άτομα που έχουν ρυθμιστεί από το αρχείο configuration.yaml δε μπορούν να παραμετροποιηθούν από το UI." + }, "script": { "caption": "Δέσμη ενεργειών", "description": "Δημιουργήσετε και να επεξεργαστείτε δέσμες ενεργειών", @@ -629,597 +1064,236 @@ "learn_more": "Μάθετε περισσότερα σχετικά με τα σενάρια" } }, - "zwave": { - "caption": "Z-Wave", - "description": "Διαχειριστείτε το δίκτυο Z-Wave", - "network_management": { - "header": "Διαχείριση δικτύου Z-Wave", - "introduction": "Εκτελέστε εντολές που επηρεάζουν το δίκτυο Z-Wave. Δεν θα λάβετε πληροφόριση σχετικά με το εάν οι περισσότερες εντολές επιτύχουν, αλλά μπορείτε να ελέγξετε το αρχείο καταγραφής OZW για να προσπαθήσετε να το μάθετε." - }, - "network_status": { - "network_stopped": "Το δίκτυο Z-Wave σταμάτησε", - "network_starting": "Εκκίνηση δικτύου Z-Wave…", - "network_starting_note": "Αυτό μπορεί να διαρκέσει λίγο, ανάλογα με το μέγεθος του δικτύου σας.", - "network_started": "Το δίκτυο Z-Wave ξεκίνησε", - "network_started_note_some_queried": "Οι ενεργοποιημένοι κόμβοι έχουν ερωτηθεί. Οι απενεργοποιημένοι κόμβοι θα ερωτηθούν όταν ενεργοποιηθούν.", - "network_started_note_all_queried": "Όλοι οι κόμβοι έχουν ερωτηθεί." - }, - "services": { - "start_network": "Έναρξη δικτύου", - "stop_network": "Διακοπή δικτύου", - "heal_network": "Θεραπεία δικτύου", - "test_network": "Δοκιμή δικτύου", - "soft_reset": "Επαναφορά μέσω λογισμικού", - "save_config": "Αποθήκευση ρύθμισης παραμέτρων", - "add_node_secure": "Ασφαλής προσθήκη κόμβου", - "add_node": "Προσθήκη κόμβου", - "remove_node": "Κατάργηση κόμβου", - "cancel_command": "Ακύρωση εντολής" - }, - "common": { - "value": "Τιμή", - "instance": "Περίπτωση", - "index": "Δείκτης", - "unknown": "Άγνωστο", - "wakeup_interval": "Διάστημα αφύπνισης" - }, - "values": { - "header": "Τιμές κόμβου" - }, - "node_config": { - "header": "Επιλογές ρύθμισης παραμέτρων κόμβου", - "seconds": "Δευτερόλεπτα", - "set_wakeup": "Ορισμός διαστήματος αφύπνισης", - "config_parameter": "Παράμετρος διαμόρφωσης", - "config_value": "Τιμή διαμόρφωσης", - "true": "Αληθής", - "false": "Ψευδής", - "set_config_parameter": "Ορίστε την παράμετρο διαμόρφωσης" - }, - "learn_more": "Μάθετε περισσότερα σχετικά με το Z-wave" + "server_control": { + "caption": "Έλεγχος διακομιστή", + "description": "Επανεκκινήστε και σταματήστε το διακομιστή του Home Assistant", + "section": { + "reloading": { + "automation": "Επαναφόρτωση αυτοματισμών", + "core": "Επαναφόρτωση πυρήνα", + "group": "Επαναφόρτωση ομάδων", + "heading": "Επαναφόρτωση ρυθμίσεων", + "introduction": "Ορισμένα τμήματα του Home Assistant μπορούν να φορτωθούν ξανά χωρίς να απαιτείται επανεκκίνηση. Το πάτημα της φόρτωσης θα ξεφορτώσει την τρέχουσα διαμόρφωση και θα φορτώσει τη νέα.", + "scene": "Επαναφόρτωση σκηνών", + "script": "Επαναφόρτωση δέσμης εντολών" + }, + "server_management": { + "confirm_restart": "Είστε βέβαιος ότι θέλετε να επανεκκινήσετε το Home Assistant;", + "confirm_stop": "Είστε βέβαιος ότι θέλετε να σταματήσετε το Home Assistant;", + "heading": "Διαχείριση διακομιστή", + "introduction": "Έλεγχος του διακομιστή Home Assistant… από το Home Assistant", + "restart": "Επανεκκίνηση", + "stop": "Στοπ" + }, + "validation": { + "check_config": "Έλεγχος παραμετροποίησης", + "heading": "Επαλήθευση ρυθμίσεων", + "introduction": "Επαληθεύστε τις ρυθμίσεις σας εάν κάνατε πρόσφατα κάποιες αλλαγές και θέλετε να βεβαιωθείτε ότι είναι όλες έγκυρες", + "invalid": "Μη έγκυρη ρύθμιση", + "valid": "Έγκυρη ρύθμιση" + } + } }, "users": { + "add_user": { + "caption": "Προσθήκη χρήστη", + "create": "Δημιουργία", + "name": "Όνομα", + "password": "Κωδικός", + "username": "Όνομα χρήστη" + }, "caption": "Χρήστες", "description": "Διαχείριση χρηστών", - "picker": { - "title": "Χρήστες", - "system_generated": "Δημιουργήθηκε από το σύστημα" - }, "editor": { - "rename_user": "Μετονομασία χρήστη", - "change_password": "Αλλαγή Κωδικού", "activate_user": "Ενεργοποίηση χρήστη", + "active": "Ενεργό", + "caption": "Προβολή χρήστη", + "change_password": "Αλλαγή Κωδικού", + "confirm_user_deletion": "Είστε σίγουροι ότι θέλετε να διαγράψετε το χρήστη {name};", "deactivate_user": "Απενεργοποίηση χρήστη", "delete_user": "Διαγραφή χρήστη", - "caption": "Προβολή χρήστη", + "enter_new_name": "Εισαγάγετε ένα νέο όνομα", + "group": "Ομάδα", + "group_update_failed": "Η ενημέρωση της ομάδας απέτυχε:", "id": "Αναγνωριστικό", "owner": "Ιδιοκτήτης", - "group": "Ομάδα", - "active": "Ενεργό", + "rename_user": "Μετονομασία χρήστη", "system_generated": "Δημιουργήθηκε από το σύστημα", "system_generated_users_not_removable": "Δεν είναι δυνατή η διαγραφή χρηστών που δημιουργήθηκαν από το σύστημα", "unnamed_user": "Χρήστης χωρίς όνομα", - "enter_new_name": "Εισαγάγετε ένα νέο όνομα", - "user_rename_failed": "Η μετονομασία του χρήστη απέτυχε:", - "group_update_failed": "Η ενημέρωση της ομάδας απέτυχε:", - "confirm_user_deletion": "Είστε σίγουροι ότι θέλετε να διαγράψετε το χρήστη {name};" + "user_rename_failed": "Η μετονομασία του χρήστη απέτυχε:" }, - "add_user": { - "caption": "Προσθήκη χρήστη", - "name": "Όνομα", - "username": "Όνομα χρήστη", - "password": "Κωδικός", - "create": "Δημιουργία" + "picker": { + "system_generated": "Δημιουργήθηκε από το σύστημα", + "title": "Χρήστες" } }, - "cloud": { - "caption": "Σύννεφο Home Assistant", - "description_login": "Συνδεδεμένος ως {email}", - "description_not_login": "Μη συνδεδεμένος", - "description_features": "Έλεγχος εκτός σπιτιού, ενσωμάτωση με τα Alexa και Google Assistant", - "account": { - "google": { - "sync_entities": "Συγχρονισμός οντοτήτων στο Google", - "manage_entities": "Διαχείριση Οντοτήτων" - }, - "webhooks": { - "title": "Webhooks", - "loading": "Φόρτωση …" - } - }, - "alexa": { - "title": "Alexa" - }, - "dialog_certificate": { - "certificate_information": "Πληροφορίες Πιστοποιητικού", - "certificate_expiration_date": "Ημερομηνία λήξης πιστοποιητικού", - "will_be_auto_renewed": "Θα ανανεωθεί αυτόματα", - "fingerprint": "Αποτύπωμα πιστοποιητικού:" - }, - "google": { - "title": "Google Assistant" - }, - "dialog_cloudhook": { - "webhook_for": "Webhook για {name}", - "available_at": "Το webhook είναι διαθέσιμο στον ακόλουθο σύνδεσμο:", - "info_disable_webhook": "Αν δεν θέλετε πλέον να χρησιμοποιείτε αυτό το webhook, μπορείτε να", - "link_disable_webhook": "απενεργοποιήστε το", - "view_documentation": "Δείτε τα έγγραφα", - "close": "Κλείστε", - "confirm_disable": "Είστε σίγουροι ότι θέλετε να απενεργοποιήσετε αυτό το webhook;", - "copied_to_clipboard": "Αντιγράφηκε στο πρόχειρο" - } - }, - "integrations": { - "caption": "Ενσωματώσεις", - "description": "Διαχείριση συνδεδεμένων συσκευών και υπηρεσιών", - "discovered": "Ανακαλύφθηκε", - "configured": "Διαμορφώθηκε", - "new": "Ρυθμίστε νέα ενοποίηση", - "configure": "Διαμόρφωση", - "none": "Δεν υπάρχει διαμόρφωση ακόμα", - "config_entry": { - "no_devices": "Αυτή η ενοποίηση δεν έχει συσκευές.", - "no_device": "Οντότητες χωρίς συσκευές", - "delete_confirm": "Είστε σίγουρος ότι θέλετε να διαγραφεί αυτή η ενοποίηση;", - "restart_confirm": "Επανεκκινήστε το Home Assistant για να ολοκληρώσετε την κατάργηση αυτής της ενοποίησης", - "manuf": "από {manufacturer}", - "via": "Συνδεδεμένο μέσω", - "firmware": "Υλικολογισμικό: {version}", - "device_unavailable": "συσκευή μη διαθέσιμη", - "entity_unavailable": "οντότητα μη διαθέσιμη", - "no_area": "Καμία περιοχή", - "hub": "Συνδεδεμένο μέσω" - }, - "config_flow": { - "external_step": { - "description": "Αυτό το βήμα απαιτεί να επισκεφτείτε μια εξωτερική ιστοσελίδα για να ολοκληρωθεί.", - "open_site": "Άνοιγμα ιστότοπου" - } - }, - "note_about_integrations": "Δε μπορούν όλες οι ενσωματώσεις να διαμορφωθούν από το UI ακόμη." - }, "zha": { - "caption": "ZHA", - "description": "Διαχείριση του δικτύου Zigbee Home Automation", - "services": { - "reconfigure": "Ρυθμίστε ξανά τη συσκευή ZHA (heal συσκευή). Χρησιμοποιήστε αυτήν την επιλογή εάν αντιμετωπίζετε ζητήματα με τη συσκευή. Εάν η συγκεκριμένη συσκευή τροφοδοτείται από μπαταρία βεβαιωθείτε ότι είναι ενεργοποιημένη και δέχεται εντολές όταν χρησιμοποιείτε αυτή την υπηρεσία.", - "updateDeviceName": "Ορίστε ένα προσαρμοσμένο όνομα γι αυτήν τη συσκευή στο μητρώο συσκευών.", - "remove": "Καταργήστε μια συσκευή από το δίκτυο ZigΒee." - }, - "device_card": { - "device_name_placeholder": "Όνομα χρήστη", - "area_picker_label": "Περιοχή", - "update_name_button": "Ενημέρωση ονόματος" - }, "add_device_page": { - "header": "Zigbee Home Automation - Προσθήκη Συσκευών", - "spinner": "Αναζήτηση συσκευών ZHA Zigbee…", "discovery_text": "Οι ανακαλυφθείσες συσκευές θα εμφανιστούν εδώ. Ακολουθήστε τις οδηγίες για τις συσκευές σας και τοποθετήστε τις συσκευές στη λειτουργία αντιστοίχισης.", - "search_again": "Αναζήτηση ξανά" + "header": "Zigbee Home Automation - Προσθήκη Συσκευών", + "search_again": "Αναζήτηση ξανά", + "spinner": "Αναζήτηση συσκευών ZHA Zigbee…" + }, + "caption": "ZHA", + "cluster_commands": { + "help_command_dropdown": "Επιλέξτε μια εντολή για αλληλεπίδραση με." }, "common": { "add_devices": "Προσθήκη συσκευών", "devices": "Συσκευές", "value": "Τιμή" }, - "cluster_commands": { - "help_command_dropdown": "Επιλέξτε μια εντολή για αλληλεπίδραση με." - } - }, - "area_registry": { - "caption": "Περιοχή Μητρώου", - "description": "Επισκόπηση όλων των περιοχών στο σπίτι σας.", - "picker": { - "header": "Περιοχή Μητρώου", - "introduction": "Οι περιοχές χρησιμοποιούνται για την οργάνωση της τοποθεσίας των συσκευών. Αυτές οι πληροφορίες θα χρησιμοποιηθούν σε όλο το Home Assistant για να σας βοηθήσουν στην οργάνωση της διασύνδεσης, των αδειών και των ενσωματώσεων σας σε άλλα συστήματα.", - "introduction2": "Για να τοποθετήσετε συσκευές σε μια περιοχή, χρησιμοποιήστε τον παρακάτω σύνδεσμο για να μεταβείτε στη σελίδα ενοποιήσεων και στη συνέχεια κάντε κλικ στην ρυθμισμένη ενοποίηση για να μεταβείτε στις κάρτες της συσκευής.", - "integrations_page": "Σελίδα ενσωματώσεων", - "no_areas": "Φαίνεται ότι δεν έχετε ορίσει ακόμα κάποια περιοχή!", - "create_area": "ΔΗΜΙΟΥΡΓΙΑ ΠΕΡΙΟΧΗΣ" + "description": "Διαχείριση του δικτύου Zigbee Home Automation", + "device_card": { + "area_picker_label": "Περιοχή", + "device_name_placeholder": "Όνομα χρήστη", + "update_name_button": "Ενημέρωση ονόματος" }, - "no_areas": "Φαίνεται ότι δεν έχετε ορίσει ακόμα κάποια περιοχή!", - "create_area": "ΔΗΜΙΟΥΡΓΙΑ ΠΕΡΙΟΧΗΣ", - "editor": { - "default_name": "Νέα περιοχή", - "delete": "ΔΙΑΓΡΑΦΗ", - "update": "ΕΝΗΜΕΡΩΣΗ", - "create": "ΔΗΜΙΟΥΡΓΙΑ" + "services": { + "reconfigure": "Ρυθμίστε ξανά τη συσκευή ZHA (heal συσκευή). Χρησιμοποιήστε αυτήν την επιλογή εάν αντιμετωπίζετε ζητήματα με τη συσκευή. Εάν η συγκεκριμένη συσκευή τροφοδοτείται από μπαταρία βεβαιωθείτε ότι είναι ενεργοποιημένη και δέχεται εντολές όταν χρησιμοποιείτε αυτή την υπηρεσία.", + "remove": "Καταργήστε μια συσκευή από το δίκτυο ZigΒee.", + "updateDeviceName": "Ορίστε ένα προσαρμοσμένο όνομα γι αυτήν τη συσκευή στο μητρώο συσκευών." } }, - "entity_registry": { - "caption": "Μητρώο οντοτήτων", - "description": "Επισκόπηση όλων των γνωστών οντοτήτων.", - "picker": { - "header": "Μητρώο οντοτήτων", - "unavailable": "(μη διαθέσιμο)", - "introduction": "Ο Home Assistant διατηρεί μητρώο από κάθε μοναδική οντότητα που ανιχνεύει. Αυτές οι οντότητες έχουν το δικό τους μοναδικό αναγνωριστικό ID.", - "introduction2": "Χρησιμοποιήστε το μητρώο οντοτήτων για να παρακάμψετε το όνομα, να αλλάξετε το αναγνωριστικό οντότητας ή να καταργήσετε την καταχώρηση από το Home Assistant. Σημειώστε ότι η κατάργηση της καταχώρησης δεν θα καταργήσει την οντότητα. Για να το κάνετε αυτό, ακολουθήστε τον παρακάτω σύνδεσμο και αφαιρέστε την από τη σελίδα ενοποίησης.", - "integrations_page": "Σελίδα ενσωματώσεων", - "show_disabled": "Προβολή απενεργοποιημένων οντότητων", - "headers": { - "name": "Όνομα" - } + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Δείκτης", + "instance": "Περίπτωση", + "unknown": "Άγνωστο", + "value": "Τιμή", + "wakeup_interval": "Διάστημα αφύπνισης" }, - "editor": { - "unavailable": "Αυτή η οντότητα δεν είναι προς το παρόν διαθέσιμη.", - "default_name": "Νέα περιοχή", - "delete": "ΔΙΑΓΡΑΦΗ", - "update": "ΕΝΗΜΕΡΩΣΗ", - "enabled_label": "Ενεργοποίηση οντότητας", - "enabled_cause": "Απενεργοποιήθηκε από τo {cause}.", - "enabled_description": "Απενεργοποιημένες οντότητες δεν θα προστεθούν στον Home Assistant", - "confirm_delete": "Είστε σίγουρος ότι θέλετε να διαγραφεί αυτή η ενοποίηση;", - "confirm_delete2": "Η διαγραφή μιας καταχώρησης δεν θα καταργήσει την οντότητα από το Home Assistant. Για να γίνει αυτό, θα πρέπει να καταργήσετε την ενσωμάτωση '{platform}' από το Home Assistant." - } - }, - "person": { - "caption": "Άτομα", - "description": "Διαχειριστείτε τα άτομα που παρακολουθεί το Home Assistant.", - "detail": { - "name": "Όνομα", - "device_tracker_intro": "Επιλέξτε τις συσκευές που ανήκουν σε αυτό το άτομο.", - "device_tracker_picked": "Παρακολούθηση συσκευής", - "device_tracker_pick": "Επιλέξτε συσκευή για παρακολούθηση", - "new_person": "Νέο άτομο", - "name_error_msg": "Απαιτείται όνομα", - "linked_user": "Συνδεδεμένος χρήστης", - "delete": "Διαγραφή", - "create": "Δημιουργία", - "update": "Ενημέρωση" + "description": "Διαχειριστείτε το δίκτυο Z-Wave", + "learn_more": "Μάθετε περισσότερα σχετικά με το Z-wave", + "network_management": { + "header": "Διαχείριση δικτύου Z-Wave", + "introduction": "Εκτελέστε εντολές που επηρεάζουν το δίκτυο Z-Wave. Δεν θα λάβετε πληροφόριση σχετικά με το εάν οι περισσότερες εντολές επιτύχουν, αλλά μπορείτε να ελέγξετε το αρχείο καταγραφής OZW για να προσπαθήσετε να το μάθετε." }, - "note_about_persons_configured_in_yaml": "Σημείωση: τα άτομα που έχουν ρυθμιστεί από το αρχείο configuration.yaml δε μπορούν να παραμετροποιηθούν από το UI.", - "no_persons_created_yet": "Φαίνεται ότι δεν έχετε δημιουργήσει ακόμα κανένα άτομο.", - "create_person": "Δημιουργία ατόμου", - "add_person": "Προσθέστε Άτομο", - "confirm_delete": "Είστε σίγουροι ότι θέλετε να διαγράψετε αυτό το άτομο;" - }, - "server_control": { - "caption": "Έλεγχος διακομιστή", - "description": "Επανεκκινήστε και σταματήστε το διακομιστή του Home Assistant", - "section": { - "validation": { - "heading": "Επαλήθευση ρυθμίσεων", - "introduction": "Επαληθεύστε τις ρυθμίσεις σας εάν κάνατε πρόσφατα κάποιες αλλαγές και θέλετε να βεβαιωθείτε ότι είναι όλες έγκυρες", - "check_config": "Έλεγχος παραμετροποίησης", - "valid": "Έγκυρη ρύθμιση", - "invalid": "Μη έγκυρη ρύθμιση" - }, - "reloading": { - "heading": "Επαναφόρτωση ρυθμίσεων", - "introduction": "Ορισμένα τμήματα του Home Assistant μπορούν να φορτωθούν ξανά χωρίς να απαιτείται επανεκκίνηση. Το πάτημα της φόρτωσης θα ξεφορτώσει την τρέχουσα διαμόρφωση και θα φορτώσει τη νέα.", - "core": "Επαναφόρτωση πυρήνα", - "group": "Επαναφόρτωση ομάδων", - "automation": "Επαναφόρτωση αυτοματισμών", - "script": "Επαναφόρτωση δέσμης εντολών", - "scene": "Επαναφόρτωση σκηνών" - }, - "server_management": { - "heading": "Διαχείριση διακομιστή", - "introduction": "Έλεγχος του διακομιστή Home Assistant… από το Home Assistant", - "restart": "Επανεκκίνηση", - "stop": "Στοπ", - "confirm_restart": "Είστε βέβαιος ότι θέλετε να επανεκκινήσετε το Home Assistant;", - "confirm_stop": "Είστε βέβαιος ότι θέλετε να σταματήσετε το Home Assistant;" - } - } - }, - "devices": { - "caption": "Συσκευές", - "description": "Διαχείριση συνδεδεμένων συσκευών", - "automation": { - "triggers": { - "caption": "Κάνε κάτι όταν ..." - }, - "conditions": { - "caption": "Κάνε κάτι μόνο αν ..." - }, - "actions": { - "caption": "Όταν ενεργοποιείται κάτι ..." - } - } - }, - "common": { - "editor": { - "confirm_unsaved": "Δεν αποθηκεύσατε τις αλλαγές. Είστε βέβαιοι ότι θέλετε να φύγετε;" + "network_status": { + "network_started": "Το δίκτυο Z-Wave ξεκίνησε", + "network_started_note_all_queried": "Όλοι οι κόμβοι έχουν ερωτηθεί.", + "network_started_note_some_queried": "Οι ενεργοποιημένοι κόμβοι έχουν ερωτηθεί. Οι απενεργοποιημένοι κόμβοι θα ερωτηθούν όταν ενεργοποιηθούν.", + "network_starting": "Εκκίνηση δικτύου Z-Wave…", + "network_starting_note": "Αυτό μπορεί να διαρκέσει λίγο, ανάλογα με το μέγεθος του δικτύου σας.", + "network_stopped": "Το δίκτυο Z-Wave σταμάτησε" + }, + "node_config": { + "config_parameter": "Παράμετρος διαμόρφωσης", + "config_value": "Τιμή διαμόρφωσης", + "false": "Ψευδής", + "header": "Επιλογές ρύθμισης παραμέτρων κόμβου", + "seconds": "Δευτερόλεπτα", + "set_config_parameter": "Ορίστε την παράμετρο διαμόρφωσης", + "set_wakeup": "Ορισμός διαστήματος αφύπνισης", + "true": "Αληθής" + }, + "services": { + "add_node": "Προσθήκη κόμβου", + "add_node_secure": "Ασφαλής προσθήκη κόμβου", + "cancel_command": "Ακύρωση εντολής", + "heal_network": "Θεραπεία δικτύου", + "remove_node": "Κατάργηση κόμβου", + "save_config": "Αποθήκευση ρύθμισης παραμέτρων", + "soft_reset": "Επαναφορά μέσω λογισμικού", + "start_network": "Έναρξη δικτύου", + "stop_network": "Διακοπή δικτύου", + "test_network": "Δοκιμή δικτύου" + }, + "values": { + "header": "Τιμές κόμβου" } } }, - "profile": { - "push_notifications": { - "header": "Ειδοποιήσεις Push", - "description": "Αποστολή ειδοποιήσεων σε αυτήν τη συσκευή.", - "error_load_platform": "Ρυθμίστε το notify.html5.", - "error_use_https": "Απαιτείται η ενεργοποίηση του SSL για το προσκήνιο.", - "push_notifications": "Ειδοποιήσεις push", - "link_promo": "Μάθετε περισσότερα" - }, - "language": { - "header": "Γλώσσα", - "link_promo": "Βοηθήστε στη μετάφραση", - "dropdown_label": "Γλώσσα" - }, - "themes": { - "header": "Θέμα", - "error_no_theme": "Δεν υπάρχουν διαθέσιμα θέματα.", - "link_promo": "Μάθετε σχετικά με τα θέματα", - "dropdown_label": "Θέμα" - }, - "refresh_tokens": { - "header": "Ανανέωση διακριτικών", - "description": "Κάθε διακριτικό ανανέωσης αντιπροσωπεύει μια περίοδο σύνδεσης. Τα ανανεωμένα tokens θα καταργηθούν αυτόματα όταν αποσυνδεθείτε. Τα παρακάτω διακριτικά ανανέωσης είναι ενεργά για το λογαριασμό σας.", - "token_title": "Ανανέωση διακριτικού για το {clientId}", - "created_at": "Δημιουργήθηκε στις {date}", - "confirm_delete": "Είστε σίγουρος ότι θέλετε να διαγράψετε το διακριτικό πρόσβασης για το {name};", - "delete_failed": "Αδύνατη η διαγραφή του τρέχοντος διακριτικού.", - "last_used": "Τελευταία χρήση στις {date} από {location}", - "not_used": "Δεν έχει χρησιμοποιηθεί ποτέ", - "current_token_tooltip": "Αδύνατη η διαγραφή του τρέχοντος διακριτικού" - }, - "long_lived_access_tokens": { - "header": "Διακριτικά πρόσβασης μακράς διάρκειας", - "description": "Δημιουργήστε διακριτικά πρόσβασης μακράς διάρκειας για να επιτρέψετε στα σενάρια σας να αλληλεπιδρούν με το Home Assistant. Κάθε διακριτικό θα ισχύει για 10 χρόνια. Τα παρακάτω διακριτικά πρόσβασης μακράς διαρκείας είναι ενεργά.", - "learn_auth_requests": "Μάθετε πώς να κάνετε πιστοποιημένα αιτήματα.", - "created_at": "Δημιουργήθηκε στις {date}", - "confirm_delete": "Είστε σίγουρος ότι θέλετε να διαγράψετε το διακριτικό πρόσβασης για το {name};", - "delete_failed": "Αδύνατη η διαγραφή του τρέχοντος διακριτικού.", - "create": "Δημιουργία Διακριτικού", - "create_failed": "Αδύνατη η δημιουργία του τρέχοντος διακριτικού.", - "prompt_name": "Όνομα;", - "prompt_copy_token": "Αντιγράψτε το διακριτικό πρόσβασης. Δεν θα εμφανιστεί ξανά.", - "empty_state": "Δεν έχετε ακόμη αναγνωριστικά πρόσβασης μεγάλης διάρκειας.", - "last_used": "Τελευταία χρήση στις {date} από {location}", - "not_used": "Δεν έχει χρησιμοποιηθεί ποτέ" - }, - "current_user": "Αυτήν τη στιγμή είστε συνδεδεμένος ως {fullName}.", - "is_owner": "Είστε ιδιοκτήτης.", - "change_password": { - "header": "Αλλαγή Κωδικού", - "current_password": "Τρέχων κωδικός", - "new_password": "Νέος κωδικός", - "confirm_new_password": "Επιβεβαιώστε τον καινούριο κωδικό", - "error_required": "Απαιτείται", - "submit": "Υποβολή" - }, - "mfa": { - "header": "Πολυπαραγοντικά Αρθρώματα Ταυτοποίησης", - "disable": "Απενεργοποίηση", - "enable": "Ενεργοποίηση", - "confirm_disable": "Είστε βέβαιος ότι θέλετε να απενεργοποιήσετε το {name} ;" - }, - "mfa_setup": { - "title_aborted": "Ματαιώθηκε", - "title_success": "Επιτυχία!", - "step_done": "Η εγκατάσταση έγινε για {step}", - "close": "Κλείστε", - "submit": "Υποβολή" - }, - "logout": "Αποσύνδεση", - "force_narrow": { - "header": "Να αποκρύπτεται πάντα η πλαϊνή μπάρα", - "description": "Αυτό θα κρύψει την πλαϊνή μπάρα από προεπιλογή, παρόμοια με την εμπειρία κινητού." - }, - "vibrate": { - "header": "Δόνηση", - "description": "Ενεργοποιήστε ή απενεργοποιήστε τις δονήσεις σε αυτήν τη συσκευή κατά τον έλεγχο συσκευών." - }, - "advanced_mode": { - "title": "εξειδικευμένη λειτουργία", - "description": "εξειδικευμένη λειτουργία" - } - }, - "page-authorize": { - "initializing": "Αρχικοποίηση", - "authorizing_client": "Πρόκειται να δώσετε στο {clientId} πρόσβαση στο Home Assistant.", - "logging_in_with": "Σύνδεση με **{authProviderName}**.", - "pick_auth_provider": "Ή συνδεθείτε με", - "abort_intro": "Σύνδεση ματαιώθηκε", - "form": { - "working": "Παρακαλώ περιμένετε", - "unknown_error": "Κάτι πήγε στραβά", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Όνομα χρήστη", - "password": "Κωδικός" - } - }, - "mfa": { - "data": { - "code": "Κωδικός ταυτοποίησης δυο παραγόντων" - }, - "description": "Ανοίξτε το **{mfa_module_name}** στην συσκευή σας για να δείτε τον κωδικό ταυτοποίησης δυο-παραγόντων και να επιβεβαιώσετε την ταυτότητα:" - } - }, - "error": { - "invalid_auth": "Μη έγκυρο όνομα χρήστη ή κωδικός πρόσβασης", - "invalid_code": "Μη έγκυρος κωδικός ταυτοποίησης" - }, - "abort": { - "login_expired": "Η περίοδος σύνδεσης έληξε, συνδεθείτε ξανά." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "Κωδικός API" - }, - "description": "Εισαγάγετε τον κωδικό API στο http config:" - }, - "mfa": { - "data": { - "code": "Κωδικός ταυτοποίησης δυο παραγόντων" - }, - "description": "Ανοίξτε το **{mfa_module_name}** στην συσκευή σας για να δείτε τον κωδικό ταυτοποίησης δυο-παραγόντων και να επιβεβαιώσετε την ταυτότητα:" - } - }, - "error": { - "invalid_auth": "Άκυρος κωδικός ΑPI", - "invalid_code": "Μη έγκυρος κωδικός ταυτοποίησης" - }, - "abort": { - "no_api_password_set": "Δεν έχετε διαμορφώσει έναν κωδικό πρόσβασης API.", - "login_expired": "Έληξε η περίοδος σύνδεσης, παρακαλώ ξανά συνδεθείτε." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Χρήστης" - }, - "description": "Παρακαλούμε επιλέξτε ένα χρήστη που θέλετε να συνδεθείτε ως:" - } - }, - "abort": { - "not_whitelisted": "Ο υπολογιστής σας δεν είναι στη λίστα επιτρεπόμενων." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Όνομα χρήστη", - "password": "Κωδικός" - } - }, - "mfa": { - "data": { - "code": "Κωδικός ταυτοποίησης δυο παραγόντων" - }, - "description": "Ανοίξτε το **{mfa_module_name}** στην συσκευή σας για να δείτε τον κωδικό ταυτοποίησης δυο-παραγόντων και να επιβεβαιώσετε την ταυτότητα:" - } - }, - "error": { - "invalid_auth": "Μη έγκυρο όνομα χρήστη ή κωδικός πρόσβασης", - "invalid_code": "Λανθασμένος κώδικας ταυτοποίησης" - }, - "abort": { - "login_expired": "Η περίοδος σύνδεσης έληξε, συνδεθείτε ξανά." - } - } - } - } - }, - "page-onboarding": { - "intro": "Είστε έτοιμοι να ξυπνήσετε το σπίτι σας, να διεκδικήσετε την ιδιωτικότητά σας και να συμμετάσχετε σε μια παγκόσμια κοινότητα μαστροχαλαστών;", - "user": { - "intro": "Ας ξεκινήσουμε δημιουργώντας ένα λογαριασμό χρήστη.", - "required_field": "Υποχρεωτικό", - "data": { - "name": "Όνομα", - "username": "Όνομα χρήστη", - "password": "Κωδικός", - "password_confirm": "Επιβεβαίωση Κωδικού" + "developer-tools": { + "tabs": { + "events": { + "title": "Γεγονότα" }, - "create_account": "Δημιουργία Λογαριασμού", - "error": { - "required_fields": "Συμπληρώστε όλα τα υποχρεωτικά πεδία", - "password_not_match": "Οι κωδικοί πρόσβασης δεν ταιριάζουν" + "info": { + "title": "Πληροφορίες" + }, + "logs": { + "title": "Αρχεία καταγραφής" + }, + "mqtt": { + "title": "MQTT" + }, + "services": { + "title": "Υπηρεσίες" + }, + "states": { + "title": "Καταστάσεις" + }, + "templates": { + "title": "Πρότυπα" } - }, - "integration": { - "intro": "Οι συσκευές και οι υπηρεσίες εκπροσωπούνται στο Home Assistant ως ενσωματώσεις. Μπορείτε να τα ρυθμίσετε τώρα ή αργότερα από την οθόνη διαμόρφωσης.", - "more_integrations": "Περισσότερα", - "finish": "Τέλος" - }, - "core-config": { - "intro": "Γεια σου {name}, καλώς ήρθες στο Home Assistant. Πώς θα ήθελες να αναφέρεσαι στο σπίτι σου;", - "intro_location": "Θα θέλαμε να μάθουμε πού ζεις. Αυτές οι πληροφορίες θα βοηθήσουν στην προβολή πληροφοριών και στη ρύθμιση αυτοματισμών που βασίζονται στον ήλιο. Αυτά τα δεδομένα δεν μοιράζονται ποτέ εκτός του δικτύου σας.", - "intro_location_detect": "Μπορούμε να σε βοηθήσουμε να συμπληρώσεις αυτές τις πληροφορίες, κάνοντας μια εφάπαξ αίτηση σε μια εξωτερική υπηρεσία.", - "location_name_default": "Σπίτι", - "button_detect": "Ανίχνευση", - "finish": "Επόμενο" } }, + "history": { + "period": "Περίοδος", + "showing_entries": "Εμφανίζονται καταχωρήσεις για" + }, + "logbook": { + "period": "Περίοδος", + "showing_entries": "Εμφανίζοντα καταχωρήσεις για" + }, "lovelace": { "cards": { - "shopping-list": { - "checked_items": "Επιλεγμένα στοιχεία", - "clear_items": "Εκκαθάριση επιλεγμένων στοιχείων", - "add_item": "Προσθήκη στοιχείου" - }, "empty_state": { - "title": "Καλωσορίσατε στην αρχική σελίδα", + "go_to_integrations_page": "Μεταβείτε στη σελίδα ενοποίησης.", "no_devices": "Αυτή η σελίδα σάς επιτρέπει να ελέγχετε τις συσκευές σας, ωστόσο φαίνεται ότι δεν έχετε ακόμα ρυθμίσει συσκευές. Μεταβείτε στη σελίδα ενοποίησης για να ξεκινήσετε.", - "go_to_integrations_page": "Μεταβείτε στη σελίδα ενοποίησης." + "title": "Καλωσορίσατε στην αρχική σελίδα" }, "picture-elements": { - "hold": "Αναστολή:", - "tap": "Ταπ:", - "navigate_to": "Μεταβείτε στην {location}", - "toggle": "Εναλλαγή {name}", "call_service": "Κλήση υπηρεσίας {name}", + "hold": "Αναστολή:", "more_info": "Εμφάνιση περισσότερων πληροφοριών: {name}", + "navigate_to": "Μεταβείτε στην {location}", + "tap": "Ταπ:", + "toggle": "Εναλλαγή {name}", "url": "Ανοίξτε το παράθυρο στο {url_path}" + }, + "shopping-list": { + "add_item": "Προσθήκη στοιχείου", + "checked_items": "Επιλεγμένα στοιχεία", + "clear_items": "Εκκαθάριση επιλεγμένων στοιχείων" } }, + "changed_toast": { + "message": "Οι ρυθμίσεις Lovelace άλλαξαν, θέλεις να ανανεώσεις;", + "refresh": "Ανανέωση" + }, "editor": { - "edit_card": { - "header": "Διαμόρφωση κάρτας", - "save": "Αποθήκευση", - "toggle_editor": "Εναλλαγή κειμενογράφου", - "pick_card": "Επιλέξτε την κάρτα που θέλετε να προσθέσετε.", - "add": "Προσθήκη κάρτας", - "edit": "Επεξεργασία", - "delete": "Διαγραφή", - "move": "Μετακίνηση", - "show_code_editor": "Εμφάνιση επεξεργαστή κώδικα" - }, - "migrate": { - "header": "Μη συμβατή διαμόρφωση", - "para_no_id": "Αυτό το στοιχείο δεν έχει αναγνωριστικό. Προσθέστε ένα αναγνωριστικό σε αυτό το στοιχείο στο 'ui-lovelace.yaml'.", - "para_migrate": "Ο Home Assistant μπορεί να προσθέσει αυτόματα όλα τα αναγνωριστικά από τις κάρτες και τις προβολές σας πατώντας το πλήκτρο 'Ρυθμίσεις μετεγκατάστασης'.", - "migrate": "Ρυθμίσεις μετεγκατάστασης" - }, - "header": "Επεξεργασία περιβάλλοντος χρήστη", - "edit_view": { - "header": "Ρυθμίσεις προβολής", - "add": "Προσθήκη προβολής", - "edit": "Επεξεργασία προβολής", - "delete": "Διαγραφή προβολής" - }, - "save_config": { - "header": "Πάρτε τον έλεγχο του περιβάλλοντος χρήστη στο Lovelace", - "para": "Από προεπιλογή, το Home Assistant θα διατηρήσει το περιβάλλον χρήστη που έχετε ενημερώνοντας το όταν θα γίνονται διαθέσιμες νέες οντότητες ή στοιχεία Lovelace. Αν πάρετε τον έλεγχο, δεν θα πραγματοποιούμε πλέον αλλαγές για εσάς.", - "para_sure": "Είστε βέβαιος ότι θέλετε να πάρετε τον έλεγχο του περιβάλλοντος χρήστη;", - "cancel": "Δεν πειράζει", - "save": "Πάρτε τον έλεγχο" - }, - "menu": { - "raw_editor": "Επεξεργαστής ρυθμίσεων Raw" - }, - "raw_editor": { - "header": "Επεξεργαστείτε το Config", - "save": "Αποθήκευση", - "unsaved_changes": "Μη αποθηκευμένες αλλαγές", - "saved": "Αποθηκεύτηκε" - }, - "edit_lovelace": { - "header": "Τίτλος του περιβάλλοντος εργασίας σας Lovelace", - "explanation": "Αυτός ο τίτλος εμφανίζεται πάνω από όλες τις καρτέλες σας στο Lovelace." - }, "card": { "alarm_panel": { "available_states": "Διαθέσιμες λειτουργίες" }, + "alarm-panel": { + "available_states": "Διαθέσιμες λειτουργίες", + "name": "Πίνακας συναγερμών" + }, "config": { - "required": "Υποχρεωτικό", - "optional": "Προαιρετικό" + "optional": "Προαιρετικό", + "required": "Υποχρεωτικό" + }, + "entities": { + "name": "Οντότητες" + }, + "entity-button": { + "name": "Κουμπί οντότητας" + }, + "entity-filter": { + "name": "Φίλτρο οντοτήτων" }, "gauge": { + "name": "Μετρητής", "severity": { "green": "Πράσινος", "red": "Κόκκινο", "yellow": "Κίτρινο" - }, - "name": "Μετρητής" - }, - "glance": { - "columns": "Στήλες" + } }, "generic": { "aspect_ratio": "Αναλογία απεικόνισης", @@ -1237,32 +1311,12 @@ "show_icon": "Εμφάνιση εικονιδίου;", "show_name": "Εμφάνιση ονόματος;", "show_state": "Εμφάνιση κατάστασης;", - "title": "Τίτλος", "theme": "Θέμα", + "title": "Τίτλος", "unit": "Μονάδα" }, - "map": { - "geo_location_sources": "Πηγές γεωγεωγραφικής θέσης", - "dark_mode": "Σκοτεινή λειτουργία;", - "default_zoom": "Προεπιλεγμένο ζουμ", - "source": "Πηγή", - "name": "Χάρτης" - }, - "markdown": { - "content": "Περιεχόμενο" - }, - "alarm-panel": { - "name": "Πίνακας συναγερμών", - "available_states": "Διαθέσιμες λειτουργίες" - }, - "entities": { - "name": "Οντότητες" - }, - "entity-button": { - "name": "Κουμπί οντότητας" - }, - "entity-filter": { - "name": "Φίλτρο οντοτήτων" + "glance": { + "columns": "Στήλες" }, "history-graph": { "name": "Ιστορικό γράφημα" @@ -1273,6 +1327,16 @@ "light": { "name": "Φως" }, + "map": { + "dark_mode": "Σκοτεινή λειτουργία;", + "default_zoom": "Προεπιλεγμένο ζουμ", + "geo_location_sources": "Πηγές γεωγεωγραφικής θέσης", + "name": "Χάρτης", + "source": "Πηγή" + }, + "markdown": { + "content": "Περιεχόμενο" + }, "picture": { "name": "Εικόνα" }, @@ -1294,396 +1358,332 @@ "weather-forecast": { "name": "πρόγνωση καιρού" } + }, + "edit_card": { + "add": "Προσθήκη κάρτας", + "delete": "Διαγραφή", + "edit": "Επεξεργασία", + "header": "Διαμόρφωση κάρτας", + "move": "Μετακίνηση", + "pick_card": "Επιλέξτε την κάρτα που θέλετε να προσθέσετε.", + "save": "Αποθήκευση", + "show_code_editor": "Εμφάνιση επεξεργαστή κώδικα", + "toggle_editor": "Εναλλαγή κειμενογράφου" + }, + "edit_lovelace": { + "explanation": "Αυτός ο τίτλος εμφανίζεται πάνω από όλες τις καρτέλες σας στο Lovelace.", + "header": "Τίτλος του περιβάλλοντος εργασίας σας Lovelace" + }, + "edit_view": { + "add": "Προσθήκη προβολής", + "delete": "Διαγραφή προβολής", + "edit": "Επεξεργασία προβολής", + "header": "Ρυθμίσεις προβολής" + }, + "header": "Επεξεργασία περιβάλλοντος χρήστη", + "menu": { + "raw_editor": "Επεξεργαστής ρυθμίσεων Raw" + }, + "migrate": { + "header": "Μη συμβατή διαμόρφωση", + "migrate": "Ρυθμίσεις μετεγκατάστασης", + "para_migrate": "Ο Home Assistant μπορεί να προσθέσει αυτόματα όλα τα αναγνωριστικά από τις κάρτες και τις προβολές σας πατώντας το πλήκτρο 'Ρυθμίσεις μετεγκατάστασης'.", + "para_no_id": "Αυτό το στοιχείο δεν έχει αναγνωριστικό. Προσθέστε ένα αναγνωριστικό σε αυτό το στοιχείο στο 'ui-lovelace.yaml'." + }, + "raw_editor": { + "header": "Επεξεργαστείτε το Config", + "save": "Αποθήκευση", + "saved": "Αποθηκεύτηκε", + "unsaved_changes": "Μη αποθηκευμένες αλλαγές" + }, + "save_config": { + "cancel": "Δεν πειράζει", + "header": "Πάρτε τον έλεγχο του περιβάλλοντος χρήστη στο Lovelace", + "para": "Από προεπιλογή, το Home Assistant θα διατηρήσει το περιβάλλον χρήστη που έχετε ενημερώνοντας το όταν θα γίνονται διαθέσιμες νέες οντότητες ή στοιχεία Lovelace. Αν πάρετε τον έλεγχο, δεν θα πραγματοποιούμε πλέον αλλαγές για εσάς.", + "para_sure": "Είστε βέβαιος ότι θέλετε να πάρετε τον έλεγχο του περιβάλλοντος χρήστη;", + "save": "Πάρτε τον έλεγχο" } }, "menu": { "configure_ui": "Ρύθμιση UI", - "unused_entities": "Αχρησιμοποίητες οντότητες", "help": "Βοήθεια", - "refresh": "Ανανέωση" + "refresh": "Ανανέωση", + "unused_entities": "Αχρησιμοποίητες οντότητες" }, + "reload_lovelace": "Επαναφόρτωση Lovelace", "warning": { - "entity_not_found": "Η οντότητα δεν είναι διαθέσιμη: {entity}", - "entity_non_numeric": "Η οντότητα δεν είναι αριθμητική: {entity}" + "entity_non_numeric": "Η οντότητα δεν είναι αριθμητική: {entity}", + "entity_not_found": "Η οντότητα δεν είναι διαθέσιμη: {entity}" + } + }, + "mailbox": { + "delete_button": "Διαγραφή", + "delete_prompt": "Διαγραφή αυτού του μηνύματος;", + "empty": "Δεν έχετε μηνύματα", + "playback_title": "Αναπαραγωγή μηνύματος" + }, + "page-authorize": { + "abort_intro": "Σύνδεση ματαιώθηκε", + "authorizing_client": "Πρόκειται να δώσετε στο {clientId} πρόσβαση στο Home Assistant.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Η περίοδος σύνδεσης έληξε, συνδεθείτε ξανά." + }, + "error": { + "invalid_auth": "Μη έγκυρο όνομα χρήστη ή κωδικός πρόσβασης", + "invalid_code": "Λανθασμένος κώδικας ταυτοποίησης" + }, + "step": { + "init": { + "data": { + "password": "Κωδικός", + "username": "Όνομα χρήστη" + } + }, + "mfa": { + "data": { + "code": "Κωδικός ταυτοποίησης δυο παραγόντων" + }, + "description": "Ανοίξτε το **{mfa_module_name}** στην συσκευή σας για να δείτε τον κωδικό ταυτοποίησης δυο-παραγόντων και να επιβεβαιώσετε την ταυτότητα:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Η περίοδος σύνδεσης έληξε, συνδεθείτε ξανά." + }, + "error": { + "invalid_auth": "Μη έγκυρο όνομα χρήστη ή κωδικός πρόσβασης", + "invalid_code": "Μη έγκυρος κωδικός ταυτοποίησης" + }, + "step": { + "init": { + "data": { + "password": "Κωδικός", + "username": "Όνομα χρήστη" + } + }, + "mfa": { + "data": { + "code": "Κωδικός ταυτοποίησης δυο παραγόντων" + }, + "description": "Ανοίξτε το **{mfa_module_name}** στην συσκευή σας για να δείτε τον κωδικό ταυτοποίησης δυο-παραγόντων και να επιβεβαιώσετε την ταυτότητα:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Έληξε η περίοδος σύνδεσης, παρακαλώ ξανά συνδεθείτε.", + "no_api_password_set": "Δεν έχετε διαμορφώσει έναν κωδικό πρόσβασης API." + }, + "error": { + "invalid_auth": "Άκυρος κωδικός ΑPI", + "invalid_code": "Μη έγκυρος κωδικός ταυτοποίησης" + }, + "step": { + "init": { + "data": { + "password": "Κωδικός API" + }, + "description": "Εισαγάγετε τον κωδικό API στο http config:" + }, + "mfa": { + "data": { + "code": "Κωδικός ταυτοποίησης δυο παραγόντων" + }, + "description": "Ανοίξτε το **{mfa_module_name}** στην συσκευή σας για να δείτε τον κωδικό ταυτοποίησης δυο-παραγόντων και να επιβεβαιώσετε την ταυτότητα:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Ο υπολογιστής σας δεν είναι στη λίστα επιτρεπόμενων." + }, + "step": { + "init": { + "data": { + "user": "Χρήστης" + }, + "description": "Παρακαλούμε επιλέξτε ένα χρήστη που θέλετε να συνδεθείτε ως:" + } + } + } + }, + "unknown_error": "Κάτι πήγε στραβά", + "working": "Παρακαλώ περιμένετε" }, - "changed_toast": { - "message": "Οι ρυθμίσεις Lovelace άλλαξαν, θέλεις να ανανεώσεις;", - "refresh": "Ανανέωση" - }, - "reload_lovelace": "Επαναφόρτωση Lovelace" + "initializing": "Αρχικοποίηση", + "logging_in_with": "Σύνδεση με **{authProviderName}**.", + "pick_auth_provider": "Ή συνδεθείτε με" }, "page-demo": { "cards": { "demo": { "demo_by": "από {name}", - "next_demo": "Επόμενο demo", "introduction": "Καλώς όρισες σπίτι! Έχετε φθάσει στο demo Home Assistant όπου παρουσιάζουμε τους καλύτερους UI που δημιουργήθηκαν από την κοινότητά μας.", - "learn_more": "Μάθετε περισσότερα για το Home Assistant" + "learn_more": "Μάθετε περισσότερα για το Home Assistant", + "next_demo": "Επόμενο demo" } }, "config": { "arsaboo": { - "names": { - "upstairs": "Επάνω", - "family_room": "Οικογενειακό Δωμάτιο", - "kitchen": "Κουζίνα", - "patio": "Αίθριο", - "hallway": "Διάδρομος", - "master_bedroom": "Κύριο Υπνοδωμάτιο", - "left": "Αριστερά", - "right": "Δεξιά", - "mirror": "Καθρέφτης" - }, "labels": { - "lights": "Φώτα", - "information": "Πληροφορίες", - "morning_commute": "Πρωινή Μετακίνηση", + "activity": "Δραστηριότητα", + "air": "Αέρας", "commute_home": "Μετακίνηση προς Σπίτι", "entertainment": "Ψυχαγωγία", - "activity": "Δραστηριότητα", "hdmi_input": "Είσοδος HDMI", "hdmi_switcher": "Μεταγωγέας HDMI", - "volume": "Ένταση ήχου", + "information": "Πληροφορίες", + "lights": "Φώτα", + "morning_commute": "Πρωινή Μετακίνηση", "total_tv_time": "Συνολικός χρόνος θέασης", "turn_tv_off": "Απενεργοποίηση Τηλεόρασης", - "air": "Αέρας" + "volume": "Ένταση ήχου" + }, + "names": { + "family_room": "Οικογενειακό Δωμάτιο", + "hallway": "Διάδρομος", + "kitchen": "Κουζίνα", + "left": "Αριστερά", + "master_bedroom": "Κύριο Υπνοδωμάτιο", + "mirror": "Καθρέφτης", + "patio": "Αίθριο", + "right": "Δεξιά", + "upstairs": "Επάνω" }, "unit": { - "watching": "παρακολούθηση", - "minutes_abbr": "λεπτά" + "minutes_abbr": "λεπτά", + "watching": "παρακολούθηση" } } } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Ανίχνευση", + "finish": "Επόμενο", + "intro": "Γεια σου {name}, καλώς ήρθες στο Home Assistant. Πώς θα ήθελες να αναφέρεσαι στο σπίτι σου;", + "intro_location": "Θα θέλαμε να μάθουμε πού ζεις. Αυτές οι πληροφορίες θα βοηθήσουν στην προβολή πληροφοριών και στη ρύθμιση αυτοματισμών που βασίζονται στον ήλιο. Αυτά τα δεδομένα δεν μοιράζονται ποτέ εκτός του δικτύου σας.", + "intro_location_detect": "Μπορούμε να σε βοηθήσουμε να συμπληρώσεις αυτές τις πληροφορίες, κάνοντας μια εφάπαξ αίτηση σε μια εξωτερική υπηρεσία.", + "location_name_default": "Σπίτι" + }, + "integration": { + "finish": "Τέλος", + "intro": "Οι συσκευές και οι υπηρεσίες εκπροσωπούνται στο Home Assistant ως ενσωματώσεις. Μπορείτε να τα ρυθμίσετε τώρα ή αργότερα από την οθόνη διαμόρφωσης.", + "more_integrations": "Περισσότερα" + }, + "intro": "Είστε έτοιμοι να ξυπνήσετε το σπίτι σας, να διεκδικήσετε την ιδιωτικότητά σας και να συμμετάσχετε σε μια παγκόσμια κοινότητα μαστροχαλαστών;", + "user": { + "create_account": "Δημιουργία Λογαριασμού", + "data": { + "name": "Όνομα", + "password": "Κωδικός", + "password_confirm": "Επιβεβαίωση Κωδικού", + "username": "Όνομα χρήστη" + }, + "error": { + "password_not_match": "Οι κωδικοί πρόσβασης δεν ταιριάζουν", + "required_fields": "Συμπληρώστε όλα τα υποχρεωτικά πεδία" + }, + "intro": "Ας ξεκινήσουμε δημιουργώντας ένα λογαριασμό χρήστη.", + "required_field": "Υποχρεωτικό" + } + }, + "profile": { + "advanced_mode": { + "description": "εξειδικευμένη λειτουργία", + "title": "εξειδικευμένη λειτουργία" + }, + "change_password": { + "confirm_new_password": "Επιβεβαιώστε τον καινούριο κωδικό", + "current_password": "Τρέχων κωδικός", + "error_required": "Απαιτείται", + "header": "Αλλαγή Κωδικού", + "new_password": "Νέος κωδικός", + "submit": "Υποβολή" + }, + "current_user": "Αυτήν τη στιγμή είστε συνδεδεμένος ως {fullName}.", + "force_narrow": { + "description": "Αυτό θα κρύψει την πλαϊνή μπάρα από προεπιλογή, παρόμοια με την εμπειρία κινητού.", + "header": "Να αποκρύπτεται πάντα η πλαϊνή μπάρα" + }, + "is_owner": "Είστε ιδιοκτήτης.", + "language": { + "dropdown_label": "Γλώσσα", + "header": "Γλώσσα", + "link_promo": "Βοηθήστε στη μετάφραση" + }, + "logout": "Αποσύνδεση", + "long_lived_access_tokens": { + "confirm_delete": "Είστε σίγουρος ότι θέλετε να διαγράψετε το διακριτικό πρόσβασης για το {name};", + "create": "Δημιουργία Διακριτικού", + "create_failed": "Αδύνατη η δημιουργία του τρέχοντος διακριτικού.", + "created_at": "Δημιουργήθηκε στις {date}", + "delete_failed": "Αδύνατη η διαγραφή του τρέχοντος διακριτικού.", + "description": "Δημιουργήστε διακριτικά πρόσβασης μακράς διάρκειας για να επιτρέψετε στα σενάρια σας να αλληλεπιδρούν με το Home Assistant. Κάθε διακριτικό θα ισχύει για 10 χρόνια. Τα παρακάτω διακριτικά πρόσβασης μακράς διαρκείας είναι ενεργά.", + "empty_state": "Δεν έχετε ακόμη αναγνωριστικά πρόσβασης μεγάλης διάρκειας.", + "header": "Διακριτικά πρόσβασης μακράς διάρκειας", + "last_used": "Τελευταία χρήση στις {date} από {location}", + "learn_auth_requests": "Μάθετε πώς να κάνετε πιστοποιημένα αιτήματα.", + "not_used": "Δεν έχει χρησιμοποιηθεί ποτέ", + "prompt_copy_token": "Αντιγράψτε το διακριτικό πρόσβασης. Δεν θα εμφανιστεί ξανά.", + "prompt_name": "Όνομα;" + }, + "mfa_setup": { + "close": "Κλείστε", + "step_done": "Η εγκατάσταση έγινε για {step}", + "submit": "Υποβολή", + "title_aborted": "Ματαιώθηκε", + "title_success": "Επιτυχία!" + }, + "mfa": { + "confirm_disable": "Είστε βέβαιος ότι θέλετε να απενεργοποιήσετε το {name} ;", + "disable": "Απενεργοποίηση", + "enable": "Ενεργοποίηση", + "header": "Πολυπαραγοντικά Αρθρώματα Ταυτοποίησης" + }, + "push_notifications": { + "description": "Αποστολή ειδοποιήσεων σε αυτήν τη συσκευή.", + "error_load_platform": "Ρυθμίστε το notify.html5.", + "error_use_https": "Απαιτείται η ενεργοποίηση του SSL για το προσκήνιο.", + "header": "Ειδοποιήσεις Push", + "link_promo": "Μάθετε περισσότερα", + "push_notifications": "Ειδοποιήσεις push" + }, + "refresh_tokens": { + "confirm_delete": "Είστε σίγουρος ότι θέλετε να διαγράψετε το διακριτικό πρόσβασης για το {name};", + "created_at": "Δημιουργήθηκε στις {date}", + "current_token_tooltip": "Αδύνατη η διαγραφή του τρέχοντος διακριτικού", + "delete_failed": "Αδύνατη η διαγραφή του τρέχοντος διακριτικού.", + "description": "Κάθε διακριτικό ανανέωσης αντιπροσωπεύει μια περίοδο σύνδεσης. Τα ανανεωμένα tokens θα καταργηθούν αυτόματα όταν αποσυνδεθείτε. Τα παρακάτω διακριτικά ανανέωσης είναι ενεργά για το λογαριασμό σας.", + "header": "Ανανέωση διακριτικών", + "last_used": "Τελευταία χρήση στις {date} από {location}", + "not_used": "Δεν έχει χρησιμοποιηθεί ποτέ", + "token_title": "Ανανέωση διακριτικού για το {clientId}" + }, + "themes": { + "dropdown_label": "Θέμα", + "error_no_theme": "Δεν υπάρχουν διαθέσιμα θέματα.", + "header": "Θέμα", + "link_promo": "Μάθετε σχετικά με τα θέματα" + }, + "vibrate": { + "description": "Ενεργοποιήστε ή απενεργοποιήστε τις δονήσεις σε αυτήν τη συσκευή κατά τον έλεγχο συσκευών.", + "header": "Δόνηση" + } + }, + "shopping-list": { + "add_item": "Προσθήκη στοιχείου", + "clear_completed": "Καθαρισμός Ολοκληρώθηκε", + "microphone_tip": "Πατήστε το μικρόφωνο στην επάνω δεξιά γωνία και πείτε \"Προσθήκη καραμελών στη λίστα αγορών μου\"" } }, "sidebar": { - "log_out": "Αποσύνδεση", - "external_app_configuration": "Διαμόρφωση Εφαρμογής" - }, - "common": { - "loading": "Φόρτωση", - "cancel": "Ακύρωση", - "save": "Αποθήκευση", - "successfully_saved": "Αποθηκεύτηκε με επιτυχία" - }, - "duration": { - "day": "{count} {count, plural,\n one {μέρα}\n other {μέρες}\n}", - "week": "{count} {count, plural,\n one {εβδομάδα}\n other {εβδομάδες}\n}", - "second": "{count} {count, plural,\n one {δευτερόλεπτο}\n other {δευτερόλεπτα}\n}", - "minute": "{count} {count, plural,\n one {λεπτό}\n other {λεπτά}\n}", - "hour": "{count} {count, plural,\n one {ώρα}\n other {ώρες}\n}" - }, - "login-form": { - "password": "Κωδικός", - "remember": "Να θυμάμαι", - "log_in": "Σύνδεση" - }, - "card": { - "camera": { - "not_available": "Μη διαθέσιμη εικόνα" - }, - "persistent_notification": { - "dismiss": "Απόρριψη" - }, - "scene": { - "activate": "Ενεργοποίηση" - }, - "script": { - "execute": "Εκτέλεση" - }, - "weather": { - "attributes": { - "air_pressure": "Πίεση αέρα", - "humidity": "Υγρασία", - "temperature": "Θερμοκρασία", - "visibility": "Ορατότητα", - "wind_speed": "Ταχύτητα ανέμου" - }, - "cardinal_direction": { - "e": "Α", - "ene": "ΑΒΑ", - "ese": "ΑΝΑ", - "n": "Β", - "ne": "ΒΑ", - "nne": "ΒΒΑ", - "nw": "ΒΔ", - "nnw": "ΒΒΔ", - "s": "Ν", - "se": "ΝΑ", - "sse": "ΝΝΑ", - "ssw": "ΝΝΔ", - "sw": "ΝΔ", - "w": "Δ", - "wnw": "ΔΒΔ", - "wsw": "ΔΝΔ" - }, - "forecast": "Πρόγνωση" - }, - "alarm_control_panel": { - "code": "Κωδικός", - "clear_code": "Καθαρισμός", - "disarm": "Αφοπλισμός", - "arm_home": "Οπλισμός εντός", - "arm_away": "Οπλισμός εκτός", - "arm_night": "Οπλισμός νυκτός", - "armed_custom_bypass": "Προσαρμοσμένη παράκαμψη", - "arm_custom_bypass": "Προσαρμοσμένη παράκαμψη" - }, - "automation": { - "last_triggered": "Τελευταίο έναυσμα", - "trigger": "Έναυσμα" - }, - "cover": { - "position": "Θέση", - "tilt_position": "Θέση ανάκλισης" - }, - "fan": { - "speed": "Ταχύτητα", - "oscillate": "Περιστροφή", - "direction": "Κατεύθυνση", - "forward": "Εμπρός", - "reverse": "Αντιστροφή" - }, - "light": { - "brightness": "Φωτεινότητα", - "color_temperature": "Θερμοκρασία χρώματος", - "white_value": "Τιμή λευκού", - "effect": "Εφέ" - }, - "media_player": { - "text_to_speak": "Κείμενο προς εκφώνηση", - "source": "Πηγή", - "sound_mode": "Λειτουργία ήχου" - }, - "climate": { - "currently": "Αυτή τη στιγμή", - "on_off": "Ενεργοποίηση \/ απενεργοποίηση", - "target_temperature": "Επιθυμητή θερμοκρασία", - "target_humidity": "Επιθυμητή υγρασία", - "operation": "Λειτουργία", - "fan_mode": "Λειτουργία ανεμιστήρα", - "swing_mode": "Λειτουργία ανεμιστήρα", - "away_mode": "Λειτουργία εκτός σπιτιού", - "aux_heat": "Θερμοκρασία Aux", - "preset_mode": "Προκαθορισμένο" - }, - "lock": { - "code": "Κώδικας", - "lock": "Κλείδωμα", - "unlock": "Ξεκλείδωμα" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Συνέχιση καθαρισμού", - "return_to_base": "Επιστροφή στο dock", - "start_cleaning": "Έναρξη καθαρισμού", - "turn_on": "Ενεργοποίηση", - "turn_off": "Απενεργοποίηση" - } - }, - "water_heater": { - "currently": "Αυτή τη στιγμή", - "on_off": "Ενεργοποίηση \/ απενεργοποίηση", - "target_temperature": "Επιθυμητή θερμοκρασία", - "operation": "Λειτουργία", - "away_mode": "Λειτουργία 'Είμαι εκτός'" - }, - "timer": { - "actions": { - "start": "Εκκίνηση", - "pause": "Παύση", - "cancel": "Ακύρωση", - "finish": "Ολοκληρώθηκαν" - } - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "Οντότητα" - } - }, - "service-picker": { - "service": "Υπηρεσία" - }, - "relative_time": { - "past": "{time} πριν", - "future": "Σε {time}", - "never": "Ποτέ", - "duration": { - "second": "{count} {count, plural,\n one {δευτερόλεπτο}\n other {δευτερόλεπτα}\n}", - "minute": "{count} {count, plural,\n one {λεπτό}\n other {λεπτά}\n}", - "hour": "{count} {count, plural,\n one {ώρα}\n other {ώρες}\n}", - "day": "{count} {count, plural,\n one {μέρα}\n other {μέρες}\n}", - "week": "{count} {count, plural,\n one {εβδομάδα}\n other {εβδομάδες}\n}" - } - }, - "history_charts": { - "loading_history": "Φόρτωση ιστορικού κατάστασης …", - "no_history_found": "Δεν έχει βρεθεί ιστορικό κατάστασης." - } - }, - "notification_toast": { - "entity_turned_on": "Ενεργοποιημένο στο {entity}.", - "entity_turned_off": "Απενεργοποίηση {entity}.", - "service_called": "Επιτυχής κλήση στην υπηρεσία {service}", - "service_call_failed": "Απέτυχε η κλήση στην υπηρεσία {service}.", - "connection_lost": "Η σύνδεση χάθηκε. Επανασύνδεση…" - }, - "dialogs": { - "more_info_settings": { - "save": "Αποθήκευση", - "name": "Επιβολή Ονόματος", - "entity_id": "Αναγνωριστικό οντότητας" - }, - "more_info_control": { - "script": { - "last_action": "Τελευταία Ενέργεια" - }, - "sun": { - "elevation": "Υψόμετρο", - "rising": "Αύξηση", - "setting": "Ρύθμιση" - }, - "updater": { - "title": "Οδηγίες Ενημέρωσης" - } - }, - "options_flow": { - "form": { - "header": "Επιλογές" - }, - "success": { - "description": "Οι επιλογές αποθηκεύτηκαν με επιτυχία." - } - }, - "config_entry_system_options": { - "title": "Επιλογές συστήματος", - "enable_new_entities_label": "Ενεργοποίηση οντοτήτων που προστέθηκαν πρόσφατα.", - "enable_new_entities_description": "Αν απενεργοποιηθεί, οι πρόσφατα ανακαλυφθείσες οντότητες δεν θα προστεθούν αυτόματα στον Home Assistant." - }, - "zha_device_info": { - "manuf": "από τον {manufacturer}", - "no_area": "Καμία περιοχή", - "services": { - "reconfigure": "Ρυθμίστε ξανά τη συσκευή ZHA (θεραπεία συσκευής). Χρησιμοποιήστε αυτήν την επιλογή εάν αντιμετωπίζετε προβλήματα με τη συσκευή. Εάν η συγκεκριμένη συσκευή τροφοδοτείται από μπαταρία παρακαλώ βεβαιωθείτε ότι είναι ενεργοποιημένη και δέχεται εντολές όταν χρησιμοποιείτε αυτή την υπηρεσία.", - "updateDeviceName": "Ορίστε ένα προσαρμοσμένο όνομα γι αυτήν τη συσκευή στο μητρώο συσκευών.", - "remove": "Καταργήστε μια συσκευή από το δίκτυο Zigbee." - }, - "zha_device_card": { - "device_name_placeholder": "Όνομα δοσμένο από τον χρήστη", - "area_picker_label": "Περιοχή", - "update_name_button": "Ενημέρωση ονόματος" - }, - "buttons": { - "add": "Προσθήκη συσκευών", - "remove": "Κατάργηση συσκευής", - "reconfigure": "Ρυθμίστε Ξανά Τη Συσκευή" - }, - "quirk": "Ιδιοτροπία", - "power_source": "Πηγή ενέργειας", - "unknown": "Άγνωστη" - } - }, - "auth_store": { - "ask": "Θέλετε να αποθηκεύσετε αυτή την σύνδεση;", - "decline": "Όχι, ευχαριστώ", - "confirm": "Αποθήκευση σύνδεσης" - }, - "notification_drawer": { - "click_to_configure": "Πατήστε το κουμπί για να διαμορφώσετε το {entity}", - "empty": "Καμία ειδοποίηση", - "title": "Ειδοποιήσεις" - } - }, - "domain": { - "alarm_control_panel": "Πίνακας ελέγχου ειδοποιήσεων", - "automation": "Αυτοματισμός", - "binary_sensor": "Δυαδικός αισθητήρας", - "calendar": "Ημερολόγιο", - "camera": "Κάμερα", - "climate": "Το κλίμα", - "configurator": "Διαμορφωτής", - "conversation": "Συνομιλία", - "cover": "Κάλυψη", - "device_tracker": "Συσκευή ανιχνευτή", - "fan": "Ανεμιστήρας", - "history_graph": "Γράφημα του ιστορικού", - "group": "Ομάδα", - "image_processing": "Επεξεργασία εικόνας", - "input_boolean": "Εισαγωγή λογικής πράξης", - "input_datetime": "Εισαγωγή ημερομηνίας", - "input_select": "Επιλογή εισόδου", - "input_number": "Αριθμός εισόδου", - "input_text": "Εισαγωγή κειμένου", - "light": "Φωτιστικά", - "lock": "Κλείδωμα", - "mailbox": "Γραμματοκιβώτιο", - "media_player": "Συσκευή αναπαραγωγής πολυμέσων", - "notify": "Κοινοποίηση", - "plant": "Χλωρίδα", - "proximity": "Εγγύτητα", - "remote": "Τηλεχειρισμός", - "scene": "Σκηνή", - "script": "Δέσμη ενεργειών", - "sensor": "Αισθητήρας", - "sun": "Ήλιος", - "switch": "Διακόπτης", - "updater": "Επικαιροποιητής", - "weblink": "Σύνδεσμος", - "zwave": "Z-Wave", - "vacuum": "Εκκένωση", - "zha": "ΖΗΑ", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Υγεία Συστήματος", - "person": "Άτομο" - }, - "attribute": { - "weather": { - "humidity": "Υγρασία", - "visibility": "Ορατότητα", - "wind_speed": "Ταχύτητα ανέμου" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Κλειστό", - "on": "Ενεργό", - "auto": "Αυτόματο" - }, - "preset_mode": { - "none": "Κανένας", - "eco": "Οικονομικό", - "away": "Εκτός Σπιτιού", - "boost": "Ενίσχυση", - "comfort": "Άνεση", - "home": "Σπίτι", - "sleep": "Ύπνος", - "activity": "Δραστηριότητα" - }, - "hvac_action": { - "off": "Κλειστό", - "heating": "Θέρμανση", - "cooling": "Ψύξη", - "drying": "Αφύγρανση", - "idle": "Σε αδράνεια", - "fan": "Ανεμιστήρας" - } - } - }, - "groups": { - "system-admin": "Διαχειριστές", - "system-users": "Χρήστες", - "system-read-only": "Χρήστες μόνο για ανάγνωση" - }, - "config_entry": { - "disabled_by": { - "user": "Χρήστης", - "integration": "Ενσωμάτωση", - "config_entry": "Παράμετρος διαμόρφωσης" + "external_app_configuration": "Διαμόρφωση Εφαρμογής", + "log_out": "Αποσύνδεση" } } } \ No newline at end of file diff --git a/translations/en.json b/translations/en.json index 7f415ac267..b3d8f70438 100644 --- a/translations/en.json +++ b/translations/en.json @@ -1,53 +1,193 @@ { - "panel": { - "config": "Configuration", - "states": "Overview", - "map": "Map", - "logbook": "Logbook", - "history": "History", + "attribute": { + "weather": { + "humidity": "Humidity", + "visibility": "Visibility", + "wind_speed": "Wind speed" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Config Entry", + "integration": "Integration", + "user": "User" + } + }, + "domain": { + "alarm_control_panel": "Alarm control panel", + "automation": "Automation", + "binary_sensor": "Binary sensor", + "calendar": "Calendar", + "camera": "Camera", + "climate": "Climate", + "configurator": "Configurator", + "conversation": "Conversation", + "cover": "Cover", + "device_tracker": "Device tracker", + "fan": "Fan", + "group": "Group", + "hassio": "Hass.io", + "history_graph": "History graph", + "homeassistant": "Home Assistant", + "image_processing": "Image processing", + "input_boolean": "Input boolean", + "input_datetime": "Input datetime", + "input_number": "Input number", + "input_select": "Input select", + "input_text": "Input text", + "light": "Light", + "lock": "Lock", + "lovelace": "Lovelace", "mailbox": "Mailbox", - "shopping_list": "Shopping list", + "media_player": "Media player", + "notify": "Notify", + "person": "Person", + "plant": "Plant", + "proximity": "Proximity", + "remote": "Remote", + "scene": "Scene", + "script": "Script", + "sensor": "Sensor", + "sun": "Sun", + "switch": "Switch", + "system_health": "System Health", + "updater": "Updater", + "vacuum": "Vacuum", + "weblink": "Weblink", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Administrators", + "system-read-only": "Read-Only Users", + "system-users": "Users" + }, + "panel": { + "calendar": "Calendar", + "config": "Configuration", "dev-info": "Info", "developer_tools": "Developer Tools", - "calendar": "Calendar", - "profile": "Profile" + "history": "History", + "logbook": "Logbook", + "mailbox": "Mailbox", + "map": "Map", + "profile": "Profile", + "shopping_list": "Shopping list", + "states": "Overview" }, - "state": { - "default": { - "off": "Off", - "on": "On", - "unknown": "Unknown", - "unavailable": "Unavailable" - }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Auto", + "off": "Off", + "on": "On" + }, + "hvac_action": { + "cooling": "Cooling", + "drying": "Drying", + "fan": "Fan", + "heating": "Heating", + "idle": "Idle", + "off": "Off" + }, + "preset_mode": { + "activity": "Activity", + "away": "Away", + "boost": "Boost", + "comfort": "Comfort", + "eco": "Eco", + "home": "Home", + "none": "None", + "sleep": "Sleep" + } + } + }, + "state_badge": { "alarm_control_panel": { "armed": "Armed", - "disarmed": "Disarmed", - "armed_home": "Armed home", - "armed_away": "Armed away", - "armed_night": "Armed night", - "pending": "Pending", + "armed_away": "Armed", + "armed_custom_bypass": "Armed", + "armed_home": "Armed", + "armed_night": "Armed", "arming": "Arming", + "disarmed": "Disarm", + "disarming": "Disarm", + "pending": "Pend", + "triggered": "Trig" + }, + "default": { + "entity_not_found": "Entity Not Found", + "error": "Error", + "unavailable": "Unavai", + "unknown": "Unk" + }, + "device_tracker": { + "home": "Home", + "not_home": "Away" + }, + "person": { + "home": "Home", + "not_home": "Away" + } + }, + "state": { + "alarm_control_panel": { + "armed": "Armed", + "armed_away": "Armed away", + "armed_custom_bypass": "Armed custom bypass", + "armed_home": "Armed home", + "armed_night": "Armed night", + "arming": "Arming", + "disarmed": "Disarmed", "disarming": "Disarming", - "triggered": "Triggered", - "armed_custom_bypass": "Armed custom bypass" + "pending": "Pending", + "triggered": "Triggered" }, "automation": { "off": "Off", "on": "On" }, "binary_sensor": { + "battery": { + "off": "Normal", + "on": "Low" + }, + "cold": { + "off": "Normal", + "on": "Cold" + }, + "connectivity": { + "off": "Disconnected", + "on": "Connected" + }, "default": { "off": "Off", "on": "On" }, - "moisture": { - "off": "Dry", - "on": "Wet" + "door": { + "off": "Closed", + "on": "Open" + }, + "garage_door": { + "off": "Closed", + "on": "Open" }, "gas": { "off": "Clear", "on": "Detected" }, + "heat": { + "off": "Normal", + "on": "Hot" + }, + "lock": { + "off": "Locked", + "on": "Unlocked" + }, + "moisture": { + "off": "Dry", + "on": "Wet" + }, "motion": { "off": "Clear", "on": "Detected" @@ -56,6 +196,22 @@ "off": "Clear", "on": "Detected" }, + "opening": { + "off": "Closed", + "on": "Open" + }, + "presence": { + "off": "Away", + "on": "Home" + }, + "problem": { + "off": "OK", + "on": "Problem" + }, + "safety": { + "off": "Safe", + "on": "Unsafe" + }, "smoke": { "off": "Clear", "on": "Detected" @@ -68,53 +224,9 @@ "off": "Clear", "on": "Detected" }, - "opening": { - "off": "Closed", - "on": "Open" - }, - "safety": { - "off": "Safe", - "on": "Unsafe" - }, - "presence": { - "off": "Away", - "on": "Home" - }, - "battery": { - "off": "Normal", - "on": "Low" - }, - "problem": { - "off": "OK", - "on": "Problem" - }, - "connectivity": { - "off": "Disconnected", - "on": "Connected" - }, - "cold": { - "off": "Normal", - "on": "Cold" - }, - "door": { - "off": "Closed", - "on": "Open" - }, - "garage_door": { - "off": "Closed", - "on": "Open" - }, - "heat": { - "off": "Normal", - "on": "Hot" - }, "window": { "off": "Closed", "on": "Open" - }, - "lock": { - "off": "Locked", - "on": "Unlocked" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "On" }, "camera": { + "idle": "Idle", "recording": "Recording", - "streaming": "Streaming", - "idle": "Idle" + "streaming": "Streaming" }, "climate": { - "off": "Off", - "on": "On", - "heat": "Heat", - "cool": "Cool", - "idle": "Idle", "auto": "Auto", + "cool": "Cool", "dry": "Dry", - "fan_only": "Fan only", "eco": "Eco", "electric": "Electric", - "performance": "Performance", - "high_demand": "High demand", - "heat_pump": "Heat pump", + "fan_only": "Fan only", "gas": "Gas", + "heat": "Heat", + "heat_cool": "Heat\/Cool", + "heat_pump": "Heat pump", + "high_demand": "High demand", + "idle": "Idle", "manual": "Manual", - "heat_cool": "Heat\/Cool" + "off": "Off", + "on": "On", + "performance": "Performance" }, "configurator": { "configure": "Configure", "configured": "Configured" }, "cover": { - "open": "Open", - "opening": "Opening", "closed": "Closed", "closing": "Closing", + "open": "Open", + "opening": "Opening", "stopped": "Stopped" }, + "default": { + "off": "Off", + "on": "On", + "unavailable": "Unavailable", + "unknown": "Unknown" + }, "device_tracker": { "home": "Home", "not_home": "Away" @@ -164,19 +282,19 @@ "on": "On" }, "group": { - "off": "Off", - "on": "On", - "home": "Home", - "not_home": "Away", - "open": "Open", - "opening": "Opening", "closed": "Closed", "closing": "Closing", - "stopped": "Stopped", + "home": "Home", "locked": "Locked", - "unlocked": "Unlocked", + "not_home": "Away", + "off": "Off", "ok": "OK", - "problem": "Problem" + "on": "On", + "open": "Open", + "opening": "Opening", + "problem": "Problem", + "stopped": "Stopped", + "unlocked": "Unlocked" }, "input_boolean": { "off": "Off", @@ -191,13 +309,17 @@ "unlocked": "Unlocked" }, "media_player": { + "idle": "Idle", "off": "Off", "on": "On", - "playing": "Playing", "paused": "Paused", - "idle": "Idle", + "playing": "Playing", "standby": "Standby" }, + "person": { + "home": "Home", + "not_home": "Away" + }, "plant": { "ok": "OK", "problem": "Problem" @@ -225,34 +347,10 @@ "off": "Off", "on": "On" }, - "zwave": { - "default": { - "initializing": "Initializing", - "dead": "Dead", - "sleeping": "Sleeping", - "ready": "Ready" - }, - "query_stage": { - "initializing": "Initializing ({query_stage})", - "dead": "Dead ({query_stage})" - } - }, - "weather": { - "clear-night": "Clear, night", - "cloudy": "Cloudy", - "fog": "Fog", - "hail": "Hail", - "lightning": "Lightning", - "lightning-rainy": "Lightning, rainy", - "partlycloudy": "Partly cloudy", - "pouring": "Pouring", - "rainy": "Rainy", - "snowy": "Snowy", - "snowy-rainy": "Snowy, rainy", - "sunny": "Sunny", - "windy": "Windy", - "windy-variant": "Windy", - "exceptional": "Exceptional" + "timer": { + "active": "active", + "idle": "idle", + "paused": "paused" }, "vacuum": { "cleaning": "Cleaning", @@ -264,362 +362,422 @@ "paused": "Paused", "returning": "Returning to dock" }, - "timer": { - "active": "active", - "idle": "idle", - "paused": "paused" + "weather": { + "clear-night": "Clear, night", + "cloudy": "Cloudy", + "exceptional": "Exceptional", + "fog": "Fog", + "hail": "Hail", + "lightning": "Lightning", + "lightning-rainy": "Lightning, rainy", + "partlycloudy": "Partly cloudy", + "pouring": "Pouring", + "rainy": "Rainy", + "snowy": "Snowy", + "snowy-rainy": "Snowy, rainy", + "sunny": "Sunny", + "windy": "Windy", + "windy-variant": "Windy" }, - "person": { - "home": "Home", - "not_home": "Away" - } - }, - "state_badge": { - "default": { - "unknown": "Unk", - "unavailable": "Unavai", - "error": "Error", - "entity_not_found": "Entity Not Found" - }, - "alarm_control_panel": { - "armed": "Armed", - "disarmed": "Disarm", - "armed_home": "Armed", - "armed_away": "Armed", - "armed_night": "Armed", - "pending": "Pend", - "arming": "Arming", - "disarming": "Disarm", - "triggered": "Trig", - "armed_custom_bypass": "Armed" - }, - "device_tracker": { - "home": "Home", - "not_home": "Away" - }, - "person": { - "home": "Home", - "not_home": "Away" + "zwave": { + "default": { + "dead": "Dead", + "initializing": "Initializing", + "ready": "Ready", + "sleeping": "Sleeping" + }, + "query_stage": { + "dead": "Dead ({query_stage})", + "initializing": "Initializing ({query_stage})" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Clear completed", - "add_item": "Add item", - "microphone_tip": "Tap the microphone on the top right and say “Add candy to my shopping list”" + "auth_store": { + "ask": "Do you want to save this login?", + "confirm": "Save login", + "decline": "No thanks" + }, + "card": { + "alarm_control_panel": { + "arm_away": "Arm away", + "arm_custom_bypass": "Custom bypass", + "arm_home": "Arm home", + "arm_night": "Arm night", + "armed_custom_bypass": "Custom bypass", + "clear_code": "Clear", + "code": "Code", + "disarm": "Disarm" }, - "developer-tools": { - "tabs": { - "services": { - "title": "Services", - "description": "The service dev tool allows you to call any available service in Home Assistant.", - "data": "Service Data (YAML, optional)", - "call_service": "Call Service", - "select_service": "Select a service to see the description", - "no_description": "No description is available", - "no_parameters": "This service takes no parameters.", - "column_parameter": "Parameter", - "column_description": "Description", - "column_example": "Example", - "fill_example_data": "Fill Example Data", - "alert_parsing_yaml": "Error parsing YAML: {data}" - }, - "states": { - "title": "States", - "description1": "Set the representation of a device within Home Assistant.", - "description2": "This will not communicate with the actual device.", - "entity": "Entity", - "state": "State", - "attributes": "Attributes", - "state_attributes": "State attributes (YAML, optional)", - "set_state": "Set State", - "current_entities": "Current entities", - "filter_entities": "Filter entities", - "filter_states": "Filter states", - "filter_attributes": "Filter attributes", - "no_entities": "No entities", - "more_info": "More Info", - "alert_entity_field": "Entity is a mandatory field" - }, - "events": { - "title": "Events", - "description": "Fire an event on the event bus.", - "documentation": "Events Documentation.", - "type": "Event Type", - "data": "Event Data (YAML, optional)", - "fire_event": "Fire Event", - "event_fired": "Event {name} fired", - "available_events": "Available Events", - "count_listeners": " ({count} listeners)", - "listen_to_events": "Listen to events", - "listening_to": "Listening to", - "subscribe_to": "Event to subscribe to", - "start_listening": "Start listening", - "stop_listening": "Stop listening", - "alert_event_type": "Event type is a mandatory field", - "notification_event_fired": "Event {type} successful fired!" - }, - "templates": { - "title": "Template", - "description": "Templates are rendered using the Jinja2 template engine with some Home Assistant specific extensions.", - "editor": "Template editor", - "jinja_documentation": "Jinja2 template documentation", - "template_extensions": "Home Assistant template extensions", - "unknown_error_template": "Unknown error rendering template" - }, - "mqtt": { - "title": "MQTT", - "description_publish": "Publish a packet", - "topic": "topic", - "payload": "Payload (template allowed)", - "publish": "Publish", - "description_listen": "Listen to a topic", - "listening_to": "Listening to", - "subscribe_to": "Topic to subscribe to", - "start_listening": "Start listening", - "stop_listening": "Stop listening", - "message_received": "Message {id} received on {topic} at {time}:" - }, - "info": { - "title": "Info", - "remove": "Remove", - "set": "Set", - "default_ui": "{action} {name} as default page on this device", - "lovelace_ui": "Go to the Lovelace UI", - "states_ui": "Go to the states UI", - "home_assistant_logo": "Home Assistant logo", - "path_configuration": "Path to configuration.yaml: {path}", - "developed_by": "Developed by a bunch of awesome people.", - "license": "Published under the Apache 2.0 license", - "source": "Source:", - "server": "server", - "frontend": "frontend-ui", - "built_using": "Built using", - "icons_by": "Icons by", - "frontend_version": "Frontend version: {version} - {type}", - "custom_uis": "Custom UIs:", - "system_health_error": "System Health component is not loaded. Add 'system_health:' to configuration.yaml" - }, - "logs": { - "title": "Logs", - "details": "Log Details ({level})", - "load_full_log": "Load Full Home Assistant Log", - "loading_log": "Loading error log…", - "no_errors": "No errors have been reported.", - "no_issues": "There are no new issues!", - "clear": "Clear", - "refresh": "Refresh", - "multiple_messages": "message first occurred at {time} and shows up {counter} times" - } + "automation": { + "last_triggered": "Last triggered", + "trigger": "Trigger" + }, + "camera": { + "not_available": "Image not available" + }, + "climate": { + "aux_heat": "Aux heat", + "away_mode": "Away mode", + "cooling": "{name} cooling", + "current_temperature": "{name} current temperature", + "currently": "Currently", + "fan_mode": "Fan mode", + "heating": "{name} heating", + "high": "high", + "low": "low", + "on_off": "On \/ off", + "operation": "Operation", + "preset_mode": "Preset", + "swing_mode": "Swing mode", + "target_humidity": "Target humidity", + "target_temperature": "Target temperature", + "target_temperature_entity": "{name} target temperature", + "target_temperature_mode": "{name} target temperature {mode}" + }, + "counter": { + "actions": { + "decrement": "decrement", + "increment": "increment", + "reset": "reset" } }, - "history": { - "showing_entries": "Showing entries for", - "period": "Period" + "cover": { + "position": "Position", + "tilt_position": "Tilt position" }, - "logbook": { - "showing_entries": "Showing entries for", - "period": "Period" + "fan": { + "direction": "Direction", + "forward": "Forward", + "oscillate": "Oscillate", + "reverse": "Reverse", + "speed": "Speed" }, - "mailbox": { - "empty": "You do not have any messages", - "playback_title": "Message playback", - "delete_prompt": "Delete this message?", - "delete_button": "Delete" + "light": { + "brightness": "Brightness", + "color_temperature": "Color temperature", + "effect": "Effect", + "white_value": "White value" }, - "config": { - "header": "Configure Home Assistant", - "introduction": "Here it is possible to configure your components and Home Assistant. Not everything is possible to configure from the UI yet, but we're working on it.", - "core": { - "caption": "General", - "description": "Change your general Home Assistant configuration", - "section": { - "core": { - "header": "General Configuration", - "introduction": "Changing your configuration can be a tiresome process. We know. This section will try to make your life a little bit easier.", - "core_config": { - "edit_requires_storage": "Editor disabled because config stored in configuration.yaml.", - "location_name": "Name of your Home Assistant installation", - "latitude": "Latitude", - "longitude": "Longitude", - "elevation": "Elevation", - "elevation_meters": "meters", - "time_zone": "Time Zone", - "unit_system": "Unit System", - "unit_system_imperial": "Imperial", - "unit_system_metric": "Metric", - "imperial_example": "Fahrenheit, pounds", - "metric_example": "Celsius, kilograms", - "save_button": "Save" - } - }, - "server_control": { - "validation": { - "heading": "Configuration validation", - "introduction": "Validate your configuration if you recently made some changes to your configuration and want to make sure that it is all valid", - "check_config": "Check config", - "valid": "Configuration valid!", - "invalid": "Configuration invalid" - }, - "reloading": { - "heading": "Configuration reloading", - "introduction": "Some parts of Home Assistant can reload without requiring a restart. Hitting reload will unload their current configuration and load the new one.", - "core": "Reload location & customize", - "group": "Reload groups", - "automation": "Reload automations", - "script": "Reload scripts" - }, - "server_management": { - "heading": "Server management", - "introduction": "Control your Home Assistant server… from Home Assistant.", - "restart": "Restart", - "stop": "Stop" - } - } - } + "lock": { + "code": "Code", + "lock": "Lock", + "unlock": "Unlock" + }, + "media_player": { + "sound_mode": "Sound mode", + "source": "Source", + "text_to_speak": "Text to speak" + }, + "persistent_notification": { + "dismiss": "Dismiss" + }, + "scene": { + "activate": "Activate" + }, + "script": { + "execute": "Execute" + }, + "timer": { + "actions": { + "cancel": "cancel", + "finish": "finish", + "pause": "pause", + "start": "start" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Resume cleaning", + "return_to_base": "Return to dock", + "start_cleaning": "Start cleaning", + "turn_off": "Turn off", + "turn_on": "Turn on" + } + }, + "water_heater": { + "away_mode": "Away mode", + "currently": "Currently", + "on_off": "On \/ off", + "operation": "Operation", + "target_temperature": "Target temperature" + }, + "weather": { + "attributes": { + "air_pressure": "Air pressure", + "humidity": "Humidity", + "temperature": "Temperature", + "visibility": "Visibility", + "wind_speed": "Wind speed" }, - "customize": { - "caption": "Customization", - "description": "Customize your entities", + "cardinal_direction": { + "e": "E", + "ene": "ENE", + "ese": "ESE", + "n": "N", + "ne": "NE", + "nne": "NNE", + "nnw": "NNW", + "nw": "NW", + "s": "S", + "se": "SE", + "sse": "SSE", + "ssw": "SSW", + "sw": "SW", + "w": "W", + "wnw": "WNW", + "wsw": "WSW" + }, + "forecast": "Forecast" + } + }, + "common": { + "cancel": "Cancel", + "loading": "Loading", + "no": "No", + "save": "Save", + "successfully_saved": "Successfully saved", + "yes": "Yes" + }, + "components": { + "device-picker": { + "clear": "Clear", + "show_devices": "Show devices" + }, + "entity": { + "entity-picker": { + "clear": "Clear", + "entity": "Entity", + "show_entities": "Show entities" + } + }, + "history_charts": { + "loading_history": "Loading state history...", + "no_history_found": "No state history found." + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\n one {day}\\n other {days}\\n}", + "hour": "{count} {count, plural,\\n one {hour}\\n other {hours}\\n}", + "minute": "{count} {count, plural,\\n one {minute}\\n other {minutes}\\n}", + "second": "{count} {count, plural,\\n one {second}\\n other {seconds}\\n}", + "week": "{count} {count, plural,\\n one {week}\\n other {weeks}\\n}" + }, + "future": "In {time}", + "never": "Never", + "past": "{time} ago" + }, + "service-picker": { + "service": "Service" + } + }, + "dialogs": { + "config_entry_system_options": { + "enable_new_entities_description": "If disabled, newly discovered entities for {integration} will not be automatically added to Home Assistant.", + "enable_new_entities_label": "Enable newly added entities.", + "title": "System Options for {integration}" + }, + "confirmation": { + "cancel": "Cancel", + "ok": "OK", + "title": "Are you sure?" + }, + "domain_toggler": { + "title": "Toggle Domains" + }, + "more_info_control": { + "script": { + "last_action": "Last Action" + }, + "sun": { + "elevation": "Elevation", + "rising": "Rising", + "setting": "Setting" + }, + "updater": { + "title": "Update Instructions" + } + }, + "more_info_settings": { + "entity_id": "Entity ID", + "name": "Name Override", + "save": "Save" + }, + "options_flow": { + "form": { + "header": "Options" + }, + "success": { + "description": "Options successfully saved." + } + }, + "voice_command": { + "did_not_hear": "Home Assistant did not hear anything", + "error": "Oops, an error has occurred", + "found": "I found the following for you:", + "how_can_i_help": "How can I help?", + "label": "Type a question and press 'Enter'", + "label_voice": "Type and press 'Enter' or tap the microphone icon to speak" + }, + "zha_device_info": { + "buttons": { + "add": "Add Devices", + "reconfigure": "Reconfigure Device", + "remove": "Remove Device" + }, + "last_seen": "Last Seen", + "manuf": "by {manufacturer}", + "no_area": "No Area", + "power_source": "Power Source", + "quirk": "Quirk", + "services": { + "reconfigure": "Reconfigure ZHA device (heal device). Use this if you are having issues with the device. If the device in question is a battery powered device please ensure it is awake and accepting commands when you use this service.", + "remove": "Remove a device from the Zigbee network.", + "updateDeviceName": "Set a custom name for this device in the device registry." + }, + "unknown": "Unknown", + "zha_device_card": { + "area_picker_label": "Area", + "device_name_placeholder": "User given name", + "update_name_button": "Update Name" + } + } + }, + "duration": { + "day": "{count} {count, plural,\\n one {day}\\n other {days}\\n}", + "hour": "{count} {count, plural,\\n one {hour}\\n other {hours}\\n}", + "minute": "{count} {count, plural,\\n one {minute}\\n other {minutes}\\n}", + "second": "{count} {count, plural,\\n one {second}\\n other {seconds}\\n}", + "week": "{count} {count, plural,\\n one {week}\\n other {weeks}\\n}" + }, + "login-form": { + "log_in": "Log in", + "password": "Password", + "remember": "Remember" + }, + "notification_drawer": { + "click_to_configure": "Click button to configure {entity}", + "empty": "No Notifications", + "title": "Notifications" + }, + "notification_toast": { + "connection_lost": "Connection lost. Reconnecting…", + "entity_turned_off": "Turned off {entity}.", + "entity_turned_on": "Turned on {entity}.", + "service_call_failed": "Failed to call service {service}.", + "service_called": "Service {service} called.", + "triggered": "Triggered {name}" + }, + "panel": { + "config": { + "area_registry": { + "caption": "Area Registry", + "create_area": "CREATE AREA", + "description": "Overview of all areas in your home.", + "editor": { + "create": "CREATE", + "default_name": "New Area", + "delete": "DELETE", + "update": "UPDATE" + }, + "no_areas": "Looks like you have no areas yet!", "picker": { - "header": "Customization", - "introduction": "Tweak per-entity attributes. Added\/edited customizations will take effect immediately. Removed customizations will take effect when the entity is updated." + "create_area": "CREATE AREA", + "header": "Area Registry", + "integrations_page": "Integrations page", + "introduction": "Areas are used to organize where devices are. This information will be used throughout Home Assistant to help you in organizing your interface, permissions and integrations with other systems.", + "introduction2": "To place devices in an area, use the link below to navigate to the integrations page and then click on a configured integration to get to the device cards.", + "no_areas": "Looks like you have no areas yet!" } }, "automation": { "caption": "Automation", "description": "Create and edit automations", - "picker": { - "header": "Automation Editor", - "introduction": "The automation editor allows you to create and edit automations. Please follow the link below to read the instructions to make sure that you have configured Home Assistant correctly.", - "pick_automation": "Pick automation to edit", - "no_automations": "We couldn’t find any editable automations", - "add_automation": "Add automation", - "learn_more": "Learn more about automations" - }, "editor": { - "introduction": "Use automations to bring your home alive.", - "default_name": "New Automation", - "save": "Save", - "unsaved_confirm": "You have unsaved changes. Are you sure you want to leave?", - "alias": "Name", - "triggers": { - "header": "Triggers", - "introduction": "Triggers are what starts the processing of an automation rule. It is possible to specify multiple triggers for the same rule. Once a trigger starts, Home Assistant will validate the conditions, if any, and call the action.", - "add": "Add trigger", - "duplicate": "Duplicate", + "actions": { + "add": "Add action", "delete": "Delete", "delete_confirm": "Sure you want to delete?", - "unsupported_platform": "Unsupported platform: {platform}", - "type_select": "Trigger type", + "duplicate": "Duplicate", + "header": "Actions", + "introduction": "The actions are what Home Assistant will do when the automation is triggered.", + "learn_more": "Learn more about actions", + "type_select": "Action type", "type": { + "condition": { + "label": "Condition" + }, + "delay": { + "delay": "Delay", + "label": "Delay" + }, + "device_id": { + "extra_fields": { + "code": "Code" + }, + "label": "Device" + }, "event": { - "label": "Event", - "event_type": "Event type", - "event_data": "Event data" - }, - "state": { - "label": "State", - "from": "From", - "to": "To", - "for": "For" - }, - "homeassistant": { - "label": "Home Assistant", "event": "Event:", - "start": "Start", - "shutdown": "Shutdown" + "label": "Fire event", + "service_data": "Service data" }, - "mqtt": { - "label": "MQTT", - "topic": "Topic", - "payload": "Payload (optional)" + "scene": { + "label": "Activate scene" }, - "numeric_state": { - "label": "Numeric state", - "above": "Above", - "below": "Below", - "value_template": "Value template (optional)" + "service": { + "label": "Call service", + "service_data": "Service data" }, - "sun": { - "label": "Sun", - "event": "Event:", - "sunrise": "Sunrise", - "sunset": "Sunset", - "offset": "Offset (optional)" - }, - "template": { - "label": "Template", - "value_template": "Value template" - }, - "time": { - "label": "Time", - "at": "At" - }, - "zone": { - "label": "Zone", - "entity": "Entity with location", - "zone": "Zone", - "event": "Event:", - "enter": "Enter", - "leave": "Leave" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook ID" - }, - "time_pattern": { - "label": "Time Pattern", - "hours": "Hours", - "minutes": "Minutes", - "seconds": "Seconds" - }, - "geo_location": { - "label": "Geolocation", - "source": "Source", - "zone": "Zone", - "event": "Event:", - "enter": "Enter", - "leave": "Leave" + "wait_template": { + "label": "Wait", + "timeout": "Timeout (optional)", + "wait_template": "Wait Template" + } + }, + "unsupported_action": "Unsupported action: {action}" + }, + "alias": "Name", + "conditions": { + "add": "Add condition", + "delete": "Delete", + "delete_confirm": "Sure you want to delete?", + "duplicate": "Duplicate", + "header": "Conditions", + "introduction": "Conditions are an optional part of an automation rule and can be used to prevent an action from happening when triggered. Conditions look very similar to triggers but are very different. A trigger will look at events happening in the system while a condition only looks at how the system looks right now. A trigger can observe that a switch is being turned on. A condition can only see if a switch is currently on or off.", + "learn_more": "Learn more about conditions", + "type_select": "Condition type", + "type": { + "and": { + "label": "And" }, "device": { - "label": "Device", "extra_fields": { "above": "Above", "below": "Below", "for": "Duration" - } - } - }, - "learn_more": "Learn more about triggers" - }, - "conditions": { - "header": "Conditions", - "introduction": "Conditions are an optional part of an automation rule and can be used to prevent an action from happening when triggered. Conditions look very similar to triggers but are very different. A trigger will look at events happening in the system while a condition only looks at how the system looks right now. A trigger can observe that a switch is being turned on. A condition can only see if a switch is currently on or off.", - "add": "Add condition", - "duplicate": "Duplicate", - "delete": "Delete", - "delete_confirm": "Sure you want to delete?", - "unsupported_condition": "Unsupported condition: {condition}", - "type_select": "Condition type", - "type": { + }, + "label": "Device" + }, + "numeric_state": { + "above": "Above", + "below": "Below", + "label": "Numeric state", + "value_template": "Value template (optional)" + }, + "or": { + "label": "Or" + }, "state": { "label": "State", "state": "State" }, - "numeric_state": { - "label": "Numeric state", - "above": "Above", - "below": "Below", - "value_template": "Value template (optional)" - }, "sun": { - "label": "Sun", - "before": "Before:", "after": "After:", - "before_offset": "Before offset (optional)", "after_offset": "After offset (optional)", + "before": "Before:", + "before_offset": "Before offset (optional)", + "label": "Sun", "sunrise": "Sunrise", "sunset": "Sunset" }, @@ -628,395 +786,654 @@ "value_template": "Value template" }, "time": { - "label": "Time", "after": "After", - "before": "Before" + "before": "Before", + "label": "Time" }, "zone": { - "label": "Zone", "entity": "Entity with location", + "label": "Zone", "zone": "Zone" - }, + } + }, + "unsupported_condition": "Unsupported condition: {condition}" + }, + "default_name": "New Automation", + "description": { + "label": "Description", + "placeholder": "Optional description" + }, + "introduction": "Use automations to bring your home alive.", + "load_error_not_editable": "Only automations in automations.yaml are editable.", + "load_error_unknown": "Error loading automation ({err_no}).", + "save": "Save", + "triggers": { + "add": "Add trigger", + "delete": "Delete", + "delete_confirm": "Sure you want to delete?", + "duplicate": "Duplicate", + "header": "Triggers", + "introduction": "Triggers are what starts the processing of an automation rule. It is possible to specify multiple triggers for the same rule. Once a trigger starts, Home Assistant will validate the conditions, if any, and call the action.", + "learn_more": "Learn more about triggers", + "type_select": "Trigger type", + "type": { "device": { - "label": "Device", "extra_fields": { "above": "Above", "below": "Below", "for": "Duration" - } - }, - "and": { - "label": "And" - }, - "or": { - "label": "Or" - } - }, - "learn_more": "Learn more about conditions" - }, - "actions": { - "header": "Actions", - "introduction": "The actions are what Home Assistant will do when the automation is triggered.", - "add": "Add action", - "duplicate": "Duplicate", - "delete": "Delete", - "delete_confirm": "Sure you want to delete?", - "unsupported_action": "Unsupported action: {action}", - "type_select": "Action type", - "type": { - "service": { - "label": "Call service", - "service_data": "Service data" - }, - "delay": { - "label": "Delay", - "delay": "Delay" - }, - "wait_template": { - "label": "Wait", - "wait_template": "Wait Template", - "timeout": "Timeout (optional)" - }, - "condition": { - "label": "Condition" + }, + "label": "Device" }, "event": { - "label": "Fire event", + "event_data": "Event data", + "event_type": "Event type", + "label": "Event" + }, + "geo_location": { + "enter": "Enter", "event": "Event:", - "service_data": "Service data" + "label": "Geolocation", + "leave": "Leave", + "source": "Source", + "zone": "Zone" }, - "device_id": { - "label": "Device", - "extra_fields": { - "code": "Code" - } + "homeassistant": { + "event": "Event:", + "label": "Home Assistant", + "shutdown": "Shutdown", + "start": "Start" }, - "scene": { - "label": "Activate scene" + "mqtt": { + "label": "MQTT", + "payload": "Payload (optional)", + "topic": "Topic" + }, + "numeric_state": { + "above": "Above", + "below": "Below", + "label": "Numeric state", + "value_template": "Value template (optional)" + }, + "state": { + "for": "For", + "from": "From", + "label": "State", + "to": "To" + }, + "sun": { + "event": "Event:", + "label": "Sun", + "offset": "Offset (optional)", + "sunrise": "Sunrise", + "sunset": "Sunset" + }, + "template": { + "label": "Template", + "value_template": "Value template" + }, + "time_pattern": { + "hours": "Hours", + "label": "Time Pattern", + "minutes": "Minutes", + "seconds": "Seconds" + }, + "time": { + "at": "At", + "label": "Time" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook ID" + }, + "zone": { + "enter": "Enter", + "entity": "Entity with location", + "event": "Event:", + "label": "Zone", + "leave": "Leave", + "zone": "Zone" } }, - "learn_more": "Learn more about actions" + "unsupported_platform": "Unsupported platform: {platform}" }, - "load_error_not_editable": "Only automations in automations.yaml are editable.", - "load_error_unknown": "Error loading automation ({err_no}).", - "description": { - "label": "Description", - "placeholder": "Optional description" - } - } - }, - "script": { - "caption": "Script", - "description": "Create and edit scripts", + "unsaved_confirm": "You have unsaved changes. Are you sure you want to leave?" + }, "picker": { - "header": "Script Editor", - "introduction": "The script editor allows you to create and edit scripts. Please follow the link below to read the instructions to make sure that you have configured Home Assistant correctly.", - "learn_more": "Learn more about scripts", - "no_scripts": "We couldn’t find any editable scripts", - "add_script": "Add script" - }, - "editor": { - "header": "Script: {name}", - "default_name": "New Script", - "load_error_not_editable": "Only scripts inside scripts.yaml are editable.", - "delete_confirm": "Are you sure you want to delete this script?" - } - }, - "zwave": { - "caption": "Z-Wave", - "description": "Manage your Z-Wave network", - "network_management": { - "header": "Z-Wave Network Management", - "introduction": "Run commands that affect the Z-Wave network. You won't get feedback on whether most commands succeeded, but you can check the OZW Log to try to find out." - }, - "network_status": { - "network_stopped": "Z-Wave Network Stopped", - "network_starting": "Starting Z-Wave Network...", - "network_starting_note": "This may take a while depending on the size of your network.", - "network_started": "Z-Wave Network Started", - "network_started_note_some_queried": "Awake nodes have been queried. Sleeping nodes will be queried when they wake.", - "network_started_note_all_queried": "All nodes have been queried." - }, - "services": { - "start_network": "Start Network", - "stop_network": "Stop Network", - "heal_network": "Heal Network", - "test_network": "Test Network", - "soft_reset": "Soft Reset", - "save_config": "Save Config", - "add_node_secure": "Add Node Secure", - "add_node": "Add Node", - "remove_node": "Remove Node", - "cancel_command": "Cancel Command" - }, - "common": { - "value": "Value", - "instance": "Instance", - "index": "Index", - "unknown": "unknown", - "wakeup_interval": "Wakeup Interval" - }, - "values": { - "header": "Node Values" - }, - "node_config": { - "header": "Node Config Options", - "seconds": "seconds", - "set_wakeup": "Set Wakeup Interval", - "config_parameter": "Config Parameter", - "config_value": "Config Value", - "true": "True", - "false": "False", - "set_config_parameter": "Set Config Parameter" - }, - "learn_more": "Learn more about Z-Wave", - "ozw_log": { - "header": "OZW Log", - "introduction": "View the log. 0 is the minimum (loads entire log) and 1000 is the maximum. Load will show a static log and tail will auto update with the last specified number of lines of the log." - } - }, - "users": { - "caption": "Users", - "description": "Manage users", - "picker": { - "title": "Users", - "system_generated": "System generated" - }, - "editor": { - "rename_user": "Rename user", - "change_password": "Change password", - "activate_user": "Activate user", - "deactivate_user": "Deactivate user", - "delete_user": "Delete user", - "caption": "View user", - "id": "ID", - "owner": "Owner", - "group": "Group", - "active": "Active", - "system_generated": "System generated", - "system_generated_users_not_removable": "Unable to remove system generated users.", - "unnamed_user": "Unnamed User", - "enter_new_name": "Enter new name", - "user_rename_failed": "User rename failed:", - "group_update_failed": "Group update failed:", - "confirm_user_deletion": "Are you sure you want to delete {name}?" - }, - "add_user": { - "caption": "Add user", - "name": "Name", - "username": "Username", - "password": "Password", - "create": "Create" + "add_automation": "Add automation", + "delete_automation": "Delete automation", + "delete_confirm": "Are you sure you want to delete this automation?", + "edit_automation": "Edit automation", + "header": "Automation Editor", + "introduction": "The automation editor allows you to create and edit automations. Please follow the link below to read the instructions to make sure that you have configured Home Assistant correctly.", + "learn_more": "Learn more about automations", + "no_automations": "We couldn’t find any editable automations", + "only_editable": "Only automations defined in automations.yaml are editable.", + "pick_automation": "Pick automation to edit", + "show_info_automation": "Show info about automation" } }, "cloud": { + "account": { + "alexa": { + "config_documentation": "Config documentation", + "disable": "disable", + "enable": "enable", + "enable_ha_skill": "Enable the Home Assistant skill for Alexa", + "enable_state_reporting": "Enable State Reporting", + "info": "With the Alexa integration for Home Assistant Cloud you'll be able to control all your Home Assistant devices via any Alexa-enabled device.", + "info_state_reporting": "If you enable state reporting, Home Assistant will send all state changes of exposed entities to Amazon. This allows you to always see the latest states in the Alexa app and use the state changes to create routines.", + "manage_entities": "Manage Entities", + "state_reporting_error": "Unable to {enable_disable} report state.", + "sync_entities": "Sync Entities", + "sync_entities_error": "Failed to sync entities:", + "title": "Alexa" + }, + "connected": "Connected", + "connection_status": "Cloud connection status", + "fetching_subscription": "Fetching subscription…", + "google": { + "config_documentation": "Config documentation", + "devices_pin": "Security Devices Pin", + "enable_ha_skill": "Activate the Home Assistant skill for Google Assistant", + "enable_state_reporting": "Enable State Reporting", + "enter_pin_error": "Unable to store pin:", + "enter_pin_hint": "Enter a PIN to use security devices", + "enter_pin_info": "Please enter a pin to interact with security devices. Security devices are doors, garage doors and locks. You will be asked to say\/enter this pin when interacting with such devices via Google Assistant.", + "info": "With the Google Assistant integration for Home Assistant Cloud you'll be able to control all your Home Assistant devices via any Google Assistant-enabled device.", + "info_state_reporting": "If you enable state reporting, Home Assistant will send all state changes of exposed entities to Google. This allows you to always see the latest states in the Google app.", + "manage_entities": "Manage Entities", + "security_devices": "Security Devices", + "sync_entities": "Sync Entities to Google", + "title": "Google Assistant" + }, + "integrations": "Integrations", + "integrations_introduction": "Integrations for Home Assistant Cloud allow you to connect with services in the cloud without having to expose your Home Assistant instance publicly on the internet.", + "integrations_introduction2": "Check the website for ", + "integrations_link_all_features": " all available features", + "manage_account": "Manage Account", + "nabu_casa_account": "Nabu Casa Account", + "not_connected": "Not Connected", + "remote": { + "access_is_being_prepared": "Remote access is being prepared. We will notify you when it's ready.", + "certificate_info": "Certificate Info", + "info": "Home Assistant Cloud provides a secure remote connection to your instance while away from home.", + "instance_is_available": "Your instance is available at", + "instance_will_be_available": "Your instance will be available at", + "link_learn_how_it_works": "Learn how it works", + "title": "Remote Control" + }, + "sign_out": "Sign out", + "thank_you_note": "Thank you for being part of Home Assistant Cloud. It's because of people like you that we are able to make a great home automation experience for everyone. Thank you!", + "webhooks": { + "disable_hook_error_msg": "Failed to disable webhook:", + "info": "Anything that is configured to be triggered by a webhook can be given a publicly accessible URL to allow you to send data back to Home Assistant from anywhere, without exposing your instance to the internet.", + "link_learn_more": "Learn more about creating webhook-powered automations.", + "loading": "Loading ...", + "manage": "Manage", + "no_hooks_yet": "Looks like you have no webhooks yet. Get started by configuring a ", + "no_hooks_yet_link_automation": "webhook automation", + "no_hooks_yet_link_integration": "webhook-based integration", + "no_hooks_yet2": " or by creating a ", + "title": "Webhooks" + } + }, + "alexa": { + "banner": "Editing which entities are exposed via this UI is disabled because you have configured entity filters in configuration.yaml.", + "expose": "Expose to Alexa", + "exposed_entities": "Exposed entities", + "not_exposed_entities": "Not Exposed entities", + "title": "Alexa" + }, "caption": "Home Assistant Cloud", + "description_features": "Control away from home, integrate with Alexa and Google Assistant.", "description_login": "Logged in as {email}", "description_not_login": "Not logged in", - "description_features": "Control away from home, integrate with Alexa and Google Assistant.", + "dialog_certificate": { + "certificate_expiration_date": "Certificate expiration date", + "certificate_information": "Certificate Information", + "close": "Close", + "fingerprint": "Certificate fingerprint:", + "will_be_auto_renewed": "Will be automatically renewed" + }, + "dialog_cloudhook": { + "available_at": "The webhook is available at the following url:", + "close": "Close", + "confirm_disable": "Are you sure you want to disable this webhook?", + "copied_to_clipboard": "Copied to clipboard", + "info_disable_webhook": "If you no longer want to use this webhook, you can", + "link_disable_webhook": "disable it", + "managed_by_integration": "This webhook is managed by an integration and cannot be disabled.", + "view_documentation": "View documentation", + "webhook_for": "Webhook for {name}" + }, + "forgot_password": { + "check_your_email": "Check your email for instructions on how to reset your password.", + "email": "Email", + "email_error_msg": "Invalid email", + "instructions": "Enter your email address and we will send you a link to reset your password.", + "send_reset_email": "Send reset email", + "subtitle": "Forgot your password", + "title": "Forgot password" + }, + "google": { + "banner": "Editing which entities are exposed via this UI is disabled because you have configured entity filters in configuration.yaml.", + "disable_2FA": "Disable two factor authentication", + "expose": "Expose to Google Assistant", + "exposed_entities": "Exposed entities", + "not_exposed_entities": "Not Exposed entities", + "sync_to_google": "Synchronizing changes to Google.", + "title": "Google Assistant" + }, "login": { - "title": "Cloud Login", + "alert_email_confirm_necessary": "You need to confirm your email before logging in.", + "alert_password_change_required": "You need to change your password before logging in.", + "dismiss": "Dismiss", + "email": "Email", + "email_error_msg": "Invalid email", + "forgot_password": "forgot password?", "introduction": "Home Assistant Cloud provides you with a secure remote connection to your instance while away from home. It also allows you to connect with cloud-only services: Amazon Alexa and Google Assistant.", "introduction2": "This service is run by our partner ", "introduction2a": ", a company founded by the founders of Home Assistant and Hass.io.", "introduction3": "Home Assistant Cloud is a subscription service with a free one month trial. No payment information necessary.", "learn_more_link": "Learn more about Home Assistant Cloud", - "dismiss": "Dismiss", - "sign_in": "Sign in", - "email": "Email", - "email_error_msg": "Invalid email", "password": "Password", "password_error_msg": "Passwords are at least 8 characters", - "forgot_password": "forgot password?", + "sign_in": "Sign in", "start_trial": "Start your free 1 month trial", - "trial_info": "No payment information necessary", - "alert_password_change_required": "You need to change your password before logging in.", - "alert_email_confirm_necessary": "You need to confirm your email before logging in." - }, - "forgot_password": { - "title": "Forgot password", - "subtitle": "Forgot your password", - "instructions": "Enter your email address and we will send you a link to reset your password.", - "email": "Email", - "email_error_msg": "Invalid email", - "send_reset_email": "Send reset email", - "check_your_email": "Check your email for instructions on how to reset your password." + "title": "Cloud Login", + "trial_info": "No payment information necessary" }, "register": { - "title": "Register Account", - "headline": "Start your free trial", - "information": "Create an account to start your free one month trial with Home Assistant Cloud. No payment information necessary.", - "information2": "The trial will give you access to all the benefits of Home Assistant Cloud, including:", - "feature_remote_control": "Control of Home Assistant away from home", - "feature_google_home": "Integration with Google Assistant", - "feature_amazon_alexa": "Integration with Amazon Alexa", - "feature_webhook_apps": "Easy integration with webhook-based apps like OwnTracks", - "information3": "This service is run by our partner ", - "information3a": ", a company founded by the founders of Home Assistant and Hass.io.", - "information4": "By registering an account you agree to the following terms and conditions.", - "link_terms_conditions": "Terms and Conditions", - "link_privacy_policy": "Privacy Policy", + "account_created": "Account created! Check your email for instructions on how to activate your account.", "create_account": "Create Account", "email_address": "Email address", "email_error_msg": "Invalid email", + "feature_amazon_alexa": "Integration with Amazon Alexa", + "feature_google_home": "Integration with Google Assistant", + "feature_remote_control": "Control of Home Assistant away from home", + "feature_webhook_apps": "Easy integration with webhook-based apps like OwnTracks", + "headline": "Start your free trial", + "information": "Create an account to start your free one month trial with Home Assistant Cloud. No payment information necessary.", + "information2": "The trial will give you access to all the benefits of Home Assistant Cloud, including:", + "information3": "This service is run by our partner ", + "information3a": ", a company founded by the founders of Home Assistant and Hass.io.", + "information4": "By registering an account you agree to the following terms and conditions.", + "link_privacy_policy": "Privacy Policy", + "link_terms_conditions": "Terms and Conditions", "password": "Password", "password_error_msg": "Passwords are at least 8 characters", - "start_trial": "Start Trial", "resend_confirm_email": "Resend confirmation email", - "account_created": "Account created! Check your email for instructions on how to activate your account." - }, - "account": { - "thank_you_note": "Thank you for being part of Home Assistant Cloud. It's because of people like you that we are able to make a great home automation experience for everyone. Thank you!", - "nabu_casa_account": "Nabu Casa Account", - "connection_status": "Cloud connection status", - "manage_account": "Manage Account", - "sign_out": "Sign out", - "integrations": "Integrations", - "integrations_introduction": "Integrations for Home Assistant Cloud allow you to connect with services in the cloud without having to expose your Home Assistant instance publicly on the internet.", - "integrations_introduction2": "Check the website for ", - "integrations_link_all_features": " all available features", - "connected": "Connected", - "not_connected": "Not Connected", - "fetching_subscription": "Fetching subscription…", - "remote": { - "title": "Remote Control", - "access_is_being_prepared": "Remote access is being prepared. We will notify you when it's ready.", - "info": "Home Assistant Cloud provides a secure remote connection to your instance while away from home.", - "instance_is_available": "Your instance is available at", - "instance_will_be_available": "Your instance will be available at", - "link_learn_how_it_works": "Learn how it works", - "certificate_info": "Certificate Info" - }, - "alexa": { - "title": "Alexa", - "info": "With the Alexa integration for Home Assistant Cloud you'll be able to control all your Home Assistant devices via any Alexa-enabled device.", - "enable_ha_skill": "Enable the Home Assistant skill for Alexa", - "config_documentation": "Config documentation", - "enable_state_reporting": "Enable State Reporting", - "info_state_reporting": "If you enable state reporting, Home Assistant will send all state changes of exposed entities to Amazon. This allows you to always see the latest states in the Alexa app and use the state changes to create routines.", - "sync_entities": "Sync Entities", - "manage_entities": "Manage Entities", - "sync_entities_error": "Failed to sync entities:", - "state_reporting_error": "Unable to {enable_disable} report state.", - "enable": "enable", - "disable": "disable" - }, - "google": { - "title": "Google Assistant", - "info": "With the Google Assistant integration for Home Assistant Cloud you'll be able to control all your Home Assistant devices via any Google Assistant-enabled device.", - "enable_ha_skill": "Activate the Home Assistant skill for Google Assistant", - "config_documentation": "Config documentation", - "enable_state_reporting": "Enable State Reporting", - "info_state_reporting": "If you enable state reporting, Home Assistant will send all state changes of exposed entities to Google. This allows you to always see the latest states in the Google app.", - "security_devices": "Security Devices", - "enter_pin_info": "Please enter a pin to interact with security devices. Security devices are doors, garage doors and locks. You will be asked to say\/enter this pin when interacting with such devices via Google Assistant.", - "devices_pin": "Security Devices Pin", - "enter_pin_hint": "Enter a PIN to use security devices", - "sync_entities": "Sync Entities to Google", - "manage_entities": "Manage Entities", - "enter_pin_error": "Unable to store pin:" - }, - "webhooks": { - "title": "Webhooks", - "info": "Anything that is configured to be triggered by a webhook can be given a publicly accessible URL to allow you to send data back to Home Assistant from anywhere, without exposing your instance to the internet.", - "no_hooks_yet": "Looks like you have no webhooks yet. Get started by configuring a ", - "no_hooks_yet_link_integration": "webhook-based integration", - "no_hooks_yet2": " or by creating a ", - "no_hooks_yet_link_automation": "webhook automation", - "link_learn_more": "Learn more about creating webhook-powered automations.", - "loading": "Loading ...", - "manage": "Manage", - "disable_hook_error_msg": "Failed to disable webhook:" - } - }, - "alexa": { - "title": "Alexa", - "banner": "Editing which entities are exposed via this UI is disabled because you have configured entity filters in configuration.yaml.", - "exposed_entities": "Exposed entities", - "not_exposed_entities": "Not Exposed entities", - "expose": "Expose to Alexa" - }, - "dialog_certificate": { - "certificate_information": "Certificate Information", - "certificate_expiration_date": "Certificate expiration date", - "will_be_auto_renewed": "Will be automatically renewed", - "fingerprint": "Certificate fingerprint:", - "close": "Close" - }, - "google": { - "title": "Google Assistant", - "expose": "Expose to Google Assistant", - "disable_2FA": "Disable two factor authentication", - "banner": "Editing which entities are exposed via this UI is disabled because you have configured entity filters in configuration.yaml.", - "exposed_entities": "Exposed entities", - "not_exposed_entities": "Not Exposed entities", - "sync_to_google": "Synchronizing changes to Google." - }, - "dialog_cloudhook": { - "webhook_for": "Webhook for {name}", - "available_at": "The webhook is available at the following url:", - "managed_by_integration": "This webhook is managed by an integration and cannot be disabled.", - "info_disable_webhook": "If you no longer want to use this webhook, you can", - "link_disable_webhook": "disable it", - "view_documentation": "View documentation", - "close": "Close", - "confirm_disable": "Are you sure you want to disable this webhook?", - "copied_to_clipboard": "Copied to clipboard" + "start_trial": "Start Trial", + "title": "Register Account" } }, + "common": { + "editor": { + "confirm_unsaved": "You have unsaved changes. Are you sure you want to leave?" + } + }, + "core": { + "caption": "General", + "description": "Change your general Home Assistant configuration", + "section": { + "core": { + "core_config": { + "edit_requires_storage": "Editor disabled because config stored in configuration.yaml.", + "elevation": "Elevation", + "elevation_meters": "meters", + "imperial_example": "Fahrenheit, pounds", + "latitude": "Latitude", + "location_name": "Name of your Home Assistant installation", + "longitude": "Longitude", + "metric_example": "Celsius, kilograms", + "save_button": "Save", + "time_zone": "Time Zone", + "unit_system": "Unit System", + "unit_system_imperial": "Imperial", + "unit_system_metric": "Metric" + }, + "header": "General Configuration", + "introduction": "Changing your configuration can be a tiresome process. We know. This section will try to make your life a little bit easier." + }, + "server_control": { + "reloading": { + "automation": "Reload automations", + "core": "Reload core", + "group": "Reload groups", + "heading": "Configuration reloading", + "introduction": "Some parts of Home Assistant can reload without requiring a restart. Hitting reload will unload their current configuration and load the new one.", + "script": "Reload scripts" + }, + "server_management": { + "heading": "Server management", + "introduction": "Control your Home Assistant server… from Home Assistant.", + "restart": "Restart", + "stop": "Stop" + }, + "validation": { + "check_config": "Check config", + "heading": "Configuration validation", + "introduction": "Validate your configuration if you recently made some changes to your configuration and want to make sure that it is all valid", + "invalid": "Configuration invalid", + "valid": "Configuration valid!" + } + } + } + }, + "customize": { + "attributes_customize": "The following attributes are already set in customize.yaml", + "attributes_not_set": "The following attributes weren't set. Set them if you like.", + "attributes_outside": "The following attributes are customized from outside of customize.yaml", + "attributes_override": "You can override them if you like.", + "attributes_set": "The following attributes of the entity are set programmatically.", + "caption": "Customization", + "description": "Customize your entities", + "different_include": "Possibly via a domain, a glob or a different include.", + "pick_attribute": "Pick an attribute to override", + "picker": { + "header": "Customization", + "introduction": "Tweak per-entity attributes. Added\/edited customizations will take effect immediately. Removed customizations will take effect when the entity is updated." + }, + "warning": { + "include_link": "include customize.yaml", + "include_sentence": "It seems that your configuration.yaml doesn't properly", + "not_applied": "Changes made here are written in it, but will not be applied after a configuration reload unless the include is in place." + } + }, + "devices": { + "area_picker_label": "Area", + "automation": { + "actions": { + "caption": "When something is triggered..." + }, + "conditions": { + "caption": "Only do something if..." + }, + "triggers": { + "caption": "Do something when..." + } + }, + "automations": "Automations", + "caption": "Devices", + "confirm_rename_entity_ids": "Do you also want to rename the entity id's of your entities?", + "data_table": { + "area": "Area", + "battery": "Battery", + "device": "Device", + "integration": "Integration", + "manufacturer": "Manufacturer", + "model": "Model" + }, + "description": "Manage connected devices", + "details": "Here are all the details of your device.", + "device_not_found": "Device not found.", + "entities": "Entities", + "info": "Device info", + "unknown_error": "Unknown error", + "unnamed_device": "Unnamed device" + }, + "entity_registry": { + "caption": "Entity Registry", + "description": "Overview of all known entities.", + "editor": { + "confirm_delete": "Are you sure you want to delete this entry?", + "confirm_delete2": "Deleting an entry will not remove the entity from Home Assistant. To do this, you will need to remove the integration '{platform}' from Home Assistant.", + "default_name": "New Area", + "delete": "DELETE", + "enabled_cause": "Disabled by {cause}.", + "enabled_description": "Disabled entities will not be added to Home Assistant.", + "enabled_label": "Enable entity", + "note": "Note: this might not work yet with all integrations.", + "unavailable": "This entity is not currently available.", + "update": "UPDATE" + }, + "picker": { + "header": "Entity Registry", + "headers": { + "enabled": "Enabled", + "entity_id": "Entity ID", + "integration": "Integration", + "name": "Name" + }, + "integrations_page": "Integrations page", + "introduction": "Home Assistant keeps a registry of every entity it has ever seen that can be uniquely identified. Each of these entities will have an entity ID assigned which will be reserved for just this entity.", + "introduction2": "Use the entity registry to override the name, change the entity ID or remove the entry from Home Assistant. Note, removing the entity registry entry won't remove the entity. To do that, follow the link below and remove it from the integrations page.", + "show_disabled": "Show disabled entities", + "unavailable": "(unavailable)" + } + }, + "header": "Configure Home Assistant", "integrations": { "caption": "Integrations", - "description": "Manage and setup integrations", - "discovered": "Discovered", - "configured": "Configured", - "new": "Set up a new integration", - "configure": "Configure", - "none": "Nothing configured yet", "config_entry": { - "no_devices": "This integration has no devices.", - "no_device": "Entities without devices", + "area": "In {area}", + "delete_button": "Delete {integration}", "delete_confirm": "Are you sure you want to delete this integration?", - "restart_confirm": "Restart Home Assistant to finish removing this integration", - "manuf": "by {manufacturer}", - "via": "Connected via", - "firmware": "Firmware: {version}", "device_unavailable": "device unavailable", "entity_unavailable": "entity unavailable", - "no_area": "No Area", + "firmware": "Firmware: {version}", "hub": "Connected via", + "manuf": "by {manufacturer}", + "no_area": "No Area", + "no_device": "Entities without devices", + "no_devices": "This integration has no devices.", + "restart_confirm": "Restart Home Assistant to finish removing this integration", "settings_button": "Edit settings for {integration}", "system_options_button": "System options for {integration}", - "delete_button": "Delete {integration}", - "area": "In {area}" + "via": "Connected via" }, "config_flow": { + "aborted": "Aborted", + "add_area": "Add Area", + "area_picker_label": "Area", + "close": "Close", + "created_config": "Created config for {name}.", + "error_saving_area": "Error saving area: {error}", "external_step": { "description": "This step requires you to visit an external website to be completed.", "open_site": "Open website" - } + }, + "failed_create_area": "Failed to create area.", + "finish": "Finish", + "name_new_area": "Name of the new area?", + "not_all_required_fields": "Not all required fields are filled in.", + "submit": "Submit" }, + "configure": "Configure", + "configured": "Configured", + "description": "Manage and setup integrations", + "discovered": "Discovered", + "home_assistant_website": "Home Assistant website", + "integration_not_found": "Integration not found.", + "new": "Set up a new integration", + "none": "Nothing configured yet", "note_about_integrations": "Not all integrations can be configured via the UI yet.", - "note_about_website_reference": "More are available on the ", - "home_assistant_website": "Home Assistant website" + "note_about_website_reference": "More are available on the " + }, + "introduction": "Here it is possible to configure your components and Home Assistant. Not everything is possible to configure from the UI yet, but we're working on it.", + "person": { + "add_person": "Add Person", + "caption": "Persons", + "confirm_delete": "Are you sure you want to delete this person?", + "confirm_delete2": "All devices belonging to this person will become unassigned.", + "create_person": "Create Person", + "description": "Manage the persons that Home Assistant tracks.", + "detail": { + "create": "Create", + "delete": "Delete", + "device_tracker_intro": "Select the devices that belong to this person.", + "device_tracker_pick": "Pick device to track", + "device_tracker_picked": "Track Device", + "link_integrations_page": "Integrations page", + "link_presence_detection_integrations": "Presence Detection Integrations", + "linked_user": "Linked User", + "name": "Name", + "name_error_msg": "Name is required", + "new_person": "New Person", + "no_device_tracker_available_intro": "When you have devices that indicate the presence of a person, you will be able to assign them to a person here. You can add your first device by adding a presence-detection integration from the integrations page.", + "update": "Update" + }, + "introduction": "Here you can define each person of interest in Home Assistant.", + "no_persons_created_yet": "Looks like you have not created any persons yet.", + "note_about_persons_configured_in_yaml": "Note: persons configured via configuration.yaml cannot be edited via the UI." + }, + "scene": { + "activated": "Activated scene {name}.", + "caption": "Scenes", + "description": "Create and edit scenes", + "editor": { + "default_name": "New Scene", + "devices": { + "add": "Add a device", + "delete": "Delete device", + "header": "Devices", + "introduction": "Add the devices that you want to be included in your scene. Set all the devices to the state you want for this scene." + }, + "entities": { + "add": "Add an entity", + "delete": "Delete entity", + "device_entities": "If you add an entity that belongs to a device, the device will be added.", + "header": "Entities", + "introduction": "Entities that do not belong to a devices can be set here.", + "without_device": "Entities without device" + }, + "introduction": "Use scenes to bring your home alive.", + "load_error_not_editable": "Only scenes in scenes.yaml are editable.", + "load_error_unknown": "Error loading scene ({err_no}).", + "name": "Name", + "save": "Save", + "unsaved_confirm": "You have unsaved changes. Are you sure you want to leave?" + }, + "picker": { + "add_scene": "Add scene", + "delete_confirm": "Are you sure you want to delete this scene?", + "delete_scene": "Delete scene", + "edit_scene": "Edit scene", + "header": "Scene Editor", + "introduction": "The scene editor allows you to create and edit scenes. Please follow the link below to read the instructions to make sure that you have configured Home Assistant correctly.", + "learn_more": "Learn more about scenes", + "no_scenes": "We couldn’t find any editable scenes", + "only_editable": "Only scenes defined in scenes.yaml are editable.", + "pick_scene": "Pick scene to edit", + "show_info_scene": "Show info about scene" + } + }, + "script": { + "caption": "Script", + "description": "Create and edit scripts", + "editor": { + "default_name": "New Script", + "delete_confirm": "Are you sure you want to delete this script?", + "delete_script": "Delete script", + "header": "Script: {name}", + "introduction": "Use scripts to execute a sequence of actions.", + "link_available_actions": "Learn more about available actions.", + "load_error_not_editable": "Only scripts inside scripts.yaml are editable.", + "sequence": "Sequence", + "sequence_sentence": "The sequence of actions of this script." + }, + "picker": { + "add_script": "Add script", + "edit_script": "Edit script", + "header": "Script Editor", + "introduction": "The script editor allows you to create and edit scripts. Please follow the link below to read the instructions to make sure that you have configured Home Assistant correctly.", + "learn_more": "Learn more about scripts", + "no_scripts": "We couldn’t find any editable scripts", + "trigger_script": "Trigger script" + } + }, + "server_control": { + "caption": "Server Control", + "description": "Restart and stop the Home Assistant server", + "section": { + "reloading": { + "automation": "Reload automations", + "core": "Reload core", + "group": "Reload groups", + "heading": "Configuration reloading", + "introduction": "Some parts of Home Assistant can reload without requiring a restart. Hitting reload will unload their current configuration and load the new one.", + "scene": "Reload scenes", + "script": "Reload scripts" + }, + "server_management": { + "confirm_restart": "Are you sure you want to restart Home Assistant?", + "confirm_stop": "Are you sure you want to stop Home Assistant?", + "heading": "Server management", + "introduction": "Control your Home Assistant server… from Home Assistant.", + "restart": "Restart", + "stop": "Stop" + }, + "validation": { + "check_config": "Check config", + "heading": "Configuration validation", + "introduction": "Validate your configuration if you recently made some changes to your configuration and want to make sure that it is all valid", + "invalid": "Configuration invalid", + "valid": "Configuration valid!" + } + } + }, + "users": { + "add_user": { + "caption": "Add user", + "create": "Create", + "name": "Name", + "password": "Password", + "username": "Username" + }, + "caption": "Users", + "description": "Manage users", + "editor": { + "activate_user": "Activate user", + "active": "Active", + "caption": "View user", + "change_password": "Change password", + "confirm_user_deletion": "Are you sure you want to delete {name}?", + "deactivate_user": "Deactivate user", + "delete_user": "Delete user", + "enter_new_name": "Enter new name", + "group": "Group", + "group_update_failed": "Group update failed:", + "id": "ID", + "owner": "Owner", + "rename_user": "Rename user", + "system_generated": "System generated", + "system_generated_users_not_removable": "Unable to remove system generated users.", + "unnamed_user": "Unnamed User", + "user_rename_failed": "User rename failed:" + }, + "picker": { + "system_generated": "System generated", + "title": "Users" + } }, "zha": { - "caption": "ZHA", - "description": "Zigbee Home Automation network management", - "services": { - "reconfigure": "Reconfigure ZHA device (heal device). Use this if you are having issues with the device. If the device in question is a battery powered device please ensure it is awake and accepting commands when you use this service.", - "updateDeviceName": "Set a custom name for this device in the device registry.", - "remove": "Remove a device from the ZigBee network." - }, - "device_card": { - "device_name_placeholder": "User given name", - "area_picker_label": "Area", - "update_name_button": "Update Name" - }, "add_device_page": { - "header": "Zigbee Home Automation - Add Devices", - "spinner": "Searching for ZHA Zigbee devices...", "discovery_text": "Discovered devices will show up here. Follow the instructions for your device(s) and place the device(s) in pairing mode.", - "search_again": "Search Again" + "header": "Zigbee Home Automation - Add Devices", + "search_again": "Search Again", + "spinner": "Searching for ZHA Zigbee devices..." + }, + "caption": "ZHA", + "cluster_attributes": { + "attributes_of_cluster": "Attributes of the selected cluster", + "get_zigbee_attribute": "Get Zigbee Attribute", + "header": "Cluster Attributes", + "help_attribute_dropdown": "Select an attribute to view or set its value.", + "help_get_zigbee_attribute": "Get the value for the selected attribute.", + "help_set_zigbee_attribute": "Set attribute value for the specified cluster on the specified entity.", + "introduction": "View and edit cluster attributes.", + "set_zigbee_attribute": "Set Zigbee Attribute" + }, + "cluster_commands": { + "commands_of_cluster": "Commands of the selected cluster", + "header": "Cluster Commands", + "help_command_dropdown": "Select a command to interact with.", + "introduction": "View and issue cluster commands.", + "issue_zigbee_command": "Issue Zigbee Command" + }, + "clusters": { + "help_cluster_dropdown": "Select a cluster to view attributes and commands." }, "common": { "add_devices": "Add Devices", @@ -1025,472 +1442,266 @@ "manufacturer_code_override": "Manufacturer Code Override", "value": "Value" }, + "description": "Zigbee Home Automation network management", + "device_card": { + "area_picker_label": "Area", + "device_name_placeholder": "User given name", + "update_name_button": "Update Name" + }, "network_management": { "header": "Network Management", "introduction": "Commands that affect the entire network" }, "node_management": { "header": "Device Management", - "introduction": "Run ZHA commands that affect a single device. Pick a device to see a list of available commands.", + "help_node_dropdown": "Select a device to view per-device options.", "hint_battery_devices": "Note: Sleepy (battery powered) devices need to be awake when executing commands against them. You can generally wake a sleepy device by triggering it.", "hint_wakeup": "Some devices such as Xiaomi sensors have a wake up button that you can press at ~5 second intervals that keep devices awake while you interact with them.", - "help_node_dropdown": "Select a device to view per-device options." + "introduction": "Run ZHA commands that affect a single device. Pick a device to see a list of available commands." }, - "clusters": { - "help_cluster_dropdown": "Select a cluster to view attributes and commands." - }, - "cluster_attributes": { - "header": "Cluster Attributes", - "introduction": "View and edit cluster attributes.", - "attributes_of_cluster": "Attributes of the selected cluster", - "get_zigbee_attribute": "Get Zigbee Attribute", - "set_zigbee_attribute": "Set Zigbee Attribute", - "help_attribute_dropdown": "Select an attribute to view or set its value.", - "help_get_zigbee_attribute": "Get the value for the selected attribute.", - "help_set_zigbee_attribute": "Set attribute value for the specified cluster on the specified entity." - }, - "cluster_commands": { - "header": "Cluster Commands", - "introduction": "View and issue cluster commands.", - "commands_of_cluster": "Commands of the selected cluster", - "issue_zigbee_command": "Issue Zigbee Command", - "help_command_dropdown": "Select a command to interact with." + "services": { + "reconfigure": "Reconfigure ZHA device (heal device). Use this if you are having issues with the device. If the device in question is a battery powered device please ensure it is awake and accepting commands when you use this service.", + "remove": "Remove a device from the ZigBee network.", + "updateDeviceName": "Set a custom name for this device in the device registry." } }, - "area_registry": { - "caption": "Area Registry", - "description": "Overview of all areas in your home.", - "picker": { - "header": "Area Registry", - "introduction": "Areas are used to organize where devices are. This information will be used throughout Home Assistant to help you in organizing your interface, permissions and integrations with other systems.", - "introduction2": "To place devices in an area, use the link below to navigate to the integrations page and then click on a configured integration to get to the device cards.", - "integrations_page": "Integrations page", - "no_areas": "Looks like you have no areas yet!", - "create_area": "CREATE AREA" + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Index", + "instance": "Instance", + "unknown": "unknown", + "value": "Value", + "wakeup_interval": "Wakeup Interval" }, - "no_areas": "Looks like you have no areas yet!", - "create_area": "CREATE AREA", - "editor": { - "default_name": "New Area", - "delete": "DELETE", - "update": "UPDATE", - "create": "CREATE" - } - }, - "entity_registry": { - "caption": "Entity Registry", - "description": "Overview of all known entities.", - "picker": { - "header": "Entity Registry", - "unavailable": "(unavailable)", - "introduction": "Home Assistant keeps a registry of every entity it has ever seen that can be uniquely identified. Each of these entities will have an entity ID assigned which will be reserved for just this entity.", - "introduction2": "Use the entity registry to override the name, change the entity ID or remove the entry from Home Assistant. Note, removing the entity registry entry won't remove the entity. To do that, follow the link below and remove it from the integrations page.", - "integrations_page": "Integrations page", - "show_disabled": "Show disabled entities", - "headers": { - "name": "Name", - "entity_id": "Entity ID", - "integration": "Integration", - "enabled": "Enabled" - } + "description": "Manage your Z-Wave network", + "learn_more": "Learn more about Z-Wave", + "network_management": { + "header": "Z-Wave Network Management", + "introduction": "Run commands that affect the Z-Wave network. You won't get feedback on whether most commands succeeded, but you can check the OZW Log to try to find out." }, - "editor": { - "unavailable": "This entity is not currently available.", - "default_name": "New Area", - "delete": "DELETE", - "update": "UPDATE", - "enabled_label": "Enable entity", - "enabled_cause": "Disabled by {cause}.", - "enabled_description": "Disabled entities will not be added to Home Assistant.", - "confirm_delete": "Are you sure you want to delete this entry?", - "confirm_delete2": "Deleting an entry will not remove the entity from Home Assistant. To do this, you will need to remove the integration '{platform}' from Home Assistant." - } - }, - "person": { - "caption": "Persons", - "description": "Manage the persons that Home Assistant tracks.", - "detail": { - "name": "Name", - "device_tracker_intro": "Select the devices that belong to this person.", - "device_tracker_picked": "Track Device", - "device_tracker_pick": "Pick device to track", - "new_person": "New Person", - "name_error_msg": "Name is required", - "linked_user": "Linked User", - "no_device_tracker_available_intro": "When you have devices that indicate the presence of a person, you will be able to assign them to a person here. You can add your first device by adding a presence-detection integration from the integrations page.", - "link_presence_detection_integrations": "Presence Detection Integrations", - "link_integrations_page": "Integrations page", - "delete": "Delete", - "create": "Create", - "update": "Update" + "network_status": { + "network_started": "Z-Wave Network Started", + "network_started_note_all_queried": "All nodes have been queried.", + "network_started_note_some_queried": "Awake nodes have been queried. Sleeping nodes will be queried when they wake.", + "network_starting": "Starting Z-Wave Network...", + "network_starting_note": "This may take a while depending on the size of your network.", + "network_stopped": "Z-Wave Network Stopped" }, - "introduction": "Here you can define each person of interest in Home Assistant.", - "note_about_persons_configured_in_yaml": "Note: persons configured via configuration.yaml cannot be edited via the UI.", - "no_persons_created_yet": "Looks like you have not created any persons yet.", - "create_person": "Create Person", - "add_person": "Add Person", - "confirm_delete": "Are you sure you want to delete this person?", - "confirm_delete2": "All devices belonging to this person will become unassigned." - }, - "server_control": { - "caption": "Server Control", - "description": "Restart and stop the Home Assistant server", - "section": { - "validation": { - "heading": "Configuration validation", - "introduction": "Validate your configuration if you recently made some changes to your configuration and want to make sure that it is all valid", - "check_config": "Check config", - "valid": "Configuration valid!", - "invalid": "Configuration invalid" - }, - "reloading": { - "heading": "Configuration reloading", - "introduction": "Some parts of Home Assistant can reload without requiring a restart. Hitting reload will unload their current configuration and load the new one.", - "core": "Reload core", - "group": "Reload groups", - "automation": "Reload automations", - "script": "Reload scripts", - "scene": "Reload scenes" - }, - "server_management": { - "heading": "Server management", - "introduction": "Control your Home Assistant server… from Home Assistant.", - "restart": "Restart", - "stop": "Stop", - "confirm_restart": "Are you sure you want to restart Home Assistant?", - "confirm_stop": "Are you sure you want to stop Home Assistant?" - } - } - }, - "devices": { - "caption": "Devices", - "description": "Manage connected devices", - "automation": { - "triggers": { - "caption": "Do something when..." - }, - "conditions": { - "caption": "Only do something if..." - }, - "actions": { - "caption": "When something is triggered..." - } - } - }, - "common": { - "editor": { - "confirm_unsaved": "You have unsaved changes. Are you sure you want to leave?" + "node_config": { + "config_parameter": "Config Parameter", + "config_value": "Config Value", + "false": "False", + "header": "Node Config Options", + "seconds": "seconds", + "set_config_parameter": "Set Config Parameter", + "set_wakeup": "Set Wakeup Interval", + "true": "True" + }, + "ozw_log": { + "header": "OZW Log", + "introduction": "View the log. 0 is the minimum (loads entire log) and 1000 is the maximum. Load will show a static log and tail will auto update with the last specified number of lines of the log." + }, + "services": { + "add_node": "Add Node", + "add_node_secure": "Add Node Secure", + "cancel_command": "Cancel Command", + "heal_network": "Heal Network", + "remove_node": "Remove Node", + "save_config": "Save Config", + "soft_reset": "Soft Reset", + "start_network": "Start Network", + "stop_network": "Stop Network", + "test_network": "Test Network" + }, + "values": { + "header": "Node Values" } } }, - "profile": { - "push_notifications": { - "header": "Push Notifications", - "description": "Send notifications to this device.", - "error_load_platform": "Configure notify.html5.", - "error_use_https": "Requires SSL enabled for frontend.", - "push_notifications": "Push notifications", - "link_promo": "Learn more" - }, - "language": { - "header": "Language", - "link_promo": "Help translating", - "dropdown_label": "Language" - }, - "themes": { - "header": "Theme", - "error_no_theme": "No themes available.", - "link_promo": "Learn about themes", - "dropdown_label": "Theme" - }, - "refresh_tokens": { - "header": "Refresh Tokens", - "description": "Each refresh token represents a login session. Refresh tokens will be automatically removed when you click log out. The following refresh tokens are currently active for your account.", - "token_title": "Refresh token for {clientId}", - "created_at": "Created at {date}", - "confirm_delete": "Are you sure you want to delete the refresh token for {name}?", - "delete_failed": "Failed to delete the refresh token.", - "last_used": "Last used at {date} from {location}", - "not_used": "Has never been used", - "current_token_tooltip": "Unable to delete current refresh token" - }, - "long_lived_access_tokens": { - "header": "Long-Lived Access Tokens", - "description": "Create long-lived access tokens to allow your scripts to interact with your Home Assistant instance. Each token will be valid for 10 years from creation. The following long-lived access tokens are currently active.", - "learn_auth_requests": "Learn how to make authenticated requests.", - "created_at": "Created at {date}", - "confirm_delete": "Are you sure you want to delete the access token for {name}?", - "delete_failed": "Failed to delete the access token.", - "create": "Create Token", - "create_failed": "Failed to create the access token.", - "prompt_name": "Name?", - "prompt_copy_token": "Copy your access token. It will not be shown again.", - "empty_state": "You have no long-lived access tokens yet.", - "last_used": "Last used at {date} from {location}", - "not_used": "Has never been used" - }, - "current_user": "You are currently logged in as {fullName}.", - "is_owner": "You are an owner.", - "change_password": { - "header": "Change Password", - "current_password": "Current Password", - "new_password": "New Password", - "confirm_new_password": "Confirm New Password", - "error_required": "Required", - "submit": "Submit" - }, - "mfa": { - "header": "Multi-factor Authentication Modules", - "disable": "Disable", - "enable": "Enable", - "confirm_disable": "Are you sure you want to disable {name}?" - }, - "mfa_setup": { - "title_aborted": "Aborted", - "title_success": "Success!", - "step_done": "Setup done for {step}", - "close": "Close", - "submit": "Submit" - }, - "logout": "Log out", - "force_narrow": { - "header": "Always hide the sidebar", - "description": "This will hide the sidebar by default, similar to the mobile experience." - }, - "vibrate": { - "header": "Vibrate", - "description": "Enable or disable vibration on this device when controlling devices." - }, - "advanced_mode": { - "title": "Advanced Mode", - "description": "Home Assistant hides advanced features and options by default. You can make these features accessible by checking this toggle. This is a user-specific setting and does not impact other users using Home Assistant." + "custom": { + "external_panel": { + "complete_access": "It will have access to all data in Home Assistant.", + "hide_message": "Check docs for the panel_custom component to hide this message", + "question_trust": "Do you trust the external panel {name} at {link}?" } }, - "page-authorize": { - "initializing": "Initializing", - "authorizing_client": "You're about to give {clientId} access to your Home Assistant instance.", - "logging_in_with": "Logging in with **{authProviderName}**.", - "pick_auth_provider": "Or log in with", - "abort_intro": "Login aborted", - "form": { - "working": "Please wait", - "unknown_error": "Something went wrong", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Username", - "password": "Password" - } - }, - "mfa": { - "data": { - "code": "Two-factor Authentication Code" - }, - "description": "Open the **{mfa_module_name}** on your device to view your two-factor authentication code and verify your identity:" - } - }, - "error": { - "invalid_auth": "Invalid username or password", - "invalid_code": "Invalid authentication code" - }, - "abort": { - "login_expired": "Session expired, please login again." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "API Password" - }, - "description": "Please input the API password in your http config:" - }, - "mfa": { - "data": { - "code": "Two-factor Authentication Code" - }, - "description": "Open the **{mfa_module_name}** on your device to view your two-factor authentication code and verify your identity:" - } - }, - "error": { - "invalid_auth": "Invalid API password", - "invalid_code": "Invalid authentication code" - }, - "abort": { - "no_api_password_set": "You don't have an API password configured.", - "login_expired": "Session expired, please login again." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "User" - }, - "description": "Please select a user you want to login as:" - } - }, - "abort": { - "not_whitelisted": "Your computer is not whitelisted." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Username", - "password": "Password" - } - }, - "mfa": { - "data": { - "code": "Two-factor Authentication Code" - }, - "description": "Open the **{mfa_module_name}** on your device to view your two-factor authentication code and verify your identity:" - } - }, - "error": { - "invalid_auth": "Invalid username or password", - "invalid_code": "Invalid authentication code" - }, - "abort": { - "login_expired": "Session expired, please login again." - } - } - } - } - }, - "page-onboarding": { - "intro": "Are you ready to awaken your home, reclaim your privacy and join a worldwide community of tinkerers?", - "user": { - "intro": "Let's get started by creating a user account.", - "required_field": "Required", - "data": { - "name": "Name", - "username": "Username", - "password": "Password", - "password_confirm": "Confirm Password" + "developer-tools": { + "tabs": { + "events": { + "alert_event_type": "Event type is a mandatory field", + "available_events": "Available Events", + "count_listeners": " ({count} listeners)", + "data": "Event Data (YAML, optional)", + "description": "Fire an event on the event bus.", + "documentation": "Events Documentation.", + "event_fired": "Event {name} fired", + "fire_event": "Fire Event", + "listen_to_events": "Listen to events", + "listening_to": "Listening to", + "notification_event_fired": "Event {type} successful fired!", + "start_listening": "Start listening", + "stop_listening": "Stop listening", + "subscribe_to": "Event to subscribe to", + "title": "Events", + "type": "Event Type" }, - "create_account": "Create Account", - "error": { - "required_fields": "Fill in all required fields", - "password_not_match": "Passwords don't match" + "info": { + "built_using": "Built using", + "custom_uis": "Custom UIs:", + "default_ui": "{action} {name} as default page on this device", + "developed_by": "Developed by a bunch of awesome people.", + "frontend": "frontend-ui", + "frontend_version": "Frontend version: {version} - {type}", + "home_assistant_logo": "Home Assistant logo", + "icons_by": "Icons by", + "license": "Published under the Apache 2.0 license", + "lovelace_ui": "Go to the Lovelace UI", + "path_configuration": "Path to configuration.yaml: {path}", + "remove": "Remove", + "server": "server", + "set": "Set", + "source": "Source:", + "states_ui": "Go to the states UI", + "system_health_error": "System Health component is not loaded. Add 'system_health:' to configuration.yaml", + "title": "Info" + }, + "logs": { + "clear": "Clear", + "details": "Log Details ({level})", + "load_full_log": "Load Full Home Assistant Log", + "loading_log": "Loading error log…", + "multiple_messages": "message first occurred at {time} and shows up {counter} times", + "no_errors": "No errors have been reported.", + "no_issues": "There are no new issues!", + "refresh": "Refresh", + "title": "Logs" + }, + "mqtt": { + "description_listen": "Listen to a topic", + "description_publish": "Publish a packet", + "listening_to": "Listening to", + "message_received": "Message {id} received on {topic} at {time}:", + "payload": "Payload (template allowed)", + "publish": "Publish", + "start_listening": "Start listening", + "stop_listening": "Stop listening", + "subscribe_to": "Topic to subscribe to", + "title": "MQTT", + "topic": "topic" + }, + "services": { + "alert_parsing_yaml": "Error parsing YAML: {data}", + "call_service": "Call Service", + "column_description": "Description", + "column_example": "Example", + "column_parameter": "Parameter", + "data": "Service Data (YAML, optional)", + "description": "The service dev tool allows you to call any available service in Home Assistant.", + "fill_example_data": "Fill Example Data", + "no_description": "No description is available", + "no_parameters": "This service takes no parameters.", + "select_service": "Select a service to see the description", + "title": "Services" + }, + "states": { + "alert_entity_field": "Entity is a mandatory field", + "attributes": "Attributes", + "current_entities": "Current entities", + "description1": "Set the representation of a device within Home Assistant.", + "description2": "This will not communicate with the actual device.", + "entity": "Entity", + "filter_attributes": "Filter attributes", + "filter_entities": "Filter entities", + "filter_states": "Filter states", + "more_info": "More Info", + "no_entities": "No entities", + "set_state": "Set State", + "state": "State", + "state_attributes": "State attributes (YAML, optional)", + "title": "States" + }, + "templates": { + "description": "Templates are rendered using the Jinja2 template engine with some Home Assistant specific extensions.", + "editor": "Template editor", + "jinja_documentation": "Jinja2 template documentation", + "template_extensions": "Home Assistant template extensions", + "title": "Template", + "unknown_error_template": "Unknown error rendering template" } - }, - "integration": { - "intro": "Devices and services are represented in Home Assistant as integrations. You can set them up now, or do it later from the configuration screen.", - "more_integrations": "More", - "finish": "Finish" - }, - "core-config": { - "intro": "Hello {name}, welcome to Home Assistant. How would you like to name your home?", - "intro_location": "We would like to know where you live. This information will help with displaying information and setting up sun-based automations. This data is never shared outside of your network.", - "intro_location_detect": "We can help you fill in this information by making a one-time request to an external service.", - "location_name_default": "Home", - "button_detect": "Detect", - "finish": "Next" } }, + "history": { + "period": "Period", + "showing_entries": "Showing entries for" + }, + "logbook": { + "entries_not_found": "No logbook entries found.", + "period": "Period", + "showing_entries": "Showing entries for" + }, "lovelace": { "cards": { - "shopping-list": { - "checked_items": "Checked items", - "clear_items": "Clear checked items", - "add_item": "Add item" - }, + "confirm_delete": "Are you sure you want to delete this card?", "empty_state": { - "title": "Welcome Home", + "go_to_integrations_page": "Go to the integrations page.", "no_devices": "This page allows you to control your devices, however it looks like you have no devices set up yet. Head to the integrations page to get started.", - "go_to_integrations_page": "Go to the integrations page." + "title": "Welcome Home" }, "picture-elements": { - "hold": "Hold:", - "tap": "Tap:", - "navigate_to": "Navigate to {location}", - "toggle": "Toggle {name}", "call_service": "Call service {name}", + "hold": "Hold:", "more_info": "Show more-info: {name}", + "navigate_to": "Navigate to {location}", + "tap": "Tap:", + "toggle": "Toggle {name}", "url": "Open window to {url_path}" }, - "confirm_delete": "Are you sure you want to delete this card?" + "shopping-list": { + "add_item": "Add item", + "checked_items": "Checked items", + "clear_items": "Clear checked items" + } + }, + "changed_toast": { + "message": "The Lovelace config was updated, would you like to refresh?", + "refresh": "Refresh" }, "editor": { - "edit_card": { - "header": "Card Configuration", - "save": "Save", - "toggle_editor": "Toggle Editor", - "pick_card": "Which card would you like to add?", - "add": "Add Card", - "edit": "Edit", - "delete": "Delete", - "move": "Move", - "show_visual_editor": "Show Visual Editor", - "show_code_editor": "Show Code Editor", - "pick_card_view_title": "Which card would you like to add to your {name} view?", - "options": "More options" - }, - "migrate": { - "header": "Configuration Incompatible", - "para_no_id": "This element doesn't have an ID. Please add an ID to this element in 'ui-lovelace.yaml'.", - "para_migrate": "Home Assistant can add ID's to all your cards and views automatically for you by pressing the 'Migrate config' button.", - "migrate": "Migrate config" - }, - "header": "Edit UI", - "edit_view": { - "header": "View Configuration", - "add": "Add view", - "edit": "Edit view", - "delete": "Delete view", - "header_name": "{name} View Configuration" - }, - "save_config": { - "header": "Take control of your Lovelace UI", - "para": "By default Home Assistant will maintain your user interface, updating it when new entities or Lovelace components become available. If you take control we will no longer make changes automatically for you.", - "para_sure": "Are you sure you want to take control of your user interface?", - "cancel": "Never mind", - "save": "Take control" - }, - "menu": { - "raw_editor": "Raw config editor", - "open": "Open Lovelace menu" - }, - "raw_editor": { - "header": "Edit Config", - "save": "Save", - "unsaved_changes": "Unsaved changes", - "saved": "Saved" - }, - "edit_lovelace": { - "header": "Title of your Lovelace UI", - "explanation": "This title is shown above all your views in Lovelace." - }, "card": { "alarm_panel": { "available_states": "Available States" }, + "alarm-panel": { + "available_states": "Available States", + "name": "Alarm Panel" + }, + "conditional": { + "name": "Conditional" + }, "config": { - "required": "Required", - "optional": "Optional" + "optional": "Optional", + "required": "Required" }, "entities": { - "show_header_toggle": "Show Header Toggle?", "name": "Entities", + "show_header_toggle": "Show Header Toggle?", "toggle": "Toggle entities." }, + "entity-button": { + "name": "Entity Button" + }, + "entity-filter": { + "name": "Entity Filter" + }, "gauge": { + "name": "Gauge", "severity": { "define": "Define Severity?", "green": "Green", "red": "Red", "yellow": "Yellow" - }, - "name": "Gauge" - }, - "glance": { - "columns": "Columns", - "name": "Glance" + } }, "generic": { "aspect_ratio": "Aspect Ratio", @@ -1511,39 +1722,14 @@ "show_name": "Show Name?", "show_state": "Show State?", "tap_action": "Tap Action", - "title": "Title", "theme": "Theme", + "title": "Title", "unit": "Unit", "url": "Url" }, - "map": { - "geo_location_sources": "Geolocation Sources", - "dark_mode": "Dark Mode?", - "default_zoom": "Default Zoom", - "source": "Source", - "name": "Map" - }, - "markdown": { - "content": "Content", - "name": "Markdown" - }, - "sensor": { - "graph_detail": "Graph Detail", - "graph_type": "Graph Type", - "name": "Sensor" - }, - "alarm-panel": { - "name": "Alarm Panel", - "available_states": "Available States" - }, - "conditional": { - "name": "Conditional" - }, - "entity-button": { - "name": "Entity Button" - }, - "entity-filter": { - "name": "Entity Filter" + "glance": { + "columns": "Columns", + "name": "Glance" }, "history-graph": { "name": "History Graph" @@ -1557,12 +1743,20 @@ "light": { "name": "Light" }, + "map": { + "dark_mode": "Dark Mode?", + "default_zoom": "Default Zoom", + "geo_location_sources": "Geolocation Sources", + "name": "Map", + "source": "Source" + }, + "markdown": { + "content": "Content", + "name": "Markdown" + }, "media-control": { "name": "Media Control" }, - "picture": { - "name": "Picture" - }, "picture-elements": { "name": "Picture Elements" }, @@ -1572,9 +1766,17 @@ "picture-glance": { "name": "Picture Glance" }, + "picture": { + "name": "Picture" + }, "plant-status": { "name": "Plant Status" }, + "sensor": { + "graph_detail": "Graph Detail", + "graph_type": "Graph Type", + "name": "Sensor" + }, "shopping-list": { "name": "Shopping List" }, @@ -1588,434 +1790,368 @@ "name": "Weather Forecast" } }, + "edit_card": { + "add": "Add Card", + "delete": "Delete Card", + "edit": "Edit", + "header": "Card Configuration", + "move": "Move to View", + "options": "More options", + "pick_card": "Which card would you like to add?", + "pick_card_view_title": "Which card would you like to add to your {name} view?", + "save": "Save", + "show_code_editor": "Show Code Editor", + "show_visual_editor": "Show Visual Editor", + "toggle_editor": "Toggle Editor" + }, + "edit_lovelace": { + "edit_title": "Edit title", + "explanation": "This title is shown above all your views in Lovelace.", + "header": "Title of your Lovelace UI" + }, + "edit_view": { + "add": "Add view", + "delete": "Delete view", + "edit": "Edit view", + "header": "View Configuration", + "header_name": "{name} View Configuration", + "move_left": "Move view left", + "move_right": "Move view right" + }, + "header": "Edit UI", + "menu": { + "open": "Open Lovelace menu", + "raw_editor": "Raw config editor" + }, + "migrate": { + "header": "Configuration Incompatible", + "migrate": "Migrate config", + "para_migrate": "Home Assistant can add ID's to all your cards and views automatically for you by pressing the 'Migrate config' button.", + "para_no_id": "This element doesn't have an ID. Please add an ID to this element in 'ui-lovelace.yaml'." + }, + "raw_editor": { + "confirm_unsaved_changes": "You have unsaved changes, are you sure you want to exit?", + "confirm_unsaved_comments": "Your config contains comment(s), these will not be saved. Do you want to continue?", + "error_invalid_config": "Your config is not valid: {error}", + "error_parse_yaml": "Unable to parse YAML: {error}", + "error_save_yaml": "Unable to save YAML: {error}", + "header": "Edit Config", + "save": "Save", + "saved": "Saved", + "unsaved_changes": "Unsaved changes" + }, + "save_config": { + "cancel": "Never mind", + "header": "Take control of your Lovelace UI", + "para": "By default Home Assistant will maintain your user interface, updating it when new entities or Lovelace components become available. If you take control we will no longer make changes automatically for you.", + "para_sure": "Are you sure you want to take control of your user interface?", + "save": "Take control" + }, "view": { "panel_mode": { - "title": "Panel Mode?", - "description": "This renders the first card at full width; other cards in this view will not be rendered." + "description": "This renders the first card at full width; other cards in this view will not be rendered.", + "title": "Panel Mode?" } } }, "menu": { + "close": "Close", "configure_ui": "Configure UI", - "unused_entities": "Unused entities", "help": "Help", - "refresh": "Refresh" - }, - "warning": { - "entity_not_found": "Entity not available: {entity}", - "entity_non_numeric": "Entity is non-numeric: {entity}" - }, - "changed_toast": { - "message": "The Lovelace config was updated, would you like to refresh?", - "refresh": "Refresh" + "refresh": "Refresh", + "unused_entities": "Unused entities" }, "reload_lovelace": "Reload Lovelace", + "unused_entities": { + "available_entities": "These are the entities that you have available, but are not in your Lovelace UI yet.", + "domain": "Domain", + "entity": "Entity", + "entity_id": "Entity ID", + "last_changed": "Last Changed", + "select_to_add": "Select the entities you want to add to a card and then click the add card button.", + "title": "Unused entities" + }, "views": { "confirm_delete": "Are you sure you want to delete this view?", "existing_cards": "You can't delete a view that has cards in it. Remove the cards first." + }, + "warning": { + "entity_non_numeric": "Entity is non-numeric: {entity}", + "entity_not_found": "Entity not available: {entity}" } }, + "mailbox": { + "delete_button": "Delete", + "delete_prompt": "Delete this message?", + "empty": "You do not have any messages", + "playback_title": "Message playback" + }, + "page-authorize": { + "abort_intro": "Login aborted", + "authorizing_client": "You're about to give {clientId} access to your Home Assistant instance.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Session expired, please login again." + }, + "error": { + "invalid_auth": "Invalid username or password", + "invalid_code": "Invalid authentication code" + }, + "step": { + "init": { + "data": { + "password": "Password", + "username": "Username" + } + }, + "mfa": { + "data": { + "code": "Two-factor Authentication Code" + }, + "description": "Open the **{mfa_module_name}** on your device to view your two-factor authentication code and verify your identity:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Session expired, please login again." + }, + "error": { + "invalid_auth": "Invalid username or password", + "invalid_code": "Invalid authentication code" + }, + "step": { + "init": { + "data": { + "password": "Password", + "username": "Username" + } + }, + "mfa": { + "data": { + "code": "Two-factor Authentication Code" + }, + "description": "Open the **{mfa_module_name}** on your device to view your two-factor authentication code and verify your identity:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Session expired, please login again.", + "no_api_password_set": "You don't have an API password configured." + }, + "error": { + "invalid_auth": "Invalid API password", + "invalid_code": "Invalid authentication code" + }, + "step": { + "init": { + "data": { + "password": "API Password" + }, + "description": "Please input the API password in your http config:" + }, + "mfa": { + "data": { + "code": "Two-factor Authentication Code" + }, + "description": "Open the **{mfa_module_name}** on your device to view your two-factor authentication code and verify your identity:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Your computer is not whitelisted." + }, + "step": { + "init": { + "data": { + "user": "User" + }, + "description": "Please select a user you want to login as:" + } + } + } + }, + "unknown_error": "Something went wrong", + "working": "Please wait" + }, + "initializing": "Initializing", + "logging_in_with": "Logging in with **{authProviderName}**.", + "pick_auth_provider": "Or log in with" + }, "page-demo": { "cards": { "demo": { "demo_by": "by {name}", - "next_demo": "Next demo", "introduction": "Welcome home! You've reached the Home Assistant demo where we showcase the best UIs created by our community.", - "learn_more": "Learn more about Home Assistant" + "learn_more": "Learn more about Home Assistant", + "next_demo": "Next demo" } }, "config": { "arsaboo": { - "names": { - "upstairs": "Upstairs", - "family_room": "Family Room", - "kitchen": "Kitchen", - "patio": "Patio", - "hallway": "Hallway", - "master_bedroom": "Master Bedroom", - "left": "Left", - "right": "Right", - "mirror": "Mirror", - "temperature_study": "Temperature Study" - }, "labels": { - "lights": "Lights", - "information": "Information", - "morning_commute": "Morning Commute", + "activity": "Activity", + "air": "Air", "commute_home": "Commute to Home", "entertainment": "Entertainment", - "activity": "Activity", "hdmi_input": "HDMI Input", "hdmi_switcher": "HDMI Switcher", - "volume": "Volume", + "information": "Information", + "lights": "Lights", + "morning_commute": "Morning Commute", "total_tv_time": "Total TV Time", "turn_tv_off": "Turn Television off", - "air": "Air" + "volume": "Volume" + }, + "names": { + "family_room": "Family Room", + "hallway": "Hallway", + "kitchen": "Kitchen", + "left": "Left", + "master_bedroom": "Master Bedroom", + "mirror": "Mirror", + "patio": "Patio", + "right": "Right", + "temperature_study": "Temperature Study", + "upstairs": "Upstairs" }, "unit": { - "watching": "watching", - "minutes_abbr": "min" + "minutes_abbr": "min", + "watching": "watching" } } } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Detect", + "finish": "Next", + "intro": "Hello {name}, welcome to Home Assistant. How would you like to name your home?", + "intro_location": "We would like to know where you live. This information will help with displaying information and setting up sun-based automations. This data is never shared outside of your network.", + "intro_location_detect": "We can help you fill in this information by making a one-time request to an external service.", + "location_name_default": "Home" + }, + "integration": { + "finish": "Finish", + "intro": "Devices and services are represented in Home Assistant as integrations. You can set them up now, or do it later from the configuration screen.", + "more_integrations": "More" + }, + "intro": "Are you ready to awaken your home, reclaim your privacy and join a worldwide community of tinkerers?", + "user": { + "create_account": "Create Account", + "data": { + "name": "Name", + "password": "Password", + "password_confirm": "Confirm Password", + "username": "Username" + }, + "error": { + "password_not_match": "Passwords don't match", + "required_fields": "Fill in all required fields" + }, + "intro": "Let's get started by creating a user account.", + "required_field": "Required" + } + }, + "profile": { + "advanced_mode": { + "description": "Home Assistant hides advanced features and options by default. You can make these features accessible by checking this toggle. This is a user-specific setting and does not impact other users using Home Assistant.", + "hint_enable": "Missing config options? Enable advanced mode on", + "link_profile_page": "your profile page", + "title": "Advanced Mode" + }, + "change_password": { + "confirm_new_password": "Confirm New Password", + "current_password": "Current Password", + "error_required": "Required", + "header": "Change Password", + "new_password": "New Password", + "submit": "Submit" + }, + "current_user": "You are currently logged in as {fullName}.", + "force_narrow": { + "description": "This will hide the sidebar by default, similar to the mobile experience.", + "header": "Always hide the sidebar" + }, + "is_owner": "You are an owner.", + "language": { + "dropdown_label": "Language", + "header": "Language", + "link_promo": "Help translating" + }, + "logout": "Log out", + "long_lived_access_tokens": { + "confirm_delete": "Are you sure you want to delete the access token for {name}?", + "create": "Create Token", + "create_failed": "Failed to create the access token.", + "created_at": "Created at {date}", + "delete_failed": "Failed to delete the access token.", + "description": "Create long-lived access tokens to allow your scripts to interact with your Home Assistant instance. Each token will be valid for 10 years from creation. The following long-lived access tokens are currently active.", + "empty_state": "You have no long-lived access tokens yet.", + "header": "Long-Lived Access Tokens", + "last_used": "Last used at {date} from {location}", + "learn_auth_requests": "Learn how to make authenticated requests.", + "not_used": "Has never been used", + "prompt_copy_token": "Copy your access token. It will not be shown again.", + "prompt_name": "Name?" + }, + "mfa_setup": { + "close": "Close", + "step_done": "Setup done for {step}", + "submit": "Submit", + "title_aborted": "Aborted", + "title_success": "Success!" + }, + "mfa": { + "confirm_disable": "Are you sure you want to disable {name}?", + "disable": "Disable", + "enable": "Enable", + "header": "Multi-factor Authentication Modules" + }, + "push_notifications": { + "description": "Send notifications to this device.", + "error_load_platform": "Configure notify.html5.", + "error_use_https": "Requires SSL enabled for frontend.", + "header": "Push Notifications", + "link_promo": "Learn more", + "push_notifications": "Push notifications" + }, + "refresh_tokens": { + "confirm_delete": "Are you sure you want to delete the refresh token for {name}?", + "created_at": "Created at {date}", + "current_token_tooltip": "Unable to delete current refresh token", + "delete_failed": "Failed to delete the refresh token.", + "description": "Each refresh token represents a login session. Refresh tokens will be automatically removed when you click log out. The following refresh tokens are currently active for your account.", + "header": "Refresh Tokens", + "last_used": "Last used at {date} from {location}", + "not_used": "Has never been used", + "token_title": "Refresh token for {clientId}" + }, + "themes": { + "dropdown_label": "Theme", + "error_no_theme": "No themes available.", + "header": "Theme", + "link_promo": "Learn about themes" + }, + "vibrate": { + "description": "Enable or disable vibration on this device when controlling devices.", + "header": "Vibrate" + } + }, + "shopping-list": { + "add_item": "Add item", + "clear_completed": "Clear completed", + "microphone_tip": "Tap the microphone on the top right and say or type “Add candy to my shopping list”" } }, "sidebar": { - "log_out": "Log out", "external_app_configuration": "App Configuration", + "log_out": "Log out", "sidebar_toggle": "Sidebar Toggle" - }, - "common": { - "loading": "Loading", - "cancel": "Cancel", - "save": "Save", - "successfully_saved": "Successfully saved" - }, - "duration": { - "day": "{count} {count, plural,\n one {day}\n other {days}\n}", - "week": "{count} {count, plural,\n one {week}\n other {weeks}\n}", - "second": "{count} {count, plural,\n one {second}\n other {seconds}\n}", - "minute": "{count} {count, plural,\n one {minute}\n other {minutes}\n}", - "hour": "{count} {count, plural,\n one {hour}\n other {hours}\n}" - }, - "login-form": { - "password": "Password", - "remember": "Remember", - "log_in": "Log in" - }, - "card": { - "camera": { - "not_available": "Image not available" - }, - "persistent_notification": { - "dismiss": "Dismiss" - }, - "scene": { - "activate": "Activate" - }, - "script": { - "execute": "Execute" - }, - "weather": { - "attributes": { - "air_pressure": "Air pressure", - "humidity": "Humidity", - "temperature": "Temperature", - "visibility": "Visibility", - "wind_speed": "Wind speed" - }, - "cardinal_direction": { - "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" - }, - "forecast": "Forecast" - }, - "alarm_control_panel": { - "code": "Code", - "clear_code": "Clear", - "disarm": "Disarm", - "arm_home": "Arm home", - "arm_away": "Arm away", - "arm_night": "Arm night", - "armed_custom_bypass": "Custom bypass", - "arm_custom_bypass": "Custom bypass" - }, - "automation": { - "last_triggered": "Last triggered", - "trigger": "Trigger" - }, - "cover": { - "position": "Position", - "tilt_position": "Tilt position" - }, - "fan": { - "speed": "Speed", - "oscillate": "Oscillate", - "direction": "Direction", - "forward": "Forward", - "reverse": "Reverse" - }, - "light": { - "brightness": "Brightness", - "color_temperature": "Color temperature", - "white_value": "White value", - "effect": "Effect" - }, - "media_player": { - "text_to_speak": "Text to speak", - "source": "Source", - "sound_mode": "Sound mode" - }, - "climate": { - "currently": "Currently", - "on_off": "On \/ off", - "target_temperature": "Target temperature", - "target_humidity": "Target humidity", - "operation": "Operation", - "fan_mode": "Fan mode", - "swing_mode": "Swing mode", - "away_mode": "Away mode", - "aux_heat": "Aux heat", - "preset_mode": "Preset", - "target_temperature_entity": "{name} target temperature", - "target_temperature_mode": "{name} target temperature {mode}", - "current_temperature": "{name} current temperature", - "heating": "{name} heating", - "cooling": "{name} cooling", - "high": "high", - "low": "low" - }, - "lock": { - "code": "Code", - "lock": "Lock", - "unlock": "Unlock" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Resume cleaning", - "return_to_base": "Return to dock", - "start_cleaning": "Start cleaning", - "turn_on": "Turn on", - "turn_off": "Turn off" - } - }, - "water_heater": { - "currently": "Currently", - "on_off": "On \/ off", - "target_temperature": "Target temperature", - "operation": "Operation", - "away_mode": "Away mode" - }, - "timer": { - "actions": { - "start": "start", - "pause": "pause", - "cancel": "cancel", - "finish": "finish" - } - }, - "counter": { - "actions": { - "increment": "increment", - "decrement": "decrement", - "reset": "reset" - } - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "Entity", - "clear": "Clear", - "show_entities": "Show entities" - } - }, - "service-picker": { - "service": "Service" - }, - "relative_time": { - "past": "{time} ago", - "future": "In {time}", - "never": "Never", - "duration": { - "second": "{count} {count, plural,\n one {second}\n other {seconds}\n}", - "minute": "{count} {count, plural,\n one {minute}\n other {minutes}\n}", - "hour": "{count} {count, plural,\n one {hour}\n other {hours}\n}", - "day": "{count} {count, plural,\n one {day}\n other {days}\n}", - "week": "{count} {count, plural,\n one {week}\n other {weeks}\n}" - } - }, - "history_charts": { - "loading_history": "Loading state history...", - "no_history_found": "No state history found." - }, - "device-picker": { - "clear": "Clear", - "show_devices": "Show devices" - } - }, - "notification_toast": { - "entity_turned_on": "Turned on {entity}.", - "entity_turned_off": "Turned off {entity}.", - "service_called": "Service {service} called.", - "service_call_failed": "Failed to call service {service}.", - "connection_lost": "Connection lost. Reconnecting…", - "triggered": "Triggered {name}" - }, - "dialogs": { - "more_info_settings": { - "save": "Save", - "name": "Name Override", - "entity_id": "Entity ID" - }, - "more_info_control": { - "script": { - "last_action": "Last Action" - }, - "sun": { - "elevation": "Elevation", - "rising": "Rising", - "setting": "Setting" - }, - "updater": { - "title": "Update Instructions" - } - }, - "options_flow": { - "form": { - "header": "Options" - }, - "success": { - "description": "Options successfully saved." - } - }, - "config_entry_system_options": { - "title": "System Options for {integration}", - "enable_new_entities_label": "Enable newly added entities.", - "enable_new_entities_description": "If disabled, newly discovered entities for {integration} will not be automatically added to Home Assistant." - }, - "zha_device_info": { - "manuf": "by {manufacturer}", - "no_area": "No Area", - "services": { - "reconfigure": "Reconfigure ZHA device (heal device). Use this if you are having issues with the device. If the device in question is a battery powered device please ensure it is awake and accepting commands when you use this service.", - "updateDeviceName": "Set a custom name for this device in the device registry.", - "remove": "Remove a device from the Zigbee network." - }, - "zha_device_card": { - "device_name_placeholder": "User given name", - "area_picker_label": "Area", - "update_name_button": "Update Name" - }, - "buttons": { - "add": "Add Devices", - "remove": "Remove Device", - "reconfigure": "Reconfigure Device" - }, - "quirk": "Quirk", - "last_seen": "Last Seen", - "power_source": "Power Source", - "unknown": "Unknown" - }, - "confirmation": { - "cancel": "Cancel", - "ok": "OK", - "title": "Are you sure?" - } - }, - "auth_store": { - "ask": "Do you want to save this login?", - "decline": "No thanks", - "confirm": "Save login" - }, - "notification_drawer": { - "click_to_configure": "Click button to configure {entity}", - "empty": "No Notifications", - "title": "Notifications" - } - }, - "domain": { - "alarm_control_panel": "Alarm control panel", - "automation": "Automation", - "binary_sensor": "Binary sensor", - "calendar": "Calendar", - "camera": "Camera", - "climate": "Climate", - "configurator": "Configurator", - "conversation": "Conversation", - "cover": "Cover", - "device_tracker": "Device tracker", - "fan": "Fan", - "history_graph": "History graph", - "group": "Group", - "image_processing": "Image processing", - "input_boolean": "Input boolean", - "input_datetime": "Input datetime", - "input_select": "Input select", - "input_number": "Input number", - "input_text": "Input text", - "light": "Light", - "lock": "Lock", - "mailbox": "Mailbox", - "media_player": "Media player", - "notify": "Notify", - "plant": "Plant", - "proximity": "Proximity", - "remote": "Remote", - "scene": "Scene", - "script": "Script", - "sensor": "Sensor", - "sun": "Sun", - "switch": "Switch", - "updater": "Updater", - "weblink": "Weblink", - "zwave": "Z-Wave", - "vacuum": "Vacuum", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "System Health", - "person": "Person" - }, - "attribute": { - "weather": { - "humidity": "Humidity", - "visibility": "Visibility", - "wind_speed": "Wind speed" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Off", - "on": "On", - "auto": "Auto" - }, - "preset_mode": { - "none": "None", - "eco": "Eco", - "away": "Away", - "boost": "Boost", - "comfort": "Comfort", - "home": "Home", - "sleep": "Sleep", - "activity": "Activity" - }, - "hvac_action": { - "off": "Off", - "heating": "Heating", - "cooling": "Cooling", - "drying": "Drying", - "idle": "Idle", - "fan": "Fan" - } - } - }, - "groups": { - "system-admin": "Administrators", - "system-users": "Users", - "system-read-only": "Read-Only Users" - }, - "config_entry": { - "disabled_by": { - "user": "User", - "integration": "Integration", - "config_entry": "Config Entry" } } } \ No newline at end of file diff --git a/translations/es-419.json b/translations/es-419.json index dccf29cf08..88235e6ad9 100644 --- a/translations/es-419.json +++ b/translations/es-419.json @@ -1,53 +1,193 @@ { + "attribute": { + "weather": { + "humidity": "Humedad", + "visibility": "Visibilidad", + "wind_speed": "Velocidad del viento" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Entrada de configuración", + "integration": "Integración", + "user": "Usuario" + } + }, + "domain": { + "alarm_control_panel": "Panel de control de alarma", + "automation": "Automatización", + "binary_sensor": "Sensor binario", + "calendar": "Calendario", + "camera": "Cámara", + "climate": "Clima", + "configurator": "Configurador", + "conversation": "Conversacion", + "cover": "Portada", + "device_tracker": "Rastreador de dispositivos", + "fan": "Ventilador", + "group": "Grupo", + "hassio": "Hass.io", + "history_graph": "Gráfico histórico", + "homeassistant": "Home Assistant", + "image_processing": "Procesamiento de imágenes", + "input_boolean": "Entrada booleana", + "input_datetime": "Fecha de entrada", + "input_number": "Número de entrada", + "input_select": "Selección de entrada", + "input_text": "Texto de entrada", + "light": "Luz", + "lock": "Cerrar", + "lovelace": "Lovelace", + "mailbox": "Buzón", + "media_player": "Reproductor multimedia", + "notify": "Notificar", + "person": "Persona", + "plant": "Planta", + "proximity": "Proximidad", + "remote": "Remoto", + "scene": "Escena", + "script": "Script", + "sensor": "Sensor", + "sun": "Sol", + "switch": "Interruptor", + "system_health": "Estado del sistema", + "updater": "Actualizador", + "vacuum": "Aspiradora", + "weblink": "Enlace web", + "zha": "ZHA", + "zwave": "" + }, + "groups": { + "system-admin": "Administradores", + "system-read-only": "Usuarios de solo lectura", + "system-users": "Usuarios" + }, "panel": { + "calendar": "Calendario", "config": "", - "states": "", - "map": "", - "logbook": "", - "history": "", - "mailbox": "", - "shopping_list": "Lista de compras", "dev-info": "Información", "developer_tools": "Herramientas para desarrolladores", - "calendar": "Calendario", - "profile": "Perfil" + "history": "", + "logbook": "", + "mailbox": "", + "map": "", + "profile": "Perfil", + "shopping_list": "Lista de compras", + "states": "" + }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Auto", + "off": "Apagado", + "on": "Encendido" + }, + "hvac_action": { + "cooling": "Enfriando", + "drying": "Secando", + "fan": "Ventilador", + "heating": "Calentando", + "idle": "Inactivo", + "off": "Desactivado" + }, + "preset_mode": { + "activity": "Actividad", + "away": "Fuera de casa", + "boost": "Aumentar", + "comfort": "Comodidad", + "eco": "Eco", + "home": "En Casa", + "none": "Ninguno", + "sleep": "Dormir" + } + } + }, + "state_badge": { + "alarm_control_panel": { + "armed": "Activado", + "armed_away": "Activado", + "armed_custom_bypass": "Activado", + "armed_home": "Activada", + "armed_night": "Activado", + "arming": "Activando", + "disarmed": "Desactivado", + "disarming": "Desarmar", + "pending": "Pendiente", + "triggered": "Activado" + }, + "default": { + "entity_not_found": "Entidad no encontrada", + "error": "Error", + "unavailable": "No Disponible", + "unknown": "Desconocido" + }, + "device_tracker": { + "home": "En casa", + "not_home": "Fuera de Casa" + }, + "person": { + "home": "En casa", + "not_home": "Fuera de casa" + } }, "state": { - "default": { - "off": "Desactivado", - "on": "Encendido", - "unknown": "Desconocido", - "unavailable": "No disponible" - }, "alarm_control_panel": { "armed": "Armado", - "disarmed": "Desarmado", - "armed_home": "Armado en Casa", "armed_away": "Armado Fuera de Casa", + "armed_custom_bypass": "Armada zona específica", + "armed_home": "Armado en Casa", "armed_night": "Armado Nocturno", - "pending": "Pendiente", "arming": "Armando", + "disarmed": "Desarmado", "disarming": "Desarmando", - "triggered": "Activado", - "armed_custom_bypass": "Armada zona específica" + "pending": "Pendiente", + "triggered": "Activado" }, "automation": { "off": "Desactivado", "on": "Encendido" }, "binary_sensor": { + "battery": { + "off": "Normal", + "on": "Baja" + }, + "cold": { + "off": "Normal", + "on": "Frío" + }, + "connectivity": { + "off": "Desconectado", + "on": "Conectado" + }, "default": { "off": "Desactivado", "on": "Encendido" }, - "moisture": { - "off": "Seco", - "on": "Humedo" + "door": { + "off": "Cerrada", + "on": "Abierta" + }, + "garage_door": { + "off": "Cerrada", + "on": "Abierta" }, "gas": { "off": "Despejado", "on": "Detectado" }, + "heat": { + "off": "Normal", + "on": "Caliente" + }, + "lock": { + "off": "Bloqueado", + "on": "Desbloqueado" + }, + "moisture": { + "off": "Seco", + "on": "Humedo" + }, "motion": { "off": "Despejado", "on": "Detectado" @@ -56,6 +196,22 @@ "off": "Despejado", "on": "Detectado" }, + "opening": { + "off": "Cerrado", + "on": "Abierto" + }, + "presence": { + "off": "Fuera de casa", + "on": "En Casa" + }, + "problem": { + "off": "OK", + "on": "Problema" + }, + "safety": { + "off": "Seguro", + "on": "Inseguro" + }, "smoke": { "off": "Despejado", "on": "Detectado" @@ -68,53 +224,9 @@ "off": "Despejado", "on": "Detectado" }, - "opening": { - "off": "Cerrado", - "on": "Abierto" - }, - "safety": { - "off": "Seguro", - "on": "Inseguro" - }, - "presence": { - "off": "Fuera de casa", - "on": "En Casa" - }, - "battery": { - "off": "Normal", - "on": "Baja" - }, - "problem": { - "off": "OK", - "on": "Problema" - }, - "connectivity": { - "off": "Desconectado", - "on": "Conectado" - }, - "cold": { - "off": "Normal", - "on": "Frío" - }, - "door": { - "off": "Cerrada", - "on": "Abierta" - }, - "garage_door": { - "off": "Cerrada", - "on": "Abierta" - }, - "heat": { - "off": "Normal", - "on": "Caliente" - }, "window": { "off": "Cerrada", "on": "Abierta" - }, - "lock": { - "off": "Bloqueado", - "on": "Desbloqueado" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "Activado" }, "camera": { + "idle": "Inactivo", "recording": "Grabando", - "streaming": "Streaming", - "idle": "Inactivo" + "streaming": "Streaming" }, "climate": { - "off": "Desactivar", - "on": "Activar", - "heat": "Calentar", - "cool": "Enfriar", - "idle": "Inactivo", "auto": "Automatico", + "cool": "Enfriar", "dry": "Seco", - "fan_only": "Sólo ventilador", "eco": "Eco", "electric": "Electrico", - "performance": "Rendimiento", - "high_demand": "Alta Demanda", - "heat_pump": "Bomba de Calor", + "fan_only": "Sólo ventilador", "gas": "Gas", + "heat": "Calentar", + "heat_cool": "Calentar\/Enfriar", + "heat_pump": "Bomba de Calor", + "high_demand": "Alta Demanda", + "idle": "Inactivo", "manual": "Manual", - "heat_cool": "Calentar\/Enfriar" + "off": "Desactivar", + "on": "Activar", + "performance": "Rendimiento" }, "configurator": { "configure": "Configurar", "configured": "Configurado" }, "cover": { - "open": "Abierto", - "opening": "Abriendo", "closed": "Cerrado", "closing": "Cerrando", + "open": "Abierto", + "opening": "Abriendo", "stopped": "Detenido" }, + "default": { + "off": "Desactivado", + "on": "Encendido", + "unavailable": "No disponible", + "unknown": "Desconocido" + }, "device_tracker": { "home": "En Casa", "not_home": "Fuera de Casa" @@ -164,19 +282,19 @@ "on": "Encendido" }, "group": { - "off": "Apagado", - "on": "Encendido", - "home": "En casa", - "not_home": "Fuera de Casa", - "open": "Abierto", - "opening": "Abriendo", "closed": "Cerrado", "closing": "Cerrando", - "stopped": "Detenido", + "home": "En casa", "locked": "Cerrado", - "unlocked": "Abierto", + "not_home": "Fuera de Casa", + "off": "Apagado", "ok": "OK", - "problem": "Problema" + "on": "Encendido", + "open": "Abierto", + "opening": "Abriendo", + "problem": "Problema", + "stopped": "Detenido", + "unlocked": "Abierto" }, "input_boolean": { "off": "Apagado", @@ -191,13 +309,17 @@ "unlocked": "Abierto" }, "media_player": { + "idle": "Inactivo", "off": "Apagado", "on": "Encendido", - "playing": "Reproduciendo", "paused": "Pausado", - "idle": "Inactivo", + "playing": "Reproduciendo", "standby": "Modo de espera" }, + "person": { + "home": "En casa", + "not_home": "Fuera de casa" + }, "plant": { "ok": "OK", "problem": "Problema" @@ -225,34 +347,10 @@ "off": "", "on": "" }, - "zwave": { - "default": { - "initializing": "Iniciando", - "dead": "Desconectado", - "sleeping": "Hibernacion", - "ready": "Listo" - }, - "query_stage": { - "initializing": "Iniciando ( {query_stage} )", - "dead": "Desconectado ({query_stage})" - } - }, - "weather": { - "clear-night": "Despejado, de noche", - "cloudy": "Nublado", - "fog": "Niebla", - "hail": "Granizo", - "lightning": "Relámpagos", - "lightning-rainy": "Relámpagos, lluvioso", - "partlycloudy": "Parcialmente nublado", - "pouring": "Torrencial", - "rainy": "Lluvioso", - "snowy": "Nevado", - "snowy-rainy": "Nevado, lluvioso", - "sunny": "Soleado", - "windy": "Ventoso", - "windy-variant": "Ventoso", - "exceptional": "Excepcional" + "timer": { + "active": "activo", + "idle": "inactivo", + "paused": "pausado" }, "vacuum": { "cleaning": "Limpiando", @@ -264,984 +362,99 @@ "paused": "Pausado", "returning": "Regresar al dock" }, - "timer": { - "active": "activo", - "idle": "inactivo", - "paused": "pausado" + "weather": { + "clear-night": "Despejado, de noche", + "cloudy": "Nublado", + "exceptional": "Excepcional", + "fog": "Niebla", + "hail": "Granizo", + "lightning": "Relámpagos", + "lightning-rainy": "Relámpagos, lluvioso", + "partlycloudy": "Parcialmente nublado", + "pouring": "Torrencial", + "rainy": "Lluvioso", + "snowy": "Nevado", + "snowy-rainy": "Nevado, lluvioso", + "sunny": "Soleado", + "windy": "Ventoso", + "windy-variant": "Ventoso" }, - "person": { - "home": "En casa", - "not_home": "Fuera de casa" - } - }, - "state_badge": { - "default": { - "unknown": "Desconocido", - "unavailable": "No Disponible", - "error": "Error", - "entity_not_found": "Entidad no encontrada" - }, - "alarm_control_panel": { - "armed": "Activado", - "disarmed": "Desactivado", - "armed_home": "Activada", - "armed_away": "Activado", - "armed_night": "Activado", - "pending": "Pendiente", - "arming": "Activando", - "disarming": "Desarmar", - "triggered": "Activado", - "armed_custom_bypass": "Activado" - }, - "device_tracker": { - "home": "En casa", - "not_home": "Fuera de Casa" - }, - "person": { - "home": "En casa", - "not_home": "Fuera de casa" + "zwave": { + "default": { + "dead": "Desconectado", + "initializing": "Iniciando", + "ready": "Listo", + "sleeping": "Hibernacion" + }, + "query_stage": { + "dead": "Desconectado ({query_stage})", + "initializing": "Iniciando ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Borrar completados", - "add_item": "Agregar elemento", - "microphone_tip": "Toque el micrófono en la esquina superior derecha y diga \"Agregar dulces a mi lista de compras\"" - }, - "developer-tools": { - "tabs": { - "services": { - "title": "Servicios" - }, - "states": { - "title": "Estados" - }, - "events": { - "title": "Eventos" - }, - "templates": { - "title": "Plantillas" - }, - "mqtt": { - "title": "" - }, - "info": { - "title": "Información" - }, - "logs": { - "title": "Registros" - } - } - }, - "history": { - "showing_entries": "Mostrando registros del", - "period": "Período" - }, - "logbook": { - "showing_entries": "Mostrando registros del", - "period": "Período" - }, - "mailbox": { - "empty": "No tienes ningún mensaje", - "playback_title": "Reproducción de mensajes", - "delete_prompt": "¿Eliminar este mensaje?", - "delete_button": "Eliminar" - }, - "config": { - "header": "Configurar Home Assistant", - "introduction": "Aquí es posible configurar sus componentes y Home Assistant. Todavía no es posible configurar todo desde la interfaz de usuario, pero estamos trabajando en ello.", - "core": { - "caption": "General", - "description": "Valide su archivo de configuración y controle el servidor", - "section": { - "core": { - "header": "Configuración y control del servidor", - "introduction": "Cambiar su configuración puede ser un proceso tedioso. Lo sabemos. Esta sección tratará de hacer su vida un poco más fácil.", - "core_config": { - "edit_requires_storage": "Editor desactivado porque config está almacenado en configuration.yaml.", - "location_name": "Nombre de la instalación de tu Home Assistant", - "latitude": "Latitud", - "longitude": "Longitud", - "elevation": "Elevación", - "elevation_meters": "metros", - "time_zone": "Zona horaria", - "unit_system": "Sistema de unidades", - "unit_system_imperial": "Imperial", - "unit_system_metric": "Métrico", - "imperial_example": "Fahrenheit, libras", - "metric_example": "Centígrados, kilogramos", - "save_button": "Guardar" - } - }, - "server_control": { - "validation": { - "heading": "Validación de la configuración", - "introduction": "Valide su configuración si recientemente realizó algunos cambios en su configuración y quiere asegurarse de que sea válida", - "check_config": "Verificar configuración", - "valid": "¡Configuración valida!", - "invalid": "Configuración inválida" - }, - "reloading": { - "heading": "Recarga de configuración", - "introduction": "Algunas partes de Home Assistant pueden volver a cargarse sin necesidad de reiniciar. Al pulsar recargar descargará su configuración actual y cargará la nueva.", - "core": "Recargar núcleo", - "group": "Recargar grupos", - "automation": "Recargar automatizaciones", - "script": "Recargar scripts" - }, - "server_management": { - "heading": "Administración del servidor", - "introduction": "Controle su servidor Home Assistant ... desde Home Assistant.", - "restart": "Reiniciar", - "stop": "Detener" - } - } - } - }, - "customize": { - "caption": "Personalización", - "description": "Personaliza tus entidades", - "picker": { - "header": "Personalización", - "introduction": "Ajustar los atributos por entidad. Las personalizaciones agregadas\/editadas tendrán efecto inmediatamente. Las personalizaciones eliminadas entrarán en vigor cuando se actualice la entidad." - } - }, - "automation": { - "caption": "Automatización", - "description": "Crear y editar automatizaciones", - "picker": { - "header": "Editor de automatizaciones", - "introduction": "El editor de automatización le permite crear y editar automatizaciones. Siga el enlace a continuación para leer las instrucciones y asegurarse de que haya configurado Home Assistant correctamente.", - "pick_automation": "Elija la automatización a editar", - "no_automations": "No pudimos encontrar ninguna automatización editable", - "add_automation": "Agregar automatización", - "learn_more": "Más información sobre las automatizaciones" - }, - "editor": { - "introduction": "Utilice automatizaciones para dar vida a su hogar", - "default_name": "Nueva Automatización", - "save": "Guardar", - "unsaved_confirm": "Tiene cambios sin guardar. ¿Estás seguro que quieres salir?", - "alias": "Nombre", - "triggers": { - "header": "Desencadenadores", - "introduction": "Los desencadenadores son los que inician el procesamiento de una regla de automatización. Es posible especificar múltiples activadores para la misma regla. Una vez que se inicia un activador, Home Assistant validará las condiciones, si las hay, y activará la acción.", - "add": "Agregar desencadenador", - "duplicate": "Duplicar", - "delete": "Eliminar", - "delete_confirm": "¿Seguro que quieres borrar?", - "unsupported_platform": "Plataforma no soportada: {platform}", - "type_select": "Tipo de desencadenador", - "type": { - "event": { - "label": "Evento:", - "event_type": "Tipo de evento", - "event_data": "Datos del evento" - }, - "state": { - "label": "Estado", - "from": "De", - "to": "A", - "for": "Por" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Evento:", - "start": "Inicio", - "shutdown": "Apagado" - }, - "mqtt": { - "label": "MQTT", - "topic": "Topic", - "payload": "Payload (opcional)" - }, - "numeric_state": { - "label": "Estado numérico", - "above": "Por encima de", - "below": "Por debajo de", - "value_template": "Plantilla de valor (opcional)" - }, - "sun": { - "label": "Sol", - "event": "Evento:", - "sunrise": "Salida del sol", - "sunset": "Puesta de sol", - "offset": "Compensar (opcional)" - }, - "template": { - "label": "Plantilla", - "value_template": "Plantilla de valor" - }, - "time": { - "label": "Hora", - "at": "A" - }, - "zone": { - "label": "Zona", - "entity": "Entidad con ubicación", - "zone": "Zona", - "event": "Evento:", - "enter": "Entrar", - "leave": "Salir" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "ID de Webhook" - }, - "time_pattern": { - "label": "Patrón de tiempo", - "hours": "Horas", - "minutes": "Minutos", - "seconds": "Segundos" - }, - "geo_location": { - "label": "Geolocalización", - "source": "Fuente", - "zone": "Zona", - "event": "Evento:", - "enter": "Entrar", - "leave": "Salir" - }, - "device": { - "label": "Dispositivo" - } - }, - "learn_more": "Más información sobre los desencadenadores" - }, - "conditions": { - "header": "Condiciones", - "introduction": "Las condiciones son una parte opcional de una regla de automatización y se pueden usar para evitar que ocurra una acción cuando se activa. Las condiciones son muy similares a los desencadenantes pero son muy diferentes. Un activador mirará los eventos que suceden en el sistema, mientras que una condición solo mira cómo se ve el sistema en este momento. Un disparador puede observar que un interruptor se está activando. Una condición solo puede ver si un interruptor está actualmente activado o desactivado.", - "add": "Agregar condición", - "duplicate": "Duplicar", - "delete": "Eliminar", - "delete_confirm": "¿Seguro que quieres borrar?", - "unsupported_condition": "Condición no soportada: {condition}", - "type_select": "Tipo de condición", - "type": { - "state": { - "label": "Estado", - "state": "Estado" - }, - "numeric_state": { - "label": "Estado numérico", - "above": "Por encima de", - "below": "Por debajo de", - "value_template": "Plantilla del valor (opcional)" - }, - "sun": { - "label": "Sol", - "before": "Antes de:", - "after": "Después de:", - "before_offset": "Antes del intervalo (opcional)", - "after_offset": "Después del intervalo (opcional)", - "sunrise": "Salida del sol", - "sunset": "Puesta de sol" - }, - "template": { - "label": "Plantilla", - "value_template": "Plantilla del valor" - }, - "time": { - "label": "Hora", - "after": "Después de", - "before": "Antes de" - }, - "zone": { - "label": "Zona", - "entity": "Entidad con ubicación", - "zone": "Zona" - }, - "device": { - "label": "Dispositivo" - }, - "and": { - "label": "Y" - }, - "or": { - "label": "O" - } - }, - "learn_more": "Más información sobre las condiciones" - }, - "actions": { - "header": "Acciones", - "introduction": "Las acciones son lo que hará Home Assistant cuando se active la automatización.", - "add": "Agregar acción", - "duplicate": "Duplicar", - "delete": "Eliminar", - "delete_confirm": "¿Seguro que quieres borrar?", - "unsupported_action": "Acción no soportada: {action}", - "type_select": "Tipo de acción", - "type": { - "service": { - "label": "Llamar servico", - "service_data": "Datos" - }, - "delay": { - "label": "Retrasar", - "delay": "Retrasar" - }, - "wait_template": { - "label": "Esperar", - "wait_template": "Plantilla de espera", - "timeout": "Tiempo de espera (opcional)" - }, - "condition": { - "label": "Condición" - }, - "event": { - "label": "Disparar evento", - "event": "Evento", - "service_data": "Datos" - }, - "device_id": { - "label": "Dispositivo" - } - }, - "learn_more": "Más información sobre las acciones" - }, - "load_error_not_editable": "Solo las automatizaciones en automations.yaml son editables.", - "load_error_unknown": "Error al cargar la automatización ({err_no}).", - "description": { - "label": "Descripción", - "placeholder": "Descripción opcional" - } - } - }, - "script": { - "caption": "Script", - "description": "Crear y editar scripts" - }, - "zwave": { - "caption": "", - "description": "Administrar su red Z-Wave", - "network_management": { - "header": "Gestión de la red Z-Wave", - "introduction": "Ejecute comandos que afectan a la red Z-Wave. No recibirá comentarios sobre si la mayoría de los comandos tuvieron éxito, pero puede consultar el registro OZW para intentar averiguarlo." - }, - "network_status": { - "network_stopped": "Red Z-Wave detenida", - "network_starting": "Iniciando la Red Z-Wave...", - "network_starting_note": "Esto puede llevar un tiempo dependiendo del tamaño de su red.", - "network_started": "Red Z-Wave iniciada", - "network_started_note_some_queried": "Los nodos despiertos han sido consultados. Los nodos dormidos serán consultados cuando se despierten.", - "network_started_note_all_queried": "Todos los nodos han sido consultados." - }, - "services": { - "start_network": "Iniciar red", - "stop_network": "Detener red", - "test_network": "Red de prueba", - "soft_reset": "Reinicio suave", - "save_config": "Guardar configuración", - "add_node_secure": "Agregar nodo seguro", - "add_node": "Agregar nodo", - "remove_node": "Eliminar nodo", - "cancel_command": "Cancelar comando" - }, - "common": { - "value": "Valor", - "instance": "Instancia", - "index": "Índice", - "unknown": "desconocido", - "wakeup_interval": "Intervalo de activación" - }, - "values": { - "header": "Valores del nodo" - }, - "node_config": { - "header": "Opciones de configuración del nodo", - "seconds": "segundos", - "set_wakeup": "Establecer intervalo de activación", - "config_parameter": "Parámetro de configuración", - "config_value": "Valor de configuración", - "true": "Verdadero", - "false": "Falso", - "set_config_parameter": "Establecer parámetro de configuración" - } - }, - "users": { - "caption": "Usuarios", - "description": "Administrar usuarios", - "picker": { - "title": "Usuarios" - }, - "editor": { - "rename_user": "Renombrar usuario", - "change_password": "Cambiar contraseña", - "activate_user": "Activar usuario", - "deactivate_user": "Desactivar usuario", - "delete_user": "Eliminar usuario", - "caption": "Ver usuario" - }, - "add_user": { - "caption": "Agregar usuario", - "name": "Nombre", - "username": "Nombre de usuario", - "password": "Contraseña", - "create": "Crear" - } - }, - "cloud": { - "caption": "Nube Home Assistant", - "description_login": "Ha iniciado sesión como {email}", - "description_not_login": "No ha iniciado sesión", - "description_features": "Control fuera de casa, integre con Alexa y con Google Assistant." - }, - "integrations": { - "caption": "Integraciones", - "description": "Administrar dispositivos y servicios conectados", - "discovered": "Descubierto", - "configured": "Configurado", - "new": "Configurar una nueva integración.", - "configure": "Configurar", - "none": "No hay nada configurado", - "config_entry": { - "no_devices": "Esta integración no tiene dispositivos.", - "no_device": "Entidades sin dispositivos", - "delete_confirm": "¿Estás seguro de que quieres eliminar esta integración?", - "restart_confirm": "Reinicie Home Assistant para terminar de eliminar esta integración.", - "manuf": "por {manufacturer}", - "via": "Conectado a través de", - "firmware": "Firmware: {version}", - "device_unavailable": "dispositivo no disponible", - "entity_unavailable": "entidad no disponible", - "no_area": "Ninguna área", - "hub": "Conectado a través de" - }, - "config_flow": { - "external_step": { - "description": "Este paso requiere que visites un sitio web externo para ser completado.", - "open_site": "Abrir sitio web" - } - } - }, - "zha": { - "caption": "ZHA", - "description": "Gestión de red de Zigbee Home Automation", - "services": { - "reconfigure": "Reconfigure el dispositivo ZHA (dispositivo de curación). Use esto si tiene problemas con el dispositivo. Si el dispositivo en cuestión es un dispositivo alimentado por batería, asegúrese de que esté activado y acepte los comandos cuando utilice este servicio.", - "updateDeviceName": "Establecer un nombre personalizado para este dispositivo en el registro de dispositivos.", - "remove": "Eliminar un dispositivo de la red Zigbee." - }, - "device_card": { - "device_name_placeholder": "Nombre de usuario", - "area_picker_label": "Área", - "update_name_button": "Actualizar Nombre" - }, - "add_device_page": { - "header": "Automatización del hogar Zigbee - Agregar dispositivos", - "spinner": "Buscando dispositivos ZHA Zigbee ...", - "discovery_text": "Los dispositivos descubiertos se mostrarán aquí. Siga las instrucciones para su(s) dispositivo(s) y coloque el(los) dispositivo(s) en modo de emparejamiento." - } - }, - "area_registry": { - "caption": "Registro de áreas", - "description": "Visión general de todas las áreas de su casa.", - "picker": { - "header": "Registro de áreas", - "introduction": "Las áreas se utilizan para organizar donde están los dispositivos. Esta información se utilizará en todo Home Assistant para ayudarlo a organizar su interfaz, permisos e integraciones con otros sistemas.", - "introduction2": "Para colocar dispositivos en un área, use el enlace a continuación para navegar a la página de integraciones y luego haga clic en una integración configurada para acceder a las tarjetas del dispositivo.", - "integrations_page": "Página de integraciones", - "no_areas": "¡Parece que aún no tienes áreas!", - "create_area": "CREAR AREA" - }, - "no_areas": "¡Parece que aún no tienes áreas!", - "create_area": "CREAR AREA", - "editor": { - "default_name": "Nueva Área", - "delete": "ELIMINAR", - "update": "ACTUALIZAR", - "create": "CREAR" - } - }, - "entity_registry": { - "caption": "Registro de entidades", - "description": "Visión general de todas las entidades conocidas.", - "picker": { - "header": "Registro de entidades", - "unavailable": "(no disponible)", - "introduction": "Home Assistant mantiene un registro de todas las entidades que ha visto y que pueden identificarse de manera única. Cada una de estas entidades tendrá un ID de entidad asignado que se reservará solo para esta entidad.", - "introduction2": "Utilice el registro de la entidad para reemplazar el nombre, cambiar el ID de la entidad o eliminar la entrada de Home Assistant. Tenga en cuenta que eliminar la entrada del registro de la entidad no eliminará la entidad. Para hacerlo, siga el enlace a continuación y elimínelo de la página de integraciones.", - "integrations_page": "Página de integraciones", - "show_disabled": "Mostrar entidades deshabilitadas" - }, - "editor": { - "unavailable": "Esta entidad no está disponible actualmente.", - "default_name": "Nueva Área", - "delete": "ELIMINAR", - "update": "ACTUALIZAR", - "enabled_label": "Habilitar entidad", - "enabled_cause": "Deshabilitado por {cause}.", - "enabled_description": "Las entidades deshabilitadas no serán agregadas a Home Assistant.", - "confirm_delete": "¿Estás seguro de que deseas eliminar esta entrada?", - "confirm_delete2": "Eliminar una entrada no eliminará la entidad de Home Assistant. Para hacer esto, deberá eliminar la integración '{plataforma}' de Home Assistant." - } - }, - "person": { - "caption": "Personas", - "description": "Gestiona las personas que rastrea Home Assistant.", - "detail": { - "name": "Nombre", - "device_tracker_intro": "Selecciona los dispositivos que pertenecen a esta persona.", - "device_tracker_picked": "Dispositivo de seguimiento", - "device_tracker_pick": "Elegir dispositivo para rastrear" - } - }, - "server_control": { - "caption": "Control del servidor", - "description": "Reinicie y detenga el servidor de Home Assistant", - "section": { - "validation": { - "heading": "Validación de la configuración", - "introduction": "Valide su configuración si recientemente realizó algunos cambios en su configuración y quiere asegurarse de que sea válida", - "check_config": "Verificar configuración", - "valid": "¡Configuración valida!", - "invalid": "Configuración inválida" - }, - "reloading": { - "heading": "Recarga de configuración", - "introduction": "Algunas partes de Home Assistant pueden volver a cargarse sin necesidad de reiniciar. Al pulsar recargar descargará su configuración actual y cargará la nueva.", - "core": "Recargar núcleo", - "group": "Recargar grupos", - "automation": "Recargar automatizaciones", - "script": "Recargar scripts", - "scene": "Recargar escenas" - }, - "server_management": { - "heading": "Administración del servidor", - "introduction": "Controle su servidor Home Assistant ... desde Home Assistant.", - "restart": "Reiniciar", - "stop": "Detener", - "confirm_restart": "¿Estás seguro de que quieres reiniciar el Home Assistant?", - "confirm_stop": "¿Estás seguro de que quieres detener Home Assistant?" - } - } - }, - "devices": { - "caption": "Dispositivos", - "description": "Administrar dispositivos conectados", - "automation": { - "triggers": { - "caption": "Haz algo cuando ..." - }, - "conditions": { - "caption": "Sólo hacer algo si..." - } - } - } - }, - "profile": { - "push_notifications": { - "header": "Notificaciones Push", - "description": "Enviar notificaciones a este dispositivo.", - "error_load_platform": "Configurar notify.html5.", - "error_use_https": "Requiere SSL habilitado para la interfaz.", - "push_notifications": "Notificaciones Push", - "link_promo": "Más información" - }, - "language": { - "header": "Idioma", - "link_promo": "Ayuda a traducir", - "dropdown_label": "Idioma" - }, - "themes": { - "header": "Tema", - "error_no_theme": "No hay temas disponibles.", - "link_promo": "Más información sobre los temas", - "dropdown_label": "Tema" - }, - "refresh_tokens": { - "header": "Actualizar tokens", - "description": "Cada token de actualización representa una sesión de inicio de sesión. Los tokens de actualización se eliminarán automáticamente cuando haga clic en cerrar sesión. Los siguientes tokens de actualización están actualmente activos para su cuenta.", - "token_title": "Actualizar token para {clientId}", - "created_at": "Creado en {date}", - "confirm_delete": "¿Estás seguro de que deseas eliminar el token de actualización de {name}?", - "delete_failed": "No se pudo eliminar el token de actualización.", - "last_used": "Utilizado por última vez en {date} desde {location}.", - "not_used": "Nunca se ha utilizado", - "current_token_tooltip": "No se puede eliminar el token de actualización actual" - }, - "long_lived_access_tokens": { - "header": "Tokens de acceso de larga duración", - "description": "Cree tokens de acceso de larga duración para permitir que sus secuencias de comandos interactúen con la instancia de su Home Assistant. Cada token tendrá una validez de 10 años a partir de su creación. Los siguientes tokens de acceso de larga duración están activos actualmente.", - "learn_auth_requests": "Aprenda a realizar solicitudes autenticadas.", - "created_at": "Creado en {date}", - "confirm_delete": "¿Está seguro de que desea eliminar el token de acceso para {name}?", - "delete_failed": "No se pudo eliminar el token de acceso.", - "create": "Crear Token", - "create_failed": "No se pudo crear el token de acceso.", - "prompt_name": "¿Nombre?", - "prompt_copy_token": "Copia tu token de acceso. No se volverá a mostrar", - "empty_state": "Aún no tienes tokens de acceso de larga duración.", - "last_used": "Utilizado por última vez en {date} desde {location}.", - "not_used": "Nunca se ha utilizado" - }, - "current_user": "Actualmente estás conectado como {fullName} .", - "is_owner": "Eres propietario.", - "change_password": { - "header": "Cambiar contraseña", - "current_password": "Contraseña actual", - "new_password": "Nueva contraseña", - "confirm_new_password": "Confirmar nueva contraseña", - "error_required": "Necesario", - "submit": "Enviar" - }, - "mfa": { - "header": "Módulos de autenticación multifactor", - "disable": "Deshabilitar", - "enable": "Habilitar", - "confirm_disable": "¿Estás seguro de que deseas deshabilitar {name} ?" - }, - "mfa_setup": { - "title_aborted": "Abortado", - "title_success": "¡Éxito!", - "step_done": "Configuración realizada para {step}", - "close": "Cerrar", - "submit": "Enviar" - }, - "logout": "Cerrar sesión", - "force_narrow": { - "header": "Ocultar siempre la barra lateral", - "description": "Esto ocultará la barra lateral de forma predeterminada, similar a la experiencia móvil." - }, - "vibrate": { - "header": "Vibrar", - "description": "Habilitar o deshabilitar la vibración en este dispositivo al controlar dispositivos." - } - }, - "page-authorize": { - "initializing": "Inicializando", - "authorizing_client": "Está por dar acceso a {clientId} a su instancia de Home Assistant.", - "logging_in_with": "Iniciando sesión con **{authProviderName}**.", - "pick_auth_provider": "O inicia sesión con", - "abort_intro": "Inicio de sesión cancelado", - "form": { - "working": "Por favor, espere", - "unknown_error": "Algo salió mal", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Nombre de usuario", - "password": "Contraseña" - } - }, - "mfa": { - "data": { - "code": "Código de autenticación de dos factores" - }, - "description": "Abra el **{mfa_module_name}** en su dispositivo para ver su código de autenticar de dos factores y verificar su identidad:" - } - }, - "error": { - "invalid_auth": "Nombre de usuario o contraseña inválidos", - "invalid_code": "Código de autenticación inválido" - }, - "abort": { - "login_expired": "La sesión expiró, por favor inicie sesión nuevamente." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "Contraseña API" - }, - "description": "Por favor, introduzca la contraseña de la API en su configuración http:" - }, - "mfa": { - "data": { - "code": "Código de autenticación de dos factores" - }, - "description": "Abra el **{mfa_module_name}** en su dispositivo para ver su código de autenticar de dos factores y verificar su identidad:" - } - }, - "error": { - "invalid_auth": "Contraseña API inválida", - "invalid_code": "Código de autenticación inválido" - }, - "abort": { - "no_api_password_set": "No tienes una contraseña API configurada.", - "login_expired": "La sesión expiró, por favor inicie sesión nuevamente." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Usuario" - }, - "description": "Por favor, seleccione el usuario con el que desea iniciar sesión:" - } - }, - "abort": { - "not_whitelisted": "Tu computadora no está incluida en la lista blanca." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Nombre de usuario", - "password": "Contraseña" - } - }, - "mfa": { - "data": { - "code": "Código de autenticación de dos factores" - }, - "description": "Abra el **{mfa_module_name}** en su dispositivo para ver su código de autenticar de dos factores y verificar su identidad:" - } - }, - "error": { - "invalid_auth": "Nombre de usuario o contraseña inválidos", - "invalid_code": "Código de autenticación inválido" - }, - "abort": { - "login_expired": "La sesión expiró, por favor inicie sesión nuevamente." - } - } - } - } - }, - "page-onboarding": { - "intro": "¿Estás listo para despertar tu hogar, reclamar tu privacidad y unirte a una comunidad mundial de experimentadores?", - "user": { - "intro": "Comencemos creando una cuenta de usuario.", - "required_field": "Necesario", - "data": { - "name": "Nombre", - "username": "Nombre de usuario", - "password": "Contraseña", - "password_confirm": "Confirmar contraseña" - }, - "create_account": "Crear una cuenta", - "error": { - "required_fields": "Completar todos los campos requeridos", - "password_not_match": "Las contraseñas no coinciden" - } - }, - "integration": { - "intro": "Los dispositivos y servicios están representados en Home Assistant como integraciones. Puede configurarlos ahora, o hacerlo más tarde desde la pantalla de configuración.", - "more_integrations": "Más", - "finish": "Terminar" - }, - "core-config": { - "intro": "Hola {name}, bienvenido a Home Assistant. ¿Cómo te gustaría llamar a tu casa?", - "intro_location": "Nos gustaría saber dónde vives. Esta información ayudará a mostrar información y configurar automatizaciones basadas en el sol. Estos datos nunca se comparten fuera de tu red.", - "intro_location_detect": "Podemos ayudarte a completar esta información realizando una solicitud única a un servicio externo.", - "location_name_default": "En Casa", - "button_detect": "Detectar", - "finish": "Siguiente" - } - }, - "lovelace": { - "cards": { - "shopping-list": { - "checked_items": "lementos marcados", - "clear_items": "Borrar elementos marcados", - "add_item": "Agregar elemento" - }, - "empty_state": { - "title": "Bienvenido a casa", - "no_devices": "Esta página le permite controlar sus dispositivos, sin embargo, parece que aún no tiene dispositivos configurados. Dirígete a la página de integraciones para empezar.", - "go_to_integrations_page": "Ir a la página de integraciones." - }, - "picture-elements": { - "hold": "Mantener:", - "tap": "Toque:", - "navigate_to": "Navegue a {location}", - "toggle": "Alternar {name}", - "call_service": "Servicio de llamadas {name}", - "more_info": "Mostrar más información: {name}", - "url": "Abrir ventana a {url_path}" - } - }, - "editor": { - "edit_card": { - "header": "Configuración de la tarjeta", - "save": "Guardar", - "toggle_editor": "Cambiar editor", - "pick_card": "Elija la tarjeta que desea agregar.", - "add": "Agregar tarjeta", - "edit": "Editar", - "delete": "Eliminar", - "move": "Mover" - }, - "migrate": { - "header": "Configuración inválida", - "para_no_id": "Este elemento no tiene un ID. Por favor agregue uno a este elemento en 'ui-lovelace.yaml'.", - "para_migrate": "Home Assistant puede agregar ID a todas sus tarjetas y vistas automáticamente por usted presionando el botón 'Migrar configuración'.", - "migrate": "Migrar configuración" - }, - "header": "Editar interfaz de usuario", - "edit_view": { - "header": "Ver configuración", - "add": "Agregar vista", - "edit": "Editar vista", - "delete": "Eliminar vista" - }, - "save_config": { - "header": "Toma el control de tu interfaz de usuario de Lovelace", - "para": "Por defecto, Home Assistant mantendrá su interfaz de usuario y la actualizará cuando haya nuevas entidades o componentes de Lovelace disponibles. Si usted toma el control, ya no haremos cambios automáticamente para usted.", - "para_sure": "¿Está seguro de que desea tomar el control de su interfaz de usuario?", - "cancel": "Olvídalo", - "save": "Tomar el control" - }, - "menu": { - "raw_editor": "Editor de configuraciones en bruto" - }, - "raw_editor": { - "header": "Editar configuración", - "save": "Guardar", - "unsaved_changes": "Cambios no guardados", - "saved": "Guardado" - }, - "edit_lovelace": { - "header": "Título de tu interfaz de usuario de Lovelace", - "explanation": "Este título se muestra sobre todas tus vistas en Lovelace." - }, - "card": { - "alarm_panel": { - "available_states": "Estados disponibles" - }, - "config": { - "required": "Requerido", - "optional": "Opcional" - }, - "gauge": { - "severity": { - "define": "¿Definir gravedad?", - "green": "Verde", - "red": "Rojo", - "yellow": "Amarillo" - } - }, - "glance": { - "columns": "Columnas" - }, - "generic": { - "aspect_ratio": "Relación de aspecto", - "camera_image": "Entidad de la cámara", - "entities": "Entidades", - "entity": "Entidad", - "icon": "Icono", - "icon_height": "Altura del icono", - "image": "Ruta de la imagen", - "maximum": "Máximo", - "minimum": "Mínimo", - "name": "Nombre", - "refresh_interval": "Intervalo de actualización", - "show_icon": "¿Mostrar icono?", - "show_name": "¿Mostrar nombre?", - "show_state": "¿Mostrar estado?", - "title": "Título", - "theme": "Tema", - "unit": "Unidad", - "url": "Url" - }, - "map": { - "geo_location_sources": "Fuentes de geolocalización", - "dark_mode": "¿Modo oscuro?", - "default_zoom": "Zoom predeterminado", - "source": "Fuente" - }, - "markdown": { - "content": "Contenido" - }, - "sensor": { - "graph_detail": "Detalle del gráfico", - "graph_type": "Tipo de gráfico" - } - } - }, - "menu": { - "configure_ui": "Configurar interfaz de usuario", - "unused_entities": "Entidades no utilizadas", - "help": "Ayuda", - "refresh": "Refrescar" - }, - "warning": { - "entity_not_found": "Entidad no disponible: {entity}", - "entity_non_numeric": "Entidad no es numérica: {entity}" - }, - "changed_toast": { - "message": "La configuración de Lovelace fue actualizada, ¿te gustaría refrescarla?", - "refresh": "Actualizar" - }, - "reload_lovelace": "Recargar Lovelace" - }, - "page-demo": { - "cards": { - "demo": { - "demo_by": "por {name}", - "next_demo": "Siguiente demostración", - "introduction": "¡Bienvenido a casa! Ha llegado a la demostración de Home Assistant donde mostramos las mejores interfaces de usuario creadas por nuestra comunidad.", - "learn_more": "Aprenda más sobre Home Assistant" - } - }, - "config": { - "arsaboo": { - "names": { - "upstairs": "Piso de arriba", - "family_room": "Habitación familiar", - "kitchen": "Cocina", - "patio": "Patio", - "hallway": "Pasillo", - "master_bedroom": "Recamara principal", - "left": "Izquierda", - "right": "Derecha", - "mirror": "Espejo" - }, - "labels": { - "lights": "Luces", - "information": "Información", - "morning_commute": "Viaje de mañana", - "commute_home": "Viaje a casa", - "entertainment": "Entretenimiento", - "activity": "Actividad", - "hdmi_input": "Entrada HDMI", - "hdmi_switcher": "Conmutador HDMI", - "volume": "Volumen", - "total_tv_time": "Tiempo total de TV", - "turn_tv_off": "Apagar la televisión", - "air": "Aire" - }, - "unit": { - "watching": "viendo", - "minutes_abbr": "mín." - } - } - } - } - }, - "sidebar": { - "log_out": "Cerrar sesión", - "external_app_configuration": "Configuración de la aplicación" - }, - "common": { - "loading": "Cargando", - "cancel": "Cancelar", - "save": "Guardar" - }, - "duration": { - "day": "{count} {count, plural,\n one {día}\n other {días}\n}", - "week": "{count} {count, plural,\n one {semana}\n other {semanas}\n}", - "second": "{count} {count, plural,\n one {segundo}\n other {segundos}\n}", - "minute": "{count} {count, plural,\n one {minuto}\n other {minutos}\n}", - "hour": "{count} {count, plural,\n one {hora}\n other {horas}\n}" - }, - "login-form": { - "password": "Contraseña", - "remember": "Recordar", - "log_in": "Iniciar sesión" + "auth_store": { + "ask": "¿Deseas guardar este inicio de sesión?", + "confirm": "Guardar inicio de sesión", + "decline": "No, gracias" }, "card": { + "alarm_control_panel": { + "arm_away": "Proteger fuera de casa", + "arm_custom_bypass": "Bypass personalizado", + "arm_home": "Proteger en casa", + "arm_night": "Armado nocturno", + "armed_custom_bypass": "Bypass personalizado", + "clear_code": "Limpiar", + "code": "Código", + "disarm": "Desactivar" + }, + "automation": { + "last_triggered": "Última activación", + "trigger": "Desencadenar" + }, "camera": { "not_available": "Imagen no disponible" }, + "climate": { + "aux_heat": "Calor auxiliar", + "away_mode": "Fuera de Casa", + "currently": "Actualmente", + "fan_mode": "Modo del ventilador", + "on_off": "Encendido \/ Apagado", + "operation": "Modo", + "preset_mode": "Preestablecido", + "swing_mode": "Modo de oscilación", + "target_humidity": "Humedad deseada", + "target_temperature": "Temperatura deseada" + }, + "cover": { + "position": "Posición", + "tilt_position": "Posición de inclinación" + }, + "fan": { + "direction": "Dirección", + "forward": "Adelante", + "oscillate": "Oscilar", + "reverse": "Invertir", + "speed": "Velocidad" + }, + "light": { + "brightness": "Brillo", + "color_temperature": "Temperatura del color", + "effect": "Efecto", + "white_value": "Valor de blanco" + }, + "lock": { + "code": "Código", + "lock": "Bloquear", + "unlock": "Desbloquear" + }, + "media_player": { + "sound_mode": "Modo de sonido", + "source": "Fuente", + "text_to_speak": "Texto a hablar" + }, "persistent_notification": { "dismiss": "Descartar" }, @@ -1251,6 +464,22 @@ "script": { "execute": "Ejecutar" }, + "vacuum": { + "actions": { + "resume_cleaning": "Reanudar la limpieza", + "return_to_base": "Regresar al dock", + "start_cleaning": "Comenzar a limpiar", + "turn_off": "Apagar", + "turn_on": "Encender" + } + }, + "water_heater": { + "away_mode": "Modo ausente", + "currently": "Actualmente", + "on_off": "Encendido \/ Apagado", + "operation": "Operación", + "target_temperature": "Temperatura deseada" + }, "weather": { "attributes": { "air_pressure": "Presión atmosférica", @@ -1266,8 +495,8 @@ "n": "N", "ne": "NE", "nne": "NNE", - "nw": "NO", "nnw": "NNO", + "nw": "NO", "s": "S", "se": "SE", "sse": "SSE", @@ -1278,115 +507,44 @@ "wsw": "OSO" }, "forecast": "Pronóstico" - }, - "alarm_control_panel": { - "code": "Código", - "clear_code": "Limpiar", - "disarm": "Desactivar", - "arm_home": "Proteger en casa", - "arm_away": "Proteger fuera de casa", - "arm_night": "Armado nocturno", - "armed_custom_bypass": "Bypass personalizado", - "arm_custom_bypass": "Bypass personalizado" - }, - "automation": { - "last_triggered": "Última activación", - "trigger": "Desencadenar" - }, - "cover": { - "position": "Posición", - "tilt_position": "Posición de inclinación" - }, - "fan": { - "speed": "Velocidad", - "oscillate": "Oscilar", - "direction": "Dirección", - "forward": "Adelante", - "reverse": "Invertir" - }, - "light": { - "brightness": "Brillo", - "color_temperature": "Temperatura del color", - "white_value": "Valor de blanco", - "effect": "Efecto" - }, - "media_player": { - "text_to_speak": "Texto a hablar", - "source": "Fuente", - "sound_mode": "Modo de sonido" - }, - "climate": { - "currently": "Actualmente", - "on_off": "Encendido \/ Apagado", - "target_temperature": "Temperatura deseada", - "target_humidity": "Humedad deseada", - "operation": "Modo", - "fan_mode": "Modo del ventilador", - "swing_mode": "Modo de oscilación", - "away_mode": "Fuera de Casa", - "aux_heat": "Calor auxiliar", - "preset_mode": "Preestablecido" - }, - "lock": { - "code": "Código", - "lock": "Bloquear", - "unlock": "Desbloquear" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Reanudar la limpieza", - "return_to_base": "Regresar al dock", - "start_cleaning": "Comenzar a limpiar", - "turn_on": "Encender", - "turn_off": "Apagar" - } - }, - "water_heater": { - "currently": "Actualmente", - "on_off": "Encendido \/ Apagado", - "target_temperature": "Temperatura deseada", - "operation": "Operación", - "away_mode": "Modo ausente" } }, + "common": { + "cancel": "Cancelar", + "loading": "Cargando", + "save": "Guardar" + }, "components": { "entity": { "entity-picker": { "entity": "Entidad" } }, - "service-picker": { - "service": "Servicio" - }, - "relative_time": { - "past": "Hace {time}", - "future": "en {time}", - "never": "Nunca", - "duration": { - "second": "{count} {count, plural,\n one {segundo}\n other {segundos}\n}", - "minute": "{count} {count, plural,\n one {minuto}\n other {minutos}\n}", - "hour": "{count} {count, plural,\n one {hora}\n other {horas}\n}", - "day": "{count} {count, plural,\n one {día}\n other {días}\n}", - "week": "{count} {count, plural,\n one {semana}\n other {semanas}\n}" - } - }, "history_charts": { "loading_history": "Cargando historial de estado...", "no_history_found": "No se encontró historial de estado." + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\n one {día}\\n other {días}\\n}", + "hour": "{count} {count, plural,\\n one {hora}\\n other {horas}\\n}", + "minute": "{count} {count, plural,\\n one {minuto}\\n other {minutos}\\n}", + "second": "{count} {count, plural,\\n one {segundo}\\n other {segundos}\\n}", + "week": "{count} {count, plural,\\n one {semana}\\n other {semanas}\\n}" + }, + "future": "en {time}", + "never": "Nunca", + "past": "Hace {time}" + }, + "service-picker": { + "service": "Servicio" } }, - "notification_toast": { - "entity_turned_on": "Encendido {entity}.", - "entity_turned_off": "Apagado {entity}.", - "service_called": "Servicio {service} llamado.", - "service_call_failed": "Error al llamar al servicio {service} .", - "connection_lost": "Conexión perdida. Reconectando..." - }, "dialogs": { - "more_info_settings": { - "save": "Guardar", - "name": "Sustituir Nombre", - "entity_id": "ID de la entidad" + "config_entry_system_options": { + "enable_new_entities_description": "Si está deshabilitado, las entidades recién descubiertas no se agregarán automáticamente a Home Assistant.", + "enable_new_entities_label": "Habilitar entidades recién agregadas.", + "title": "Opciones del sistema" }, "more_info_control": { "script": { @@ -1401,6 +559,11 @@ "title": "Instrucciones de actualización" } }, + "more_info_settings": { + "entity_id": "ID de la entidad", + "name": "Sustituir Nombre", + "save": "Guardar" + }, "options_flow": { "form": { "header": "Opciones" @@ -1409,124 +572,961 @@ "description": "Opciones guardadas con éxito." } }, - "config_entry_system_options": { - "title": "Opciones del sistema", - "enable_new_entities_label": "Habilitar entidades recién agregadas.", - "enable_new_entities_description": "Si está deshabilitado, las entidades recién descubiertas no se agregarán automáticamente a Home Assistant." - }, "zha_device_info": { "manuf": "por {manufacturer}", "no_area": "Sin área", "services": { - "updateDeviceName": "Establecer un nombre personalizado para este dispositivo en el registro de dispositivos.", - "remove": "Eliminar un dispositivo de la red ZigBee." + "remove": "Eliminar un dispositivo de la red ZigBee.", + "updateDeviceName": "Establecer un nombre personalizado para este dispositivo en el registro de dispositivos." }, "zha_device_card": { - "device_name_placeholder": "Nombre de usuario", "area_picker_label": "Área", + "device_name_placeholder": "Nombre de usuario", "update_name_button": "Actualizar Nombre" } } }, - "auth_store": { - "ask": "¿Deseas guardar este inicio de sesión?", - "decline": "No, gracias", - "confirm": "Guardar inicio de sesión" + "duration": { + "day": "{count} {count, plural,\\n one {día}\\n other {días}\\n}", + "hour": "{count} {count, plural,\\n one {hora}\\n other {horas}\\n}", + "minute": "{count} {count, plural,\\n one {minuto}\\n other {minutos}\\n}", + "second": "{count} {count, plural,\\n one {segundo}\\n other {segundos}\\n}", + "week": "{count} {count, plural,\\n one {semana}\\n other {semanas}\\n}" + }, + "login-form": { + "log_in": "Iniciar sesión", + "password": "Contraseña", + "remember": "Recordar" }, "notification_drawer": { "click_to_configure": "Haga clic en el botón para configurar {entity}.", "empty": "Sin Notificaciones", "title": "Notificaciones" - } - }, - "domain": { - "alarm_control_panel": "Panel de control de alarma", - "automation": "Automatización", - "binary_sensor": "Sensor binario", - "calendar": "Calendario", - "camera": "Cámara", - "climate": "Clima", - "configurator": "Configurador", - "conversation": "Conversacion", - "cover": "Portada", - "device_tracker": "Rastreador de dispositivos", - "fan": "Ventilador", - "history_graph": "Gráfico histórico", - "group": "Grupo", - "image_processing": "Procesamiento de imágenes", - "input_boolean": "Entrada booleana", - "input_datetime": "Fecha de entrada", - "input_select": "Selección de entrada", - "input_number": "Número de entrada", - "input_text": "Texto de entrada", - "light": "Luz", - "lock": "Cerrar", - "mailbox": "Buzón", - "media_player": "Reproductor multimedia", - "notify": "Notificar", - "plant": "Planta", - "proximity": "Proximidad", - "remote": "Remoto", - "scene": "Escena", - "script": "Script", - "sensor": "Sensor", - "sun": "Sol", - "switch": "Interruptor", - "updater": "Actualizador", - "weblink": "Enlace web", - "zwave": "", - "vacuum": "Aspiradora", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Estado del sistema", - "person": "Persona" - }, - "attribute": { - "weather": { - "humidity": "Humedad", - "visibility": "Visibilidad", - "wind_speed": "Velocidad del viento" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Apagado", - "on": "Encendido", - "auto": "Auto" + }, + "notification_toast": { + "connection_lost": "Conexión perdida. Reconectando...", + "entity_turned_off": "Apagado {entity}.", + "entity_turned_on": "Encendido {entity}.", + "service_call_failed": "Error al llamar al servicio {service} .", + "service_called": "Servicio {service} llamado." + }, + "panel": { + "config": { + "area_registry": { + "caption": "Registro de áreas", + "create_area": "CREAR AREA", + "description": "Visión general de todas las áreas de su casa.", + "editor": { + "create": "CREAR", + "default_name": "Nueva Área", + "delete": "ELIMINAR", + "update": "ACTUALIZAR" + }, + "no_areas": "¡Parece que aún no tienes áreas!", + "picker": { + "create_area": "CREAR AREA", + "header": "Registro de áreas", + "integrations_page": "Página de integraciones", + "introduction": "Las áreas se utilizan para organizar donde están los dispositivos. Esta información se utilizará en todo Home Assistant para ayudarlo a organizar su interfaz, permisos e integraciones con otros sistemas.", + "introduction2": "Para colocar dispositivos en un área, use el enlace a continuación para navegar a la página de integraciones y luego haga clic en una integración configurada para acceder a las tarjetas del dispositivo.", + "no_areas": "¡Parece que aún no tienes áreas!" + } + }, + "automation": { + "caption": "Automatización", + "description": "Crear y editar automatizaciones", + "editor": { + "actions": { + "add": "Agregar acción", + "delete": "Eliminar", + "delete_confirm": "¿Seguro que quieres borrar?", + "duplicate": "Duplicar", + "header": "Acciones", + "introduction": "Las acciones son lo que hará Home Assistant cuando se active la automatización.", + "learn_more": "Más información sobre las acciones", + "type_select": "Tipo de acción", + "type": { + "condition": { + "label": "Condición" + }, + "delay": { + "delay": "Retrasar", + "label": "Retrasar" + }, + "device_id": { + "label": "Dispositivo" + }, + "event": { + "event": "Evento", + "label": "Disparar evento", + "service_data": "Datos" + }, + "service": { + "label": "Llamar servico", + "service_data": "Datos" + }, + "wait_template": { + "label": "Esperar", + "timeout": "Tiempo de espera (opcional)", + "wait_template": "Plantilla de espera" + } + }, + "unsupported_action": "Acción no soportada: {action}" + }, + "alias": "Nombre", + "conditions": { + "add": "Agregar condición", + "delete": "Eliminar", + "delete_confirm": "¿Seguro que quieres borrar?", + "duplicate": "Duplicar", + "header": "Condiciones", + "introduction": "Las condiciones son una parte opcional de una regla de automatización y se pueden usar para evitar que ocurra una acción cuando se activa. Las condiciones son muy similares a los desencadenantes pero son muy diferentes. Un activador mirará los eventos que suceden en el sistema, mientras que una condición solo mira cómo se ve el sistema en este momento. Un disparador puede observar que un interruptor se está activando. Una condición solo puede ver si un interruptor está actualmente activado o desactivado.", + "learn_more": "Más información sobre las condiciones", + "type_select": "Tipo de condición", + "type": { + "and": { + "label": "Y" + }, + "device": { + "label": "Dispositivo" + }, + "numeric_state": { + "above": "Por encima de", + "below": "Por debajo de", + "label": "Estado numérico", + "value_template": "Plantilla del valor (opcional)" + }, + "or": { + "label": "O" + }, + "state": { + "label": "Estado", + "state": "Estado" + }, + "sun": { + "after": "Después de:", + "after_offset": "Después del intervalo (opcional)", + "before": "Antes de:", + "before_offset": "Antes del intervalo (opcional)", + "label": "Sol", + "sunrise": "Salida del sol", + "sunset": "Puesta de sol" + }, + "template": { + "label": "Plantilla", + "value_template": "Plantilla del valor" + }, + "time": { + "after": "Después de", + "before": "Antes de", + "label": "Hora" + }, + "zone": { + "entity": "Entidad con ubicación", + "label": "Zona", + "zone": "Zona" + } + }, + "unsupported_condition": "Condición no soportada: {condition}" + }, + "default_name": "Nueva Automatización", + "description": { + "label": "Descripción", + "placeholder": "Descripción opcional" + }, + "introduction": "Utilice automatizaciones para dar vida a su hogar", + "load_error_not_editable": "Solo las automatizaciones en automations.yaml son editables.", + "load_error_unknown": "Error al cargar la automatización ({err_no}).", + "save": "Guardar", + "triggers": { + "add": "Agregar desencadenador", + "delete": "Eliminar", + "delete_confirm": "¿Seguro que quieres borrar?", + "duplicate": "Duplicar", + "header": "Desencadenadores", + "introduction": "Los desencadenadores son los que inician el procesamiento de una regla de automatización. Es posible especificar múltiples activadores para la misma regla. Una vez que se inicia un activador, Home Assistant validará las condiciones, si las hay, y activará la acción.", + "learn_more": "Más información sobre los desencadenadores", + "type_select": "Tipo de desencadenador", + "type": { + "device": { + "label": "Dispositivo" + }, + "event": { + "event_data": "Datos del evento", + "event_type": "Tipo de evento", + "label": "Evento:" + }, + "geo_location": { + "enter": "Entrar", + "event": "Evento:", + "label": "Geolocalización", + "leave": "Salir", + "source": "Fuente", + "zone": "Zona" + }, + "homeassistant": { + "event": "Evento:", + "label": "Home Assistant", + "shutdown": "Apagado", + "start": "Inicio" + }, + "mqtt": { + "label": "MQTT", + "payload": "Payload (opcional)", + "topic": "Topic" + }, + "numeric_state": { + "above": "Por encima de", + "below": "Por debajo de", + "label": "Estado numérico", + "value_template": "Plantilla de valor (opcional)" + }, + "state": { + "for": "Por", + "from": "De", + "label": "Estado", + "to": "A" + }, + "sun": { + "event": "Evento:", + "label": "Sol", + "offset": "Compensar (opcional)", + "sunrise": "Salida del sol", + "sunset": "Puesta de sol" + }, + "template": { + "label": "Plantilla", + "value_template": "Plantilla de valor" + }, + "time_pattern": { + "hours": "Horas", + "label": "Patrón de tiempo", + "minutes": "Minutos", + "seconds": "Segundos" + }, + "time": { + "at": "A", + "label": "Hora" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "ID de Webhook" + }, + "zone": { + "enter": "Entrar", + "entity": "Entidad con ubicación", + "event": "Evento:", + "label": "Zona", + "leave": "Salir", + "zone": "Zona" + } + }, + "unsupported_platform": "Plataforma no soportada: {platform}" + }, + "unsaved_confirm": "Tiene cambios sin guardar. ¿Estás seguro que quieres salir?" + }, + "picker": { + "add_automation": "Agregar automatización", + "header": "Editor de automatizaciones", + "introduction": "El editor de automatización le permite crear y editar automatizaciones. Siga el enlace a continuación para leer las instrucciones y asegurarse de que haya configurado Home Assistant correctamente.", + "learn_more": "Más información sobre las automatizaciones", + "no_automations": "No pudimos encontrar ninguna automatización editable", + "pick_automation": "Elija la automatización a editar" + } + }, + "cloud": { + "caption": "Nube Home Assistant", + "description_features": "Control fuera de casa, integre con Alexa y con Google Assistant.", + "description_login": "Ha iniciado sesión como {email}", + "description_not_login": "No ha iniciado sesión" + }, + "core": { + "caption": "General", + "description": "Valide su archivo de configuración y controle el servidor", + "section": { + "core": { + "core_config": { + "edit_requires_storage": "Editor desactivado porque config está almacenado en configuration.yaml.", + "elevation": "Elevación", + "elevation_meters": "metros", + "imperial_example": "Fahrenheit, libras", + "latitude": "Latitud", + "location_name": "Nombre de la instalación de tu Home Assistant", + "longitude": "Longitud", + "metric_example": "Centígrados, kilogramos", + "save_button": "Guardar", + "time_zone": "Zona horaria", + "unit_system": "Sistema de unidades", + "unit_system_imperial": "Imperial", + "unit_system_metric": "Métrico" + }, + "header": "Configuración y control del servidor", + "introduction": "Cambiar su configuración puede ser un proceso tedioso. Lo sabemos. Esta sección tratará de hacer su vida un poco más fácil." + }, + "server_control": { + "reloading": { + "automation": "Recargar automatizaciones", + "core": "Recargar núcleo", + "group": "Recargar grupos", + "heading": "Recarga de configuración", + "introduction": "Algunas partes de Home Assistant pueden volver a cargarse sin necesidad de reiniciar. Al pulsar recargar descargará su configuración actual y cargará la nueva.", + "script": "Recargar scripts" + }, + "server_management": { + "heading": "Administración del servidor", + "introduction": "Controle su servidor Home Assistant ... desde Home Assistant.", + "restart": "Reiniciar", + "stop": "Detener" + }, + "validation": { + "check_config": "Verificar configuración", + "heading": "Validación de la configuración", + "introduction": "Valide su configuración si recientemente realizó algunos cambios en su configuración y quiere asegurarse de que sea válida", + "invalid": "Configuración inválida", + "valid": "¡Configuración valida!" + } + } + } + }, + "customize": { + "caption": "Personalización", + "description": "Personaliza tus entidades", + "picker": { + "header": "Personalización", + "introduction": "Ajustar los atributos por entidad. Las personalizaciones agregadas\/editadas tendrán efecto inmediatamente. Las personalizaciones eliminadas entrarán en vigor cuando se actualice la entidad." + } + }, + "devices": { + "automation": { + "conditions": { + "caption": "Sólo hacer algo si..." + }, + "triggers": { + "caption": "Haz algo cuando ..." + } + }, + "caption": "Dispositivos", + "description": "Administrar dispositivos conectados" + }, + "entity_registry": { + "caption": "Registro de entidades", + "description": "Visión general de todas las entidades conocidas.", + "editor": { + "confirm_delete": "¿Estás seguro de que deseas eliminar esta entrada?", + "confirm_delete2": "Eliminar una entrada no eliminará la entidad de Home Assistant. Para hacer esto, deberá eliminar la integración '{plataforma}' de Home Assistant.", + "default_name": "Nueva Área", + "delete": "ELIMINAR", + "enabled_cause": "Deshabilitado por {cause}.", + "enabled_description": "Las entidades deshabilitadas no serán agregadas a Home Assistant.", + "enabled_label": "Habilitar entidad", + "unavailable": "Esta entidad no está disponible actualmente.", + "update": "ACTUALIZAR" + }, + "picker": { + "header": "Registro de entidades", + "integrations_page": "Página de integraciones", + "introduction": "Home Assistant mantiene un registro de todas las entidades que ha visto y que pueden identificarse de manera única. Cada una de estas entidades tendrá un ID de entidad asignado que se reservará solo para esta entidad.", + "introduction2": "Utilice el registro de la entidad para reemplazar el nombre, cambiar el ID de la entidad o eliminar la entrada de Home Assistant. Tenga en cuenta que eliminar la entrada del registro de la entidad no eliminará la entidad. Para hacerlo, siga el enlace a continuación y elimínelo de la página de integraciones.", + "show_disabled": "Mostrar entidades deshabilitadas", + "unavailable": "(no disponible)" + } + }, + "header": "Configurar Home Assistant", + "integrations": { + "caption": "Integraciones", + "config_entry": { + "delete_confirm": "¿Estás seguro de que quieres eliminar esta integración?", + "device_unavailable": "dispositivo no disponible", + "entity_unavailable": "entidad no disponible", + "firmware": "Firmware: {version}", + "hub": "Conectado a través de", + "manuf": "por {manufacturer}", + "no_area": "Ninguna área", + "no_device": "Entidades sin dispositivos", + "no_devices": "Esta integración no tiene dispositivos.", + "restart_confirm": "Reinicie Home Assistant para terminar de eliminar esta integración.", + "via": "Conectado a través de" + }, + "config_flow": { + "external_step": { + "description": "Este paso requiere que visites un sitio web externo para ser completado.", + "open_site": "Abrir sitio web" + } + }, + "configure": "Configurar", + "configured": "Configurado", + "description": "Administrar dispositivos y servicios conectados", + "discovered": "Descubierto", + "new": "Configurar una nueva integración.", + "none": "No hay nada configurado" + }, + "introduction": "Aquí es posible configurar sus componentes y Home Assistant. Todavía no es posible configurar todo desde la interfaz de usuario, pero estamos trabajando en ello.", + "person": { + "caption": "Personas", + "description": "Gestiona las personas que rastrea Home Assistant.", + "detail": { + "device_tracker_intro": "Selecciona los dispositivos que pertenecen a esta persona.", + "device_tracker_pick": "Elegir dispositivo para rastrear", + "device_tracker_picked": "Dispositivo de seguimiento", + "name": "Nombre" + } + }, + "script": { + "caption": "Script", + "description": "Crear y editar scripts" + }, + "server_control": { + "caption": "Control del servidor", + "description": "Reinicie y detenga el servidor de Home Assistant", + "section": { + "reloading": { + "automation": "Recargar automatizaciones", + "core": "Recargar núcleo", + "group": "Recargar grupos", + "heading": "Recarga de configuración", + "introduction": "Algunas partes de Home Assistant pueden volver a cargarse sin necesidad de reiniciar. Al pulsar recargar descargará su configuración actual y cargará la nueva.", + "scene": "Recargar escenas", + "script": "Recargar scripts" + }, + "server_management": { + "confirm_restart": "¿Estás seguro de que quieres reiniciar el Home Assistant?", + "confirm_stop": "¿Estás seguro de que quieres detener Home Assistant?", + "heading": "Administración del servidor", + "introduction": "Controle su servidor Home Assistant ... desde Home Assistant.", + "restart": "Reiniciar", + "stop": "Detener" + }, + "validation": { + "check_config": "Verificar configuración", + "heading": "Validación de la configuración", + "introduction": "Valide su configuración si recientemente realizó algunos cambios en su configuración y quiere asegurarse de que sea válida", + "invalid": "Configuración inválida", + "valid": "¡Configuración valida!" + } + } + }, + "users": { + "add_user": { + "caption": "Agregar usuario", + "create": "Crear", + "name": "Nombre", + "password": "Contraseña", + "username": "Nombre de usuario" + }, + "caption": "Usuarios", + "description": "Administrar usuarios", + "editor": { + "activate_user": "Activar usuario", + "caption": "Ver usuario", + "change_password": "Cambiar contraseña", + "deactivate_user": "Desactivar usuario", + "delete_user": "Eliminar usuario", + "rename_user": "Renombrar usuario" + }, + "picker": { + "title": "Usuarios" + } + }, + "zha": { + "add_device_page": { + "discovery_text": "Los dispositivos descubiertos se mostrarán aquí. Siga las instrucciones para su(s) dispositivo(s) y coloque el(los) dispositivo(s) en modo de emparejamiento.", + "header": "Automatización del hogar Zigbee - Agregar dispositivos", + "spinner": "Buscando dispositivos ZHA Zigbee ..." + }, + "caption": "ZHA", + "description": "Gestión de red de Zigbee Home Automation", + "device_card": { + "area_picker_label": "Área", + "device_name_placeholder": "Nombre de usuario", + "update_name_button": "Actualizar Nombre" + }, + "services": { + "reconfigure": "Reconfigure el dispositivo ZHA (dispositivo de curación). Use esto si tiene problemas con el dispositivo. Si el dispositivo en cuestión es un dispositivo alimentado por batería, asegúrese de que esté activado y acepte los comandos cuando utilice este servicio.", + "remove": "Eliminar un dispositivo de la red Zigbee.", + "updateDeviceName": "Establecer un nombre personalizado para este dispositivo en el registro de dispositivos." + } + }, + "zwave": { + "caption": "", + "common": { + "index": "Índice", + "instance": "Instancia", + "unknown": "desconocido", + "value": "Valor", + "wakeup_interval": "Intervalo de activación" + }, + "description": "Administrar su red Z-Wave", + "network_management": { + "header": "Gestión de la red Z-Wave", + "introduction": "Ejecute comandos que afectan a la red Z-Wave. No recibirá comentarios sobre si la mayoría de los comandos tuvieron éxito, pero puede consultar el registro OZW para intentar averiguarlo." + }, + "network_status": { + "network_started": "Red Z-Wave iniciada", + "network_started_note_all_queried": "Todos los nodos han sido consultados.", + "network_started_note_some_queried": "Los nodos despiertos han sido consultados. Los nodos dormidos serán consultados cuando se despierten.", + "network_starting": "Iniciando la Red Z-Wave...", + "network_starting_note": "Esto puede llevar un tiempo dependiendo del tamaño de su red.", + "network_stopped": "Red Z-Wave detenida" + }, + "node_config": { + "config_parameter": "Parámetro de configuración", + "config_value": "Valor de configuración", + "false": "Falso", + "header": "Opciones de configuración del nodo", + "seconds": "segundos", + "set_config_parameter": "Establecer parámetro de configuración", + "set_wakeup": "Establecer intervalo de activación", + "true": "Verdadero" + }, + "services": { + "add_node": "Agregar nodo", + "add_node_secure": "Agregar nodo seguro", + "cancel_command": "Cancelar comando", + "remove_node": "Eliminar nodo", + "save_config": "Guardar configuración", + "soft_reset": "Reinicio suave", + "start_network": "Iniciar red", + "stop_network": "Detener red", + "test_network": "Red de prueba" + }, + "values": { + "header": "Valores del nodo" + } + } }, - "preset_mode": { - "none": "Ninguno", - "eco": "Eco", - "away": "Fuera de casa", - "boost": "Aumentar", - "comfort": "Comodidad", - "home": "En Casa", - "sleep": "Dormir", - "activity": "Actividad" + "developer-tools": { + "tabs": { + "events": { + "title": "Eventos" + }, + "info": { + "title": "Información" + }, + "logs": { + "title": "Registros" + }, + "mqtt": { + "title": "" + }, + "services": { + "title": "Servicios" + }, + "states": { + "title": "Estados" + }, + "templates": { + "title": "Plantillas" + } + } }, - "hvac_action": { - "off": "Desactivado", - "heating": "Calentando", - "cooling": "Enfriando", - "drying": "Secando", - "idle": "Inactivo", - "fan": "Ventilador" + "history": { + "period": "Período", + "showing_entries": "Mostrando registros del" + }, + "logbook": { + "period": "Período", + "showing_entries": "Mostrando registros del" + }, + "lovelace": { + "cards": { + "empty_state": { + "go_to_integrations_page": "Ir a la página de integraciones.", + "no_devices": "Esta página le permite controlar sus dispositivos, sin embargo, parece que aún no tiene dispositivos configurados. Dirígete a la página de integraciones para empezar.", + "title": "Bienvenido a casa" + }, + "picture-elements": { + "call_service": "Servicio de llamadas {name}", + "hold": "Mantener:", + "more_info": "Mostrar más información: {name}", + "navigate_to": "Navegue a {location}", + "tap": "Toque:", + "toggle": "Alternar {name}", + "url": "Abrir ventana a {url_path}" + }, + "shopping-list": { + "add_item": "Agregar elemento", + "checked_items": "lementos marcados", + "clear_items": "Borrar elementos marcados" + } + }, + "changed_toast": { + "message": "La configuración de Lovelace fue actualizada, ¿te gustaría refrescarla?", + "refresh": "Actualizar" + }, + "editor": { + "card": { + "alarm_panel": { + "available_states": "Estados disponibles" + }, + "config": { + "optional": "Opcional", + "required": "Requerido" + }, + "gauge": { + "severity": { + "define": "¿Definir gravedad?", + "green": "Verde", + "red": "Rojo", + "yellow": "Amarillo" + } + }, + "generic": { + "aspect_ratio": "Relación de aspecto", + "camera_image": "Entidad de la cámara", + "entities": "Entidades", + "entity": "Entidad", + "icon": "Icono", + "icon_height": "Altura del icono", + "image": "Ruta de la imagen", + "maximum": "Máximo", + "minimum": "Mínimo", + "name": "Nombre", + "refresh_interval": "Intervalo de actualización", + "show_icon": "¿Mostrar icono?", + "show_name": "¿Mostrar nombre?", + "show_state": "¿Mostrar estado?", + "theme": "Tema", + "title": "Título", + "unit": "Unidad", + "url": "Url" + }, + "glance": { + "columns": "Columnas" + }, + "map": { + "dark_mode": "¿Modo oscuro?", + "default_zoom": "Zoom predeterminado", + "geo_location_sources": "Fuentes de geolocalización", + "source": "Fuente" + }, + "markdown": { + "content": "Contenido" + }, + "sensor": { + "graph_detail": "Detalle del gráfico", + "graph_type": "Tipo de gráfico" + } + }, + "edit_card": { + "add": "Agregar tarjeta", + "delete": "Eliminar", + "edit": "Editar", + "header": "Configuración de la tarjeta", + "move": "Mover", + "pick_card": "Elija la tarjeta que desea agregar.", + "save": "Guardar", + "toggle_editor": "Cambiar editor" + }, + "edit_lovelace": { + "explanation": "Este título se muestra sobre todas tus vistas en Lovelace.", + "header": "Título de tu interfaz de usuario de Lovelace" + }, + "edit_view": { + "add": "Agregar vista", + "delete": "Eliminar vista", + "edit": "Editar vista", + "header": "Ver configuración" + }, + "header": "Editar interfaz de usuario", + "menu": { + "raw_editor": "Editor de configuraciones en bruto" + }, + "migrate": { + "header": "Configuración inválida", + "migrate": "Migrar configuración", + "para_migrate": "Home Assistant puede agregar ID a todas sus tarjetas y vistas automáticamente por usted presionando el botón 'Migrar configuración'.", + "para_no_id": "Este elemento no tiene un ID. Por favor agregue uno a este elemento en 'ui-lovelace.yaml'." + }, + "raw_editor": { + "header": "Editar configuración", + "save": "Guardar", + "saved": "Guardado", + "unsaved_changes": "Cambios no guardados" + }, + "save_config": { + "cancel": "Olvídalo", + "header": "Toma el control de tu interfaz de usuario de Lovelace", + "para": "Por defecto, Home Assistant mantendrá su interfaz de usuario y la actualizará cuando haya nuevas entidades o componentes de Lovelace disponibles. Si usted toma el control, ya no haremos cambios automáticamente para usted.", + "para_sure": "¿Está seguro de que desea tomar el control de su interfaz de usuario?", + "save": "Tomar el control" + } + }, + "menu": { + "configure_ui": "Configurar interfaz de usuario", + "help": "Ayuda", + "refresh": "Refrescar", + "unused_entities": "Entidades no utilizadas" + }, + "reload_lovelace": "Recargar Lovelace", + "warning": { + "entity_non_numeric": "Entidad no es numérica: {entity}", + "entity_not_found": "Entidad no disponible: {entity}" + } + }, + "mailbox": { + "delete_button": "Eliminar", + "delete_prompt": "¿Eliminar este mensaje?", + "empty": "No tienes ningún mensaje", + "playback_title": "Reproducción de mensajes" + }, + "page-authorize": { + "abort_intro": "Inicio de sesión cancelado", + "authorizing_client": "Está por dar acceso a {clientId} a su instancia de Home Assistant.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "La sesión expiró, por favor inicie sesión nuevamente." + }, + "error": { + "invalid_auth": "Nombre de usuario o contraseña inválidos", + "invalid_code": "Código de autenticación inválido" + }, + "step": { + "init": { + "data": { + "password": "Contraseña", + "username": "Nombre de usuario" + } + }, + "mfa": { + "data": { + "code": "Código de autenticación de dos factores" + }, + "description": "Abra el **{mfa_module_name}** en su dispositivo para ver su código de autenticar de dos factores y verificar su identidad:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "La sesión expiró, por favor inicie sesión nuevamente." + }, + "error": { + "invalid_auth": "Nombre de usuario o contraseña inválidos", + "invalid_code": "Código de autenticación inválido" + }, + "step": { + "init": { + "data": { + "password": "Contraseña", + "username": "Nombre de usuario" + } + }, + "mfa": { + "data": { + "code": "Código de autenticación de dos factores" + }, + "description": "Abra el **{mfa_module_name}** en su dispositivo para ver su código de autenticar de dos factores y verificar su identidad:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "La sesión expiró, por favor inicie sesión nuevamente.", + "no_api_password_set": "No tienes una contraseña API configurada." + }, + "error": { + "invalid_auth": "Contraseña API inválida", + "invalid_code": "Código de autenticación inválido" + }, + "step": { + "init": { + "data": { + "password": "Contraseña API" + }, + "description": "Por favor, introduzca la contraseña de la API en su configuración http:" + }, + "mfa": { + "data": { + "code": "Código de autenticación de dos factores" + }, + "description": "Abra el **{mfa_module_name}** en su dispositivo para ver su código de autenticar de dos factores y verificar su identidad:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Tu computadora no está incluida en la lista blanca." + }, + "step": { + "init": { + "data": { + "user": "Usuario" + }, + "description": "Por favor, seleccione el usuario con el que desea iniciar sesión:" + } + } + } + }, + "unknown_error": "Algo salió mal", + "working": "Por favor, espere" + }, + "initializing": "Inicializando", + "logging_in_with": "Iniciando sesión con **{authProviderName}**.", + "pick_auth_provider": "O inicia sesión con" + }, + "page-demo": { + "cards": { + "demo": { + "demo_by": "por {name}", + "introduction": "¡Bienvenido a casa! Ha llegado a la demostración de Home Assistant donde mostramos las mejores interfaces de usuario creadas por nuestra comunidad.", + "learn_more": "Aprenda más sobre Home Assistant", + "next_demo": "Siguiente demostración" + } + }, + "config": { + "arsaboo": { + "labels": { + "activity": "Actividad", + "air": "Aire", + "commute_home": "Viaje a casa", + "entertainment": "Entretenimiento", + "hdmi_input": "Entrada HDMI", + "hdmi_switcher": "Conmutador HDMI", + "information": "Información", + "lights": "Luces", + "morning_commute": "Viaje de mañana", + "total_tv_time": "Tiempo total de TV", + "turn_tv_off": "Apagar la televisión", + "volume": "Volumen" + }, + "names": { + "family_room": "Habitación familiar", + "hallway": "Pasillo", + "kitchen": "Cocina", + "left": "Izquierda", + "master_bedroom": "Recamara principal", + "mirror": "Espejo", + "patio": "Patio", + "right": "Derecha", + "upstairs": "Piso de arriba" + }, + "unit": { + "minutes_abbr": "mín.", + "watching": "viendo" + } + } + } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Detectar", + "finish": "Siguiente", + "intro": "Hola {name}, bienvenido a Home Assistant. ¿Cómo te gustaría llamar a tu casa?", + "intro_location": "Nos gustaría saber dónde vives. Esta información ayudará a mostrar información y configurar automatizaciones basadas en el sol. Estos datos nunca se comparten fuera de tu red.", + "intro_location_detect": "Podemos ayudarte a completar esta información realizando una solicitud única a un servicio externo.", + "location_name_default": "En Casa" + }, + "integration": { + "finish": "Terminar", + "intro": "Los dispositivos y servicios están representados en Home Assistant como integraciones. Puede configurarlos ahora, o hacerlo más tarde desde la pantalla de configuración.", + "more_integrations": "Más" + }, + "intro": "¿Estás listo para despertar tu hogar, reclamar tu privacidad y unirte a una comunidad mundial de experimentadores?", + "user": { + "create_account": "Crear una cuenta", + "data": { + "name": "Nombre", + "password": "Contraseña", + "password_confirm": "Confirmar contraseña", + "username": "Nombre de usuario" + }, + "error": { + "password_not_match": "Las contraseñas no coinciden", + "required_fields": "Completar todos los campos requeridos" + }, + "intro": "Comencemos creando una cuenta de usuario.", + "required_field": "Necesario" + } + }, + "profile": { + "change_password": { + "confirm_new_password": "Confirmar nueva contraseña", + "current_password": "Contraseña actual", + "error_required": "Necesario", + "header": "Cambiar contraseña", + "new_password": "Nueva contraseña", + "submit": "Enviar" + }, + "current_user": "Actualmente estás conectado como {fullName} .", + "force_narrow": { + "description": "Esto ocultará la barra lateral de forma predeterminada, similar a la experiencia móvil.", + "header": "Ocultar siempre la barra lateral" + }, + "is_owner": "Eres propietario.", + "language": { + "dropdown_label": "Idioma", + "header": "Idioma", + "link_promo": "Ayuda a traducir" + }, + "logout": "Cerrar sesión", + "long_lived_access_tokens": { + "confirm_delete": "¿Está seguro de que desea eliminar el token de acceso para {name}?", + "create": "Crear Token", + "create_failed": "No se pudo crear el token de acceso.", + "created_at": "Creado en {date}", + "delete_failed": "No se pudo eliminar el token de acceso.", + "description": "Cree tokens de acceso de larga duración para permitir que sus secuencias de comandos interactúen con la instancia de su Home Assistant. Cada token tendrá una validez de 10 años a partir de su creación. Los siguientes tokens de acceso de larga duración están activos actualmente.", + "empty_state": "Aún no tienes tokens de acceso de larga duración.", + "header": "Tokens de acceso de larga duración", + "last_used": "Utilizado por última vez en {date} desde {location}.", + "learn_auth_requests": "Aprenda a realizar solicitudes autenticadas.", + "not_used": "Nunca se ha utilizado", + "prompt_copy_token": "Copia tu token de acceso. No se volverá a mostrar", + "prompt_name": "¿Nombre?" + }, + "mfa_setup": { + "close": "Cerrar", + "step_done": "Configuración realizada para {step}", + "submit": "Enviar", + "title_aborted": "Abortado", + "title_success": "¡Éxito!" + }, + "mfa": { + "confirm_disable": "¿Estás seguro de que deseas deshabilitar {name} ?", + "disable": "Deshabilitar", + "enable": "Habilitar", + "header": "Módulos de autenticación multifactor" + }, + "push_notifications": { + "description": "Enviar notificaciones a este dispositivo.", + "error_load_platform": "Configurar notify.html5.", + "error_use_https": "Requiere SSL habilitado para la interfaz.", + "header": "Notificaciones Push", + "link_promo": "Más información", + "push_notifications": "Notificaciones Push" + }, + "refresh_tokens": { + "confirm_delete": "¿Estás seguro de que deseas eliminar el token de actualización de {name}?", + "created_at": "Creado en {date}", + "current_token_tooltip": "No se puede eliminar el token de actualización actual", + "delete_failed": "No se pudo eliminar el token de actualización.", + "description": "Cada token de actualización representa una sesión de inicio de sesión. Los tokens de actualización se eliminarán automáticamente cuando haga clic en cerrar sesión. Los siguientes tokens de actualización están actualmente activos para su cuenta.", + "header": "Actualizar tokens", + "last_used": "Utilizado por última vez en {date} desde {location}.", + "not_used": "Nunca se ha utilizado", + "token_title": "Actualizar token para {clientId}" + }, + "themes": { + "dropdown_label": "Tema", + "error_no_theme": "No hay temas disponibles.", + "header": "Tema", + "link_promo": "Más información sobre los temas" + }, + "vibrate": { + "description": "Habilitar o deshabilitar la vibración en este dispositivo al controlar dispositivos.", + "header": "Vibrar" + } + }, + "shopping-list": { + "add_item": "Agregar elemento", + "clear_completed": "Borrar completados", + "microphone_tip": "Toque el micrófono en la esquina superior derecha y diga \"Agregar dulces a mi lista de compras\"" } - } - }, - "groups": { - "system-admin": "Administradores", - "system-users": "Usuarios", - "system-read-only": "Usuarios de solo lectura" - }, - "config_entry": { - "disabled_by": { - "user": "Usuario", - "integration": "Integración", - "config_entry": "Entrada de configuración" + }, + "sidebar": { + "external_app_configuration": "Configuración de la aplicación", + "log_out": "Cerrar sesión" } } } \ No newline at end of file diff --git a/translations/es.json b/translations/es.json index 6b908d4d96..f28da86e13 100644 --- a/translations/es.json +++ b/translations/es.json @@ -1,53 +1,193 @@ { - "panel": { - "config": "Configuración", - "states": "Resumen", - "map": "Mapa", - "logbook": "Registro", - "history": "Historial", + "attribute": { + "weather": { + "humidity": "Humedad", + "visibility": "Visibilidad", + "wind_speed": "Velocidad del viento" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Entrada de configuración", + "integration": "Integración", + "user": "Usuario" + } + }, + "domain": { + "alarm_control_panel": "Panel de control de alarmas", + "automation": "Automatización", + "binary_sensor": "Sensor binario", + "calendar": "Calendario", + "camera": "Cámara", + "climate": "Climatización", + "configurator": "Configurador", + "conversation": "Conversación", + "cover": "Persiana", + "device_tracker": "Rastreador de dispositivo", + "fan": "Ventilador", + "group": "Grupo", + "hassio": "Hass.io", + "history_graph": "Historial gráfico", + "homeassistant": "Home Assistant", + "image_processing": "Procesamiento de imágenes", + "input_boolean": "Entrada booleana", + "input_datetime": "Entrada de fecha", + "input_number": "Entrada de número", + "input_select": "Selección de entrada", + "input_text": "Entrada de texto", + "light": "Luz", + "lock": "Cerradura", + "lovelace": "Lovelace", "mailbox": "Buzón", - "shopping_list": "Lista de la compra", + "media_player": "Reproductor multimedia", + "notify": "Notificar", + "person": "Persona", + "plant": "Planta", + "proximity": "Proximidad", + "remote": "Remoto", + "scene": "Escena", + "script": "Script", + "sensor": "Sensor", + "sun": "Sol", + "switch": "Interruptor", + "system_health": "Salud del sistema", + "updater": "Actualizador", + "vacuum": "Aspiradora", + "weblink": "Enlace web", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Administradores", + "system-read-only": "Usuarios de solo lectura", + "system-users": "Usuarios" + }, + "panel": { + "calendar": "Calendario", + "config": "Configuración", "dev-info": "Información", "developer_tools": "Herramientas para desarrolladores", - "calendar": "Calendario", - "profile": "Perfil" + "history": "Historial", + "logbook": "Registro", + "mailbox": "Buzón", + "map": "Mapa", + "profile": "Perfil", + "shopping_list": "Lista de la compra", + "states": "Resumen" }, - "state": { - "default": { - "off": "Apagado", - "on": "Encendido", - "unknown": "Desconocido", - "unavailable": "No disponible" - }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Automático", + "off": "Apagado", + "on": "Encendido" + }, + "hvac_action": { + "cooling": "Enfriando", + "drying": "Secando", + "fan": "Ventilador", + "heating": "Calentando", + "idle": "Inactivo", + "off": "Apagado" + }, + "preset_mode": { + "activity": "Actividad", + "away": "Fuera de casa", + "boost": "Impulso", + "comfort": "Confort", + "eco": "Eco", + "home": "En casa", + "none": "Ninguno", + "sleep": "Dormir" + } + } + }, + "state_badge": { "alarm_control_panel": { "armed": "Armado", - "disarmed": "Desarmado", - "armed_home": "Armado en casa", - "armed_away": "Armado fuera de casa", - "armed_night": "Armado noche", - "pending": "Pendiente", + "armed_away": "Armado", + "armed_custom_bypass": "Armado", + "armed_home": "Armado", + "armed_night": "Armado", "arming": "Armando", + "disarmed": "Desarmar", + "disarming": "Desarmar", + "pending": "Pendiente", + "triggered": "Activada" + }, + "default": { + "entity_not_found": "Entidad no encontrada", + "error": "Error", + "unavailable": "N\/D", + "unknown": "?" + }, + "device_tracker": { + "home": "En casa", + "not_home": "Fuera" + }, + "person": { + "home": "Casa", + "not_home": "Fuera de casa" + } + }, + "state": { + "alarm_control_panel": { + "armed": "Armado", + "armed_away": "Armado fuera de casa", + "armed_custom_bypass": "Armada Zona Específica", + "armed_home": "Armado en casa", + "armed_night": "Armado noche", + "arming": "Armando", + "disarmed": "Desarmado", "disarming": "Desarmando", - "triggered": "Disparada", - "armed_custom_bypass": "Armada Zona Específica" + "pending": "Pendiente", + "triggered": "Disparada" }, "automation": { "off": "Apagado", "on": "Encendida" }, "binary_sensor": { + "battery": { + "off": "Normal", + "on": "Bajo" + }, + "cold": { + "off": "Normal", + "on": "Frio" + }, + "connectivity": { + "off": "Desconectado", + "on": "Conectado" + }, "default": { "off": "Apagado", "on": "Encendido" }, - "moisture": { - "off": "Seco", - "on": "Húmedo" + "door": { + "off": "Cerrada", + "on": "Abierta" + }, + "garage_door": { + "off": "Cerrada", + "on": "Abierta" }, "gas": { "off": "No detectado", "on": "Detectado" }, + "heat": { + "off": "Normal", + "on": "Caliente" + }, + "lock": { + "off": "Bloqueado", + "on": "Desbloqueado" + }, + "moisture": { + "off": "Seco", + "on": "Húmedo" + }, "motion": { "off": "Sin movimiento", "on": "Detectado" @@ -56,6 +196,22 @@ "off": "No detectado", "on": "Detectado" }, + "opening": { + "off": "Cerrado", + "on": "Abierto" + }, + "presence": { + "off": "Fuera de casa", + "on": "En casa" + }, + "problem": { + "off": "OK", + "on": "Problema" + }, + "safety": { + "off": "Seguro", + "on": "Inseguro" + }, "smoke": { "off": "No detectado", "on": "Detectado" @@ -68,53 +224,9 @@ "off": "No detectado", "on": "Detectado" }, - "opening": { - "off": "Cerrado", - "on": "Abierto" - }, - "safety": { - "off": "Seguro", - "on": "Inseguro" - }, - "presence": { - "off": "Fuera de casa", - "on": "En casa" - }, - "battery": { - "off": "Normal", - "on": "Bajo" - }, - "problem": { - "off": "OK", - "on": "Problema" - }, - "connectivity": { - "off": "Desconectado", - "on": "Conectado" - }, - "cold": { - "off": "Normal", - "on": "Frio" - }, - "door": { - "off": "Cerrada", - "on": "Abierta" - }, - "garage_door": { - "off": "Cerrada", - "on": "Abierta" - }, - "heat": { - "off": "Normal", - "on": "Caliente" - }, "window": { "off": "Cerrada", "on": "Abierta" - }, - "lock": { - "off": "Bloqueado", - "on": "Desbloqueado" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "Encendido" }, "camera": { + "idle": "Inactivo", "recording": "Grabando", - "streaming": "Transmitiendo", - "idle": "Inactivo" + "streaming": "Transmitiendo" }, "climate": { - "off": "Apagado", - "on": "Encendido", - "heat": "Calor", - "cool": "Frío", - "idle": "Inactivo", "auto": "Automático", + "cool": "Frío", "dry": "Seco", - "fan_only": "Sólo ventilador", "eco": "Eco", "electric": "Eléctrico", - "performance": "Rendimiento", - "high_demand": "Alta demanda", - "heat_pump": "Bomba de calor", + "fan_only": "Sólo ventilador", "gas": "Gas", + "heat": "Calor", + "heat_cool": "Calor\/Frío", + "heat_pump": "Bomba de calor", + "high_demand": "Alta demanda", + "idle": "Inactivo", "manual": "Manual", - "heat_cool": "Calor\/Frío" + "off": "Apagado", + "on": "Encendido", + "performance": "Rendimiento" }, "configurator": { "configure": "Configurar", "configured": "Configurado" }, "cover": { - "open": "Abierto", - "opening": "Abriendo", "closed": "Cerrado", "closing": "Cerrando", + "open": "Abierto", + "opening": "Abriendo", "stopped": "Detenido" }, + "default": { + "off": "Apagado", + "on": "Encendido", + "unavailable": "No disponible", + "unknown": "Desconocido" + }, "device_tracker": { "home": "En casa", "not_home": "Fuera de casa" @@ -164,19 +282,19 @@ "on": "Encendido" }, "group": { - "off": "Apagado", - "on": "Encendido", - "home": "En casa", - "not_home": "Fuera de casa", - "open": "Abierto", - "opening": "Abriendo", "closed": "Cerrado", "closing": "Cerrando", - "stopped": "Detenido", + "home": "En casa", "locked": "Bloqueado", - "unlocked": "Desbloqueado", + "not_home": "Fuera de casa", + "off": "Apagado", "ok": "OK", - "problem": "Problema" + "on": "Encendido", + "open": "Abierto", + "opening": "Abriendo", + "problem": "Problema", + "stopped": "Detenido", + "unlocked": "Desbloqueado" }, "input_boolean": { "off": "Apagado", @@ -191,13 +309,17 @@ "unlocked": "Desbloqueado" }, "media_player": { + "idle": "Inactivo", "off": "Apagado", "on": "Encendido", - "playing": "Reproduciendo", "paused": "En pausa", - "idle": "Inactivo", + "playing": "Reproduciendo", "standby": "Apagado" }, + "person": { + "home": "Casa", + "not_home": "Fuera de casa" + }, "plant": { "ok": "OK", "problem": "Problema" @@ -225,34 +347,10 @@ "off": "Apagado", "on": "Encendido" }, - "zwave": { - "default": { - "initializing": "Inicializando", - "dead": "No responde", - "sleeping": "Ahorro de energía", - "ready": "Listo" - }, - "query_stage": { - "initializing": "Inicializando ({query_stage})", - "dead": "No responde ({query_stage})" - } - }, - "weather": { - "clear-night": "Despejado, de noche", - "cloudy": "Nublado", - "fog": "Niebla", - "hail": "Granizo", - "lightning": "Relámpagos", - "lightning-rainy": "Relámpagos, lluvioso", - "partlycloudy": "Parcialmente nublado", - "pouring": "Torrencial", - "rainy": "Lluvioso", - "snowy": "Nevado", - "snowy-rainy": "Nevado, lluvioso", - "sunny": "Soleado", - "windy": "Ventoso", - "windy-variant": "Ventoso", - "exceptional": "Excepcional" + "timer": { + "active": "activo", + "idle": "inactivo", + "paused": "pausado" }, "vacuum": { "cleaning": "Limpiando", @@ -264,210 +362,729 @@ "paused": "En pausa", "returning": "Volviendo a la base" }, - "timer": { - "active": "activo", - "idle": "inactivo", - "paused": "pausado" + "weather": { + "clear-night": "Despejado, de noche", + "cloudy": "Nublado", + "exceptional": "Excepcional", + "fog": "Niebla", + "hail": "Granizo", + "lightning": "Relámpagos", + "lightning-rainy": "Relámpagos, lluvioso", + "partlycloudy": "Parcialmente nublado", + "pouring": "Torrencial", + "rainy": "Lluvioso", + "snowy": "Nevado", + "snowy-rainy": "Nevado, lluvioso", + "sunny": "Soleado", + "windy": "Ventoso", + "windy-variant": "Ventoso" }, - "person": { - "home": "Casa", - "not_home": "Fuera de casa" - } - }, - "state_badge": { - "default": { - "unknown": "?", - "unavailable": "N\/D", - "error": "Error", - "entity_not_found": "Entidad no encontrada" - }, - "alarm_control_panel": { - "armed": "Armado", - "disarmed": "Desarmar", - "armed_home": "Armado", - "armed_away": "Armado", - "armed_night": "Armado", - "pending": "Pendiente", - "arming": "Armando", - "disarming": "Desarmar", - "triggered": "Activada", - "armed_custom_bypass": "Armado" - }, - "device_tracker": { - "home": "En casa", - "not_home": "Fuera" - }, - "person": { - "home": "Casa", - "not_home": "Fuera de casa" + "zwave": { + "default": { + "dead": "No responde", + "initializing": "Inicializando", + "ready": "Listo", + "sleeping": "Ahorro de energía" + }, + "query_stage": { + "dead": "No responde ({query_stage})", + "initializing": "Inicializando ({query_stage})" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Borrado completado", - "add_item": "Añadir artículo", - "microphone_tip": "Pulsa el micrófono en la parte superior derecha y di \"Añadir caramelos a mi lista de la compra\"." + "auth_store": { + "ask": "¿Quieres guardar este inicio de sesión?", + "confirm": "Guardar usuario", + "decline": "No, gracias" + }, + "card": { + "alarm_control_panel": { + "arm_away": "Armar fuera de casa", + "arm_custom_bypass": "Bypass personalizada", + "arm_home": "Armar en casa", + "arm_night": "Armado nocturno", + "armed_custom_bypass": "Armada zona específica", + "clear_code": "Limpiar", + "code": "Código", + "disarm": "Desarmar" }, - "developer-tools": { - "tabs": { - "services": { - "title": "Servicios", - "description": "La herramienta de desarrollo de servicios te permite llamar a cualquier servicio disponible en Home Assistant.", - "data": "Datos del servicio (YAML, opcional)", - "call_service": "Llamar servicio", - "select_service": "Seleccione un servicio para ver la descripción.", - "no_description": "No hay descripción disponible.", - "no_parameters": "Este servicio no toma parámetros.", - "column_parameter": "Parámetro", - "column_description": "Descripción", - "column_example": "Ejemplo", - "fill_example_data": "Rellenar datos de ejemplo", - "alert_parsing_yaml": "Error al analizar YAML: {data}" - }, - "states": { - "title": "Estados", - "description1": "Establecer la representación de un dispositivo dentro de Home Assistant.", - "description2": "Esto no se comunicará con el dispositivo actual.", - "entity": "Entidad", - "state": "Estado", - "attributes": "Atributos", - "state_attributes": "Atributos de estado (YAML, opcional)", - "set_state": "Establecer estado", - "current_entities": "Entidades actuales", - "filter_entities": "Filtrar entidades", - "filter_states": "Filtrar estados", - "filter_attributes": "Filtrar atributos", - "no_entities": "Sin entidades", - "more_info": "Más Información", - "alert_entity_field": "Entidad es un campo obligatorio" - }, - "events": { - "title": "Eventos", - "description": "Disparar un evento en el bus de eventos.", - "documentation": "Documentación de eventos.", - "type": "Tipo de evento", - "data": "Datos del evento (YAML, opcional)", - "fire_event": "Disparar evento", - "event_fired": "Evento {name} disparado", - "available_events": "Eventos disponibles", - "count_listeners": " ({count} oyentes)", - "listen_to_events": "Escuchar eventos", - "listening_to": "Escuchando", - "subscribe_to": "Evento al que suscribirse", - "start_listening": "Empezar a escuchar", - "stop_listening": "Dejar de escuchar", - "alert_event_type": "El tipo de evento es un campo obligatorio.", - "notification_event_fired": "¡Evento {tipe} disparado con éxito!" - }, - "templates": { - "title": "Plantillas", - "description": "Las plantillas se muestran utilizando el motor de plantillas Jinja2 con algunas extensiones específicas de Home Assistant.", - "editor": "Editor de plantillas", - "jinja_documentation": "Documentación de plantilla Jinja2", - "template_extensions": "Extensiones de plantilla de Home Assistant", - "unknown_error_template": "Error desconocido al mostrar la plantilla" - }, - "mqtt": { - "title": "MQTT", - "description_publish": "Publicar un paquete", - "topic": "tema", - "payload": "Payload (plantilla permitida)", - "publish": "Publicar", - "description_listen": "Escuchar un tema", - "listening_to": "Escuchando", - "subscribe_to": "Tema al que suscribirse", - "start_listening": "Empezar a escuchar", - "stop_listening": "Dejar de escuchar", - "message_received": "Mensaje {id} recibido en {topic} a las {time}:" - }, - "info": { - "title": "Información", - "remove": "Eliminar", - "set": "Establecer", - "default_ui": "{action} {name} como página predeterminada en este dispositivo", - "lovelace_ui": "Ir a la interfaz de usuario de Lovelace", - "states_ui": "Ir a la interfaz de usuario de estados", - "home_assistant_logo": "Logotipo de Home Assistant", - "path_configuration": "Ruta a configuration.yaml: {path}", - "developed_by": "Desarrollado por un montón de gente impresionante.", - "license": "Publicado bajo la licencia Apache 2.0", - "source": "Fuente:", - "server": "servidor", - "frontend": "interfaz de usuario", - "built_using": "Construido usando", - "icons_by": "Iconos por", - "frontend_version": "Versión del frontend: {version} - {type}", - "custom_uis": "IU personalizadas:", - "system_health_error": "El componente Salud del sistema no está cargado. Añade 'system_health:' a configuration.yaml" - }, - "logs": { - "title": "Registros", - "details": "Detalles de registro ({level})", - "load_full_log": "Cargar registro completo de Home Assistant", - "loading_log": "Cargando registro de errores...", - "no_errors": "No se han reportado errores.", - "no_issues": "¡No hay nuevos problemas!", - "clear": "Limpiar", - "refresh": "Actualizar", - "multiple_messages": "el mensaje se produjo por primera vez a las {time} y aparece {counter} veces" - } + "automation": { + "last_triggered": "Última activación", + "trigger": "Desencadenar" + }, + "camera": { + "not_available": "Imagen no disponible" + }, + "climate": { + "aux_heat": "Calor auxiliar", + "away_mode": "Fuera de casa", + "cooling": "{name} enfriando", + "current_temperature": "{name} temperatura actual", + "currently": "Actualmente", + "fan_mode": "Modo del ventilador", + "heating": "{name} calentando", + "high": "máximo", + "low": "mínimo", + "on_off": "Encendido \/ Apagado", + "operation": "Modo", + "preset_mode": "Preajuste", + "swing_mode": "Modo de oscilación", + "target_humidity": "Humedad fijada", + "target_temperature": "Temperatura fijada", + "target_temperature_entity": "{name} temperatura objetivo", + "target_temperature_mode": "{name} temperatura objetivo {mode}" + }, + "counter": { + "actions": { + "decrement": "decrementar", + "increment": "incrementar", + "reset": "reiniciar" } }, - "history": { - "showing_entries": "Mostrando entradas del", - "period": "Periodo" + "cover": { + "position": "Posición", + "tilt_position": "Posición inclinada" }, - "logbook": { - "showing_entries": "Mostrando entradas del", - "period": "Periodo" + "fan": { + "direction": "Dirección", + "forward": "Adelante", + "oscillate": "Oscilar", + "reverse": "Inverso", + "speed": "Velocidad" }, - "mailbox": { - "empty": "No tienes ningún mensaje", - "playback_title": "Reproducción de mensajes", - "delete_prompt": "¿Eliminar este mensaje?", - "delete_button": "Eliminar" + "light": { + "brightness": "Brillo", + "color_temperature": "Temperatura del color", + "effect": "Efecto", + "white_value": "Valor de blanco" }, + "lock": { + "code": "Código", + "lock": "Bloquear", + "unlock": "Desbloquear" + }, + "media_player": { + "sound_mode": "Modo de sonido", + "source": "Fuente", + "text_to_speak": "Texto para hablar" + }, + "persistent_notification": { + "dismiss": "Descartar" + }, + "scene": { + "activate": "Activar" + }, + "script": { + "execute": "Ejecutar" + }, + "timer": { + "actions": { + "cancel": "Cancelar", + "finish": "Terminar", + "pause": "Pausar", + "start": "Iniciar" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Reanudar la limpieza", + "return_to_base": "Volver a la base", + "start_cleaning": "Empezar la limpieza", + "turn_off": "Apagar", + "turn_on": "Encender" + } + }, + "water_heater": { + "away_mode": "Modo ausente", + "currently": "Actualmente", + "on_off": "Encendido \/ Apagado", + "operation": "Operación", + "target_temperature": "Temperatura deseada" + }, + "weather": { + "attributes": { + "air_pressure": "Presión del aire", + "humidity": "Humedad", + "temperature": "Temperatura", + "visibility": "Visibilidad", + "wind_speed": "Velocidad del viento" + }, + "cardinal_direction": { + "e": "E", + "ene": "ENE", + "ese": "ESE", + "n": "N", + "ne": "NE", + "nne": "NNE", + "nnw": "NNO", + "nw": "NO", + "s": "S", + "se": "SE", + "sse": "SSE", + "ssw": "SSO", + "sw": "SO", + "w": "O", + "wnw": "ONO", + "wsw": "OSO" + }, + "forecast": "Pronóstico" + } + }, + "common": { + "cancel": "Cancelar", + "loading": "Cargando", + "save": "Guardar", + "successfully_saved": "Guardado correctamente" + }, + "components": { + "device-picker": { + "clear": "Limpiar", + "show_devices": "Mostrar dispositivos" + }, + "entity": { + "entity-picker": { + "clear": "Limpiar", + "entity": "Entidad", + "show_entities": "Mostrar entidades" + } + }, + "history_charts": { + "loading_history": "Cargando historial de estado...", + "no_history_found": "No se encontró historial de estado." + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\none {día}\\nother {días}\\n}", + "hour": "{count} {count, plural,\\none {hora}\\nother {horas}\\n}", + "minute": "{count} {count, plural,\\none {minuto}\\nother {minutos}\\n}", + "second": "{count} {count, plural,\\none {segundo}\\nother {segundos}\\n}", + "week": "{count} {count, plural,\\none {semana}\\nother {semanas}\\n}" + }, + "future": "En {time}", + "never": "Nunca", + "past": "Hace {time}" + }, + "service-picker": { + "service": "Servicio" + } + }, + "dialogs": { + "config_entry_system_options": { + "enable_new_entities_description": "Si está deshabilitada, las nuevas entidades que se descubran para {integration} no se agregarán automáticamente a Home Assistant.", + "enable_new_entities_label": "Activar entidades recién añadidas.", + "title": "Opciones del sistema para {integration}" + }, + "confirmation": { + "cancel": "Cancelar", + "ok": "OK", + "title": "¿Estás seguro?" + }, + "more_info_control": { + "script": { + "last_action": "Última acción" + }, + "sun": { + "elevation": "Elevación", + "rising": "Salida del sol", + "setting": "Puesta de sol" + }, + "updater": { + "title": "Instrucciones de actualización" + } + }, + "more_info_settings": { + "entity_id": "Identificación de la entidad", + "name": "Cambio de nombre", + "save": "Guardar" + }, + "options_flow": { + "form": { + "header": "Opciones" + }, + "success": { + "description": "Las opciones se guardaron correctamente." + } + }, + "zha_device_info": { + "buttons": { + "add": "Añadir dispositivos", + "reconfigure": "Reconfigurar dispositivo", + "remove": "Eliminar dispositivos" + }, + "last_seen": "Ultima vez visto", + "manuf": "por {manufacturer}", + "no_area": "Ningún área", + "power_source": "Fuente de alimentación", + "quirk": "Peculiaridad", + "services": { + "reconfigure": "Reconfigura el dispositivo ZHA (curar dispositivo). Usa esto si tienes problemas con el dispositivo. Si el dispositivo en cuestión es un dispositivo alimentado por batería, asegúrate de que está activo y aceptando comandos cuando uses este servicio.", + "remove": "Eliminar un dispositivo de la red Zigbee.", + "updateDeviceName": "Establece un nombre personalizado para este dispositivo en el registro de dispositivos." + }, + "unknown": "Desconocido", + "zha_device_card": { + "area_picker_label": "Área", + "device_name_placeholder": "Nombre dado por el usuario", + "update_name_button": "Cambiar nombre" + } + } + }, + "duration": { + "day": "{count} {count, plural,\\none {día}\\nother {días}\\n}", + "hour": "{count} {count, plural,\\nuna {hora}\\nother {horas}\\n}", + "minute": "{count} {count, plural,\\none {minuto}\\nother {minutos}\\n}", + "second": "{count} {count, plural,\\none {segundo}\\nother {segundos}\\n}", + "week": "{count} {count, plural,\\none {semana}\\nother {semanas}\\n}" + }, + "login-form": { + "log_in": "Iniciar sesión", + "password": "Contraseña", + "remember": "Recordar" + }, + "notification_drawer": { + "click_to_configure": "Haz clic en el botón para configurar {entity}", + "empty": "Sin Notificaciones", + "title": "Notificaciones" + }, + "notification_toast": { + "connection_lost": "Conexión perdida. Reconectando...", + "entity_turned_off": "Apagado {entity}.", + "entity_turned_on": "Encendido {entity}.", + "service_call_failed": "Error al llamar al servicio {service}.", + "service_called": "Servicio {service} llamado.", + "triggered": "Activado {nombre}" + }, + "panel": { "config": { - "header": "Configurar Home Assistant", - "introduction": "Aquí puedes configurar tus componentes y Home Assistant. Aún no es posible configurar todo desde la interfaz de usuario, pero estamos trabajando en ello.", + "area_registry": { + "caption": "Registro de área", + "create_area": "CREAR ÁREA", + "description": "Visión general de todas las áreas de tu casa.", + "editor": { + "create": "CREAR", + "default_name": "Área Nueva", + "delete": "BORRAR", + "update": "ACTUALIZAR" + }, + "no_areas": "¡Parece que no tienes áreas!", + "picker": { + "create_area": "CREAR ÁREA", + "header": "Registro de Área", + "integrations_page": "Integraciones", + "introduction": "Las áreas se utilizan para organizar dónde están los dispositivos. Esta información se utilizará en todo Home Assistant para ayudarte a organizar tu interfaz, permisos e integraciones con otros sistemas.", + "introduction2": "Para colocar dispositivos en un área, utiliza el siguiente enlace para navegar a la página de integraciones y luego haz clic en una integración configurada para llegar a las tarjetas de dispositivos.", + "no_areas": "¡Parece que aún no tienes áreas!" + } + }, + "automation": { + "caption": "Automatización", + "description": "Crear y editar automatizaciones", + "editor": { + "actions": { + "add": "Añadir acción", + "delete": "Eliminar", + "delete_confirm": "¿Seguro que quieres eliminarlo?", + "duplicate": "Duplicar", + "header": "Acciones", + "introduction": "Las acciones son lo que hará Home Assistant cuando se desencadene la automatización.", + "learn_more": "Aprende más sobre las acciones.", + "type_select": "Tipo de acción", + "type": { + "condition": { + "label": "Condición" + }, + "delay": { + "delay": "Retardo", + "label": "Retardo" + }, + "device_id": { + "extra_fields": { + "code": "Código" + }, + "label": "Dispositivo" + }, + "event": { + "event": "Evento:", + "label": "Disparar evento", + "service_data": "Datos de servicio" + }, + "scene": { + "label": "Activar escena" + }, + "service": { + "label": "Llamar servicio", + "service_data": "Datos de servicio" + }, + "wait_template": { + "label": "Esperar", + "timeout": "Límite de tiempo (opcional)", + "wait_template": "Plantilla de espera" + } + }, + "unsupported_action": "Acción no admitida: {action}" + }, + "alias": "Nombre", + "conditions": { + "add": "Añadir condición", + "delete": "Eliminar", + "delete_confirm": "¿Seguro que quieres eliminarlo?", + "duplicate": "Duplicar", + "header": "Condiciones", + "introduction": "Las condiciones son una parte opcional de una regla de automatización y se pueden utilizar para evitar que se produzca una acción cuando se desencadena la automatización. Las condiciones se parecen mucho a los desencadenantes, pero son muy diferentes. Un desencadenante analizará los eventos que ocurren en el sistema en cualquier momento, mientras que una condición solo analiza cómo está el sistema en un momento en concreto. Un desencadenante puede detectar que se está activando un interruptor. Una condición solo puede detectar si un interruptor está encendido o apagado.", + "learn_more": "Aprende más sobre las condiciones", + "type_select": "Tipo de condición", + "type": { + "and": { + "label": "Y" + }, + "device": { + "extra_fields": { + "above": "Por encima de", + "below": "Por debajo de", + "for": "Duración" + }, + "label": "Dispositivo" + }, + "numeric_state": { + "above": "Por encima de", + "below": "Por debajo de", + "label": "Estado numérico", + "value_template": "Valor de la plantilla (opcional)" + }, + "or": { + "label": "O" + }, + "state": { + "label": "Estado", + "state": "Estado" + }, + "sun": { + "after": "Después de:", + "after_offset": "Tiempo después (opcional)", + "before": "Antes de:", + "before_offset": "Tiempo antes (opcional)", + "label": "Sol", + "sunrise": "Amanecer", + "sunset": "Puesta de sol" + }, + "template": { + "label": "Plantilla", + "value_template": "Valor de la plantilla" + }, + "time": { + "after": "Después de", + "before": "Antes de", + "label": "Hora" + }, + "zone": { + "entity": "Entidad con la ubicación", + "label": "Zona", + "zone": "Zona" + } + }, + "unsupported_condition": "Condición no admitida: {condition}" + }, + "default_name": "Nueva automatización", + "description": { + "label": "Descripción", + "placeholder": "Descripción opcional" + }, + "introduction": "Utiliza automatizaciones para darle vida a tu hogar.", + "load_error_not_editable": "Solo las automatizaciones en automations.yaml son editables.", + "load_error_unknown": "Error al cargar la automatización ({err_no}).", + "save": "Guardar", + "triggers": { + "add": "Añadir desencadenante", + "delete": "Eliminar", + "delete_confirm": "¿Seguro que quieres eliminarlo?", + "duplicate": "Duplicar", + "header": "Desencadenantes", + "introduction": "Los desencadenantes son los que inician el funcionamiento de una regla de automatización. Es posible especificar varios desencadenantes para la misma regla. Una vez que se inicia un desencadenante, Home Assistant comprobará las condiciones, si las hubiere, y ejecutará la acción.", + "learn_more": "Aprende más sobre los desencadenantes", + "type_select": "Tipo de desencadenante", + "type": { + "device": { + "extra_fields": { + "above": "Por encima de", + "below": "Por debajo de", + "for": "Duración" + }, + "label": "Dispositivo" + }, + "event": { + "event_data": "Datos del evento", + "event_type": "Tipo de evento", + "label": "Evento" + }, + "geo_location": { + "enter": "Entrar", + "event": "Evento:", + "label": "Geolocalización", + "leave": "Salir", + "source": "Fuente", + "zone": "Zona" + }, + "homeassistant": { + "event": "Evento:", + "label": "Home Assistant", + "shutdown": "Apagado", + "start": "Arranque" + }, + "mqtt": { + "label": "MQTT", + "payload": "Payload (opcional)", + "topic": "Topic" + }, + "numeric_state": { + "above": "Por encima de", + "below": "Por debajo de", + "label": "Estado numérico", + "value_template": "Valor de la plantilla (opcional)" + }, + "state": { + "for": "Durante", + "from": "De", + "label": "Estado", + "to": "A" + }, + "sun": { + "event": "Evento:", + "label": "Sol", + "offset": "Desfase (opcional)", + "sunrise": "Amanecer", + "sunset": "Puesta de sol" + }, + "template": { + "label": "Plantilla", + "value_template": "Valor de la plantilla" + }, + "time_pattern": { + "hours": "Horas", + "label": "Patrón de tiempo", + "minutes": "Minutos", + "seconds": "Segundos" + }, + "time": { + "at": "A las", + "label": "Hora" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "ID de webhook" + }, + "zone": { + "enter": "Entrar", + "entity": "Entidad con la ubicación", + "event": "Evento:", + "label": "Zona", + "leave": "Salir", + "zone": "Zona" + } + }, + "unsupported_platform": "Plataforma no admitida: {platform}" + }, + "unsaved_confirm": "Tienes cambios sin guardar. ¿Estás seguro de que quieres salir?" + }, + "picker": { + "add_automation": "Añadir automatización", + "header": "Editor de automatización", + "introduction": "El editor de automatización te permite crear y editar automatizaciones. En el enlace siguiente puedes leer las instrucciones para asegurarte de que has configurado correctamente Home Assistant.", + "learn_more": "Aprende más sobre las automatizaciones", + "no_automations": "No pudimos encontrar ninguna automatización editable", + "pick_automation": "Elije la automatización para editar" + } + }, + "cloud": { + "account": { + "alexa": { + "config_documentation": "Documentación de configuración", + "disable": "deshabilitar", + "enable": "activar", + "enable_ha_skill": "Habilita la skill Home Assistant para Alexa", + "enable_state_reporting": "Habilitar informes de estado", + "info": "Con la integración de Alexa para Home Assistant Cloud podrás controlar todos tus dispositivos Home Assistant a través de cualquier dispositivo habilitado para Alexa.", + "info_state_reporting": "Si habilitas los informes de estado, Home Assistant enviará todos los cambios de estado de las entidades expuestas a Amazon. Esto te permite ver siempre los estados más recientes en la aplicación Alexa y usar los cambios de estado para crear rutinas.", + "manage_entities": "Administrar entidades", + "state_reporting_error": "No se puede {enable_disable} informar el estado.", + "sync_entities": "Sincronizar entidades", + "sync_entities_error": "Error al sincronizar entidades:", + "title": "Alexa" + }, + "connected": "Conectado", + "connection_status": "Estado de conexión a la nube", + "fetching_subscription": "Obteniendo suscripción ...", + "google": { + "config_documentation": "Documentación de configuración", + "devices_pin": "Pin de dispositivos de seguridad", + "enable_ha_skill": "Activa la skill de Home Assistant para el Asistente de Google", + "enable_state_reporting": "Habilitar informes de estado", + "enter_pin_error": "No se puede almacenar el pin:", + "enter_pin_hint": "Introduce un PIN para utilizar dispositivos de seguridad", + "enter_pin_info": "Por favor, introduce un pin para interactuar con los dispositivos de seguridad. Los dispositivos de seguridad son puertas, puertas de garaje y cerraduras. Se te pedirá que digas\/introduzcas este pin cuando interactúes con dichos dispositivos a través del Asistente de Google.", + "info": "Con la integración del Asistente de Google para Home Assistant Cloud, podrás controlar todos tus dispositivos Home Assistant a través de cualquier dispositivo habilitado para Asistente de Google.", + "info_state_reporting": "Si habilitas los informes de estado, Home Assistant enviará todos los cambios de estado de las entidades expuestas a Google. Esto te permite ver siempre los últimos estados en la aplicación de Google.", + "manage_entities": "Administrar entidades", + "security_devices": "Dispositivos de seguridad", + "sync_entities": "Sincronizar entidades con Google", + "title": "Asistente de Google" + }, + "integrations": "Integraciones", + "integrations_introduction": "Las integraciones para Home Assistant Cloud te permiten conectarte con servicios en la nube sin tener que exponer tu instancia de Home Assistant públicamente en Internet.", + "integrations_introduction2": "Consulte el sitio web para", + "integrations_link_all_features": "todas las funciones disponibles", + "manage_account": "Administrar cuenta", + "nabu_casa_account": "Cuenta Nabu Casa", + "not_connected": "No conectado", + "remote": { + "access_is_being_prepared": "Se está preparando el acceso remoto. Te avisaremos cuando esté listo.", + "certificate_info": "Información del certificado", + "info": "Home Assistant Cloud proporciona una conexión remota segura a tu instancia mientras estás fuera de casa.", + "instance_is_available": "Tu instancia está disponible en", + "instance_will_be_available": "Tu instancia estará disponible en", + "link_learn_how_it_works": "Aprende cómo funciona", + "title": "Control remoto" + }, + "sign_out": "Cerrar sesión", + "thank_you_note": "Gracias por ser parte de Home Assistant Cloud. Gracias a personas como tú, podemos hacer una gran experiencia de automatización del hogar para todos. ¡Gracias!", + "webhooks": { + "disable_hook_error_msg": "No se pudo deshabilitar el webhook:", + "info": "Cualquier cosa que esté configurada para ser activada por un webhook puede recibir una URL de acceso público para permitirte enviar datos a Home Assistant desde cualquier lugar, sin exponer tu instancia a Internet.", + "link_learn_more": "Obtenga más información sobre la creación de automatizaciones basadas en webhook.", + "loading": "Cargando ...", + "manage": "Administrar", + "no_hooks_yet": "Parece que todavía no tienes webhooks. Comienza configurando un", + "no_hooks_yet_link_automation": "automatización de webhook", + "no_hooks_yet_link_integration": "integración basada en webhook", + "no_hooks_yet2": " o mediante la creación de un ", + "title": "Webhooks" + } + }, + "alexa": { + "banner": "La edición de las entidades expuestas a través de esta IU está deshabilitada porque ha configurado filtros de entidad en configuration.yaml.", + "expose": "Exponer a Alexa", + "exposed_entities": "Entidades expuestas", + "not_exposed_entities": "Entidades no expuestas", + "title": "Alexa" + }, + "caption": "Nube Home Assistant", + "description_features": "Control fuera de casa, integración con Alexa y Google Assistant.", + "description_login": "Has iniciado sesión como {email}", + "description_not_login": "No has iniciado sesión", + "dialog_certificate": { + "certificate_expiration_date": "Fecha de vencimiento del certificado", + "certificate_information": "Información del certificado", + "close": "Cerrar", + "fingerprint": "Huella digital del certificado:", + "will_be_auto_renewed": "Se renovará automáticamente" + }, + "dialog_cloudhook": { + "available_at": "El webhook está disponible en la siguiente url:", + "close": "Cerrar", + "confirm_disable": "¿Seguro que quieres deshabilitar este webhook?", + "copied_to_clipboard": "Copiado al portapapeles", + "info_disable_webhook": "Si ya no quieres usar este webhook, puedes", + "link_disable_webhook": "deshabilitarlo", + "managed_by_integration": "Este webhook se administra mediante una integración y no se puede deshabilitar.", + "view_documentation": "Ver documentación", + "webhook_for": "Webhook para {name}" + }, + "forgot_password": { + "check_your_email": "Consulta tu correo electrónico para obtener instrucciones sobre cómo restablecer tu contraseña.", + "email": "Correo electrónico", + "email_error_msg": "Correo electrónico no válido", + "instructions": "Introduce tu dirección de correo electrónico y te enviaremos un enlace para restablecer tu contraseña.", + "send_reset_email": "Enviar correo electrónico de restablecimiento", + "subtitle": "Olvidaste tu contraseña", + "title": "Se te olvidó tu contraseña" + }, + "google": { + "banner": "La edición de las entidades expuestas a través de esta IU está deshabilitada porque ha configurado filtros de entidad en configuration.yaml.", + "disable_2FA": "Deshabilitar la autenticación de dos factores", + "expose": "Exponer al Asistente de Google", + "exposed_entities": "Entidades expuestas", + "not_exposed_entities": "Entidades no expuestas", + "sync_to_google": "Sincronización de cambios a Google.", + "title": "Asistente de Google" + }, + "login": { + "alert_email_confirm_necessary": "Debes confirmar tu correo electrónico antes de iniciar sesión.", + "alert_password_change_required": "Debes cambiar tu contraseña antes de iniciar sesión.", + "dismiss": "Descartar", + "email": "Correo electrónico", + "email_error_msg": "Correo electrónico no válido", + "forgot_password": "¿Se te olvidó tu contraseña?", + "introduction": "Home Assistant Cloud te proporciona una conexión remota segura a tu instancia mientras estás fuera de casa. También te permite conectarte con servicios solo en la nube: Amazon Alexa y Google Assistant.", + "introduction2": "Este servicio está a cargo de nuestro socio.", + "introduction2a": ", una compañía fundada por los fundadores de Home Assistant y Hass.io.", + "introduction3": "Home Assistant Cloud es un servicio de suscripción con una prueba gratuita de un mes. No se necesita información de pago.", + "learn_more_link": "Más información sobre Home Assistant Cloud", + "password": "Contraseña", + "password_error_msg": "Las contraseñas tienen al menos 8 caracteres.", + "sign_in": "Inicia sesión", + "start_trial": "Comienza tu prueba gratuita de 1 mes", + "title": "Inicio de sesión en la nube", + "trial_info": "No se necesita información de pago" + }, + "register": { + "account_created": "¡Cuenta creada! Consulta tu correo electrónico para obtener instrucciones sobre cómo activar tu cuenta.", + "create_account": "Crear una cuenta", + "email_address": "Dirección de correo electrónico", + "email_error_msg": "Correo electrónico no válido", + "feature_amazon_alexa": "Integración con Amazon Alexa", + "feature_google_home": "Integración con el Asistente de Google", + "feature_remote_control": "Control de Home Assistant fuera de casa", + "feature_webhook_apps": "Fácil integración con aplicaciones basadas en webhook como OwnTracks", + "headline": "Comienza tu prueba gratuita", + "information": "Crea una cuenta para comenzar tu prueba gratuita de un mes con Home Assistant Cloud. No se necesita información de pago.", + "information2": "La versión de prueba te dará acceso a todos los beneficios de Home Assistant Cloud, incluyendo:", + "information3": "Este servicio está a cargo de nuestro socio.", + "information3a": ", una compañía fundada por los fundadores de Home Assistant y Hass.io.", + "information4": "Al registrar una cuenta, aceptas los siguientes términos y condiciones.", + "link_privacy_policy": "Política de privacidad", + "link_terms_conditions": "Términos y condiciones", + "password": "Contraseña", + "password_error_msg": "Las contraseñas tienen al menos 8 caracteres.", + "resend_confirm_email": "Reenviar correo electrónico de confirmación", + "start_trial": "Iniciar prueba", + "title": "Registrar cuenta" + } + }, + "common": { + "editor": { + "confirm_unsaved": "Tienes cambios sin guardar. ¿Estás seguro de que quieres salir?" + } + }, "core": { "caption": "Configuración general", "description": "Cambiar la configuración general de Home Assistant", "section": { "core": { - "header": "Configuración general", - "introduction": "Cambiar tu configuración puede ser un proceso tedioso. Lo sabemos. Esta sección tratará de hacer tu vida un poco más fácil.", "core_config": { "edit_requires_storage": "Editor deshabilitado debido a la configuración almacenada en configuration.yaml.", - "location_name": "Nombre de tu instalación de Home Assistant", - "latitude": "Latitud", - "longitude": "Longitud", "elevation": "Altitud", "elevation_meters": "metros", + "imperial_example": "Fahrenheit, libras", + "latitude": "Latitud", + "location_name": "Nombre de tu instalación de Home Assistant", + "longitude": "Longitud", + "metric_example": "Celsius, kilogramos", + "save_button": "Guardar", "time_zone": "Zona horaria", "unit_system": "Sistema de unidades", "unit_system_imperial": "Imperial", - "unit_system_metric": "Métrico", - "imperial_example": "Fahrenheit, libras", - "metric_example": "Celsius, kilogramos", - "save_button": "Guardar" - } + "unit_system_metric": "Métrico" + }, + "header": "Configuración general", + "introduction": "Cambiar tu configuración puede ser un proceso tedioso. Lo sabemos. Esta sección tratará de hacer tu vida un poco más fácil." }, "server_control": { - "validation": { - "heading": "Validación de la configuración", - "introduction": "Valida tu configuración si has realizado cambios recientemente y quieres asegurarte de que son correctos", - "check_config": "Verificar la configuración", - "valid": "¡Configuración valida!", - "invalid": "Configuración no válida" - }, "reloading": { - "heading": "Recargando la configuración", - "introduction": "Algunas partes de Home Assistant pueden recargarse sin necesidad de reiniciar. Al pulsar en recargar se descartará la configuración actual y se cargará la nueva.", + "automation": "Recargar automatizaciones", "core": "Recargar núcleo", "group": "Recargar grupos", - "automation": "Recargar automatizaciones", + "heading": "Recargando la configuración", + "introduction": "Algunas partes de Home Assistant pueden recargarse sin necesidad de reiniciar. Al pulsar en recargar se descartará la configuración actual y se cargará la nueva.", "script": "Recargar los scripts" }, "server_management": { @@ -475,6 +1092,13 @@ "introduction": "Controla tu servidor de Home Assistant ... desde Home Assistant.", "restart": "Reiniciar", "stop": "Detener" + }, + "validation": { + "check_config": "Verificar la configuración", + "heading": "Validación de la configuración", + "introduction": "Valida tu configuración si has realizado cambios recientemente y quieres asegurarte de que son correctos", + "invalid": "Configuración no válida", + "valid": "¡Configuración valida!" } } } @@ -487,507 +1111,69 @@ "introduction": "Ajustar los atributos de cada entidad. Las personalizaciones añadidas\/editadas tendrán efecto inmediatamente. Las personalizaciones eliminadas tendrán efecto cuando la entidad se actualice." } }, - "automation": { - "caption": "Automatización", - "description": "Crear y editar automatizaciones", - "picker": { - "header": "Editor de automatización", - "introduction": "El editor de automatización te permite crear y editar automatizaciones. En el enlace siguiente puedes leer las instrucciones para asegurarte de que has configurado correctamente Home Assistant.", - "pick_automation": "Elije la automatización para editar", - "no_automations": "No pudimos encontrar ninguna automatización editable", - "add_automation": "Añadir automatización", - "learn_more": "Aprende más sobre las automatizaciones" - }, - "editor": { - "introduction": "Utiliza automatizaciones para darle vida a tu hogar.", - "default_name": "Nueva automatización", - "save": "Guardar", - "unsaved_confirm": "Tienes cambios sin guardar. ¿Estás seguro de que quieres salir?", - "alias": "Nombre", - "triggers": { - "header": "Desencadenantes", - "introduction": "Los desencadenantes son los que inician el funcionamiento de una regla de automatización. Es posible especificar varios desencadenantes para la misma regla. Una vez que se inicia un desencadenante, Home Assistant comprobará las condiciones, si las hubiere, y ejecutará la acción.", - "add": "Añadir desencadenante", - "duplicate": "Duplicar", - "delete": "Eliminar", - "delete_confirm": "¿Seguro que quieres eliminarlo?", - "unsupported_platform": "Plataforma no admitida: {platform}", - "type_select": "Tipo de desencadenante", - "type": { - "event": { - "label": "Evento", - "event_type": "Tipo de evento", - "event_data": "Datos del evento" - }, - "state": { - "label": "Estado", - "from": "De", - "to": "A", - "for": "Durante" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Evento:", - "start": "Arranque", - "shutdown": "Apagado" - }, - "mqtt": { - "label": "MQTT", - "topic": "Topic", - "payload": "Payload (opcional)" - }, - "numeric_state": { - "label": "Estado numérico", - "above": "Por encima de", - "below": "Por debajo de", - "value_template": "Valor de la plantilla (opcional)" - }, - "sun": { - "label": "Sol", - "event": "Evento:", - "sunrise": "Amanecer", - "sunset": "Puesta de sol", - "offset": "Desfase (opcional)" - }, - "template": { - "label": "Plantilla", - "value_template": "Valor de la plantilla" - }, - "time": { - "label": "Hora", - "at": "A las" - }, - "zone": { - "label": "Zona", - "entity": "Entidad con la ubicación", - "zone": "Zona", - "event": "Evento:", - "enter": "Entrar", - "leave": "Salir" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "ID de webhook" - }, - "time_pattern": { - "label": "Patrón de tiempo", - "hours": "Horas", - "minutes": "Minutos", - "seconds": "Segundos" - }, - "geo_location": { - "label": "Geolocalización", - "source": "Fuente", - "zone": "Zona", - "event": "Evento:", - "enter": "Entrar", - "leave": "Salir" - }, - "device": { - "label": "Dispositivo", - "extra_fields": { - "above": "Por encima de", - "below": "Por debajo de", - "for": "Duración" - } - } - }, - "learn_more": "Aprende más sobre los desencadenantes" + "devices": { + "automation": { + "actions": { + "caption": "Cuando algo se activa...." }, "conditions": { - "header": "Condiciones", - "introduction": "Las condiciones son una parte opcional de una regla de automatización y se pueden utilizar para evitar que se produzca una acción cuando se desencadena la automatización. Las condiciones se parecen mucho a los desencadenantes, pero son muy diferentes. Un desencadenante analizará los eventos que ocurren en el sistema en cualquier momento, mientras que una condición solo analiza cómo está el sistema en un momento en concreto. Un desencadenante puede detectar que se está activando un interruptor. Una condición solo puede detectar si un interruptor está encendido o apagado.", - "add": "Añadir condición", - "duplicate": "Duplicar", - "delete": "Eliminar", - "delete_confirm": "¿Seguro que quieres eliminarlo?", - "unsupported_condition": "Condición no admitida: {condition}", - "type_select": "Tipo de condición", - "type": { - "state": { - "label": "Estado", - "state": "Estado" - }, - "numeric_state": { - "label": "Estado numérico", - "above": "Por encima de", - "below": "Por debajo de", - "value_template": "Valor de la plantilla (opcional)" - }, - "sun": { - "label": "Sol", - "before": "Antes de:", - "after": "Después de:", - "before_offset": "Tiempo antes (opcional)", - "after_offset": "Tiempo después (opcional)", - "sunrise": "Amanecer", - "sunset": "Puesta de sol" - }, - "template": { - "label": "Plantilla", - "value_template": "Valor de la plantilla" - }, - "time": { - "label": "Hora", - "after": "Después de", - "before": "Antes de" - }, - "zone": { - "label": "Zona", - "entity": "Entidad con la ubicación", - "zone": "Zona" - }, - "device": { - "label": "Dispositivo", - "extra_fields": { - "above": "Por encima de", - "below": "Por debajo de", - "for": "Duración" - } - }, - "and": { - "label": "Y" - }, - "or": { - "label": "O" - } - }, - "learn_more": "Aprende más sobre las condiciones" + "caption": "Sólo hacer algo si..." }, - "actions": { - "header": "Acciones", - "introduction": "Las acciones son lo que hará Home Assistant cuando se desencadene la automatización.", - "add": "Añadir acción", - "duplicate": "Duplicar", - "delete": "Eliminar", - "delete_confirm": "¿Seguro que quieres eliminarlo?", - "unsupported_action": "Acción no admitida: {action}", - "type_select": "Tipo de acción", - "type": { - "service": { - "label": "Llamar servicio", - "service_data": "Datos de servicio" - }, - "delay": { - "label": "Retardo", - "delay": "Retardo" - }, - "wait_template": { - "label": "Esperar", - "wait_template": "Plantilla de espera", - "timeout": "Límite de tiempo (opcional)" - }, - "condition": { - "label": "Condición" - }, - "event": { - "label": "Disparar evento", - "event": "Evento:", - "service_data": "Datos de servicio" - }, - "device_id": { - "label": "Dispositivo", - "extra_fields": { - "code": "Código" - } - }, - "scene": { - "label": "Activar escena" - } - }, - "learn_more": "Aprende más sobre las acciones." - }, - "load_error_not_editable": "Solo las automatizaciones en automations.yaml son editables.", - "load_error_unknown": "Error al cargar la automatización ({err_no}).", - "description": { - "label": "Descripción", - "placeholder": "Descripción opcional" - } - } - }, - "script": { - "caption": "Scripts", - "description": "Crear y editar scripts", - "picker": { - "header": "Editor de scripts", - "introduction": "El editor de scripts te permite crear y editar scripts. Por favor, sigue el siguiente enlace para leer las instrucciones para asegurarte de que has configurado Home Assistant correctamente.", - "learn_more": "Más información sobre los scripts", - "no_scripts": "No hemos encontrado ningún script editable", - "add_script": "Añadir script" - }, - "editor": { - "header": "Script: {name}", - "default_name": "Nuevo script", - "load_error_not_editable": "Solo los scripts dentro de scripts.yaml son editables.", - "delete_confirm": "¿Seguro que quieres eliminar este script?" - } - }, - "zwave": { - "caption": "Z-Wave", - "description": "Gestiona tu red Z-Wave", - "network_management": { - "header": "Gestión de red Z-Wave", - "introduction": "Ejecutar comandos que afectan a la red Z-Wave. No recibirás comentarios sobre si la mayoría de los comandos tuvieron éxito, pero puedes consultar el Registro OZW para intentar averiguarlo." - }, - "network_status": { - "network_stopped": "Red Z-Wave detenida", - "network_starting": "Iniciando red Z-Wave...", - "network_starting_note": "Esto puede llevar un tiempo dependiendo del tamaño de tu red.", - "network_started": "Red Z-Wave iniciada", - "network_started_note_some_queried": "Se han consultado nodos despiertos. Los nodos dormidos serán consultados cuando se despierten.", - "network_started_note_all_queried": "Se han consultado todos los nodos." - }, - "services": { - "start_network": "Iniciar red", - "stop_network": "Detener red", - "heal_network": "Sanar red", - "test_network": "Probar red", - "soft_reset": "Reinicio suave", - "save_config": "Guardar configuración", - "add_node_secure": "Añadir nodo seguro", - "add_node": "Añadir nodo", - "remove_node": "Eliminar nodo", - "cancel_command": "Cancelar comando" - }, - "common": { - "value": "Valor", - "instance": "Instancia", - "index": "Índice", - "unknown": "Desconocido", - "wakeup_interval": "Intervalo de activación" - }, - "values": { - "header": "Valores del nodo" - }, - "node_config": { - "header": "Opciones de configuración de nodo", - "seconds": "segundos", - "set_wakeup": "Configurar el intervalo de activación", - "config_parameter": "Parámetro de configuración", - "config_value": "Valor de configuración", - "true": "Verdadero", - "false": "Falso", - "set_config_parameter": "Establecer parámetro de configuración" - }, - "learn_more": "Obtenga más información sobre Z-Wave", - "ozw_log": { - "header": "OZW Log", - "introduction": "Ver el registro. 0 es el mínimo (carga el registro completo) y 1000 es el máximo. Load mostrará un registro estático y tail se actualizará automáticamente con el último número especificado de líneas del registro." - } - }, - "users": { - "caption": "Usuarios", - "description": "Administrar usuarios", - "picker": { - "title": "Usuarios", - "system_generated": "Generado por el sistema" - }, - "editor": { - "rename_user": "Renombrar usuario", - "change_password": "Cambiar la contraseña", - "activate_user": "Activar usuario", - "deactivate_user": "Desactivar usuario", - "delete_user": "Borrar usuario", - "caption": "Ver usuario", - "id": "ID", - "owner": "Propietario", - "group": "Grupo", - "active": "Activo", - "system_generated": "Generado por el sistema", - "system_generated_users_not_removable": "No se pueden eliminar los usuarios generados por el sistema.", - "unnamed_user": "Usuario sin nombre", - "enter_new_name": "Introduzca un nuevo nombre", - "user_rename_failed": "El cambio de nombre del usuario falló:", - "group_update_failed": "La actualización del grupo falló:", - "confirm_user_deletion": "¿Seguro que quieres eliminar {name}?" - }, - "add_user": { - "caption": "Añadir usuario", - "name": "Nombre", - "username": "Nombre de usuario", - "password": "Contraseña", - "create": "Crear" - } - }, - "cloud": { - "caption": "Nube Home Assistant", - "description_login": "Has iniciado sesión como {email}", - "description_not_login": "No has iniciado sesión", - "description_features": "Control fuera de casa, integración con Alexa y Google Assistant.", - "login": { - "title": "Inicio de sesión en la nube", - "introduction": "Home Assistant Cloud te proporciona una conexión remota segura a tu instancia mientras estás fuera de casa. También te permite conectarte con servicios solo en la nube: Amazon Alexa y Google Assistant.", - "introduction2": "Este servicio está a cargo de nuestro socio.", - "introduction2a": ", una compañía fundada por los fundadores de Home Assistant y Hass.io.", - "introduction3": "Home Assistant Cloud es un servicio de suscripción con una prueba gratuita de un mes. No se necesita información de pago.", - "learn_more_link": "Más información sobre Home Assistant Cloud", - "dismiss": "Descartar", - "sign_in": "Inicia sesión", - "email": "Correo electrónico", - "email_error_msg": "Correo electrónico no válido", - "password": "Contraseña", - "password_error_msg": "Las contraseñas tienen al menos 8 caracteres.", - "forgot_password": "¿Se te olvidó tu contraseña?", - "start_trial": "Comienza tu prueba gratuita de 1 mes", - "trial_info": "No se necesita información de pago", - "alert_password_change_required": "Debes cambiar tu contraseña antes de iniciar sesión.", - "alert_email_confirm_necessary": "Debes confirmar tu correo electrónico antes de iniciar sesión." - }, - "forgot_password": { - "title": "Se te olvidó tu contraseña", - "subtitle": "Olvidaste tu contraseña", - "instructions": "Introduce tu dirección de correo electrónico y te enviaremos un enlace para restablecer tu contraseña.", - "email": "Correo electrónico", - "email_error_msg": "Correo electrónico no válido", - "send_reset_email": "Enviar correo electrónico de restablecimiento", - "check_your_email": "Consulta tu correo electrónico para obtener instrucciones sobre cómo restablecer tu contraseña." - }, - "register": { - "title": "Registrar cuenta", - "headline": "Comienza tu prueba gratuita", - "information": "Crea una cuenta para comenzar tu prueba gratuita de un mes con Home Assistant Cloud. No se necesita información de pago.", - "information2": "La versión de prueba te dará acceso a todos los beneficios de Home Assistant Cloud, incluyendo:", - "feature_remote_control": "Control de Home Assistant fuera de casa", - "feature_google_home": "Integración con el Asistente de Google", - "feature_amazon_alexa": "Integración con Amazon Alexa", - "feature_webhook_apps": "Fácil integración con aplicaciones basadas en webhook como OwnTracks", - "information3": "Este servicio está a cargo de nuestro socio.", - "information3a": ", una compañía fundada por los fundadores de Home Assistant y Hass.io.", - "information4": "Al registrar una cuenta, aceptas los siguientes términos y condiciones.", - "link_terms_conditions": "Términos y condiciones", - "link_privacy_policy": "Política de privacidad", - "create_account": "Crear una cuenta", - "email_address": "Dirección de correo electrónico", - "email_error_msg": "Correo electrónico no válido", - "password": "Contraseña", - "password_error_msg": "Las contraseñas tienen al menos 8 caracteres.", - "start_trial": "Iniciar prueba", - "resend_confirm_email": "Reenviar correo electrónico de confirmación", - "account_created": "¡Cuenta creada! Consulta tu correo electrónico para obtener instrucciones sobre cómo activar tu cuenta." - }, - "account": { - "thank_you_note": "Gracias por ser parte de Home Assistant Cloud. Gracias a personas como tú, podemos hacer una gran experiencia de automatización del hogar para todos. ¡Gracias!", - "nabu_casa_account": "Cuenta Nabu Casa", - "connection_status": "Estado de conexión a la nube", - "manage_account": "Administrar cuenta", - "sign_out": "Cerrar sesión", - "integrations": "Integraciones", - "integrations_introduction": "Las integraciones para Home Assistant Cloud te permiten conectarte con servicios en la nube sin tener que exponer tu instancia de Home Assistant públicamente en Internet.", - "integrations_introduction2": "Consulte el sitio web para", - "integrations_link_all_features": "todas las funciones disponibles", - "connected": "Conectado", - "not_connected": "No conectado", - "fetching_subscription": "Obteniendo suscripción ...", - "remote": { - "title": "Control remoto", - "access_is_being_prepared": "Se está preparando el acceso remoto. Te avisaremos cuando esté listo.", - "info": "Home Assistant Cloud proporciona una conexión remota segura a tu instancia mientras estás fuera de casa.", - "instance_is_available": "Tu instancia está disponible en", - "instance_will_be_available": "Tu instancia estará disponible en", - "link_learn_how_it_works": "Aprende cómo funciona", - "certificate_info": "Información del certificado" - }, - "alexa": { - "title": "Alexa", - "info": "Con la integración de Alexa para Home Assistant Cloud podrás controlar todos tus dispositivos Home Assistant a través de cualquier dispositivo habilitado para Alexa.", - "enable_ha_skill": "Habilita la skill Home Assistant para Alexa", - "config_documentation": "Documentación de configuración", - "enable_state_reporting": "Habilitar informes de estado", - "info_state_reporting": "Si habilitas los informes de estado, Home Assistant enviará todos los cambios de estado de las entidades expuestas a Amazon. Esto te permite ver siempre los estados más recientes en la aplicación Alexa y usar los cambios de estado para crear rutinas.", - "sync_entities": "Sincronizar entidades", - "manage_entities": "Administrar entidades", - "sync_entities_error": "Error al sincronizar entidades:", - "state_reporting_error": "No se puede {enable_disable} informar el estado.", - "enable": "activar", - "disable": "deshabilitar" - }, - "google": { - "title": "Asistente de Google", - "info": "Con la integración del Asistente de Google para Home Assistant Cloud, podrás controlar todos tus dispositivos Home Assistant a través de cualquier dispositivo habilitado para Asistente de Google.", - "enable_ha_skill": "Activa la skill de Home Assistant para el Asistente de Google", - "config_documentation": "Documentación de configuración", - "enable_state_reporting": "Habilitar informes de estado", - "info_state_reporting": "Si habilitas los informes de estado, Home Assistant enviará todos los cambios de estado de las entidades expuestas a Google. Esto te permite ver siempre los últimos estados en la aplicación de Google.", - "security_devices": "Dispositivos de seguridad", - "enter_pin_info": "Por favor, introduce un pin para interactuar con los dispositivos de seguridad. Los dispositivos de seguridad son puertas, puertas de garaje y cerraduras. Se te pedirá que digas\/introduzcas este pin cuando interactúes con dichos dispositivos a través del Asistente de Google.", - "devices_pin": "Pin de dispositivos de seguridad", - "enter_pin_hint": "Introduce un PIN para utilizar dispositivos de seguridad", - "sync_entities": "Sincronizar entidades con Google", - "manage_entities": "Administrar entidades", - "enter_pin_error": "No se puede almacenar el pin:" - }, - "webhooks": { - "title": "Webhooks", - "info": "Cualquier cosa que esté configurada para ser activada por un webhook puede recibir una URL de acceso público para permitirte enviar datos a Home Assistant desde cualquier lugar, sin exponer tu instancia a Internet.", - "no_hooks_yet": "Parece que todavía no tienes webhooks. Comienza configurando un", - "no_hooks_yet_link_integration": "integración basada en webhook", - "no_hooks_yet2": " o mediante la creación de un ", - "no_hooks_yet_link_automation": "automatización de webhook", - "link_learn_more": "Obtenga más información sobre la creación de automatizaciones basadas en webhook.", - "loading": "Cargando ...", - "manage": "Administrar", - "disable_hook_error_msg": "No se pudo deshabilitar el webhook:" + "triggers": { + "caption": "Hacer algo cuando..." } }, - "alexa": { - "title": "Alexa", - "banner": "La edición de las entidades expuestas a través de esta IU está deshabilitada porque ha configurado filtros de entidad en configuration.yaml.", - "exposed_entities": "Entidades expuestas", - "not_exposed_entities": "Entidades no expuestas", - "expose": "Exponer a Alexa" + "caption": "Dispositivos", + "description": "Administrar dispositivos conectados" + }, + "entity_registry": { + "caption": "Registro de Entidades", + "description": "Resumen de todas las entidades conocidas.", + "editor": { + "confirm_delete": "¿Estás seguro de que deseas eliminar esta entrada?", + "confirm_delete2": "Eliminar una entrada no eliminará la entidad de Home Assistant. Para hacer esto, deberás eliminar la integración \"{platform}\" de Home Assistant.", + "default_name": "Área Nueva", + "delete": "BORRAR", + "enabled_cause": "Desactivado por {cause}.", + "enabled_description": "Las entidades desactivadas no se añadirán a Home Assistant.", + "enabled_label": "Activar entidad", + "unavailable": "Esta entidad no está disponible actualmente.", + "update": "ACTUALIZAR" }, - "dialog_certificate": { - "certificate_information": "Información del certificado", - "certificate_expiration_date": "Fecha de vencimiento del certificado", - "will_be_auto_renewed": "Se renovará automáticamente", - "fingerprint": "Huella digital del certificado:", - "close": "Cerrar" - }, - "google": { - "title": "Asistente de Google", - "expose": "Exponer al Asistente de Google", - "disable_2FA": "Deshabilitar la autenticación de dos factores", - "banner": "La edición de las entidades expuestas a través de esta IU está deshabilitada porque ha configurado filtros de entidad en configuration.yaml.", - "exposed_entities": "Entidades expuestas", - "not_exposed_entities": "Entidades no expuestas", - "sync_to_google": "Sincronización de cambios a Google." - }, - "dialog_cloudhook": { - "webhook_for": "Webhook para {name}", - "available_at": "El webhook está disponible en la siguiente url:", - "managed_by_integration": "Este webhook se administra mediante una integración y no se puede deshabilitar.", - "info_disable_webhook": "Si ya no quieres usar este webhook, puedes", - "link_disable_webhook": "deshabilitarlo", - "view_documentation": "Ver documentación", - "close": "Cerrar", - "confirm_disable": "¿Seguro que quieres deshabilitar este webhook?", - "copied_to_clipboard": "Copiado al portapapeles" + "picker": { + "header": "Registro de Entidades", + "headers": { + "enabled": "Habilitado", + "entity_id": "ID de entidad", + "integration": "Integración", + "name": "Nombre" + }, + "integrations_page": "Integraciones", + "introduction": "Home Assistant mantiene un registro de cada entidad que ha visto. Cada una de estas entidades tendrá una identificación asignada que se reservará sólo para esta entidad.", + "introduction2": "Utiliza el registro de entidades para anular el nombre, cambiar el ID de la entidad o eliminar la entrada de Home Assistant. Nota: la eliminación de la entrada del registro de entidades no eliminará la entidad. Para ello, sigue el siguiente enlace y elimínalo de la página de integraciones.", + "show_disabled": "Mostrar entidades deshabilitadas", + "unavailable": "(no disponible)" } }, + "header": "Configurar Home Assistant", "integrations": { "caption": "Integraciones", - "description": "Administrar y configurar integraciones", - "discovered": "Descubierto", - "configured": "Configurado", - "new": "Configurar una nueva integración.", - "configure": "Configurar", - "none": "Todavía no hay nada configurado", "config_entry": { - "no_devices": "Esta integración no tiene dispositivos.", - "no_device": "Entidades sin dispositivos", + "area": "En {area}", + "delete_button": "Eliminar {integration}", "delete_confirm": "¿Estás seguro de que quieres eliminar esta integración?", - "restart_confirm": "Reinicia Home Assistant para terminar de eliminar esta integración.", - "manuf": "por {manufacturer}", - "via": "Conectado a través de", - "firmware": "Firmware: {version}", "device_unavailable": "dispositivo no disponible", "entity_unavailable": "entidad no disponible", - "no_area": "Ningún área", + "firmware": "Firmware: {version}", "hub": "Conectado a través de", + "manuf": "por {manufacturer}", + "no_area": "Ningún área", + "no_device": "Entidades sin dispositivos", + "no_devices": "Esta integración no tiene dispositivos.", + "restart_confirm": "Reinicia Home Assistant para terminar de eliminar esta integración.", "settings_button": "Editar configuración para {integration}", "system_options_button": "Opciones del sistema para {integration}", - "delete_button": "Eliminar {integration}", - "area": "En {area}" + "via": "Conectado a través de" }, "config_flow": { "external_step": { @@ -995,28 +1181,151 @@ "open_site": "Abrir sitio web" } }, + "configure": "Configurar", + "configured": "Configurado", + "description": "Administrar y configurar integraciones", + "discovered": "Descubierto", + "home_assistant_website": "Sitio web de Home Assistant", + "new": "Configurar una nueva integración.", + "none": "Todavía no hay nada configurado", "note_about_integrations": "Todavía no se pueden configurar todas las integraciones a través de la interfaz de usuario.", - "note_about_website_reference": "Más están disponibles en el", - "home_assistant_website": "Sitio web de Home Assistant" + "note_about_website_reference": "Más están disponibles en el" + }, + "introduction": "Aquí puedes configurar tus componentes y Home Assistant. Aún no es posible configurar todo desde la interfaz de usuario, pero estamos trabajando en ello.", + "person": { + "add_person": "Añadir persona", + "caption": "Personas", + "confirm_delete": "¿Estás seguro de que deseas eliminar a esta persona?", + "confirm_delete2": "Todos los dispositivos que pertenecen a esta persona quedarán sin asignar.", + "create_person": "Crear persona", + "description": "Gestiona las personas que rastrea Home Assistant.", + "detail": { + "create": "Crear", + "delete": "Eliminar", + "device_tracker_intro": "Seleccione los dispositivos que pertenecen a esta persona.", + "device_tracker_pick": "Seleccionar dispositivo para rastrear", + "device_tracker_picked": "Rastrear dispositivo", + "link_integrations_page": "Página de integraciones", + "link_presence_detection_integrations": "Integraciones de detección de presencia", + "linked_user": "Usuario vinculado", + "name": "Nombre", + "name_error_msg": "Se requiere el nombre", + "new_person": "Nueva persona", + "no_device_tracker_available_intro": "Cuando tengas dispositivos que indiquen la presencia de una persona, podrás asignarlos a una persona aquí. Puedes agregar tu primer dispositivo agregando una integración de detección de presencia desde la página de integraciones.", + "update": "Actualizar" + }, + "introduction": "Aquí puedes definir a cada persona de interés en Home Assistant.", + "no_persons_created_yet": "Parece que aún no has creado ninguna persona.", + "note_about_persons_configured_in_yaml": "Nota: las personas configuradas a través de configuration.yaml no se pueden editar a través de la interfaz de usuario." + }, + "script": { + "caption": "Scripts", + "description": "Crear y editar scripts", + "editor": { + "default_name": "Nuevo script", + "delete_confirm": "¿Seguro que quieres eliminar este script?", + "header": "Script: {name}", + "load_error_not_editable": "Solo los scripts dentro de scripts.yaml son editables." + }, + "picker": { + "add_script": "Añadir script", + "header": "Editor de scripts", + "introduction": "El editor de scripts te permite crear y editar scripts. Por favor, sigue el siguiente enlace para leer las instrucciones para asegurarte de que has configurado Home Assistant correctamente.", + "learn_more": "Más información sobre los scripts", + "no_scripts": "No hemos encontrado ningún script editable" + } + }, + "server_control": { + "caption": "Control del servidor", + "description": "Reinicia y detiene el servidor de Home Assistant", + "section": { + "reloading": { + "automation": "Recargar automatizaciones", + "core": "Recargar núcleo", + "group": "Recargar grupos", + "heading": "Recargando la configuración", + "introduction": "Algunas partes de Home Assistant pueden recargarse sin necesidad de reiniciar. Al pulsar en recargar se descartará la configuración actual y se cargará la nueva.", + "scene": "Recargar escenas", + "script": "Recargar scripts" + }, + "server_management": { + "confirm_restart": "¿Seguro que quieres reiniciar Home Assistant?", + "confirm_stop": "¿Seguro que quieres detener Home Assistant?", + "heading": "Gestión del servidor", + "introduction": "Controla tu servidor de Home Assistant... desde Home Assistant.", + "restart": "Reiniciar", + "stop": "Detener" + }, + "validation": { + "check_config": "Verificar la configuración", + "heading": "Validación de la configuración", + "introduction": "Valida tu configuración si has realizado cambios recientemente y quieres asegurarte de que son correctos", + "invalid": "Configuración no válida", + "valid": "¡Configuración valida!" + } + } + }, + "users": { + "add_user": { + "caption": "Añadir usuario", + "create": "Crear", + "name": "Nombre", + "password": "Contraseña", + "username": "Nombre de usuario" + }, + "caption": "Usuarios", + "description": "Administrar usuarios", + "editor": { + "activate_user": "Activar usuario", + "active": "Activo", + "caption": "Ver usuario", + "change_password": "Cambiar la contraseña", + "confirm_user_deletion": "¿Seguro que quieres eliminar {name}?", + "deactivate_user": "Desactivar usuario", + "delete_user": "Borrar usuario", + "enter_new_name": "Introduzca un nuevo nombre", + "group": "Grupo", + "group_update_failed": "La actualización del grupo falló:", + "id": "ID", + "owner": "Propietario", + "rename_user": "Renombrar usuario", + "system_generated": "Generado por el sistema", + "system_generated_users_not_removable": "No se pueden eliminar los usuarios generados por el sistema.", + "unnamed_user": "Usuario sin nombre", + "user_rename_failed": "El cambio de nombre del usuario falló:" + }, + "picker": { + "system_generated": "Generado por el sistema", + "title": "Usuarios" + } }, "zha": { - "caption": "ZHA", - "description": "Gestión de red de Zigbee Home Automation", - "services": { - "reconfigure": "Reconfigura el dispositivo ZHA (curar dispositivo). Usa esto si tienes problemas con el dispositivo. Si el dispositivo en cuestión es un dispositivo alimentado por batería, asegúrate de que está activo y aceptando comandos cuando uses este servicio.", - "updateDeviceName": "Establece un nombre personalizado para este dispositivo en el registro de dispositivos.", - "remove": "Eliminar un dispositivo de la red Zigbee." - }, - "device_card": { - "device_name_placeholder": "Nombre dado por el usuario", - "area_picker_label": "Área", - "update_name_button": "Cambiar nombre" - }, "add_device_page": { - "header": "Domótica Zigbee - Añadir dispositivos", - "spinner": "Buscando dispositivos ZHA Zigbee....", "discovery_text": "Los dispositivos detectados aparecerán aquí. Ponlos en modo emparejamiento siguiendo sus instrucciones.", - "search_again": "Buscar de nuevo" + "header": "Domótica Zigbee - Añadir dispositivos", + "search_again": "Buscar de nuevo", + "spinner": "Buscando dispositivos ZHA Zigbee...." + }, + "caption": "ZHA", + "cluster_attributes": { + "attributes_of_cluster": "Atributos del clúster seleccionado", + "get_zigbee_attribute": "Obtener atributo de Zigbee", + "header": "Atributos del clúster", + "help_attribute_dropdown": "Selecciona un atributo para ver o establecer su valor.", + "help_get_zigbee_attribute": "Obtenga el valor del atributo seleccionado.", + "help_set_zigbee_attribute": "Establece el valor del atributo para el clúster especificado en la entidad especificada.", + "introduction": "Ver y editar los atributos del clúster.", + "set_zigbee_attribute": "Establecer atributo de Zigbee" + }, + "cluster_commands": { + "commands_of_cluster": "Comandos del clúster seleccionado", + "header": "Comandos de clúster", + "help_command_dropdown": "Selecciona un comando con el que interactuar.", + "introduction": "Ver y emitir comandos de clúster.", + "issue_zigbee_command": "Emitir comando Zigbee" + }, + "clusters": { + "help_cluster_dropdown": "Selecciona un clúster para ver atributos y comandos." }, "common": { "add_devices": "Añadir dispositivos", @@ -1025,472 +1334,258 @@ "manufacturer_code_override": "Anulación del código del fabricante", "value": "Valor" }, + "description": "Gestión de red de Zigbee Home Automation", + "device_card": { + "area_picker_label": "Área", + "device_name_placeholder": "Nombre dado por el usuario", + "update_name_button": "Cambiar nombre" + }, "network_management": { "header": "Gestión de la red", "introduction": "Comandos que afectan a toda la red." }, "node_management": { "header": "Gestión de dispositivos", - "introduction": "Ejecuta comandos ZHA que afecten a un único dispositivo. Elije un dispositivo para ver una lista de comandos disponibles.", + "help_node_dropdown": "Selecciona un dispositivo para ver las opciones por dispositivo.", "hint_battery_devices": "Nota: Los dispositivos dormidos (alimentados por batería) deben estar despiertos al ejecutar comandos contra ellos. En general, puedes activar un dispositivo dormido activándolo.", "hint_wakeup": "Algunos dispositivos, como los sensores Xiaomi, tienen un botón de activación que puedes presionar a intervalos de ~ 5 segundos para mantener los dispositivos despiertos mientras interactúas con ellos.", - "help_node_dropdown": "Selecciona un dispositivo para ver las opciones por dispositivo." + "introduction": "Ejecuta comandos ZHA que afecten a un único dispositivo. Elije un dispositivo para ver una lista de comandos disponibles." }, - "clusters": { - "help_cluster_dropdown": "Selecciona un clúster para ver atributos y comandos." - }, - "cluster_attributes": { - "header": "Atributos del clúster", - "introduction": "Ver y editar los atributos del clúster.", - "attributes_of_cluster": "Atributos del clúster seleccionado", - "get_zigbee_attribute": "Obtener atributo de Zigbee", - "set_zigbee_attribute": "Establecer atributo de Zigbee", - "help_attribute_dropdown": "Selecciona un atributo para ver o establecer su valor.", - "help_get_zigbee_attribute": "Obtenga el valor del atributo seleccionado.", - "help_set_zigbee_attribute": "Establece el valor del atributo para el clúster especificado en la entidad especificada." - }, - "cluster_commands": { - "header": "Comandos de clúster", - "introduction": "Ver y emitir comandos de clúster.", - "commands_of_cluster": "Comandos del clúster seleccionado", - "issue_zigbee_command": "Emitir comando Zigbee", - "help_command_dropdown": "Selecciona un comando con el que interactuar." + "services": { + "reconfigure": "Reconfigura el dispositivo ZHA (curar dispositivo). Usa esto si tienes problemas con el dispositivo. Si el dispositivo en cuestión es un dispositivo alimentado por batería, asegúrate de que está activo y aceptando comandos cuando uses este servicio.", + "remove": "Eliminar un dispositivo de la red Zigbee.", + "updateDeviceName": "Establece un nombre personalizado para este dispositivo en el registro de dispositivos." } }, - "area_registry": { - "caption": "Registro de área", - "description": "Visión general de todas las áreas de tu casa.", - "picker": { - "header": "Registro de Área", - "introduction": "Las áreas se utilizan para organizar dónde están los dispositivos. Esta información se utilizará en todo Home Assistant para ayudarte a organizar tu interfaz, permisos e integraciones con otros sistemas.", - "introduction2": "Para colocar dispositivos en un área, utiliza el siguiente enlace para navegar a la página de integraciones y luego haz clic en una integración configurada para llegar a las tarjetas de dispositivos.", - "integrations_page": "Integraciones", - "no_areas": "¡Parece que aún no tienes áreas!", - "create_area": "CREAR ÁREA" + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Índice", + "instance": "Instancia", + "unknown": "Desconocido", + "value": "Valor", + "wakeup_interval": "Intervalo de activación" }, - "no_areas": "¡Parece que no tienes áreas!", - "create_area": "CREAR ÁREA", - "editor": { - "default_name": "Área Nueva", - "delete": "BORRAR", - "update": "ACTUALIZAR", - "create": "CREAR" - } - }, - "entity_registry": { - "caption": "Registro de Entidades", - "description": "Resumen de todas las entidades conocidas.", - "picker": { - "header": "Registro de Entidades", - "unavailable": "(no disponible)", - "introduction": "Home Assistant mantiene un registro de cada entidad que ha visto. Cada una de estas entidades tendrá una identificación asignada que se reservará sólo para esta entidad.", - "introduction2": "Utiliza el registro de entidades para anular el nombre, cambiar el ID de la entidad o eliminar la entrada de Home Assistant. Nota: la eliminación de la entrada del registro de entidades no eliminará la entidad. Para ello, sigue el siguiente enlace y elimínalo de la página de integraciones.", - "integrations_page": "Integraciones", - "show_disabled": "Mostrar entidades deshabilitadas", - "headers": { - "name": "Nombre", - "entity_id": "ID de entidad", - "integration": "Integración", - "enabled": "Habilitado" - } + "description": "Gestiona tu red Z-Wave", + "learn_more": "Obtenga más información sobre Z-Wave", + "network_management": { + "header": "Gestión de red Z-Wave", + "introduction": "Ejecutar comandos que afectan a la red Z-Wave. No recibirás comentarios sobre si la mayoría de los comandos tuvieron éxito, pero puedes consultar el Registro OZW para intentar averiguarlo." }, - "editor": { - "unavailable": "Esta entidad no está disponible actualmente.", - "default_name": "Área Nueva", - "delete": "BORRAR", - "update": "ACTUALIZAR", - "enabled_label": "Activar entidad", - "enabled_cause": "Desactivado por {cause}.", - "enabled_description": "Las entidades desactivadas no se añadirán a Home Assistant.", - "confirm_delete": "¿Estás seguro de que deseas eliminar esta entrada?", - "confirm_delete2": "Eliminar una entrada no eliminará la entidad de Home Assistant. Para hacer esto, deberás eliminar la integración \"{platform}\" de Home Assistant." - } - }, - "person": { - "caption": "Personas", - "description": "Gestiona las personas que rastrea Home Assistant.", - "detail": { - "name": "Nombre", - "device_tracker_intro": "Seleccione los dispositivos que pertenecen a esta persona.", - "device_tracker_picked": "Rastrear dispositivo", - "device_tracker_pick": "Seleccionar dispositivo para rastrear", - "new_person": "Nueva persona", - "name_error_msg": "Se requiere el nombre", - "linked_user": "Usuario vinculado", - "no_device_tracker_available_intro": "Cuando tengas dispositivos que indiquen la presencia de una persona, podrás asignarlos a una persona aquí. Puedes agregar tu primer dispositivo agregando una integración de detección de presencia desde la página de integraciones.", - "link_presence_detection_integrations": "Integraciones de detección de presencia", - "link_integrations_page": "Página de integraciones", - "delete": "Eliminar", - "create": "Crear", - "update": "Actualizar" + "network_status": { + "network_started": "Red Z-Wave iniciada", + "network_started_note_all_queried": "Se han consultado todos los nodos.", + "network_started_note_some_queried": "Se han consultado nodos despiertos. Los nodos dormidos serán consultados cuando se despierten.", + "network_starting": "Iniciando red Z-Wave...", + "network_starting_note": "Esto puede llevar un tiempo dependiendo del tamaño de tu red.", + "network_stopped": "Red Z-Wave detenida" }, - "introduction": "Aquí puedes definir a cada persona de interés en Home Assistant.", - "note_about_persons_configured_in_yaml": "Nota: las personas configuradas a través de configuration.yaml no se pueden editar a través de la interfaz de usuario.", - "no_persons_created_yet": "Parece que aún no has creado ninguna persona.", - "create_person": "Crear persona", - "add_person": "Añadir persona", - "confirm_delete": "¿Estás seguro de que deseas eliminar a esta persona?", - "confirm_delete2": "Todos los dispositivos que pertenecen a esta persona quedarán sin asignar." - }, - "server_control": { - "caption": "Control del servidor", - "description": "Reinicia y detiene el servidor de Home Assistant", - "section": { - "validation": { - "heading": "Validación de la configuración", - "introduction": "Valida tu configuración si has realizado cambios recientemente y quieres asegurarte de que son correctos", - "check_config": "Verificar la configuración", - "valid": "¡Configuración valida!", - "invalid": "Configuración no válida" - }, - "reloading": { - "heading": "Recargando la configuración", - "introduction": "Algunas partes de Home Assistant pueden recargarse sin necesidad de reiniciar. Al pulsar en recargar se descartará la configuración actual y se cargará la nueva.", - "core": "Recargar núcleo", - "group": "Recargar grupos", - "automation": "Recargar automatizaciones", - "script": "Recargar scripts", - "scene": "Recargar escenas" - }, - "server_management": { - "heading": "Gestión del servidor", - "introduction": "Controla tu servidor de Home Assistant... desde Home Assistant.", - "restart": "Reiniciar", - "stop": "Detener", - "confirm_restart": "¿Seguro que quieres reiniciar Home Assistant?", - "confirm_stop": "¿Seguro que quieres detener Home Assistant?" - } - } - }, - "devices": { - "caption": "Dispositivos", - "description": "Administrar dispositivos conectados", - "automation": { - "triggers": { - "caption": "Hacer algo cuando..." - }, - "conditions": { - "caption": "Sólo hacer algo si..." - }, - "actions": { - "caption": "Cuando algo se activa...." - } - } - }, - "common": { - "editor": { - "confirm_unsaved": "Tienes cambios sin guardar. ¿Estás seguro de que quieres salir?" + "node_config": { + "config_parameter": "Parámetro de configuración", + "config_value": "Valor de configuración", + "false": "Falso", + "header": "Opciones de configuración de nodo", + "seconds": "segundos", + "set_config_parameter": "Establecer parámetro de configuración", + "set_wakeup": "Configurar el intervalo de activación", + "true": "Verdadero" + }, + "ozw_log": { + "header": "OZW Log", + "introduction": "Ver el registro. 0 es el mínimo (carga el registro completo) y 1000 es el máximo. Load mostrará un registro estático y tail se actualizará automáticamente con el último número especificado de líneas del registro." + }, + "services": { + "add_node": "Añadir nodo", + "add_node_secure": "Añadir nodo seguro", + "cancel_command": "Cancelar comando", + "heal_network": "Sanar red", + "remove_node": "Eliminar nodo", + "save_config": "Guardar configuración", + "soft_reset": "Reinicio suave", + "start_network": "Iniciar red", + "stop_network": "Detener red", + "test_network": "Probar red" + }, + "values": { + "header": "Valores del nodo" } } }, - "profile": { - "push_notifications": { - "header": "Notificaciones push", - "description": "Enviar notificaciones a este dispositivo", - "error_load_platform": "Configurar notify.html5.", - "error_use_https": "Requiere SSL habilitado para frontend.", - "push_notifications": "Notificaciones push", - "link_promo": "Aprender más" - }, - "language": { - "header": "Idioma", - "link_promo": "Ayuda traduciendo", - "dropdown_label": "Idioma" - }, - "themes": { - "header": "Tema", - "error_no_theme": "No hay temas disponibles", - "link_promo": "Aprenda sobre los temas", - "dropdown_label": "Tema" - }, - "refresh_tokens": { - "header": "Actualizar tokens", - "description": "Cada token de actualización representa un acceso de sesión. Los tokens de actualización se eliminarán automáticamente al cerrar la sesión. Los siguientes tokens de actualización están actualmente activos para tu cuenta.", - "token_title": "Actualizar token para {clientId}", - "created_at": "Creado el {date}", - "confirm_delete": "¿Estás seguro de que quieres eliminar el token de actualización para {name}?", - "delete_failed": "Error al eliminar el token de acceso.", - "last_used": "Último uso el {date} desde {location}", - "not_used": "Nunca ha sido usado", - "current_token_tooltip": "No se puede eliminar el token actual" - }, - "long_lived_access_tokens": { - "header": "Tokens de acceso de larga duración", - "description": "Crea tokens de acceso de larga duración para permitir que tus scripts interactúen con tu instancia de Home Assistant. Cada token será válido por 10 años desde la creación. Los siguientes tokens de acceso de larga duración están actualmente activos.", - "learn_auth_requests": "Aprende cómo realizar solicitudes autenticadas.", - "created_at": "Creado el {date}", - "confirm_delete": "¿Estás seguro de que quieres eliminar el token de acceso para {name}?", - "delete_failed": "Error al eliminar el token de acceso.", - "create": "Crear Token", - "create_failed": "No se ha podido crear el token de acceso.", - "prompt_name": "¿Nombre?", - "prompt_copy_token": "Copia tu token de acceso. No se mostrará de nuevo.", - "empty_state": "Aún no tienes tokens de acceso de larga duración.", - "last_used": "Último uso el {date} desde {location}", - "not_used": "Nunca ha sido usado" - }, - "current_user": "Has iniciado sesión como {fullName}.", - "is_owner": "Eres propietario.", - "change_password": { - "header": "Cambiar contraseña", - "current_password": "Contraseña actual", - "new_password": "Nueva contraseña", - "confirm_new_password": "Confirmar nueva contraseña", - "error_required": "Obligatorio", - "submit": "Enviar" - }, - "mfa": { - "header": "Módulos de autenticación multifactor", - "disable": "Deshabilitar", - "enable": "Habilitar", - "confirm_disable": "¿Estás seguro de que deseas deshabilitar {name}?" - }, - "mfa_setup": { - "title_aborted": "Abortado", - "title_success": "¡Éxito!", - "step_done": "Configuración realizada para {step}", - "close": "Cerrar", - "submit": "Enviar" - }, - "logout": "Cerrar sesión", - "force_narrow": { - "header": "Ocultar siempre la barra lateral", - "description": "Esto ocultará la barra lateral de forma predeterminada, similar a la experiencia móvil." - }, - "vibrate": { - "header": "Vibrar", - "description": "Habilitar o deshabilitar la vibración en este dispositivo al controlar dispositivos." - }, - "advanced_mode": { - "title": "Modo avanzado", - "description": "Home Assistant oculta las funciones y opciones avanzadas de forma predeterminada. Puedes hacer que estas funciones sean accesibles marcando esta opción. Esta es una configuración específica del usuario y no afecta a otros usuarios que usan Home Assistant." - } - }, - "page-authorize": { - "initializing": "Inicializando", - "authorizing_client": "Estás a punto de dar acceso a {clientId} a tu instancia de Home Assistant.", - "logging_in_with": "Iniciando sesión con **{authProviderName}**.", - "pick_auth_provider": "O inicia sesión con", - "abort_intro": "Inicio de sesión cancelado", - "form": { - "working": "Por favor, espere", - "unknown_error": "Algo salió mal", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Nombre de usuario", - "password": "Contraseña" - } - }, - "mfa": { - "data": { - "code": "Código de autenticación de dos factores" - }, - "description": "Abre el **{mfa_module_name}** en tu dispositivo para ver tu código de autenticación de dos factores y verificar tu identidad:" - } - }, - "error": { - "invalid_auth": "Nombre de usuario o contraseña inválidos", - "invalid_code": "Código de autenticación inválido" - }, - "abort": { - "login_expired": "La sesión ha caducado, por favor inicia sesión de nuevo." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "Contraseña de API" - }, - "description": "Introduce la contraseña de la API en tu configuración http:" - }, - "mfa": { - "data": { - "code": "Código de autenticación de dos factores" - }, - "description": "Abra el ** {mfa_module_name} ** en su dispositivo para ver su código de autenticación de dos factores y verificar su identidad:" - } - }, - "error": { - "invalid_auth": "Contraseña de API inválida", - "invalid_code": "Código de autenticación inválido" - }, - "abort": { - "no_api_password_set": "No tienes una contraseña de API configurada.", - "login_expired": "La sesión ha caducado, por favor inicia sesión de nuevo." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Usuario" - }, - "description": "Elige el usuario con el que quieres iniciar sesión:" - } - }, - "abort": { - "not_whitelisted": "Tu equipo no está en la lista de autorizados." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Nombre de usuario", - "password": "Contraseña" - } - }, - "mfa": { - "data": { - "code": "Código de autenticación de dos factores" - }, - "description": "Abre el **{mfa_module_name}** en tu dispositivo para ver tu código de autenticación de dos factores y verificar tu identidad:" - } - }, - "error": { - "invalid_auth": "Nombre de usuario o contraseña inválidos", - "invalid_code": "Código de autenticación inválido" - }, - "abort": { - "login_expired": "La sesión ha caducado, por favor inicia sesión de nuevo." - } - } - } - } - }, - "page-onboarding": { - "intro": "¿Estás listo para despertar tu casa, reclamar tu privacidad y unirte a una comunidad mundial de pensadores?", - "user": { - "intro": "Comencemos creando una cuenta de usuario.", - "required_field": "Obligatorio", - "data": { - "name": "Nombre", - "username": "Nombre de usuario", - "password": "Contraseña", - "password_confirm": "Confirmar contraseña" + "developer-tools": { + "tabs": { + "events": { + "alert_event_type": "El tipo de evento es un campo obligatorio.", + "available_events": "Eventos disponibles", + "count_listeners": " ({count} oyentes)", + "data": "Datos del evento (YAML, opcional)", + "description": "Disparar un evento en el bus de eventos.", + "documentation": "Documentación de eventos.", + "event_fired": "Evento {name} disparado", + "fire_event": "Disparar evento", + "listen_to_events": "Escuchar eventos", + "listening_to": "Escuchando", + "notification_event_fired": "¡Evento {tipe} disparado con éxito!", + "start_listening": "Empezar a escuchar", + "stop_listening": "Dejar de escuchar", + "subscribe_to": "Evento al que suscribirse", + "title": "Eventos", + "type": "Tipo de evento" }, - "create_account": "Crear una cuenta", - "error": { - "required_fields": "Completa todos los campos requeridos", - "password_not_match": "Las contraseñas no coinciden" + "info": { + "built_using": "Construido usando", + "custom_uis": "IU personalizadas:", + "default_ui": "{action} {name} como página predeterminada en este dispositivo", + "developed_by": "Desarrollado por un montón de gente impresionante.", + "frontend": "interfaz de usuario", + "frontend_version": "Versión del frontend: {version} - {type}", + "home_assistant_logo": "Logotipo de Home Assistant", + "icons_by": "Iconos por", + "license": "Publicado bajo la licencia Apache 2.0", + "lovelace_ui": "Ir a la interfaz de usuario de Lovelace", + "path_configuration": "Ruta a configuration.yaml: {path}", + "remove": "Eliminar", + "server": "servidor", + "set": "Establecer", + "source": "Fuente:", + "states_ui": "Ir a la interfaz de usuario de estados", + "system_health_error": "El componente Salud del sistema no está cargado. Añade 'system_health:' a configuration.yaml", + "title": "Información" + }, + "logs": { + "clear": "Limpiar", + "details": "Detalles de registro ({level})", + "load_full_log": "Cargar registro completo de Home Assistant", + "loading_log": "Cargando registro de errores...", + "multiple_messages": "el mensaje se produjo por primera vez a las {time} y aparece {counter} veces", + "no_errors": "No se han reportado errores.", + "no_issues": "¡No hay nuevos problemas!", + "refresh": "Actualizar", + "title": "Registros" + }, + "mqtt": { + "description_listen": "Escuchar un tema", + "description_publish": "Publicar un paquete", + "listening_to": "Escuchando", + "message_received": "Mensaje {id} recibido en {topic} a las {time}:", + "payload": "Payload (plantilla permitida)", + "publish": "Publicar", + "start_listening": "Empezar a escuchar", + "stop_listening": "Dejar de escuchar", + "subscribe_to": "Tema al que suscribirse", + "title": "MQTT", + "topic": "tema" + }, + "services": { + "alert_parsing_yaml": "Error al analizar YAML: {data}", + "call_service": "Llamar servicio", + "column_description": "Descripción", + "column_example": "Ejemplo", + "column_parameter": "Parámetro", + "data": "Datos del servicio (YAML, opcional)", + "description": "La herramienta de desarrollo de servicios te permite llamar a cualquier servicio disponible en Home Assistant.", + "fill_example_data": "Rellenar datos de ejemplo", + "no_description": "No hay descripción disponible.", + "no_parameters": "Este servicio no toma parámetros.", + "select_service": "Seleccione un servicio para ver la descripción.", + "title": "Servicios" + }, + "states": { + "alert_entity_field": "Entidad es un campo obligatorio", + "attributes": "Atributos", + "current_entities": "Entidades actuales", + "description1": "Establecer la representación de un dispositivo dentro de Home Assistant.", + "description2": "Esto no se comunicará con el dispositivo actual.", + "entity": "Entidad", + "filter_attributes": "Filtrar atributos", + "filter_entities": "Filtrar entidades", + "filter_states": "Filtrar estados", + "more_info": "Más Información", + "no_entities": "Sin entidades", + "set_state": "Establecer estado", + "state": "Estado", + "state_attributes": "Atributos de estado (YAML, opcional)", + "title": "Estados" + }, + "templates": { + "description": "Las plantillas se muestran utilizando el motor de plantillas Jinja2 con algunas extensiones específicas de Home Assistant.", + "editor": "Editor de plantillas", + "jinja_documentation": "Documentación de plantilla Jinja2", + "template_extensions": "Extensiones de plantilla de Home Assistant", + "title": "Plantillas", + "unknown_error_template": "Error desconocido al mostrar la plantilla" } - }, - "integration": { - "intro": "Los dispositivos y servicios están representados en Home Assistant como integraciones. Puedes configurarlos ahora, o hacerlo más tarde desde la pantalla de configuración.", - "more_integrations": "Más", - "finish": "Terminar" - }, - "core-config": { - "intro": "Hola {name}, bienvenido a Home Assistant. ¿Cómo te gustaría llamar a tu casa?", - "intro_location": "Nos gustaría saber dónde vives. Esta información ayudará a mostrar información y a configurar automatizaciones basadas en el sol. Estos datos nunca se comparten fuera de tu red.", - "intro_location_detect": "Podemos ayudarte a completar esta información haciendo una solicitud única a un servicio externo.", - "location_name_default": "Casa", - "button_detect": "Detectar", - "finish": "Siguiente" } }, + "history": { + "period": "Periodo", + "showing_entries": "Mostrando entradas del" + }, + "logbook": { + "period": "Periodo", + "showing_entries": "Mostrando entradas del" + }, "lovelace": { "cards": { - "shopping-list": { - "checked_items": "Elementos marcados", - "clear_items": "Borrar elementos marcados", - "add_item": "Añadir artículo" - }, + "confirm_delete": "¿Seguro que quieres eliminar esta tarjeta?", "empty_state": { - "title": "Bienvenido a casa", + "go_to_integrations_page": "Ir a la página de integraciones.", "no_devices": "Esta página te permite controlar tus dispositivos, aunque parece que aún no has configurado ninguno. Dirígete a la página de integraciones para empezar.", - "go_to_integrations_page": "Ir a la página de integraciones." + "title": "Bienvenido a casa" }, "picture-elements": { - "hold": "Mantener:", - "tap": "Toque:", - "navigate_to": "Navegar a {location}", - "toggle": "Alternar {name}", "call_service": "Ejecutar servicio {name}", + "hold": "Mantener:", "more_info": "Mostrar más información: {name}", + "navigate_to": "Navegar a {location}", + "tap": "Toque:", + "toggle": "Alternar {name}", "url": "Abrir ventana a {url_path}" }, - "confirm_delete": "¿Seguro que quieres eliminar esta tarjeta?" + "shopping-list": { + "add_item": "Añadir artículo", + "checked_items": "Elementos marcados", + "clear_items": "Borrar elementos marcados" + } + }, + "changed_toast": { + "message": "La configuración de Lovelace se actualizó, ¿te gustaría volver a cargarla?", + "refresh": "Actualizar" }, "editor": { - "edit_card": { - "header": "Configuración de la tarjeta", - "save": "Guardar", - "toggle_editor": "Alternar editor", - "pick_card": "¿Qué tarjeta te gustaría añadir?", - "add": "Añadir tarjeta", - "edit": "Editar", - "delete": "Eliminar", - "move": "Mover", - "show_visual_editor": "Mostrar editor visual", - "show_code_editor": "Mostrar editor de código", - "pick_card_view_title": "¿Qué tarjeta te gustaría agregar a tu vista {name} ?", - "options": "Más opciones" - }, - "migrate": { - "header": "Configuración incompatible", - "para_no_id": "Este elemento no tiene un ID. Por favor agrega uno a este elemento en 'ui-lovelace.yaml'.", - "para_migrate": "Home Assistant puede añadir ID's a todas tus tarjetas y vistas automáticamente pulsando el botón 'Migrar configuración'.", - "migrate": "Migrar configuración" - }, - "header": "Editar la interfaz de usuario", - "edit_view": { - "header": "Ver configuración", - "add": "Añadir vista", - "edit": "Editar vista", - "delete": "Borrar vista", - "header_name": "{name} Ver configuración" - }, - "save_config": { - "header": "Tomar el control de la interfaz de usuario Lovelace", - "para": "Por defecto Home Assistant se encargará de tu interfaz de usuario y la actualizará cuando haya nuevas entidades o componentes Lovelace disponibles. Si asumes el control, ya no haremos más cambios automáticamente por ti.", - "para_sure": "¿Estás seguro de que quieres tomar el control de tu interfaz de usuario?", - "cancel": "No importa", - "save": "Tomar el control" - }, - "menu": { - "raw_editor": "Editor de configuración en bruto", - "open": "Abrir el menú de Lovelace" - }, - "raw_editor": { - "header": "Editar configuración", - "save": "Guardar", - "unsaved_changes": "Cambios no guardados", - "saved": "Guardado" - }, - "edit_lovelace": { - "header": "Título de tu interfaz de usuario de Lovelace", - "explanation": "Este título se muestra sobre todas tus vistas en Lovelace." - }, "card": { "alarm_panel": { "available_states": "Estados disponibles" }, + "alarm-panel": { + "available_states": "Estados disponibles", + "name": "Panel de alarma" + }, + "conditional": { + "name": "Condicional" + }, "config": { - "required": "Necesario", - "optional": "Opcional" + "optional": "Opcional", + "required": "Necesario" }, "entities": { - "show_header_toggle": "¿Mostrar interruptor en encabezado?", "name": "Entidades", + "show_header_toggle": "¿Mostrar interruptor en encabezado?", "toggle": "Alternar entidades." }, + "entity-button": { + "name": "Botón de entidad" + }, + "entity-filter": { + "name": "Filtro de entidad" + }, "gauge": { + "name": "Indicador", "severity": { "define": "¿Definir gravedad?", "green": "Verde", "red": "Rojo", "yellow": "Amarillo" - }, - "name": "Indicador" - }, - "glance": { - "columns": "Columnas", - "name": "Vistazo" + } }, "generic": { "aspect_ratio": "Relación de aspecto", @@ -1511,39 +1606,14 @@ "show_name": "¿Mostrar nombre?", "show_state": "¿Mostrar estado?", "tap_action": "Acción de toque", - "title": "Título", "theme": "Tema", + "title": "Título", "unit": "Unidad", "url": "Url" }, - "map": { - "geo_location_sources": "Fuentes de geolocalización", - "dark_mode": "¿Modo oscuro?", - "default_zoom": "Zoom predeterminado", - "source": "Fuente", - "name": "Mapa" - }, - "markdown": { - "content": "Contenido", - "name": "Markdown" - }, - "sensor": { - "graph_detail": "Detalle del gráfico", - "graph_type": "Tipo de gráfico", - "name": "Sensor" - }, - "alarm-panel": { - "name": "Panel de alarma", - "available_states": "Estados disponibles" - }, - "conditional": { - "name": "Condicional" - }, - "entity-button": { - "name": "Botón de entidad" - }, - "entity-filter": { - "name": "Filtro de entidad" + "glance": { + "columns": "Columnas", + "name": "Vistazo" }, "history-graph": { "name": "Gráfico histórico" @@ -1557,12 +1627,20 @@ "light": { "name": "Luz" }, + "map": { + "dark_mode": "¿Modo oscuro?", + "default_zoom": "Zoom predeterminado", + "geo_location_sources": "Fuentes de geolocalización", + "name": "Mapa", + "source": "Fuente" + }, + "markdown": { + "content": "Contenido", + "name": "Markdown" + }, "media-control": { "name": "Control de medios" }, - "picture": { - "name": "Imagen" - }, "picture-elements": { "name": "Elementos de imagen" }, @@ -1572,9 +1650,17 @@ "picture-glance": { "name": "Vistazo de imagen" }, + "picture": { + "name": "Imagen" + }, "plant-status": { "name": "Estado de la planta" }, + "sensor": { + "graph_detail": "Detalle del gráfico", + "graph_type": "Tipo de gráfico", + "name": "Sensor" + }, "shopping-list": { "name": "Lista de la compra" }, @@ -1588,434 +1674,348 @@ "name": "Pronóstico del tiempo" } }, + "edit_card": { + "add": "Añadir tarjeta", + "delete": "Eliminar", + "edit": "Editar", + "header": "Configuración de la tarjeta", + "move": "Mover", + "options": "Más opciones", + "pick_card": "¿Qué tarjeta te gustaría añadir?", + "pick_card_view_title": "¿Qué tarjeta te gustaría agregar a tu vista {name} ?", + "save": "Guardar", + "show_code_editor": "Mostrar editor de código", + "show_visual_editor": "Mostrar editor visual", + "toggle_editor": "Alternar editor" + }, + "edit_lovelace": { + "explanation": "Este título se muestra sobre todas tus vistas en Lovelace.", + "header": "Título de tu interfaz de usuario de Lovelace" + }, + "edit_view": { + "add": "Añadir vista", + "delete": "Borrar vista", + "edit": "Editar vista", + "header": "Ver configuración", + "header_name": "{name} Ver configuración" + }, + "header": "Editar la interfaz de usuario", + "menu": { + "open": "Abrir el menú de Lovelace", + "raw_editor": "Editor de configuración en bruto" + }, + "migrate": { + "header": "Configuración incompatible", + "migrate": "Migrar configuración", + "para_migrate": "Home Assistant puede añadir ID's a todas tus tarjetas y vistas automáticamente pulsando el botón 'Migrar configuración'.", + "para_no_id": "Este elemento no tiene un ID. Por favor agrega uno a este elemento en 'ui-lovelace.yaml'." + }, + "raw_editor": { + "header": "Editar configuración", + "save": "Guardar", + "saved": "Guardado", + "unsaved_changes": "Cambios no guardados" + }, + "save_config": { + "cancel": "No importa", + "header": "Tomar el control de la interfaz de usuario Lovelace", + "para": "Por defecto Home Assistant se encargará de tu interfaz de usuario y la actualizará cuando haya nuevas entidades o componentes Lovelace disponibles. Si asumes el control, ya no haremos más cambios automáticamente por ti.", + "para_sure": "¿Estás seguro de que quieres tomar el control de tu interfaz de usuario?", + "save": "Tomar el control" + }, "view": { "panel_mode": { - "title": "¿Modo de panel?", - "description": "Esto muestra la primera tarjeta a ancho completo; otras tarjetas en esta vista no se mostrarán." + "description": "Esto muestra la primera tarjeta a ancho completo; otras tarjetas en esta vista no se mostrarán.", + "title": "¿Modo de panel?" } } }, "menu": { "configure_ui": "Configurar la interfaz de usuario", - "unused_entities": "Entidades no utilizadas", "help": "Ayuda", - "refresh": "Actualizar" - }, - "warning": { - "entity_not_found": "La entidad no está disponible: {entity}", - "entity_non_numeric": "La entidad no es numérica: {entity}" - }, - "changed_toast": { - "message": "La configuración de Lovelace se actualizó, ¿te gustaría volver a cargarla?", - "refresh": "Actualizar" + "refresh": "Actualizar", + "unused_entities": "Entidades no utilizadas" }, "reload_lovelace": "Recargar Lovelace", "views": { "confirm_delete": "¿Seguro que quieres eliminar esta vista?", "existing_cards": "No puedes eliminar una vista que tiene tarjetas. Elimina las tarjetas primero." + }, + "warning": { + "entity_non_numeric": "La entidad no es numérica: {entity}", + "entity_not_found": "La entidad no está disponible: {entity}" } }, + "mailbox": { + "delete_button": "Eliminar", + "delete_prompt": "¿Eliminar este mensaje?", + "empty": "No tienes ningún mensaje", + "playback_title": "Reproducción de mensajes" + }, + "page-authorize": { + "abort_intro": "Inicio de sesión cancelado", + "authorizing_client": "Estás a punto de dar acceso a {clientId} a tu instancia de Home Assistant.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "La sesión ha caducado, por favor inicia sesión de nuevo." + }, + "error": { + "invalid_auth": "Nombre de usuario o contraseña inválidos", + "invalid_code": "Código de autenticación inválido" + }, + "step": { + "init": { + "data": { + "password": "Contraseña", + "username": "Nombre de usuario" + } + }, + "mfa": { + "data": { + "code": "Código de autenticación de dos factores" + }, + "description": "Abre el **{mfa_module_name}** en tu dispositivo para ver tu código de autenticación de dos factores y verificar tu identidad:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "La sesión ha caducado, por favor inicia sesión de nuevo." + }, + "error": { + "invalid_auth": "Nombre de usuario o contraseña inválidos", + "invalid_code": "Código de autenticación inválido" + }, + "step": { + "init": { + "data": { + "password": "Contraseña", + "username": "Nombre de usuario" + } + }, + "mfa": { + "data": { + "code": "Código de autenticación de dos factores" + }, + "description": "Abre el **{mfa_module_name}** en tu dispositivo para ver tu código de autenticación de dos factores y verificar tu identidad:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "La sesión ha caducado, por favor inicia sesión de nuevo.", + "no_api_password_set": "No tienes una contraseña de API configurada." + }, + "error": { + "invalid_auth": "Contraseña de API inválida", + "invalid_code": "Código de autenticación inválido" + }, + "step": { + "init": { + "data": { + "password": "Contraseña de API" + }, + "description": "Introduce la contraseña de la API en tu configuración http:" + }, + "mfa": { + "data": { + "code": "Código de autenticación de dos factores" + }, + "description": "Abra el ** {mfa_module_name} ** en su dispositivo para ver su código de autenticación de dos factores y verificar su identidad:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Tu equipo no está en la lista de autorizados." + }, + "step": { + "init": { + "data": { + "user": "Usuario" + }, + "description": "Elige el usuario con el que quieres iniciar sesión:" + } + } + } + }, + "unknown_error": "Algo salió mal", + "working": "Por favor, espere" + }, + "initializing": "Inicializando", + "logging_in_with": "Iniciando sesión con **{authProviderName}**.", + "pick_auth_provider": "O inicia sesión con" + }, "page-demo": { "cards": { "demo": { "demo_by": "por {name}", - "next_demo": "Siguiente demostración", "introduction": "¡Bienvenido a casa! Has llegado a la demostración de Home Assistant donde mostramos las mejores interfaces de usuario creadas por nuestra comunidad.", - "learn_more": "Aprende más sobre Home Assistant" + "learn_more": "Aprende más sobre Home Assistant", + "next_demo": "Siguiente demostración" } }, "config": { "arsaboo": { - "names": { - "upstairs": "Piso de arriba", - "family_room": "Salón", - "kitchen": "Cocina", - "patio": "Patio", - "hallway": "Pasillo", - "master_bedroom": "Dormitorio principal", - "left": "Izquierda", - "right": "Derecha", - "mirror": "Espejo", - "temperature_study": "Estudio de temperatura" - }, "labels": { - "lights": "Luces", - "information": "Información", - "morning_commute": "Ida al trabajo", + "activity": "Actividad", + "air": "Aire", "commute_home": "Viaje a casa", "entertainment": "Entretenimiento", - "activity": "Actividad", "hdmi_input": "Entrada HDMI", "hdmi_switcher": "Conmutador HDMI", - "volume": "Volumen", + "information": "Información", + "lights": "Luces", + "morning_commute": "Ida al trabajo", "total_tv_time": "Tiempo total de TV", "turn_tv_off": "Apagar la televisión", - "air": "Aire" + "volume": "Volumen" + }, + "names": { + "family_room": "Salón", + "hallway": "Pasillo", + "kitchen": "Cocina", + "left": "Izquierda", + "master_bedroom": "Dormitorio principal", + "mirror": "Espejo", + "patio": "Patio", + "right": "Derecha", + "temperature_study": "Estudio de temperatura", + "upstairs": "Piso de arriba" }, "unit": { - "watching": "viendo", - "minutes_abbr": "min" + "minutes_abbr": "min", + "watching": "viendo" } } } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Detectar", + "finish": "Siguiente", + "intro": "Hola {name}, bienvenido a Home Assistant. ¿Cómo te gustaría llamar a tu casa?", + "intro_location": "Nos gustaría saber dónde vives. Esta información ayudará a mostrar información y a configurar automatizaciones basadas en el sol. Estos datos nunca se comparten fuera de tu red.", + "intro_location_detect": "Podemos ayudarte a completar esta información haciendo una solicitud única a un servicio externo.", + "location_name_default": "Casa" + }, + "integration": { + "finish": "Terminar", + "intro": "Los dispositivos y servicios están representados en Home Assistant como integraciones. Puedes configurarlos ahora, o hacerlo más tarde desde la pantalla de configuración.", + "more_integrations": "Más" + }, + "intro": "¿Estás listo para despertar tu casa, reclamar tu privacidad y unirte a una comunidad mundial de pensadores?", + "user": { + "create_account": "Crear una cuenta", + "data": { + "name": "Nombre", + "password": "Contraseña", + "password_confirm": "Confirmar contraseña", + "username": "Nombre de usuario" + }, + "error": { + "password_not_match": "Las contraseñas no coinciden", + "required_fields": "Completa todos los campos requeridos" + }, + "intro": "Comencemos creando una cuenta de usuario.", + "required_field": "Obligatorio" + } + }, + "profile": { + "advanced_mode": { + "description": "Home Assistant oculta las funciones y opciones avanzadas de forma predeterminada. Puedes hacer que estas funciones sean accesibles marcando esta opción. Esta es una configuración específica del usuario y no afecta a otros usuarios que usan Home Assistant.", + "title": "Modo avanzado" + }, + "change_password": { + "confirm_new_password": "Confirmar nueva contraseña", + "current_password": "Contraseña actual", + "error_required": "Obligatorio", + "header": "Cambiar contraseña", + "new_password": "Nueva contraseña", + "submit": "Enviar" + }, + "current_user": "Has iniciado sesión como {fullName}.", + "force_narrow": { + "description": "Esto ocultará la barra lateral de forma predeterminada, similar a la experiencia móvil.", + "header": "Ocultar siempre la barra lateral" + }, + "is_owner": "Eres propietario.", + "language": { + "dropdown_label": "Idioma", + "header": "Idioma", + "link_promo": "Ayuda traduciendo" + }, + "logout": "Cerrar sesión", + "long_lived_access_tokens": { + "confirm_delete": "¿Estás seguro de que quieres eliminar el token de acceso para {name}?", + "create": "Crear Token", + "create_failed": "No se ha podido crear el token de acceso.", + "created_at": "Creado el {date}", + "delete_failed": "Error al eliminar el token de acceso.", + "description": "Crea tokens de acceso de larga duración para permitir que tus scripts interactúen con tu instancia de Home Assistant. Cada token será válido por 10 años desde la creación. Los siguientes tokens de acceso de larga duración están actualmente activos.", + "empty_state": "Aún no tienes tokens de acceso de larga duración.", + "header": "Tokens de acceso de larga duración", + "last_used": "Último uso el {date} desde {location}", + "learn_auth_requests": "Aprende cómo realizar solicitudes autenticadas.", + "not_used": "Nunca ha sido usado", + "prompt_copy_token": "Copia tu token de acceso. No se mostrará de nuevo.", + "prompt_name": "¿Nombre?" + }, + "mfa_setup": { + "close": "Cerrar", + "step_done": "Configuración realizada para {step}", + "submit": "Enviar", + "title_aborted": "Abortado", + "title_success": "¡Éxito!" + }, + "mfa": { + "confirm_disable": "¿Estás seguro de que deseas deshabilitar {name}?", + "disable": "Deshabilitar", + "enable": "Habilitar", + "header": "Módulos de autenticación multifactor" + }, + "push_notifications": { + "description": "Enviar notificaciones a este dispositivo", + "error_load_platform": "Configurar notify.html5.", + "error_use_https": "Requiere SSL habilitado para frontend.", + "header": "Notificaciones push", + "link_promo": "Aprender más", + "push_notifications": "Notificaciones push" + }, + "refresh_tokens": { + "confirm_delete": "¿Estás seguro de que quieres eliminar el token de actualización para {name}?", + "created_at": "Creado el {date}", + "current_token_tooltip": "No se puede eliminar el token actual", + "delete_failed": "Error al eliminar el token de acceso.", + "description": "Cada token de actualización representa un acceso de sesión. Los tokens de actualización se eliminarán automáticamente al cerrar la sesión. Los siguientes tokens de actualización están actualmente activos para tu cuenta.", + "header": "Actualizar tokens", + "last_used": "Último uso el {date} desde {location}", + "not_used": "Nunca ha sido usado", + "token_title": "Actualizar token para {clientId}" + }, + "themes": { + "dropdown_label": "Tema", + "error_no_theme": "No hay temas disponibles", + "header": "Tema", + "link_promo": "Aprenda sobre los temas" + }, + "vibrate": { + "description": "Habilitar o deshabilitar la vibración en este dispositivo al controlar dispositivos.", + "header": "Vibrar" + } + }, + "shopping-list": { + "add_item": "Añadir artículo", + "clear_completed": "Borrado completado", + "microphone_tip": "Pulsa el micrófono en la parte superior derecha y di \"Añadir caramelos a mi lista de la compra\"." } }, "sidebar": { - "log_out": "Cerrar sesión", "external_app_configuration": "Configuración de la aplicación", + "log_out": "Cerrar sesión", "sidebar_toggle": "Alternar barra lateral" - }, - "common": { - "loading": "Cargando", - "cancel": "Cancelar", - "save": "Guardar", - "successfully_saved": "Guardado correctamente" - }, - "duration": { - "day": "{count} {count, plural,\none {día}\nother {días}\n}", - "week": "{count} {count, plural,\none {semana}\nother {semanas}\n}", - "second": "{count} {count, plural,\none {segundo}\nother {segundos}\n}", - "minute": "{count} {count, plural,\none {minuto}\nother {minutos}\n}", - "hour": "{count} {count, plural,\nuna {hora}\nother {horas}\n}" - }, - "login-form": { - "password": "Contraseña", - "remember": "Recordar", - "log_in": "Iniciar sesión" - }, - "card": { - "camera": { - "not_available": "Imagen no disponible" - }, - "persistent_notification": { - "dismiss": "Descartar" - }, - "scene": { - "activate": "Activar" - }, - "script": { - "execute": "Ejecutar" - }, - "weather": { - "attributes": { - "air_pressure": "Presión del aire", - "humidity": "Humedad", - "temperature": "Temperatura", - "visibility": "Visibilidad", - "wind_speed": "Velocidad del viento" - }, - "cardinal_direction": { - "e": "E", - "ene": "ENE", - "ese": "ESE", - "n": "N", - "ne": "NE", - "nne": "NNE", - "nw": "NO", - "nnw": "NNO", - "s": "S", - "se": "SE", - "sse": "SSE", - "ssw": "SSO", - "sw": "SO", - "w": "O", - "wnw": "ONO", - "wsw": "OSO" - }, - "forecast": "Pronóstico" - }, - "alarm_control_panel": { - "code": "Código", - "clear_code": "Limpiar", - "disarm": "Desarmar", - "arm_home": "Armar en casa", - "arm_away": "Armar fuera de casa", - "arm_night": "Armado nocturno", - "armed_custom_bypass": "Armada zona específica", - "arm_custom_bypass": "Bypass personalizada" - }, - "automation": { - "last_triggered": "Última activación", - "trigger": "Desencadenar" - }, - "cover": { - "position": "Posición", - "tilt_position": "Posición inclinada" - }, - "fan": { - "speed": "Velocidad", - "oscillate": "Oscilar", - "direction": "Dirección", - "forward": "Adelante", - "reverse": "Inverso" - }, - "light": { - "brightness": "Brillo", - "color_temperature": "Temperatura del color", - "white_value": "Valor de blanco", - "effect": "Efecto" - }, - "media_player": { - "text_to_speak": "Texto para hablar", - "source": "Fuente", - "sound_mode": "Modo de sonido" - }, - "climate": { - "currently": "Actualmente", - "on_off": "Encendido \/ Apagado", - "target_temperature": "Temperatura fijada", - "target_humidity": "Humedad fijada", - "operation": "Modo", - "fan_mode": "Modo del ventilador", - "swing_mode": "Modo de oscilación", - "away_mode": "Fuera de casa", - "aux_heat": "Calor auxiliar", - "preset_mode": "Preajuste", - "target_temperature_entity": "{name} temperatura objetivo", - "target_temperature_mode": "{name} temperatura objetivo {mode}", - "current_temperature": "{name} temperatura actual", - "heating": "{name} calentando", - "cooling": "{name} enfriando", - "high": "máximo", - "low": "mínimo" - }, - "lock": { - "code": "Código", - "lock": "Bloquear", - "unlock": "Desbloquear" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Reanudar la limpieza", - "return_to_base": "Volver a la base", - "start_cleaning": "Empezar la limpieza", - "turn_on": "Encender", - "turn_off": "Apagar" - } - }, - "water_heater": { - "currently": "Actualmente", - "on_off": "Encendido \/ Apagado", - "target_temperature": "Temperatura deseada", - "operation": "Operación", - "away_mode": "Modo ausente" - }, - "timer": { - "actions": { - "start": "Iniciar", - "pause": "Pausar", - "cancel": "Cancelar", - "finish": "Terminar" - } - }, - "counter": { - "actions": { - "increment": "incrementar", - "decrement": "decrementar", - "reset": "reiniciar" - } - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "Entidad", - "clear": "Limpiar", - "show_entities": "Mostrar entidades" - } - }, - "service-picker": { - "service": "Servicio" - }, - "relative_time": { - "past": "Hace {time}", - "future": "En {time}", - "never": "Nunca", - "duration": { - "second": "{count} {count, plural,\none {segundo}\nother {segundos}\n}", - "minute": "{count} {count, plural,\none {minuto}\nother {minutos}\n}", - "hour": "{count} {count, plural,\none {hora}\nother {horas}\n}", - "day": "{count} {count, plural,\none {día}\nother {días}\n}", - "week": "{count} {count, plural,\none {semana}\nother {semanas}\n}" - } - }, - "history_charts": { - "loading_history": "Cargando historial de estado...", - "no_history_found": "No se encontró historial de estado." - }, - "device-picker": { - "clear": "Limpiar", - "show_devices": "Mostrar dispositivos" - } - }, - "notification_toast": { - "entity_turned_on": "Encendido {entity}.", - "entity_turned_off": "Apagado {entity}.", - "service_called": "Servicio {service} llamado.", - "service_call_failed": "Error al llamar al servicio {service}.", - "connection_lost": "Conexión perdida. Reconectando...", - "triggered": "Activado {nombre}" - }, - "dialogs": { - "more_info_settings": { - "save": "Guardar", - "name": "Cambio de nombre", - "entity_id": "Identificación de la entidad" - }, - "more_info_control": { - "script": { - "last_action": "Última acción" - }, - "sun": { - "elevation": "Elevación", - "rising": "Salida del sol", - "setting": "Puesta de sol" - }, - "updater": { - "title": "Instrucciones de actualización" - } - }, - "options_flow": { - "form": { - "header": "Opciones" - }, - "success": { - "description": "Las opciones se guardaron correctamente." - } - }, - "config_entry_system_options": { - "title": "Opciones del sistema para {integration}", - "enable_new_entities_label": "Activar entidades recién añadidas.", - "enable_new_entities_description": "Si está deshabilitada, las nuevas entidades que se descubran para {integration} no se agregarán automáticamente a Home Assistant." - }, - "zha_device_info": { - "manuf": "por {manufacturer}", - "no_area": "Ningún área", - "services": { - "reconfigure": "Reconfigura el dispositivo ZHA (curar dispositivo). Usa esto si tienes problemas con el dispositivo. Si el dispositivo en cuestión es un dispositivo alimentado por batería, asegúrate de que está activo y aceptando comandos cuando uses este servicio.", - "updateDeviceName": "Establece un nombre personalizado para este dispositivo en el registro de dispositivos.", - "remove": "Eliminar un dispositivo de la red Zigbee." - }, - "zha_device_card": { - "device_name_placeholder": "Nombre dado por el usuario", - "area_picker_label": "Área", - "update_name_button": "Cambiar nombre" - }, - "buttons": { - "add": "Añadir dispositivos", - "remove": "Eliminar dispositivos", - "reconfigure": "Reconfigurar dispositivo" - }, - "quirk": "Peculiaridad", - "last_seen": "Ultima vez visto", - "power_source": "Fuente de alimentación", - "unknown": "Desconocido" - }, - "confirmation": { - "cancel": "Cancelar", - "ok": "OK", - "title": "¿Estás seguro?" - } - }, - "auth_store": { - "ask": "¿Quieres guardar este inicio de sesión?", - "decline": "No, gracias", - "confirm": "Guardar usuario" - }, - "notification_drawer": { - "click_to_configure": "Haz clic en el botón para configurar {entity}", - "empty": "Sin Notificaciones", - "title": "Notificaciones" - } - }, - "domain": { - "alarm_control_panel": "Panel de control de alarmas", - "automation": "Automatización", - "binary_sensor": "Sensor binario", - "calendar": "Calendario", - "camera": "Cámara", - "climate": "Climatización", - "configurator": "Configurador", - "conversation": "Conversación", - "cover": "Persiana", - "device_tracker": "Rastreador de dispositivo", - "fan": "Ventilador", - "history_graph": "Historial gráfico", - "group": "Grupo", - "image_processing": "Procesamiento de imágenes", - "input_boolean": "Entrada booleana", - "input_datetime": "Entrada de fecha", - "input_select": "Selección de entrada", - "input_number": "Entrada de número", - "input_text": "Entrada de texto", - "light": "Luz", - "lock": "Cerradura", - "mailbox": "Buzón", - "media_player": "Reproductor multimedia", - "notify": "Notificar", - "plant": "Planta", - "proximity": "Proximidad", - "remote": "Remoto", - "scene": "Escena", - "script": "Script", - "sensor": "Sensor", - "sun": "Sol", - "switch": "Interruptor", - "updater": "Actualizador", - "weblink": "Enlace web", - "zwave": "Z-Wave", - "vacuum": "Aspiradora", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Salud del sistema", - "person": "Persona" - }, - "attribute": { - "weather": { - "humidity": "Humedad", - "visibility": "Visibilidad", - "wind_speed": "Velocidad del viento" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Apagado", - "on": "Encendido", - "auto": "Automático" - }, - "preset_mode": { - "none": "Ninguno", - "eco": "Eco", - "away": "Fuera de casa", - "boost": "Impulso", - "comfort": "Confort", - "home": "En casa", - "sleep": "Dormir", - "activity": "Actividad" - }, - "hvac_action": { - "off": "Apagado", - "heating": "Calentando", - "cooling": "Enfriando", - "drying": "Secando", - "idle": "Inactivo", - "fan": "Ventilador" - } - } - }, - "groups": { - "system-admin": "Administradores", - "system-users": "Usuarios", - "system-read-only": "Usuarios de solo lectura" - }, - "config_entry": { - "disabled_by": { - "user": "Usuario", - "integration": "Integración", - "config_entry": "Entrada de configuración" } } } \ No newline at end of file diff --git a/translations/et.json b/translations/et.json index 21b11ff380..8bce4c33a2 100644 --- a/translations/et.json +++ b/translations/et.json @@ -1,53 +1,193 @@ { - "panel": { - "config": "Seaded", - "states": "Ülevaade", - "map": "Kaart", - "logbook": "Logi", - "history": "Ajalugu", + "attribute": { + "weather": { + "humidity": "Niiskus", + "visibility": "Nähtavus", + "wind_speed": "Tuule kiirus" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Seade kanne", + "integration": "Sidumine", + "user": "Kasutaja" + } + }, + "domain": { + "alarm_control_panel": "Valvekeskuse juhtpaneel", + "automation": "Automatiseerimine", + "binary_sensor": "Binaarne andur", + "calendar": "Kalender", + "camera": "Kaamera", + "climate": "Kliima", + "configurator": "Seadistaja", + "conversation": "Vestlus", + "cover": "Kate", + "device_tracker": "Seadme träkker", + "fan": "Ventilaator", + "group": "Grupp", + "hassio": "Hass.io", + "history_graph": "Ajaloo graafik", + "homeassistant": "Home Assistant", + "image_processing": "Pilditöötlus", + "input_boolean": "Sisesta tõeväärtus", + "input_datetime": "Sisesta kuupäev ja kellaaeg", + "input_number": "Sisendi number", + "input_select": "Vali sisend", + "input_text": "Teksti sisestamine", + "light": "Tuled", + "lock": "Lukk", + "lovelace": "Lovelace", "mailbox": "Postkast", - "shopping_list": "Ostunimekiri", + "media_player": "Meediamängija", + "notify": "Teata", + "person": "Isik", + "plant": "Taim", + "proximity": "Lähedus", + "remote": "Kaugjuhtimispult", + "scene": "Stseen", + "script": "Skript", + "sensor": "Andur", + "sun": "Päike", + "switch": "Lüliti", + "system_health": "Süsteemi tervis", + "updater": "Uuendaja", + "vacuum": "Tühjenda", + "weblink": "Veebilink", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Administraatorid", + "system-read-only": "Ainult lugemisõigusega kasutajad", + "system-users": "Kasutajad" + }, + "panel": { + "calendar": "Kalender", + "config": "Seaded", "dev-info": "Info", "developer_tools": "Arendaja tööriistad", - "calendar": "Kalender", - "profile": "Profiil" + "history": "Ajalugu", + "logbook": "Logi", + "mailbox": "Postkast", + "map": "Kaart", + "profile": "Profiil", + "shopping_list": "Ostunimekiri", + "states": "Ülevaade" }, - "state": { - "default": { - "off": "Väljas", - "on": "Sees", - "unknown": "Teadmata", - "unavailable": "Kadunud" - }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Automaatne", + "off": "Väljas", + "on": "Sees" + }, + "hvac_action": { + "cooling": "Jahutamine", + "drying": "Kuivatamine", + "fan": "Ventilaator", + "heating": "Küte", + "idle": "Ootel", + "off": "Väljas" + }, + "preset_mode": { + "activity": "Tegevus", + "away": "Eemal", + "boost": "Suurenda", + "comfort": "Mugavus", + "eco": "Öko", + "home": "Kodus", + "none": "Puudub", + "sleep": "Uinuv" + } + } + }, + "state_badge": { "alarm_control_panel": { "armed": "Valves", - "disarmed": "Maas", - "armed_home": "Valves kodus", - "armed_away": "Valves eemal", - "armed_night": "Valves öine", - "pending": "Ootel", + "armed_away": "Valves", + "armed_custom_bypass": "Valves", + "armed_home": "Valves", + "armed_night": "Valves", "arming": "Valvestab", + "disarmed": "Maas", "disarming": "Maas...", - "triggered": "Häires", - "armed_custom_bypass": "Valves, eranditega" + "pending": "Ootel", + "triggered": "Häire" + }, + "default": { + "entity_not_found": "Olemit ei leitud", + "error": "Viga", + "unavailable": "Kadunud", + "unknown": "?" + }, + "device_tracker": { + "home": "Kodus", + "not_home": "Eemal" + }, + "person": { + "home": "Kodus", + "not_home": "Eemal" + } + }, + "state": { + "alarm_control_panel": { + "armed": "Valves", + "armed_away": "Valves eemal", + "armed_custom_bypass": "Valves, eranditega", + "armed_home": "Valves kodus", + "armed_night": "Valves öine", + "arming": "Valvestab", + "disarmed": "Maas", + "disarming": "Maas...", + "pending": "Ootel", + "triggered": "Häires" }, "automation": { "off": "Väljas", "on": "Sees" }, "binary_sensor": { + "battery": { + "off": "Tavaline", + "on": "Madal" + }, + "cold": { + "off": "Normaalne", + "on": "Jahe" + }, + "connectivity": { + "off": "Lahti ühendatud", + "on": "Ühendatud" + }, "default": { "off": "Väljas", "on": "Sees" }, - "moisture": { - "off": "Kuiv", - "on": "Märg" + "door": { + "off": "Suletud", + "on": "Avatud" + }, + "garage_door": { + "off": "Suletud", + "on": "Avatud" }, "gas": { "off": "Puudub", "on": "Tuvastatud" }, + "heat": { + "off": "Normaalne", + "on": "Palav" + }, + "lock": { + "off": "Lukus", + "on": "Lukustamata" + }, + "moisture": { + "off": "Kuiv", + "on": "Märg" + }, "motion": { "off": "Puudub", "on": "Tuvastatud" @@ -56,6 +196,22 @@ "off": "Puudub", "on": "Tuvastatud" }, + "opening": { + "off": "Suletud", + "on": "Avatud" + }, + "presence": { + "off": "Eemal", + "on": "Kodus" + }, + "problem": { + "off": "OK", + "on": "Probleem" + }, + "safety": { + "off": "Ohutu", + "on": "Ohtlik" + }, "smoke": { "off": "Puudub", "on": "Tuvastatud" @@ -68,53 +224,9 @@ "off": "Puudub", "on": "Tuvastatud" }, - "opening": { - "off": "Suletud", - "on": "Avatud" - }, - "safety": { - "off": "Ohutu", - "on": "Ohtlik" - }, - "presence": { - "off": "Eemal", - "on": "Kodus" - }, - "battery": { - "off": "Tavaline", - "on": "Madal" - }, - "problem": { - "off": "OK", - "on": "Probleem" - }, - "connectivity": { - "off": "Lahti ühendatud", - "on": "Ühendatud" - }, - "cold": { - "off": "Normaalne", - "on": "Jahe" - }, - "door": { - "off": "Suletud", - "on": "Avatud" - }, - "garage_door": { - "off": "Suletud", - "on": "Avatud" - }, - "heat": { - "off": "Normaalne", - "on": "Palav" - }, "window": { "off": "Suletud", "on": "Avatud" - }, - "lock": { - "off": "Lukus", - "on": "Lukustamata" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "Sees" }, "camera": { + "idle": "Ootel", "recording": "Salvestab", - "streaming": "Voogedastab", - "idle": "Ootel" + "streaming": "Voogedastab" }, "climate": { - "off": "Väljas", - "on": "Sees", - "heat": "Soojenda", - "cool": "Jahuta", - "idle": "Ootel", "auto": "Automaatne", + "cool": "Jahuta", "dry": "Kuiv", - "fan_only": "Ainult ventilaator", "eco": "Öko", "electric": "Elektriline", - "performance": "Jõudlus", - "high_demand": "Kõrge nõudlus", - "heat_pump": "Soojuspump", + "fan_only": "Ainult ventilaator", "gas": "Gaas", + "heat": "Soojenda", + "heat_cool": "Küta\/jahuta", + "heat_pump": "Soojuspump", + "high_demand": "Kõrge nõudlus", + "idle": "Ootel", "manual": "Käsitsi", - "heat_cool": "Küta\/jahuta" + "off": "Väljas", + "on": "Sees", + "performance": "Jõudlus" }, "configurator": { "configure": "Seadista", "configured": "Seadistatud" }, "cover": { - "open": "Avatud", - "opening": "Avaneb", "closed": "Suletud", "closing": "Sulgub", + "open": "Avatud", + "opening": "Avaneb", "stopped": "Peatatud" }, + "default": { + "off": "Väljas", + "on": "Sees", + "unavailable": "Kadunud", + "unknown": "Teadmata" + }, "device_tracker": { "home": "Kodus", "not_home": "Eemal" @@ -164,19 +282,19 @@ "on": "Sees" }, "group": { - "off": "Väljas", - "on": "Sees", - "home": "Kodus", - "not_home": "Eemal", - "open": "Avatud", - "opening": "Avaneb", "closed": "Suletud", "closing": "Sulgub", - "stopped": "Peatunud", + "home": "Kodus", "locked": "Lukus", - "unlocked": "Lukustamata", + "not_home": "Eemal", + "off": "Väljas", "ok": "OK", - "problem": "Probleem" + "on": "Sees", + "open": "Avatud", + "opening": "Avaneb", + "problem": "Probleem", + "stopped": "Peatunud", + "unlocked": "Lukustamata" }, "input_boolean": { "off": "Väljas", @@ -191,13 +309,17 @@ "unlocked": "Lahti" }, "media_player": { + "idle": "Ootel", "off": "Väljas", "on": "Sees", - "playing": "Mängib", "paused": "Peatatud", - "idle": "Ootel", + "playing": "Mängib", "standby": "Unerežiimil" }, + "person": { + "home": "Kodus", + "not_home": "Eemal" + }, "plant": { "ok": "OK", "problem": "Probleem" @@ -225,34 +347,10 @@ "off": "Väljas", "on": "Sees" }, - "zwave": { - "default": { - "initializing": "Lähtestan", - "dead": "Surnud", - "sleeping": "Ootel", - "ready": "Valmis" - }, - "query_stage": { - "initializing": "Lähtestan ( {query_stage} )", - "dead": "Surnud ({query_stage})" - } - }, - "weather": { - "clear-night": "Selge öö", - "cloudy": "Pilves", - "fog": "Udu", - "hail": "Rahe", - "lightning": "Äikeseline", - "lightning-rainy": "Äikeseline, vihmane", - "partlycloudy": "Osaliselt pilves", - "pouring": "Kallab", - "rainy": "Vihmane", - "snowy": "Lumine", - "snowy-rainy": "Lörtsine", - "sunny": "Päikeseline", - "windy": "Tuuline", - "windy-variant": "Tuuline", - "exceptional": "Erakordne" + "timer": { + "active": "aktiivne", + "idle": "ootel", + "paused": "peatatud" }, "vacuum": { "cleaning": "Puhastamine", @@ -264,182 +362,675 @@ "paused": "Peatatud", "returning": "Pöördun tagasi dokki" }, - "timer": { - "active": "aktiivne", - "idle": "ootel", - "paused": "peatatud" + "weather": { + "clear-night": "Selge öö", + "cloudy": "Pilves", + "exceptional": "Erakordne", + "fog": "Udu", + "hail": "Rahe", + "lightning": "Äikeseline", + "lightning-rainy": "Äikeseline, vihmane", + "partlycloudy": "Osaliselt pilves", + "pouring": "Kallab", + "rainy": "Vihmane", + "snowy": "Lumine", + "snowy-rainy": "Lörtsine", + "sunny": "Päikeseline", + "windy": "Tuuline", + "windy-variant": "Tuuline" }, - "person": { - "home": "Kodus", - "not_home": "Eemal" - } - }, - "state_badge": { - "default": { - "unknown": "?", - "unavailable": "Kadunud", - "error": "Viga", - "entity_not_found": "Olemit ei leitud" - }, - "alarm_control_panel": { - "armed": "Valves", - "disarmed": "Maas", - "armed_home": "Valves", - "armed_away": "Valves", - "armed_night": "Valves", - "pending": "Ootel", - "arming": "Valvestab", - "disarming": "Maas...", - "triggered": "Häire", - "armed_custom_bypass": "Valves" - }, - "device_tracker": { - "home": "Kodus", - "not_home": "Eemal" - }, - "person": { - "home": "Kodus", - "not_home": "Eemal" + "zwave": { + "default": { + "dead": "Surnud", + "initializing": "Lähtestan", + "ready": "Valmis", + "sleeping": "Ootel" + }, + "query_stage": { + "dead": "Surnud ({query_stage})", + "initializing": "Lähtestan ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Tühjenda täidetud", - "add_item": "Lisa toode", - "microphone_tip": "Puudutage paremas ülanurgas asuvat mikrofoni ikooni ja öelge: \"Add candy to my shopping list\"" + "auth_store": { + "ask": "Kas soovid selle sisselogimise salvestada?", + "confirm": "Salvesta sisselogimine", + "decline": "Tänan ei" + }, + "card": { + "alarm_control_panel": { + "arm_away": "Valvesta eemal", + "arm_custom_bypass": "Eranditega", + "arm_home": "Valvesta kodus", + "arm_night": "Valvesta öine", + "armed_custom_bypass": "Eranditega", + "clear_code": "Puhasta", + "code": "Kood", + "disarm": "Valvest maha" }, - "developer-tools": { - "tabs": { - "services": { - "title": "Teenused", - "data": "Teenuse andmed (YAML, valikuline)", - "call_service": "Kutsu teenus", - "select_service": "Kirjelduse kuvamiseks vali teenus", - "no_description": "Kirjeldus pole saadaval", - "no_parameters": "Sellel teenusel pole parameetreid.", - "column_parameter": "Parameeter", - "column_description": "Kirjeldus", - "column_example": "Näide", - "fill_example_data": "Täida näidisandmetega", - "alert_parsing_yaml": "Viga YAML'i parsimisel: {data}" - }, - "states": { - "title": "Olekud", - "entity": "Olem", - "state": "Olek", - "attributes": "Atribuudid", - "state_attributes": "Oleku atribuudid (YAML, valikuline)", - "set_state": "Määra olek", - "current_entities": "Praegused olemid", - "no_entities": "Olemid puuduvad", - "more_info": "Rohkem infot", - "alert_entity_field": "Olem on kohustuslik väli" - }, - "events": { - "title": "Sündmused", - "description": "Vallanda sündmus sündmuste siinil.", - "documentation": "Sündmuste dokumentatsioon.", - "type": "Sündmuse tüüp", - "data": "Sündmuse andmed (YAML, valikuline)", - "fire_event": "Vallanda sündmus", - "event_fired": "Sündmus {name} vallandus", - "available_events": "Saadaolevad sündmused", - "count_listeners": " ({count} kuulajat)", - "listen_to_events": "Kuula sündmusi", - "listening_to": "Kuulamas", - "subscribe_to": "Sündmus, mida tellida", - "start_listening": "Alusta kuulamist", - "stop_listening": "Lõpeta kuulamine" - }, - "templates": { - "title": "Mall", - "editor": "Malliredaktor", - "jinja_documentation": "Jinja2 malli dokumentatsioon" - }, - "mqtt": { - "title": "MQTT", - "topic": "teema", - "publish": "Avalda", - "description_listen": "Kuula teemat", - "listening_to": "Kuulamas", - "subscribe_to": "Teema, mida tellida", - "start_listening": "Alusta kuulamist", - "stop_listening": "Lõpeta kuulamine" - }, - "info": { - "title": "Info", - "remove": "Eemalda", - "set": "Säti", - "home_assistant_logo": "Home Assistant'i logo", - "source": "Allikas:", - "server": "server" - }, - "logs": { - "title": "Logid", - "details": "Logi üksikasjad ({level})", - "loading_log": "Laadin vigade logi...", - "no_errors": "Vigadest pole teatatud.", - "no_issues": "Uusi probleeme pole!", - "clear": "Puhasta", - "refresh": "Värskenda" - } + "automation": { + "last_triggered": "Viimati käivitatud", + "trigger": "Käivita" + }, + "camera": { + "not_available": "Kujutis pole saadaval" + }, + "climate": { + "aux_heat": "Abiküte", + "away_mode": "Eemal", + "cooling": "{name} jahutab", + "current_temperature": "{name} praegune temperatuur", + "currently": "Hetkel", + "fan_mode": "Ventilaatori režiim", + "heating": "{name} soojendab", + "high": "kõrge", + "low": "madal", + "on_off": "Sees \/ väljas", + "operation": "Töörežiim", + "preset_mode": "Eelseade", + "swing_mode": "Õõtsumise režiim", + "target_humidity": "Soovitud niiskusemäär", + "target_temperature": "Soovitud temperatuur", + "target_temperature_entity": "{name} soovitud temperatuur", + "target_temperature_mode": "{name} soovitud temperatuur {mode}" + }, + "counter": { + "actions": { + "decrement": "vähenda", + "increment": "suurenda", + "reset": "lähtesta" } }, - "history": { - "showing_entries": "Näitan kuupäeva", - "period": "Periood" + "cover": { + "position": "Asend", + "tilt_position": "Kalde asend" }, - "logbook": { - "showing_entries": "Näitan kuupäeva", - "period": "Periood" + "fan": { + "direction": "Suund", + "forward": "Edaspidi", + "oscillate": "Võnkumine", + "reverse": "Tagurpidi", + "speed": "Kiirus" }, - "mailbox": { - "empty": "Teile pole ühtegi sõnumit", - "playback_title": "Sõnumi taasesitus", - "delete_prompt": "Kas kustutada sõnum?", - "delete_button": "Kustuta" + "light": { + "brightness": "Heledus", + "color_temperature": "Värvustemperatuur", + "effect": "Efekt", + "white_value": "Valge väärtus" }, + "lock": { + "code": "Kood", + "lock": "Lukusta", + "unlock": "Ava" + }, + "media_player": { + "sound_mode": "Heli režiim", + "source": "Allikas", + "text_to_speak": "Tekst kõneks" + }, + "persistent_notification": { + "dismiss": "Loobu" + }, + "scene": { + "activate": "Aktiveeri" + }, + "script": { + "execute": "Täida" + }, + "timer": { + "actions": { + "cancel": "loobu", + "finish": "lõpeta", + "pause": "peata", + "start": "käivita" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Jätka puhastamist", + "return_to_base": "Tagasi dokki", + "start_cleaning": "Alusta puhastamist", + "turn_off": "Lülita välja", + "turn_on": "Lülita sisse" + } + }, + "water_heater": { + "away_mode": "Eemalolekurežiim", + "currently": "Hetkel", + "on_off": "Sees \/ väljas", + "operation": "Töörežiim", + "target_temperature": "Soovitud temperatuur" + }, + "weather": { + "attributes": { + "air_pressure": "Õhurõhk", + "humidity": "Niiskus", + "temperature": "Temperatuur", + "visibility": "Nähtavus", + "wind_speed": "Tuule kiirus" + }, + "cardinal_direction": { + "e": "E", + "ene": "ENE", + "ese": "ESE", + "n": "N", + "ne": "NE", + "nne": "NNE", + "nnw": "NNW", + "nw": "NW", + "s": "S", + "se": "SE", + "sse": "SSE", + "ssw": "SSW", + "sw": "SW", + "w": "W", + "wnw": "WNW", + "wsw": "WSW" + }, + "forecast": "Ennustus" + } + }, + "common": { + "cancel": "Loobu", + "loading": "Laadimine", + "save": "Salvesta", + "successfully_saved": "Edukalt salvestatud" + }, + "components": { + "device-picker": { + "clear": "Puhasta", + "show_devices": "Näita seadmeid" + }, + "entity": { + "entity-picker": { + "clear": "Puhasta", + "entity": "Olem", + "show_entities": "Näita olemeid" + } + }, + "history_charts": { + "loading_history": "Laadin ajalugu...", + "no_history_found": "Oleku ajalugu ei leitud" + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\n one {päev}\\n other {päeva}\\n}", + "hour": "{count} {count, plural,\\n one {tund}\\n other {tundi}\\n}", + "minute": "{count} {count, plural,\\n one {minut}\\n other {minutit}\\n}", + "second": "{count} {count, plural,\\n one {sekund}\\n other {sekundit}\\n}", + "week": "{count} {count, plural,\\n one {nädal}\\n other {nädalat}\\n}" + }, + "future": "{time} pärast", + "never": "Iial", + "past": "{time} tagasi" + }, + "service-picker": { + "service": "Teenus" + } + }, + "dialogs": { + "config_entry_system_options": { + "enable_new_entities_description": "Kui see on keelatud, ei lisata äsja avastatud olemeid automaatselt Home Assistant'i.", + "enable_new_entities_label": "Luba äsja lisatud olemid.", + "title": "Süsteemi valikud" + }, + "confirmation": { + "cancel": "Loobu", + "ok": "OK", + "title": "Oled sa kindel?" + }, + "more_info_control": { + "script": { + "last_action": "Viimane tegevus" + }, + "sun": { + "elevation": "Tõus", + "rising": "Tõuseb", + "setting": "Loojub" + }, + "updater": { + "title": "Uuendamise juhised" + } + }, + "more_info_settings": { + "entity_id": "Olemi ID", + "name": "Nime muutmine", + "save": "Salvesta" + }, + "options_flow": { + "form": { + "header": "Valikud" + }, + "success": { + "description": "Valikud on edukalt salvestatud." + } + }, + "zha_device_info": { + "buttons": { + "add": "Lisa seadmeid", + "remove": "Eemalda seade" + }, + "last_seen": "Viimati nähtud", + "manuf": "{manufacturer}", + "no_area": "Ala puudub", + "power_source": "Toiteallikas", + "services": { + "reconfigure": "Taasseadista (tervenda) ZHA seade. Kasuta seda, kui seadmega on probleeme. Kui seade on akutoitega, siis veendu, et see oleks ärkvel ja oleks valmis käske vastu võtma.", + "remove": "Eemalda seade Zigbee võrgust.", + "updateDeviceName": "Anna sellele seadmele seadmete registris kohandatud nimi." + }, + "unknown": "Teadmata", + "zha_device_card": { + "area_picker_label": "Ala", + "device_name_placeholder": "Kasutaja antud nimi", + "update_name_button": "Värskenda nime" + } + } + }, + "duration": { + "day": "{count} {count, plural,\\n one {päev}\\n other {päeva}\\n}", + "hour": "{count} {count, plural,\\n one {tund}\\n other {tundi}\\n}", + "minute": "{count} {count, plural,\\n one {minut}\\n other {minutit}\\n}", + "second": "{count} {count, plural,\\n one {sekund}\\n other {sekundit}\\n}", + "week": "{count} {count, plural,\\n one {nädal}\\n other {nädalat}\\n}" + }, + "login-form": { + "log_in": "Logi sisse", + "password": "Salasõna", + "remember": "Jäta meelde" + }, + "notification_drawer": { + "click_to_configure": "{entity} seadistamiseks klõpsa nuppu", + "empty": "Teavitusi pole", + "title": "Teavitused" + }, + "notification_toast": { + "connection_lost": "Ühendus kadunud. Taasühendamine...", + "entity_turned_off": "Välja lülitatud {entity}.", + "entity_turned_on": "Sisse lülitatud {entity}.", + "service_call_failed": "Teenuse {service} väljakutsumine ebaõnnestus.", + "service_called": "Teenus {service} kutsuti välja." + }, + "panel": { "config": { - "header": "Home Assistant'i seadistamine", - "introduction": "Siin saab seadistada oma komponente ja Home Assistant'i. Mitte kõike ei saa veel kasutajaliidese kaudu seadistada, kuid me töötame selle nimel.", + "area_registry": { + "caption": "Alade register", + "create_area": "LOO ALA", + "description": "Ülevaade kõikidest oma kodu aladest.", + "editor": { + "create": "LOO", + "default_name": "Uus ala", + "delete": "KUSTUTA", + "update": "UUENDA" + }, + "no_areas": "Paistab, et sul pole veel alasid!", + "picker": { + "create_area": "LOO ALA", + "header": "Alade register", + "integrations_page": "Sidumiste leht", + "introduction": "Alasid kasutatakse seadmete paiknemise korraldamiseks. Seda teavet kasutatakse läbivalt kasutajaliidese, lubade ja teiste süsteemidega sidumise korraldamisel.", + "introduction2": "Seadmete paigutamiseks alale mine alloleva lingi kaudu sidumiste lehele ja seejärel klõpsa seadme kaartideni jõudmiseks seadistatud sidumisel.", + "no_areas": "Paistab, et sul pole veel alasid!" + } + }, + "automation": { + "caption": "Automatiseerimine", + "description": "Loo ja redigeeri automatiseeringuid", + "editor": { + "actions": { + "add": "Lisa toiming", + "delete": "Kustuta", + "delete_confirm": "Oled kindel, et soovid kustutada?", + "duplicate": "Paljunda", + "header": "Tegevused", + "introduction": "Tegevused on need, mida Home Assistant teeb kui päästik käivitab automatiseeringu.", + "learn_more": "Lisateave tegevuste kohta", + "type_select": "Tegevuse tüüp", + "type": { + "condition": { + "label": "Tingimus" + }, + "delay": { + "delay": "Viide", + "label": "Viide" + }, + "device_id": { + "extra_fields": { + "code": "Kood" + }, + "label": "Seade" + }, + "event": { + "event": "Sündmus:", + "label": "Vallanda sündmus", + "service_data": "Teenuse andmed" + }, + "scene": { + "label": "Aktiveeri stseen" + }, + "service": { + "label": "Kutsu teenus", + "service_data": "Teenuse andmed" + }, + "wait_template": { + "label": "Oota", + "timeout": "Aegumine (valikuline)", + "wait_template": "Ootamise mall" + } + }, + "unsupported_action": "Toetamata tegevus: {action}" + }, + "alias": "Nimi", + "conditions": { + "add": "Lisa tingimus", + "delete": "Kustuta", + "delete_confirm": "Oled kindel, et soovid kustutada?", + "duplicate": "Duubelda", + "header": "Tingimused", + "introduction": "Tingimused on automatiseeringu valikuline osa ja neid saab kasutada, et vältida tegevuse käivitumist päästiku vallandumisel. Tingimused tunduvad väga sarnased päästikutele, kuid on siiski erinevad. Päästik jälgib süsteemis toimuvaid sündmusi, tingimus jälgib ainult süsteem praegust olekut. Päästik võib märgata, et lülitit ollakse parasjagu lülitamas. Tingimus võib näha ainult seda, kas lüliti on praegu sisse või välja lülitatud.", + "learn_more": "Lisateave tingimuste kohta", + "type_select": "Tingimuse tüüp", + "type": { + "and": { + "label": "ja" + }, + "device": { + "extra_fields": { + "above": "Üle", + "below": "Alla", + "for": "Kestus" + }, + "label": "Seade" + }, + "numeric_state": { + "above": "Üle", + "below": "Alla", + "label": "Numbriline olek", + "value_template": "Väärtuse mall (valikuline)" + }, + "or": { + "label": "või" + }, + "state": { + "label": "Olek", + "state": "Olek" + }, + "sun": { + "after": "Peale:", + "after_offset": "Pärastine viiteaeg (valikuline)", + "before": "Enne:", + "before_offset": "Eelnev viiteaeg (valikuline)", + "label": "Päike", + "sunrise": "Tõusu", + "sunset": "Loojangut" + }, + "template": { + "label": "Mall", + "value_template": "Väärtuse mall" + }, + "time": { + "after": "Peale", + "before": "Enne", + "label": "Aeg" + }, + "zone": { + "entity": "Asukohaga olem", + "label": "Ala", + "zone": "Ala" + } + }, + "unsupported_condition": "Tundmatu tingimus: {condition}" + }, + "default_name": "Uus automatiseering", + "description": { + "label": "Kirjeldus", + "placeholder": "Valikuline kirjeldus" + }, + "introduction": "Kasuta oma kodule elu sisse puhumiseks automatiseeringuid.", + "load_error_not_editable": "Ainult automations.yaml failis asuvad automatiseeringud on muudetavad.", + "load_error_unknown": "Viga automatiseeringu laadimisel ({err_no}).", + "save": "Salvesta", + "triggers": { + "add": "Lisa päästik", + "delete": "Kustuta", + "delete_confirm": "Oled kindel, et soovid kustutada?", + "duplicate": "Paljunda", + "header": "Päästikud", + "introduction": "Päästikud on need, millest algab automatiseeringu töö. Ühe automatiseeringu jaoks on võimalik määrata mitu päästikut. Kui päästik vallandub, kontrollib Home Assistant võimalike tingimuste täidetust ja käivitab tegevuse.", + "learn_more": "Lisateave päästikute kohta", + "type_select": "Päästiku tüüp", + "type": { + "device": { + "extra_fields": { + "above": "Üle", + "below": "Alla", + "for": "Kestus" + }, + "label": "Seade" + }, + "event": { + "event_data": "Sündmuse andmed", + "event_type": "Sündmuse tüüp", + "label": "Sündmus" + }, + "geo_location": { + "enter": "Sisenemine", + "event": "Sündmus:", + "label": "Geolokatsioon", + "leave": "Väljumine", + "source": "Allikas", + "zone": "Ala" + }, + "homeassistant": { + "event": "Sündmus:", + "label": "Home Assistant", + "shutdown": "Seiskamine", + "start": "Käivitamine" + }, + "mqtt": { + "label": "MQTT", + "payload": "Kandam (valikuline)", + "topic": "Teema" + }, + "numeric_state": { + "above": "Üle", + "below": "Alla", + "label": "Numbriline olek", + "value_template": "Väärtuse mall (valikuline)" + }, + "state": { + "for": "Jaoks", + "from": "Algväärtus", + "label": "Olek", + "to": "Lõppväärtus" + }, + "sun": { + "event": "Sündmus:", + "label": "Päike", + "offset": "Nihe (valikuline)", + "sunrise": "Tõus", + "sunset": "Loojang" + }, + "template": { + "label": "Mall", + "value_template": "Väärtuse mall" + }, + "time_pattern": { + "hours": "Tundi", + "label": "Aeg", + "minutes": "Minutit", + "seconds": "Sekundit" + }, + "time": { + "at": "Kell", + "label": "Aeg" + }, + "webhook": { + "label": "", + "webhook_id": "" + }, + "zone": { + "enter": "Sisenemine", + "entity": "Asukohaga olem", + "event": "Sündmus:", + "label": "Ala", + "leave": "Lahkumine", + "zone": "Ala" + } + }, + "unsupported_platform": "Toetamata platvorm: {platform}" + }, + "unsaved_confirm": "Sul on salvestamata muudatusi. Oled kindel, et soovid lahkuda?" + }, + "picker": { + "add_automation": "Lisa automatiseering", + "header": "Automaatika redaktor", + "introduction": "Automaatika redaktor võimaldab teil luua ja muuta automatiseeringuid. Palun järgige allolevat linki, veendumaks, et oled Home Assistant'i õigesti seadistanud.", + "learn_more": "Lisateave automatiseeringute kohta", + "no_automations": "Me ei leidnud ühtegi muudetavat automatiseeringut", + "pick_automation": "Vali muudetav automatiseering" + } + }, + "cloud": { + "account": { + "alexa": { + "disable": "keela", + "enable": "luba", + "manage_entities": "Halda olemeid", + "sync_entities": "Sünkrooni olemid", + "sync_entities_error": "Olemite sünkroonimine ebaõnnestus:", + "title": "Alexa" + }, + "connected": "Ühendatud", + "connection_status": "Pilveühenduse olek", + "google": { + "devices_pin": "Turvaseadmete PIN", + "enter_pin_hint": "Turvaseadmete kasutamiseks sisesta PIN", + "manage_entities": "Halda olemeid", + "security_devices": "Turvaseadmed", + "sync_entities": "Sünkrooni olemid Google'iga", + "title": "Google Assistant" + }, + "integrations": "Sidumised", + "manage_account": "Halda kontot", + "nabu_casa_account": "Nabu Casa konto", + "not_connected": "Pole ühendatud", + "remote": { + "certificate_info": "Sertifikaadi teave", + "link_learn_how_it_works": "Loe, kuidas see töötab", + "title": "Kaugjuhtimine" + }, + "sign_out": "Logi välja", + "webhooks": { + "disable_hook_error_msg": "Veebihaagi keelamine ebaõnnestus:", + "loading": "Laadin ...", + "manage": "Halda", + "no_hooks_yet_link_automation": "veebihaagi automatiseering", + "no_hooks_yet_link_integration": "veebihaagipõhine sidumine", + "title": "Veebihaagid" + } + }, + "alexa": { + "expose": "Avalda Alexa'le", + "exposed_entities": "Avaldatud olemid", + "not_exposed_entities": "Mitteavaldatud olemid", + "title": "Alexa" + }, + "caption": "Home Assistant pilv", + "description_features": "Juhi kodust eemal viibides, seo Alexa ja Google Assistant'iga.", + "description_login": "Sisse logitud kui {email}", + "description_not_login": "Pole sisse logitud", + "dialog_certificate": { + "certificate_expiration_date": "Sertifikaadi aegumiskuupäev", + "certificate_information": "Sertifikaadi teave", + "close": "Sulge", + "fingerprint": "Sertifikaadi sõrmejälg:", + "will_be_auto_renewed": "Uuendatakse automaatselt" + }, + "dialog_cloudhook": { + "available_at": "Veebihook on saadaval järgmisel URL-il:", + "close": "Sulge", + "confirm_disable": "Oled kindel, et soovid selle veebihaagi keelata?", + "copied_to_clipboard": "Kopeeritud lõikepuhvrisse", + "info_disable_webhook": "Kui sa ei soovi enam seda veebihaaki kasutada, võid", + "link_disable_webhook": "keela see", + "view_documentation": "Vaata dokumentatsiooni", + "webhook_for": "Veebihaak {name} jaoks" + }, + "forgot_password": { + "email": "E-post", + "email_error_msg": "Vigane meiliaadress", + "subtitle": "Unustasid oma salasõna", + "title": "Unustasid salasõna" + }, + "google": { + "disable_2FA": "Keela kaheastmeline autentimine", + "expose": "Avalda Google Assistant'ile", + "exposed_entities": "Avaldatud olemid", + "not_exposed_entities": "Mitteavaldatud olemid", + "sync_to_google": "Sünkroonin muutusi Google'iga", + "title": "Google Assistant" + }, + "login": { + "dismiss": "Loobu", + "forgot_password": "unustasid salasõna?", + "learn_more_link": "Lisateave Home Assistant Cloud kohta", + "sign_in": "Logi sisse", + "start_trial": "Alusta oma tasuta 1-kuulist prooviversiooni", + "title": "Pilve sisselogimine" + }, + "register": { + "create_account": "Loo konto", + "email_address": "E-posti aadress", + "email_error_msg": "Vigane meiliaadress", + "feature_amazon_alexa": "Sidumine Amazon Alexa'ga", + "feature_google_home": "Sidumine Google Assistant'iga", + "headline": "Alusta tasuta prooviperioodi", + "information4": "Konto registreerimisega nõustud järgmiste tingimustega.", + "link_privacy_policy": "Privaatsuspoliitika", + "link_terms_conditions": "Tingimused", + "password": "Salasõna", + "password_error_msg": "Salasõnad on vähemalt 8 tähemärki", + "resend_confirm_email": "Saada kinnitusmeil uuesti", + "start_trial": "Alusta proovimist" + } + }, + "common": { + "editor": { + "confirm_unsaved": "Sul on salvestamata muudatusi. Oled kindel, et soovid lahkuda?" + } + }, "core": { "caption": "Üldine", "description": "Home Assistant'i üldiste seadete muutmine", "section": { "core": { - "header": "Seadete ja serveri kontroll", - "introduction": "Seadete muutmine võib olla väsitav tegevus. Me teame. See osa püüab su elu natuke hõlpsamaks teha.", "core_config": { "edit_requires_storage": "Redaktor on keelatud, kuna seaded asuvad configuration.yaml failis.", - "location_name": "Sinu Home Assistant paigalduse nimi", - "latitude": "Laius", - "longitude": "Pikkus", "elevation": "Kõrgus", "elevation_meters": "meetrit", + "imperial_example": "Fahrenheit, naelad", + "latitude": "Laius", + "location_name": "Sinu Home Assistant paigalduse nimi", + "longitude": "Pikkus", + "metric_example": "Celsius, kilogrammid", + "save_button": "Salvesta", "time_zone": "Ajavöönd", "unit_system": "Ühikute süsteem", "unit_system_imperial": "Imperiaalne süsteem", - "unit_system_metric": "Meetermõõdustik", - "imperial_example": "Fahrenheit, naelad", - "metric_example": "Celsius, kilogrammid", - "save_button": "Salvesta" - } + "unit_system_metric": "Meetermõõdustik" + }, + "header": "Seadete ja serveri kontroll", + "introduction": "Seadete muutmine võib olla väsitav tegevus. Me teame. See osa püüab su elu natuke hõlpsamaks teha." }, "server_control": { - "validation": { - "heading": "Seadete kontrollimine", - "introduction": "Kontrolli oma seadeid kui oled neis hiljuti muutusi teinud ja tahad veenduda, et kõik on korrektne", - "check_config": "Kontrolli seadeid", - "valid": "Seaded on korrektsed!", - "invalid": "Seaded on vigased" - }, "reloading": { - "heading": "Seadete taaslaadimine", - "introduction": "Mõned Home Assistant'i komponendid on taaslaetavad ilma taaskäivituseta. Taaslaadimise klõpsamisel tühistatakse nende praegused seaded ja laetakse uued.", + "automation": "Taaslae automatiseeringud", "core": "Taaslae tuum", "group": "Taaslae grupid", - "automation": "Taaslae automatiseeringud", + "heading": "Seadete taaslaadimine", + "introduction": "Mõned Home Assistant'i komponendid on taaslaetavad ilma taaskäivituseta. Taaslaadimise klõpsamisel tühistatakse nende praegused seaded ja laetakse uued.", "script": "Taaslae skriptid" }, "server_management": { @@ -447,6 +1038,13 @@ "introduction": "Kontrolli oma Home Assistant serverit... Home Assistant'ist.", "restart": "Taaskäivita", "stop": "Peata" + }, + "validation": { + "check_config": "Kontrolli seadeid", + "heading": "Seadete kontrollimine", + "introduction": "Kontrolli oma seadeid kui oled neis hiljuti muutusi teinud ja tahad veenduda, et kõik on korrektne", + "invalid": "Seaded on vigased", + "valid": "Seaded on korrektsed!" } } } @@ -459,448 +1057,65 @@ "introduction": "Kohanda olemi atribuute. Lisatud või muudetud kohandused rakenduvad kohe. Eemaldatud kohandused rakenduvad olemi värskendamisel." } }, - "automation": { - "caption": "Automatiseerimine", - "description": "Loo ja redigeeri automatiseeringuid", - "picker": { - "header": "Automaatika redaktor", - "introduction": "Automaatika redaktor võimaldab teil luua ja muuta automatiseeringuid. Palun järgige allolevat linki, veendumaks, et oled Home Assistant'i õigesti seadistanud.", - "pick_automation": "Vali muudetav automatiseering", - "no_automations": "Me ei leidnud ühtegi muudetavat automatiseeringut", - "add_automation": "Lisa automatiseering", - "learn_more": "Lisateave automatiseeringute kohta" - }, - "editor": { - "introduction": "Kasuta oma kodule elu sisse puhumiseks automatiseeringuid.", - "default_name": "Uus automatiseering", - "save": "Salvesta", - "unsaved_confirm": "Sul on salvestamata muudatusi. Oled kindel, et soovid lahkuda?", - "alias": "Nimi", - "triggers": { - "header": "Päästikud", - "introduction": "Päästikud on need, millest algab automatiseeringu töö. Ühe automatiseeringu jaoks on võimalik määrata mitu päästikut. Kui päästik vallandub, kontrollib Home Assistant võimalike tingimuste täidetust ja käivitab tegevuse.", - "add": "Lisa päästik", - "duplicate": "Paljunda", - "delete": "Kustuta", - "delete_confirm": "Oled kindel, et soovid kustutada?", - "unsupported_platform": "Toetamata platvorm: {platform}", - "type_select": "Päästiku tüüp", - "type": { - "event": { - "label": "Sündmus", - "event_type": "Sündmuse tüüp", - "event_data": "Sündmuse andmed" - }, - "state": { - "label": "Olek", - "from": "Algväärtus", - "to": "Lõppväärtus", - "for": "Jaoks" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Sündmus:", - "start": "Käivitamine", - "shutdown": "Seiskamine" - }, - "mqtt": { - "label": "MQTT", - "topic": "Teema", - "payload": "Kandam (valikuline)" - }, - "numeric_state": { - "label": "Numbriline olek", - "above": "Üle", - "below": "Alla", - "value_template": "Väärtuse mall (valikuline)" - }, - "sun": { - "label": "Päike", - "event": "Sündmus:", - "sunrise": "Tõus", - "sunset": "Loojang", - "offset": "Nihe (valikuline)" - }, - "template": { - "label": "Mall", - "value_template": "Väärtuse mall" - }, - "time": { - "label": "Aeg", - "at": "Kell" - }, - "zone": { - "label": "Ala", - "entity": "Asukohaga olem", - "zone": "Ala", - "event": "Sündmus:", - "enter": "Sisenemine", - "leave": "Lahkumine" - }, - "webhook": { - "label": "", - "webhook_id": "" - }, - "time_pattern": { - "label": "Aeg", - "hours": "Tundi", - "minutes": "Minutit", - "seconds": "Sekundit" - }, - "geo_location": { - "label": "Geolokatsioon", - "source": "Allikas", - "zone": "Ala", - "event": "Sündmus:", - "enter": "Sisenemine", - "leave": "Väljumine" - }, - "device": { - "label": "Seade", - "extra_fields": { - "above": "Üle", - "below": "Alla", - "for": "Kestus" - } - } - }, - "learn_more": "Lisateave päästikute kohta" + "devices": { + "automation": { + "actions": { + "caption": "Kui midagi käivitatakse ..." }, "conditions": { - "header": "Tingimused", - "introduction": "Tingimused on automatiseeringu valikuline osa ja neid saab kasutada, et vältida tegevuse käivitumist päästiku vallandumisel. Tingimused tunduvad väga sarnased päästikutele, kuid on siiski erinevad. Päästik jälgib süsteemis toimuvaid sündmusi, tingimus jälgib ainult süsteem praegust olekut. Päästik võib märgata, et lülitit ollakse parasjagu lülitamas. Tingimus võib näha ainult seda, kas lüliti on praegu sisse või välja lülitatud.", - "add": "Lisa tingimus", - "duplicate": "Duubelda", - "delete": "Kustuta", - "delete_confirm": "Oled kindel, et soovid kustutada?", - "unsupported_condition": "Tundmatu tingimus: {condition}", - "type_select": "Tingimuse tüüp", - "type": { - "state": { - "label": "Olek", - "state": "Olek" - }, - "numeric_state": { - "label": "Numbriline olek", - "above": "Üle", - "below": "Alla", - "value_template": "Väärtuse mall (valikuline)" - }, - "sun": { - "label": "Päike", - "before": "Enne:", - "after": "Peale:", - "before_offset": "Eelnev viiteaeg (valikuline)", - "after_offset": "Pärastine viiteaeg (valikuline)", - "sunrise": "Tõusu", - "sunset": "Loojangut" - }, - "template": { - "label": "Mall", - "value_template": "Väärtuse mall" - }, - "time": { - "label": "Aeg", - "after": "Peale", - "before": "Enne" - }, - "zone": { - "label": "Ala", - "entity": "Asukohaga olem", - "zone": "Ala" - }, - "device": { - "label": "Seade", - "extra_fields": { - "above": "Üle", - "below": "Alla", - "for": "Kestus" - } - }, - "and": { - "label": "ja" - }, - "or": { - "label": "või" - } - }, - "learn_more": "Lisateave tingimuste kohta" + "caption": "Tee midagi ainult siis, kui ..." }, - "actions": { - "header": "Tegevused", - "introduction": "Tegevused on need, mida Home Assistant teeb kui päästik käivitab automatiseeringu.", - "add": "Lisa toiming", - "duplicate": "Paljunda", - "delete": "Kustuta", - "delete_confirm": "Oled kindel, et soovid kustutada?", - "unsupported_action": "Toetamata tegevus: {action}", - "type_select": "Tegevuse tüüp", - "type": { - "service": { - "label": "Kutsu teenus", - "service_data": "Teenuse andmed" - }, - "delay": { - "label": "Viide", - "delay": "Viide" - }, - "wait_template": { - "label": "Oota", - "wait_template": "Ootamise mall", - "timeout": "Aegumine (valikuline)" - }, - "condition": { - "label": "Tingimus" - }, - "event": { - "label": "Vallanda sündmus", - "event": "Sündmus:", - "service_data": "Teenuse andmed" - }, - "device_id": { - "label": "Seade", - "extra_fields": { - "code": "Kood" - } - }, - "scene": { - "label": "Aktiveeri stseen" - } - }, - "learn_more": "Lisateave tegevuste kohta" - }, - "load_error_not_editable": "Ainult automations.yaml failis asuvad automatiseeringud on muudetavad.", - "load_error_unknown": "Viga automatiseeringu laadimisel ({err_no}).", - "description": { - "label": "Kirjeldus", - "placeholder": "Valikuline kirjeldus" - } - } - }, - "script": { - "caption": "Skript", - "description": "Loo ja muuda skripte", - "picker": { - "header": "Skriptiredaktor", - "learn_more": "Lisateave skriptide kohta", - "add_script": "Lisa skript" - }, - "editor": { - "header": "Skript: {name}", - "default_name": "Uus skript", - "delete_confirm": "Oled kindel, et soovid selle skripti kustutada?" - } - }, - "zwave": { - "caption": "Z-Wave", - "description": "Halda oma Z-Wave võrku", - "network_management": { - "header": "Z-Wave võrgu haldamine", - "introduction": "Käivita käske, mis mõjutavad Z-Wave võrku. Sa ei saa tagasisidet selle kohta, kas enamik käske õnnestus, kuid selle kontrollimiseks võid uurida OZW-logi." - }, - "network_status": { - "network_stopped": "Z-Wave võrk on seiskunud", - "network_starting": "Z-Wave võrgu käivitamine ...", - "network_starting_note": "Sõltuvalt võrgu suurusest võib see natuke aega võtta.", - "network_started": "Z-Wave võrk on käivitatud", - "network_started_note_some_queried": "Ärkvel sõlmedele on päringud tehtud. Uinuvatele sõlmedele tehakse päringud, kui nad ärkavad.", - "network_started_note_all_queried": "Kõikidele sõlmedele on päringud esitatud." - }, - "services": { - "start_network": "Käivita võrk", - "stop_network": "Peata võrk", - "heal_network": "Tervenda võrku", - "test_network": "Testi võrku", - "soft_reset": "Pehme lähtestamine", - "save_config": "Salvesta seaded", - "add_node_secure": "Lisa turvaline sõlm", - "add_node": "Lisa sõlm", - "remove_node": "Eemalda sõlm", - "cancel_command": "Tühista käsk" - }, - "common": { - "value": "Väärtus", - "instance": "Eksemplar", - "index": "Indeks", - "unknown": "tundmatu", - "wakeup_interval": "Ärkamise intervall" - }, - "values": { - "header": "Sõlme väärtused" - }, - "node_config": { - "header": "Sõlme seadistamise valikud", - "seconds": "sekundit", - "set_wakeup": "Määra ärkamise intervall", - "config_parameter": "Konfiguratsiooniparameeter", - "config_value": "Seade väärtus", - "true": "Tõene", - "false": "Väär", - "set_config_parameter": "Seadista parameeter Config" - }, - "learn_more": "Lisateave Z-Wave'i kohta", - "ozw_log": { - "header": "OZW logi" - } - }, - "users": { - "caption": "Kasutajad", - "description": "Halda kasutajaid", - "picker": { - "title": "Kasutajad", - "system_generated": "Süsteemi genereeritud" - }, - "editor": { - "rename_user": "Nimeta kasutaja ümber", - "change_password": "Muuda salasõna", - "activate_user": "Aktiveeri kasutaja", - "deactivate_user": "Deaktiveeri kasutaja", - "delete_user": "Kustuta kasutaja", - "caption": "Vaata kasutajat", - "id": "ID", - "owner": "Omanik", - "group": "Grupp", - "active": "Aktiivne", - "system_generated": "Süsteemi genereeritud", - "unnamed_user": "Nimetu kasutaja", - "enter_new_name": "Sisesta uus nimi", - "user_rename_failed": "Kasutaja ümbernimetamine nurjus:", - "group_update_failed": "Grupi värskendamine ebaõnnestus:", - "confirm_user_deletion": "Oled kindel, et soovid kustutada {name}?" - }, - "add_user": { - "caption": "Lisa kasutaja", - "name": "Nimi", - "username": "Kasutajanimi", - "password": "Salasõna", - "create": "Loo" - } - }, - "cloud": { - "caption": "Home Assistant pilv", - "description_login": "Sisse logitud kui {email}", - "description_not_login": "Pole sisse logitud", - "description_features": "Juhi kodust eemal viibides, seo Alexa ja Google Assistant'iga.", - "login": { - "title": "Pilve sisselogimine", - "learn_more_link": "Lisateave Home Assistant Cloud kohta", - "dismiss": "Loobu", - "sign_in": "Logi sisse", - "forgot_password": "unustasid salasõna?", - "start_trial": "Alusta oma tasuta 1-kuulist prooviversiooni" - }, - "forgot_password": { - "title": "Unustasid salasõna", - "subtitle": "Unustasid oma salasõna", - "email": "E-post", - "email_error_msg": "Vigane meiliaadress" - }, - "register": { - "headline": "Alusta tasuta prooviperioodi", - "feature_google_home": "Sidumine Google Assistant'iga", - "feature_amazon_alexa": "Sidumine Amazon Alexa'ga", - "information4": "Konto registreerimisega nõustud järgmiste tingimustega.", - "link_terms_conditions": "Tingimused", - "link_privacy_policy": "Privaatsuspoliitika", - "create_account": "Loo konto", - "email_address": "E-posti aadress", - "email_error_msg": "Vigane meiliaadress", - "password": "Salasõna", - "password_error_msg": "Salasõnad on vähemalt 8 tähemärki", - "start_trial": "Alusta proovimist", - "resend_confirm_email": "Saada kinnitusmeil uuesti" - }, - "account": { - "nabu_casa_account": "Nabu Casa konto", - "connection_status": "Pilveühenduse olek", - "manage_account": "Halda kontot", - "sign_out": "Logi välja", - "integrations": "Sidumised", - "connected": "Ühendatud", - "not_connected": "Pole ühendatud", - "remote": { - "title": "Kaugjuhtimine", - "link_learn_how_it_works": "Loe, kuidas see töötab", - "certificate_info": "Sertifikaadi teave" - }, - "alexa": { - "title": "Alexa", - "sync_entities": "Sünkrooni olemid", - "manage_entities": "Halda olemeid", - "sync_entities_error": "Olemite sünkroonimine ebaõnnestus:", - "enable": "luba", - "disable": "keela" - }, - "google": { - "title": "Google Assistant", - "security_devices": "Turvaseadmed", - "devices_pin": "Turvaseadmete PIN", - "enter_pin_hint": "Turvaseadmete kasutamiseks sisesta PIN", - "sync_entities": "Sünkrooni olemid Google'iga", - "manage_entities": "Halda olemeid" - }, - "webhooks": { - "title": "Veebihaagid", - "no_hooks_yet_link_integration": "veebihaagipõhine sidumine", - "no_hooks_yet_link_automation": "veebihaagi automatiseering", - "loading": "Laadin ...", - "manage": "Halda", - "disable_hook_error_msg": "Veebihaagi keelamine ebaõnnestus:" + "triggers": { + "caption": "Tee midagi, kui..." } }, - "alexa": { - "title": "Alexa", - "exposed_entities": "Avaldatud olemid", - "not_exposed_entities": "Mitteavaldatud olemid", - "expose": "Avalda Alexa'le" + "caption": "Seadmed", + "description": "Halda ühendatud seadmeid" + }, + "entity_registry": { + "caption": "Olemite register", + "description": "Ülevaade kõikidest teadaolevatest olemitest.", + "editor": { + "confirm_delete": "Oled kindel, et soovid selle kirje kustutada?", + "default_name": "Uus ala", + "delete": "KUSTUTA", + "enabled_cause": "Keelatud {cause}.", + "enabled_description": "Keelatud olemeid ei lisata Home Assistant'i.", + "enabled_label": "Luba olem", + "unavailable": "See olem pole praegu saadaval.", + "update": "UUENDA" }, - "dialog_certificate": { - "certificate_information": "Sertifikaadi teave", - "certificate_expiration_date": "Sertifikaadi aegumiskuupäev", - "will_be_auto_renewed": "Uuendatakse automaatselt", - "fingerprint": "Sertifikaadi sõrmejälg:", - "close": "Sulge" - }, - "google": { - "title": "Google Assistant", - "expose": "Avalda Google Assistant'ile", - "disable_2FA": "Keela kaheastmeline autentimine", - "exposed_entities": "Avaldatud olemid", - "not_exposed_entities": "Mitteavaldatud olemid", - "sync_to_google": "Sünkroonin muutusi Google'iga" - }, - "dialog_cloudhook": { - "webhook_for": "Veebihaak {name} jaoks", - "available_at": "Veebihook on saadaval järgmisel URL-il:", - "info_disable_webhook": "Kui sa ei soovi enam seda veebihaaki kasutada, võid", - "link_disable_webhook": "keela see", - "view_documentation": "Vaata dokumentatsiooni", - "close": "Sulge", - "confirm_disable": "Oled kindel, et soovid selle veebihaagi keelata?", - "copied_to_clipboard": "Kopeeritud lõikepuhvrisse" + "picker": { + "header": "Olemite register", + "headers": { + "enabled": "Lubatud", + "entity_id": "Olemi ID", + "integration": "Sidumine", + "name": "Nimi" + }, + "integrations_page": "Sidumiste leht", + "introduction": "Home Assistant peab registrit iga olemi kohta, mida ta kunagi näinud on ja mida saab üheselt tuvastada. Kõigile nendele olemitele antakse olemi ID, mis reserveeritakse ainult sellele olemile.", + "introduction2": "Kasuta olemite registrit olemi nime või ID muutmiseks või olemi eemaldamiseks Home Assistant'ist. Pane tähele, et olemi registrikirje eemaldamine ei eemalda olemit. Selleks järgi allolevat linki ja eemalda olem sidumiste lehelt.", + "show_disabled": "Kuva keelatud olemid", + "unavailable": "(pole saadaval)" } }, + "header": "Home Assistant'i seadistamine", "integrations": { "caption": "Sidumised", - "description": "Halda ja seadista sidumisi", - "discovered": "Leitud", - "configured": "Seadistatud", - "new": "Loo uus sidumine", - "configure": "Seadista", - "none": "Midagi pole veel seadistatud", "config_entry": { - "no_devices": "See sidumine ei hõlma ühtegi seadet", - "no_device": "Olemid ilma seadmeteta", + "delete_button": "Kustuta {integration}", "delete_confirm": "Oled kindel, et soovid selle sidumise kustutada?", - "restart_confirm": "Selle sidumise lõplikuks eemaldamiseks taaskäivita Home Assistant", - "manuf": "{manufacturer}", - "via": "Ühendatud", - "firmware": "Püsivara: {version}", "device_unavailable": "seade pole saadaval", "entity_unavailable": "olem pole saadaval", - "no_area": "Ala puudub", + "firmware": "Püsivara: {version}", "hub": "Ühendatud", - "delete_button": "Kustuta {integration}" + "manuf": "{manufacturer}", + "no_area": "Ala puudub", + "no_device": "Olemid ilma seadmeteta", + "no_devices": "See sidumine ei hõlma ühtegi seadet", + "restart_confirm": "Selle sidumise lõplikuks eemaldamiseks taaskäivita Home Assistant", + "via": "Ühendatud" }, "config_flow": { "external_step": { @@ -908,26 +1123,135 @@ "open_site": "Ava veebisait" } }, - "home_assistant_website": "Home Assistant veebisait" + "configure": "Seadista", + "configured": "Seadistatud", + "description": "Halda ja seadista sidumisi", + "discovered": "Leitud", + "home_assistant_website": "Home Assistant veebisait", + "new": "Loo uus sidumine", + "none": "Midagi pole veel seadistatud" + }, + "introduction": "Siin saab seadistada oma komponente ja Home Assistant'i. Mitte kõike ei saa veel kasutajaliidese kaudu seadistada, kuid me töötame selle nimel.", + "person": { + "add_person": "Lisa isik", + "caption": "Isikud", + "confirm_delete": "Oled kindel, et soovid selle isiku kustutada?", + "confirm_delete2": "Kõik sellele isikule kuuluvad seadmed jäävad peremehetuks.", + "create_person": "Loo isik", + "description": "Halda isikuid, keda Home Assistant jälgib.", + "detail": { + "create": "Loo", + "delete": "Kustuta", + "device_tracker_intro": "Vali seadmed, mis kuuluvad sellele isikule.", + "device_tracker_pick": "Vali jälgitav seade", + "device_tracker_picked": "Jälgi seadet", + "link_integrations_page": "Sidumiste leht", + "linked_user": "Lingitud kasutaja", + "name": "Nimi", + "name_error_msg": "Nimi on kohustuslik", + "new_person": "Uus isik", + "update": "Uuenda" + }, + "no_persons_created_yet": "Paistab, et sa pole veel ühtegi isikut loonud." + }, + "script": { + "caption": "Skript", + "description": "Loo ja muuda skripte", + "editor": { + "default_name": "Uus skript", + "delete_confirm": "Oled kindel, et soovid selle skripti kustutada?", + "header": "Skript: {name}" + }, + "picker": { + "add_script": "Lisa skript", + "header": "Skriptiredaktor", + "learn_more": "Lisateave skriptide kohta" + } + }, + "server_control": { + "caption": "Serveri juhtimine", + "description": "Taaskäivita ja peata Home Assistant server", + "section": { + "reloading": { + "automation": "Taaslae automatiseeringud", + "core": "Taaslae tuum", + "group": "Taaslae grupid", + "heading": "Konfiguratsiooni taaslaadimine", + "introduction": "Mõned Home Assistant'i komponendid on taaslaetavad ilma taaskäivituseta. Taaslaadimise klõpsamisel tühistatakse nende praegused seaded ja laetakse uued.", + "scene": "Taaslae stseenid", + "script": "Taaslae skriptid" + }, + "server_management": { + "confirm_restart": "Oled kindel, et soovid taaskäivitada Home Assistant'i?", + "confirm_stop": "Oled kindel, et soovid seisata Home Assistant'i?", + "heading": "Serveri haldamine", + "introduction": "Kontrolli oma Home Assistant serverit... Home Assistant'ist.", + "restart": "Taaskäivita", + "stop": "Peata" + }, + "validation": { + "check_config": "Kontrolli seadeid", + "heading": "Seadete kontrollimine", + "introduction": "Kontrolli oma seadeid kui oled neis hiljuti muutusi teinud ja tahad veenduda, et kõik on korrektne", + "invalid": "Konfiguratsioon on vigane", + "valid": "Konfiguratsioon on korrektne!" + } + } + }, + "users": { + "add_user": { + "caption": "Lisa kasutaja", + "create": "Loo", + "name": "Nimi", + "password": "Salasõna", + "username": "Kasutajanimi" + }, + "caption": "Kasutajad", + "description": "Halda kasutajaid", + "editor": { + "activate_user": "Aktiveeri kasutaja", + "active": "Aktiivne", + "caption": "Vaata kasutajat", + "change_password": "Muuda salasõna", + "confirm_user_deletion": "Oled kindel, et soovid kustutada {name}?", + "deactivate_user": "Deaktiveeri kasutaja", + "delete_user": "Kustuta kasutaja", + "enter_new_name": "Sisesta uus nimi", + "group": "Grupp", + "group_update_failed": "Grupi värskendamine ebaõnnestus:", + "id": "ID", + "owner": "Omanik", + "rename_user": "Nimeta kasutaja ümber", + "system_generated": "Süsteemi genereeritud", + "unnamed_user": "Nimetu kasutaja", + "user_rename_failed": "Kasutaja ümbernimetamine nurjus:" + }, + "picker": { + "system_generated": "Süsteemi genereeritud", + "title": "Kasutajad" + } }, "zha": { - "caption": "ZHA", - "description": "Zigbee Home Automation võrgu haldamine", - "services": { - "reconfigure": "Taasseadista (tervenda) ZHA seade. Kasuta seda, kui seadmega on probleeme. Kui seade on akutoitega, siis veendu, et see oleks ärkvel ja oleks valmis käske vastu võtma.", - "updateDeviceName": "Anna sellele seadmele seadmete registris kohandatud nimi.", - "remove": "Eemalda seade Zigbee võrgust." - }, - "device_card": { - "device_name_placeholder": "Kasutaja antud nimi", - "area_picker_label": "Ala", - "update_name_button": "Värskenda nime" - }, "add_device_page": { - "header": "Zigbee Home Automation - seadmete lisamine", - "spinner": "ZHA Zigbee seadmete otsimine ...", "discovery_text": "Leitud seadmed kuvatakse siin. Järgige seadme(te) juhiseid ja pange seade sidumisrežiimile.", - "search_again": "Otsi uuesti" + "header": "Zigbee Home Automation - seadmete lisamine", + "search_again": "Otsi uuesti", + "spinner": "ZHA Zigbee seadmete otsimine ..." + }, + "caption": "ZHA", + "cluster_attributes": { + "header": "Klastri atribuudid", + "introduction": "Vaata ja muuda klastri atribuute." + }, + "cluster_commands": { + "commands_of_cluster": "Valitud klastri käsud", + "header": "Klastri käsud", + "help_command_dropdown": "Vali käsk, millega suhelda.", + "introduction": "Vaata ja väljasta klastrikäske.", + "issue_zigbee_command": "Väljasta Zigbee käsk" + }, + "clusters": { + "help_cluster_dropdown": "Atribuutide ja käskude vaatamiseks vali klaster." }, "common": { "add_devices": "Lisa seadmeid", @@ -935,6 +1259,12 @@ "devices": "Seadmed", "value": "Väärtus" }, + "description": "Zigbee Home Automation võrgu haldamine", + "device_card": { + "area_picker_label": "Ala", + "device_name_placeholder": "Kasutaja antud nimi", + "update_name_button": "Värskenda nime" + }, "network_management": { "header": "Võrgu haldamine", "introduction": "Kogu võrku mõjutavad käsud" @@ -942,436 +1272,202 @@ "node_management": { "header": "Seadme haldus" }, - "clusters": { - "help_cluster_dropdown": "Atribuutide ja käskude vaatamiseks vali klaster." - }, - "cluster_attributes": { - "header": "Klastri atribuudid", - "introduction": "Vaata ja muuda klastri atribuute." - }, - "cluster_commands": { - "header": "Klastri käsud", - "introduction": "Vaata ja väljasta klastrikäske.", - "commands_of_cluster": "Valitud klastri käsud", - "issue_zigbee_command": "Väljasta Zigbee käsk", - "help_command_dropdown": "Vali käsk, millega suhelda." + "services": { + "reconfigure": "Taasseadista (tervenda) ZHA seade. Kasuta seda, kui seadmega on probleeme. Kui seade on akutoitega, siis veendu, et see oleks ärkvel ja oleks valmis käske vastu võtma.", + "remove": "Eemalda seade Zigbee võrgust.", + "updateDeviceName": "Anna sellele seadmele seadmete registris kohandatud nimi." } }, - "area_registry": { - "caption": "Alade register", - "description": "Ülevaade kõikidest oma kodu aladest.", - "picker": { - "header": "Alade register", - "introduction": "Alasid kasutatakse seadmete paiknemise korraldamiseks. Seda teavet kasutatakse läbivalt kasutajaliidese, lubade ja teiste süsteemidega sidumise korraldamisel.", - "introduction2": "Seadmete paigutamiseks alale mine alloleva lingi kaudu sidumiste lehele ja seejärel klõpsa seadme kaartideni jõudmiseks seadistatud sidumisel.", - "integrations_page": "Sidumiste leht", - "no_areas": "Paistab, et sul pole veel alasid!", - "create_area": "LOO ALA" + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Indeks", + "instance": "Eksemplar", + "unknown": "tundmatu", + "value": "Väärtus", + "wakeup_interval": "Ärkamise intervall" }, - "no_areas": "Paistab, et sul pole veel alasid!", - "create_area": "LOO ALA", - "editor": { - "default_name": "Uus ala", - "delete": "KUSTUTA", - "update": "UUENDA", - "create": "LOO" - } - }, - "entity_registry": { - "caption": "Olemite register", - "description": "Ülevaade kõikidest teadaolevatest olemitest.", - "picker": { - "header": "Olemite register", - "unavailable": "(pole saadaval)", - "introduction": "Home Assistant peab registrit iga olemi kohta, mida ta kunagi näinud on ja mida saab üheselt tuvastada. Kõigile nendele olemitele antakse olemi ID, mis reserveeritakse ainult sellele olemile.", - "introduction2": "Kasuta olemite registrit olemi nime või ID muutmiseks või olemi eemaldamiseks Home Assistant'ist. Pane tähele, et olemi registrikirje eemaldamine ei eemalda olemit. Selleks järgi allolevat linki ja eemalda olem sidumiste lehelt.", - "integrations_page": "Sidumiste leht", - "show_disabled": "Kuva keelatud olemid", - "headers": { - "name": "Nimi", - "entity_id": "Olemi ID", - "integration": "Sidumine", - "enabled": "Lubatud" - } + "description": "Halda oma Z-Wave võrku", + "learn_more": "Lisateave Z-Wave'i kohta", + "network_management": { + "header": "Z-Wave võrgu haldamine", + "introduction": "Käivita käske, mis mõjutavad Z-Wave võrku. Sa ei saa tagasisidet selle kohta, kas enamik käske õnnestus, kuid selle kontrollimiseks võid uurida OZW-logi." }, - "editor": { - "unavailable": "See olem pole praegu saadaval.", - "default_name": "Uus ala", - "delete": "KUSTUTA", - "update": "UUENDA", - "enabled_label": "Luba olem", - "enabled_cause": "Keelatud {cause}.", - "enabled_description": "Keelatud olemeid ei lisata Home Assistant'i.", - "confirm_delete": "Oled kindel, et soovid selle kirje kustutada?" - } - }, - "person": { - "caption": "Isikud", - "description": "Halda isikuid, keda Home Assistant jälgib.", - "detail": { - "name": "Nimi", - "device_tracker_intro": "Vali seadmed, mis kuuluvad sellele isikule.", - "device_tracker_picked": "Jälgi seadet", - "device_tracker_pick": "Vali jälgitav seade", - "new_person": "Uus isik", - "name_error_msg": "Nimi on kohustuslik", - "linked_user": "Lingitud kasutaja", - "link_integrations_page": "Sidumiste leht", - "delete": "Kustuta", - "create": "Loo", - "update": "Uuenda" + "network_status": { + "network_started": "Z-Wave võrk on käivitatud", + "network_started_note_all_queried": "Kõikidele sõlmedele on päringud esitatud.", + "network_started_note_some_queried": "Ärkvel sõlmedele on päringud tehtud. Uinuvatele sõlmedele tehakse päringud, kui nad ärkavad.", + "network_starting": "Z-Wave võrgu käivitamine ...", + "network_starting_note": "Sõltuvalt võrgu suurusest võib see natuke aega võtta.", + "network_stopped": "Z-Wave võrk on seiskunud" }, - "no_persons_created_yet": "Paistab, et sa pole veel ühtegi isikut loonud.", - "create_person": "Loo isik", - "add_person": "Lisa isik", - "confirm_delete": "Oled kindel, et soovid selle isiku kustutada?", - "confirm_delete2": "Kõik sellele isikule kuuluvad seadmed jäävad peremehetuks." - }, - "server_control": { - "caption": "Serveri juhtimine", - "description": "Taaskäivita ja peata Home Assistant server", - "section": { - "validation": { - "heading": "Seadete kontrollimine", - "introduction": "Kontrolli oma seadeid kui oled neis hiljuti muutusi teinud ja tahad veenduda, et kõik on korrektne", - "check_config": "Kontrolli seadeid", - "valid": "Konfiguratsioon on korrektne!", - "invalid": "Konfiguratsioon on vigane" - }, - "reloading": { - "heading": "Konfiguratsiooni taaslaadimine", - "introduction": "Mõned Home Assistant'i komponendid on taaslaetavad ilma taaskäivituseta. Taaslaadimise klõpsamisel tühistatakse nende praegused seaded ja laetakse uued.", - "core": "Taaslae tuum", - "group": "Taaslae grupid", - "automation": "Taaslae automatiseeringud", - "script": "Taaslae skriptid", - "scene": "Taaslae stseenid" - }, - "server_management": { - "heading": "Serveri haldamine", - "introduction": "Kontrolli oma Home Assistant serverit... Home Assistant'ist.", - "restart": "Taaskäivita", - "stop": "Peata", - "confirm_restart": "Oled kindel, et soovid taaskäivitada Home Assistant'i?", - "confirm_stop": "Oled kindel, et soovid seisata Home Assistant'i?" - } - } - }, - "devices": { - "caption": "Seadmed", - "description": "Halda ühendatud seadmeid", - "automation": { - "triggers": { - "caption": "Tee midagi, kui..." - }, - "conditions": { - "caption": "Tee midagi ainult siis, kui ..." - }, - "actions": { - "caption": "Kui midagi käivitatakse ..." - } - } - }, - "common": { - "editor": { - "confirm_unsaved": "Sul on salvestamata muudatusi. Oled kindel, et soovid lahkuda?" + "node_config": { + "config_parameter": "Konfiguratsiooniparameeter", + "config_value": "Seade väärtus", + "false": "Väär", + "header": "Sõlme seadistamise valikud", + "seconds": "sekundit", + "set_config_parameter": "Seadista parameeter Config", + "set_wakeup": "Määra ärkamise intervall", + "true": "Tõene" + }, + "ozw_log": { + "header": "OZW logi" + }, + "services": { + "add_node": "Lisa sõlm", + "add_node_secure": "Lisa turvaline sõlm", + "cancel_command": "Tühista käsk", + "heal_network": "Tervenda võrku", + "remove_node": "Eemalda sõlm", + "save_config": "Salvesta seaded", + "soft_reset": "Pehme lähtestamine", + "start_network": "Käivita võrk", + "stop_network": "Peata võrk", + "test_network": "Testi võrku" + }, + "values": { + "header": "Sõlme väärtused" } } }, - "profile": { - "push_notifications": { - "header": "Tõuketeavitused", - "description": "Saada teatisi sellele seadmele.", - "error_load_platform": "Seadista notify.html5.", - "error_use_https": "Nõuab kasutajaliidese jaoks SSL lubamist.", - "push_notifications": "Tõuketeavitused", - "link_promo": "Lisateave" - }, - "language": { - "header": "Keel", - "link_promo": "Aita tõlkida", - "dropdown_label": "Keel" - }, - "themes": { - "header": "Teema", - "error_no_theme": "Teemasid pole saadaval.", - "link_promo": "Lisateave teemade kohta", - "dropdown_label": "Teema" - }, - "refresh_tokens": { - "header": "Ajutised juurdepääsutõendid", - "description": "Iga ajutine juurdepääsutõend kehtib ühe seansi jaoks. Ajutised juurdepääsutõendid kustutatakse automaatselt pärast välja logimist. Sinu konto jaoks on praegu aktiivsed järgmised ajutised juurdepääsutõendid.", - "token_title": "Ajutine juurdepääsutõend {clientId} jaoks", - "created_at": "Loodud {date}", - "confirm_delete": "Oled kindel, et soovid kustutada ajutise juurdepääsutõendi {name} jaoks?", - "delete_failed": "Ajutise juurdepääsutõendi kustutamine ebaõnnestus.", - "last_used": "Viimati kasutatud {date} asukohast {location}", - "not_used": "Pole kunagi kasutatud", - "current_token_tooltip": "Ei saa kustutada seda ajutist juurdepääsutõendit" - }, - "long_lived_access_tokens": { - "header": "Pikaajalised juurdepääsutõendid", - "description": "Loo pikaajalised juurdepääsutõendid, mis võimaldavad sinu skriptidel suhelda sinu Home Assistant serveriga. Iga juurdepääsutõend kehtib kümme aastat loomisest alates. Praegu on aktiivsed järgmised pikaajalised juurdepääsutõendid.", - "learn_auth_requests": "Loe, kuidas teha tõendatud päringuid.", - "created_at": "Loodud {date}", - "confirm_delete": "Oled kindel, et soovid kustutada juurdepääsutõendi {name} jaoks?", - "delete_failed": "Juurdepääsutõendi kustutamine ebaõnnestus.", - "create": "Loo juurdepääsutõend", - "create_failed": "Juurdepääsutõendi loomine ebaõnnestus.", - "prompt_name": "Nimi?", - "prompt_copy_token": "Kopeeri oma juurdepääsutõend. Seda ei näidata rohkem.", - "empty_state": "Sul pole veel pikaajalisi juurdepääsutõendeid.", - "last_used": "Viimati kasutatud {date} asukohast {location}", - "not_used": "Pole kunagi kasutatud" - }, - "current_user": "Oled praegu sisse logitud kui {fullName}.", - "is_owner": "Oled omanik.", - "change_password": { - "header": "Muuda salasõna", - "current_password": "Praegune salasõna", - "new_password": "Uus salasõna", - "confirm_new_password": "Kinnita uut salasõna", - "error_required": "Nõutav", - "submit": "Esita" - }, - "mfa": { - "header": "Mitmeastmelise autentimise moodulid", - "disable": "Keela", - "enable": "Luba", - "confirm_disable": "Oled kindel, et soovid keelata kasutaja {name}?" - }, - "mfa_setup": { - "title_aborted": "Katkestatud", - "title_success": "Korras!", - "step_done": "{step} seadistatud", - "close": "Sulge", - "submit": "Esita" - }, - "logout": "Logi välja", - "force_narrow": { - "header": "Peida alati külgriba", - "description": "See peidab vaikimisi külgriba, sarnaselt mobiilikogemusega." - }, - "vibrate": { - "header": "Vibreeri" - }, - "advanced_mode": { - "title": "Edasijõudnute režiim" - } - }, - "page-authorize": { - "initializing": "Lähtestan", - "authorizing_client": "Kavatsed anda {clientId} jaoks juurdepääsu oma Home Assistant serverile.", - "logging_in_with": "Login sisse **{authProviderName}** abil.", - "pick_auth_provider": "Või logi sisse, kasutades", - "abort_intro": "Sisselogimine katkestatud", - "form": { - "working": "Palun oota", - "unknown_error": "Midagi läks valesti", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Kasutajanimi", - "password": "Salasõna" - } - }, - "mfa": { - "data": { - "code": "Kaheastmeline autentimiskood" - }, - "description": "Ava oma seadmes **{mfa_module_name}**, et näha oma kaheastmelise autentimise koodi ja tõendada oma isikut:" - } - }, - "error": { - "invalid_auth": "Vale kasutajanimi või salasõna", - "invalid_code": "Vigane autentimiskood" - }, - "abort": { - "login_expired": "Sessioon aegus, palun logi uuesti sisse." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "API salasõna" - }, - "description": "Palun seadista http seadetes oma API salasõna:" - }, - "mfa": { - "data": { - "code": "Kaheastmeline autentimiskood" - }, - "description": "Ava oma seadmes **{mfa_module_name}**, et näha oma kaheastmelise autentimise koodi ja tõendada oma isikut:" - } - }, - "error": { - "invalid_auth": "Vale API salasõna", - "invalid_code": "Vigane autentimiskood" - }, - "abort": { - "no_api_password_set": "Sul pole API salasõna seadistatud", - "login_expired": "Sessioon aegus, palun logi uuesti sisse." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Kasutaja" - }, - "description": "Palun vali kasutaja, kellena soovid sisse logida:" - } - }, - "abort": { - "not_whitelisted": "Sinu arvuti ei ole lubatute nimekirjas." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Kasutajanimi", - "password": "Salasõna" - } - }, - "mfa": { - "data": { - "code": "Kaheastmeline autentimiskood" - }, - "description": "Ava oma seadmes **{mfa_module_name}**, et näha oma kaheastmelise autentimise koodi ja tõendada oma isikut:" - } - }, - "error": { - "invalid_auth": "Vale kasutajanimi või salasõna", - "invalid_code": "Vale autoriseerimiskood" - }, - "abort": { - "login_expired": "Sessioon aegus, palun logi uuesti sisse." - } - } - } - } - }, - "page-onboarding": { - "intro": "Kas oled valmis oma kodu ellu äratama, oma privaatsust tagasi võitma ja ühinema ülemaailmse nokitsejate kogukonnaga?", - "user": { - "intro": "Alustame kasutajakonto loomisega.", - "required_field": "Nõutud", - "data": { - "name": "Nimi", - "username": "Kasutajanimi", - "password": "Salasõna", - "password_confirm": "Kinnita salasõna" + "developer-tools": { + "tabs": { + "events": { + "available_events": "Saadaolevad sündmused", + "count_listeners": " ({count} kuulajat)", + "data": "Sündmuse andmed (YAML, valikuline)", + "description": "Vallanda sündmus sündmuste siinil.", + "documentation": "Sündmuste dokumentatsioon.", + "event_fired": "Sündmus {name} vallandus", + "fire_event": "Vallanda sündmus", + "listen_to_events": "Kuula sündmusi", + "listening_to": "Kuulamas", + "start_listening": "Alusta kuulamist", + "stop_listening": "Lõpeta kuulamine", + "subscribe_to": "Sündmus, mida tellida", + "title": "Sündmused", + "type": "Sündmuse tüüp" }, - "create_account": "Loo konto", - "error": { - "required_fields": "Täida kõik nõutud väljad", - "password_not_match": "Salasõnad ei ühti" + "info": { + "home_assistant_logo": "Home Assistant'i logo", + "remove": "Eemalda", + "server": "server", + "set": "Säti", + "source": "Allikas:", + "title": "Info" + }, + "logs": { + "clear": "Puhasta", + "details": "Logi üksikasjad ({level})", + "loading_log": "Laadin vigade logi...", + "no_errors": "Vigadest pole teatatud.", + "no_issues": "Uusi probleeme pole!", + "refresh": "Värskenda", + "title": "Logid" + }, + "mqtt": { + "description_listen": "Kuula teemat", + "listening_to": "Kuulamas", + "publish": "Avalda", + "start_listening": "Alusta kuulamist", + "stop_listening": "Lõpeta kuulamine", + "subscribe_to": "Teema, mida tellida", + "title": "MQTT", + "topic": "teema" + }, + "services": { + "alert_parsing_yaml": "Viga YAML'i parsimisel: {data}", + "call_service": "Kutsu teenus", + "column_description": "Kirjeldus", + "column_example": "Näide", + "column_parameter": "Parameeter", + "data": "Teenuse andmed (YAML, valikuline)", + "fill_example_data": "Täida näidisandmetega", + "no_description": "Kirjeldus pole saadaval", + "no_parameters": "Sellel teenusel pole parameetreid.", + "select_service": "Kirjelduse kuvamiseks vali teenus", + "title": "Teenused" + }, + "states": { + "alert_entity_field": "Olem on kohustuslik väli", + "attributes": "Atribuudid", + "current_entities": "Praegused olemid", + "entity": "Olem", + "more_info": "Rohkem infot", + "no_entities": "Olemid puuduvad", + "set_state": "Määra olek", + "state": "Olek", + "state_attributes": "Oleku atribuudid (YAML, valikuline)", + "title": "Olekud" + }, + "templates": { + "editor": "Malliredaktor", + "jinja_documentation": "Jinja2 malli dokumentatsioon", + "title": "Mall" } - }, - "integration": { - "intro": "Seadmed ja teenused on Home Assistant'is esitatud sidumistena. Võid neid seadistada kohe või teha seda hiljem konfiguratsioonilehelt.", - "more_integrations": "Rohkem", - "finish": "Lõpeta" - }, - "core-config": { - "intro": "Tere tulemast Home Assistant'i kasutama, {name}. Kuidas sa soovid oma kodu nimetada?", - "intro_location": "Soovime teada, kus sa elad. See teave aitab informatsiooni kuvamisel ja päikesepõhiste automatiseeringute loomisel. Neid andmeid ei jagata kunagi väljaspool teie võrku.", - "intro_location_detect": "Me saame aidata sul seda teavet leida, tehes ühekordse päringu välisele teenusele.", - "location_name_default": "Kodu", - "button_detect": "Tuvasta", - "finish": "Edasi" } }, + "history": { + "period": "Periood", + "showing_entries": "Näitan kuupäeva" + }, + "logbook": { + "period": "Periood", + "showing_entries": "Näitan kuupäeva" + }, "lovelace": { "cards": { - "shopping-list": { - "checked_items": "Märgitud tooted", - "clear_items": "Tühjenda märgitud tooted", - "add_item": "Lisa toode" - }, + "confirm_delete": "Oled kindel, et soovid selle kaardi kustutada?", "empty_state": { - "title": "Tere tulemast koju", + "go_to_integrations_page": "Mine sidumiste lehele.", "no_devices": "See leht võimaldab sul oma seadmeid juhtida, kuid tundub, et sul pole veel seadistatud seadmeid. Alustamiseks suundu sidumiste lehele.", - "go_to_integrations_page": "Mine sidumiste lehele." + "title": "Tere tulemast koju" }, "picture-elements": { - "hold": "Hoia:", - "tap": "Toksa:", - "navigate_to": "Liigu asukohta {location}", - "toggle": "Lülita {name}", "call_service": "Kutsu välja teenus {name}", - "more_info": "Näita rohkem teavet: {name}" + "hold": "Hoia:", + "more_info": "Näita rohkem teavet: {name}", + "navigate_to": "Liigu asukohta {location}", + "tap": "Toksa:", + "toggle": "Lülita {name}" }, - "confirm_delete": "Oled kindel, et soovid selle kaardi kustutada?" + "shopping-list": { + "add_item": "Lisa toode", + "checked_items": "Märgitud tooted", + "clear_items": "Tühjenda märgitud tooted" + } + }, + "changed_toast": { + "message": "Lovelace'i seadeid uuendati, kas soovid värskendada?", + "refresh": "Värskenda" }, "editor": { - "edit_card": { - "header": "Kaardi seadistamine", - "save": "Salvesta", - "toggle_editor": "Lülita redaktor sisse\/välja", - "pick_card": "Vali kaart, mida soovid lisada.", - "add": "Lisa kaart", - "edit": "Muuda", - "delete": "Kustuta", - "move": "Liiguta", - "show_visual_editor": "Kuva visuaalne redaktor", - "show_code_editor": "Kuva koodiredaktor" - }, - "migrate": { - "header": "Konfiguratsioon ei ühildu", - "para_no_id": "Sellel elemendil puudub ID. Lisa sellele elemendile ID 'ui-lovelace.yaml' failis.", - "para_migrate": "Home Assistant võib kõikidele kaartidele ja vaadetele automaatselt ID-d lisada, kui vajutad nupule \"Siirda seaded\".", - "migrate": "Siirda seaded" - }, - "header": "Muuda kasutajaliidest", - "edit_view": { - "header": "Vaata seadeid", - "add": "Lisa vaade", - "edit": "Muuda vaadet", - "delete": "Kustuta vaade", - "header_name": "{name} Vaata seadeid" - }, - "save_config": { - "header": "Võta Lovelace kasutajaliides oma kontrolli alla", - "para": "Vaikimisi hoolitseb kasutajaliidese eest Home Assistant, värskendades seda, kui saadaval on uued olemid või Lovelace komponendid. Kui võtad kontrolli üle, ei tee me sinu jaoks enam automaatselt muudatusi.", - "para_sure": "Oled kindel, et soovid kasutajaliidese oma kontrolli alla võtta?", - "cancel": "Ära pane tähele", - "save": "Võta kontroll" - }, - "menu": { - "raw_editor": "Toore konfiguratsiooni redaktor" - }, - "raw_editor": { - "header": "Muuda seadeid", - "save": "Salvesta", - "unsaved_changes": "Salvestamata muudatused", - "saved": "Salvestatud" - }, - "edit_lovelace": { - "header": "Lovelace kasutajaliidese pealkiri", - "explanation": "Seda pealkirja näidatakse kõikide Lovelace'i vaadete kohal." - }, "card": { + "conditional": { + "name": "Tingimuslik" + }, "config": { - "required": "Nõutav", - "optional": "Valikuline" + "optional": "Valikuline", + "required": "Nõutav" + }, + "entities": { + "name": "Olemid" + }, + "entity-button": { + "name": "Olemi nupp" + }, + "entity-filter": { + "name": "Olemi filter" }, "gauge": { + "name": "Mõõtur", "severity": { "define": "Kas määrata raskusaste?", "green": "Roheline", "red": "Punane", "yellow": "Kollane" - }, - "name": "Mõõtur" - }, - "glance": { - "columns": "Veerud", - "name": "Pilk" + } }, "generic": { "aspect_ratio": "Proportsioonid", @@ -1387,31 +1483,14 @@ "show_icon": "Kas näidata ikooni?", "show_name": "Kas näidata nime?", "show_state": "Kas näidata olekut?", - "title": "Pealkiri", "theme": "Teema", + "title": "Pealkiri", "unit": "Ühik", "url": "Url" }, - "map": { - "dark_mode": "Tume režiim?", - "source": "Allikas", - "name": "Kaart" - }, - "markdown": { - "content": "Sisu", - "name": "Markdown" - }, - "conditional": { - "name": "Tingimuslik" - }, - "entities": { - "name": "Olemid" - }, - "entity-button": { - "name": "Olemi nupp" - }, - "entity-filter": { - "name": "Olemi filter" + "glance": { + "columns": "Veerud", + "name": "Pilk" }, "history-graph": { "name": "Ajalooline graafik" @@ -1425,18 +1504,27 @@ "light": { "name": "Valgus" }, + "map": { + "dark_mode": "Tume režiim?", + "name": "Kaart", + "source": "Allikas" + }, + "markdown": { + "content": "Sisu", + "name": "Markdown" + }, "media-control": { "name": "Meedia juhtimine" }, - "picture": { - "name": "Pilt" - }, "picture-elements": { "name": "Pildi elemendid" }, "picture-entity": { "name": "Pildi olem" }, + "picture": { + "name": "Pilt" + }, "plant-status": { "name": "Taime olek" }, @@ -1455,424 +1543,336 @@ "weather-forecast": { "name": "Ilmateade" } + }, + "edit_card": { + "add": "Lisa kaart", + "delete": "Kustuta", + "edit": "Muuda", + "header": "Kaardi seadistamine", + "move": "Liiguta", + "pick_card": "Vali kaart, mida soovid lisada.", + "save": "Salvesta", + "show_code_editor": "Kuva koodiredaktor", + "show_visual_editor": "Kuva visuaalne redaktor", + "toggle_editor": "Lülita redaktor sisse\/välja" + }, + "edit_lovelace": { + "explanation": "Seda pealkirja näidatakse kõikide Lovelace'i vaadete kohal.", + "header": "Lovelace kasutajaliidese pealkiri" + }, + "edit_view": { + "add": "Lisa vaade", + "delete": "Kustuta vaade", + "edit": "Muuda vaadet", + "header": "Vaata seadeid", + "header_name": "{name} Vaata seadeid" + }, + "header": "Muuda kasutajaliidest", + "menu": { + "raw_editor": "Toore konfiguratsiooni redaktor" + }, + "migrate": { + "header": "Konfiguratsioon ei ühildu", + "migrate": "Siirda seaded", + "para_migrate": "Home Assistant võib kõikidele kaartidele ja vaadetele automaatselt ID-d lisada, kui vajutad nupule \"Siirda seaded\".", + "para_no_id": "Sellel elemendil puudub ID. Lisa sellele elemendile ID 'ui-lovelace.yaml' failis." + }, + "raw_editor": { + "header": "Muuda seadeid", + "save": "Salvesta", + "saved": "Salvestatud", + "unsaved_changes": "Salvestamata muudatused" + }, + "save_config": { + "cancel": "Ära pane tähele", + "header": "Võta Lovelace kasutajaliides oma kontrolli alla", + "para": "Vaikimisi hoolitseb kasutajaliidese eest Home Assistant, värskendades seda, kui saadaval on uued olemid või Lovelace komponendid. Kui võtad kontrolli üle, ei tee me sinu jaoks enam automaatselt muudatusi.", + "para_sure": "Oled kindel, et soovid kasutajaliidese oma kontrolli alla võtta?", + "save": "Võta kontroll" } }, "menu": { "configure_ui": "Seadista kasutajaliidest", - "unused_entities": "Kasutamata olemid", "help": "Abi", - "refresh": "Värskenda" - }, - "warning": { - "entity_not_found": "Olem pole saadaval: {entity}", - "entity_non_numeric": "Olem on mittenumbriline: {entity}" - }, - "changed_toast": { - "message": "Lovelace'i seadeid uuendati, kas soovid värskendada?", - "refresh": "Värskenda" + "refresh": "Värskenda", + "unused_entities": "Kasutamata olemid" }, "reload_lovelace": "Taaslae Lovelace", "views": { "confirm_delete": "Oled kindel, et soovid selle vaate kustutada?" + }, + "warning": { + "entity_non_numeric": "Olem on mittenumbriline: {entity}", + "entity_not_found": "Olem pole saadaval: {entity}" } }, + "mailbox": { + "delete_button": "Kustuta", + "delete_prompt": "Kas kustutada sõnum?", + "empty": "Teile pole ühtegi sõnumit", + "playback_title": "Sõnumi taasesitus" + }, + "page-authorize": { + "abort_intro": "Sisselogimine katkestatud", + "authorizing_client": "Kavatsed anda {clientId} jaoks juurdepääsu oma Home Assistant serverile.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Sessioon aegus, palun logi uuesti sisse." + }, + "error": { + "invalid_auth": "Vale kasutajanimi või salasõna", + "invalid_code": "Vale autoriseerimiskood" + }, + "step": { + "init": { + "data": { + "password": "Salasõna", + "username": "Kasutajanimi" + } + }, + "mfa": { + "data": { + "code": "Kaheastmeline autentimiskood" + }, + "description": "Ava oma seadmes **{mfa_module_name}**, et näha oma kaheastmelise autentimise koodi ja tõendada oma isikut:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Sessioon aegus, palun logi uuesti sisse." + }, + "error": { + "invalid_auth": "Vale kasutajanimi või salasõna", + "invalid_code": "Vigane autentimiskood" + }, + "step": { + "init": { + "data": { + "password": "Salasõna", + "username": "Kasutajanimi" + } + }, + "mfa": { + "data": { + "code": "Kaheastmeline autentimiskood" + }, + "description": "Ava oma seadmes **{mfa_module_name}**, et näha oma kaheastmelise autentimise koodi ja tõendada oma isikut:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Sessioon aegus, palun logi uuesti sisse.", + "no_api_password_set": "Sul pole API salasõna seadistatud" + }, + "error": { + "invalid_auth": "Vale API salasõna", + "invalid_code": "Vigane autentimiskood" + }, + "step": { + "init": { + "data": { + "password": "API salasõna" + }, + "description": "Palun seadista http seadetes oma API salasõna:" + }, + "mfa": { + "data": { + "code": "Kaheastmeline autentimiskood" + }, + "description": "Ava oma seadmes **{mfa_module_name}**, et näha oma kaheastmelise autentimise koodi ja tõendada oma isikut:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Sinu arvuti ei ole lubatute nimekirjas." + }, + "step": { + "init": { + "data": { + "user": "Kasutaja" + }, + "description": "Palun vali kasutaja, kellena soovid sisse logida:" + } + } + } + }, + "unknown_error": "Midagi läks valesti", + "working": "Palun oota" + }, + "initializing": "Lähtestan", + "logging_in_with": "Login sisse **{authProviderName}** abil.", + "pick_auth_provider": "Või logi sisse, kasutades" + }, "page-demo": { "cards": { "demo": { "demo_by": "{name}", - "next_demo": "Järgmine demo", "introduction": "Tere tulemast koju! Siin asub Home Assistant'i demo, mis tutvustab parimaid meie kogukonna loodud kasutajaliideseid.", - "learn_more": "Lisateave Home Assistant'i kohta" + "learn_more": "Lisateave Home Assistant'i kohta", + "next_demo": "Järgmine demo" } }, "config": { "arsaboo": { - "names": { - "upstairs": "Ülemine korrus", - "family_room": "Elutuba", - "kitchen": "Köök", - "patio": "Terrass", - "hallway": "Esik", - "master_bedroom": "Suur magamistuba", - "left": "Vasakpoolne", - "right": "Parempoolne", - "mirror": "Peegel" - }, "labels": { - "lights": "Valgustid", - "information": "Teave", - "morning_commute": "Hommikune pendelränne", + "activity": "Tegevus", + "air": "Õhk", "commute_home": "Teel koju", "entertainment": "Meelelahutus", - "activity": "Tegevus", "hdmi_input": "HDMI sisend", "hdmi_switcher": "HDMI lüliti", - "volume": "Helitugevus", + "information": "Teave", + "lights": "Valgustid", + "morning_commute": "Hommikune pendelränne", "total_tv_time": "TV-aeg kokku", "turn_tv_off": "Lülita teler välja", - "air": "Õhk" + "volume": "Helitugevus" + }, + "names": { + "family_room": "Elutuba", + "hallway": "Esik", + "kitchen": "Köök", + "left": "Vasakpoolne", + "master_bedroom": "Suur magamistuba", + "mirror": "Peegel", + "patio": "Terrass", + "right": "Parempoolne", + "upstairs": "Ülemine korrus" }, "unit": { - "watching": "jälgin", - "minutes_abbr": "min" + "minutes_abbr": "min", + "watching": "jälgin" } } } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Tuvasta", + "finish": "Edasi", + "intro": "Tere tulemast Home Assistant'i kasutama, {name}. Kuidas sa soovid oma kodu nimetada?", + "intro_location": "Soovime teada, kus sa elad. See teave aitab informatsiooni kuvamisel ja päikesepõhiste automatiseeringute loomisel. Neid andmeid ei jagata kunagi väljaspool teie võrku.", + "intro_location_detect": "Me saame aidata sul seda teavet leida, tehes ühekordse päringu välisele teenusele.", + "location_name_default": "Kodu" + }, + "integration": { + "finish": "Lõpeta", + "intro": "Seadmed ja teenused on Home Assistant'is esitatud sidumistena. Võid neid seadistada kohe või teha seda hiljem konfiguratsioonilehelt.", + "more_integrations": "Rohkem" + }, + "intro": "Kas oled valmis oma kodu ellu äratama, oma privaatsust tagasi võitma ja ühinema ülemaailmse nokitsejate kogukonnaga?", + "user": { + "create_account": "Loo konto", + "data": { + "name": "Nimi", + "password": "Salasõna", + "password_confirm": "Kinnita salasõna", + "username": "Kasutajanimi" + }, + "error": { + "password_not_match": "Salasõnad ei ühti", + "required_fields": "Täida kõik nõutud väljad" + }, + "intro": "Alustame kasutajakonto loomisega.", + "required_field": "Nõutud" + } + }, + "profile": { + "advanced_mode": { + "title": "Edasijõudnute režiim" + }, + "change_password": { + "confirm_new_password": "Kinnita uut salasõna", + "current_password": "Praegune salasõna", + "error_required": "Nõutav", + "header": "Muuda salasõna", + "new_password": "Uus salasõna", + "submit": "Esita" + }, + "current_user": "Oled praegu sisse logitud kui {fullName}.", + "force_narrow": { + "description": "See peidab vaikimisi külgriba, sarnaselt mobiilikogemusega.", + "header": "Peida alati külgriba" + }, + "is_owner": "Oled omanik.", + "language": { + "dropdown_label": "Keel", + "header": "Keel", + "link_promo": "Aita tõlkida" + }, + "logout": "Logi välja", + "long_lived_access_tokens": { + "confirm_delete": "Oled kindel, et soovid kustutada juurdepääsutõendi {name} jaoks?", + "create": "Loo juurdepääsutõend", + "create_failed": "Juurdepääsutõendi loomine ebaõnnestus.", + "created_at": "Loodud {date}", + "delete_failed": "Juurdepääsutõendi kustutamine ebaõnnestus.", + "description": "Loo pikaajalised juurdepääsutõendid, mis võimaldavad sinu skriptidel suhelda sinu Home Assistant serveriga. Iga juurdepääsutõend kehtib kümme aastat loomisest alates. Praegu on aktiivsed järgmised pikaajalised juurdepääsutõendid.", + "empty_state": "Sul pole veel pikaajalisi juurdepääsutõendeid.", + "header": "Pikaajalised juurdepääsutõendid", + "last_used": "Viimati kasutatud {date} asukohast {location}", + "learn_auth_requests": "Loe, kuidas teha tõendatud päringuid.", + "not_used": "Pole kunagi kasutatud", + "prompt_copy_token": "Kopeeri oma juurdepääsutõend. Seda ei näidata rohkem.", + "prompt_name": "Nimi?" + }, + "mfa_setup": { + "close": "Sulge", + "step_done": "{step} seadistatud", + "submit": "Esita", + "title_aborted": "Katkestatud", + "title_success": "Korras!" + }, + "mfa": { + "confirm_disable": "Oled kindel, et soovid keelata kasutaja {name}?", + "disable": "Keela", + "enable": "Luba", + "header": "Mitmeastmelise autentimise moodulid" + }, + "push_notifications": { + "description": "Saada teatisi sellele seadmele.", + "error_load_platform": "Seadista notify.html5.", + "error_use_https": "Nõuab kasutajaliidese jaoks SSL lubamist.", + "header": "Tõuketeavitused", + "link_promo": "Lisateave", + "push_notifications": "Tõuketeavitused" + }, + "refresh_tokens": { + "confirm_delete": "Oled kindel, et soovid kustutada ajutise juurdepääsutõendi {name} jaoks?", + "created_at": "Loodud {date}", + "current_token_tooltip": "Ei saa kustutada seda ajutist juurdepääsutõendit", + "delete_failed": "Ajutise juurdepääsutõendi kustutamine ebaõnnestus.", + "description": "Iga ajutine juurdepääsutõend kehtib ühe seansi jaoks. Ajutised juurdepääsutõendid kustutatakse automaatselt pärast välja logimist. Sinu konto jaoks on praegu aktiivsed järgmised ajutised juurdepääsutõendid.", + "header": "Ajutised juurdepääsutõendid", + "last_used": "Viimati kasutatud {date} asukohast {location}", + "not_used": "Pole kunagi kasutatud", + "token_title": "Ajutine juurdepääsutõend {clientId} jaoks" + }, + "themes": { + "dropdown_label": "Teema", + "error_no_theme": "Teemasid pole saadaval.", + "header": "Teema", + "link_promo": "Lisateave teemade kohta" + }, + "vibrate": { + "header": "Vibreeri" + } + }, + "shopping-list": { + "add_item": "Lisa toode", + "clear_completed": "Tühjenda täidetud", + "microphone_tip": "Puudutage paremas ülanurgas asuvat mikrofoni ikooni ja öelge: \"Add candy to my shopping list\"" } }, "sidebar": { - "log_out": "Logi välja", "external_app_configuration": "Äpi seaded", + "log_out": "Logi välja", "sidebar_toggle": "Külgriba lülitamine" - }, - "common": { - "loading": "Laadimine", - "cancel": "Loobu", - "save": "Salvesta", - "successfully_saved": "Edukalt salvestatud" - }, - "duration": { - "day": "{count} {count, plural,\n one {päev}\n other {päeva}\n}", - "week": "{count} {count, plural,\n one {nädal}\n other {nädalat}\n}", - "second": "{count} {count, plural,\n one {sekund}\n other {sekundit}\n}", - "minute": "{count} {count, plural,\n one {minut}\n other {minutit}\n}", - "hour": "{count} {count, plural,\n one {tund}\n other {tundi}\n}" - }, - "login-form": { - "password": "Salasõna", - "remember": "Jäta meelde", - "log_in": "Logi sisse" - }, - "card": { - "camera": { - "not_available": "Kujutis pole saadaval" - }, - "persistent_notification": { - "dismiss": "Loobu" - }, - "scene": { - "activate": "Aktiveeri" - }, - "script": { - "execute": "Täida" - }, - "weather": { - "attributes": { - "air_pressure": "Õhurõhk", - "humidity": "Niiskus", - "temperature": "Temperatuur", - "visibility": "Nähtavus", - "wind_speed": "Tuule kiirus" - }, - "cardinal_direction": { - "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" - }, - "forecast": "Ennustus" - }, - "alarm_control_panel": { - "code": "Kood", - "clear_code": "Puhasta", - "disarm": "Valvest maha", - "arm_home": "Valvesta kodus", - "arm_away": "Valvesta eemal", - "arm_night": "Valvesta öine", - "armed_custom_bypass": "Eranditega", - "arm_custom_bypass": "Eranditega" - }, - "automation": { - "last_triggered": "Viimati käivitatud", - "trigger": "Käivita" - }, - "cover": { - "position": "Asend", - "tilt_position": "Kalde asend" - }, - "fan": { - "speed": "Kiirus", - "oscillate": "Võnkumine", - "direction": "Suund", - "forward": "Edaspidi", - "reverse": "Tagurpidi" - }, - "light": { - "brightness": "Heledus", - "color_temperature": "Värvustemperatuur", - "white_value": "Valge väärtus", - "effect": "Efekt" - }, - "media_player": { - "text_to_speak": "Tekst kõneks", - "source": "Allikas", - "sound_mode": "Heli režiim" - }, - "climate": { - "currently": "Hetkel", - "on_off": "Sees \/ väljas", - "target_temperature": "Soovitud temperatuur", - "target_humidity": "Soovitud niiskusemäär", - "operation": "Töörežiim", - "fan_mode": "Ventilaatori režiim", - "swing_mode": "Õõtsumise režiim", - "away_mode": "Eemal", - "aux_heat": "Abiküte", - "preset_mode": "Eelseade", - "target_temperature_entity": "{name} soovitud temperatuur", - "target_temperature_mode": "{name} soovitud temperatuur {mode}", - "current_temperature": "{name} praegune temperatuur", - "heating": "{name} soojendab", - "cooling": "{name} jahutab", - "high": "kõrge", - "low": "madal" - }, - "lock": { - "code": "Kood", - "lock": "Lukusta", - "unlock": "Ava" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Jätka puhastamist", - "return_to_base": "Tagasi dokki", - "start_cleaning": "Alusta puhastamist", - "turn_on": "Lülita sisse", - "turn_off": "Lülita välja" - } - }, - "water_heater": { - "currently": "Hetkel", - "on_off": "Sees \/ väljas", - "target_temperature": "Soovitud temperatuur", - "operation": "Töörežiim", - "away_mode": "Eemalolekurežiim" - }, - "timer": { - "actions": { - "start": "käivita", - "pause": "peata", - "cancel": "loobu", - "finish": "lõpeta" - } - }, - "counter": { - "actions": { - "increment": "suurenda", - "decrement": "vähenda", - "reset": "lähtesta" - } - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "Olem", - "clear": "Puhasta", - "show_entities": "Näita olemeid" - } - }, - "service-picker": { - "service": "Teenus" - }, - "relative_time": { - "past": "{time} tagasi", - "future": "{time} pärast", - "never": "Iial", - "duration": { - "second": "{count} {count, plural,\n one {sekund}\n other {sekundit}\n}", - "minute": "{count} {count, plural,\n one {minut}\n other {minutit}\n}", - "hour": "{count} {count, plural,\n one {tund}\n other {tundi}\n}", - "day": "{count} {count, plural,\n one {päev}\n other {päeva}\n}", - "week": "{count} {count, plural,\n one {nädal}\n other {nädalat}\n}" - } - }, - "history_charts": { - "loading_history": "Laadin ajalugu...", - "no_history_found": "Oleku ajalugu ei leitud" - }, - "device-picker": { - "clear": "Puhasta", - "show_devices": "Näita seadmeid" - } - }, - "notification_toast": { - "entity_turned_on": "Sisse lülitatud {entity}.", - "entity_turned_off": "Välja lülitatud {entity}.", - "service_called": "Teenus {service} kutsuti välja.", - "service_call_failed": "Teenuse {service} väljakutsumine ebaõnnestus.", - "connection_lost": "Ühendus kadunud. Taasühendamine..." - }, - "dialogs": { - "more_info_settings": { - "save": "Salvesta", - "name": "Nime muutmine", - "entity_id": "Olemi ID" - }, - "more_info_control": { - "script": { - "last_action": "Viimane tegevus" - }, - "sun": { - "elevation": "Tõus", - "rising": "Tõuseb", - "setting": "Loojub" - }, - "updater": { - "title": "Uuendamise juhised" - } - }, - "options_flow": { - "form": { - "header": "Valikud" - }, - "success": { - "description": "Valikud on edukalt salvestatud." - } - }, - "config_entry_system_options": { - "title": "Süsteemi valikud", - "enable_new_entities_label": "Luba äsja lisatud olemid.", - "enable_new_entities_description": "Kui see on keelatud, ei lisata äsja avastatud olemeid automaatselt Home Assistant'i." - }, - "zha_device_info": { - "manuf": "{manufacturer}", - "no_area": "Ala puudub", - "services": { - "reconfigure": "Taasseadista (tervenda) ZHA seade. Kasuta seda, kui seadmega on probleeme. Kui seade on akutoitega, siis veendu, et see oleks ärkvel ja oleks valmis käske vastu võtma.", - "updateDeviceName": "Anna sellele seadmele seadmete registris kohandatud nimi.", - "remove": "Eemalda seade Zigbee võrgust." - }, - "zha_device_card": { - "device_name_placeholder": "Kasutaja antud nimi", - "area_picker_label": "Ala", - "update_name_button": "Värskenda nime" - }, - "buttons": { - "add": "Lisa seadmeid", - "remove": "Eemalda seade" - }, - "last_seen": "Viimati nähtud", - "power_source": "Toiteallikas", - "unknown": "Teadmata" - }, - "confirmation": { - "cancel": "Loobu", - "ok": "OK", - "title": "Oled sa kindel?" - } - }, - "auth_store": { - "ask": "Kas soovid selle sisselogimise salvestada?", - "decline": "Tänan ei", - "confirm": "Salvesta sisselogimine" - }, - "notification_drawer": { - "click_to_configure": "{entity} seadistamiseks klõpsa nuppu", - "empty": "Teavitusi pole", - "title": "Teavitused" - } - }, - "domain": { - "alarm_control_panel": "Valvekeskuse juhtpaneel", - "automation": "Automatiseerimine", - "binary_sensor": "Binaarne andur", - "calendar": "Kalender", - "camera": "Kaamera", - "climate": "Kliima", - "configurator": "Seadistaja", - "conversation": "Vestlus", - "cover": "Kate", - "device_tracker": "Seadme träkker", - "fan": "Ventilaator", - "history_graph": "Ajaloo graafik", - "group": "Grupp", - "image_processing": "Pilditöötlus", - "input_boolean": "Sisesta tõeväärtus", - "input_datetime": "Sisesta kuupäev ja kellaaeg", - "input_select": "Vali sisend", - "input_number": "Sisendi number", - "input_text": "Teksti sisestamine", - "light": "Tuled", - "lock": "Lukk", - "mailbox": "Postkast", - "media_player": "Meediamängija", - "notify": "Teata", - "plant": "Taim", - "proximity": "Lähedus", - "remote": "Kaugjuhtimispult", - "scene": "Stseen", - "script": "Skript", - "sensor": "Andur", - "sun": "Päike", - "switch": "Lüliti", - "updater": "Uuendaja", - "weblink": "Veebilink", - "zwave": "Z-Wave", - "vacuum": "Tühjenda", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Süsteemi tervis", - "person": "Isik" - }, - "attribute": { - "weather": { - "humidity": "Niiskus", - "visibility": "Nähtavus", - "wind_speed": "Tuule kiirus" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Väljas", - "on": "Sees", - "auto": "Automaatne" - }, - "preset_mode": { - "none": "Puudub", - "eco": "Öko", - "away": "Eemal", - "boost": "Suurenda", - "comfort": "Mugavus", - "home": "Kodus", - "sleep": "Uinuv", - "activity": "Tegevus" - }, - "hvac_action": { - "off": "Väljas", - "heating": "Küte", - "cooling": "Jahutamine", - "drying": "Kuivatamine", - "idle": "Ootel", - "fan": "Ventilaator" - } - } - }, - "groups": { - "system-admin": "Administraatorid", - "system-users": "Kasutajad", - "system-read-only": "Ainult lugemisõigusega kasutajad" - }, - "config_entry": { - "disabled_by": { - "user": "Kasutaja", - "integration": "Sidumine", - "config_entry": "Seade kanne" } } } \ No newline at end of file diff --git a/translations/eu.json b/translations/eu.json index 21cc5e4165..3308c82a92 100644 --- a/translations/eu.json +++ b/translations/eu.json @@ -1,24 +1,89 @@ { - "panel": { - "config": "Konfigurazioa", - "states": "Laburpena", - "map": "Mapa", - "logbook": "Erregistroa", - "history": "Historia", + "attribute": { + "weather": { + "humidity": "Hezetasuna", + "visibility": "Ikusgarritasuna", + "wind_speed": "Haizearen abiadura" + } + }, + "domain": { + "alarm_control_panel": "Alarmen kontrol panela", + "automation": "Automatizazioa", + "binary_sensor": "Sentsore bitarra", + "calendar": "Egutegia", + "camera": "Kamera", + "climate": "Klimatizazioa", + "configurator": "Konfiguratzailea", + "conversation": "Elkarrizketa", + "fan": "Haizagailua", + "group": "Taldea", + "hassio": "Hass.io", + "homeassistant": "Home Assistant", + "input_boolean": "Sarrera boolearra", + "input_datetime": "Data sarrera", + "input_number": "Zenbaki sarrera", + "input_select": "Aukeraketa sarrera", + "input_text": "Testu sarrera", + "light": "Argia", + "lock": "Sarraila", + "lovelace": "Lovelace", "mailbox": "Postontzia", - "shopping_list": "Erosketa zerrenda", + "notify": "Jakinarazi", + "person": "Pertsona", + "plant": "Landarea", + "proximity": "Gertutasuna", + "remote": "Urrunekoa", + "scene": "Eszena", + "script": "Script", + "sensor": "Sentsorea", + "sun": "Eguzkia", + "system_health": "Sistemaren Osasuna", + "updater": "Eguneratzailea", + "vacuum": "Xurgagailua", + "zha": "ZHA" + }, + "groups": { + "system-admin": "Administratzaileak", + "system-read-only": "Soilik irakurtzeko erabiltzaileak", + "system-users": "Erabiltzaileak" + }, + "panel": { + "calendar": "Egutegia", + "config": "Konfigurazioa", "dev-info": "Informazioa", "developer_tools": "Garatzaileentzako tresnak", - "calendar": "Egutegia", - "profile": "Profila" + "history": "Historia", + "logbook": "Erregistroa", + "mailbox": "Postontzia", + "map": "Mapa", + "profile": "Profila", + "shopping_list": "Erosketa zerrenda", + "states": "Laburpena" + }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Auto", + "off": "Itzalita", + "on": "Piztuta" + } + } + }, + "state_badge": { + "default": { + "entity_not_found": "Ez da Entitatea Aurkitu", + "error": "Errorea" + }, + "device_tracker": { + "home": "Etxean", + "not_home": "Kanpoan" + }, + "person": { + "home": "Etxean", + "not_home": "Kanpoan" + } }, "state": { - "default": { - "off": "Itzalita", - "on": "Piztuta", - "unknown": "Ezezaguna", - "unavailable": "Ez dago erabilgarri" - }, "alarm_control_panel": { "pending": "Zain", "triggered": "Abiarazita" @@ -28,40 +93,21 @@ "on": "Piztuta" }, "binary_sensor": { - "default": { - "off": "Itzalita", - "on": "Piztuta" - }, - "moisture": { - "off": "Lehorra", - "on": "Buztita" - }, - "opening": { - "off": "Itxita", - "on": "Ireki" - }, - "safety": { - "off": "Babestuta" - }, - "presence": { - "off": "Kanpoan", - "on": "Etxean" - }, "battery": { "off": "Normala", "on": "Baxua" }, - "problem": { - "off": "Ondo", - "on": "Arazoa" + "cold": { + "off": "Normala", + "on": "Hotza" }, "connectivity": { "off": "Deskonektatuta", "on": "Konektatuta" }, - "cold": { - "off": "Normala", - "on": "Hotza" + "default": { + "off": "Itzalita", + "on": "Piztuta" }, "door": { "off": "Itxita", @@ -75,13 +121,32 @@ "off": "Normala", "on": "Beroa" }, - "window": { - "off": "Itxita", - "on": "Ireki" - }, "lock": { "off": "Itxita", "on": "Irekita" + }, + "moisture": { + "off": "Lehorra", + "on": "Buztita" + }, + "opening": { + "off": "Itxita", + "on": "Ireki" + }, + "presence": { + "off": "Kanpoan", + "on": "Etxean" + }, + "problem": { + "off": "Ondo", + "on": "Arazoa" + }, + "safety": { + "off": "Babestuta" + }, + "window": { + "off": "Itxita", + "on": "Ireki" } }, "calendar": { @@ -92,31 +157,37 @@ "recording": "Grabatzen" }, "climate": { - "off": "Itzalita", - "on": "Piztuta", - "heat": "Beroa", - "cool": "Hotza", "auto": "Automatikoa", + "cool": "Hotza", "dry": "Lehorra", - "fan_only": "Haizagailua bakarrik", "eco": "Eko", "electric": "Elektrikoa", - "performance": "Errendimendua", - "high_demand": "Eskari handia", + "fan_only": "Haizagailua bakarrik", + "gas": "Gasa", + "heat": "Beroa", "heat_pump": "Bero-ponpa", - "gas": "Gasa" + "high_demand": "Eskari handia", + "off": "Itzalita", + "on": "Piztuta", + "performance": "Errendimendua" }, "configurator": { "configure": "Konfiguratu", "configured": "Konfiguratuta" }, "cover": { - "open": "Irekita", - "opening": "Irekitzen", "closed": "Itxita", "closing": "Ixten", + "open": "Irekita", + "opening": "Irekitzen", "stopped": "Geldituta" }, + "default": { + "off": "Itzalita", + "on": "Piztuta", + "unavailable": "Ez dago erabilgarri", + "unknown": "Ezezaguna" + }, "device_tracker": { "home": "Etxean", "not_home": "Kanpoan" @@ -126,17 +197,17 @@ "on": "Piztuta" }, "group": { - "off": "Itzalita", - "on": "Piztuta", - "home": "Etxean", - "not_home": "Kanpoan", - "open": "Ireki", - "opening": "Irekitzen", "closed": "Itxita", "closing": "Ixten", - "stopped": "Geldirik", + "home": "Etxean", + "not_home": "Kanpoan", + "off": "Itzalita", "ok": "Itzalita", - "problem": "Arazoa" + "on": "Piztuta", + "open": "Ireki", + "opening": "Irekitzen", + "problem": "Arazoa", + "stopped": "Geldirik" }, "input_boolean": { "off": "Itzalita", @@ -150,6 +221,10 @@ "off": "Itzalita", "on": "Piztuta" }, + "person": { + "home": "Etxean", + "not_home": "Kanpoan" + }, "plant": { "ok": "Itzalita", "problem": "Arazoa" @@ -174,17 +249,13 @@ "off": "Itzalita", "on": "Piztuta" }, - "zwave": { - "default": { - "initializing": "Hasieratzen", - "dead": "Hilda", - "sleeping": "Lotan", - "ready": "Prest" - }, - "query_stage": { - "initializing": "Hasieratzen ({query_stage})", - "dead": "Ez du erantzuten ({query_stage})" - } + "vacuum": { + "cleaning": "Garbitzen", + "docked": "Basean", + "error": "Errorea", + "off": "Itzalita", + "on": "Piztuta", + "returning": "Basera itzultzen" }, "weather": { "clear-night": "Garbia, gaua", @@ -202,188 +273,222 @@ "windy": "Haizetsua", "windy-variant": "Haizetsua" }, - "vacuum": { - "cleaning": "Garbitzen", - "docked": "Basean", - "error": "Errorea", - "off": "Itzalita", - "on": "Piztuta", - "returning": "Basera itzultzen" - }, - "person": { - "home": "Etxean", - "not_home": "Kanpoan" - } - }, - "state_badge": { - "device_tracker": { - "home": "Etxean", - "not_home": "Kanpoan" - }, - "person": { - "home": "Etxean", - "not_home": "Kanpoan" - }, - "default": { - "error": "Errorea", - "entity_not_found": "Ez da Entitatea Aurkitu" + "zwave": { + "default": { + "dead": "Hilda", + "initializing": "Hasieratzen", + "ready": "Prest", + "sleeping": "Lotan" + }, + "query_stage": { + "dead": "Ez du erantzuten ({query_stage})", + "initializing": "Hasieratzen ({query_stage})" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Osatutakoak ezabatu", - "add_item": "Artikulua gehitu" + "auth_store": { + "ask": "Saio hau gorde nahi duzu?", + "confirm": "Erabiltzailea gorde", + "decline": "Ez, eskerrik asko" + }, + "card": { + "alarm_control_panel": { + "clear_code": "Garbitu", + "code": "Kodea" }, - "developer-tools": { - "tabs": { - "services": { - "title": "Zerbitzuak" - }, - "states": { - "title": "Egoerak" - }, - "events": { - "title": "Gertaerak" - }, - "templates": { - "title": "Txantiloiak" - }, - "mqtt": { - "title": "MQTT" - } + "camera": { + "not_available": "Irudia ez dago eskuragarri" + }, + "climate": { + "away_mode": "Etxetik kanpo", + "currently": "Orain", + "fan_mode": "Haizagailuaren modua", + "on_off": "Piztuta \/ itzalita", + "operation": "Modua" + }, + "cover": { + "position": "Posizioa" + }, + "fan": { + "speed": "Abiadura" + }, + "light": { + "brightness": "Distira", + "color_temperature": "Kolore tenperatura", + "effect": "Efektua" + }, + "lock": { + "code": "Kodea" + }, + "media_player": { + "sound_mode": "Soinu modua", + "source": "Iturria", + "text_to_speak": "Esateko testua" + }, + "scene": { + "activate": "Aktibatu" + }, + "script": { + "execute": "Exekutatu" + }, + "vacuum": { + "actions": { + "resume_cleaning": "Garbitzen jarraitu", + "return_to_base": "Basera itzuli", + "start_cleaning": "Garbitzen hasi", + "turn_off": "Itzali", + "turn_on": "Piztu" } }, - "mailbox": { - "empty": "Ez duzu mezurik", - "delete_prompt": "Mezu hau ezabatu?", - "delete_button": "Ezabatu" + "water_heater": { + "currently": "Orain", + "on_off": "Piztuta \/ itzalita", + "operation": "Operazioa" }, - "config": { - "core": { - "caption": "Orokorra", - "section": { - "server_control": { - "reloading": { - "core": "Nukleoa birkargatu", - "group": "Taldeak birkargatu", - "automation": "Automatizazioak birkargatu", - "script": "Scriptak birkargatu" - }, - "server_management": { - "heading": "Zerbitzariaren kudeaketa", - "introduction": "Zure Home Assistant zerbitzaria... Home Assistantetik kontrolatu", - "restart": "Berrabiarazi", - "stop": "Gelditu" - } - }, - "core": { - "core_config": { - "location_name": "Zure Home Assistant instalazioaren izena", - "latitude": "Latitudea", - "longitude": "Longitudea", - "elevation_meters": "metro", - "time_zone": "Ordu-eremua", - "unit_system": "Unitate Sistema", - "unit_system_imperial": "Inperiala", - "unit_system_metric": "Metrikoa", - "imperial_example": "Fahrenheit, librak", - "metric_example": "Celsius, kilogramoak", - "save_button": "Gorde" - } - } - } + "weather": { + "attributes": { + "air_pressure": "Aire presioa", + "humidity": "Hezetasuna", + "temperature": "Tenperatura", + "visibility": "Ikusgarritasuna", + "wind_speed": "Haizearen abiadura" }, + "cardinal_direction": { + "e": "E", + "ene": "EIE", + "ese": "EHE", + "n": "I", + "ne": "IE", + "nne": "IIE", + "nnw": "IIM", + "nw": "IM", + "s": "H", + "se": "HE", + "sse": "HHE", + "ssw": "HHM", + "sw": "HM", + "w": "M", + "wnw": "MIM", + "wsw": "MHM" + }, + "forecast": "Iragarpena" + } + }, + "common": { + "loading": "Kargatzen", + "save": "Gorde" + }, + "components": { + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\n one {egun}\\n other {egun}\\n}", + "hour": "{count} {count, plural,\\n one {ordu}\\n other {ordu}\\n}", + "minute": "{count} {count, plural,\\n one {minutu}\\n other {minutu}\\n}", + "second": "{count} {count, plural,\\n one {segundo}\\n other {segundo}\\n}", + "week": "{count} {count, plural,\\n one {aste}\\n other {aste}\\n}" + }, + "future": "{time} barru", + "never": "Inoiz", + "past": "Orain dela {time}" + }, + "service-picker": { + "service": "Zerbitzua" + } + }, + "dialogs": { + "more_info_control": { "script": { - "caption": "Script", - "description": "Scriptak sortu eta editatu" + "last_action": "Azken ekintza" }, - "zwave": { - "caption": "Z-Wave", - "node_config": { - "set_config_parameter": "Ezarri konfigurazio-parametroa" + "sun": { + "rising": "Igotzen", + "setting": "Ezarpena" + }, + "updater": { + "title": "Argibideak Eguneratu" + } + }, + "more_info_settings": { + "name": "Izena", + "save": "Gorde" + } + }, + "duration": { + "day": "{count} {count, plural,\\n one {egun}\\n other {egun}\\n}", + "hour": "{count} {count, plural,\\n one {ordu}\\n other {ordu}\\n}", + "minute": "{count} {count, plural,\\n one {minutu}\\n other {minutu}\\n}", + "second": "{count} {count, plural,\\n one {segundo}\\n other {segundo}\\n}", + "week": "{count} {count, plural,\\n one {aste}\\n other {aste}\\n}" + }, + "login-form": { + "log_in": "Saioa hasi", + "password": "Pasahitza", + "remember": "Gogoratu" + }, + "notification_drawer": { + "empty": "Jakinarazpenik ez", + "title": "Jakinarazpenak" + }, + "notification_toast": { + "connection_lost": "Konexioa galdu da. Berriro konektatzen...", + "entity_turned_off": "{entity} itzalita.", + "entity_turned_on": "{entity} piztuta.", + "service_called": "{service} zerbitzua deitu da." + }, + "panel": { + "config": { + "area_registry": { + "caption": "Gune Erregistroa", + "create_area": "GUNEA SORTU", + "description": "Zure etxeko gune guztien ikuspegi orokorra.", + "editor": { + "create": "SORTU", + "default_name": "Gune berria", + "delete": "EZABATU", + "update": "EGUNERATU" + }, + "picker": { + "create_area": "GUNEA SORTU", + "header": "Gune Erregistroa", + "integrations_page": "Integrazioen orria", + "no_areas": "Oraindik gunerik ez duzula dirudi!" } }, "automation": { - "picker": { - "add_automation": "Automatizazioa gehitu", - "learn_more": "Automatizazioei buruz gehiago ikasi" - }, "editor": { - "default_name": "Automatizazio berria", - "save": "Gorde", - "alias": "Izena", - "triggers": { - "header": "Abiarazleak", - "add": "Abiarazlea gehitu", - "duplicate": "Bikoiztu", + "actions": { + "add": "Ekintza gehitu", "delete": "Ezabatu", - "type_select": "Abiarazle mota", + "duplicate": "Bikoiztu", + "header": "Ekintzak", + "learn_more": "Ekintzei buruz gehiago ikasi", + "type_select": "Ekintza mota", "type": { - "event": { - "label": "Gertaera", - "event_type": "Gertaera mota" + "condition": { + "label": "Baldintza" }, - "state": { - "label": "Egoera" + "delay": { + "delay": "Atzerapena", + "label": "Atzerapena" }, - "homeassistant": { - "label": "Home Assistant", - "event": "Gertaera:", - "start": "Hasi", - "shutdown": "Itzali" + "service": { + "label": "Zerbitzua deitu" }, - "mqtt": { - "label": "MQTT", - "topic": "Gaia" - }, - "numeric_state": { - "above": "Honen gainetik", - "below": "Honen azpitik" - }, - "sun": { - "label": "Eguzkia", - "event": "Gertaera:", - "sunrise": "Egunsentia", - "sunset": "Ilunabarra" - }, - "template": { - "label": "Txantiloia", - "value_template": "Balio txantiloia" - }, - "time": { - "label": "Ordua", - "at": "Noiz" - }, - "zone": { - "enter": "Sartu", - "leave": "Utzi" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook IDa" - }, - "time_pattern": { - "label": "Denbora Eredua", - "hours": "Orduak", - "minutes": "Minutuak", - "seconds": "Segunduak" - }, - "geo_location": { - "label": "Geokokapena", - "source": "Iturria", - "event": "Gertaera:", - "enter": "Sartu", - "leave": "Utzi" + "wait_template": { + "label": "Itxaron", + "wait_template": "Itxaron txantiloia" } }, - "learn_more": "Abiarazleei buruz gehiago ikasi" + "unsupported_action": "Ekintza ez onartua: {action}" }, + "alias": "Izena", "conditions": { - "header": "Baldintzak", "add": "Baldintza gehitu", - "duplicate": "Bikoiztu", "delete": "Ezabatu", + "duplicate": "Bikoiztu", + "header": "Baldintzak", + "learn_more": "Baldintzei buruz gehiago ikasi", "type_select": "Baldintza mota", "type": { "state": { @@ -402,58 +507,82 @@ "time": { "label": "Denbora" } - }, - "learn_more": "Baldintzei buruz gehiago ikasi" - }, - "actions": { - "header": "Ekintzak", - "add": "Ekintza gehitu", - "duplicate": "Bikoiztu", - "delete": "Ezabatu", - "unsupported_action": "Ekintza ez onartua: {action}", - "type_select": "Ekintza mota", - "type": { - "service": { - "label": "Zerbitzua deitu" - }, - "delay": { - "label": "Atzerapena", - "delay": "Atzerapena" - }, - "wait_template": { - "label": "Itxaron", - "wait_template": "Itxaron txantiloia" - }, - "condition": { - "label": "Baldintza" - } - }, - "learn_more": "Ekintzei buruz gehiago ikasi" + } }, + "default_name": "Automatizazio berria", "load_error_not_editable": "Soilik automations.yaml fitxategian dauden automatizazioak dira editagarriak.", - "load_error_unknown": "Errorea automatizazioa kargatzean ({err_no})." - } - }, - "users": { - "caption": "Erabiltzaileak", - "description": "Erabiltzaileak kudeatu", + "load_error_unknown": "Errorea automatizazioa kargatzean ({err_no}).", + "save": "Gorde", + "triggers": { + "add": "Abiarazlea gehitu", + "delete": "Ezabatu", + "duplicate": "Bikoiztu", + "header": "Abiarazleak", + "learn_more": "Abiarazleei buruz gehiago ikasi", + "type_select": "Abiarazle mota", + "type": { + "event": { + "event_type": "Gertaera mota", + "label": "Gertaera" + }, + "geo_location": { + "enter": "Sartu", + "event": "Gertaera:", + "label": "Geokokapena", + "leave": "Utzi", + "source": "Iturria" + }, + "homeassistant": { + "event": "Gertaera:", + "label": "Home Assistant", + "shutdown": "Itzali", + "start": "Hasi" + }, + "mqtt": { + "label": "MQTT", + "topic": "Gaia" + }, + "numeric_state": { + "above": "Honen gainetik", + "below": "Honen azpitik" + }, + "state": { + "label": "Egoera" + }, + "sun": { + "event": "Gertaera:", + "label": "Eguzkia", + "sunrise": "Egunsentia", + "sunset": "Ilunabarra" + }, + "template": { + "label": "Txantiloia", + "value_template": "Balio txantiloia" + }, + "time_pattern": { + "hours": "Orduak", + "label": "Denbora Eredua", + "minutes": "Minutuak", + "seconds": "Segunduak" + }, + "time": { + "at": "Noiz", + "label": "Ordua" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook IDa" + }, + "zone": { + "enter": "Sartu", + "leave": "Utzi" + } + } + } + }, "picker": { - "title": "Erabiltzaileak" - }, - "editor": { - "rename_user": "Erabiltzailea berrizendatu", - "change_password": "Pasahitza aldatu", - "activate_user": "Erabiltzailea aktibatu", - "deactivate_user": "Erabiltzailea desaktibatu", - "delete_user": "Erabiltzailea ezabatu", - "caption": "Erabiltzailea ikusi" - }, - "add_user": { - "caption": "Erabiltzailea gehitu", - "name": "Izena", - "username": "Erabiltzaile izena", - "password": "Pasahitza", - "create": "Sortu" + "add_automation": "Automatizazioa gehitu", + "learn_more": "Automatizazioei buruz gehiago ikasi" } }, "cloud": { @@ -461,148 +590,243 @@ "description_login": "{email} bezala hasi duzu saioa", "description_not_login": "Ez da saioa hasi" }, + "core": { + "caption": "Orokorra", + "section": { + "core": { + "core_config": { + "elevation_meters": "metro", + "imperial_example": "Fahrenheit, librak", + "latitude": "Latitudea", + "location_name": "Zure Home Assistant instalazioaren izena", + "longitude": "Longitudea", + "metric_example": "Celsius, kilogramoak", + "save_button": "Gorde", + "time_zone": "Ordu-eremua", + "unit_system": "Unitate Sistema", + "unit_system_imperial": "Inperiala", + "unit_system_metric": "Metrikoa" + } + }, + "server_control": { + "reloading": { + "automation": "Automatizazioak birkargatu", + "core": "Nukleoa birkargatu", + "group": "Taldeak birkargatu", + "script": "Scriptak birkargatu" + }, + "server_management": { + "heading": "Zerbitzariaren kudeaketa", + "introduction": "Zure Home Assistant zerbitzaria... Home Assistantetik kontrolatu", + "restart": "Berrabiarazi", + "stop": "Gelditu" + } + } + } + }, + "entity_registry": { + "caption": "Entitate Erregistroa", + "editor": { + "default_name": "Gune berria", + "delete": "EZABATU", + "unavailable": "Entitate hau ez dago eskuragarri une honetan.", + "update": "EGUNERATU" + }, + "picker": { + "header": "Entitate Erregistroa", + "integrations_page": "Integrazioak", + "unavailable": "(ez dago eskuragarri)" + } + }, "integrations": { "caption": "Integrazioak", - "configured": "Konfiguratuta", - "new": "Integrazio berri bat konfiguratu", - "configure": "Konfiguratu", - "none": "Ez dago ezer konfiguratuta", "config_entry": { - "no_devices": "Integrazio honek ez du gailurik.", - "no_device": "Gailurik gabeko entitateak", "firmware": "Firmware: {version}", - "no_area": "Ez dago gunerik" + "no_area": "Ez dago gunerik", + "no_device": "Gailurik gabeko entitateak", + "no_devices": "Integrazio honek ez du gailurik." }, "config_flow": { "external_step": { "description": "Urrats hau betetzeko kanpoko webgune bat bisitatu beharko duzu.", "open_site": "Webgunea ireki" } - } - }, - "zha": { - "caption": "ZHA", - "services": { - "updateDeviceName": "Gailu honentzako izen pertsonalizatua ezarri gailuen erregistroan.", - "remove": "ZigBee saretik gailu guztiak kendu" }, - "device_card": { - "device_name_placeholder": "Erabiltzaileak emandako izena", - "area_picker_label": "Gunea", - "update_name_button": "Izena Eguneratu" - }, - "add_device_page": { - "header": "Zigbee Home Automation - Gailuak Gehitu", - "spinner": "ZHA Zigbee gailuak bilatzen..." - } - }, - "area_registry": { - "caption": "Gune Erregistroa", - "description": "Zure etxeko gune guztien ikuspegi orokorra.", - "picker": { - "header": "Gune Erregistroa", - "integrations_page": "Integrazioen orria", - "no_areas": "Oraindik gunerik ez duzula dirudi!", - "create_area": "GUNEA SORTU" - }, - "create_area": "GUNEA SORTU", - "editor": { - "default_name": "Gune berria", - "delete": "EZABATU", - "update": "EGUNERATU", - "create": "SORTU" - } - }, - "entity_registry": { - "caption": "Entitate Erregistroa", - "picker": { - "header": "Entitate Erregistroa", - "unavailable": "(ez dago eskuragarri)", - "integrations_page": "Integrazioak" - }, - "editor": { - "unavailable": "Entitate hau ez dago eskuragarri une honetan.", - "default_name": "Gune berria", - "delete": "EZABATU", - "update": "EGUNERATU" - } + "configure": "Konfiguratu", + "configured": "Konfiguratuta", + "new": "Integrazio berri bat konfiguratu", + "none": "Ez dago ezer konfiguratuta" }, "person": { "caption": "Pertsonak", "description": "Kudeatu Home Assistantek jarraituko dituen pertsonak.", "detail": { - "name": "Izena", "device_tracker_intro": "Hautatu pertsona horri dagozkion gailuak.", + "device_tracker_pick": "Jarraituko diren gailua aukeratu", "device_tracker_picked": "Gailua jarraitu", - "device_tracker_pick": "Jarraituko diren gailua aukeratu" + "name": "Izena" + } + }, + "script": { + "caption": "Script", + "description": "Scriptak sortu eta editatu" + }, + "users": { + "add_user": { + "caption": "Erabiltzailea gehitu", + "create": "Sortu", + "name": "Izena", + "password": "Pasahitza", + "username": "Erabiltzaile izena" + }, + "caption": "Erabiltzaileak", + "description": "Erabiltzaileak kudeatu", + "editor": { + "activate_user": "Erabiltzailea aktibatu", + "caption": "Erabiltzailea ikusi", + "change_password": "Pasahitza aldatu", + "deactivate_user": "Erabiltzailea desaktibatu", + "delete_user": "Erabiltzailea ezabatu", + "rename_user": "Erabiltzailea berrizendatu" + }, + "picker": { + "title": "Erabiltzaileak" + } + }, + "zha": { + "add_device_page": { + "header": "Zigbee Home Automation - Gailuak Gehitu", + "spinner": "ZHA Zigbee gailuak bilatzen..." + }, + "caption": "ZHA", + "device_card": { + "area_picker_label": "Gunea", + "device_name_placeholder": "Erabiltzaileak emandako izena", + "update_name_button": "Izena Eguneratu" + }, + "services": { + "remove": "ZigBee saretik gailu guztiak kendu", + "updateDeviceName": "Gailu honentzako izen pertsonalizatua ezarri gailuen erregistroan." + } + }, + "zwave": { + "caption": "Z-Wave", + "node_config": { + "set_config_parameter": "Ezarri konfigurazio-parametroa" } } }, - "profile": { - "push_notifications": { - "header": "Push jakinarazpenak", - "error_load_platform": "notify.html5 konfiguratu.", - "push_notifications": "Push jakinarazpenak", - "link_promo": "Gehiago ikasi" - }, - "language": { - "header": "Hizkuntza", - "link_promo": "Itzultzen lagundu", - "dropdown_label": "Hizkuntza" - }, - "themes": { - "header": "Gaia", - "error_no_theme": "Ez dago gairik eskuragarri", - "link_promo": "Gaiei buruz gehiago ikasi", - "dropdown_label": "Gaia" - }, - "refresh_tokens": { - "header": "Tokenak eguneratu", - "delete_failed": "Errorea sortu da sarbide tokena ezabatzerakoan.", - "not_used": "Ez da inoiz erabili", - "current_token_tooltip": "Ezin da uneko tokena ezabatu" - }, - "long_lived_access_tokens": { - "header": "Iraupen luzeko sarbide tokenak", - "delete_failed": "Errorea sortu da sarbide tokena ezabatzerakoan.", - "create": "Tokena Sortu", - "create_failed": "Ezin izan da sarbide token sortu.", - "prompt_name": "Izena?", - "prompt_copy_token": "Zure sarbide tokena kopiatu. Ez da berriro erakutsiko.", - "not_used": "Ez da inoiz erabili" - }, - "current_user": "{fullName} moduan hasi duzu saioa.", - "is_owner": "Jabea zara", - "change_password": { - "header": "Pasahitza aldatu", - "current_password": "Egungo pasahitza", - "new_password": "Pasahitz berria", - "confirm_new_password": "Pasahitz berria baieztatu", - "error_required": "Beharrezkoa", - "submit": "Bidali" - }, - "mfa": { - "enable": "Gaitu", - "confirm_disable": "{name} desgaitu nahi duzula ziur zaude?" - }, - "mfa_setup": { - "title_success": "Arrakasta!", - "close": "Itxi", - "submit": "Bidali" + "developer-tools": { + "tabs": { + "events": { + "title": "Gertaerak" + }, + "mqtt": { + "title": "MQTT" + }, + "services": { + "title": "Zerbitzuak" + }, + "states": { + "title": "Egoerak" + }, + "templates": { + "title": "Txantiloiak" + } } }, + "logbook": { + "period": "Epea" + }, + "lovelace": { + "cards": { + "empty_state": { + "go_to_integrations_page": "Integrazioen orrira joan.", + "title": "Ongi etorri Etxera" + }, + "picture-elements": { + "call_service": "{name} zerbitzua deitu", + "hold": "Eutsi:", + "more_info": "Informazio gehiago erakutsi: {name}", + "navigate_to": "{location}-ra nabigatu", + "tap": "Ukitu:" + }, + "shopping-list": { + "add_item": "Elementua gehitu", + "checked_items": "Aukeratutako elementuak" + } + }, + "editor": { + "edit_card": { + "add": "Txartela gehitu", + "delete": "Ezabatu", + "edit": "Editatu", + "header": "Txartelaren konfigurazioa", + "move": "Mugitu", + "pick_card": "Gehitu nahi duzun txartela aukeratu.", + "save": "Gorde" + }, + "edit_view": { + "add": "Bista gehitu", + "delete": "Bista ezabatu", + "edit": "Bista editatu", + "header": "Konfigurazioa ikusi" + }, + "header": "Erabiltzaile interfazea editatu", + "migrate": { + "header": "Konfigurazio Bateraezina", + "migrate": "Konfigurazioa migratu" + }, + "raw_editor": { + "header": "Ezarpenak aldatu", + "save": "Gorde", + "saved": "Gordeta", + "unsaved_changes": "Gorde gabeko aldaketak" + }, + "save_config": { + "cancel": "Berdin dio", + "header": "Hartu zure Lovelace UI-aren kontrola", + "save": "Kontrola hartu" + } + }, + "menu": { + "configure_ui": "Erabiltzaile interfazea konfiguratu", + "help": "Laguntza", + "refresh": "Freskatu", + "unused_entities": "Erabili gabeko entitateak" + }, + "warning": { + "entity_non_numeric": "Entitatea ez da zenbakizkoa: {entity}", + "entity_not_found": "Entitatea ez dago eskuragarri: {entity}" + } + }, + "mailbox": { + "delete_button": "Ezabatu", + "delete_prompt": "Mezu hau ezabatu?", + "empty": "Ez duzu mezurik" + }, "page-authorize": { - "initializing": "Hasieratzen", "form": { - "working": "Mesedez, itxaron", - "unknown_error": "Zerbait gaizki joan da", "providers": { - "homeassistant": { + "command_line": { "step": { "init": { "data": { - "username": "Erabiltzaile izena", - "password": "Pasahitza" + "password": "Pasahitza", + "username": "Erabiltzaile izena" + } + } + } + }, + "homeassistant": { + "error": { + "invalid_auth": "Erabiltzaile edo pasahitz okerra" + }, + "step": { + "init": { + "data": { + "password": "Pasahitza", + "username": "Erabiltzaile izena" } }, "mfa": { @@ -610,9 +834,6 @@ "code": "Bi faktoreko autentifikazio kodea" } } - }, - "error": { - "invalid_auth": "Erabiltzaile edo pasahitz okerra" } }, "legacy_api_password": { @@ -625,333 +846,112 @@ } }, "trusted_networks": { + "abort": { + "not_whitelisted": "Zure ordenagailua ez dago baimenduta." + }, "step": { "init": { "data": { "user": "Erabiltzailea" } } - }, - "abort": { - "not_whitelisted": "Zure ordenagailua ez dago baimenduta." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Erabiltzaile izena", - "password": "Pasahitza" - } - } } } - } - } + }, + "unknown_error": "Zerbait gaizki joan da", + "working": "Mesedez, itxaron" + }, + "initializing": "Hasieratzen" }, "page-onboarding": { - "user": { - "intro": "Erabiltzaile kontu bat sortuz has gaitezen.", - "required_field": "Beharrezkoa", - "data": { - "name": "Izena", - "username": "Erabiltzaile izena", - "password": "Pasahitza", - "password_confirm": "Pasahitza baieztatu" - }, - "create_account": "Kontua sortu", - "error": { - "required_fields": "Beharrezkoak diren eremu guztiak bete", - "password_not_match": "Pasahitzak ez datoz bat" - } - }, - "integration": { - "more_integrations": "Gehiago", - "finish": "Amaitu" - }, "core-config": { + "button_detect": "Detektatu", + "finish": "Hurregoa", "intro": "Kaixo {name}, ongi etorri Home Assistantera. Nola izendatu nahi duzu zure etxea?", "intro_location_detect": "Informazio hau betetzen lagundu diezazukegu kanpoko zerbitzu batera esakera bakarra eginez.", - "location_name_default": "Etxea", - "button_detect": "Detektatu", - "finish": "Hurregoa" + "location_name_default": "Etxea" + }, + "integration": { + "finish": "Amaitu", + "more_integrations": "Gehiago" + }, + "user": { + "create_account": "Kontua sortu", + "data": { + "name": "Izena", + "password": "Pasahitza", + "password_confirm": "Pasahitza baieztatu", + "username": "Erabiltzaile izena" + }, + "error": { + "password_not_match": "Pasahitzak ez datoz bat", + "required_fields": "Beharrezkoak diren eremu guztiak bete" + }, + "intro": "Erabiltzaile kontu bat sortuz has gaitezen.", + "required_field": "Beharrezkoa" } }, - "lovelace": { - "cards": { - "shopping-list": { - "checked_items": "Aukeratutako elementuak", - "add_item": "Elementua gehitu" - }, - "empty_state": { - "title": "Ongi etorri Etxera", - "go_to_integrations_page": "Integrazioen orrira joan." - }, - "picture-elements": { - "hold": "Eutsi:", - "tap": "Ukitu:", - "navigate_to": "{location}-ra nabigatu", - "call_service": "{name} zerbitzua deitu", - "more_info": "Informazio gehiago erakutsi: {name}" - } + "profile": { + "change_password": { + "confirm_new_password": "Pasahitz berria baieztatu", + "current_password": "Egungo pasahitza", + "error_required": "Beharrezkoa", + "header": "Pasahitza aldatu", + "new_password": "Pasahitz berria", + "submit": "Bidali" }, - "editor": { - "edit_card": { - "header": "Txartelaren konfigurazioa", - "save": "Gorde", - "pick_card": "Gehitu nahi duzun txartela aukeratu.", - "add": "Txartela gehitu", - "edit": "Editatu", - "delete": "Ezabatu", - "move": "Mugitu" - }, - "migrate": { - "header": "Konfigurazio Bateraezina", - "migrate": "Konfigurazioa migratu" - }, - "header": "Erabiltzaile interfazea editatu", - "edit_view": { - "header": "Konfigurazioa ikusi", - "add": "Bista gehitu", - "edit": "Bista editatu", - "delete": "Bista ezabatu" - }, - "save_config": { - "header": "Hartu zure Lovelace UI-aren kontrola", - "cancel": "Berdin dio", - "save": "Kontrola hartu" - }, - "raw_editor": { - "header": "Ezarpenak aldatu", - "save": "Gorde", - "unsaved_changes": "Gorde gabeko aldaketak", - "saved": "Gordeta" - } + "current_user": "{fullName} moduan hasi duzu saioa.", + "is_owner": "Jabea zara", + "language": { + "dropdown_label": "Hizkuntza", + "header": "Hizkuntza", + "link_promo": "Itzultzen lagundu" }, - "menu": { - "configure_ui": "Erabiltzaile interfazea konfiguratu", - "unused_entities": "Erabili gabeko entitateak", - "help": "Laguntza", - "refresh": "Freskatu" + "long_lived_access_tokens": { + "create": "Tokena Sortu", + "create_failed": "Ezin izan da sarbide token sortu.", + "delete_failed": "Errorea sortu da sarbide tokena ezabatzerakoan.", + "header": "Iraupen luzeko sarbide tokenak", + "not_used": "Ez da inoiz erabili", + "prompt_copy_token": "Zure sarbide tokena kopiatu. Ez da berriro erakutsiko.", + "prompt_name": "Izena?" }, - "warning": { - "entity_not_found": "Entitatea ez dago eskuragarri: {entity}", - "entity_non_numeric": "Entitatea ez da zenbakizkoa: {entity}" + "mfa_setup": { + "close": "Itxi", + "submit": "Bidali", + "title_success": "Arrakasta!" + }, + "mfa": { + "confirm_disable": "{name} desgaitu nahi duzula ziur zaude?", + "enable": "Gaitu" + }, + "push_notifications": { + "error_load_platform": "notify.html5 konfiguratu.", + "header": "Push jakinarazpenak", + "link_promo": "Gehiago ikasi", + "push_notifications": "Push jakinarazpenak" + }, + "refresh_tokens": { + "current_token_tooltip": "Ezin da uneko tokena ezabatu", + "delete_failed": "Errorea sortu da sarbide tokena ezabatzerakoan.", + "header": "Tokenak eguneratu", + "not_used": "Ez da inoiz erabili" + }, + "themes": { + "dropdown_label": "Gaia", + "error_no_theme": "Ez dago gairik eskuragarri", + "header": "Gaia", + "link_promo": "Gaiei buruz gehiago ikasi" } }, - "logbook": { - "period": "Epea" + "shopping-list": { + "add_item": "Artikulua gehitu", + "clear_completed": "Osatutakoak ezabatu" } }, "sidebar": { - "log_out": "Saioa itxi", - "external_app_configuration": "Aplikazioaren Konfigurazioa" - }, - "common": { - "loading": "Kargatzen", - "save": "Gorde" - }, - "duration": { - "day": "{count} {count, plural,\n one {egun}\n other {egun}\n}", - "week": "{count} {count, plural,\n one {aste}\n other {aste}\n}", - "second": "{count} {count, plural,\n one {segundo}\n other {segundo}\n}", - "minute": "{count} {count, plural,\n one {minutu}\n other {minutu}\n}", - "hour": "{count} {count, plural,\n one {ordu}\n other {ordu}\n}" - }, - "login-form": { - "password": "Pasahitza", - "remember": "Gogoratu", - "log_in": "Saioa hasi" - }, - "card": { - "camera": { - "not_available": "Irudia ez dago eskuragarri" - }, - "scene": { - "activate": "Aktibatu" - }, - "script": { - "execute": "Exekutatu" - }, - "weather": { - "attributes": { - "air_pressure": "Aire presioa", - "humidity": "Hezetasuna", - "temperature": "Tenperatura", - "visibility": "Ikusgarritasuna", - "wind_speed": "Haizearen abiadura" - }, - "cardinal_direction": { - "e": "E", - "ene": "EIE", - "ese": "EHE", - "n": "I", - "ne": "IE", - "nne": "IIE", - "nw": "IM", - "nnw": "IIM", - "s": "H", - "se": "HE", - "sse": "HHE", - "ssw": "HHM", - "sw": "HM", - "w": "M", - "wnw": "MIM", - "wsw": "MHM" - }, - "forecast": "Iragarpena" - }, - "alarm_control_panel": { - "code": "Kodea", - "clear_code": "Garbitu" - }, - "cover": { - "position": "Posizioa" - }, - "fan": { - "speed": "Abiadura" - }, - "light": { - "brightness": "Distira", - "color_temperature": "Kolore tenperatura", - "effect": "Efektua" - }, - "media_player": { - "text_to_speak": "Esateko testua", - "source": "Iturria", - "sound_mode": "Soinu modua" - }, - "climate": { - "currently": "Orain", - "on_off": "Piztuta \/ itzalita", - "operation": "Modua", - "fan_mode": "Haizagailuaren modua", - "away_mode": "Etxetik kanpo" - }, - "lock": { - "code": "Kodea" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Garbitzen jarraitu", - "return_to_base": "Basera itzuli", - "start_cleaning": "Garbitzen hasi", - "turn_on": "Piztu", - "turn_off": "Itzali" - } - }, - "water_heater": { - "currently": "Orain", - "on_off": "Piztuta \/ itzalita", - "operation": "Operazioa" - } - }, - "components": { - "service-picker": { - "service": "Zerbitzua" - }, - "relative_time": { - "past": "Orain dela {time}", - "future": "{time} barru", - "never": "Inoiz", - "duration": { - "second": "{count} {count, plural,\n one {segundo}\n other {segundo}\n}", - "minute": "{count} {count, plural,\n one {minutu}\n other {minutu}\n}", - "hour": "{count} {count, plural,\n one {ordu}\n other {ordu}\n}", - "day": "{count} {count, plural,\n one {egun}\n other {egun}\n}", - "week": "{count} {count, plural,\n one {aste}\n other {aste}\n}" - } - } - }, - "notification_toast": { - "entity_turned_on": "{entity} piztuta.", - "entity_turned_off": "{entity} itzalita.", - "service_called": "{service} zerbitzua deitu da.", - "connection_lost": "Konexioa galdu da. Berriro konektatzen..." - }, - "dialogs": { - "more_info_settings": { - "save": "Gorde", - "name": "Izena" - }, - "more_info_control": { - "script": { - "last_action": "Azken ekintza" - }, - "sun": { - "rising": "Igotzen", - "setting": "Ezarpena" - }, - "updater": { - "title": "Argibideak Eguneratu" - } - } - }, - "auth_store": { - "ask": "Saio hau gorde nahi duzu?", - "decline": "Ez, eskerrik asko", - "confirm": "Erabiltzailea gorde" - }, - "notification_drawer": { - "empty": "Jakinarazpenik ez", - "title": "Jakinarazpenak" + "external_app_configuration": "Aplikazioaren Konfigurazioa", + "log_out": "Saioa itxi" } - }, - "domain": { - "alarm_control_panel": "Alarmen kontrol panela", - "automation": "Automatizazioa", - "binary_sensor": "Sentsore bitarra", - "calendar": "Egutegia", - "camera": "Kamera", - "climate": "Klimatizazioa", - "configurator": "Konfiguratzailea", - "conversation": "Elkarrizketa", - "fan": "Haizagailua", - "group": "Taldea", - "input_boolean": "Sarrera boolearra", - "input_datetime": "Data sarrera", - "input_select": "Aukeraketa sarrera", - "input_number": "Zenbaki sarrera", - "input_text": "Testu sarrera", - "light": "Argia", - "lock": "Sarraila", - "mailbox": "Postontzia", - "notify": "Jakinarazi", - "plant": "Landarea", - "proximity": "Gertutasuna", - "remote": "Urrunekoa", - "scene": "Eszena", - "script": "Script", - "sensor": "Sentsorea", - "sun": "Eguzkia", - "updater": "Eguneratzailea", - "vacuum": "Xurgagailua", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Sistemaren Osasuna", - "person": "Pertsona" - }, - "attribute": { - "weather": { - "humidity": "Hezetasuna", - "visibility": "Ikusgarritasuna", - "wind_speed": "Haizearen abiadura" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Itzalita", - "on": "Piztuta", - "auto": "Auto" - } - } - }, - "groups": { - "system-admin": "Administratzaileak", - "system-users": "Erabiltzaileak", - "system-read-only": "Soilik irakurtzeko erabiltzaileak" } } \ No newline at end of file diff --git a/translations/fa.json b/translations/fa.json index 94e2cabe08..a5586236c5 100644 --- a/translations/fa.json +++ b/translations/fa.json @@ -1,52 +1,148 @@ { + "attribute": { + "weather": { + "humidity": "رطوبت", + "visibility": "قابل دیدن", + "wind_speed": "سرعت باد" + } + }, + "domain": { + "alarm_control_panel": "کنترل پنل آلارم", + "automation": "اتوماسیون", + "binary_sensor": "حسگر باینری", + "calendar": "تقویم", + "camera": "دوربین", + "configurator": "تنظیم کننده", + "conversation": "گفتگو", + "cover": "پوشش", + "fan": "فن", + "group": "گروه", + "hassio": "Hass.io", + "homeassistant": "Home Assistant", + "image_processing": "پردازش تصویر", + "input_boolean": "ورودی بولین", + "light": "چراغ", + "lock": "قفل", + "lovelace": "Lovelace", + "mailbox": "میل باکس", + "person": "فرد", + "sensor": "سنسور", + "sun": "آفتاب", + "switch": "سوئیچ", + "system_health": "سلامت سیستم", + "vacuum": "خلاء", + "weblink": "لینک سایت", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "مدیران", + "system-read-only": "کاربران فقط خواندنی", + "system-users": "کاربران" + }, "panel": { + "calendar": "تقویم", "config": "پیکربندی", - "states": "نمای کلی", - "map": "نقشه", - "logbook": "گزارش روزانه", - "history": "تاریخچه", - "mailbox": "صندوق پستی", - "shopping_list": "لیست خرید", "dev-info": "اطلاعات", "developer_tools": "ابزارهای توسعه", - "calendar": "تقویم" + "history": "تاریخچه", + "logbook": "گزارش روزانه", + "mailbox": "صندوق پستی", + "map": "نقشه", + "shopping_list": "لیست خرید", + "states": "نمای کلی" }, - "state": { - "default": { - "off": "خاموش", - "on": "روشن", - "unknown": "نامشخص", - "unavailable": "غیرقابل دسترس" - }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "خودکار", + "off": "خاموش", + "on": "روشن" + } + } + }, + "state_badge": { "alarm_control_panel": { "armed": "مصلح شده", - "disarmed": "غیر مسلح", - "armed_home": "مسلح شده خانه", - "armed_away": "مسلح شده بیرون", - "armed_night": "مسلح شده شب", - "pending": "در انتظار", + "armed_away": "تجهیزات بیرون", + "armed_custom_bypass": "مجهز", + "armed_home": "تجهیزات خانه", + "armed_night": "مصلح شده", "arming": "در حال مسلح کردن", + "disarmed": "غیر مسلح", "disarming": "در حال غیر مسلح کردن", - "triggered": "راه انداخته شده", - "armed_custom_bypass": "بایگانی سفارشی مسلح" + "pending": "در انتظار", + "triggered": "راه انداخته شده" + }, + "default": { + "entity_not_found": "نهاد یافت نشد", + "error": "خطا", + "unavailable": "غیرقابل دسترس", + "unknown": "نامشخص" + }, + "device_tracker": { + "home": "خانه", + "not_home": "بیرون" + }, + "person": { + "home": "خانه", + "not_home": "بیرون" + } + }, + "state": { + "alarm_control_panel": { + "armed": "مصلح شده", + "armed_away": "مسلح شده بیرون", + "armed_custom_bypass": "بایگانی سفارشی مسلح", + "armed_home": "مسلح شده خانه", + "armed_night": "مسلح شده شب", + "arming": "در حال مسلح کردن", + "disarmed": "غیر مسلح", + "disarming": "در حال غیر مسلح کردن", + "pending": "در انتظار", + "triggered": "راه انداخته شده" }, "automation": { "off": "خاموش", "on": "فعال" }, "binary_sensor": { + "battery": { + "off": "عادی", + "on": "کم" + }, + "cold": { + "off": "عادی", + "on": "سرد" + }, "default": { "off": "خاموش", "on": "روشن" }, - "moisture": { - "off": "خشک", - "on": "مرطوب" + "door": { + "off": "بسته", + "on": "باز" + }, + "garage_door": { + "off": "بسته", + "on": "باز" }, "gas": { "off": "عادی", "on": "شناسایی شد" }, + "heat": { + "off": "عادی", + "on": "داغ" + }, + "lock": { + "off": "قفل", + "on": "باز" + }, + "moisture": { + "off": "خشک", + "on": "مرطوب" + }, "motion": { "off": "عادی", "on": "شناسایی شد" @@ -55,6 +151,22 @@ "off": "عادی", "on": "شناسایی شد" }, + "opening": { + "off": "بسته شده", + "on": "باز" + }, + "presence": { + "off": "بیرون", + "on": "خانه" + }, + "problem": { + "off": "خوب", + "on": "مشکل" + }, + "safety": { + "off": "امن", + "on": "نا امن" + }, "smoke": { "off": "عادی", "on": "شناسایی شد" @@ -67,49 +179,9 @@ "off": "پاک کردن", "on": "شناسایی شد" }, - "opening": { - "off": "بسته شده", - "on": "باز" - }, - "safety": { - "off": "امن", - "on": "نا امن" - }, - "presence": { - "off": "بیرون", - "on": "خانه" - }, - "battery": { - "off": "عادی", - "on": "کم" - }, - "problem": { - "off": "خوب", - "on": "مشکل" - }, - "cold": { - "off": "عادی", - "on": "سرد" - }, - "door": { - "off": "بسته", - "on": "باز" - }, - "garage_door": { - "off": "بسته", - "on": "باز" - }, - "heat": { - "off": "عادی", - "on": "داغ" - }, "window": { "off": "بسته", "on": "باز" - }, - "lock": { - "off": "قفل", - "on": "باز" } }, "calendar": { @@ -117,38 +189,44 @@ "on": "فعال" }, "camera": { + "idle": "بیکار", "recording": "در حال ضبط", - "streaming": "در حال پخش", - "idle": "بیکار" + "streaming": "در حال پخش" }, "climate": { - "off": "خاموش", - "on": "روشن", - "heat": "حرارت", - "cool": "خنک", - "idle": "بیکار", "auto": "خودکار", + "cool": "خنک", "dry": "خشک", - "fan_only": "فقط پنکه", "eco": "سازگار با محیط زیست", "electric": "الکتریکی", - "performance": "کارایی", - "high_demand": "تقاضای بالا", - "heat_pump": "پمپ حرارتی", + "fan_only": "فقط پنکه", "gas": "گاز", - "manual": "کتابچه راهنمای" + "heat": "حرارت", + "heat_pump": "پمپ حرارتی", + "high_demand": "تقاضای بالا", + "idle": "بیکار", + "manual": "کتابچه راهنمای", + "off": "خاموش", + "on": "روشن", + "performance": "کارایی" }, "configurator": { "configure": "پیکربندی", "configured": "پیکربندی شده" }, "cover": { - "open": "باز", - "opening": "در حال باز شدن", "closed": "بسته شده", "closing": "در حال بسته شدن", + "open": "باز", + "opening": "در حال باز شدن", "stopped": "متوقف" }, + "default": { + "off": "خاموش", + "on": "روشن", + "unavailable": "غیرقابل دسترس", + "unknown": "نامشخص" + }, "device_tracker": { "home": "خانه", "not_home": "بیرون" @@ -158,19 +236,19 @@ "on": "روشن" }, "group": { - "off": "غیرفعال", - "on": "فعال", - "home": "خانه", - "not_home": "بیرون", - "open": "باز", - "opening": "در حال باز شدن", "closed": "بسته", "closing": "در حال بسته شدن", - "stopped": "متوقف", + "home": "خانه", "locked": "قفل شده", - "unlocked": "باز", + "not_home": "بیرون", + "off": "غیرفعال", "ok": "خوب", - "problem": "مشکل" + "on": "فعال", + "open": "باز", + "opening": "در حال باز شدن", + "problem": "مشکل", + "stopped": "متوقف", + "unlocked": "باز" }, "input_boolean": { "off": "غیرفعال", @@ -185,13 +263,17 @@ "unlocked": "باز" }, "media_player": { + "idle": "بیکار", "off": "خاموش", "on": "روشن", - "playing": "در حال پخش", "paused": "در حالت مکث", - "idle": "بیکار", + "playing": "در حال پخش", "standby": "آماده به کار" }, + "person": { + "home": "خانه", + "not_home": "بیرون" + }, "plant": { "ok": "خوب", "problem": "مشکل" @@ -219,17 +301,16 @@ "off": "خاموش", "on": "روشن" }, - "zwave": { - "default": { - "initializing": "در حال آماده شدن", - "dead": "مرده", - "sleeping": "در حال خواب", - "ready": "آماده" - }, - "query_stage": { - "initializing": "در حال آماده شدن ( {query_stage} )", - "dead": "مرده ({query_stage})" - } + "timer": { + "active": "فعال", + "idle": "بیکار ", + "paused": "متوقف شد" + }, + "vacuum": { + "cleaning": "تمیز کردن", + "off": "غیر فعال", + "on": "فغال", + "paused": "مکث" }, "weather": { "cloudy": "ابری", @@ -245,745 +326,71 @@ "windy": "باد", "windy-variant": "باد" }, - "vacuum": { - "cleaning": "تمیز کردن", - "off": "غیر فعال", - "on": "فغال", - "paused": "مکث" - }, - "timer": { - "active": "فعال", - "idle": "بیکار ", - "paused": "متوقف شد" - }, - "person": { - "home": "خانه", - "not_home": "بیرون" - } - }, - "state_badge": { - "default": { - "unknown": "نامشخص", - "unavailable": "غیرقابل دسترس", - "error": "خطا", - "entity_not_found": "نهاد یافت نشد" - }, - "alarm_control_panel": { - "armed": "مصلح شده", - "disarmed": "غیر مسلح", - "armed_home": "تجهیزات خانه", - "armed_away": "تجهیزات بیرون", - "armed_night": "مصلح شده", - "pending": "در انتظار", - "arming": "در حال مسلح کردن", - "disarming": "در حال غیر مسلح کردن", - "triggered": "راه انداخته شده", - "armed_custom_bypass": "مجهز" - }, - "device_tracker": { - "home": "خانه", - "not_home": "بیرون" - }, - "person": { - "home": "خانه", - "not_home": "بیرون" + "zwave": { + "default": { + "dead": "مرده", + "initializing": "در حال آماده شدن", + "ready": "آماده", + "sleeping": "در حال خواب" + }, + "query_stage": { + "dead": "مرده ({query_stage})", + "initializing": "در حال آماده شدن ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "add_item": "اضافه کردن آیتم" - }, - "developer-tools": { - "tabs": { - "services": { - "title": "خدمات" - }, - "states": { - "title": "وضعیت" - }, - "events": { - "title": "رویدادها" - }, - "templates": { - "title": "قالب" - }, - "mqtt": { - "title": "MQTT" - }, - "info": { - "title": "اطلاعات" - }, - "logs": { - "title": "وقایع" - } - } - }, - "history": { - "showing_entries": "نمایش نوشته ها برای" - }, - "logbook": { - "showing_entries": "نمایش نامه برای", - "period": "دوره" - }, - "mailbox": { - "empty": "شما پیامی ندارید" - }, - "config": { - "header": "پیکربندی HOME ASSistant", - "introduction": "در اینجا می توانید اجزای خود و صفحه اصلی دستیار را پیکربندی کنید. ", - "core": { - "section": { - "core": { - "header": "پیکربندی و کنترل سرور", - "introduction": "تغییر پیکربندی شما می تواند یک روند خسته کننده باشد. ما میدانیم. این بخش سعی خواهد کرد زندگی شما را کمی ساده تر کند.", - "core_config": { - "edit_requires_storage": "ویرایشگر غیرفعال شده است چون پیکربندی ذخیره شده در configuration.yaml.", - "location_name": "نام برای نصب صفحه اصلی دستیار شما", - "latitude": "طول و عرض جغرافیایی", - "longitude": "جغرافیایی", - "elevation": "ارتفاع", - "elevation_meters": "متر", - "time_zone": "منطقه زمانی", - "unit_system": "واحد سیستم", - "unit_system_imperial": "امپریال", - "unit_system_metric": "متر", - "imperial_example": "فارنهایت، پوند", - "metric_example": "سانتیگراد، کیلوگرم", - "save_button": "ذخیره" - } - }, - "server_control": { - "validation": { - "heading": "تایید پیکربندی", - "check_config": "بررسی پیکربندی" - }, - "reloading": { - "heading": "بارگذاری مجدد پیکربندی", - "introduction": "برخی از قسمت های Home Assistant می توانند بدون نیاز به راه اندازی مجدد مجدد بارگیری شوند. برای بارگذاری مجدد ضربه بزنید. پیکربندی کنونی خود را بارگیری و اطلاعات جدید را بارگذاری می کند.", - "core": "بارگذاری مجدد ", - "group": "بارگذاری مجدد گروه ها", - "automation": "بازنگری automations", - "script": "بازنگری اسکریپت" - }, - "server_management": { - "introduction": "صفحه اصلی home assistant سرور خود را کنترل کنید ... از home assistant" - } - } - } - }, - "automation": { - "caption": "اتوماسیون", - "description": "ایجاد و ویرایش اتوماسیون", - "picker": { - "header": "ویرایشگر اتوماسیون", - "introduction": "ویرایشگر اتوماسیون اجازه می دهد تا شما را به ایجاد و ویرایش اتوماسیون بپردازید . لطفا پیوند زیر را بخوانید تا دستورالعمل ها را بخواند تا مطمئن شوید که صفحه اصلی دستیار را به درستی پیکربندی کرده اید.", - "pick_automation": "انتخاب اتوماسیون برای ویرایش", - "no_automations": "هیچ اتوماسیون قابل ویرایشی پیدا نشد", - "add_automation": "اضافه کردن اتوماسیون", - "learn_more": "درباره اتوماسیون بیشتر بدانید" - }, - "editor": { - "introduction": "از اتوماسیون استفاده کنید برای زنده کردن خانه", - "default_name": "اضافه کردن اتوماسیون", - "save": "ذخیره", - "alias": "نام", - "triggers": { - "introduction": "راه حلی است که پردازش یک قانون اتوماسیون را آغاز می کند. ممکن است چند عامل برای یک قاعده مشخص شود. هنگامی که یک ماشه شروع می شود، Home Assistant شرایط را تایید می کند، اگر وجود داشته باشد، و اقدام را فراخوانی می کند.", - "duplicate": "کپی کنید", - "delete": "حذف", - "type": { - "event": { - "label": "رویداد", - "event_type": "نوع رویداد", - "event_data": "داده های رویداد" - }, - "state": { - "label": "وضعیت" - }, - "homeassistant": { - "label": "Home Assistant" - }, - "numeric_state": { - "label": "حالت عددی" - }, - "sun": { - "label": "آفتاب", - "event": "اتفاق", - "sunrise": "طلوع", - "sunset": "غروب" - }, - "template": { - "label": "قالب" - }, - "time": { - "label": "زمان" - }, - "zone": { - "entity": "نهاد با موقعیت", - "zone": "منطقه", - "event": "اتفاق" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "شناسه Webhook" - }, - "time_pattern": { - "label": "الگو زمان", - "hours": "ساعت ها", - "minutes": "دقیقه ها", - "seconds": "ثانیه ها" - }, - "geo_location": { - "label": "موقعیت جغرافیایی", - "source": "منبع", - "zone": "منطقه", - "event": "رویداد:", - "enter": "ورود", - "leave": "ترک کردن" - } - }, - "learn_more": "درباره ماشه بیشتر بدانید" - }, - "conditions": { - "header": "شرایط", - "introduction": "شرایط یک بخش اختیاری از یک قانون اتوماسیون است و می تواند مورد استفاده قرار گیرد تا از وقوع رویداد زمانی که باعث ایجاد فعالیت می شود جلوگیری شود. شرایط بسیار شبیه به ماژورها هستند اما خیلی متفاوت هستند. یک ماشه به حوادث اتفاق می افتد در سیستم نگاه کنید، در حالی که یک وضعیت فقط به نظر می رسد که سیستم به نظر می رسد در حال حاضر. یک ماشه می تواند مشاهده کند که سوئیچ روشن است. یک وضعیت فقط می تواند ببینید که آیا یک سوئیچ در حال حاضر روشن یا خاموش است.", - "add": "اضافه کردن شرط", - "duplicate": "نمایش مطالب برای", - "delete": "حذف", - "delete_confirm": "مطمئنا میخواهید حذف کنید؟", - "unsupported_condition": "شرایط غیرقابل پشتیبانی: {condition}", - "type_select": "نوع وضعیت", - "type": { - "state": { - "label": "حالت", - "state": "حالت" - }, - "numeric_state": { - "label": "Numeric state", - "above": "بالاتر", - "below": "پایین تر", - "value_template": "قالب مقدار (اختیاری)" - }, - "sun": { - "label": "آفتاب", - "before": "قبل از:", - "after": "بعد از:", - "before_offset": "قبل از افست (اختیاری)", - "after_offset": "پس از افست (اختیاری)", - "sunrise": "طلوع", - "sunset": "غروب" - }, - "template": { - "label": "قالب", - "value_template": "مقدار قالب" - }, - "time": { - "label": "زمان", - "after": "بعد از", - "before": "قبل از" - }, - "zone": { - "label": "منطقه", - "entity": "وجود با محل", - "zone": "منطقه" - } - }, - "learn_more": "درباره شرایط بیشتر بدانید" - }, - "actions": { - "header": "اقدامات", - "introduction": "این اقدامات همان چیزی است که دستیار خانه انجام می دهد وقتی که اتوماسیون راه اندازی می شود.", - "add": "افزودن اقدام", - "duplicate": "دوبل کردن", - "delete": "حذف", - "delete_confirm": "مطمئنا میخواهید حذف کنید؟", - "unsupported_action": "عمل پشتیبانی نشده: {action}", - "type_select": "نوع عمل", - "type": { - "service": { - "label": "خدمات تماس", - "service_data": "داده های خدمات" - }, - "delay": { - "label": "تاخیر", - "delay": "تاخیر" - }, - "wait_template": { - "label": "صبر کنید", - "wait_template": "منتظر قالب" - }, - "condition": { - "label": "وضعیت" - }, - "event": { - "label": "رویداد آتش", - "event": "اتفاق", - "service_data": "اطلاعات خدمات" - } - }, - "learn_more": "درباره عملکردها بیشتر بدانید" - }, - "load_error_not_editable": "فقط اتوماسیون در automations.yaml قابل ویرایش هستند.", - "load_error_unknown": "خطا در بارگذاری اتوماسیون ({err_no})." - } - }, - "zwave": { - "caption": "Z-Wave", - "common": { - "unknown": "نامشخص", - "wakeup_interval": "فاصله Wakeup" - }, - "node_config": { - "header": "گزینه‌های پیکربندی گره", - "seconds": "ثانیه‌ها", - "set_wakeup": "تنظیم فاصله Wakeup", - "config_parameter": "پارامتر پیکربندی", - "config_value": "مقدار پیکربندی", - "true": "صحیح", - "false": "نادرست", - "set_config_parameter": "تنظیم پارامتر پیکربندی" - } - }, - "users": { - "caption": "کاربران", - "description": "مدیریت کاربران", - "picker": { - "title": "کاربران" - }, - "editor": { - "rename_user": "تغییر نام کاربر", - "change_password": "تغییر رمز عبور", - "activate_user": "فعال کردن کاربر", - "deactivate_user": "غیر فعال کردن کاربر", - "delete_user": "حذف کاربر", - "caption": "مشاهده کاربر", - "unnamed_user": "کاربر نامشخص", - "enter_new_name": "نام جدید را وارد کنید", - "user_rename_failed": "تغییر نام کاربری انجام نشد:", - "group_update_failed": "بروزرسانی گروه انجام نشد:", - "confirm_user_deletion": "آیا مطمئنید می خواهید {name} را حذف کنید ؟" - }, - "add_user": { - "caption": "افزودن کاربر", - "name": "نام", - "username": "نام کاربری", - "password": "رمز عبور", - "create": "ایجاد" - } - }, - "cloud": { - "caption": " home assistant ابر", - "description_login": "وارد شده به عنوان {email}", - "description_not_login": "وارد نشده اید", - "description_features": "کنترل کردن از خانه، ادغام با Alexa و Google Assistant." - }, - "integrations": { - "caption": "یکپارچگی", - "description": "مدیریت دستگاهها و خدمات متصل شده", - "discovered": "کشف شده", - "configured": "پیکربندی شده", - "new": "تنظیم ادغام جدید", - "configure": "پیکربندی", - "none": "هیچ چیز پیکربندی نشده است", - "config_entry": { - "no_devices": "این ادغام هیچ دستگاهی ندارد.", - "no_device": " بدون دستگاه", - "restart_confirm": "راه اندازی مجدد home assistant به پایان بردن این ادغام", - "manuf": "توسط {manufacturer}", - "via": "اتصال از طریق", - "firmware": "سیستم عامل: {version}", - "device_unavailable": "دستگاه در دسترس نیست", - "entity_unavailable": "نهاد در دسترس نیست", - "no_area": "بدون منطقه", - "hub": "اتصال از طریق" - }, - "config_flow": { - "external_step": { - "description": "این مرحله نیاز به بازدید از وب سایت خارجی دارد که باید تکمیل شود.", - "open_site": "باز کردن سایت" - } - } - }, - "zha": { - "caption": "ZHA", - "description": " صفحه اصلی اتوماسیون مدیریت شبکه Zigbee", - "services": { - "reconfigure": "دستگاه ZHA پیکربندی مجدد (تعمیر دستگاه). از این استفاده کنید اگر با دستگاه مشکل دارید. اگر دستگاه مورد نظر یک دستگاه باتری است ، لطفا اطمینان حاصل شود که هنگام استفاده از این سرویس ، دستورات بیدار و پذیرش است.", - "updateDeviceName": "یک نام سفارشی برای این دستگاه در رجیستری دستگاه تنظیم کنید.", - "remove": "یک دستگاه را از شبکه ZigBee حذف کنید." - }, - "device_card": { - "device_name_placeholder": "نام کاربر داده شده", - "area_picker_label": "منطقه", - "update_name_button": "به روز رسانی نام" - }, - "add_device_page": { - "header": " صفحه اصلی اتوماسیون مدیریت شبکه Zigbee", - "spinner": "جستجو برای دستگاه های ZHY Zigbee ...", - "discovery_text": "دستگاه های کشف شده در اینجا نشان داده می شوند. دستورالعمل های دستگاه (های) خود را دنبال کنید و دستگاه (های) را در حالت جفت قرار دهید.", - "search_again": "جستجوی مجدد" - }, - "common": { - "add_devices": "افزودن دستگاهها", - "devices": "دستگاه ها", - "value": "مقدار" - }, - "network_management": { - "header": "مدیریت شبکه", - "introduction": "دستوراتی که روی کل شبکه تأثیر می گذارند" - }, - "node_management": { - "header": "مدیریت دستگاه" - } - }, - "area_registry": { - "caption": "ثبت نام منطقه", - "description": "بررسی کلیه مناطق خانه شما", - "picker": { - "header": "ثبت منطقه", - "introduction": "مناطق برای سازمان دهی دستگاه های جاسازی شده استفاده می شوند. این اطلاعات در سراسر دستیار خانگی برای کمک به شما در سازماندهی رابط کاربری، مجوزها و ادغام با دیگر سیستم ها مورد استفاده قرار می گیرد.", - "introduction2": "برای قرار دادن دستگاه در یک منطقه، از پیوند زیر برای حرکت به صفحه ی ادغام استفاده کنید و سپس روی ادغام پیکربندی شوید تا به کارت دستگاه دسترسی پیدا کنید.", - "integrations_page": "صفحه ادغام", - "no_areas": "به نظر می رسد هنوز هیچ زمینه ای ندارید", - "create_area": "ایجاد منطقه" - }, - "create_area": "ایجاد منطقه", - "editor": { - "default_name": "منطقه جدید", - "delete": "حذف", - "update": "به روز رسانی", - "create": "ايجاد كردن" - } - }, - "entity_registry": { - "caption": "ثبت منطقه", - "description": "مرور کلیه اشخاص شناخته شده.", - "picker": { - "header": "ثبت منطقه", - "unavailable": "(در دسترس نیست)", - "introduction": "دستیار خانه نگهداری رجیستری از هر نهاد که تا به حال دیده است که می تواند منحصر به فرد شناسایی شده است. هر یک از این نهاد ها یک شناسه نهادی اختصاص داده است که فقط برای این نهاد محفوظ خواهد ماند.", - "introduction2": "از رجیستر entity استفاده کنید تا نام را عوض کند، شناسه موجودیت را تغییر دهید یا ورودی را از صفحه اصلی دستیار حذف کنید. توجه داشته باشید، از بین بردن ورودی رجیستر entity entity entity را حذف نخواهد کرد. برای انجام این کار، پیوند زیر را دنبال کنید و آن را از صفحه ی ادغام حذف کنید.", - "integrations_page": "صفحه ادغام" - }, - "editor": { - "unavailable": "این نهاد در حال حاضر در دسترس نیست", - "default_name": "منطقه جدید", - "delete": "حذف", - "update": "به روز رسانی" - } - }, - "customize": { - "picker": { - "introduction": "نویسه ویژگی های هر سازمانی. سفارشی سازی اضافه شده \/ ویرایش شده فورا اثر می کند. سفارشی های حذف شده هنگامی که موجودیت به روز می شود اثر می کند." - } - }, - "person": { - "caption": "افراد", - "description": "مدیریت افراد خانه هوشمند", - "detail": { - "name": "نام", - "device_tracker_intro": "دستگاه هایی که متعلق به این شخص هستند را انتخاب کنید.", - "device_tracker_picked": "پیگیری دستگاه", - "device_tracker_pick": "دستگاه را برای پیگیری انتخاب کنید" - } - }, - "server_control": { - "section": { - "reloading": { - "introduction": "برخی از قسمت‌های Home Assistant بدون نیاز به راه‌اندازی مجدد می‌توانند بارگیری شوند. با بارگیری مجدد، تنظیمات فعلی آنها حذف می‌شوند و نسخه جدید را بارگیری خواهد شد.", - "core": "بارگذاری مجدد هسته", - "group": "بارگیری مجدد گروه‌ها", - "automation": "بارگیری مجدد اتوماسیون", - "script": "بارگزاری مجدد اسکریپت", - "scene": "بارگذاری سناریوها" - }, - "server_management": { - "heading": "مدیریت سرور", - "introduction": "سرور Home Assistant خود را کنترل کنید ... از Home Assistant.", - "restart": "راه‌اندازی مجدد", - "stop": "بایست" - } - } - } - }, - "profile": { - "push_notifications": { - "header": "ارسال اعلانها", - "description": "ارسال اعلانها به این دستگاه", - "push_notifications": "ارسال اعلانها", - "link_promo": "بیشتر بدانید" - }, - "refresh_tokens": { - "header": "تازه کردن نشانه", - "description": "هر نشانه بازخوانی نشان دهنده یک جلسه ورود به سیستم است. هنگام خروج از سیستم ، نشانه های تازه سازی به صورت خودکار حذف می شوند. نشانه های تازه سازی زیر در حال حاضر برای حساب شما فعال هستند.", - "token_title": "تازه token برای {clientId}", - "created_at": "ایجاد شده در {date}", - "delete_failed": "token حذف نشد.", - "last_used": "آخرین در {date} از {location}", - "not_used": "هرگز استفاده نشده است", - "current_token_tooltip": "عدم امکان حذف تازه کردن​ token" - }, - "long_lived_access_tokens": { - "description": "علامت های دسترسی طولانی مدت را ایجاد کنید تا اسکریپت های شما بتوانند با مثال معاونت Home خود ارتباط برقرار کنند. هر علامت گذاری برای 10 سال معتبر است. برچسبهای دسترسی طولانی مدت در حال حاضر فعال هستند.", - "learn_auth_requests": "با نحوه انجام درخواست های تأیید اعتبار آشنا شوید.", - "created_at": "ایجاد شده در {date}", - "confirm_delete": "آیا مطمئن هستید که میخواهید token زیر را برای {name} حذف کنید؟", - "last_used": "آخرین مورد استفاده در {date} از {location}", - "not_used": "هرگز استفاده نشده است" - }, - "current_user": "شما در حال حاضر به عنوان {fullName} وارد شده اید.", - "change_password": { - "header": "تغییر رمز عبور", - "current_password": "رمز فعلی", - "new_password": "رمز جدید", - "confirm_new_password": "تائید رمز جدید" - }, - "mfa": { - "confirm_disable": "آیا مطمئن هستید که میخواهید {name} غیرفعال کنید؟" - }, - "mfa_setup": { - "title_aborted": "لغو شد" - }, - "vibrate": { - "header": "ویبره", - "description": "هنگام کنترل دستگاه، حالت ویبره فعال یا غیرفعال می‌شود." - }, - "advanced_mode": { - "title": "حالت پیشرفته", - "description": "سیستم به طور پیش فرض ویژگی ها و گزینه های پیشرفته را پنهان می کند. می توانید با تغییر این گزینه ، این ویژگی ها را در فعال کنید. این تنظیم خاص یک کاربر بوده و استفاده سایر کاربران این سیستم را تحت تأثیر قرار نمی دهد." - } - }, - "page-authorize": { - "authorizing_client": "شما در مورد ارائه {clientId} به عنوان مثال دستیار Home Assistant هستید.", - "logging_in_with": "ورود با ** {authProviderName} **.", - "pick_auth_provider": "یا وارد سیستم شوید", - "abort_intro": "ورود به سیستم لغو شد", - "form": { - "working": "لطفاً منتظر بمانید", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "نام کاربری", - "password": "رمز عبور" - } - }, - "mfa": { - "description": "باز کردن **{mfa_module_name}** * * * در دستگاه خود را برای مشاهده شما دو فاکتور تأیید هویت کد و هویت خود را تایید کنید:" - } - }, - "error": { - "invalid_code": "کد احراز هویت نامعتبر" - }, - "abort": { - "login_expired": "ورود منقضی شده است، لطفا دوباره وارد شوید." - } - }, - "legacy_api_password": { - "step": { - "mfa": { - "description": "باز کردن **{mfa_module_name}** * * * در دستگاه خود را برای مشاهده شما دو فاکتور تأیید هویت کد و هویت خود را تایید کنید:" - } - }, - "error": { - "invalid_code": "کد احراز هویت نامعتبر" - }, - "abort": { - "login_expired": "لطفا دوباره وارد شوید." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "نام کاربری", - "password": "پسورد" - } - }, - "mfa": { - "data": { - "code": "تایید دو مرحله ای" - }, - "description": "باز کردن **{mfa_module_name}** * * * در دستگاه خود را برای مشاهده شما دو فاکتور تأیید هویت کد و هویت خود را تایید کنید:" - } - }, - "error": { - "invalid_auth": "کد احراز هویت نامعتبر", - "invalid_code": "کد احراز هویت نامعتبر" - }, - "abort": { - "login_expired": "ورود منقضی شده است، لطفا دوباره وارد شوید." - } - } - } - } - }, - "page-onboarding": { - "user": { - "data": { - "name": "نام", - "username": "نام کاربری", - "password": "رمز عبور", - "password_confirm": "تایید رمز عبور" - }, - "create_account": "ایجاد حساب کاربری", - "error": { - "required_fields": "تمام فیلدهای لازم را پر کنید", - "password_not_match": "رمزهای عبور مطابقت ندارند" - } - }, - "integration": { - "intro": "دستگاه ها و خدمات در دستیار خانگی به صورت یکپارچه ارائه می شوند. اکنون می توانید آنها را تنظیم کنید یا بعدا از صفحه تنظیمات استفاده کنید.", - "more_integrations": "بیشتر", - "finish": "پایان" - }, - "core-config": { - "intro": "سلام {name} ، به دستیار خانگی خوش آمدید چگونه می خواهید خانه خود را نام ببرید؟", - "intro_location": "ما می خواهیم بدانیم کجا زندگی می کنید این اطلاعات برای نمایش اطلاعات و تنظیم خودکار اتوماسیون مبتنی بر آخورشید کمک خواهد کرد. این اطلاعات در خارج از شبکه شما به اشتراک گذاشته نمیشود .", - "intro_location_detect": "ما می تواند کمک به شما در پر کردن این اطلاعات با ساخت یک درخواست به یک سرویس خارجی.", - "location_name_default": "خانه", - "button_detect": "تشخیص", - "finish": "بعدی" - } - }, - "lovelace": { - "cards": { - "shopping-list": { - "checked_items": "موارد بررسی شده", - "add_item": "اضافه کردن آیتم" - }, - "empty_state": { - "title": "به خانه خوش آمدی", - "no_devices": "این صفحه به شما اجازه می دهد تا دستگاه های خود را کنترل کنید، با این حال به نظر می رسد که هیچ دستگاهی تنظیم نشده است. برای شروع به صفحه ادغام بروید.", - "go_to_integrations_page": "به صفحه ادغام بروید." - }, - "picture-elements": { - "hold": "نگه دارید:", - "tap": "ضربه زدن:", - "navigate_to": "رفتن به {location}", - "toggle": "تغییر {name}", - "call_service": "سرویس تماس {name}", - "more_info": "نمایش اطلاعات بیشتر: {name}" - } - }, - "editor": { - "edit_card": { - "save": "ذخیره", - "toggle_editor": "تغییر ویرایشگر", - "pick_card": "کارتی را که می خواهید اضافه کنید انتخاب کنید ؛", - "add": "افزودن کارت", - "edit": "ویرایش", - "delete": "حذف" - }, - "migrate": { - "para_no_id": "این عنصر ID ندارد لطفا یک شناسه را برای این عنصر در ui-lovelace.yaml اضافه کنید.", - "para_migrate": "صفحه اصلی home assistant می تواند با استفاده از دکمه 'Migrate config' به صورت خودکار برای شما کارت شناسایی را به تمام کارت های خود اضافه کند.", - "migrate": "انتقال پیکربندی" - }, - "header": "ویرایش رابط کاربری", - "edit_view": { - "add": "افزودن نمایه", - "edit": "ویرایش نما" - }, - "save_config": { - "header": "کنترل UI Lovelace خود را بگیرید", - "para": "به طور پیش فرض Home Assistant رابط کاربر خود را حفظ می کند، آن را به روز می کند زمانی که موجودیت های جدید و یا اجزای Lovelace در دسترس قرار گیرد. اگر کنترل داشته باشید دیگر تغییرات را برای شما انجام نخواهیم داد.", - "para_sure": "آیا مطمئن هستید که میخواهید کنترل رابط کاربری خود را کنترل کنید؟", - "cancel": "بیخیال", - "save": "کنترل را به دست گرفتن" - }, - "menu": { - "raw_editor": "ویرایشگر اتوماسیون" - }, - "raw_editor": { - "header": "ویرایش پیکربندی", - "save": "ذخیره", - "unsaved_changes": "تغییرات ذخیره نشده", - "saved": "ذخیره" - }, - "card": { - "generic": { - "maximum": "بیشترین", - "minimum": "کمترین", - "name": "نام", - "refresh_interval": "فاصله رفرش", - "show_icon": "نمایش آیکون؟", - "show_name": "نمایش نام؟", - "show_state": "نمایش وضعیت؟", - "title": "عنوان", - "theme": "زمینه", - "unit": "واحد", - "url": "آدرس" - }, - "map": { - "geo_location_sources": "منابع موقعیت یابی", - "dark_mode": "حالت تاریک", - "default_zoom": "بزرگنمایی پیش فرض", - "source": "منبع", - "name": "نقشه" - }, - "markdown": { - "content": "محتوا" - }, - "sensor": { - "graph_detail": "نمودار جزئیات", - "graph_type": "نوع نمودار", - "name": "سنسور" - }, - "light": { - "name": "چراغ" - }, - "media-control": { - "name": "کنترل رسانه" - }, - "picture": { - "name": "تصویر" - }, - "shopping-list": { - "name": "لیست خرید" - }, - "thermostat": { - "name": "ترموستات" - }, - "weather-forecast": { - "name": "پیش بینی آب و هوا" - } - } - }, - "menu": { - "unused_entities": "نهادهای استفاده نشده", - "help": "کمک", - "refresh": "تازه کردن" - }, - "warning": { - "entity_not_found": "نهاد موجود نیست: {entity}", - "entity_non_numeric": "نهاد غیر عددی است: {entity}" - }, - "changed_toast": { - "message": "پیکربندی Lovelace به روز شد، آیا مایل به بروزرسانی هستید؟", - "refresh": "تازه کردن" - }, - "reload_lovelace": "بازنگری Lovelace" - } - }, - "sidebar": { - "log_out": "خروج", - "external_app_configuration": "پیکربندی برنامه" - }, - "duration": { - "day": "\n{count} {count, plural,\n one {روز}\n other {روز ها}\n}\n", - "week": "\n{count} {count, plural,\n one {هفته}\n other {هفته ها}\n}\n", - "second": "ویرایشگر اتوماسیون اجازه می دهد تا شما را به ایجاد و ویرایش اتوماسیون بپردازید. لطفا پیوند زیر را بخوانید تا دستورالعمل ها را متوجه بشید تا مطمئن شوید که صفحه اصلی دستیار را به درستی پیکربندی کرده اید.", - "hour": "{count} {تعداد, جمع,\nیکی {ساعت}\nدیگر {ساعت}\n}" - }, - "login-form": { - "password": "رمز عبور", - "remember": "یاد آوردن", - "log_in": "ورود" + "auth_store": { + "confirm": "ذخیره ورود به سیستم" }, "card": { + "alarm_control_panel": { + "arm_custom_bypass": "بایگانی سفارشی", + "arm_night": "نوبت شب", + "armed_custom_bypass": "بایگانی سفارشی", + "clear_code": "پاک کردن", + "code": "کد", + "disarm": "خلع سلاح" + }, + "automation": { + "last_triggered": "آخرین ماشه", + "trigger": "ماشه" + }, + "climate": { + "aux_heat": "Aux گرما", + "away_mode": "حالت بیرون", + "currently": "در حال حاضر", + "fan_mode": "حالت فن", + "on_off": "روشن\/خاموش", + "operation": "عملیات", + "swing_mode": "حالت چرخش", + "target_humidity": "هدف رطوبت", + "target_temperature": "هدف دما" + }, + "cover": { + "position": "موقعیت", + "tilt_position": "موقعیت شیب" + }, + "fan": { + "direction": "جهت", + "oscillate": "نوسان", + "speed": "سرعت" + }, + "light": { + "brightness": "روشنایی", + "color_temperature": "دمای رنگ", + "white_value": "ارزش سفید" + }, + "lock": { + "code": "رمز", + "lock": "قفل", + "unlock": "باز کردن" + }, + "media_player": { + "sound_mode": "حالت صدا", + "source": "منبع", + "text_to_speak": "متن به صحبت کردن" + }, "persistent_notification": { "dismiss": "رد" }, @@ -993,6 +400,13 @@ "script": { "execute": "اجرا کردن" }, + "water_heater": { + "away_mode": "حالت بیرون", + "currently": "در حال حاضر", + "on_off": "روشن\/خاموش", + "operation": "عملیات", + "target_temperature": "دمای هدف" + }, "weather": { "attributes": { "air_pressure": "فشار هوا", @@ -1005,8 +419,8 @@ "e": "شرق", "n": "شمال", "nne": "شمال شرقی", - "nw": "شمال غربی", "nnw": "شمال غربی", + "nw": "شمال غربی", "s": "جنوب", "se": "جنوب شرقی", "ssw": "جنوب غربی", @@ -1016,98 +430,35 @@ "wsw": "جنوب غربی" }, "forecast": "پیش بینی" - }, - "alarm_control_panel": { - "code": "کد", - "clear_code": "پاک کردن", - "disarm": "خلع سلاح", - "arm_night": "نوبت شب", - "armed_custom_bypass": "بایگانی سفارشی", - "arm_custom_bypass": "بایگانی سفارشی" - }, - "automation": { - "last_triggered": "آخرین ماشه", - "trigger": "ماشه" - }, - "cover": { - "position": "موقعیت", - "tilt_position": "موقعیت شیب" - }, - "fan": { - "speed": "سرعت", - "oscillate": "نوسان", - "direction": "جهت" - }, - "light": { - "brightness": "روشنایی", - "color_temperature": "دمای رنگ", - "white_value": "ارزش سفید" - }, - "media_player": { - "text_to_speak": "متن به صحبت کردن", - "source": "منبع", - "sound_mode": "حالت صدا" - }, - "climate": { - "currently": "در حال حاضر", - "on_off": "روشن\/خاموش", - "target_temperature": "هدف دما", - "target_humidity": "هدف رطوبت", - "operation": "عملیات", - "fan_mode": "حالت فن", - "swing_mode": "حالت چرخش", - "away_mode": "حالت بیرون", - "aux_heat": "Aux گرما" - }, - "lock": { - "code": "رمز", - "lock": "قفل", - "unlock": "باز کردن" - }, - "water_heater": { - "currently": "در حال حاضر", - "on_off": "روشن\/خاموش", - "target_temperature": "دمای هدف", - "operation": "عملیات", - "away_mode": "حالت بیرون" } }, + "common": { + "save": "ذخیره" + }, "components": { "entity": { "entity-picker": { "entity": "نهاد" } }, - "relative_time": { - "past": "{time} قبل", - "future": "در {time}", - "never": "هرگز", - "duration": { - "second": "تعداد {count ، جمع ،\n یکی {ثانیه}\n دیگر {ثانیه}\n}", - "minute": "{count} {تعداد, جمع,\nیکی {دقیقه}\nدیگر {ساعت}\n}", - "hour": "تعداد {count ، جمع ،\n یک {ساعت}\n دیگر {ساعت}\n}", - "day": "{count} {تعداد, جمع,\nیکی {روز}\nدیگر {روز}\n}", - "week": "تعداد {count ، جمع ،\n یک {هفته}\n دیگر {هفته}\n}" - } - }, "history_charts": { "loading_history": "بارگیری وضعیت تاریخچه", "no_history_found": "هیچ دولتی سابقه یافت." + }, + "relative_time": { + "duration": { + "day": "{count} {تعداد, جمع,\\nیکی {روز}\\nدیگر {روز}\\n}", + "hour": "تعداد {count ، جمع ،\\n یک {ساعت}\\n دیگر {ساعت}\\n}", + "minute": "{count} {تعداد, جمع,\\nیکی {دقیقه}\\nدیگر {ساعت}\\n}", + "second": "تعداد {count ، جمع ،\\n یکی {ثانیه}\\n دیگر {ثانیه}\\n}", + "week": "تعداد {count ، جمع ،\\n یک {هفته}\\n دیگر {هفته}\\n}" + }, + "future": "در {time}", + "never": "هرگز", + "past": "{time} قبل" } }, - "notification_toast": { - "entity_turned_on": "روشن {نهاد}.", - "entity_turned_off": "خاموش {نهاد}.", - "service_called": "سرویس {service} نامیده می شود.", - "service_call_failed": "تماس با سرویس {service} ناموفق بود", - "connection_lost": "اتصالبرقرار نشد . اتصال مجدد..." - }, "dialogs": { - "more_info_settings": { - "save": "ذخیره", - "name": "باطل کردن", - "entity_id": "شناسه نهاد" - }, "more_info_control": { "script": { "last_action": "آخرین اقدام" @@ -1120,68 +471,717 @@ "updater": { "title": "دستورالعمل به روز رسانی" } + }, + "more_info_settings": { + "entity_id": "شناسه نهاد", + "name": "باطل کردن", + "save": "ذخیره" } }, - "auth_store": { - "confirm": "ذخیره ورود به سیستم" + "duration": { + "day": "\\n{count} {count, plural,\\n one {روز}\\n other {روز ها}\\n}\\n", + "hour": "{count} {تعداد, جمع,\\nیکی {ساعت}\\nدیگر {ساعت}\\n}", + "second": "ویرایشگر اتوماسیون اجازه می دهد تا شما را به ایجاد و ویرایش اتوماسیون بپردازید. لطفا پیوند زیر را بخوانید تا دستورالعمل ها را متوجه بشید تا مطمئن شوید که صفحه اصلی دستیار را به درستی پیکربندی کرده اید.", + "week": "\\n{count} {count, plural,\\n one {هفته}\\n other {هفته ها}\\n}\\n" + }, + "login-form": { + "log_in": "ورود", + "password": "رمز عبور", + "remember": "یاد آوردن" }, "notification_drawer": { "click_to_configure": "برای پیکربندی {entity} روی دکمه کلیک کنید", "empty": "بدون اعلان", "title": "اعلانها" }, - "common": { - "save": "ذخیره" - } - }, - "domain": { - "alarm_control_panel": "کنترل پنل آلارم", - "automation": "اتوماسیون", - "binary_sensor": "حسگر باینری", - "calendar": "تقویم", - "camera": "دوربین", - "configurator": "تنظیم کننده", - "conversation": "گفتگو", - "cover": "پوشش", - "fan": "فن", - "group": "گروه", - "image_processing": "پردازش تصویر", - "input_boolean": "ورودی بولین", - "light": "چراغ", - "lock": "قفل", - "mailbox": "میل باکس", - "sensor": "سنسور", - "sun": "آفتاب", - "switch": "سوئیچ", - "weblink": "لینک سایت", - "zwave": "Z-Wave", - "vacuum": "خلاء", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "سلامت سیستم", - "person": "فرد" - }, - "attribute": { - "weather": { - "humidity": "رطوبت", - "visibility": "قابل دیدن", - "wind_speed": "سرعت باد" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "خاموش", - "on": "روشن", - "auto": "خودکار" + "notification_toast": { + "connection_lost": "اتصالبرقرار نشد . اتصال مجدد...", + "entity_turned_off": "خاموش {نهاد}.", + "entity_turned_on": "روشن {نهاد}.", + "service_call_failed": "تماس با سرویس {service} ناموفق بود", + "service_called": "سرویس {service} نامیده می شود." + }, + "panel": { + "config": { + "area_registry": { + "caption": "ثبت نام منطقه", + "create_area": "ایجاد منطقه", + "description": "بررسی کلیه مناطق خانه شما", + "editor": { + "create": "ايجاد كردن", + "default_name": "منطقه جدید", + "delete": "حذف", + "update": "به روز رسانی" + }, + "picker": { + "create_area": "ایجاد منطقه", + "header": "ثبت منطقه", + "integrations_page": "صفحه ادغام", + "introduction": "مناطق برای سازمان دهی دستگاه های جاسازی شده استفاده می شوند. این اطلاعات در سراسر دستیار خانگی برای کمک به شما در سازماندهی رابط کاربری، مجوزها و ادغام با دیگر سیستم ها مورد استفاده قرار می گیرد.", + "introduction2": "برای قرار دادن دستگاه در یک منطقه، از پیوند زیر برای حرکت به صفحه ی ادغام استفاده کنید و سپس روی ادغام پیکربندی شوید تا به کارت دستگاه دسترسی پیدا کنید.", + "no_areas": "به نظر می رسد هنوز هیچ زمینه ای ندارید" + } + }, + "automation": { + "caption": "اتوماسیون", + "description": "ایجاد و ویرایش اتوماسیون", + "editor": { + "actions": { + "add": "افزودن اقدام", + "delete": "حذف", + "delete_confirm": "مطمئنا میخواهید حذف کنید؟", + "duplicate": "دوبل کردن", + "header": "اقدامات", + "introduction": "این اقدامات همان چیزی است که دستیار خانه انجام می دهد وقتی که اتوماسیون راه اندازی می شود.", + "learn_more": "درباره عملکردها بیشتر بدانید", + "type_select": "نوع عمل", + "type": { + "condition": { + "label": "وضعیت" + }, + "delay": { + "delay": "تاخیر", + "label": "تاخیر" + }, + "event": { + "event": "اتفاق", + "label": "رویداد آتش", + "service_data": "اطلاعات خدمات" + }, + "service": { + "label": "خدمات تماس", + "service_data": "داده های خدمات" + }, + "wait_template": { + "label": "صبر کنید", + "wait_template": "منتظر قالب" + } + }, + "unsupported_action": "عمل پشتیبانی نشده: {action}" + }, + "alias": "نام", + "conditions": { + "add": "اضافه کردن شرط", + "delete": "حذف", + "delete_confirm": "مطمئنا میخواهید حذف کنید؟", + "duplicate": "نمایش مطالب برای", + "header": "شرایط", + "introduction": "شرایط یک بخش اختیاری از یک قانون اتوماسیون است و می تواند مورد استفاده قرار گیرد تا از وقوع رویداد زمانی که باعث ایجاد فعالیت می شود جلوگیری شود. شرایط بسیار شبیه به ماژورها هستند اما خیلی متفاوت هستند. یک ماشه به حوادث اتفاق می افتد در سیستم نگاه کنید، در حالی که یک وضعیت فقط به نظر می رسد که سیستم به نظر می رسد در حال حاضر. یک ماشه می تواند مشاهده کند که سوئیچ روشن است. یک وضعیت فقط می تواند ببینید که آیا یک سوئیچ در حال حاضر روشن یا خاموش است.", + "learn_more": "درباره شرایط بیشتر بدانید", + "type_select": "نوع وضعیت", + "type": { + "numeric_state": { + "above": "بالاتر", + "below": "پایین تر", + "label": "Numeric state", + "value_template": "قالب مقدار (اختیاری)" + }, + "state": { + "label": "حالت", + "state": "حالت" + }, + "sun": { + "after": "بعد از:", + "after_offset": "پس از افست (اختیاری)", + "before": "قبل از:", + "before_offset": "قبل از افست (اختیاری)", + "label": "آفتاب", + "sunrise": "طلوع", + "sunset": "غروب" + }, + "template": { + "label": "قالب", + "value_template": "مقدار قالب" + }, + "time": { + "after": "بعد از", + "before": "قبل از", + "label": "زمان" + }, + "zone": { + "entity": "وجود با محل", + "label": "منطقه", + "zone": "منطقه" + } + }, + "unsupported_condition": "شرایط غیرقابل پشتیبانی: {condition}" + }, + "default_name": "اضافه کردن اتوماسیون", + "introduction": "از اتوماسیون استفاده کنید برای زنده کردن خانه", + "load_error_not_editable": "فقط اتوماسیون در automations.yaml قابل ویرایش هستند.", + "load_error_unknown": "خطا در بارگذاری اتوماسیون ({err_no}).", + "save": "ذخیره", + "triggers": { + "delete": "حذف", + "duplicate": "کپی کنید", + "introduction": "راه حلی است که پردازش یک قانون اتوماسیون را آغاز می کند. ممکن است چند عامل برای یک قاعده مشخص شود. هنگامی که یک ماشه شروع می شود، Home Assistant شرایط را تایید می کند، اگر وجود داشته باشد، و اقدام را فراخوانی می کند.", + "learn_more": "درباره ماشه بیشتر بدانید", + "type": { + "event": { + "event_data": "داده های رویداد", + "event_type": "نوع رویداد", + "label": "رویداد" + }, + "geo_location": { + "enter": "ورود", + "event": "رویداد:", + "label": "موقعیت جغرافیایی", + "leave": "ترک کردن", + "source": "منبع", + "zone": "منطقه" + }, + "homeassistant": { + "label": "Home Assistant" + }, + "numeric_state": { + "label": "حالت عددی" + }, + "state": { + "label": "وضعیت" + }, + "sun": { + "event": "اتفاق", + "label": "آفتاب", + "sunrise": "طلوع", + "sunset": "غروب" + }, + "template": { + "label": "قالب" + }, + "time_pattern": { + "hours": "ساعت ها", + "label": "الگو زمان", + "minutes": "دقیقه ها", + "seconds": "ثانیه ها" + }, + "time": { + "label": "زمان" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "شناسه Webhook" + }, + "zone": { + "entity": "نهاد با موقعیت", + "event": "اتفاق", + "zone": "منطقه" + } + } + } + }, + "picker": { + "add_automation": "اضافه کردن اتوماسیون", + "header": "ویرایشگر اتوماسیون", + "introduction": "ویرایشگر اتوماسیون اجازه می دهد تا شما را به ایجاد و ویرایش اتوماسیون بپردازید . لطفا پیوند زیر را بخوانید تا دستورالعمل ها را بخواند تا مطمئن شوید که صفحه اصلی دستیار را به درستی پیکربندی کرده اید.", + "learn_more": "درباره اتوماسیون بیشتر بدانید", + "no_automations": "هیچ اتوماسیون قابل ویرایشی پیدا نشد", + "pick_automation": "انتخاب اتوماسیون برای ویرایش" + } + }, + "cloud": { + "caption": " home assistant ابر", + "description_features": "کنترل کردن از خانه، ادغام با Alexa و Google Assistant.", + "description_login": "وارد شده به عنوان {email}", + "description_not_login": "وارد نشده اید" + }, + "core": { + "section": { + "core": { + "core_config": { + "edit_requires_storage": "ویرایشگر غیرفعال شده است چون پیکربندی ذخیره شده در configuration.yaml.", + "elevation": "ارتفاع", + "elevation_meters": "متر", + "imperial_example": "فارنهایت، پوند", + "latitude": "طول و عرض جغرافیایی", + "location_name": "نام برای نصب صفحه اصلی دستیار شما", + "longitude": "جغرافیایی", + "metric_example": "سانتیگراد، کیلوگرم", + "save_button": "ذخیره", + "time_zone": "منطقه زمانی", + "unit_system": "واحد سیستم", + "unit_system_imperial": "امپریال", + "unit_system_metric": "متر" + }, + "header": "پیکربندی و کنترل سرور", + "introduction": "تغییر پیکربندی شما می تواند یک روند خسته کننده باشد. ما میدانیم. این بخش سعی خواهد کرد زندگی شما را کمی ساده تر کند." + }, + "server_control": { + "reloading": { + "automation": "بازنگری automations", + "core": "بارگذاری مجدد ", + "group": "بارگذاری مجدد گروه ها", + "heading": "بارگذاری مجدد پیکربندی", + "introduction": "برخی از قسمت های Home Assistant می توانند بدون نیاز به راه اندازی مجدد مجدد بارگیری شوند. برای بارگذاری مجدد ضربه بزنید. پیکربندی کنونی خود را بارگیری و اطلاعات جدید را بارگذاری می کند.", + "script": "بازنگری اسکریپت" + }, + "server_management": { + "introduction": "صفحه اصلی home assistant سرور خود را کنترل کنید ... از home assistant" + }, + "validation": { + "check_config": "بررسی پیکربندی", + "heading": "تایید پیکربندی" + } + } + } + }, + "customize": { + "picker": { + "introduction": "نویسه ویژگی های هر سازمانی. سفارشی سازی اضافه شده \/ ویرایش شده فورا اثر می کند. سفارشی های حذف شده هنگامی که موجودیت به روز می شود اثر می کند." + } + }, + "entity_registry": { + "caption": "ثبت منطقه", + "description": "مرور کلیه اشخاص شناخته شده.", + "editor": { + "default_name": "منطقه جدید", + "delete": "حذف", + "unavailable": "این نهاد در حال حاضر در دسترس نیست", + "update": "به روز رسانی" + }, + "picker": { + "header": "ثبت منطقه", + "integrations_page": "صفحه ادغام", + "introduction": "دستیار خانه نگهداری رجیستری از هر نهاد که تا به حال دیده است که می تواند منحصر به فرد شناسایی شده است. هر یک از این نهاد ها یک شناسه نهادی اختصاص داده است که فقط برای این نهاد محفوظ خواهد ماند.", + "introduction2": "از رجیستر entity استفاده کنید تا نام را عوض کند، شناسه موجودیت را تغییر دهید یا ورودی را از صفحه اصلی دستیار حذف کنید. توجه داشته باشید، از بین بردن ورودی رجیستر entity entity entity را حذف نخواهد کرد. برای انجام این کار، پیوند زیر را دنبال کنید و آن را از صفحه ی ادغام حذف کنید.", + "unavailable": "(در دسترس نیست)" + } + }, + "header": "پیکربندی HOME ASSistant", + "integrations": { + "caption": "یکپارچگی", + "config_entry": { + "device_unavailable": "دستگاه در دسترس نیست", + "entity_unavailable": "نهاد در دسترس نیست", + "firmware": "سیستم عامل: {version}", + "hub": "اتصال از طریق", + "manuf": "توسط {manufacturer}", + "no_area": "بدون منطقه", + "no_device": " بدون دستگاه", + "no_devices": "این ادغام هیچ دستگاهی ندارد.", + "restart_confirm": "راه اندازی مجدد home assistant به پایان بردن این ادغام", + "via": "اتصال از طریق" + }, + "config_flow": { + "external_step": { + "description": "این مرحله نیاز به بازدید از وب سایت خارجی دارد که باید تکمیل شود.", + "open_site": "باز کردن سایت" + } + }, + "configure": "پیکربندی", + "configured": "پیکربندی شده", + "description": "مدیریت دستگاهها و خدمات متصل شده", + "discovered": "کشف شده", + "new": "تنظیم ادغام جدید", + "none": "هیچ چیز پیکربندی نشده است" + }, + "introduction": "در اینجا می توانید اجزای خود و صفحه اصلی دستیار را پیکربندی کنید. ", + "person": { + "caption": "افراد", + "description": "مدیریت افراد خانه هوشمند", + "detail": { + "device_tracker_intro": "دستگاه هایی که متعلق به این شخص هستند را انتخاب کنید.", + "device_tracker_pick": "دستگاه را برای پیگیری انتخاب کنید", + "device_tracker_picked": "پیگیری دستگاه", + "name": "نام" + } + }, + "server_control": { + "section": { + "reloading": { + "automation": "بارگیری مجدد اتوماسیون", + "core": "بارگذاری مجدد هسته", + "group": "بارگیری مجدد گروه‌ها", + "introduction": "برخی از قسمت‌های Home Assistant بدون نیاز به راه‌اندازی مجدد می‌توانند بارگیری شوند. با بارگیری مجدد، تنظیمات فعلی آنها حذف می‌شوند و نسخه جدید را بارگیری خواهد شد.", + "scene": "بارگذاری سناریوها", + "script": "بارگزاری مجدد اسکریپت" + }, + "server_management": { + "heading": "مدیریت سرور", + "introduction": "سرور Home Assistant خود را کنترل کنید ... از Home Assistant.", + "restart": "راه‌اندازی مجدد", + "stop": "بایست" + } + } + }, + "users": { + "add_user": { + "caption": "افزودن کاربر", + "create": "ایجاد", + "name": "نام", + "password": "رمز عبور", + "username": "نام کاربری" + }, + "caption": "کاربران", + "description": "مدیریت کاربران", + "editor": { + "activate_user": "فعال کردن کاربر", + "caption": "مشاهده کاربر", + "change_password": "تغییر رمز عبور", + "confirm_user_deletion": "آیا مطمئنید می خواهید {name} را حذف کنید ؟", + "deactivate_user": "غیر فعال کردن کاربر", + "delete_user": "حذف کاربر", + "enter_new_name": "نام جدید را وارد کنید", + "group_update_failed": "بروزرسانی گروه انجام نشد:", + "rename_user": "تغییر نام کاربر", + "unnamed_user": "کاربر نامشخص", + "user_rename_failed": "تغییر نام کاربری انجام نشد:" + }, + "picker": { + "title": "کاربران" + } + }, + "zha": { + "add_device_page": { + "discovery_text": "دستگاه های کشف شده در اینجا نشان داده می شوند. دستورالعمل های دستگاه (های) خود را دنبال کنید و دستگاه (های) را در حالت جفت قرار دهید.", + "header": " صفحه اصلی اتوماسیون مدیریت شبکه Zigbee", + "search_again": "جستجوی مجدد", + "spinner": "جستجو برای دستگاه های ZHY Zigbee ..." + }, + "caption": "ZHA", + "common": { + "add_devices": "افزودن دستگاهها", + "devices": "دستگاه ها", + "value": "مقدار" + }, + "description": " صفحه اصلی اتوماسیون مدیریت شبکه Zigbee", + "device_card": { + "area_picker_label": "منطقه", + "device_name_placeholder": "نام کاربر داده شده", + "update_name_button": "به روز رسانی نام" + }, + "network_management": { + "header": "مدیریت شبکه", + "introduction": "دستوراتی که روی کل شبکه تأثیر می گذارند" + }, + "node_management": { + "header": "مدیریت دستگاه" + }, + "services": { + "reconfigure": "دستگاه ZHA پیکربندی مجدد (تعمیر دستگاه). از این استفاده کنید اگر با دستگاه مشکل دارید. اگر دستگاه مورد نظر یک دستگاه باتری است ، لطفا اطمینان حاصل شود که هنگام استفاده از این سرویس ، دستورات بیدار و پذیرش است.", + "remove": "یک دستگاه را از شبکه ZigBee حذف کنید.", + "updateDeviceName": "یک نام سفارشی برای این دستگاه در رجیستری دستگاه تنظیم کنید." + } + }, + "zwave": { + "caption": "Z-Wave", + "common": { + "unknown": "نامشخص", + "wakeup_interval": "فاصله Wakeup" + }, + "node_config": { + "config_parameter": "پارامتر پیکربندی", + "config_value": "مقدار پیکربندی", + "false": "نادرست", + "header": "گزینه‌های پیکربندی گره", + "seconds": "ثانیه‌ها", + "set_config_parameter": "تنظیم پارامتر پیکربندی", + "set_wakeup": "تنظیم فاصله Wakeup", + "true": "صحیح" + } + } + }, + "developer-tools": { + "tabs": { + "events": { + "title": "رویدادها" + }, + "info": { + "title": "اطلاعات" + }, + "logs": { + "title": "وقایع" + }, + "mqtt": { + "title": "MQTT" + }, + "services": { + "title": "خدمات" + }, + "states": { + "title": "وضعیت" + }, + "templates": { + "title": "قالب" + } + } + }, + "history": { + "showing_entries": "نمایش نوشته ها برای" + }, + "logbook": { + "period": "دوره", + "showing_entries": "نمایش نامه برای" + }, + "lovelace": { + "cards": { + "empty_state": { + "go_to_integrations_page": "به صفحه ادغام بروید.", + "no_devices": "این صفحه به شما اجازه می دهد تا دستگاه های خود را کنترل کنید، با این حال به نظر می رسد که هیچ دستگاهی تنظیم نشده است. برای شروع به صفحه ادغام بروید.", + "title": "به خانه خوش آمدی" + }, + "picture-elements": { + "call_service": "سرویس تماس {name}", + "hold": "نگه دارید:", + "more_info": "نمایش اطلاعات بیشتر: {name}", + "navigate_to": "رفتن به {location}", + "tap": "ضربه زدن:", + "toggle": "تغییر {name}" + }, + "shopping-list": { + "add_item": "اضافه کردن آیتم", + "checked_items": "موارد بررسی شده" + } + }, + "changed_toast": { + "message": "پیکربندی Lovelace به روز شد، آیا مایل به بروزرسانی هستید؟", + "refresh": "تازه کردن" + }, + "editor": { + "card": { + "generic": { + "maximum": "بیشترین", + "minimum": "کمترین", + "name": "نام", + "refresh_interval": "فاصله رفرش", + "show_icon": "نمایش آیکون؟", + "show_name": "نمایش نام؟", + "show_state": "نمایش وضعیت؟", + "theme": "زمینه", + "title": "عنوان", + "unit": "واحد", + "url": "آدرس" + }, + "light": { + "name": "چراغ" + }, + "map": { + "dark_mode": "حالت تاریک", + "default_zoom": "بزرگنمایی پیش فرض", + "geo_location_sources": "منابع موقعیت یابی", + "name": "نقشه", + "source": "منبع" + }, + "markdown": { + "content": "محتوا" + }, + "media-control": { + "name": "کنترل رسانه" + }, + "picture": { + "name": "تصویر" + }, + "sensor": { + "graph_detail": "نمودار جزئیات", + "graph_type": "نوع نمودار", + "name": "سنسور" + }, + "shopping-list": { + "name": "لیست خرید" + }, + "thermostat": { + "name": "ترموستات" + }, + "weather-forecast": { + "name": "پیش بینی آب و هوا" + } + }, + "edit_card": { + "add": "افزودن کارت", + "delete": "حذف", + "edit": "ویرایش", + "pick_card": "کارتی را که می خواهید اضافه کنید انتخاب کنید ؛", + "save": "ذخیره", + "toggle_editor": "تغییر ویرایشگر" + }, + "edit_view": { + "add": "افزودن نمایه", + "edit": "ویرایش نما" + }, + "header": "ویرایش رابط کاربری", + "menu": { + "raw_editor": "ویرایشگر اتوماسیون" + }, + "migrate": { + "migrate": "انتقال پیکربندی", + "para_migrate": "صفحه اصلی home assistant می تواند با استفاده از دکمه 'Migrate config' به صورت خودکار برای شما کارت شناسایی را به تمام کارت های خود اضافه کند.", + "para_no_id": "این عنصر ID ندارد لطفا یک شناسه را برای این عنصر در ui-lovelace.yaml اضافه کنید." + }, + "raw_editor": { + "header": "ویرایش پیکربندی", + "save": "ذخیره", + "saved": "ذخیره", + "unsaved_changes": "تغییرات ذخیره نشده" + }, + "save_config": { + "cancel": "بیخیال", + "header": "کنترل UI Lovelace خود را بگیرید", + "para": "به طور پیش فرض Home Assistant رابط کاربر خود را حفظ می کند، آن را به روز می کند زمانی که موجودیت های جدید و یا اجزای Lovelace در دسترس قرار گیرد. اگر کنترل داشته باشید دیگر تغییرات را برای شما انجام نخواهیم داد.", + "para_sure": "آیا مطمئن هستید که میخواهید کنترل رابط کاربری خود را کنترل کنید؟", + "save": "کنترل را به دست گرفتن" + } + }, + "menu": { + "help": "کمک", + "refresh": "تازه کردن", + "unused_entities": "نهادهای استفاده نشده" + }, + "reload_lovelace": "بازنگری Lovelace", + "warning": { + "entity_non_numeric": "نهاد غیر عددی است: {entity}", + "entity_not_found": "نهاد موجود نیست: {entity}" + } + }, + "mailbox": { + "empty": "شما پیامی ندارید" + }, + "page-authorize": { + "abort_intro": "ورود به سیستم لغو شد", + "authorizing_client": "شما در مورد ارائه {clientId} به عنوان مثال دستیار Home Assistant هستید.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "ورود منقضی شده است، لطفا دوباره وارد شوید." + }, + "error": { + "invalid_auth": "کد احراز هویت نامعتبر", + "invalid_code": "کد احراز هویت نامعتبر" + }, + "step": { + "init": { + "data": { + "password": "پسورد", + "username": "نام کاربری" + } + }, + "mfa": { + "data": { + "code": "تایید دو مرحله ای" + }, + "description": "باز کردن **{mfa_module_name}** * * * در دستگاه خود را برای مشاهده شما دو فاکتور تأیید هویت کد و هویت خود را تایید کنید:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "ورود منقضی شده است، لطفا دوباره وارد شوید." + }, + "error": { + "invalid_code": "کد احراز هویت نامعتبر" + }, + "step": { + "init": { + "data": { + "password": "رمز عبور", + "username": "نام کاربری" + } + }, + "mfa": { + "description": "باز کردن **{mfa_module_name}** * * * در دستگاه خود را برای مشاهده شما دو فاکتور تأیید هویت کد و هویت خود را تایید کنید:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "لطفا دوباره وارد شوید." + }, + "error": { + "invalid_code": "کد احراز هویت نامعتبر" + }, + "step": { + "mfa": { + "description": "باز کردن **{mfa_module_name}** * * * در دستگاه خود را برای مشاهده شما دو فاکتور تأیید هویت کد و هویت خود را تایید کنید:" + } + } + } + }, + "working": "لطفاً منتظر بمانید" + }, + "logging_in_with": "ورود با ** {authProviderName} **.", + "pick_auth_provider": "یا وارد سیستم شوید" + }, + "page-onboarding": { + "core-config": { + "button_detect": "تشخیص", + "finish": "بعدی", + "intro": "سلام {name} ، به دستیار خانگی خوش آمدید چگونه می خواهید خانه خود را نام ببرید؟", + "intro_location": "ما می خواهیم بدانیم کجا زندگی می کنید این اطلاعات برای نمایش اطلاعات و تنظیم خودکار اتوماسیون مبتنی بر آخورشید کمک خواهد کرد. این اطلاعات در خارج از شبکه شما به اشتراک گذاشته نمیشود .", + "intro_location_detect": "ما می تواند کمک به شما در پر کردن این اطلاعات با ساخت یک درخواست به یک سرویس خارجی.", + "location_name_default": "خانه" + }, + "integration": { + "finish": "پایان", + "intro": "دستگاه ها و خدمات در دستیار خانگی به صورت یکپارچه ارائه می شوند. اکنون می توانید آنها را تنظیم کنید یا بعدا از صفحه تنظیمات استفاده کنید.", + "more_integrations": "بیشتر" + }, + "user": { + "create_account": "ایجاد حساب کاربری", + "data": { + "name": "نام", + "password": "رمز عبور", + "password_confirm": "تایید رمز عبور", + "username": "نام کاربری" + }, + "error": { + "password_not_match": "رمزهای عبور مطابقت ندارند", + "required_fields": "تمام فیلدهای لازم را پر کنید" + } + } + }, + "profile": { + "advanced_mode": { + "description": "سیستم به طور پیش فرض ویژگی ها و گزینه های پیشرفته را پنهان می کند. می توانید با تغییر این گزینه ، این ویژگی ها را در فعال کنید. این تنظیم خاص یک کاربر بوده و استفاده سایر کاربران این سیستم را تحت تأثیر قرار نمی دهد.", + "title": "حالت پیشرفته" + }, + "change_password": { + "confirm_new_password": "تائید رمز جدید", + "current_password": "رمز فعلی", + "header": "تغییر رمز عبور", + "new_password": "رمز جدید" + }, + "current_user": "شما در حال حاضر به عنوان {fullName} وارد شده اید.", + "long_lived_access_tokens": { + "confirm_delete": "آیا مطمئن هستید که میخواهید token زیر را برای {name} حذف کنید؟", + "created_at": "ایجاد شده در {date}", + "description": "علامت های دسترسی طولانی مدت را ایجاد کنید تا اسکریپت های شما بتوانند با مثال معاونت Home خود ارتباط برقرار کنند. هر علامت گذاری برای 10 سال معتبر است. برچسبهای دسترسی طولانی مدت در حال حاضر فعال هستند.", + "last_used": "آخرین مورد استفاده در {date} از {location}", + "learn_auth_requests": "با نحوه انجام درخواست های تأیید اعتبار آشنا شوید.", + "not_used": "هرگز استفاده نشده است" + }, + "mfa_setup": { + "title_aborted": "لغو شد" + }, + "mfa": { + "confirm_disable": "آیا مطمئن هستید که میخواهید {name} غیرفعال کنید؟" + }, + "push_notifications": { + "description": "ارسال اعلانها به این دستگاه", + "header": "ارسال اعلانها", + "link_promo": "بیشتر بدانید", + "push_notifications": "ارسال اعلانها" + }, + "refresh_tokens": { + "created_at": "ایجاد شده در {date}", + "current_token_tooltip": "عدم امکان حذف تازه کردن​ token", + "delete_failed": "token حذف نشد.", + "description": "هر نشانه بازخوانی نشان دهنده یک جلسه ورود به سیستم است. هنگام خروج از سیستم ، نشانه های تازه سازی به صورت خودکار حذف می شوند. نشانه های تازه سازی زیر در حال حاضر برای حساب شما فعال هستند.", + "header": "تازه کردن نشانه", + "last_used": "آخرین در {date} از {location}", + "not_used": "هرگز استفاده نشده است", + "token_title": "تازه token برای {clientId}" + }, + "vibrate": { + "description": "هنگام کنترل دستگاه، حالت ویبره فعال یا غیرفعال می‌شود.", + "header": "ویبره" + } + }, + "shopping-list": { + "add_item": "اضافه کردن آیتم" } + }, + "sidebar": { + "external_app_configuration": "پیکربندی برنامه", + "log_out": "خروج" } - }, - "groups": { - "system-admin": "مدیران", - "system-users": "کاربران", - "system-read-only": "کاربران فقط خواندنی" } } \ No newline at end of file diff --git a/translations/fi.json b/translations/fi.json index 576556c9e8..ba720bb8f8 100644 --- a/translations/fi.json +++ b/translations/fi.json @@ -1,53 +1,189 @@ { - "panel": { - "config": "Asetukset", - "states": "Yleisnäkymä", - "map": "Kartta", - "logbook": "Lokikirja", - "history": "Historia", + "attribute": { + "weather": { + "humidity": "Kosteus", + "visibility": "Näkyvyys", + "wind_speed": "Tuuli" + } + }, + "config_entry": { + "disabled_by": { + "integration": "Integraatio", + "user": "Käyttäjä" + } + }, + "domain": { + "alarm_control_panel": "Hälytysasetukset", + "automation": "Automaatio", + "binary_sensor": "Binäärisensori", + "calendar": "Kalenteri", + "camera": "Kamera", + "climate": "Ilmasto", + "configurator": "Asetukset", + "conversation": "Keskustelu", + "cover": "Kaihtimet", + "device_tracker": "Laiteseuranta", + "fan": "Tuuletin", + "group": "Ryhmä", + "hassio": "Hass.io", + "history_graph": "Historiakuvaaja", + "homeassistant": "Home Assistant", + "image_processing": "Kuvantunnistus", + "input_boolean": "Syötä totuusarvo", + "input_datetime": "Syötä päivämäärä", + "input_number": "Syötä numero", + "input_select": "Valinta", + "input_text": "Syötä teksti", + "light": "Valo", + "lock": "Lukko", + "lovelace": "Lovelace", "mailbox": "Postilaatikko", - "shopping_list": "Ostoslista", + "media_player": "Mediatoistin", + "notify": "Ilmoita", + "person": "Henkilö", + "plant": "Kasvi", + "proximity": "Läheisyys", + "remote": "Kauko-ohjaus", + "scene": "Skene", + "script": "Skripti", + "sensor": "Sensori", + "sun": "Aurinko", + "switch": "Kytkin", + "system_health": "Järjestelmän kunto", + "updater": "Päivitys", + "vacuum": "Imuri", + "weblink": "Linkki", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Järjestelmänvalvojat", + "system-read-only": "Pelkästään luku -käyttäjät", + "system-users": "Käyttäjät" + }, + "panel": { + "calendar": "Kalenteri", + "config": "Asetukset", "dev-info": "Tiedot", "developer_tools": "Kehittäjän työkalut", - "calendar": "Kalenteri", - "profile": "Profiili" + "history": "Historia", + "logbook": "Lokikirja", + "mailbox": "Postilaatikko", + "map": "Kartta", + "profile": "Profiili", + "shopping_list": "Ostoslista", + "states": "Yleisnäkymä" }, - "state": { - "default": { - "off": "Pois", - "on": "Päällä", - "unknown": "Tuntematon", - "unavailable": "Ei saatavissa" - }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Auto", + "off": "Sammutettu", + "on": "Päällä" + }, + "hvac_action": { + "cooling": "Jäähdytys", + "drying": "Kuivaus", + "fan": "Tuuletin", + "heating": "Lämmitys", + "idle": "Lepotilassa", + "off": "Sammutettu" + }, + "preset_mode": { + "away": "Poissa", + "eco": "Ekonominen", + "home": "Kotona", + "none": "Asettamatta", + "sleep": "Nukkumassa" + } + } + }, + "state_badge": { + "alarm_control_panel": { + "armed": "Viritetty", + "armed_away": "Viritetty", + "armed_custom_bypass": "Viritetty", + "armed_home": "Viritetty", + "armed_night": "Viritetty", + "arming": "Viritys kesken", + "disarmed": "Ei viritetty", + "disarming": "Ei viritetty", + "pending": "Odot", + "triggered": "Vakaa" + }, + "default": { + "entity_not_found": "Olemusta ei löydetty", + "error": "Virhe", + "unavailable": "Ei saat", + "unknown": "Tunt" + }, + "device_tracker": { + "home": "Kotona", + "not_home": "Poissa" + }, + "person": { + "home": "Kotona", + "not_home": "Poissa" + } + }, + "state": { "alarm_control_panel": { "armed": "Viritetty", - "disarmed": "Viritys pois", - "armed_home": "Viritetty (kotona)", "armed_away": "Viritetty (poissa)", + "armed_custom_bypass": "Virityksen ohittaminen", + "armed_home": "Viritetty (kotona)", "armed_night": "Viritetty (yö)", - "pending": "Odottaa", "arming": "Viritys", + "disarmed": "Viritys pois", "disarming": "Virityksen poisto", - "triggered": "Lauennut", - "armed_custom_bypass": "Virityksen ohittaminen" + "pending": "Odottaa", + "triggered": "Lauennut" }, "automation": { "off": "Pois", "on": "Päällä" }, "binary_sensor": { + "battery": { + "off": "Normaali", + "on": "Alhainen" + }, + "cold": { + "off": "Normaali", + "on": "Kylmä" + }, + "connectivity": { + "off": "Ei yhteyttä", + "on": "Yhdistetty" + }, "default": { "off": "Pois", "on": "Päällä" }, - "moisture": { - "off": "Kuiva", - "on": "Kostea" + "door": { + "off": "Suljettu", + "on": "Auki" + }, + "garage_door": { + "off": "Suljettu", + "on": "Auki" }, "gas": { "off": "Pois", "on": "Havaittu" }, + "heat": { + "off": "Normaali", + "on": "Kuuma" + }, + "lock": { + "off": "Lukittu", + "on": "Auki" + }, + "moisture": { + "off": "Kuiva", + "on": "Kostea" + }, "motion": { "off": "Ei liikettä", "on": "Havaittu" @@ -56,6 +192,22 @@ "off": "Ei liikettä", "on": "Havaittu" }, + "opening": { + "off": "Suljettu", + "on": "Auki" + }, + "presence": { + "off": "Poissa", + "on": "Kotona" + }, + "problem": { + "off": "OK", + "on": "Ongelma" + }, + "safety": { + "off": "Turvallinen", + "on": "Vaarallinen" + }, "smoke": { "off": "Ei savua", "on": "Havaittu" @@ -68,53 +220,9 @@ "off": "Ei värinää", "on": "Havaittu" }, - "opening": { - "off": "Suljettu", - "on": "Auki" - }, - "safety": { - "off": "Turvallinen", - "on": "Vaarallinen" - }, - "presence": { - "off": "Poissa", - "on": "Kotona" - }, - "battery": { - "off": "Normaali", - "on": "Alhainen" - }, - "problem": { - "off": "OK", - "on": "Ongelma" - }, - "connectivity": { - "off": "Ei yhteyttä", - "on": "Yhdistetty" - }, - "cold": { - "off": "Normaali", - "on": "Kylmä" - }, - "door": { - "off": "Suljettu", - "on": "Auki" - }, - "garage_door": { - "off": "Suljettu", - "on": "Auki" - }, - "heat": { - "off": "Normaali", - "on": "Kuuma" - }, "window": { "off": "Suljettu", "on": "Auki" - }, - "lock": { - "off": "Lukittu", - "on": "Auki" } }, "calendar": { @@ -122,39 +230,45 @@ "on": "Päällä" }, "camera": { + "idle": "Lepotilassa", "recording": "Tallentaa", - "streaming": "Toistaa", - "idle": "Lepotilassa" + "streaming": "Toistaa" }, "climate": { - "off": "Pois", - "on": "Päällä", - "heat": "Lämmitys", - "cool": "Jäähdytys", - "idle": "Lepotilassa", "auto": "Automaatilla", + "cool": "Jäähdytys", "dry": "Kuivaus", - "fan_only": "Tuuletus", "eco": "Ekonominen", "electric": "Sähköinen", - "performance": "Tehokas", - "high_demand": "Täysi teho", - "heat_pump": "Lämpöpumppu", + "fan_only": "Tuuletus", "gas": "Kaasu", + "heat": "Lämmitys", + "heat_cool": "Lämmitys\/jäähdytys", + "heat_pump": "Lämpöpumppu", + "high_demand": "Täysi teho", + "idle": "Lepotilassa", "manual": "käsisäätöinen", - "heat_cool": "Lämmitys\/jäähdytys" + "off": "Pois", + "on": "Päällä", + "performance": "Tehokas" }, "configurator": { "configure": "Määrittele", "configured": "Määritetty" }, "cover": { - "open": "Auki", - "opening": "Avataan", "closed": "Suljettu", "closing": "Suljetaan", + "open": "Auki", + "opening": "Avataan", "stopped": "Pysäytetty" }, + "default": { + "off": "Pois", + "on": "Päällä", + "unavailable": "Ei saatavissa", + "unknown": "Tuntematon" + }, "device_tracker": { "home": "Kotona", "not_home": "Poissa" @@ -164,19 +278,19 @@ "on": "Päällä" }, "group": { - "off": "Pois", - "on": "Päällä", - "home": "Kotona", - "not_home": "Poissa", - "open": "Auki", - "opening": "Avataan", "closed": "Suljettu", "closing": "Suljetaan", - "stopped": "Pysäytetty", + "home": "Kotona", "locked": "Lukittu", - "unlocked": "Avattu", + "not_home": "Poissa", + "off": "Pois", "ok": "Ok", - "problem": "Ongelma" + "on": "Päällä", + "open": "Auki", + "opening": "Avataan", + "problem": "Ongelma", + "stopped": "Pysäytetty", + "unlocked": "Avattu" }, "input_boolean": { "off": "Pois", @@ -191,13 +305,17 @@ "unlocked": "Auki" }, "media_player": { + "idle": "Lepotilassa", "off": "Pois", "on": "Päällä", - "playing": "Toistaa", "paused": "Pysäytetty", - "idle": "Lepotilassa", + "playing": "Toistaa", "standby": "Lepotilassa" }, + "person": { + "home": "Koti", + "not_home": "Poissa" + }, "plant": { "ok": "Ok", "problem": "Ongelma" @@ -225,34 +343,10 @@ "off": "Pois", "on": "Päällä" }, - "zwave": { - "default": { - "initializing": "Alustaa", - "dead": "Kuollut", - "sleeping": "Lepotilassa", - "ready": "Valmis" - }, - "query_stage": { - "initializing": "Alustaa ( {query_stage} )", - "dead": "Kuollut ({query_stage})" - } - }, - "weather": { - "clear-night": "Yö, selkeää", - "cloudy": "Pilvistä", - "fog": "Sumuista", - "hail": "Raekuuroja", - "lightning": "Ukkoskuuroja", - "lightning-rainy": "Ukkosvaara, sateista", - "partlycloudy": "Osittain pilvistä", - "pouring": "Kaatosadetta", - "rainy": "Sateista", - "snowy": "Lumisadetta", - "snowy-rainy": "Räntäsadetta", - "sunny": "Aurinkoista", - "windy": "Tuulista", - "windy-variant": "Tuulista", - "exceptional": "Poikkeuksellinen" + "timer": { + "active": "aktiivinen", + "idle": "Lepotilassa", + "paused": "Pysäytetty" }, "vacuum": { "cleaning": "Imuroi", @@ -264,1246 +358,102 @@ "paused": "Pysäytetty", "returning": "Palaamassa telakkaan" }, - "timer": { - "active": "aktiivinen", - "idle": "Lepotilassa", - "paused": "Pysäytetty" + "weather": { + "clear-night": "Yö, selkeää", + "cloudy": "Pilvistä", + "exceptional": "Poikkeuksellinen", + "fog": "Sumuista", + "hail": "Raekuuroja", + "lightning": "Ukkoskuuroja", + "lightning-rainy": "Ukkosvaara, sateista", + "partlycloudy": "Osittain pilvistä", + "pouring": "Kaatosadetta", + "rainy": "Sateista", + "snowy": "Lumisadetta", + "snowy-rainy": "Räntäsadetta", + "sunny": "Aurinkoista", + "windy": "Tuulista", + "windy-variant": "Tuulista" }, - "person": { - "home": "Koti", - "not_home": "Poissa" - } - }, - "state_badge": { - "default": { - "unknown": "Tunt", - "unavailable": "Ei saat", - "error": "Virhe", - "entity_not_found": "Olemusta ei löydetty" - }, - "alarm_control_panel": { - "armed": "Viritetty", - "disarmed": "Ei viritetty", - "armed_home": "Viritetty", - "armed_away": "Viritetty", - "armed_night": "Viritetty", - "pending": "Odot", - "arming": "Viritys kesken", - "disarming": "Ei viritetty", - "triggered": "Vakaa", - "armed_custom_bypass": "Viritetty" - }, - "device_tracker": { - "home": "Kotona", - "not_home": "Poissa" - }, - "person": { - "home": "Kotona", - "not_home": "Poissa" + "zwave": { + "default": { + "dead": "Kuollut", + "initializing": "Alustaa", + "ready": "Valmis", + "sleeping": "Lepotilassa" + }, + "query_stage": { + "dead": "Kuollut ({query_stage})", + "initializing": "Alustaa ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Poista valmiit", - "add_item": "Lisää tavara", - "microphone_tip": "Paina mikrofonia oikeassa yläkulmassa ja sano \"Lisää karkkipussi ostoslistalleni\"" - }, - "developer-tools": { - "tabs": { - "services": { - "title": "Palvelut", - "call_service": "Kutsu palvelua", - "select_service": "Valitse palvelu nähdäksesi kuvauksen", - "no_description": "Kuvausta ei ole saatavilla", - "no_parameters": "Tämä palvelu ei ota parametreja.", - "column_parameter": "Parametri", - "column_description": "Kuvaus", - "column_example": "Esimerkki" - }, - "states": { - "title": "Tilat", - "attributes": "Määritteet", - "set_state": "Aseta tila", - "more_info": "Lisätietoja" - }, - "events": { - "title": "Tapahtumat", - "listening_to": "Kuunnellaan", - "start_listening": "Aloita kuuntelu", - "stop_listening": "Lopeta kuuntelu" - }, - "templates": { - "title": "Malli" - }, - "mqtt": { - "title": "MQTT", - "publish": "Julkaise", - "listening_to": "Kuunnellaan", - "start_listening": "Aloita kuuntelu", - "stop_listening": "Lopeta kuuntelu" - }, - "info": { - "title": "Tiedot", - "remove": "Poista", - "set": "Aseta", - "home_assistant_logo": "Home Assistant-logo", - "developed_by": "Kehittänyt joukko mahtavia ihmisiä.", - "license": "Julkaistu Apache 2.0-lisenssillä", - "server": "palvelin" - } - } - }, - "history": { - "showing_entries": "Näytetään tapahtumat alkaen", - "period": "aikajakso" - }, - "logbook": { - "showing_entries": "Näytetään kirjaukset ajalta", - "period": "aikajakso" - }, - "mailbox": { - "empty": "Sinulle ei ole yhtään viestiä", - "playback_title": "Toista viesti", - "delete_prompt": "Poistetaanko tämä viesti?", - "delete_button": "Poista" - }, - "config": { - "header": "Säädä Home Assistanttia", - "introduction": "Täällä voit säätää Home Assistanttia ja sen komponentteja. Huomioithan, ettei kaikkea voi vielä säätää käyttöliittymän kautta, mutta teemme jatkuvasti töitä sen mahdollistamiseksi.", - "core": { - "caption": "Yleinen", - "description": "Muuta Home Assistantin yleisiä asetuksiasi", - "section": { - "core": { - "header": "Yleiset asetukset", - "introduction": "Tiedämme, että asetusten muuttaminen saattaa olla työlästä. Täältä löydät työkaluja, jotka toivottavasti helpottavat elämääsi.", - "core_config": { - "edit_requires_storage": "Editori on poistettu käytöstä, koska asetuksia on annettu configuration.yaml:ssa.", - "location_name": "Home Assistant -järjestelmäsi nimi", - "latitude": "Leveysaste", - "longitude": "Pituusaste", - "elevation": "Korkeus merenpinnasta", - "elevation_meters": "metriä", - "time_zone": "Aikavyöhyke", - "unit_system": "Yksikköjärjestelmä", - "unit_system_imperial": "Brittiläinen yksikköjärjestelmä", - "unit_system_metric": "Kansainvälinen yksikköjärjestelmä", - "imperial_example": "Fahrenheit, paunaa", - "metric_example": "Celsius, kilogrammat", - "save_button": "Tallenna" - } - }, - "server_control": { - "validation": { - "heading": "Asetusten tarkistus", - "introduction": "Voit tarkistaa asetuksesi varmistuaksesi, että niissä ei ole virheitä", - "check_config": "Tarkista asetukset", - "valid": "Asetukset kunnossa!", - "invalid": "Asetukset ei kelpaa" - }, - "reloading": { - "heading": "Asetusten uudelleenlataus", - "introduction": "Jotkut Home Assistantin osat voidaan ladata ilman uudelleenkäynnistystä. Allaolevilla painikkeilla saat ladattua uudelleen yksittäisiä kategorioita.", - "core": "Lataa ydin uudelleen", - "group": "Lataa ryhmät uudelleen", - "automation": "Lataa automaatiot uudelleen", - "script": "Lataa skriptit uudelleen" - }, - "server_management": { - "heading": "Palvelimen hallinta", - "introduction": "Hallitse Home Assistantia... suoraan Home Assistantista", - "restart": "Käynnistä uudelleen", - "stop": "Pysäytä" - } - } - } - }, - "customize": { - "caption": "Muokkaus", - "description": "Muokkaa laitteita", - "picker": { - "header": "Räätälöinti", - "introduction": "Muotoile ominaisuuksia olemuskohtaisesti. Lisäykset\/muokkaukset tulevat välittömästi voimaan. Poistetut mukautukset tulevat voimaan, kun olemus päivitetään." - } - }, - "automation": { - "caption": "Automaatiot", - "description": "Luo ja muokkaa automaatioita", - "picker": { - "header": "Automaatioeditori", - "introduction": "Automaatioeditorissa voit luoda ja muokata automaatioita. Kannattaa lukea ohjeet, jotta osaat varmasti kirjoittaa automaatiot oikein.", - "pick_automation": "Valitse automaatio, jota haluat muokata", - "no_automations": "Ei muokattavia automaatioita", - "add_automation": "Lisää automaatio", - "learn_more": "Lisätietoja automatisoinneista" - }, - "editor": { - "introduction": "Käytä automaatioita herättääksesi kotisi eloon", - "default_name": "Uusi automaatio", - "save": "Tallenna", - "unsaved_confirm": "Sinulla on tallentamattomia muutoksia. Haluatko varmasti poistua?", - "alias": "Nimi", - "triggers": { - "header": "Laukaisuehdot", - "introduction": "Laukaisuehdot määrittelevät, milloin automaatiota aletaan suorittaa. Samassa säännössä voi olla useita laukaisuehtoja. Kun laukaisuehto täyttyy, Home Assistant varmistaa ehdot. Jos ehdot täyttyvät, toiminto suoritetaan.", - "add": "Laukaisuehto", - "duplicate": "Kopioi", - "delete": "Poista", - "delete_confirm": "Haluatko varmasti poistaa tämän?", - "unsupported_platform": "Alustaa {platform} ei tueta", - "type_select": "Laukaisimen tyyppi", - "type": { - "event": { - "label": "Tapahtuma", - "event_type": "Tapahtuman tyyppi", - "event_data": "Tapahtuman tietosisältö" - }, - "state": { - "label": "Tila", - "from": "Lähtötila", - "to": "Kohdetila", - "for": "Ajaksi" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Tapahtuma:", - "start": "Käynnistys", - "shutdown": "Sammutus" - }, - "mqtt": { - "label": "MQTT", - "topic": "Aihe", - "payload": "Tietosisältö (payload)" - }, - "numeric_state": { - "label": "Numeerinen tila", - "above": "Yli", - "below": "Alle", - "value_template": "Arvomalli (template)" - }, - "sun": { - "label": "Aurinko", - "event": "Tapahtuma:", - "sunrise": "Auringonnousu", - "sunset": "Auringonlasku", - "offset": "Poikkeama (vapaaehtoinen)" - }, - "template": { - "label": "Malli (template)", - "value_template": "Arvomalli (template)" - }, - "time": { - "label": "Aika", - "at": "Kellonaikana" - }, - "zone": { - "label": "Alue", - "entity": "Kokonaisuus, jolla on sijainti", - "zone": "Alue", - "event": "Tapahtuma", - "enter": "Saapuminen alueelle", - "leave": "Poistuminen alueelta" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook-tunnus" - }, - "time_pattern": { - "label": "Aikakuvio", - "hours": "Tuntia", - "minutes": "Minuuttia", - "seconds": "Sekuntia" - }, - "geo_location": { - "label": "Geolocation", - "source": "Lähde", - "zone": "Alue", - "event": "Tapahtuma:", - "enter": "Saapuminen alueelle", - "leave": "Poistu" - }, - "device": { - "label": "Laite", - "extra_fields": { - "above": "Yli", - "below": "Alle", - "for": "Kesto" - } - } - }, - "learn_more": "Lisätietoja triggereistä" - }, - "conditions": { - "header": "Ehdot", - "introduction": "Ehdot ovat vapaaehtoinen osa automaatiosääntöä. Niillä voidaan estää toimintoa tapahtumasta, vaikka se olisi laukaistu. Ehdot näyttävät hyvin samanlaisilta kuin laukaisimet, mutta ne ovat eri asia. Laukaisimen tehtävä on tarkkailla järjestelmän tapahtumia. Ehto kuitenkin katsoo systeemin tilaa vain ja ainoastaan yhdellä hetkellä. Laukaisin voi esimerkiksi huomata, jos jokin vipu käännetään päälle. Ehto voi nähdä vain onko vipu päällä vai pois päältä.", - "add": "Lisää ehto", - "duplicate": "Kopioi", - "delete": "Poista", - "delete_confirm": "Haluatko varmasti poistaa tämän?", - "unsupported_condition": "Ehtoa ei tueta: {condition}", - "type_select": "Ehdon tyyppi", - "type": { - "state": { - "label": "Tila", - "state": "Tila" - }, - "numeric_state": { - "label": "Lukuarvo", - "above": "Yli", - "below": "Alle", - "value_template": "Arvomalli, vapaahtoinen (template)" - }, - "sun": { - "label": "Aurinko", - "before": "Ennen", - "after": "Jälkeen", - "before_offset": "Ennen auringonlaskua", - "after_offset": "Auringonlaskun jälkeen", - "sunrise": "Auringonnousu", - "sunset": "Auringonlasku" - }, - "template": { - "label": "Malli (template)", - "value_template": "Arvomalli (template)" - }, - "time": { - "label": "Aika", - "after": "Jälkeen", - "before": "Ennen" - }, - "zone": { - "label": "Alue", - "entity": "Kokonaisuus, jolla on sijainti", - "zone": "Alue" - }, - "device": { - "label": "Laite", - "extra_fields": { - "above": "Yli", - "below": "Alle", - "for": "Kesto" - } - }, - "and": { - "label": "Ja" - }, - "or": { - "label": "Tai" - } - }, - "learn_more": "Lisätietoja ehdoista" - }, - "actions": { - "header": "Toiminnot", - "introduction": "Home Assistant suorittaa toiminnot, kun automaatio laukaistaan.", - "add": "Lisää toiminto", - "duplicate": "Kopioi", - "delete": "Poista", - "delete_confirm": "Haluatko varmasti poistaa tämän?", - "unsupported_action": "Toimintoa {action} ei tueta", - "type_select": "Toiminnon tyyppi", - "type": { - "service": { - "label": "Kutsu palvelua", - "service_data": "Palvelun data" - }, - "delay": { - "label": "Viive", - "delay": "Viive" - }, - "wait_template": { - "label": "Odota", - "wait_template": "Odotusmalli (template)", - "timeout": "Aikakatkaisu" - }, - "condition": { - "label": "Ehto" - }, - "event": { - "label": "Lähetä tapahtuma", - "event": "Tapahtuma", - "service_data": "Palvelun data" - }, - "device_id": { - "label": "Laite" - } - }, - "learn_more": "Lisätietoja toiminnoista" - }, - "load_error_not_editable": "Vain automaatiot tiedostossa automations.yaml ovat muokattavissa.", - "load_error_unknown": "Virhe ladatessa automaatiota ( {err_no} )", - "description": { - "label": "Kuvaus", - "placeholder": "Valinnainen kuvaus" - } - } - }, - "script": { - "caption": "Skripti", - "description": "Luo ja muokkaa skriptejä", - "editor": { - "header": "Skripti: {name}", - "default_name": "Uusi skripti" - } - }, - "zwave": { - "caption": "Z-Wave", - "description": "Z-Wave -verkon asetukset", - "network_management": { - "header": "Z-Wave-verkon hallinta", - "introduction": "Suorita Z-Wave-verkkoon vaikuttavia komentoja. Et saa palautetta siitä, onnistuiko useimmat komennot, mutta voit tarkistaa OZW-lokin ja yrittää selvittää sen." - }, - "network_status": { - "network_stopped": "Z-Wave-verkko pysäytetty", - "network_starting": "Käynnistetään Z-Wave-verkkoa...", - "network_starting_note": "Tämä voi viedä hetken verkon koosta riippuen.", - "network_started": "Z-Wave-verkko käynnistetty", - "network_started_note_some_queried": "Hereillä olevat solmut on kysytty. Nukkuvat solmut kysytään kun ne heräävät.", - "network_started_note_all_queried": "Kaikista solmuista on kyselty." - }, - "services": { - "start_network": "Käynnistä verkko", - "stop_network": "Pysäytä verkko", - "heal_network": "Paranna verkko", - "test_network": "Testaa verkkoyhteys", - "soft_reset": "Pehmeä nollaus", - "save_config": "Tallenna asetukset", - "add_node_secure": "Lisää suojattu solmu", - "add_node": "Lisää solmu", - "remove_node": "Poista solmu", - "cancel_command": "Peruuta komento" - }, - "common": { - "value": "Arvo", - "instance": "Esiintymä", - "index": "Indeksi", - "unknown": "tuntematon", - "wakeup_interval": "Herätysväli" - }, - "values": { - "header": "Solmujen arvot" - }, - "node_config": { - "header": "Solmun määritysasetukset", - "seconds": "sekuntia", - "set_wakeup": "Aseta herätysväli", - "config_parameter": "Asetusparametri", - "config_value": "Asetusarvo", - "true": "Tosi", - "false": "Eätosi", - "set_config_parameter": "Aseta asetusparametri" - }, - "learn_more": "Z-wave lisätietoja", - "ozw_log": { - "header": "OZW-loki", - "introduction": "Tarkastele lokia. 0 on pienin (lataa koko lokin) ja 1000 on maksimi. Lataus näyttää staattisen lokin ja päivittää automaattisesti viimeisen määritetyn määrän rivejä lokiin." - } - }, - "users": { - "caption": "Käyttäjät", - "description": "Käyttäjien hallinta", - "picker": { - "title": "Käyttäjät", - "system_generated": "Järjestelmän luoma" - }, - "editor": { - "rename_user": "Nimeä käyttäjä uudelleen", - "change_password": "Vaihda salasana", - "activate_user": "Aktivoi käyttäjä", - "deactivate_user": "Passivoi käyttäjätunnus", - "delete_user": "Poista käyttäjä", - "caption": "Näytä käyttäjä", - "id": "ID", - "owner": "Omistaja", - "group": "Ryhmä", - "active": "Aktiivinen", - "system_generated": "Järjestelmän luoma", - "system_generated_users_not_removable": "Järjestelmän luomia käyttäjiä ei voi poistaa.", - "unnamed_user": "Nimeämätön käyttäjä", - "enter_new_name": "Kirjoita uusi nimi", - "user_rename_failed": "Käyttäjän uudelleen nimeäminen epäonnistui:", - "group_update_failed": "Ryhmän päivitys epäonnistui:", - "confirm_user_deletion": "Haluatko varmasti poistaa {name}?" - }, - "add_user": { - "caption": "Lisää käyttäjä", - "name": "Nimi", - "username": "Käyttäjätunnus", - "password": "Salasana", - "create": "Luo" - } - }, - "cloud": { - "caption": "Home Assistant Cloud", - "description_login": "Kirjautunut sisään {email}", - "description_not_login": "Et ole kirjautunut", - "description_features": "Ohjaus possa kotoa, käytä Alexaa ja Google Assistentia", - "login": { - "introduction2": "Tätä palvelua ylläpitää kumppanimme", - "introduction2a": ", Home Assistantin ja Hass.io: n perustajien perustama yritys.", - "dismiss": "Hylkää", - "sign_in": "Kirjaudu sisään", - "email": "Sähköposti", - "email_error_msg": "Virheellinen sähköpostiosoite", - "password": "Salasana", - "password_error_msg": "Salasanan pitää olla vähintään 8 merkkiä pitkä", - "forgot_password": "Unohtuiko salasana?", - "start_trial": "Aloita ilmainen 1 kuukauden kokeilu", - "trial_info": "Maksutietoja ei tarvita", - "alert_password_change_required": "Sinun on vaihdettava salasanasi ennen sisäänkirjautumista.", - "alert_email_confirm_necessary": "Sinun on vahvistettava sähköpostiosoitteesi ennen sisäänkirjautumista." - }, - "forgot_password": { - "title": "Unohtuiko salasana?", - "subtitle": "Unohtuiko salasana?", - "instructions": "Kirjoita sähköpostiosoitteesi ja lähetämme sinulle linkin salasanasi palauttamiseksi.", - "email": "Sähköposti", - "email_error_msg": "Virheellinen sähköpostiosoite", - "send_reset_email": "Lähetä palautusviesti", - "check_your_email": "Tarkista sähköpostistasi ohjeet salasanan vaihtamiseen." - }, - "register": { - "title": "Rekisteröi tili", - "headline": "Aloita ilmainen kokeilu", - "information2": "Kokeilu antaa sinulle pääsyn kaikkiin Home Assistant Cloud -etuihin, mukaan lukien:", - "feature_remote_control": "Hallitse Home Assistantia kodin ulkopuolelta", - "information3": "Tätä palvelua ylläpitää kumppanimme", - "information4": "Rekisteröimällä tilin hyväksyt seuraavat ehdot.", - "link_terms_conditions": "Ehdot", - "link_privacy_policy": "Tietosuojakäytäntö", - "create_account": "Luo tili", - "email_address": "Sähköpostiosoite", - "email_error_msg": "Virheellinen sähköpostiosoite", - "password": "Salasana", - "password_error_msg": "Salasanan pitää olla vähintään 8 merkkiä pitkä", - "start_trial": "Aloita kokeilujakso", - "resend_confirm_email": "Lähetä varmistusviesti uudelleen", - "account_created": "Tili luotu! Tarkista sähköpostistasi ohjeet tilisi aktivoimiseksi." - }, - "account": { - "nabu_casa_account": "Nabu Casa -tili", - "manage_account": "Tilin Hallinta", - "sign_out": "Kirjaudu ulos", - "integrations": "Integraatiot", - "integrations_introduction": "Home Assistant Cloud integraatiot mahdollistavat pilvipalveluihin käytön ilman että Home Assistant asennus on näkyvissä julkisesti Internetissä.", - "integrations_link_all_features": " kaikki käytettävissä olevat ominaisuudet", - "connected": "Yhdistetty", - "not_connected": "Ei yhteyttä", - "remote": { - "title": "Etähallinta", - "access_is_being_prepared": "Etäkäyttöä valmistellaan. Ilmoitamme sinulle, kun se on valmis.", - "info": "Home Assistant Cloud tarjoaa turvallisen etäyhteyden ollessasi poissa kotoa.", - "instance_is_available": "Asennuksesi on saatavilla osoitteessa", - "instance_will_be_available": "Asennuksesi tulee saataville", - "link_learn_how_it_works": "Lisätietoja toiminnasta", - "certificate_info": "Sertifikaatin tiedot" - }, - "alexa": { - "title": "Alexa", - "info": "Alexa Integraatio Home Assistant Cloudille mahdollistaa Home Assistant laitteiden ohjaamisen miltä tahansa Alexa laitteelta.", - "sync_entities": "Synkronoi kohteet", - "manage_entities": "Hallitse kohteita", - "state_reporting_error": "Tilaa {enable_disable} .ei ole saatavilla", - "enable": "Ota käyttöön", - "disable": "Poista käytöstä" - }, - "google": { - "info": "Google Assistant Integraatio Home Assistant Cloudille mahdollistaa Home Assistant laitteiden ohjaamisen miltä tahansa Google Assistant laitteelta.", - "security_devices": "Turvalaitteet", - "enter_pin_hint": "Anna PIN-koodi turvalaitteiden käyttämistä varten", - "enter_pin_error": "PIN-koodin tallentaminen ei onnistu:" - }, - "webhooks": { - "title": "Webhooks", - "manage": "Hallitse" - } - }, - "alexa": { - "title": "Alexa" - }, - "dialog_certificate": { - "certificate_information": "Sertifikaatin tiedot", - "certificate_expiration_date": "Sertifikaatin vanhenemispäivä", - "will_be_auto_renewed": "Uusitaan automaattisesti", - "fingerprint": "Varmenteen sormenjälki:", - "close": "Sulje" - }, - "google": { - "title": "Google Assistant", - "disable_2FA": "Poista kaksivaiheinen tunnistautuminen", - "sync_to_google": "Synkronoidaan muutokset Googleen." - }, - "dialog_cloudhook": { - "link_disable_webhook": "Poista käytöstä", - "view_documentation": "Näytä dokumentaatio", - "close": "Sulje", - "confirm_disable": "Haluatko varmasti poistaa tämän webhookin käytöstä?", - "copied_to_clipboard": "Kopioitiin leikepöydälle" - } - }, - "integrations": { - "caption": "Integraatiot", - "description": "Hallitse liitettyjä laitteita ja palveluita", - "discovered": "Löydetty", - "configured": "Määritetty", - "new": "Määritä uusi integraatio", - "configure": "Määrittele", - "none": "Mitään ei ole vielä määritetty", - "config_entry": { - "no_devices": "Tällä integraatiolla ei ole laitteita.", - "no_device": "Kokonaisuudet ilman laitteita", - "delete_confirm": "Haluatko varmasti poistaa tämän integraation?", - "restart_confirm": "Käynnistä Home Assistant uudellen viimeistelläksesi tämän integraation poistamisen", - "manuf": "{manufacturer}", - "via": "Yhdistetty kautta", - "firmware": "Laiteohjelmisto: {version}", - "device_unavailable": "laite ei saatavissa", - "entity_unavailable": "kohde ei saatavilla", - "no_area": "Ei aluetta", - "hub": "Yhdistetty kautta", - "settings_button": "Muokkaa {Integration}-asetuksia", - "system_options_button": "{Integration}-järjestelmän asetukset", - "delete_button": "Poista {integration}" - }, - "config_flow": { - "external_step": { - "description": "Tämä vaihe edellyttää, että vierailet ulkopuolisella verkkosivustolla.", - "open_site": "Avaa verkkosivusto" - } - }, - "note_about_integrations": "Kaikkia integraatioita ei voi vielä määrittää käyttöliittymän kautta.", - "note_about_website_reference": "Lisää saatavilla", - "home_assistant_website": "Home Assistant – sivusto" - }, - "zha": { - "caption": "ZHA", - "description": "Zigbee kotiautomaation verkonhallinta", - "services": { - "reconfigure": "Määritä ZHA-laite uudelleen (paranna laite). Käytä tätä, jos sinulla on ongelmia laitteen kanssa. Jos kyseinen laite on akkukäyttöinen laite, varmista, että se on hereillä ja hyväksyy komentoja, kun käytät tätä palvelua.", - "updateDeviceName": "Määritä laitteelle mukautettu nimeä laiterekisteriin.", - "remove": "Poista laite Zigbee-verkosta." - }, - "device_card": { - "device_name_placeholder": "Käyttäjän antama nimeä", - "area_picker_label": "Alue", - "update_name_button": "Päivitä nimi" - }, - "add_device_page": { - "header": "Zigbee Home Automation - Lisää laitteita", - "spinner": "Etsitään ZHA Zigbee laitteita...", - "discovery_text": "Löydetyt laitteet näkyvät täällä. Noudata laitteen (laitteiden) ohjeita ja aseta laite pariliitostilaan.", - "search_again": "Etsi uudestaan" - }, - "common": { - "add_devices": "Lisää laitteita", - "clusters": "Klusterit", - "devices": "Laitteet", - "value": "Arvo" - }, - "network_management": { - "header": "Verkon hallinta", - "introduction": "Koko verkkoon vaikuttavat komennot" - }, - "node_management": { - "header": "Laitehallinta", - "help_node_dropdown": "Valitse laite tarkastellaksesi laitekohtaisia vaihtoehtoja." - }, - "clusters": { - "help_cluster_dropdown": "Valitse klusteri tarkastellaksesi määritteitä ja komentoja." - }, - "cluster_attributes": { - "header": "Klusterin määritteet", - "introduction": "Tarkastele ja muokkaa klusterimääritteitä.", - "attributes_of_cluster": "Valitun klusterin määritteet", - "get_zigbee_attribute": "Hae Zigbee-ominaisuus", - "set_zigbee_attribute": "Aseta Zigbee-ominaisuus", - "help_attribute_dropdown": "Valitse määrite, jonka arvoa haluat tarkastella tai määrittää.", - "help_get_zigbee_attribute": "Hae valitun määritteen arvo." - }, - "cluster_commands": { - "header": "Klusterikomennot", - "introduction": "Tarkastele ja anna klusterikomentoja.", - "commands_of_cluster": "Valitun klusterin komennot", - "issue_zigbee_command": "Anna Zigbee käsky", - "help_command_dropdown": "Valitse lähettettävä komento" - } - }, - "area_registry": { - "caption": "Aluerekisteri", - "description": "Yleiskuva kaikista kotisi alueista.", - "picker": { - "header": "Aluekisteri", - "introduction": "Alueita käytetään laitteiden järjestämiseen. Näitä tietoja käytetään Home Assistantissa käyttöliittymän ja käyttöoikeuksien järjestämiseen sekä integroinnin muihin järjestelmiin.", - "introduction2": "Voit sijoittaa laitteita alueelle siirtymällä alla olevan linkin avulla integraatiot-sivulle ja sitten napauttamalla määritettyyn integraatioon, jotta pääset laitteet -kortteihin.", - "integrations_page": "Integraatiot", - "no_areas": "Et ole vielä luonut alueita!", - "create_area": "LUO ALUE" - }, - "no_areas": "Näyttää siltä, että sinulla ei ole vielä alueita!", - "create_area": "LUO ALUE", - "editor": { - "default_name": "Uusi alue", - "delete": "POISTA", - "update": "Päivitä", - "create": "LUO" - } - }, - "entity_registry": { - "caption": "Olemusrekisteri", - "description": "Yleiskuva kaikista tunnetuista entiteeteistä.", - "picker": { - "header": "Olemusrekisteri", - "unavailable": "(ei saatavilla)", - "introduction": "Home Assistant pitää rekisteriä jokaisesta havaitetusta olemuksesta, joka voidaan yksilöidä. Kullekin näille yksiköille määritetään olemus-ID, varattu juuri tälle yksikölle.", - "introduction2": "Yksikkörekisterin avulla voit ohittaa nimeä, muuttaa yksikön tunnusta tai poistaa merkinnän Home Assistantista. Huomaa, että rekisterimerkinnän poistaminen ei poista yksikköä sinäänsä. Sitä voit seuraamalla alla olevaa linkkiä ja poistamalla sitä integrointisivulta.", - "integrations_page": "Integraatiot", - "headers": { - "name": "Nimi", - "entity_id": "Kohde ID", - "integration": "Integraatio", - "enabled": "Käytössä" - } - }, - "editor": { - "unavailable": "Parhaillaan olemus ei ole käytettävissä.", - "default_name": "Uusi alue", - "delete": "POISTA", - "update": "Päivitä", - "enabled_cause": "Poistettu käytöstä {cause} .", - "confirm_delete": "Haluatko varmasti poistaa tämän kohteen?" - } - }, - "person": { - "caption": "Henkilöt", - "description": "Hallitse henkilöitä, joita Home Assistant seuraa", - "detail": { - "name": "Nimi", - "device_tracker_intro": "Valitse tälle henkilölle kuuluvat laitteet.", - "device_tracker_picked": "Seuraa laitetta", - "device_tracker_pick": "Valitse seurattava laite", - "new_person": "Uusi Henkilö", - "name_error_msg": "Nimi on pakollinen", - "linked_user": "Yhdsitetty käyttäjä", - "no_device_tracker_available_intro": "Kun sinulla on laitteita, jotka ilmaisevat henkilön läsnäolon, voit kohdistaa ne henkilöön täällä. Voit lisätä ensimmäisen laitteen lisäämällä läsnäolon tunnistusintegraation sivulta.", - "link_presence_detection_integrations": "Läsnäolon tunnistusintegraatiot", - "link_integrations_page": "Integraatiot", - "delete": "Poista", - "create": "Luo", - "update": "Päivitä" - }, - "no_persons_created_yet": "Näyttää siltä, ettet ole vielä luonut yhtään henkilöä.", - "create_person": "Luo henkilö", - "add_person": "Lisää henkilö", - "confirm_delete": "Haluatko varmasti poistaa tämän henkilön?" - }, - "server_control": { - "caption": "Palvelimen hallinta", - "description": "Uudelleenkäynnistä ja sammuta Home Assistant -palvelin", - "section": { - "validation": { - "heading": "Asetusten tarkistus", - "check_config": "Tarkista asetukset", - "valid": "Asetukset kunnossa!", - "invalid": "Asetukset ei kelpaa" - }, - "reloading": { - "heading": "Asetusten uudelleenlataus", - "core": "Lataa ydin uudelleen", - "group": "Lataa ryhmät uudelleen", - "automation": "Lataa automaatiot uudelleen", - "script": "Lataa skriptit uudelleen", - "scene": "Lataa tilanteet uudelleen" - }, - "server_management": { - "heading": "Palvelimen hallinta", - "introduction": "Hallitse Home Assistantia... suoraan Home Assistantista", - "restart": "Käynnistä uudelleen", - "stop": "Pysäytä", - "confirm_restart": "Haluatko varmasti käynnistää Home Assistantin uudelleen?", - "confirm_stop": "Haluatko varmasti pysäyttää Home Assistantin?" - } - } - }, - "devices": { - "caption": "Laitteet", - "description": "Hallitse yhdistettyjä laitteita" - }, - "common": { - "editor": { - "confirm_unsaved": "Sinulla on tallentamattomia muutoksia. Haluatko varmasti poistua?" - } - } - }, - "profile": { - "push_notifications": { - "header": "Notifikaatiot", - "description": "Lähetä ilmoitukset tälle laitteelle.", - "error_load_platform": "Määritä notify.html5-komponentti", - "error_use_https": "Vaatii SSL suojauksen", - "push_notifications": "Notifikaatiot", - "link_promo": "Lisätietoja" - }, - "language": { - "header": "Kieli", - "link_promo": "Auta kääntämään", - "dropdown_label": "Kieli" - }, - "themes": { - "header": "Teema", - "error_no_theme": "Ei teemoja käytettävissä.", - "link_promo": "Lisätietoja teemoista", - "dropdown_label": "Teema" - }, - "refresh_tokens": { - "header": "Päivitä tokenit", - "description": "Jokainen päivitystunnus edustaa kirjautumisistuntoa. Päivitystunnukset poistetaan automaattisesti, kun napautat Kirjaudu ulos. Seuraavat päivitystunnukset ovat parhaillaan käytössä tililläsi.", - "token_title": "Päivitä tunnus kohteelle {clientId}", - "created_at": "Luotu {date}", - "confirm_delete": "Haluatko varmasti poistaa {name} päivitystunnuksen?", - "delete_failed": "Päivitystunnuksen poistaminen epäonnistui.", - "last_used": "Viimeksi käytetty {date} sijainnista {location}", - "not_used": "Ei ole koskaan käytetty", - "current_token_tooltip": "Nykyistä päivitystunnusta ei voi poistaa" - }, - "long_lived_access_tokens": { - "header": "Pitkäaikaiset käyttötunnussanomat", - "description": "Luo pitkäikäisiä käyttöoikeustunnuksia, jotta komentosarjasi voivat vuorovaikutttaa Home Assistantin kanssa. Jokainen tunnus on voimassa 10 vuotta luomisesta. Seuraavat pitkäikäiset käyttöoikeustunnukset ovat tällä hetkellä käytössä.", - "learn_auth_requests": "Opi tekemään tunnistautuneita kutsuja.", - "created_at": "Luotu {date}", - "confirm_delete": "Haluatko varmasti poistaa {name} käyttöoikeustunnuksen?", - "delete_failed": "Käyttötunnussanoman poistaminen epäonnistui.", - "create": "Luo token", - "create_failed": "Käyttötunnussanoman luominen epäonnistui.", - "prompt_name": "Nimi?", - "prompt_copy_token": "Kopioi käyttöoikeuskoodi. Sitä ei näytetä uudelleen.", - "empty_state": "Sinulla ei ole vielä pitkäaikaisia käyttötunnussanomia", - "last_used": "Viimeksi käytetty {date} sijainnista {location}", - "not_used": "Ei ole koskaan käytetty" - }, - "current_user": "Olet tällä hetkellä kirjautuneena tunnuksella {fullName}.", - "is_owner": "Olet omistaja.", - "change_password": { - "header": "Vaihda salasana", - "current_password": "Nykyinen salasana", - "new_password": "Uusi salasana", - "confirm_new_password": "Vahvista uusi salasana", - "error_required": "Edellytetään", - "submit": "Lähetä" - }, - "mfa": { - "header": "Monivaiheisen tunnistautumisen moduulit", - "disable": "Poista käytöstä", - "enable": "Ota käyttöön", - "confirm_disable": "Haluatko varmasti poistaa {name}?" - }, - "mfa_setup": { - "title_aborted": "Keskeytetty", - "title_success": "Onnistui!", - "step_done": "Asetus tehty {step}", - "close": "Sulje", - "submit": "Lähetä" - }, - "logout": "Kirjaudu ulos", - "force_narrow": { - "header": "Piilota sivupalkki aina" - }, - "advanced_mode": { - "title": "Lisäasetukset", - "description": "Home Assistant piilottaa lisäominaisuudet ja -asetukset oletuksena. Voit aktivoida nämä ominaisuudet painamalla tästä kytkimestä. Tämä on käyttäjäkohtainen asetus, eikä se vaikuta muihin Home Assistantia käyttäviin käyttäjiin." - } - }, - "page-authorize": { - "initializing": "Alustetaan", - "authorizing_client": "Olet antamassa pääsyn {clientId} Home Assistant -ympäristöösi.", - "logging_in_with": "Kirjaudutaan sisään **{authProviderName}**.", - "pick_auth_provider": "Tai kirjaudu sisään joillakin seuraavista", - "abort_intro": "Kirjautuminen on keskeytetty", - "form": { - "working": "Ole hyvä ja odota", - "unknown_error": "Jotain meni pieleen", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Käyttäjätunnus", - "password": "Salasana" - } - }, - "mfa": { - "data": { - "code": "Kaksivaiheinen tunnistuskoodi" - }, - "description": "Avaa **{mfa_module_name}** laitteessasi nähdäksesi kaksivaiheisen tunnistautumisen koodisi ja vahvistaaksesi identiteettisi:" - } - }, - "error": { - "invalid_auth": "Virheellinen käyttäjätunnus tai salasana", - "invalid_code": "Väärä tunnistuskoodi" - }, - "abort": { - "login_expired": "Istunto päättyi, ole hyvä ja kirjaudu uudelleen." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "API-salasana" - }, - "description": "Ole hyvä ja syötä API-salasanasi http-asetuksissa:" - }, - "mfa": { - "data": { - "code": "Kaksivaiheinen tunnistuskoodi" - }, - "description": "Avaa **{mfa_module_name}** laitteessasi nähdäksesi kaksivaiheisen tunnistautumisen koodisi ja vahvistaaksesi identiteettisi:" - } - }, - "error": { - "invalid_auth": "Virheellinen API-salasana", - "invalid_code": "Virheellinen tunnistautumiskoodi" - }, - "abort": { - "no_api_password_set": "API-salasanaa ei ole asetettu.", - "login_expired": "Istunto vanhentunut, ole hyvä ja kirjaudu uudelleen." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Käyttäjä" - }, - "description": "Valitse käyttäjä, jolla haluat kirjautua:" - } - }, - "abort": { - "not_whitelisted": "Tietokonettasi ei ole sallittu." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Käyttäjätunnus", - "password": "Salasana" - } - }, - "mfa": { - "data": { - "code": "Kaksivaiheinen tunnistuskoodi" - }, - "description": "Avaa **{mfa_module_name}** laitteessasi nähdäksesi kaksivaiheisen tunnistautumisen koodisi ja vahvistaaksesi identiteettisi:" - } - }, - "error": { - "invalid_auth": "Virheellinen käyttäjätunnus tai salasana", - "invalid_code": "Virheellinen tunnistuskoodi" - }, - "abort": { - "login_expired": "Istunto päättyi, ole hyvä ja kirjaudu uudelleen." - } - } - } - } - }, - "page-onboarding": { - "intro": "Oletko valmis herättämään kotisi eloon, palauttamaan yksityisyytesi ja liittymään maailmanlaajuiseen nikkarien joukkoon?", - "user": { - "intro": "Aloitetaan luomalla käyttäjätili.", - "required_field": "Edellytetään", - "data": { - "name": "Nimi", - "username": "Käyttäjätunnus", - "password": "Salasana", - "password_confirm": "Vahvista salasana" - }, - "create_account": "Luo tili", - "error": { - "required_fields": "Täytä kaikki pakolliset kentät", - "password_not_match": "Salasanat eivät täsmää" - } - }, - "integration": { - "intro": "Laitteet ja palvelut ovat edustettuna Home Assistantissa integraatioina. Voit määrittää ne nyt tai tehdä sitä myöhemmin kokoonpanonäytöstä.", - "more_integrations": "Lisää", - "finish": "Valmis" - }, - "core-config": { - "intro": "Hei {name}, tervetuloa Home Assistant -käyttäjäksi. Kuinka haluaisit nimetä uuden kotisi?", - "intro_location": "Haluaisimme tietää, missä asut. Nämä tiedot auttavat näyttämään tietoja ja perustamaan aurinkoon perustuvia automaatioita. Näitä tietoja ei koskaan jaeta oman verkkosi ulkopuolelle.", - "intro_location_detect": "Voimme auttaa sinua täyttämään nämä tiedot tekemällä kertaluonteisen pyynnön ulkoiselle palvelulle.", - "location_name_default": "Koti", - "button_detect": "Havaitse", - "finish": "Seuraava" - } - }, - "lovelace": { - "cards": { - "shopping-list": { - "checked_items": "Valitut", - "clear_items": "Tyhjää valitut", - "add_item": "Lisää" - }, - "empty_state": { - "title": "Tervetuloa kotiin", - "no_devices": "Tällä sivulla voit ohjata laitteitasi, mutta näyttää siltä, että et ole vielä määrittänyt laitteita. Pääset alkuun integroinnit-sivulla.", - "go_to_integrations_page": "Siirry integraatiot-sivulle" - }, - "picture-elements": { - "hold": "Pidä:", - "tap": "Napauta:", - "navigate_to": "Siirry kohtaan {location}", - "toggle": "Kytke {name}", - "call_service": "Kutsu palvelua {name}", - "more_info": "Näytä lisätietoa: {name}" - }, - "confirm_delete": "Oletko varma, että haluat poistaa tämän kortin?" - }, - "editor": { - "edit_card": { - "header": "Kortti-asetukset", - "save": "Tallenna", - "toggle_editor": "Vaihda editori", - "pick_card": "Valitse kortti jonka haluat lisätä", - "add": "Lisää kortti", - "edit": "Muokkaa", - "delete": "Poista", - "move": "Siirrä", - "show_visual_editor": "Näytä visuaalinen editori", - "show_code_editor": "Näytä koodieditori", - "options": "Lisää vaihtoehtoja" - }, - "migrate": { - "header": "Epäkelvot asetukset", - "para_no_id": "Elementillä ei ole ID. Lisää ID elementille 'ui-lovelace.yaml'-tiedostossa.", - "para_migrate": "Home Assistant voi lisätä ID:t kaikkiin kortteihisi ja näkymiin automaattisesti painamalla 'Tuo vanhat asetukset'-nappia.", - "migrate": "Tuo vanhat asetukset" - }, - "header": "Muokkaa käyttöliittymää", - "edit_view": { - "header": "Näytä asetukset", - "add": "Lisää näkymä", - "edit": "Muokkaa näkymää", - "delete": "Poista näkymä" - }, - "save_config": { - "header": "Hallitse Lovelace käyttöliittymääsi", - "para": "Oletuksena Home Assistant ylläpitää käyttöliittymääsi, päivittäen sitä uusien yksiköiden tai Lovelace komponenttien tullessa saataville. Jos muokkaat käyttöliittymääsi, emme enää tee muutoksia automaattisesti.", - "para_sure": "Oletko varma, että haluat ottaa haltuun käyttöliittymän?", - "cancel": "Antaa olla", - "save": "Ota hallintaan" - }, - "menu": { - "raw_editor": "Raaka konfigurointieditori", - "open": "Avaa Lovelace-valikko" - }, - "raw_editor": { - "header": "Muokkaa asetuksia", - "save": "Tallenna", - "unsaved_changes": "Tallentamattomat muutokset", - "saved": "Tallennettu" - }, - "card": { - "alarm_panel": { - "available_states": "Käytettävissä olevat tilat" - }, - "config": { - "required": "Vaadittu", - "optional": "Valinnainen" - }, - "gauge": { - "severity": { - "define": "Määritä vakavuus?", - "green": "Vihreä", - "red": "Punainen", - "yellow": "Keltainen" - }, - "name": "Mittari" - }, - "generic": { - "camera_image": "Kamerakohde", - "entity": "Kohde", - "hold_action": "Pitkä painallus toiminto", - "icon": "Kuvake", - "icon_height": "Kuvakkeen korkeus", - "image": "Kuvan polku", - "maximum": "Enimmäismäärä", - "minimum": "Vähimmäismäärä", - "name": "Nimi", - "refresh_interval": "Päivitysväli", - "show_icon": "Näytä kuvake?", - "show_name": "Näytä nimi?", - "tap_action": "Napautus toiminto", - "title": "Otsikko", - "theme": "Teema" - }, - "map": { - "dark_mode": "Tumma tila?", - "name": "Kartta" - }, - "sensor": { - "graph_detail": "Kaavion tiedot", - "name": "Sensori" - }, - "alarm-panel": { - "name": "Hälytyspaneeli", - "available_states": "Käytettävissä olevat tilat" - }, - "conditional": { - "name": "Ehdollinen" - }, - "entities": { - "name": "Kohteet" - }, - "entity-button": { - "name": "Kohdenappi" - }, - "entity-filter": { - "name": "Kohteen suodatus" - }, - "glance": { - "name": "Pikavilkaisu" - }, - "history-graph": { - "name": "Historiakuvaaja" - }, - "horizontal-stack": { - "name": "Vaakapino" - }, - "iframe": { - "name": "iFrame" - }, - "light": { - "name": "Valo" - }, - "markdown": { - "name": "Merkintä" - }, - "media-control": { - "name": "Mediaohjaus" - }, - "picture": { - "name": "Kuva" - }, - "picture-elements": { - "name": "Kuvaelementit" - }, - "picture-entity": { - "name": "Kuvakohde" - }, - "picture-glance": { - "name": "Kuva pikavilkaisu" - }, - "plant-status": { - "name": "Kasvin tila" - }, - "shopping-list": { - "name": "Ostoslista" - }, - "thermostat": { - "name": "Termostaatti" - }, - "vertical-stack": { - "name": "Pystypino" - }, - "weather-forecast": { - "name": "Sääennuste" - } - } - }, - "menu": { - "configure_ui": "Määrittele käyttöliittymä", - "unused_entities": "Käyttämättömät yksiköt", - "help": "Apua", - "refresh": "Päivitä" - }, - "warning": { - "entity_not_found": "Yksikkö ei ole käytettävissä: {entity}", - "entity_non_numeric": "Yksikkö ei ole numeerinen: {entity}" - }, - "changed_toast": { - "message": "Lovelace-asetukset päivitettiin, haluatko päivittää näkymän?", - "refresh": "Päivitä" - }, - "reload_lovelace": "Lataa Lovelace uudelleen", - "views": { - "confirm_delete": "Oletko varma, että haluat poistaa tämän näkymän?", - "existing_cards": "Et voi poistaa näkymää, jossa on kortteja. Poista ensin kortit näkymästä." - } - }, - "page-demo": { - "cards": { - "demo": { - "demo_by": "kirjoittanut {name}", - "next_demo": "Seuraava demo", - "introduction": "Tervetuloa kotiin! Olet päätynyt Home Assistant -demoon, missä esittelemme yhteisömme parhaat käyttöliittymät.", - "learn_more": "Opi enemmän Home Assistantista" - } - }, - "config": { - "arsaboo": { - "names": { - "upstairs": "Yläkerta", - "family_room": "Perhehuone", - "kitchen": "Keittiö", - "patio": "Terassi", - "hallway": "Käytävä", - "master_bedroom": "Makuuhuone", - "left": "Vasen", - "right": "Oikea", - "mirror": "Peili" - }, - "labels": { - "lights": "Valot", - "information": "Tiedot", - "morning_commute": "Aamuinen työmatka", - "commute_home": "Työmatka kotiin", - "entertainment": "Viihde", - "activity": "Aktiviteetti", - "hdmi_input": "HDMI-tulo", - "hdmi_switcher": "HDMI-kytkin", - "volume": "Äänenvoimakkuus", - "total_tv_time": "TV-aikaa yhteensä", - "turn_tv_off": "Sammuta televisio", - "air": "Ilmastointi" - }, - "unit": { - "watching": "katsomassa", - "minutes_abbr": "min" - } - } - } - } - }, - "sidebar": { - "log_out": "Kirjaudu ulos", - "external_app_configuration": "Sovelluksen määritykset" - }, - "common": { - "loading": "Ladataan", - "cancel": "Peruuta", - "save": "Tallenna", - "successfully_saved": "Tallennus onnistui" - }, - "duration": { - "day": "{count} {count, plural,\n one {päivä}\n other {päivää}\n}", - "week": "{count} {count, plural,\n one {viikko}\n other {viikkoa}\n}", - "second": "{count} {count, plural,\none {sekunti}\nother {sekuntia}\n}", - "minute": "{count} {count, plural,\none {minuutti}\nother {minuuttia}\n}", - "hour": "{count} {count, plural,\none {tunti}\nother {tuntia}\n}" - }, - "login-form": { - "password": "Salasana", - "remember": "Muista", - "log_in": "Kirjaudu sisään" + "auth_store": { + "ask": "Haluatko tallentaa tämän käyttäjätunnuksen?", + "confirm": "Tallenna käyttäjätunnus", + "decline": "Ei kiitos" }, "card": { + "alarm_control_panel": { + "arm_away": "Viritä (poissa)", + "arm_custom_bypass": "Mukautettu ohitus", + "arm_home": "Viritä (kotona)", + "arm_night": "Viritä yöksi", + "armed_custom_bypass": "Mukautettu ohitus", + "clear_code": "Tyhjennä", + "code": "Koodi", + "disarm": "Poista hälytys" + }, + "automation": { + "last_triggered": "Viimeksi käynnistetty", + "trigger": "Käynnistä" + }, "camera": { "not_available": "Kuvaa ei saatavilla" }, + "climate": { + "aux_heat": "Lisälämpö", + "away_mode": "Poissa kotoa -tila", + "currently": "Tällä hetkellä", + "fan_mode": "Tuuletustila", + "on_off": "Päällä \/ pois", + "operation": "Toiminto", + "preset_mode": "Esiasetus", + "swing_mode": "Heilutustila", + "target_humidity": "Tavoitekosteus", + "target_temperature": "Tavoitelämpötila" + }, + "counter": { + "actions": { + "reset": "Palauta" + } + }, + "cover": { + "position": "Sijainti", + "tilt_position": "Kallistus" + }, + "fan": { + "direction": "Suunta", + "oscillate": "Kääntyminen", + "speed": "Nopeus" + }, + "light": { + "brightness": "Kirkkaus", + "color_temperature": "Värilämpötila", + "effect": "Efekti", + "white_value": "Valkoisuusarvo" + }, + "lock": { + "code": "Koodi", + "lock": "Lukitse", + "unlock": "Avaa lukitus" + }, + "media_player": { + "sound_mode": "Äänitila", + "source": "Äänilähde", + "text_to_speak": "Tekstistä puheeksi" + }, "persistent_notification": { "dismiss": "Hylkää" }, @@ -1513,6 +463,30 @@ "script": { "execute": "Suorita" }, + "timer": { + "actions": { + "cancel": "Peruuta", + "finish": "Valmis", + "pause": "tauko", + "start": "Aloita" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Jatka imurointia", + "return_to_base": "Palaa telakkaan", + "start_cleaning": "Aloita imurointi", + "turn_off": "Sammuta", + "turn_on": "Päälle" + } + }, + "water_heater": { + "away_mode": "Poissa kotoa", + "currently": "Tällä hetkellä", + "on_off": "Päällä \/ pois", + "operation": "Toiminto", + "target_temperature": "Tavoitelämpötila" + }, "weather": { "attributes": { "air_pressure": "Ilmanpaine", @@ -1528,8 +502,8 @@ "n": "pohjoinen", "ne": "koillinen", "nne": "pohjoiskoillinen", - "nw": "luode", "nnw": "pohjoisluode", + "nw": "luode", "s": "etelä", "se": "kaakko", "sse": "eteläkaakko", @@ -1540,131 +514,53 @@ "wsw": "länsilounas" }, "forecast": "Sääennuste" - }, - "alarm_control_panel": { - "code": "Koodi", - "clear_code": "Tyhjennä", - "disarm": "Poista hälytys", - "arm_home": "Viritä (kotona)", - "arm_away": "Viritä (poissa)", - "arm_night": "Viritä yöksi", - "armed_custom_bypass": "Mukautettu ohitus", - "arm_custom_bypass": "Mukautettu ohitus" - }, - "automation": { - "last_triggered": "Viimeksi käynnistetty", - "trigger": "Käynnistä" - }, - "cover": { - "position": "Sijainti", - "tilt_position": "Kallistus" - }, - "fan": { - "speed": "Nopeus", - "oscillate": "Kääntyminen", - "direction": "Suunta" - }, - "light": { - "brightness": "Kirkkaus", - "color_temperature": "Värilämpötila", - "white_value": "Valkoisuusarvo", - "effect": "Efekti" - }, - "media_player": { - "text_to_speak": "Tekstistä puheeksi", - "source": "Äänilähde", - "sound_mode": "Äänitila" - }, - "climate": { - "currently": "Tällä hetkellä", - "on_off": "Päällä \/ pois", - "target_temperature": "Tavoitelämpötila", - "target_humidity": "Tavoitekosteus", - "operation": "Toiminto", - "fan_mode": "Tuuletustila", - "swing_mode": "Heilutustila", - "away_mode": "Poissa kotoa -tila", - "aux_heat": "Lisälämpö", - "preset_mode": "Esiasetus" - }, - "lock": { - "code": "Koodi", - "lock": "Lukitse", - "unlock": "Avaa lukitus" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Jatka imurointia", - "return_to_base": "Palaa telakkaan", - "start_cleaning": "Aloita imurointi", - "turn_on": "Päälle", - "turn_off": "Sammuta" - } - }, - "water_heater": { - "currently": "Tällä hetkellä", - "on_off": "Päällä \/ pois", - "target_temperature": "Tavoitelämpötila", - "operation": "Toiminto", - "away_mode": "Poissa kotoa" - }, - "timer": { - "actions": { - "start": "Aloita", - "pause": "tauko", - "cancel": "Peruuta", - "finish": "Valmis" - } - }, - "counter": { - "actions": { - "reset": "Palauta" - } } }, + "common": { + "cancel": "Peruuta", + "loading": "Ladataan", + "save": "Tallenna", + "successfully_saved": "Tallennus onnistui" + }, "components": { + "device-picker": { + "clear": "Tyhjennä", + "show_devices": "Näytä laitteet" + }, "entity": { "entity-picker": { - "entity": "Kohde", - "clear": "Tyhjennä" - } - }, - "service-picker": { - "service": "Palvelu" - }, - "relative_time": { - "past": "{time} sitten", - "future": "{time} kuluttua", - "never": "Ei koskaan", - "duration": { - "second": "{count} {count, plural,\none {sekunti}\nother {sekuntia}\n}", - "minute": "{count} {count, plural,\none {minuutti}\nother {minuuttia}\n}", - "hour": "{count} {count, plural,\none {tunti}\nother {tuntia}\n}", - "day": "{count} {count, plural,\n one {päivä}\n other {päivää}\n}", - "week": "{count} {count, plural,\n one {viikko}\n other {viikkoa}\n}" + "clear": "Tyhjennä", + "entity": "Kohde" } }, "history_charts": { "loading_history": "Ladataan tilahistoriaa...", "no_history_found": "Tilahistoriaa ei löydetty" }, - "device-picker": { - "clear": "Tyhjennä", - "show_devices": "Näytä laitteet" + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\n one {päivä}\\n other {päivää}\\n}", + "hour": "{count} {count, plural,\\none {tunti}\\nother {tuntia}\\n}", + "minute": "{count} {count, plural,\\none {minuutti}\\nother {minuuttia}\\n}", + "second": "{count} {count, plural,\\none {sekunti}\\nother {sekuntia}\\n}", + "week": "{count} {count, plural,\\n one {viikko}\\n other {viikkoa}\\n}" + }, + "future": "{time} kuluttua", + "never": "Ei koskaan", + "past": "{time} sitten" + }, + "service-picker": { + "service": "Palvelu" } }, - "notification_toast": { - "entity_turned_on": "{entity} asetettiin päälle.", - "entity_turned_off": "{entity} asetettiin pois päältä.", - "service_called": "Palvelua {service} kutsuttiin.", - "service_call_failed": "Palvelua {service} ei onnistuttu kutsumaan.", - "connection_lost": "Ei yhteyttä. Yritetään muodostaa yhteys uudelleen..." - }, "dialogs": { - "more_info_settings": { - "save": "Tallenna", - "name": "Nimen ohitus", - "entity_id": "Kohteen ID" + "config_entry_system_options": { + "title": "Järjestelmäasetukset" + }, + "confirmation": { + "cancel": "Peruuta", + "ok": "OK", + "title": "Oletko varma?" }, "more_info_control": { "script": { @@ -1679,131 +575,1235 @@ "title": "Päivitysohjeet" } }, + "more_info_settings": { + "entity_id": "Kohteen ID", + "name": "Nimen ohitus", + "save": "Tallenna" + }, "options_flow": { "form": { "header": "Asetukset" } }, - "config_entry_system_options": { - "title": "Järjestelmäasetukset" - }, "zha_device_info": { - "services": { - "remove": "Poista laite Zigbee-verkosta." - }, - "zha_device_card": { - "update_name_button": "Päivitä nimi" - }, "buttons": { "add": "Lisää laitteita", - "remove": "Poista laite", - "reconfigure": "Määritä laite uudelleen" + "reconfigure": "Määritä laite uudelleen", + "remove": "Poista laite" }, "last_seen": "Viimeksi nähty", "power_source": "Virtalähde", - "unknown": "Tuntematon" - }, - "confirmation": { - "cancel": "Peruuta", - "ok": "OK", - "title": "Oletko varma?" + "services": { + "remove": "Poista laite Zigbee-verkosta." + }, + "unknown": "Tuntematon", + "zha_device_card": { + "update_name_button": "Päivitä nimi" + } } }, - "auth_store": { - "ask": "Haluatko tallentaa tämän käyttäjätunnuksen?", - "decline": "Ei kiitos", - "confirm": "Tallenna käyttäjätunnus" + "duration": { + "day": "{count} {count, plural,\\n one {päivä}\\n other {päivää}\\n}", + "hour": "{count} {count, plural,\\none {tunti}\\nother {tuntia}\\n}", + "minute": "{count} {count, plural,\\none {minuutti}\\nother {minuuttia}\\n}", + "second": "{count} {count, plural,\\none {sekunti}\\nother {sekuntia}\\n}", + "week": "{count} {count, plural,\\n one {viikko}\\n other {viikkoa}\\n}" + }, + "login-form": { + "log_in": "Kirjaudu sisään", + "password": "Salasana", + "remember": "Muista" }, "notification_drawer": { "click_to_configure": "Napsauta painiketta määrittääksesi {entity}", "empty": "Ei ilmoituksia", "title": "Ilmoitukset" - } - }, - "domain": { - "alarm_control_panel": "Hälytysasetukset", - "automation": "Automaatio", - "binary_sensor": "Binäärisensori", - "calendar": "Kalenteri", - "camera": "Kamera", - "climate": "Ilmasto", - "configurator": "Asetukset", - "conversation": "Keskustelu", - "cover": "Kaihtimet", - "device_tracker": "Laiteseuranta", - "fan": "Tuuletin", - "history_graph": "Historiakuvaaja", - "group": "Ryhmä", - "image_processing": "Kuvantunnistus", - "input_boolean": "Syötä totuusarvo", - "input_datetime": "Syötä päivämäärä", - "input_select": "Valinta", - "input_number": "Syötä numero", - "input_text": "Syötä teksti", - "light": "Valo", - "lock": "Lukko", - "mailbox": "Postilaatikko", - "media_player": "Mediatoistin", - "notify": "Ilmoita", - "plant": "Kasvi", - "proximity": "Läheisyys", - "remote": "Kauko-ohjaus", - "scene": "Skene", - "script": "Skripti", - "sensor": "Sensori", - "sun": "Aurinko", - "switch": "Kytkin", - "updater": "Päivitys", - "weblink": "Linkki", - "zwave": "Z-Wave", - "vacuum": "Imuri", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Järjestelmän kunto", - "person": "Henkilö" - }, - "attribute": { - "weather": { - "humidity": "Kosteus", - "visibility": "Näkyvyys", - "wind_speed": "Tuuli" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Sammutettu", - "on": "Päällä", - "auto": "Auto" + }, + "notification_toast": { + "connection_lost": "Ei yhteyttä. Yritetään muodostaa yhteys uudelleen...", + "entity_turned_off": "{entity} asetettiin pois päältä.", + "entity_turned_on": "{entity} asetettiin päälle.", + "service_call_failed": "Palvelua {service} ei onnistuttu kutsumaan.", + "service_called": "Palvelua {service} kutsuttiin." + }, + "panel": { + "config": { + "area_registry": { + "caption": "Aluerekisteri", + "create_area": "LUO ALUE", + "description": "Yleiskuva kaikista kotisi alueista.", + "editor": { + "create": "LUO", + "default_name": "Uusi alue", + "delete": "POISTA", + "update": "Päivitä" + }, + "no_areas": "Näyttää siltä, että sinulla ei ole vielä alueita!", + "picker": { + "create_area": "LUO ALUE", + "header": "Aluekisteri", + "integrations_page": "Integraatiot", + "introduction": "Alueita käytetään laitteiden järjestämiseen. Näitä tietoja käytetään Home Assistantissa käyttöliittymän ja käyttöoikeuksien järjestämiseen sekä integroinnin muihin järjestelmiin.", + "introduction2": "Voit sijoittaa laitteita alueelle siirtymällä alla olevan linkin avulla integraatiot-sivulle ja sitten napauttamalla määritettyyn integraatioon, jotta pääset laitteet -kortteihin.", + "no_areas": "Et ole vielä luonut alueita!" + } + }, + "automation": { + "caption": "Automaatiot", + "description": "Luo ja muokkaa automaatioita", + "editor": { + "actions": { + "add": "Lisää toiminto", + "delete": "Poista", + "delete_confirm": "Haluatko varmasti poistaa tämän?", + "duplicate": "Kopioi", + "header": "Toiminnot", + "introduction": "Home Assistant suorittaa toiminnot, kun automaatio laukaistaan.", + "learn_more": "Lisätietoja toiminnoista", + "type_select": "Toiminnon tyyppi", + "type": { + "condition": { + "label": "Ehto" + }, + "delay": { + "delay": "Viive", + "label": "Viive" + }, + "device_id": { + "label": "Laite" + }, + "event": { + "event": "Tapahtuma", + "label": "Lähetä tapahtuma", + "service_data": "Palvelun data" + }, + "service": { + "label": "Kutsu palvelua", + "service_data": "Palvelun data" + }, + "wait_template": { + "label": "Odota", + "timeout": "Aikakatkaisu", + "wait_template": "Odotusmalli (template)" + } + }, + "unsupported_action": "Toimintoa {action} ei tueta" + }, + "alias": "Nimi", + "conditions": { + "add": "Lisää ehto", + "delete": "Poista", + "delete_confirm": "Haluatko varmasti poistaa tämän?", + "duplicate": "Kopioi", + "header": "Ehdot", + "introduction": "Ehdot ovat vapaaehtoinen osa automaatiosääntöä. Niillä voidaan estää toimintoa tapahtumasta, vaikka se olisi laukaistu. Ehdot näyttävät hyvin samanlaisilta kuin laukaisimet, mutta ne ovat eri asia. Laukaisimen tehtävä on tarkkailla järjestelmän tapahtumia. Ehto kuitenkin katsoo systeemin tilaa vain ja ainoastaan yhdellä hetkellä. Laukaisin voi esimerkiksi huomata, jos jokin vipu käännetään päälle. Ehto voi nähdä vain onko vipu päällä vai pois päältä.", + "learn_more": "Lisätietoja ehdoista", + "type_select": "Ehdon tyyppi", + "type": { + "and": { + "label": "Ja" + }, + "device": { + "extra_fields": { + "above": "Yli", + "below": "Alle", + "for": "Kesto" + }, + "label": "Laite" + }, + "numeric_state": { + "above": "Yli", + "below": "Alle", + "label": "Lukuarvo", + "value_template": "Arvomalli, vapaahtoinen (template)" + }, + "or": { + "label": "Tai" + }, + "state": { + "label": "Tila", + "state": "Tila" + }, + "sun": { + "after": "Jälkeen", + "after_offset": "Auringonlaskun jälkeen", + "before": "Ennen", + "before_offset": "Ennen auringonlaskua", + "label": "Aurinko", + "sunrise": "Auringonnousu", + "sunset": "Auringonlasku" + }, + "template": { + "label": "Malli (template)", + "value_template": "Arvomalli (template)" + }, + "time": { + "after": "Jälkeen", + "before": "Ennen", + "label": "Aika" + }, + "zone": { + "entity": "Kokonaisuus, jolla on sijainti", + "label": "Alue", + "zone": "Alue" + } + }, + "unsupported_condition": "Ehtoa ei tueta: {condition}" + }, + "default_name": "Uusi automaatio", + "description": { + "label": "Kuvaus", + "placeholder": "Valinnainen kuvaus" + }, + "introduction": "Käytä automaatioita herättääksesi kotisi eloon", + "load_error_not_editable": "Vain automaatiot tiedostossa automations.yaml ovat muokattavissa.", + "load_error_unknown": "Virhe ladatessa automaatiota ( {err_no} )", + "save": "Tallenna", + "triggers": { + "add": "Laukaisuehto", + "delete": "Poista", + "delete_confirm": "Haluatko varmasti poistaa tämän?", + "duplicate": "Kopioi", + "header": "Laukaisuehdot", + "introduction": "Laukaisuehdot määrittelevät, milloin automaatiota aletaan suorittaa. Samassa säännössä voi olla useita laukaisuehtoja. Kun laukaisuehto täyttyy, Home Assistant varmistaa ehdot. Jos ehdot täyttyvät, toiminto suoritetaan.", + "learn_more": "Lisätietoja triggereistä", + "type_select": "Laukaisimen tyyppi", + "type": { + "device": { + "extra_fields": { + "above": "Yli", + "below": "Alle", + "for": "Kesto" + }, + "label": "Laite" + }, + "event": { + "event_data": "Tapahtuman tietosisältö", + "event_type": "Tapahtuman tyyppi", + "label": "Tapahtuma" + }, + "geo_location": { + "enter": "Saapuminen alueelle", + "event": "Tapahtuma:", + "label": "Geolocation", + "leave": "Poistu", + "source": "Lähde", + "zone": "Alue" + }, + "homeassistant": { + "event": "Tapahtuma:", + "label": "Home Assistant", + "shutdown": "Sammutus", + "start": "Käynnistys" + }, + "mqtt": { + "label": "MQTT", + "payload": "Tietosisältö (payload)", + "topic": "Aihe" + }, + "numeric_state": { + "above": "Yli", + "below": "Alle", + "label": "Numeerinen tila", + "value_template": "Arvomalli (template)" + }, + "state": { + "for": "Ajaksi", + "from": "Lähtötila", + "label": "Tila", + "to": "Kohdetila" + }, + "sun": { + "event": "Tapahtuma:", + "label": "Aurinko", + "offset": "Poikkeama (vapaaehtoinen)", + "sunrise": "Auringonnousu", + "sunset": "Auringonlasku" + }, + "template": { + "label": "Malli (template)", + "value_template": "Arvomalli (template)" + }, + "time_pattern": { + "hours": "Tuntia", + "label": "Aikakuvio", + "minutes": "Minuuttia", + "seconds": "Sekuntia" + }, + "time": { + "at": "Kellonaikana", + "label": "Aika" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook-tunnus" + }, + "zone": { + "enter": "Saapuminen alueelle", + "entity": "Kokonaisuus, jolla on sijainti", + "event": "Tapahtuma", + "label": "Alue", + "leave": "Poistuminen alueelta", + "zone": "Alue" + } + }, + "unsupported_platform": "Alustaa {platform} ei tueta" + }, + "unsaved_confirm": "Sinulla on tallentamattomia muutoksia. Haluatko varmasti poistua?" + }, + "picker": { + "add_automation": "Lisää automaatio", + "header": "Automaatioeditori", + "introduction": "Automaatioeditorissa voit luoda ja muokata automaatioita. Kannattaa lukea ohjeet, jotta osaat varmasti kirjoittaa automaatiot oikein.", + "learn_more": "Lisätietoja automatisoinneista", + "no_automations": "Ei muokattavia automaatioita", + "pick_automation": "Valitse automaatio, jota haluat muokata" + } + }, + "cloud": { + "account": { + "alexa": { + "disable": "Poista käytöstä", + "enable": "Ota käyttöön", + "info": "Alexa Integraatio Home Assistant Cloudille mahdollistaa Home Assistant laitteiden ohjaamisen miltä tahansa Alexa laitteelta.", + "manage_entities": "Hallitse kohteita", + "state_reporting_error": "Tilaa {enable_disable} .ei ole saatavilla", + "sync_entities": "Synkronoi kohteet", + "title": "Alexa" + }, + "connected": "Yhdistetty", + "google": { + "enter_pin_error": "PIN-koodin tallentaminen ei onnistu:", + "enter_pin_hint": "Anna PIN-koodi turvalaitteiden käyttämistä varten", + "info": "Google Assistant Integraatio Home Assistant Cloudille mahdollistaa Home Assistant laitteiden ohjaamisen miltä tahansa Google Assistant laitteelta.", + "security_devices": "Turvalaitteet" + }, + "integrations": "Integraatiot", + "integrations_introduction": "Home Assistant Cloud integraatiot mahdollistavat pilvipalveluihin käytön ilman että Home Assistant asennus on näkyvissä julkisesti Internetissä.", + "integrations_link_all_features": " kaikki käytettävissä olevat ominaisuudet", + "manage_account": "Tilin Hallinta", + "nabu_casa_account": "Nabu Casa -tili", + "not_connected": "Ei yhteyttä", + "remote": { + "access_is_being_prepared": "Etäkäyttöä valmistellaan. Ilmoitamme sinulle, kun se on valmis.", + "certificate_info": "Sertifikaatin tiedot", + "info": "Home Assistant Cloud tarjoaa turvallisen etäyhteyden ollessasi poissa kotoa.", + "instance_is_available": "Asennuksesi on saatavilla osoitteessa", + "instance_will_be_available": "Asennuksesi tulee saataville", + "link_learn_how_it_works": "Lisätietoja toiminnasta", + "title": "Etähallinta" + }, + "sign_out": "Kirjaudu ulos", + "webhooks": { + "manage": "Hallitse", + "title": "Webhooks" + } + }, + "alexa": { + "title": "Alexa" + }, + "caption": "Home Assistant Cloud", + "description_features": "Ohjaus possa kotoa, käytä Alexaa ja Google Assistentia", + "description_login": "Kirjautunut sisään {email}", + "description_not_login": "Et ole kirjautunut", + "dialog_certificate": { + "certificate_expiration_date": "Sertifikaatin vanhenemispäivä", + "certificate_information": "Sertifikaatin tiedot", + "close": "Sulje", + "fingerprint": "Varmenteen sormenjälki:", + "will_be_auto_renewed": "Uusitaan automaattisesti" + }, + "dialog_cloudhook": { + "close": "Sulje", + "confirm_disable": "Haluatko varmasti poistaa tämän webhookin käytöstä?", + "copied_to_clipboard": "Kopioitiin leikepöydälle", + "link_disable_webhook": "Poista käytöstä", + "view_documentation": "Näytä dokumentaatio" + }, + "forgot_password": { + "check_your_email": "Tarkista sähköpostistasi ohjeet salasanan vaihtamiseen.", + "email": "Sähköposti", + "email_error_msg": "Virheellinen sähköpostiosoite", + "instructions": "Kirjoita sähköpostiosoitteesi ja lähetämme sinulle linkin salasanasi palauttamiseksi.", + "send_reset_email": "Lähetä palautusviesti", + "subtitle": "Unohtuiko salasana?", + "title": "Unohtuiko salasana?" + }, + "google": { + "disable_2FA": "Poista kaksivaiheinen tunnistautuminen", + "sync_to_google": "Synkronoidaan muutokset Googleen.", + "title": "Google Assistant" + }, + "login": { + "alert_email_confirm_necessary": "Sinun on vahvistettava sähköpostiosoitteesi ennen sisäänkirjautumista.", + "alert_password_change_required": "Sinun on vaihdettava salasanasi ennen sisäänkirjautumista.", + "dismiss": "Hylkää", + "email": "Sähköposti", + "email_error_msg": "Virheellinen sähköpostiosoite", + "forgot_password": "Unohtuiko salasana?", + "introduction2": "Tätä palvelua ylläpitää kumppanimme", + "introduction2a": ", Home Assistantin ja Hass.io: n perustajien perustama yritys.", + "password": "Salasana", + "password_error_msg": "Salasanan pitää olla vähintään 8 merkkiä pitkä", + "sign_in": "Kirjaudu sisään", + "start_trial": "Aloita ilmainen 1 kuukauden kokeilu", + "trial_info": "Maksutietoja ei tarvita" + }, + "register": { + "account_created": "Tili luotu! Tarkista sähköpostistasi ohjeet tilisi aktivoimiseksi.", + "create_account": "Luo tili", + "email_address": "Sähköpostiosoite", + "email_error_msg": "Virheellinen sähköpostiosoite", + "feature_remote_control": "Hallitse Home Assistantia kodin ulkopuolelta", + "headline": "Aloita ilmainen kokeilu", + "information2": "Kokeilu antaa sinulle pääsyn kaikkiin Home Assistant Cloud -etuihin, mukaan lukien:", + "information3": "Tätä palvelua ylläpitää kumppanimme", + "information4": "Rekisteröimällä tilin hyväksyt seuraavat ehdot.", + "link_privacy_policy": "Tietosuojakäytäntö", + "link_terms_conditions": "Ehdot", + "password": "Salasana", + "password_error_msg": "Salasanan pitää olla vähintään 8 merkkiä pitkä", + "resend_confirm_email": "Lähetä varmistusviesti uudelleen", + "start_trial": "Aloita kokeilujakso", + "title": "Rekisteröi tili" + } + }, + "common": { + "editor": { + "confirm_unsaved": "Sinulla on tallentamattomia muutoksia. Haluatko varmasti poistua?" + } + }, + "core": { + "caption": "Yleinen", + "description": "Muuta Home Assistantin yleisiä asetuksiasi", + "section": { + "core": { + "core_config": { + "edit_requires_storage": "Editori on poistettu käytöstä, koska asetuksia on annettu configuration.yaml:ssa.", + "elevation": "Korkeus merenpinnasta", + "elevation_meters": "metriä", + "imperial_example": "Fahrenheit, paunaa", + "latitude": "Leveysaste", + "location_name": "Home Assistant -järjestelmäsi nimi", + "longitude": "Pituusaste", + "metric_example": "Celsius, kilogrammat", + "save_button": "Tallenna", + "time_zone": "Aikavyöhyke", + "unit_system": "Yksikköjärjestelmä", + "unit_system_imperial": "Brittiläinen yksikköjärjestelmä", + "unit_system_metric": "Kansainvälinen yksikköjärjestelmä" + }, + "header": "Yleiset asetukset", + "introduction": "Tiedämme, että asetusten muuttaminen saattaa olla työlästä. Täältä löydät työkaluja, jotka toivottavasti helpottavat elämääsi." + }, + "server_control": { + "reloading": { + "automation": "Lataa automaatiot uudelleen", + "core": "Lataa ydin uudelleen", + "group": "Lataa ryhmät uudelleen", + "heading": "Asetusten uudelleenlataus", + "introduction": "Jotkut Home Assistantin osat voidaan ladata ilman uudelleenkäynnistystä. Allaolevilla painikkeilla saat ladattua uudelleen yksittäisiä kategorioita.", + "script": "Lataa skriptit uudelleen" + }, + "server_management": { + "heading": "Palvelimen hallinta", + "introduction": "Hallitse Home Assistantia... suoraan Home Assistantista", + "restart": "Käynnistä uudelleen", + "stop": "Pysäytä" + }, + "validation": { + "check_config": "Tarkista asetukset", + "heading": "Asetusten tarkistus", + "introduction": "Voit tarkistaa asetuksesi varmistuaksesi, että niissä ei ole virheitä", + "invalid": "Asetukset ei kelpaa", + "valid": "Asetukset kunnossa!" + } + } + } + }, + "customize": { + "caption": "Muokkaus", + "description": "Muokkaa laitteita", + "picker": { + "header": "Räätälöinti", + "introduction": "Muotoile ominaisuuksia olemuskohtaisesti. Lisäykset\/muokkaukset tulevat välittömästi voimaan. Poistetut mukautukset tulevat voimaan, kun olemus päivitetään." + } + }, + "devices": { + "caption": "Laitteet", + "description": "Hallitse yhdistettyjä laitteita" + }, + "entity_registry": { + "caption": "Olemusrekisteri", + "description": "Yleiskuva kaikista tunnetuista entiteeteistä.", + "editor": { + "confirm_delete": "Haluatko varmasti poistaa tämän kohteen?", + "default_name": "Uusi alue", + "delete": "POISTA", + "enabled_cause": "Poistettu käytöstä {cause} .", + "unavailable": "Parhaillaan olemus ei ole käytettävissä.", + "update": "Päivitä" + }, + "picker": { + "header": "Olemusrekisteri", + "headers": { + "enabled": "Käytössä", + "entity_id": "Kohde ID", + "integration": "Integraatio", + "name": "Nimi" + }, + "integrations_page": "Integraatiot", + "introduction": "Home Assistant pitää rekisteriä jokaisesta havaitetusta olemuksesta, joka voidaan yksilöidä. Kullekin näille yksiköille määritetään olemus-ID, varattu juuri tälle yksikölle.", + "introduction2": "Yksikkörekisterin avulla voit ohittaa nimeä, muuttaa yksikön tunnusta tai poistaa merkinnän Home Assistantista. Huomaa, että rekisterimerkinnän poistaminen ei poista yksikköä sinäänsä. Sitä voit seuraamalla alla olevaa linkkiä ja poistamalla sitä integrointisivulta.", + "unavailable": "(ei saatavilla)" + } + }, + "header": "Säädä Home Assistanttia", + "integrations": { + "caption": "Integraatiot", + "config_entry": { + "delete_button": "Poista {integration}", + "delete_confirm": "Haluatko varmasti poistaa tämän integraation?", + "device_unavailable": "laite ei saatavissa", + "entity_unavailable": "kohde ei saatavilla", + "firmware": "Laiteohjelmisto: {version}", + "hub": "Yhdistetty kautta", + "manuf": "{manufacturer}", + "no_area": "Ei aluetta", + "no_device": "Kokonaisuudet ilman laitteita", + "no_devices": "Tällä integraatiolla ei ole laitteita.", + "restart_confirm": "Käynnistä Home Assistant uudellen viimeistelläksesi tämän integraation poistamisen", + "settings_button": "Muokkaa {Integration}-asetuksia", + "system_options_button": "{Integration}-järjestelmän asetukset", + "via": "Yhdistetty kautta" + }, + "config_flow": { + "external_step": { + "description": "Tämä vaihe edellyttää, että vierailet ulkopuolisella verkkosivustolla.", + "open_site": "Avaa verkkosivusto" + } + }, + "configure": "Määrittele", + "configured": "Määritetty", + "description": "Hallitse liitettyjä laitteita ja palveluita", + "discovered": "Löydetty", + "home_assistant_website": "Home Assistant – sivusto", + "new": "Määritä uusi integraatio", + "none": "Mitään ei ole vielä määritetty", + "note_about_integrations": "Kaikkia integraatioita ei voi vielä määrittää käyttöliittymän kautta.", + "note_about_website_reference": "Lisää saatavilla" + }, + "introduction": "Täällä voit säätää Home Assistanttia ja sen komponentteja. Huomioithan, ettei kaikkea voi vielä säätää käyttöliittymän kautta, mutta teemme jatkuvasti töitä sen mahdollistamiseksi.", + "person": { + "add_person": "Lisää henkilö", + "caption": "Henkilöt", + "confirm_delete": "Haluatko varmasti poistaa tämän henkilön?", + "create_person": "Luo henkilö", + "description": "Hallitse henkilöitä, joita Home Assistant seuraa", + "detail": { + "create": "Luo", + "delete": "Poista", + "device_tracker_intro": "Valitse tälle henkilölle kuuluvat laitteet.", + "device_tracker_pick": "Valitse seurattava laite", + "device_tracker_picked": "Seuraa laitetta", + "link_integrations_page": "Integraatiot", + "link_presence_detection_integrations": "Läsnäolon tunnistusintegraatiot", + "linked_user": "Yhdsitetty käyttäjä", + "name": "Nimi", + "name_error_msg": "Nimi on pakollinen", + "new_person": "Uusi Henkilö", + "no_device_tracker_available_intro": "Kun sinulla on laitteita, jotka ilmaisevat henkilön läsnäolon, voit kohdistaa ne henkilöön täällä. Voit lisätä ensimmäisen laitteen lisäämällä läsnäolon tunnistusintegraation sivulta.", + "update": "Päivitä" + }, + "no_persons_created_yet": "Näyttää siltä, ettet ole vielä luonut yhtään henkilöä." + }, + "script": { + "caption": "Skripti", + "description": "Luo ja muokkaa skriptejä", + "editor": { + "default_name": "Uusi skripti", + "header": "Skripti: {name}" + } + }, + "server_control": { + "caption": "Palvelimen hallinta", + "description": "Uudelleenkäynnistä ja sammuta Home Assistant -palvelin", + "section": { + "reloading": { + "automation": "Lataa automaatiot uudelleen", + "core": "Lataa ydin uudelleen", + "group": "Lataa ryhmät uudelleen", + "heading": "Asetusten uudelleenlataus", + "scene": "Lataa tilanteet uudelleen", + "script": "Lataa skriptit uudelleen" + }, + "server_management": { + "confirm_restart": "Haluatko varmasti käynnistää Home Assistantin uudelleen?", + "confirm_stop": "Haluatko varmasti pysäyttää Home Assistantin?", + "heading": "Palvelimen hallinta", + "introduction": "Hallitse Home Assistantia... suoraan Home Assistantista", + "restart": "Käynnistä uudelleen", + "stop": "Pysäytä" + }, + "validation": { + "check_config": "Tarkista asetukset", + "heading": "Asetusten tarkistus", + "invalid": "Asetukset ei kelpaa", + "valid": "Asetukset kunnossa!" + } + } + }, + "users": { + "add_user": { + "caption": "Lisää käyttäjä", + "create": "Luo", + "name": "Nimi", + "password": "Salasana", + "username": "Käyttäjätunnus" + }, + "caption": "Käyttäjät", + "description": "Käyttäjien hallinta", + "editor": { + "activate_user": "Aktivoi käyttäjä", + "active": "Aktiivinen", + "caption": "Näytä käyttäjä", + "change_password": "Vaihda salasana", + "confirm_user_deletion": "Haluatko varmasti poistaa {name}?", + "deactivate_user": "Passivoi käyttäjätunnus", + "delete_user": "Poista käyttäjä", + "enter_new_name": "Kirjoita uusi nimi", + "group": "Ryhmä", + "group_update_failed": "Ryhmän päivitys epäonnistui:", + "id": "ID", + "owner": "Omistaja", + "rename_user": "Nimeä käyttäjä uudelleen", + "system_generated": "Järjestelmän luoma", + "system_generated_users_not_removable": "Järjestelmän luomia käyttäjiä ei voi poistaa.", + "unnamed_user": "Nimeämätön käyttäjä", + "user_rename_failed": "Käyttäjän uudelleen nimeäminen epäonnistui:" + }, + "picker": { + "system_generated": "Järjestelmän luoma", + "title": "Käyttäjät" + } + }, + "zha": { + "add_device_page": { + "discovery_text": "Löydetyt laitteet näkyvät täällä. Noudata laitteen (laitteiden) ohjeita ja aseta laite pariliitostilaan.", + "header": "Zigbee Home Automation - Lisää laitteita", + "search_again": "Etsi uudestaan", + "spinner": "Etsitään ZHA Zigbee laitteita..." + }, + "caption": "ZHA", + "cluster_attributes": { + "attributes_of_cluster": "Valitun klusterin määritteet", + "get_zigbee_attribute": "Hae Zigbee-ominaisuus", + "header": "Klusterin määritteet", + "help_attribute_dropdown": "Valitse määrite, jonka arvoa haluat tarkastella tai määrittää.", + "help_get_zigbee_attribute": "Hae valitun määritteen arvo.", + "introduction": "Tarkastele ja muokkaa klusterimääritteitä.", + "set_zigbee_attribute": "Aseta Zigbee-ominaisuus" + }, + "cluster_commands": { + "commands_of_cluster": "Valitun klusterin komennot", + "header": "Klusterikomennot", + "help_command_dropdown": "Valitse lähettettävä komento", + "introduction": "Tarkastele ja anna klusterikomentoja.", + "issue_zigbee_command": "Anna Zigbee käsky" + }, + "clusters": { + "help_cluster_dropdown": "Valitse klusteri tarkastellaksesi määritteitä ja komentoja." + }, + "common": { + "add_devices": "Lisää laitteita", + "clusters": "Klusterit", + "devices": "Laitteet", + "value": "Arvo" + }, + "description": "Zigbee kotiautomaation verkonhallinta", + "device_card": { + "area_picker_label": "Alue", + "device_name_placeholder": "Käyttäjän antama nimeä", + "update_name_button": "Päivitä nimi" + }, + "network_management": { + "header": "Verkon hallinta", + "introduction": "Koko verkkoon vaikuttavat komennot" + }, + "node_management": { + "header": "Laitehallinta", + "help_node_dropdown": "Valitse laite tarkastellaksesi laitekohtaisia vaihtoehtoja." + }, + "services": { + "reconfigure": "Määritä ZHA-laite uudelleen (paranna laite). Käytä tätä, jos sinulla on ongelmia laitteen kanssa. Jos kyseinen laite on akkukäyttöinen laite, varmista, että se on hereillä ja hyväksyy komentoja, kun käytät tätä palvelua.", + "remove": "Poista laite Zigbee-verkosta.", + "updateDeviceName": "Määritä laitteelle mukautettu nimeä laiterekisteriin." + } + }, + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Indeksi", + "instance": "Esiintymä", + "unknown": "tuntematon", + "value": "Arvo", + "wakeup_interval": "Herätysväli" + }, + "description": "Z-Wave -verkon asetukset", + "learn_more": "Z-wave lisätietoja", + "network_management": { + "header": "Z-Wave-verkon hallinta", + "introduction": "Suorita Z-Wave-verkkoon vaikuttavia komentoja. Et saa palautetta siitä, onnistuiko useimmat komennot, mutta voit tarkistaa OZW-lokin ja yrittää selvittää sen." + }, + "network_status": { + "network_started": "Z-Wave-verkko käynnistetty", + "network_started_note_all_queried": "Kaikista solmuista on kyselty.", + "network_started_note_some_queried": "Hereillä olevat solmut on kysytty. Nukkuvat solmut kysytään kun ne heräävät.", + "network_starting": "Käynnistetään Z-Wave-verkkoa...", + "network_starting_note": "Tämä voi viedä hetken verkon koosta riippuen.", + "network_stopped": "Z-Wave-verkko pysäytetty" + }, + "node_config": { + "config_parameter": "Asetusparametri", + "config_value": "Asetusarvo", + "false": "Eätosi", + "header": "Solmun määritysasetukset", + "seconds": "sekuntia", + "set_config_parameter": "Aseta asetusparametri", + "set_wakeup": "Aseta herätysväli", + "true": "Tosi" + }, + "ozw_log": { + "header": "OZW-loki", + "introduction": "Tarkastele lokia. 0 on pienin (lataa koko lokin) ja 1000 on maksimi. Lataus näyttää staattisen lokin ja päivittää automaattisesti viimeisen määritetyn määrän rivejä lokiin." + }, + "services": { + "add_node": "Lisää solmu", + "add_node_secure": "Lisää suojattu solmu", + "cancel_command": "Peruuta komento", + "heal_network": "Paranna verkko", + "remove_node": "Poista solmu", + "save_config": "Tallenna asetukset", + "soft_reset": "Pehmeä nollaus", + "start_network": "Käynnistä verkko", + "stop_network": "Pysäytä verkko", + "test_network": "Testaa verkkoyhteys" + }, + "values": { + "header": "Solmujen arvot" + } + } }, - "preset_mode": { - "none": "Asettamatta", - "eco": "Ekonominen", - "away": "Poissa", - "home": "Kotona", - "sleep": "Nukkumassa" + "developer-tools": { + "tabs": { + "events": { + "listening_to": "Kuunnellaan", + "start_listening": "Aloita kuuntelu", + "stop_listening": "Lopeta kuuntelu", + "title": "Tapahtumat" + }, + "info": { + "developed_by": "Kehittänyt joukko mahtavia ihmisiä.", + "home_assistant_logo": "Home Assistant-logo", + "license": "Julkaistu Apache 2.0-lisenssillä", + "remove": "Poista", + "server": "palvelin", + "set": "Aseta", + "title": "Tiedot" + }, + "mqtt": { + "listening_to": "Kuunnellaan", + "publish": "Julkaise", + "start_listening": "Aloita kuuntelu", + "stop_listening": "Lopeta kuuntelu", + "title": "MQTT" + }, + "services": { + "call_service": "Kutsu palvelua", + "column_description": "Kuvaus", + "column_example": "Esimerkki", + "column_parameter": "Parametri", + "no_description": "Kuvausta ei ole saatavilla", + "no_parameters": "Tämä palvelu ei ota parametreja.", + "select_service": "Valitse palvelu nähdäksesi kuvauksen", + "title": "Palvelut" + }, + "states": { + "attributes": "Määritteet", + "more_info": "Lisätietoja", + "set_state": "Aseta tila", + "title": "Tilat" + }, + "templates": { + "title": "Malli" + } + } }, - "hvac_action": { - "off": "Sammutettu", - "heating": "Lämmitys", - "cooling": "Jäähdytys", - "drying": "Kuivaus", - "idle": "Lepotilassa", - "fan": "Tuuletin" + "history": { + "period": "aikajakso", + "showing_entries": "Näytetään tapahtumat alkaen" + }, + "logbook": { + "period": "aikajakso", + "showing_entries": "Näytetään kirjaukset ajalta" + }, + "lovelace": { + "cards": { + "confirm_delete": "Oletko varma, että haluat poistaa tämän kortin?", + "empty_state": { + "go_to_integrations_page": "Siirry integraatiot-sivulle", + "no_devices": "Tällä sivulla voit ohjata laitteitasi, mutta näyttää siltä, että et ole vielä määrittänyt laitteita. Pääset alkuun integroinnit-sivulla.", + "title": "Tervetuloa kotiin" + }, + "picture-elements": { + "call_service": "Kutsu palvelua {name}", + "hold": "Pidä:", + "more_info": "Näytä lisätietoa: {name}", + "navigate_to": "Siirry kohtaan {location}", + "tap": "Napauta:", + "toggle": "Kytke {name}" + }, + "shopping-list": { + "add_item": "Lisää", + "checked_items": "Valitut", + "clear_items": "Tyhjää valitut" + } + }, + "changed_toast": { + "message": "Lovelace-asetukset päivitettiin, haluatko päivittää näkymän?", + "refresh": "Päivitä" + }, + "editor": { + "card": { + "alarm_panel": { + "available_states": "Käytettävissä olevat tilat" + }, + "alarm-panel": { + "available_states": "Käytettävissä olevat tilat", + "name": "Hälytyspaneeli" + }, + "conditional": { + "name": "Ehdollinen" + }, + "config": { + "optional": "Valinnainen", + "required": "Vaadittu" + }, + "entities": { + "name": "Kohteet" + }, + "entity-button": { + "name": "Kohdenappi" + }, + "entity-filter": { + "name": "Kohteen suodatus" + }, + "gauge": { + "name": "Mittari", + "severity": { + "define": "Määritä vakavuus?", + "green": "Vihreä", + "red": "Punainen", + "yellow": "Keltainen" + } + }, + "generic": { + "camera_image": "Kamerakohde", + "entity": "Kohde", + "hold_action": "Pitkä painallus toiminto", + "icon": "Kuvake", + "icon_height": "Kuvakkeen korkeus", + "image": "Kuvan polku", + "maximum": "Enimmäismäärä", + "minimum": "Vähimmäismäärä", + "name": "Nimi", + "refresh_interval": "Päivitysväli", + "show_icon": "Näytä kuvake?", + "show_name": "Näytä nimi?", + "tap_action": "Napautus toiminto", + "theme": "Teema", + "title": "Otsikko" + }, + "glance": { + "name": "Pikavilkaisu" + }, + "history-graph": { + "name": "Historiakuvaaja" + }, + "horizontal-stack": { + "name": "Vaakapino" + }, + "iframe": { + "name": "iFrame" + }, + "light": { + "name": "Valo" + }, + "map": { + "dark_mode": "Tumma tila?", + "name": "Kartta" + }, + "markdown": { + "name": "Merkintä" + }, + "media-control": { + "name": "Mediaohjaus" + }, + "picture-elements": { + "name": "Kuvaelementit" + }, + "picture-entity": { + "name": "Kuvakohde" + }, + "picture-glance": { + "name": "Kuva pikavilkaisu" + }, + "picture": { + "name": "Kuva" + }, + "plant-status": { + "name": "Kasvin tila" + }, + "sensor": { + "graph_detail": "Kaavion tiedot", + "name": "Sensori" + }, + "shopping-list": { + "name": "Ostoslista" + }, + "thermostat": { + "name": "Termostaatti" + }, + "vertical-stack": { + "name": "Pystypino" + }, + "weather-forecast": { + "name": "Sääennuste" + } + }, + "edit_card": { + "add": "Lisää kortti", + "delete": "Poista", + "edit": "Muokkaa", + "header": "Kortti-asetukset", + "move": "Siirrä", + "options": "Lisää vaihtoehtoja", + "pick_card": "Valitse kortti jonka haluat lisätä", + "save": "Tallenna", + "show_code_editor": "Näytä koodieditori", + "show_visual_editor": "Näytä visuaalinen editori", + "toggle_editor": "Vaihda editori" + }, + "edit_view": { + "add": "Lisää näkymä", + "delete": "Poista näkymä", + "edit": "Muokkaa näkymää", + "header": "Näytä asetukset" + }, + "header": "Muokkaa käyttöliittymää", + "menu": { + "open": "Avaa Lovelace-valikko", + "raw_editor": "Raaka konfigurointieditori" + }, + "migrate": { + "header": "Epäkelvot asetukset", + "migrate": "Tuo vanhat asetukset", + "para_migrate": "Home Assistant voi lisätä ID:t kaikkiin kortteihisi ja näkymiin automaattisesti painamalla 'Tuo vanhat asetukset'-nappia.", + "para_no_id": "Elementillä ei ole ID. Lisää ID elementille 'ui-lovelace.yaml'-tiedostossa." + }, + "raw_editor": { + "header": "Muokkaa asetuksia", + "save": "Tallenna", + "saved": "Tallennettu", + "unsaved_changes": "Tallentamattomat muutokset" + }, + "save_config": { + "cancel": "Antaa olla", + "header": "Hallitse Lovelace käyttöliittymääsi", + "para": "Oletuksena Home Assistant ylläpitää käyttöliittymääsi, päivittäen sitä uusien yksiköiden tai Lovelace komponenttien tullessa saataville. Jos muokkaat käyttöliittymääsi, emme enää tee muutoksia automaattisesti.", + "para_sure": "Oletko varma, että haluat ottaa haltuun käyttöliittymän?", + "save": "Ota hallintaan" + } + }, + "menu": { + "configure_ui": "Määrittele käyttöliittymä", + "help": "Apua", + "refresh": "Päivitä", + "unused_entities": "Käyttämättömät yksiköt" + }, + "reload_lovelace": "Lataa Lovelace uudelleen", + "views": { + "confirm_delete": "Oletko varma, että haluat poistaa tämän näkymän?", + "existing_cards": "Et voi poistaa näkymää, jossa on kortteja. Poista ensin kortit näkymästä." + }, + "warning": { + "entity_non_numeric": "Yksikkö ei ole numeerinen: {entity}", + "entity_not_found": "Yksikkö ei ole käytettävissä: {entity}" + } + }, + "mailbox": { + "delete_button": "Poista", + "delete_prompt": "Poistetaanko tämä viesti?", + "empty": "Sinulle ei ole yhtään viestiä", + "playback_title": "Toista viesti" + }, + "page-authorize": { + "abort_intro": "Kirjautuminen on keskeytetty", + "authorizing_client": "Olet antamassa pääsyn {clientId} Home Assistant -ympäristöösi.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Istunto päättyi, ole hyvä ja kirjaudu uudelleen." + }, + "error": { + "invalid_auth": "Virheellinen käyttäjätunnus tai salasana", + "invalid_code": "Virheellinen tunnistuskoodi" + }, + "step": { + "init": { + "data": { + "password": "Salasana", + "username": "Käyttäjätunnus" + } + }, + "mfa": { + "data": { + "code": "Kaksivaiheinen tunnistuskoodi" + }, + "description": "Avaa **{mfa_module_name}** laitteessasi nähdäksesi kaksivaiheisen tunnistautumisen koodisi ja vahvistaaksesi identiteettisi:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Istunto päättyi, ole hyvä ja kirjaudu uudelleen." + }, + "error": { + "invalid_auth": "Virheellinen käyttäjätunnus tai salasana", + "invalid_code": "Väärä tunnistuskoodi" + }, + "step": { + "init": { + "data": { + "password": "Salasana", + "username": "Käyttäjätunnus" + } + }, + "mfa": { + "data": { + "code": "Kaksivaiheinen tunnistuskoodi" + }, + "description": "Avaa **{mfa_module_name}** laitteessasi nähdäksesi kaksivaiheisen tunnistautumisen koodisi ja vahvistaaksesi identiteettisi:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Istunto vanhentunut, ole hyvä ja kirjaudu uudelleen.", + "no_api_password_set": "API-salasanaa ei ole asetettu." + }, + "error": { + "invalid_auth": "Virheellinen API-salasana", + "invalid_code": "Virheellinen tunnistautumiskoodi" + }, + "step": { + "init": { + "data": { + "password": "API-salasana" + }, + "description": "Ole hyvä ja syötä API-salasanasi http-asetuksissa:" + }, + "mfa": { + "data": { + "code": "Kaksivaiheinen tunnistuskoodi" + }, + "description": "Avaa **{mfa_module_name}** laitteessasi nähdäksesi kaksivaiheisen tunnistautumisen koodisi ja vahvistaaksesi identiteettisi:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Tietokonettasi ei ole sallittu." + }, + "step": { + "init": { + "data": { + "user": "Käyttäjä" + }, + "description": "Valitse käyttäjä, jolla haluat kirjautua:" + } + } + } + }, + "unknown_error": "Jotain meni pieleen", + "working": "Ole hyvä ja odota" + }, + "initializing": "Alustetaan", + "logging_in_with": "Kirjaudutaan sisään **{authProviderName}**.", + "pick_auth_provider": "Tai kirjaudu sisään joillakin seuraavista" + }, + "page-demo": { + "cards": { + "demo": { + "demo_by": "kirjoittanut {name}", + "introduction": "Tervetuloa kotiin! Olet päätynyt Home Assistant -demoon, missä esittelemme yhteisömme parhaat käyttöliittymät.", + "learn_more": "Opi enemmän Home Assistantista", + "next_demo": "Seuraava demo" + } + }, + "config": { + "arsaboo": { + "labels": { + "activity": "Aktiviteetti", + "air": "Ilmastointi", + "commute_home": "Työmatka kotiin", + "entertainment": "Viihde", + "hdmi_input": "HDMI-tulo", + "hdmi_switcher": "HDMI-kytkin", + "information": "Tiedot", + "lights": "Valot", + "morning_commute": "Aamuinen työmatka", + "total_tv_time": "TV-aikaa yhteensä", + "turn_tv_off": "Sammuta televisio", + "volume": "Äänenvoimakkuus" + }, + "names": { + "family_room": "Perhehuone", + "hallway": "Käytävä", + "kitchen": "Keittiö", + "left": "Vasen", + "master_bedroom": "Makuuhuone", + "mirror": "Peili", + "patio": "Terassi", + "right": "Oikea", + "upstairs": "Yläkerta" + }, + "unit": { + "minutes_abbr": "min", + "watching": "katsomassa" + } + } + } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Havaitse", + "finish": "Seuraava", + "intro": "Hei {name}, tervetuloa Home Assistant -käyttäjäksi. Kuinka haluaisit nimetä uuden kotisi?", + "intro_location": "Haluaisimme tietää, missä asut. Nämä tiedot auttavat näyttämään tietoja ja perustamaan aurinkoon perustuvia automaatioita. Näitä tietoja ei koskaan jaeta oman verkkosi ulkopuolelle.", + "intro_location_detect": "Voimme auttaa sinua täyttämään nämä tiedot tekemällä kertaluonteisen pyynnön ulkoiselle palvelulle.", + "location_name_default": "Koti" + }, + "integration": { + "finish": "Valmis", + "intro": "Laitteet ja palvelut ovat edustettuna Home Assistantissa integraatioina. Voit määrittää ne nyt tai tehdä sitä myöhemmin kokoonpanonäytöstä.", + "more_integrations": "Lisää" + }, + "intro": "Oletko valmis herättämään kotisi eloon, palauttamaan yksityisyytesi ja liittymään maailmanlaajuiseen nikkarien joukkoon?", + "user": { + "create_account": "Luo tili", + "data": { + "name": "Nimi", + "password": "Salasana", + "password_confirm": "Vahvista salasana", + "username": "Käyttäjätunnus" + }, + "error": { + "password_not_match": "Salasanat eivät täsmää", + "required_fields": "Täytä kaikki pakolliset kentät" + }, + "intro": "Aloitetaan luomalla käyttäjätili.", + "required_field": "Edellytetään" + } + }, + "profile": { + "advanced_mode": { + "description": "Home Assistant piilottaa lisäominaisuudet ja -asetukset oletuksena. Voit aktivoida nämä ominaisuudet painamalla tästä kytkimestä. Tämä on käyttäjäkohtainen asetus, eikä se vaikuta muihin Home Assistantia käyttäviin käyttäjiin.", + "title": "Lisäasetukset" + }, + "change_password": { + "confirm_new_password": "Vahvista uusi salasana", + "current_password": "Nykyinen salasana", + "error_required": "Edellytetään", + "header": "Vaihda salasana", + "new_password": "Uusi salasana", + "submit": "Lähetä" + }, + "current_user": "Olet tällä hetkellä kirjautuneena tunnuksella {fullName}.", + "force_narrow": { + "header": "Piilota sivupalkki aina" + }, + "is_owner": "Olet omistaja.", + "language": { + "dropdown_label": "Kieli", + "header": "Kieli", + "link_promo": "Auta kääntämään" + }, + "logout": "Kirjaudu ulos", + "long_lived_access_tokens": { + "confirm_delete": "Haluatko varmasti poistaa {name} käyttöoikeustunnuksen?", + "create": "Luo token", + "create_failed": "Käyttötunnussanoman luominen epäonnistui.", + "created_at": "Luotu {date}", + "delete_failed": "Käyttötunnussanoman poistaminen epäonnistui.", + "description": "Luo pitkäikäisiä käyttöoikeustunnuksia, jotta komentosarjasi voivat vuorovaikutttaa Home Assistantin kanssa. Jokainen tunnus on voimassa 10 vuotta luomisesta. Seuraavat pitkäikäiset käyttöoikeustunnukset ovat tällä hetkellä käytössä.", + "empty_state": "Sinulla ei ole vielä pitkäaikaisia käyttötunnussanomia", + "header": "Pitkäaikaiset käyttötunnussanomat", + "last_used": "Viimeksi käytetty {date} sijainnista {location}", + "learn_auth_requests": "Opi tekemään tunnistautuneita kutsuja.", + "not_used": "Ei ole koskaan käytetty", + "prompt_copy_token": "Kopioi käyttöoikeuskoodi. Sitä ei näytetä uudelleen.", + "prompt_name": "Nimi?" + }, + "mfa_setup": { + "close": "Sulje", + "step_done": "Asetus tehty {step}", + "submit": "Lähetä", + "title_aborted": "Keskeytetty", + "title_success": "Onnistui!" + }, + "mfa": { + "confirm_disable": "Haluatko varmasti poistaa {name}?", + "disable": "Poista käytöstä", + "enable": "Ota käyttöön", + "header": "Monivaiheisen tunnistautumisen moduulit" + }, + "push_notifications": { + "description": "Lähetä ilmoitukset tälle laitteelle.", + "error_load_platform": "Määritä notify.html5-komponentti", + "error_use_https": "Vaatii SSL suojauksen", + "header": "Notifikaatiot", + "link_promo": "Lisätietoja", + "push_notifications": "Notifikaatiot" + }, + "refresh_tokens": { + "confirm_delete": "Haluatko varmasti poistaa {name} päivitystunnuksen?", + "created_at": "Luotu {date}", + "current_token_tooltip": "Nykyistä päivitystunnusta ei voi poistaa", + "delete_failed": "Päivitystunnuksen poistaminen epäonnistui.", + "description": "Jokainen päivitystunnus edustaa kirjautumisistuntoa. Päivitystunnukset poistetaan automaattisesti, kun napautat Kirjaudu ulos. Seuraavat päivitystunnukset ovat parhaillaan käytössä tililläsi.", + "header": "Päivitä tokenit", + "last_used": "Viimeksi käytetty {date} sijainnista {location}", + "not_used": "Ei ole koskaan käytetty", + "token_title": "Päivitä tunnus kohteelle {clientId}" + }, + "themes": { + "dropdown_label": "Teema", + "error_no_theme": "Ei teemoja käytettävissä.", + "header": "Teema", + "link_promo": "Lisätietoja teemoista" + } + }, + "shopping-list": { + "add_item": "Lisää tavara", + "clear_completed": "Poista valmiit", + "microphone_tip": "Paina mikrofonia oikeassa yläkulmassa ja sano \"Lisää karkkipussi ostoslistalleni\"" } - } - }, - "groups": { - "system-admin": "Järjestelmänvalvojat", - "system-users": "Käyttäjät", - "system-read-only": "Pelkästään luku -käyttäjät" - }, - "config_entry": { - "disabled_by": { - "user": "Käyttäjä", - "integration": "Integraatio" + }, + "sidebar": { + "external_app_configuration": "Sovelluksen määritykset", + "log_out": "Kirjaudu ulos" } } } \ No newline at end of file diff --git a/translations/fr.json b/translations/fr.json index c5c8fd52d5..4481e31bf2 100644 --- a/translations/fr.json +++ b/translations/fr.json @@ -1,53 +1,193 @@ { + "attribute": { + "weather": { + "humidity": "Humidité", + "visibility": "Visibilité", + "wind_speed": "Vitesse du vent" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Paramètre de configuration", + "integration": "Intégration", + "user": "Utilisateur" + } + }, + "domain": { + "alarm_control_panel": "Panneau de contrôle d'alarme", + "automation": "Automatisation", + "binary_sensor": "Capteur binaire", + "calendar": "Calendrier", + "camera": "Caméra", + "climate": "Thermostat", + "configurator": "Configurateur", + "conversation": "Conversation", + "cover": "Volets", + "device_tracker": "Dispositif de suivi", + "fan": "Ventilateur", + "group": "Groupe", + "hassio": "Hass.io", + "history_graph": "Graphique historique", + "homeassistant": "Home Assistant", + "image_processing": "Traitement d’image", + "input_boolean": "Entrée logique", + "input_datetime": "Entrée calendrier", + "input_number": "Entrée numérique", + "input_select": "Sélection", + "input_text": "Saisie de texte", + "light": "Lumière", + "lock": "Verrou", + "lovelace": "Lovelace", + "mailbox": "Boites aux lettres", + "media_player": "Lecteur multimédia", + "notify": "Notifier", + "person": "Personne", + "plant": "Plante", + "proximity": "Proximité", + "remote": "Télécommande", + "scene": "Scène", + "script": "Script", + "sensor": "Capteur", + "sun": "Soleil", + "switch": "Interrupteur", + "system_health": "Santé du système", + "updater": "Mise à jour", + "vacuum": "Aspirateur", + "weblink": "Lien", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Administrateurs", + "system-read-only": "Utilisateurs en lecture seule", + "system-users": "Utilisateurs" + }, "panel": { + "calendar": "Calendrier", "config": "Configuration", - "states": "Aperçu", - "map": "Carte", - "logbook": "Journal", - "history": "Historique", - "mailbox": "Boîtes aux lettres", - "shopping_list": "Liste de courses", "dev-info": "Info", "developer_tools": "Outils de développement", - "calendar": "Calendrier", - "profile": "Profil" + "history": "Historique", + "logbook": "Journal", + "mailbox": "Boîtes aux lettres", + "map": "Carte", + "profile": "Profil", + "shopping_list": "Liste de courses", + "states": "Aperçu" }, - "state": { - "default": { - "off": "Off", - "on": "On", - "unknown": "Inconnu", - "unavailable": "Indisponible" - }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Auto", + "off": "Off", + "on": "On" + }, + "hvac_action": { + "cooling": "Refroidissement", + "drying": "Séchage", + "fan": "Ventilateur", + "heating": "En chauffe", + "idle": "Inactif", + "off": "Éteint" + }, + "preset_mode": { + "activity": "Activité", + "away": "Absent", + "boost": "Renforcer", + "comfort": "Confort", + "eco": "Eco", + "home": "Présent", + "none": "Aucun", + "sleep": "Veille" + } + } + }, + "state_badge": { + "alarm_control_panel": { + "armed": "Activé", + "armed_away": "Activé", + "armed_custom_bypass": "Activé", + "armed_home": "Activé", + "armed_night": "Activé", + "arming": "Activer", + "disarmed": "Désactivé", + "disarming": "Désarmement", + "pending": "En cours", + "triggered": "Déclenchée" + }, + "default": { + "entity_not_found": "Entité introuvable", + "error": "Erreur", + "unavailable": "Indisponible", + "unknown": "Inconnu" + }, + "device_tracker": { + "home": "Présent", + "not_home": "Absent" + }, + "person": { + "home": "Présent", + "not_home": "Absent" + } + }, + "state": { "alarm_control_panel": { "armed": "Activé", - "disarmed": "Désactivée", - "armed_home": "Enclenchée (présent)", "armed_away": "Enclenchée (absent)", + "armed_custom_bypass": "Activée avec exception", + "armed_home": "Enclenchée (présent)", "armed_night": "Enclenché (nuit)", - "pending": "En attente", "arming": "Activation", + "disarmed": "Désactivée", "disarming": "Désactivation", - "triggered": "Déclenché", - "armed_custom_bypass": "Activée avec exception" + "pending": "En attente", + "triggered": "Déclenché" }, "automation": { "off": "Off", "on": "[%key_id:state::default::on%]" }, "binary_sensor": { + "battery": { + "off": "Normal", + "on": "Faible" + }, + "cold": { + "off": "Normale", + "on": "Froid" + }, + "connectivity": { + "off": "Déconnecté", + "on": "Connecté" + }, "default": { "off": "Off", "on": "[%key_id:state::default::on%]" }, - "moisture": { - "off": "Sec", - "on": "Humide" + "door": { + "off": "Fermée", + "on": "Ouverte" + }, + "garage_door": { + "off": "Fermée", + "on": "Ouverte" }, "gas": { "off": "Non détecté", "on": "Détecté" }, + "heat": { + "off": "Normale", + "on": "Chaud" + }, + "lock": { + "off": "Verrouillé", + "on": "Déverrouillé" + }, + "moisture": { + "off": "Sec", + "on": "Humide" + }, "motion": { "off": "RAS", "on": "Détecté" @@ -56,6 +196,22 @@ "off": "RAS", "on": "Détecté" }, + "opening": { + "off": "Fermé", + "on": "Ouvert" + }, + "presence": { + "off": "Absent.e", + "on": "Présent" + }, + "problem": { + "off": "OK", + "on": "Problème" + }, + "safety": { + "off": "Sécurisé", + "on": "Dangereux" + }, "smoke": { "off": "RAS", "on": "Détecté" @@ -68,93 +224,55 @@ "off": "RAS", "on": "Détectée" }, - "opening": { - "off": "Fermé", - "on": "Ouvert" - }, - "safety": { - "off": "Sécurisé", - "on": "Dangereux" - }, - "presence": { - "off": "Absent.e", - "on": "Présent" - }, - "battery": { - "off": "Normal", - "on": "Faible" - }, - "problem": { - "off": "OK", - "on": "Problème" - }, - "connectivity": { - "off": "Déconnecté", - "on": "Connecté" - }, - "cold": { - "off": "Normale", - "on": "Froid" - }, - "door": { - "off": "Fermée", - "on": "Ouverte" - }, - "garage_door": { - "off": "Fermée", - "on": "Ouverte" - }, - "heat": { - "off": "Normale", - "on": "Chaud" - }, "window": { "off": "Fermée", "on": "Ouverte" - }, - "lock": { - "off": "Verrouillé", - "on": "Déverrouillé" } }, "calendar": { - "off": "[%key_id:state::default::off%]", + "off": "Off", "on": "[%key_id:state::default::on%]" }, "camera": { + "idle": "En veille", "recording": "Enregistrement", - "streaming": "Diffusion en cours", - "idle": "En veille" + "streaming": "Diffusion en cours" }, "climate": { - "off": "Off", - "on": "Marche", - "heat": "Chauffe", - "cool": "Frais", - "idle": "Inactif", "auto": "Auto", + "cool": "Frais", "dry": "Sec", - "fan_only": "Ventilateur seul", "eco": "Éco", "electric": "Électrique", - "performance": "Performance", - "high_demand": "Forte demande", - "heat_pump": "Pompe à chaleur", + "fan_only": "Ventilateur seul", "gas": "Gaz", + "heat": "Chauffe", + "heat_cool": "Chaud\/Froid", + "heat_pump": "Pompe à chaleur", + "high_demand": "Forte demande", + "idle": "Inactif", "manual": "Manuel", - "heat_cool": "Chaud\/Froid" + "off": "Off", + "on": "Marche", + "performance": "Performance" }, "configurator": { "configure": "Configurer", "configured": "Configuré" }, "cover": { - "open": "Ouvert", - "opening": "Ouverture", "closed": "Fermé", "closing": "Fermeture", + "open": "Ouvert", + "opening": "Ouverture", "stopped": "Arrêté" }, + "default": { + "off": "Off", + "on": "On", + "unavailable": "Indisponible", + "unknown": "Inconnu" + }, "device_tracker": { "home": "Présent", "not_home": "Absent" @@ -164,19 +282,19 @@ "on": "Marche" }, "group": { - "off": "Off", - "on": "[%key_id:state::default::on%]", - "home": "Présent", - "not_home": "Absent", - "open": "Ouvert", - "opening": "Ouverture", "closed": "Fermé", "closing": "Fermeture", - "stopped": "Arrêté", + "home": "Présent", "locked": "Verrouillé", - "unlocked": "Déverrouillé", + "not_home": "Absent", + "off": "Off", "ok": "OK", - "problem": "Problème" + "on": "[%key_id:state::default::on%]", + "open": "Ouvert", + "opening": "Ouverture", + "problem": "Problème", + "stopped": "Arrêté", + "unlocked": "Déverrouillé" }, "input_boolean": { "off": "Arrêté", @@ -191,13 +309,17 @@ "unlocked": "Déverrouillé" }, "media_player": { + "idle": "En veille", "off": "Éteint", "on": "Marche", - "playing": "Lecture en cours", "paused": "En pause", - "idle": "En veille", + "playing": "Lecture en cours", "standby": "En veille" }, + "person": { + "home": "Présent", + "not_home": "Absent" + }, "plant": { "ok": "OK", "problem": "Problème" @@ -210,11 +332,11 @@ "scening": "Scénario" }, "script": { - "off": "[%key_id:state::default::off%]", + "off": "Off", "on": "[%key_id:state::default::on%]" }, "sensor": { - "off": "[%key_id:state::default::off%]", + "off": "Off", "on": "[%key_id:state::default::on%]" }, "sun": { @@ -222,37 +344,13 @@ "below_horizon": "Sous l’horizon" }, "switch": { - "off": "[%key_id:state::default::off%]", + "off": "Off", "on": "On" }, - "zwave": { - "default": { - "initializing": "Initialisation", - "dead": "Morte", - "sleeping": "En veille", - "ready": "Prêt" - }, - "query_stage": { - "initializing": "Initialisation ( {query_stage} )", - "dead": "Morte ( {query_stage} )" - } - }, - "weather": { - "clear-night": "Nuit dégagée", - "cloudy": "Nuageux", - "fog": "Brouillard", - "hail": "Grêle", - "lightning": "Orage", - "lightning-rainy": "Orage \/ Pluie", - "partlycloudy": "Partiellement nuageux", - "pouring": "Averses", - "rainy": "Pluie", - "snowy": "Neige", - "snowy-rainy": "Neige \/ Pluie", - "sunny": "Soleil", - "windy": "Vent", - "windy-variant": "Vent", - "exceptional": "Exceptionnel" + "timer": { + "active": "actif", + "idle": "en veille", + "paused": "en pause" }, "vacuum": { "cleaning": "Nettoyage", @@ -264,362 +362,414 @@ "paused": "En pause", "returning": "Retourne à la base" }, - "timer": { - "active": "actif", - "idle": "en veille", - "paused": "en pause" + "weather": { + "clear-night": "Nuit dégagée", + "cloudy": "Nuageux", + "exceptional": "Exceptionnel", + "fog": "Brouillard", + "hail": "Grêle", + "lightning": "Orage", + "lightning-rainy": "Orage \/ Pluie", + "partlycloudy": "Partiellement nuageux", + "pouring": "Averses", + "rainy": "Pluie", + "snowy": "Neige", + "snowy-rainy": "Neige \/ Pluie", + "sunny": "Soleil", + "windy": "Vent", + "windy-variant": "Vent" }, - "person": { - "home": "Présent", - "not_home": "Absent" - } - }, - "state_badge": { - "default": { - "unknown": "Inconnu", - "unavailable": "Indisponible", - "error": "Erreur", - "entity_not_found": "Entité introuvable" - }, - "alarm_control_panel": { - "armed": "Activé", - "disarmed": "Désactivé", - "armed_home": "Activé", - "armed_away": "Activé", - "armed_night": "Activé", - "pending": "En cours", - "arming": "Activer", - "disarming": "Désarmement", - "triggered": "Déclenchée", - "armed_custom_bypass": "Activé" - }, - "device_tracker": { - "home": "Présent", - "not_home": "Absent" - }, - "person": { - "home": "Présent", - "not_home": "Absent" + "zwave": { + "default": { + "dead": "Morte", + "initializing": "Initialisation", + "ready": "Prêt", + "sleeping": "En veille" + }, + "query_stage": { + "dead": "Morte ( {query_stage} )", + "initializing": "Initialisation ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Effacement accompli", - "add_item": "Ajouter un élément", - "microphone_tip": "Cliquez sur le microphone en haut à droite et dites “Ajouter des bonbons à ma liste d'achat”" + "auth_store": { + "ask": "Voulez-vous enregistrer cette connexion?", + "confirm": "Enregistrer la connexion", + "decline": "Non merci" + }, + "card": { + "alarm_control_panel": { + "arm_away": "Armer (absent)", + "arm_custom_bypass": "Bypass personnalisé", + "arm_home": "Armer (domicile)", + "arm_night": "Armer nuit", + "armed_custom_bypass": "Bypass personnalisé", + "clear_code": "Effacer", + "code": "Code", + "disarm": "Désarmer" }, - "developer-tools": { - "tabs": { - "services": { - "title": "Services", - "description": "L'outil service dev vous permet d'appeler n'importe quel service disponible dans Home Assistant.", - "data": "Données de service (YAML, facultatif)", - "call_service": "Appeler le service", - "select_service": "Sélectionnez un service pour voir la description", - "no_description": "Aucune description n'est disponible", - "no_parameters": "Ce service ne prend aucun paramètre.", - "column_parameter": "Paramètre", - "column_description": "Description", - "column_example": "Exemple", - "fill_example_data": "Remplir des exemples de données", - "alert_parsing_yaml": "Erreur d'analyse de YAML: {data}" - }, - "states": { - "title": "États", - "description1": "Définir la représentation d'un périphérique dans Home Assistant.", - "description2": "Cela ne communiquera pas avec le périphérique réel.", - "entity": "Entité", - "state": "Etat", - "attributes": "Attributs", - "state_attributes": "Attributs d'état (YAML, facultatif)", - "set_state": "Définir l'état", - "current_entities": "Entités actuelles", - "filter_entities": "Filtrer les entités", - "filter_states": "Filtrer les états", - "filter_attributes": "Filtrer les attributs", - "no_entities": "Aucune entité", - "more_info": "Plus d’infos", - "alert_entity_field": "L'entité est un champ obligatoire" - }, - "events": { - "title": "Événements", - "description": "Déclencher un événement dans le bus d'événement.", - "documentation": "Documentation sur les événements.", - "type": "Type d'événement", - "data": "Données d'événement (YAML, facultatif)", - "fire_event": "Déclencher l'événement", - "event_fired": "Evénement {name} déclenché", - "available_events": "Événements disponibles", - "count_listeners": " ({count} récepteurs)", - "listen_to_events": "Écoutez les événements", - "listening_to": "Écouter", - "subscribe_to": "Évènement auquel s'abonner", - "start_listening": "Commence à écouter", - "stop_listening": "Arrêter d'écouter", - "alert_event_type": "Le type d'événement est un champ obligatoire", - "notification_event_fired": "L'événement {type} été déclenché avec succès!" - }, - "templates": { - "title": "Template", - "description": "Les modèles sont rendus à l'aide du moteur de modèles Jinja2 avec certaines extensions spécifiques de Home Assistant.", - "editor": "Éditeur de modèles", - "jinja_documentation": "Documentation de modèle Jinja2", - "template_extensions": "Extensions de modèles de Home Assistant", - "unknown_error_template": "Erreur inconnue du rendu du modèle" - }, - "mqtt": { - "title": "MQTT", - "description_publish": "Publier un paquet", - "topic": "sujet", - "payload": "Charge utile (modèle autorisé)", - "publish": "Publier", - "description_listen": "Écouter un sujet", - "listening_to": "Écouter", - "subscribe_to": "Sujet auquel s'abonner", - "start_listening": "Commencer à écouter", - "stop_listening": "Arrêter d'écouter", - "message_received": "Message {id} reçu sur {topic} à {time} :" - }, - "info": { - "title": "Info", - "remove": "Supprimer", - "set": "Mettre", - "default_ui": "{action} {name} comme page par défaut sur ce périphérique", - "lovelace_ui": "Accéder à l'interface utilisateur de Lovelace", - "states_ui": "Aller à l'interface utilisateur des états", - "home_assistant_logo": "Logo de Home Assistant", - "path_configuration": "Chemin vers configuration.yaml: {path}", - "developed_by": "Développé par un groupe de personnes formidables.", - "license": "Publié sous la licence Apache 2.0", - "source": "Source:", - "server": "serveur", - "frontend": "interface utilisateur", - "built_using": "Construit en utilisant", - "icons_by": "Icônes par", - "frontend_version": "Version interface utilisateur: {version} - {type}", - "custom_uis": "Interface utilisateur personnalisée:", - "system_health_error": "Le composant System Health n'est pas chargé. Ajouter 'system_health:' à configuration.yaml" - }, - "logs": { - "title": "Journaux", - "details": "Détails du journal ( {level} )", - "load_full_log": "Charger le journal complet", - "loading_log": "Chargement du journal des erreurs…", - "no_errors": "Aucune erreur n'a été signalée.", - "no_issues": "Il n'y a pas de nouveaux problèmes!", - "clear": "Nettoyer", - "refresh": "Rafraîchir", - "multiple_messages": "le message est apparu pour la première fois à {time} et est apparu {counter} fois. " - } + "automation": { + "last_triggered": "Dernier déclenchement", + "trigger": "Déclencher" + }, + "camera": { + "not_available": "Image non disponible" + }, + "climate": { + "aux_heat": "Chauffage d'appoint", + "away_mode": "Mode \"Absent\"", + "cooling": "{name} refroidissement", + "current_temperature": "{name} température actuelle", + "currently": "Actuellement", + "fan_mode": "Mode de ventilation", + "heating": "{name} chauffage", + "high": "haute", + "low": "basse", + "on_off": "Allumé \/ Éteint", + "operation": "Opération", + "preset_mode": "Préréglage", + "swing_mode": "Mode de balancement", + "target_humidity": "Humidité cible", + "target_temperature": "Température cible", + "target_temperature_entity": "{name} température cible", + "target_temperature_mode": "{name} température cible {mode}" + }, + "counter": { + "actions": { + "decrement": "décrémenter", + "increment": "incrémenter", + "reset": "réinitialiser" } }, - "history": { - "showing_entries": "Afficher les entrées pour", - "period": "Période" + "cover": { + "position": "Emplacement", + "tilt_position": "Inclinaison" }, - "logbook": { - "showing_entries": "Afficher les entrées pour le", - "period": "Période" + "fan": { + "direction": "Direction", + "forward": "En avant", + "oscillate": "Osciller", + "reverse": "Sens inverse", + "speed": "Vitesse" }, - "mailbox": { - "empty": "Vous n'avez aucun message", - "playback_title": "Lecture de messages", - "delete_prompt": "Supprimer ce message ?", - "delete_button": "Effacer" + "light": { + "brightness": "Luminosité", + "color_temperature": "Température de couleur", + "effect": "Effet", + "white_value": "Niveau de blanc" }, - "config": { - "header": "Configurer Home Assistant", - "introduction": "Ici, il est possible de configurer vos composants et Home Assistant. Tout n'est pas encore possible de configurer à partir de l'interface utilisateur, mais nous y travaillons.", - "core": { - "caption": "Général", - "description": "Changer la configuration générale de votre Home Assistant.", - "section": { - "core": { - "header": "Configuration générale", - "introduction": "Changer votre configuration peut être un processus fastidieux. Nous le savons. Cette section va essayer de vous rendre la vie un peu plus facile.", - "core_config": { - "edit_requires_storage": "L'éditeur est désactivé car la configuration est stockée dans configuration.yaml.", - "location_name": "Nom de votre installation Home Assistant", - "latitude": "Latitude", - "longitude": "Longitude", - "elevation": "Élévation", - "elevation_meters": "mètres", - "time_zone": "Fuseau horaire", - "unit_system": "Système d'unité", - "unit_system_imperial": "Impérial", - "unit_system_metric": "Métrique", - "imperial_example": "Fahrenheit, livres", - "metric_example": "Celsius, kilogrammes", - "save_button": "Enregistrer" - } - }, - "server_control": { - "validation": { - "heading": "Validation de la configuration", - "introduction": "Valider votre configuration si vous avez récemment apporté quelques modifications à votre configuration et que vous souhaitez vous assurer qu'elle est valide", - "check_config": "Vérifier la configuration", - "valid": "Configuration valide !", - "invalid": "Configuration invalide" - }, - "reloading": { - "heading": "Rechargement de la configuration", - "introduction": "Certaines parties de Home Assistant peuvent être rechargées sans nécessiter de redémarrage. Le fait de cliquer sur recharger déchargera leur configuration actuelle et chargera la nouvelle.", - "core": "Recharger le noyau", - "group": "Recharger les groupes", - "automation": "Recharger les automatisations", - "script": "Recharger les scripts" - }, - "server_management": { - "heading": "Gestion du serveur", - "introduction": "Contrôler votre serveur Home Assistant… à partir de Home Assistant.", - "restart": "Redémarrer", - "stop": "Arrêter" - } - } - } + "lock": { + "code": "Code", + "lock": "Verrouiller", + "unlock": "Déverrouiller" + }, + "media_player": { + "sound_mode": "Mode sonore", + "source": "Source", + "text_to_speak": "Texte à lire" + }, + "persistent_notification": { + "dismiss": "Ignorer" + }, + "scene": { + "activate": "Activer" + }, + "script": { + "execute": "Exécuter" + }, + "timer": { + "actions": { + "cancel": "annuler", + "finish": "terminer", + "pause": "pause", + "start": "démarrer" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Reprendre le nettoyage", + "return_to_base": "Retourner à la base", + "start_cleaning": "Commencer à nettoyer", + "turn_off": "Éteindre", + "turn_on": "Allumer" + } + }, + "water_heater": { + "away_mode": "Mode \"Absent\"", + "currently": "Actuellement", + "on_off": "Marche \/ Arrêt", + "operation": "Opération", + "target_temperature": "Température cible" + }, + "weather": { + "attributes": { + "air_pressure": "Pression atmosphérique", + "humidity": "Humidité", + "temperature": "Température", + "visibility": "Visibilité", + "wind_speed": "Vitesse du vent" }, - "customize": { - "caption": "Personnalisation", - "description": "Personnaliser vos entités", + "cardinal_direction": { + "e": "E", + "ene": "E-NE", + "ese": "E-SE", + "n": "N", + "ne": "NE", + "nne": "N-NE", + "nnw": "N-NO", + "nw": "NO", + "s": "S", + "se": "SE", + "sse": "S-SE", + "ssw": "S-SO", + "sw": "SO", + "w": "O", + "wnw": "O-NO", + "wsw": "O-SO" + }, + "forecast": "Prévisions" + } + }, + "common": { + "cancel": "Annuler", + "loading": "Chargement", + "no": "Non", + "save": "Enregistrer", + "successfully_saved": "Enregistré avec succès", + "yes": "Oui" + }, + "components": { + "device-picker": { + "clear": "Effacer", + "show_devices": "Afficher les appareils" + }, + "entity": { + "entity-picker": { + "clear": "Effacer", + "entity": "Entité", + "show_entities": "Afficher les entités" + } + }, + "history_charts": { + "loading_history": "Chargement de l'historique des valeurs ...", + "no_history_found": "Aucun historique des valeurs trouvé." + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\none {jour}\\nother {jours}\\n}", + "hour": "{count} {count, plural,\\none {heure}\\nother {heures}\\n}", + "minute": "{count} {count, plural,\\none {minute}\\nother {minutes}\\n}", + "second": "{count} {count, plural,\\none {seconde}\\nother {secondes}\\n}", + "week": "{count} {count, plural,\\none {semaine}\\nother {semaines}\\n}" + }, + "future": "Dans {time}", + "never": "Jamais", + "past": "Il y a {time}" + }, + "service-picker": { + "service": "Service" + } + }, + "dialogs": { + "config_entry_system_options": { + "enable_new_entities_description": "Si désactivé, les entités nouvellement découvertes ne seront pas ajoutées automatiquement à Home Assistant.", + "enable_new_entities_label": "Activer les entités nouvellement ajoutées.", + "title": "Options système pour {integration}" + }, + "confirmation": { + "cancel": "Annuler", + "ok": "OK", + "title": "Êtes-vous sûr?" + }, + "more_info_control": { + "script": { + "last_action": "Dernière action" + }, + "sun": { + "elevation": "Élévation", + "rising": "Lever", + "setting": "Coucher" + }, + "updater": { + "title": "Instructions de mise à jour" + } + }, + "more_info_settings": { + "entity_id": "ID de l'entité", + "name": "Outrepasser le nom", + "save": "Sauvegarder" + }, + "options_flow": { + "form": { + "header": "Options" + }, + "success": { + "description": "Option enregistrées avec succès." + } + }, + "voice_command": { + "how_can_i_help": "Comment puis-je vous aider ?" + }, + "zha_device_info": { + "buttons": { + "add": "Ajouter des appareils", + "reconfigure": "Reconfigurer l'appareil", + "remove": "Supprimer l'appareil" + }, + "last_seen": "Dernière vue", + "manuf": "par {manufacturer}", + "no_area": "Pas de pièce", + "power_source": "Source d'énergie", + "quirk": "Quirk", + "services": { + "reconfigure": "Reconfigurer le périphérique ZHA. Utilisez cette option si vous rencontrez des problèmes avec le périphérique. Si l'appareil en question est un appareil alimenté par batterie, assurez-vous qu'il soit allumé et qu'il accepte les commandes lorsque vous utilisez ce service.", + "remove": "Supprimer un appareil du réseau Zigbee.", + "updateDeviceName": "Définissez un nom personnalisé pour ce périphérique dans le registre de périphériques." + }, + "unknown": "Inconnu", + "zha_device_card": { + "area_picker_label": "Pièce", + "device_name_placeholder": "Nom personnalisé", + "update_name_button": "Modifier le nom" + } + } + }, + "duration": { + "day": "{count} {count, plural,\\none {jour}\\nother {jours}\\n}", + "hour": "{count} {count, plural,\\none {heure}\\nother {heures}\\n}", + "minute": "{count} {count, plural,\\none {minute}\\nother {minutes}\\n}", + "second": "{count} {count, plural,\\none {seconde}\\nother {secondes}\\n}", + "week": "{count} {count, plural,\\none {semaine}\\nother {semaines}\\n}" + }, + "login-form": { + "log_in": "Connexion", + "password": "Mot de passe", + "remember": "Se rappeler" + }, + "notification_drawer": { + "click_to_configure": "Cliquez sur le bouton pour configurer {entity}", + "empty": "Aucune notification", + "title": "Notifications" + }, + "notification_toast": { + "connection_lost": "Connexion perdue. Reconnexion en cours ...", + "entity_turned_off": "Extinction de \"{entity}\".", + "entity_turned_on": "Allumage de \"{entity}\".", + "service_call_failed": "Échec d'appel du service \"{service}\".", + "service_called": "Service \"{service}\" appelé.", + "triggered": "Déclenché {name}" + }, + "panel": { + "config": { + "area_registry": { + "caption": "Registre des pièces", + "create_area": "CRÉER UNE PIÈCE", + "description": "Vue d'ensemble de toutes les pièces de votre maison.", + "editor": { + "create": "CRÉER", + "default_name": "Nouvelle pièce", + "delete": "SUPPRIMER", + "update": "METTRE À JOUR" + }, + "no_areas": "Vous n'avez pas encore configuré de pièce !", "picker": { - "header": "Personnalisation", - "introduction": "Ajuster les attributs par entité. Les personnalisations ajoutées \/ modifiées prendront effet immédiatement. Les personnalisations supprimées prendront effet lors de la mise à jour de l'entité." + "create_area": "CRÉER UNE PIÈCE", + "header": "Registre des pièces", + "integrations_page": "Page des intégrations", + "introduction": "Les zones sont utilisées pour organiser l'emplacement des périphériques. Ces informations seront utilisées partout dans Home Assistant pour vous aider à organiser votre interface, vos autorisations et vos intégrations avec d'autres systèmes.", + "introduction2": "Pour placer des périphériques dans une zone, utilisez le lien ci-dessous pour accéder à la page des intégrations, puis cliquez sur une intégration configurée pour accéder aux cartes de périphérique.", + "no_areas": "Vous n'avez pas encore configuré de pièce !" } }, "automation": { "caption": "Automatisation", "description": "Créer et modifier des automatisations.", - "picker": { - "header": "Éditeur d'automatisation", - "introduction": "L'éditeur d'automatisation vous permet de créer et éditer des automatisations. Veuillez lire les instructions ci-dessous pour vous assurer d'avoir configuré Home-Assistant correctement.", - "pick_automation": "Choisissez l'automatisation à éditer", - "no_automations": "Il n'y a aucune automatisation modifiable.", - "add_automation": "Ajouter une automatisation", - "learn_more": "En savoir plus sur les automatisations" - }, "editor": { - "introduction": "Utilisez les automatisations pour donner vie à votre maison", - "default_name": "Nouvelle automatisation", - "save": "Sauvegarder", - "unsaved_confirm": "Vous avez des changements non enregistrés. Êtes-vous sûr de vouloir quitter?", - "alias": "Nom", - "triggers": { - "header": "Déclencheurs", - "introduction": "Les déclencheurs sont ce qui lance le traitement d'une règle d'automatisation. Il est possible de spécifier plusieurs déclencheurs pour une même règle. Dès qu'un déclencheur est activé, Home Assistant validera les conditions, s'il y en a, et appellera l'action.\n\n[En apprendre plus sur les déclencheurs.](https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", - "add": "Ajouter un déclencheur", + "actions": { + "add": "Ajouter une action", + "delete": "Supprimer", + "delete_confirm": "Voulez-vous vraiment effacer ?", "duplicate": "Dupliquer", - "delete": "Effacer", - "delete_confirm": "Voulez-vous effacer ?", - "unsupported_platform": "Platefome non supportée : {platform}", - "type_select": "Type de déclencheur", + "header": "Actions", + "introduction": "Les actions sont ce que Home Assistant fera quand une automatisation est déclenchée.", + "learn_more": "En savoir plus sur les actions", + "type_select": "Type d'action", "type": { - "event": { - "label": "Événement :", - "event_type": "Type d'événement", - "event_data": "Données de l'événement" + "condition": { + "label": "Condition" }, - "state": { - "label": "État", - "from": "De", - "to": "À", - "for": "Pour" + "delay": { + "delay": "Délai", + "label": "Délai" }, - "homeassistant": { - "label": "Home Assistant", - "event": "Événement :", - "start": "Démarrage", - "shutdown": "Arrêt" - }, - "mqtt": { - "label": "MQTT", - "topic": "Sujet", - "payload": "Payload (optionnel)" - }, - "numeric_state": { - "label": "État numérique", - "above": "Au-dessus de", - "below": "En-dessous de", - "value_template": "Contenu du template (optionnel)" - }, - "sun": { - "label": "Soleil", - "event": "Événement :", - "sunrise": "Lever du soleil", - "sunset": "Coucher du soleil", - "offset": "Décalage (optionnel)" - }, - "template": { - "label": "Template", - "value_template": "Contenu du template" - }, - "time": { - "label": "Heure", - "at": "À" - }, - "zone": { - "label": "Zone", - "entity": "Entité avec emplacement", - "zone": "Zone", - "event": "Événement :", - "enter": "Entre", - "leave": "Quitte" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "ID Webhook" - }, - "time_pattern": { - "label": "Modèle de temps", - "hours": "Heures", - "minutes": "Minutes", - "seconds": "Secondes" - }, - "geo_location": { - "label": "Géolocalisation", - "source": "Source", - "zone": "Zone", - "event": "Événement :", - "enter": "Entre", - "leave": "Quitte" - }, - "device": { - "label": "Équipements", + "device_id": { "extra_fields": { - "above": "Au-dessus de", - "below": "Au-dessous de", - "for": "Durée" - } + "code": "Code" + }, + "label": "Appareil" + }, + "event": { + "event": "Évènement :", + "label": "Déclencher l'évènement", + "service_data": "Données du service" + }, + "scene": { + "label": "Activer scène" + }, + "service": { + "label": "Appeler un service", + "service_data": "Données du service" + }, + "wait_template": { + "label": "Attendre", + "timeout": "Délai d'expiration (optionnel)", + "wait_template": "Template d'attente" } }, - "learn_more": "En savoir plus sur les déclencheurs" + "unsupported_action": "Action non supportée : {action}" }, + "alias": "Nom", "conditions": { - "header": "Conditions", - "introduction": "Les conditions sont une partie optionnelle d'une règle d'automatisation et peuvent être utilisées pour empêcher une action d'avoir lieu lorsque la règle est déclenchée. Les conditions ressemblent aux déclencheurs mais sont très différentes. Un déclencheur regardera les événements sur le système tandis qu'une condition ne regarde que l'état courant du système. Un déclencheur peut observer qu'un interrupteur est en train d'être allumé. Une condition ne peut que voir si l'interrupteur est allumé ou éteint.", "add": "Ajouter une condition", - "duplicate": "Dupliquer", "delete": "Effacer", "delete_confirm": "Voulez-vous vraiment effacer ?", - "unsupported_condition": "Condition non supportée: {condition}", + "duplicate": "Dupliquer", + "header": "Conditions", + "introduction": "Les conditions sont une partie optionnelle d'une règle d'automatisation et peuvent être utilisées pour empêcher une action d'avoir lieu lorsque la règle est déclenchée. Les conditions ressemblent aux déclencheurs mais sont très différentes. Un déclencheur regardera les événements sur le système tandis qu'une condition ne regarde que l'état courant du système. Un déclencheur peut observer qu'un interrupteur est en train d'être allumé. Une condition ne peut que voir si l'interrupteur est allumé ou éteint.", + "learn_more": "En savoir plus sur les conditions", "type_select": "Type de condition", "type": { + "and": { + "label": "Et" + }, + "device": { + "extra_fields": { + "above": "Au dessus de", + "below": "Au dessous de", + "for": "Durée" + }, + "label": "Appareil" + }, + "numeric_state": { + "above": "Dessus", + "below": "Sous", + "label": "Valeur numérique", + "value_template": "Contenu du modèle (optionnel)" + }, + "or": { + "label": "Ou" + }, "state": { "label": "État", "state": "État" }, - "numeric_state": { - "label": "Valeur numérique", - "above": "Dessus", - "below": "Sous", - "value_template": "Contenu du modèle (optionnel)" - }, "sun": { - "label": "Soleil", - "before": "Avant :", "after": "Après :", - "before_offset": "Décalage avant (optionnel)", "after_offset": "Décalage après (optionnel)", + "before": "Avant :", + "before_offset": "Décalage avant (optionnel)", + "label": "Soleil", "sunrise": "Lever du soleil", "sunset": "Coucher du soleil" }, @@ -628,395 +778,598 @@ "value_template": "Contenu du template" }, "time": { - "label": "Heure", "after": "Après", - "before": "Avant" + "before": "Avant", + "label": "Heure" }, "zone": { - "label": "Zone", "entity": "Entité avec localisation", + "label": "Zone", "zone": "Zone" - }, - "device": { - "label": "Appareil", - "extra_fields": { - "above": "Au dessus de", - "below": "Au dessous de", - "for": "Durée" - } - }, - "and": { - "label": "Et" - }, - "or": { - "label": "Ou" } }, - "learn_more": "En savoir plus sur les conditions" + "unsupported_condition": "Condition non supportée: {condition}" }, - "actions": { - "header": "Actions", - "introduction": "Les actions sont ce que Home Assistant fera quand une automatisation est déclenchée.", - "add": "Ajouter une action", - "duplicate": "Dupliquer", - "delete": "Supprimer", - "delete_confirm": "Voulez-vous vraiment effacer ?", - "unsupported_action": "Action non supportée : {action}", - "type_select": "Type d'action", - "type": { - "service": { - "label": "Appeler un service", - "service_data": "Données du service" - }, - "delay": { - "label": "Délai", - "delay": "Délai" - }, - "wait_template": { - "label": "Attendre", - "wait_template": "Template d'attente", - "timeout": "Délai d'expiration (optionnel)" - }, - "condition": { - "label": "Condition" - }, - "event": { - "label": "Déclencher l'évènement", - "event": "Évènement :", - "service_data": "Données du service" - }, - "device_id": { - "label": "Appareil", - "extra_fields": { - "code": "Code" - } - }, - "scene": { - "label": "Activer scène" - } - }, - "learn_more": "En savoir plus sur les actions" - }, - "load_error_not_editable": "Seules les automatisations dans automations.yaml sont modifiables.", - "load_error_unknown": "Erreur lors du chargement de l'automatisation ( {err_no} ).", + "default_name": "Nouvelle automatisation", "description": { "label": "Description", "placeholder": "Description optionnelle" - } - } - }, - "script": { - "caption": "Script", - "description": "Créer et modifier des scripts.", + }, + "introduction": "Utilisez les automatisations pour donner vie à votre maison", + "load_error_not_editable": "Seules les automatisations dans automations.yaml sont modifiables.", + "load_error_unknown": "Erreur lors du chargement de l'automatisation ( {err_no} ).", + "save": "Sauvegarder", + "triggers": { + "add": "Ajouter un déclencheur", + "delete": "Effacer", + "delete_confirm": "Voulez-vous effacer ?", + "duplicate": "Dupliquer", + "header": "Déclencheurs", + "introduction": "Les déclencheurs sont ce qui lance le traitement d'une règle d'automatisation. Il est possible de spécifier plusieurs déclencheurs pour une même règle. Dès qu'un déclencheur est activé, Home Assistant validera les conditions, s'il y en a, et appellera l'action.\\n\\n[En apprendre plus sur les déclencheurs.](https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", + "learn_more": "En savoir plus sur les déclencheurs", + "type_select": "Type de déclencheur", + "type": { + "device": { + "extra_fields": { + "above": "Au-dessus de", + "below": "Au-dessous de", + "for": "Durée" + }, + "label": "Équipements" + }, + "event": { + "event_data": "Données de l'événement", + "event_type": "Type d'événement", + "label": "Événement :" + }, + "geo_location": { + "enter": "Entre", + "event": "Événement :", + "label": "Géolocalisation", + "leave": "Quitte", + "source": "Source", + "zone": "Zone" + }, + "homeassistant": { + "event": "Événement :", + "label": "Home Assistant", + "shutdown": "Arrêt", + "start": "Démarrage" + }, + "mqtt": { + "label": "MQTT", + "payload": "Payload (optionnel)", + "topic": "Sujet" + }, + "numeric_state": { + "above": "Au-dessus de", + "below": "En-dessous de", + "label": "État numérique", + "value_template": "Contenu du template (optionnel)" + }, + "state": { + "for": "Pour", + "from": "De", + "label": "État", + "to": "À" + }, + "sun": { + "event": "Événement :", + "label": "Soleil", + "offset": "Décalage (optionnel)", + "sunrise": "Lever du soleil", + "sunset": "Coucher du soleil" + }, + "template": { + "label": "Template", + "value_template": "Contenu du template" + }, + "time_pattern": { + "hours": "Heures", + "label": "Modèle de temps", + "minutes": "Minutes", + "seconds": "Secondes" + }, + "time": { + "at": "À", + "label": "Heure" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "ID Webhook" + }, + "zone": { + "enter": "Entre", + "entity": "Entité avec emplacement", + "event": "Événement :", + "label": "Zone", + "leave": "Quitte", + "zone": "Zone" + } + }, + "unsupported_platform": "Platefome non supportée : {platform}" + }, + "unsaved_confirm": "Vous avez des changements non enregistrés. Êtes-vous sûr de vouloir quitter?" + }, "picker": { - "header": "Éditeur de script", - "introduction": "L'éditeur de script vous permet de créer et d'éditer des scripts. Suivez le lien ci-dessous pour lire les instructions afin de vous assurer que vous avez correctement configuré Home Assistant.", - "learn_more": "En savoir plus sur les scripts", - "no_scripts": "Nous n'avons pas trouvé de scripts modifiables", - "add_script": "Ajouter un script" - }, - "editor": { - "header": "Script: {name}", - "default_name": "Nouveau script", - "load_error_not_editable": "Seuls les scripts dans scripts.yaml sont modifiables.", - "delete_confirm": "Êtes-vous sûr de vouloir supprimer ce script?" - } - }, - "zwave": { - "caption": "Z-Wave", - "description": "Gérer votre réseau Z-Wave", - "network_management": { - "header": "Gestion de réseau Z-Wave", - "introduction": "Exécutez les commandes qui affectent le réseau Z-Wave. Vous ne saurez pas si la plupart des commandes ont réussi, mais vous pouvez consulter le journal OZW pour essayer de le savoir." - }, - "network_status": { - "network_stopped": "Réseau Z-Wave arrêté", - "network_starting": "Démarrage du réseau Z-Wave...", - "network_starting_note": "Ceci peut prendre un certain temps en fonction du débit de votre réseau.", - "network_started": "Le réseau Z-Wave a été démarré", - "network_started_note_some_queried": "Les nœuds éveillés ont été interrogés. Les nœuds en veille seront interrogés à leur réveil.", - "network_started_note_all_queried": "Tous les nœuds ont été interrogés." - }, - "services": { - "start_network": "Démarrer le réseau", - "stop_network": "Arrêter le réseau", - "heal_network": "Soigner le réseau", - "test_network": "Tester le réseau", - "soft_reset": "Redémarrage", - "save_config": "Enregistrer la configuration", - "add_node_secure": "Ajouter un nœud sécurisé", - "add_node": "Ajouter un nœud", - "remove_node": "Supprimer un nœud", - "cancel_command": "Annuler la commande" - }, - "common": { - "value": "Valeur", - "instance": "Instance", - "index": "Indice", - "unknown": "inconnu", - "wakeup_interval": "Intervalle de réveil" - }, - "values": { - "header": "Valeurs des nœuds" - }, - "node_config": { - "header": "Options de configuration du nœud", - "seconds": "secondes", - "set_wakeup": "Définir l'intervalle de réveil", - "config_parameter": "Paramètre de configuration", - "config_value": "Valeur de configuration", - "true": "Vrai", - "false": "Faux", - "set_config_parameter": "Définir le paramètre de configuration" - }, - "learn_more": "En savoir plus sur Z-Wave", - "ozw_log": { - "header": "Journal OZW", - "introduction": "Afficher le journal. 0 est le minimum (charges journal entier) et 1000 est le maximum. La charge affichera un journal statique et la queue sera mise à jour automatique avec le dernier nombre spécifié de lignes du journal." - } - }, - "users": { - "caption": "Utilisateurs", - "description": "Gérer les utilisateurs", - "picker": { - "title": "Utilisateurs", - "system_generated": "Généré par le système" - }, - "editor": { - "rename_user": "Renommer l'utilisateur", - "change_password": "Changer le mot de passe", - "activate_user": "Activer l'utilisateur", - "deactivate_user": "Désactiver l'utilisateur", - "delete_user": "Supprimer l'utilisateur", - "caption": "Voir l'utilisateur", - "id": "ID", - "owner": "Propriétaire", - "group": "Groupe", - "active": "Actif", - "system_generated": "Généré par le système", - "system_generated_users_not_removable": "Impossible de supprimer les utilisateurs générés par le système.", - "unnamed_user": "Utilisateur sans nom", - "enter_new_name": "Entrer un nouveau nom", - "user_rename_failed": "Le changement de nom d'utilisateur a échoué:", - "group_update_failed": "La mise à jour du groupe a échoué:", - "confirm_user_deletion": "Êtes-vous sûr de vouloir supprimer {name} ?" - }, - "add_user": { - "caption": "Ajouter un utilisateur", - "name": "Nom", - "username": "Nom d'utilisateur", - "password": "Mot de passe", - "create": "Créer" + "add_automation": "Ajouter une automatisation", + "header": "Éditeur d'automatisation", + "introduction": "L'éditeur d'automatisation vous permet de créer et éditer des automatisations. Veuillez lire les instructions ci-dessous pour vous assurer d'avoir configuré Home-Assistant correctement.", + "learn_more": "En savoir plus sur les automatisations", + "no_automations": "Il n'y a aucune automatisation modifiable.", + "pick_automation": "Choisissez l'automatisation à éditer" } }, "cloud": { + "account": { + "alexa": { + "config_documentation": "Documentation de configuration", + "disable": "désactiver", + "enable": "activer", + "enable_ha_skill": "Activer le skill Home Assistant pour Alexa", + "enable_state_reporting": "Activer le rapport d'état", + "info": "Grâce à l'intégration d'Alexa pour Home Assistant Cloud, vous pourrez contrôler tous vos appareils Home Assistant via n'importe quel appareil compatible Alexa.", + "info_state_reporting": "Si vous activez le rapport d'état, Home Assistant envoie tous les changements d'état des entités exposées à Amazon. Cela vous permet de toujours voir les derniers états de l'application Alexa et d'utiliser les changements d'état pour créer des routines.", + "manage_entities": "Gérer les entités", + "state_reporting_error": "Impossible d'activer {enable_disable} le rapport d'état .", + "sync_entities": "Synchroniser les entités", + "sync_entities_error": "Échec de la synchronisation des entités:", + "title": "Alexa" + }, + "connected": "Connecté", + "connection_status": "Etat de la connexion cloud", + "fetching_subscription": "Obtenir un abonnement...", + "google": { + "config_documentation": "Documentation de configuration", + "devices_pin": "PIN pour les appareils sécurisés", + "enable_ha_skill": "Activer le skill Home Assistant pour Google Assistant", + "enable_state_reporting": "Activer le rapport d'état", + "enter_pin_error": "Impossible de stocker le PIN:", + "enter_pin_hint": "Entrer un code PIN pour utiliser les dispositifs de sécurité", + "enter_pin_info": "Veuillez entrer un code PIN pour interagir avec les dispositifs de sécurité. Les dispositifs de sécurité sont les portes, les portes de garage et les serrures. Il vous sera demandé de dire\/entrer ce code PIN lorsque vous interagissez avec de tels appareils via Google Assistant.", + "info": "Grâce à l'intégration de Google Assistant pour Home Assistant Cloud, vous pourrez contrôler tous vos appareils Home Assistant via n'importe quel appareil compatible avec Google Assistant.", + "info_state_reporting": "Si vous activez le rapport d'état, Home Assistant envoie tous les changements d'état des entités exposées à Google. Cela vous permet de toujours voir les derniers états de l'application Google.", + "manage_entities": "Gérer les entités", + "security_devices": "Dispositif de securité", + "sync_entities": "Synchroniser les entités vers Google", + "title": "Google Assistant" + }, + "integrations": "Intégrations", + "integrations_introduction": "Les intégrations pour Home Assistant Cloud vous permettent de vous connecter à des services dans le cloud sans avoir à exposer publiquement votre instance de Home Assistant sur Internet.", + "integrations_introduction2": "Consultez le site Web pour", + "integrations_link_all_features": "Toutes les fonctionnalités disponibles", + "manage_account": "Gérer le compte", + "nabu_casa_account": "Compte Nabu Casa", + "not_connected": "Pas connecté", + "remote": { + "access_is_being_prepared": "L'accès à distance est en préparation. Nous vous informerons quand ce sera prêt.", + "certificate_info": "Informations sur le certificat", + "info": "Home Assistant Cloud fournit une connexion à distance sécurisée à votre instance lorsque vous n'êtes pas chez vous.", + "instance_is_available": "Votre instance est disponible à l'adresse", + "instance_will_be_available": "Votre instance sera disponible sur", + "link_learn_how_it_works": "Apprenez comment ça marche", + "title": "Télécommande" + }, + "sign_out": "Déconnexion", + "thank_you_note": "Merci de faire partie de Home Assistant Cloud. C’est grâce à des personnes comme vous que nous sommes en mesure de proposer une expérience domotique exceptionnelle à tout le monde. Je vous remercie!", + "webhooks": { + "disable_hook_error_msg": "Impossible de désactiver webhook:", + "info": "Tout ce qui est configuré pour être déclenché par un Webhook peut recevoir une URL accessible publiquement pour vous permettre de renvoyer des données à Home Assistant de n’importe où, sans exposer votre instance à Internet.", + "link_learn_more": "En savoir plus sur la création d'automatisations basées sur Webhook.", + "loading": "Chargement ...", + "manage": "Gérer", + "no_hooks_yet": "On dirait que vous n'avez pas encore de webhooks. Commencez par configurer un", + "no_hooks_yet_link_automation": "automatisation webhook", + "no_hooks_yet_link_integration": "intégration basée sur Webhook", + "no_hooks_yet2": "ou en créant un", + "title": "Webhooks" + } + }, + "alexa": { + "banner": "La modification des entités exposées via cette interface utilisateur est désactivée, car vous avez configuré les filtres d'entité dans configuration.yaml.", + "expose": "Exposer à Alexa", + "exposed_entities": "Entités exposées", + "not_exposed_entities": "Entités non exposées", + "title": "Alexa" + }, "caption": "Cloud Home Assistant", + "description_features": "Contrôle hors de la maison, intégration avec Alexa et Google Assistant.", "description_login": "Connecté en tant que {email}", "description_not_login": "Non connecté", - "description_features": "Contrôle hors de la maison, intégration avec Alexa et Google Assistant.", + "dialog_certificate": { + "certificate_expiration_date": "Date d'expiration du certificat", + "certificate_information": "Informations sur le certificat", + "close": "Fermer", + "fingerprint": "Empreinte du certificat:", + "will_be_auto_renewed": "Sera automatiquement renouvelé" + }, + "dialog_cloudhook": { + "available_at": "Le Webhook est disponible à l'URL suivante:", + "close": "Fermer", + "confirm_disable": "Êtes-vous sûr de vouloir désactiver ce Webhook?", + "copied_to_clipboard": "Copié dans le presse-papiers", + "info_disable_webhook": "Si vous ne souhaitez plus utiliser ce Webhook, vous pouvez", + "link_disable_webhook": "le désactiver", + "managed_by_integration": "Ce Webhook est géré par une intégration et ne peut pas être désactivé.", + "view_documentation": "Voir la documentation", + "webhook_for": "Webhook pour {name}" + }, + "forgot_password": { + "check_your_email": "Consultez votre courrier électronique pour savoir comment réinitialiser votre mot de passe.", + "email": "Email", + "email_error_msg": "Email invalide", + "instructions": "Entrez votre adresse email et nous vous enverrons un lien pour réinitialiser votre mot de passe.", + "send_reset_email": "Envoyer un email de réinitialisation", + "subtitle": "Mot de passe oublié", + "title": "Mot de passe oublié" + }, + "google": { + "banner": "La modification des entités exposées via cette interface utilisateur est désactivée, car vous avez configuré les filtres d'entité dans configuration.yaml.", + "disable_2FA": "Désactiver l'authentification à deux facteurs", + "expose": "Exposer à Google Assistant", + "exposed_entities": "Entités exposées", + "not_exposed_entities": "Entités non exposées", + "sync_to_google": "Synchroniser les modifications sur Google.", + "title": "Google Assistant" + }, "login": { - "title": "Connexion Cloud", + "alert_email_confirm_necessary": "Vous devez confirmer votre email avant de vous connecter.", + "alert_password_change_required": "Vous devez changer votre mot de passe avant de vous connecter.", + "dismiss": "Rejeter", + "email": "Email", + "email_error_msg": "E-mail non valide", + "forgot_password": "Mot de passe oublié?", "introduction": "Home Assistant Cloud vous fournit une connexion sécurisée à distance à votre instance lorsque vous êtes loin de chez vous. Il vous permet également de vous connecter à des services cloud uniquement : Amazon Alexa et Google Assistant.", "introduction2": "Ce service est géré par notre partenaire", "introduction2a": ", entreprise fondée par les fondateurs de Home Assistant et de Hass.io.", "introduction3": "Home Assistant Cloud est un service d'abonnement avec un essai gratuit d'un mois. Aucune information de paiement nécessaire.", "learn_more_link": "En savoir plus sur Home Assistant Cloud", - "dismiss": "Rejeter", - "sign_in": "Connexion", - "email": "Email", - "email_error_msg": "E-mail non valide", "password": "Mot de passe", "password_error_msg": "Les mots de passe doivent comporter au moins 8 caractères.", - "forgot_password": "Mot de passe oublié?", + "sign_in": "Connexion", "start_trial": "Commencez votre essai gratuit de 1 mois", - "trial_info": "Aucune information de paiement nécessaire", - "alert_password_change_required": "Vous devez changer votre mot de passe avant de vous connecter.", - "alert_email_confirm_necessary": "Vous devez confirmer votre email avant de vous connecter." - }, - "forgot_password": { - "title": "Mot de passe oublié", - "subtitle": "Mot de passe oublié", - "instructions": "Entrez votre adresse email et nous vous enverrons un lien pour réinitialiser votre mot de passe.", - "email": "Email", - "email_error_msg": "Email invalide", - "send_reset_email": "Envoyer un email de réinitialisation", - "check_your_email": "Consultez votre courrier électronique pour savoir comment réinitialiser votre mot de passe." + "title": "Connexion Cloud", + "trial_info": "Aucune information de paiement nécessaire" }, "register": { - "title": "Créer un compte", - "headline": "Commencer votre essai gratuit", - "information": "Créer un compte afin de commencer un mois d'essai gratuit avec Home Assistant Cloud. Aucune information de paiement nécessaires.", - "information2": "L'essai vous donnera accès à tous les avantages de Home Assistant Cloud, y compris:", - "feature_remote_control": "Contrôle de Home Assistant en dehors de la maison", - "feature_google_home": "Intégration avec Google Assistant", - "feature_amazon_alexa": "Intégration avec Amazon Alexa", - "feature_webhook_apps": "Intégration facile avec des applications Webhook telles que OwnTracks", - "information3": "Ce service est géré par notre partenaire", - "information3a": ", entreprise fondée par les fondateurs de Home Assistant et de Hass.io.", - "information4": "En créant un compte, vous acceptez les termes et conditions suivantes.", - "link_terms_conditions": "Termes et conditions", - "link_privacy_policy": "Politique de confidentialité", + "account_created": "Compte créé! Consultez votre courrier électronique pour savoir comment activer votre compte.", "create_account": "Créer un compte", "email_address": "Adresse e-mail", "email_error_msg": "Email invalide", + "feature_amazon_alexa": "Intégration avec Amazon Alexa", + "feature_google_home": "Intégration avec Google Assistant", + "feature_remote_control": "Contrôle de Home Assistant en dehors de la maison", + "feature_webhook_apps": "Intégration facile avec des applications Webhook telles que OwnTracks", + "headline": "Commencer votre essai gratuit", + "information": "Créer un compte afin de commencer un mois d'essai gratuit avec Home Assistant Cloud. Aucune information de paiement nécessaires.", + "information2": "L'essai vous donnera accès à tous les avantages de Home Assistant Cloud, y compris:", + "information3": "Ce service est géré par notre partenaire", + "information3a": ", entreprise fondée par les fondateurs de Home Assistant et de Hass.io.", + "information4": "En créant un compte, vous acceptez les termes et conditions suivantes.", + "link_privacy_policy": "Politique de confidentialité", + "link_terms_conditions": "Termes et conditions", "password": "Mot de passe", "password_error_msg": "Les mots de passe doivent comporter au moins 8 caractères.", - "start_trial": "Démarrer la version d'évaluation", "resend_confirm_email": "Renvoyer l'email de confirmation", - "account_created": "Compte créé! Consultez votre courrier électronique pour savoir comment activer votre compte." - }, - "account": { - "thank_you_note": "Merci de faire partie de Home Assistant Cloud. C’est grâce à des personnes comme vous que nous sommes en mesure de proposer une expérience domotique exceptionnelle à tout le monde. Je vous remercie!", - "nabu_casa_account": "Compte Nabu Casa", - "connection_status": "Etat de la connexion cloud", - "manage_account": "Gérer le compte", - "sign_out": "Déconnexion", - "integrations": "Intégrations", - "integrations_introduction": "Les intégrations pour Home Assistant Cloud vous permettent de vous connecter à des services dans le cloud sans avoir à exposer publiquement votre instance de Home Assistant sur Internet.", - "integrations_introduction2": "Consultez le site Web pour", - "integrations_link_all_features": "Toutes les fonctionnalités disponibles", - "connected": "Connecté", - "not_connected": "Pas connecté", - "fetching_subscription": "Obtenir un abonnement...", - "remote": { - "title": "Télécommande", - "access_is_being_prepared": "L'accès à distance est en préparation. Nous vous informerons quand ce sera prêt.", - "info": "Home Assistant Cloud fournit une connexion à distance sécurisée à votre instance lorsque vous n'êtes pas chez vous.", - "instance_is_available": "Votre instance est disponible à l'adresse", - "instance_will_be_available": "Votre instance sera disponible sur", - "link_learn_how_it_works": "Apprenez comment ça marche", - "certificate_info": "Informations sur le certificat" - }, - "alexa": { - "title": "Alexa", - "info": "Grâce à l'intégration d'Alexa pour Home Assistant Cloud, vous pourrez contrôler tous vos appareils Home Assistant via n'importe quel appareil compatible Alexa.", - "enable_ha_skill": "Activer le skill Home Assistant pour Alexa", - "config_documentation": "Documentation de configuration", - "enable_state_reporting": "Activer le rapport d'état", - "info_state_reporting": "Si vous activez le rapport d'état, Home Assistant envoie tous les changements d'état des entités exposées à Amazon. Cela vous permet de toujours voir les derniers états de l'application Alexa et d'utiliser les changements d'état pour créer des routines.", - "sync_entities": "Synchroniser les entités", - "manage_entities": "Gérer les entités", - "sync_entities_error": "Échec de la synchronisation des entités:", - "state_reporting_error": "Impossible d'activer {enable_disable} le rapport d'état .", - "enable": "activer", - "disable": "désactiver" - }, - "google": { - "title": "Google Assistant", - "info": "Grâce à l'intégration de Google Assistant pour Home Assistant Cloud, vous pourrez contrôler tous vos appareils Home Assistant via n'importe quel appareil compatible avec Google Assistant.", - "enable_ha_skill": "Activer le skill Home Assistant pour Google Assistant", - "config_documentation": "Documentation de configuration", - "enable_state_reporting": "Activer le rapport d'état", - "info_state_reporting": "Si vous activez le rapport d'état, Home Assistant envoie tous les changements d'état des entités exposées à Google. Cela vous permet de toujours voir les derniers états de l'application Google.", - "security_devices": "Dispositif de securité", - "enter_pin_info": "Veuillez entrer un code PIN pour interagir avec les dispositifs de sécurité. Les dispositifs de sécurité sont les portes, les portes de garage et les serrures. Il vous sera demandé de dire\/entrer ce code PIN lorsque vous interagissez avec de tels appareils via Google Assistant.", - "devices_pin": "PIN pour les appareils sécurisés", - "enter_pin_hint": "Entrer un code PIN pour utiliser les dispositifs de sécurité", - "sync_entities": "Synchroniser les entités vers Google", - "manage_entities": "Gérer les entités", - "enter_pin_error": "Impossible de stocker le PIN:" - }, - "webhooks": { - "title": "Webhooks", - "info": "Tout ce qui est configuré pour être déclenché par un Webhook peut recevoir une URL accessible publiquement pour vous permettre de renvoyer des données à Home Assistant de n’importe où, sans exposer votre instance à Internet.", - "no_hooks_yet": "On dirait que vous n'avez pas encore de webhooks. Commencez par configurer un", - "no_hooks_yet_link_integration": "intégration basée sur Webhook", - "no_hooks_yet2": "ou en créant un", - "no_hooks_yet_link_automation": "automatisation webhook", - "link_learn_more": "En savoir plus sur la création d'automatisations basées sur Webhook.", - "loading": "Chargement ...", - "manage": "Gérer", - "disable_hook_error_msg": "Impossible de désactiver webhook:" - } - }, - "alexa": { - "title": "Alexa", - "banner": "La modification des entités exposées via cette interface utilisateur est désactivée, car vous avez configuré les filtres d'entité dans configuration.yaml.", - "exposed_entities": "Entités exposées", - "not_exposed_entities": "Entités non exposées", - "expose": "Exposer à Alexa" - }, - "dialog_certificate": { - "certificate_information": "Informations sur le certificat", - "certificate_expiration_date": "Date d'expiration du certificat", - "will_be_auto_renewed": "Sera automatiquement renouvelé", - "fingerprint": "Empreinte du certificat:", - "close": "Fermer" - }, - "google": { - "title": "Google Assistant", - "expose": "Exposer à Google Assistant", - "disable_2FA": "Désactiver l'authentification à deux facteurs", - "banner": "La modification des entités exposées via cette interface utilisateur est désactivée, car vous avez configuré les filtres d'entité dans configuration.yaml.", - "exposed_entities": "Entités exposées", - "not_exposed_entities": "Entités non exposées", - "sync_to_google": "Synchroniser les modifications sur Google." - }, - "dialog_cloudhook": { - "webhook_for": "Webhook pour {name}", - "available_at": "Le Webhook est disponible à l'URL suivante:", - "managed_by_integration": "Ce Webhook est géré par une intégration et ne peut pas être désactivé.", - "info_disable_webhook": "Si vous ne souhaitez plus utiliser ce Webhook, vous pouvez", - "link_disable_webhook": "le désactiver", - "view_documentation": "Voir la documentation", - "close": "Fermer", - "confirm_disable": "Êtes-vous sûr de vouloir désactiver ce Webhook?", - "copied_to_clipboard": "Copié dans le presse-papiers" + "start_trial": "Démarrer la version d'évaluation", + "title": "Créer un compte" } }, + "common": { + "editor": { + "confirm_unsaved": "Vous avez des changements non enregistrés. Êtes-vous sûr de vouloir quitter?" + } + }, + "core": { + "caption": "Général", + "description": "Changer la configuration générale de votre Home Assistant.", + "section": { + "core": { + "core_config": { + "edit_requires_storage": "L'éditeur est désactivé car la configuration est stockée dans configuration.yaml.", + "elevation": "Élévation", + "elevation_meters": "mètres", + "imperial_example": "Fahrenheit, livres", + "latitude": "Latitude", + "location_name": "Nom de votre installation Home Assistant", + "longitude": "Longitude", + "metric_example": "Celsius, kilogrammes", + "save_button": "Enregistrer", + "time_zone": "Fuseau horaire", + "unit_system": "Système d'unité", + "unit_system_imperial": "Impérial", + "unit_system_metric": "Métrique" + }, + "header": "Configuration générale", + "introduction": "Changer votre configuration peut être un processus fastidieux. Nous le savons. Cette section va essayer de vous rendre la vie un peu plus facile." + }, + "server_control": { + "reloading": { + "automation": "Recharger les automatisations", + "core": "Recharger le noyau", + "group": "Recharger les groupes", + "heading": "Rechargement de la configuration", + "introduction": "Certaines parties de Home Assistant peuvent être rechargées sans nécessiter de redémarrage. Le fait de cliquer sur recharger déchargera leur configuration actuelle et chargera la nouvelle.", + "script": "Recharger les scripts" + }, + "server_management": { + "heading": "Gestion du serveur", + "introduction": "Contrôler votre serveur Home Assistant… à partir de Home Assistant.", + "restart": "Redémarrer", + "stop": "Arrêter" + }, + "validation": { + "check_config": "Vérifier la configuration", + "heading": "Validation de la configuration", + "introduction": "Valider votre configuration si vous avez récemment apporté quelques modifications à votre configuration et que vous souhaitez vous assurer qu'elle est valide", + "invalid": "Configuration invalide", + "valid": "Configuration valide !" + } + } + } + }, + "customize": { + "attributes_override": "Vous pouvez les remplacer si vous le souhaitez.", + "caption": "Personnalisation", + "description": "Personnaliser vos entités", + "picker": { + "header": "Personnalisation", + "introduction": "Ajuster les attributs par entité. Les personnalisations ajoutées \/ modifiées prendront effet immédiatement. Les personnalisations supprimées prendront effet lors de la mise à jour de l'entité." + }, + "warning": { + "include_link": "inclure customize.yaml" + } + }, + "devices": { + "area_picker_label": "Zone", + "automation": { + "actions": { + "caption": "Quand quelque chose est déclenché ..." + }, + "conditions": { + "caption": "Ne faire quelque chose que si ..." + }, + "triggers": { + "caption": "Faire quelque chose quand ..." + } + }, + "automations": "Automatismes", + "caption": "Appareils", + "data_table": { + "area": "Zone", + "battery": "Batterie", + "device": "Appareil", + "integration": "Intégration", + "manufacturer": "Fabricant", + "model": "Modèle" + }, + "description": "Gérer les appareils connectés", + "details": "Voici tous les détails de votre appareil.", + "device_not_found": "Appareil non trouvé.", + "entities": "Entités", + "info": "Infos sur l'appareil", + "unknown_error": "Erreur inconnue", + "unnamed_device": "Appareil sans nom" + }, + "entity_registry": { + "caption": "Registre des entités", + "description": "Vue d'ensemble de toutes les entités connues.", + "editor": { + "confirm_delete": "Êtes-vous sûr de vouloir supprimer cette entrée?", + "confirm_delete2": "La suppression d'une entrée ne supprimera pas l'entité de Home Assistant. Pour ce faire, vous devez supprimer l'intégration '{plate-forme}' de Home Assistant.", + "default_name": "Nouvelle pièce", + "delete": "SUPPRIMER", + "enabled_cause": "Désactivé par {cause}.", + "enabled_description": "Les entités désactivées ne seront pas ajoutées à Home Assistant.", + "enabled_label": "Activer l'entité", + "unavailable": "Cette entité n'est pas disponible actuellement.", + "update": "METTRE À JOUR" + }, + "picker": { + "header": "Registre des entités", + "headers": { + "enabled": "Activé", + "entity_id": "ID de l'entité", + "integration": "Intégration", + "name": "Nom" + }, + "integrations_page": "Page des intégrations", + "introduction": "Home Assistant tient un registre de chaque entité qu'il a déjà vu au moins une fois et qui peut être identifié de manière unique. Chacune de ces entités se verra attribuer un identifiant qui sera réservé à cette seule entité.", + "introduction2": "Utilisez le registre d'entités pour remplacer le nom, modifier l'ID d'entité ou supprimer l'entrée d'Home Assistant. Remarque: la suppression de l'entrée de registre d'entité ne supprime pas l'entité. Pour ce faire, suivez le lien ci-dessous et supprimez-le de la page des intégrations.", + "show_disabled": "Afficher les entités désactivées", + "unavailable": "(indisponible)" + } + }, + "header": "Configurer Home Assistant", "integrations": { "caption": "Intégrations", - "description": "Gérer les appareils et services connectés", - "discovered": "Découvert", - "configured": "Configuré", - "new": "Configurer une nouvelle intégration", - "configure": "Configurer", - "none": "Rien n'est encore configuré", "config_entry": { - "no_devices": "Cette intégration n'a pas d'appareils.", - "no_device": "Entités sans appareils", + "area": "Dans {area}", + "delete_button": "Supprimer {integration}", "delete_confirm": "Êtes-vous sûr de vouloir supprimer cette intégration?", - "restart_confirm": "Redémarrer Home Assistant pour terminer la suppression de cette intégration", - "manuf": "par {manufacturer}", - "via": "Connecté via", - "firmware": "Firmware: {version}", "device_unavailable": "appareil indisponible", "entity_unavailable": "entité indisponible", - "no_area": "Pas de pièce", + "firmware": "Firmware: {version}", "hub": "Connecté via", + "manuf": "par {manufacturer}", + "no_area": "Pas de pièce", + "no_device": "Entités sans appareils", + "no_devices": "Cette intégration n'a pas d'appareils.", + "restart_confirm": "Redémarrer Home Assistant pour terminer la suppression de cette intégration", "settings_button": "Modifier les paramètres pour {integration}", "system_options_button": "Options système pour {integration}", - "delete_button": "Supprimer {integration}", - "area": "Dans {area}" + "via": "Connecté via" }, "config_flow": { + "add_area": "Ajouter une zone", + "area_picker_label": "Zone", + "close": "Fermer", "external_step": { "description": "Cette étape nécessite la visite d'un site Web externe pour être complétée.", "open_site": "Ouvrir le site" - } + }, + "failed_create_area": "Échec de la création de la zone.", + "finish": "Terminer", + "not_all_required_fields": "Tous les champs obligatoires ne sont pas renseignés.", + "submit": "Soumettre" }, + "configure": "Configurer", + "configured": "Configuré", + "description": "Gérer les appareils et services connectés", + "discovered": "Découvert", + "home_assistant_website": "site web de Home Assistant", + "integration_not_found": "Intégration non trouvée.", + "new": "Configurer une nouvelle intégration", + "none": "Rien n'est encore configuré", "note_about_integrations": "Toutes les intégrations ne peuvent pas encore être configurées via l'interface utilisateur.", - "note_about_website_reference": "D'autres sont disponibles sur le ", - "home_assistant_website": "site web de Home Assistant" + "note_about_website_reference": "D'autres sont disponibles sur le " + }, + "introduction": "Ici, il est possible de configurer vos composants et Home Assistant. Tout n'est pas encore possible de configurer à partir de l'interface utilisateur, mais nous y travaillons.", + "person": { + "add_person": "Ajouter une personne", + "caption": "Personnes", + "confirm_delete": "Êtes-vous sûr de vouloir supprimer cette personne?", + "confirm_delete2": "Tous les appareils appartenant à cette personne ne seront plus affectés.", + "create_person": "Créer une personne", + "description": "Gérer les personnes suivies par Home Assistant.", + "detail": { + "create": "Créer", + "delete": "Supprimer", + "device_tracker_intro": "Sélectionnez les appareils appartenant à cette personne.", + "device_tracker_pick": "Choisissez le périphérique à suivre", + "device_tracker_picked": "Appareil suivi", + "link_integrations_page": "Page des intégrations", + "link_presence_detection_integrations": "Intégrations de détection de présence", + "linked_user": "Utilisateur lié", + "name": "Nom", + "name_error_msg": "Le nom est obligatoire", + "new_person": "Nouvelle personne", + "no_device_tracker_available_intro": "Lorsque vous avez des appareils qui indiquent la présence d'une personne, vous serez en mesure de les affecter à une personne ici. Vous pouvez ajouter votre premier appareil en ajoutant une intégration de détection de présence à partir de la page d'intégration.", + "update": "Mise à jour" + }, + "introduction": "Ici, vous pouvez définir chaque personne d'intérêt dans Home Assistant.", + "no_persons_created_yet": "On dirait que vous n'avez pas encore créé de personnes.", + "note_about_persons_configured_in_yaml": "Remarque: les personnes configurées via configuration.yaml ne peuvent pas être modifiées via l'interface utilisateur." + }, + "scene": { + "editor": { + "default_name": "Nouvelle Scène", + "entities": { + "delete": "Supprimer l'entité", + "header": "Entités" + }, + "name": "Nom", + "save": "Sauvegarder" + } + }, + "script": { + "caption": "Script", + "description": "Créer et modifier des scripts.", + "editor": { + "default_name": "Nouveau script", + "delete_confirm": "Êtes-vous sûr de vouloir supprimer ce script?", + "header": "Script: {name}", + "load_error_not_editable": "Seuls les scripts dans scripts.yaml sont modifiables." + }, + "picker": { + "add_script": "Ajouter un script", + "header": "Éditeur de script", + "introduction": "L'éditeur de script vous permet de créer et d'éditer des scripts. Suivez le lien ci-dessous pour lire les instructions afin de vous assurer que vous avez correctement configuré Home Assistant.", + "learn_more": "En savoir plus sur les scripts", + "no_scripts": "Nous n'avons pas trouvé de scripts modifiables" + } + }, + "server_control": { + "caption": "Contrôle du serveur", + "description": "Redémarrer et arrêter le serveur Home Assistant", + "section": { + "reloading": { + "automation": "Recharger les automatisations", + "core": "Recharger le noyau", + "group": "Recharger les groupes", + "heading": "Rechargement de la configuration", + "introduction": "Certaines parties de Home Assistant peuvent être rechargées sans nécessiter de redémarrage. Le fait de cliquer sur recharger déchargera leur configuration actuelle et chargera la nouvelle.", + "scene": "Recharger les scènes", + "script": "Recharger les scripts" + }, + "server_management": { + "confirm_restart": "Êtes-vous sûr de vouloir redémarrer Home Assistant?", + "confirm_stop": "Êtes-vous sûr de vouloir arrêter Home Assistant?", + "heading": "Gestion du serveur", + "introduction": "Contrôler votre serveur Home Assistant… à partir de Home Assistant.", + "restart": "Redémarrer", + "stop": "Arrêter" + }, + "validation": { + "check_config": "Vérifier la configuration", + "heading": "Validation de la configuration", + "introduction": "Valider votre configuration si vous avez récemment apporté quelques modifications à votre configuration et que vous souhaitez vous assurer qu'elle est valide", + "invalid": "Configuration invalide", + "valid": "Configuration valide !" + } + } + }, + "users": { + "add_user": { + "caption": "Ajouter un utilisateur", + "create": "Créer", + "name": "Nom", + "password": "Mot de passe", + "username": "Nom d'utilisateur" + }, + "caption": "Utilisateurs", + "description": "Gérer les utilisateurs", + "editor": { + "activate_user": "Activer l'utilisateur", + "active": "Actif", + "caption": "Voir l'utilisateur", + "change_password": "Changer le mot de passe", + "confirm_user_deletion": "Êtes-vous sûr de vouloir supprimer {name} ?", + "deactivate_user": "Désactiver l'utilisateur", + "delete_user": "Supprimer l'utilisateur", + "enter_new_name": "Entrer un nouveau nom", + "group": "Groupe", + "group_update_failed": "La mise à jour du groupe a échoué:", + "id": "ID", + "owner": "Propriétaire", + "rename_user": "Renommer l'utilisateur", + "system_generated": "Généré par le système", + "system_generated_users_not_removable": "Impossible de supprimer les utilisateurs générés par le système.", + "unnamed_user": "Utilisateur sans nom", + "user_rename_failed": "Le changement de nom d'utilisateur a échoué:" + }, + "picker": { + "system_generated": "Généré par le système", + "title": "Utilisateurs" + } }, "zha": { - "caption": "ZHA", - "description": "Gestion de réseau domotique Zigbee", - "services": { - "reconfigure": "Reconfigurer le périphérique ZHA. Utilisez cette option si vous rencontrez des problèmes avec le périphérique. Si l'appareil en question est un appareil alimenté par batterie, assurez-vous qu'il soit allumé et qu'il accepte les commandes lorsque vous utilisez ce service.", - "updateDeviceName": "Définissez un nom personnalisé pour ce périphérique dans le registre de périphériques.", - "remove": "Supprimer un appareil du réseau Zigbee." - }, - "device_card": { - "device_name_placeholder": "Nom d'utilisateur", - "area_picker_label": "Pièce", - "update_name_button": "Mettre à jour le nom" - }, "add_device_page": { - "header": "Zigbee Home Automation - Ajout de périphériques", - "spinner": "Recherche de périphériques ZHA Zigbee ...", "discovery_text": "Les appareils découverts apparaîtront ici. Suivez les instructions pour votre \/ vos appareil(s) et placez-le(s) en mode de couplage.", - "search_again": "Rechercher à nouveau" + "header": "Zigbee Home Automation - Ajout de périphériques", + "search_again": "Rechercher à nouveau", + "spinner": "Recherche de périphériques ZHA Zigbee ..." + }, + "caption": "ZHA", + "cluster_attributes": { + "attributes_of_cluster": "Attributs du cluster sélectionné", + "get_zigbee_attribute": "Obtenir l'attribut Zigbee", + "header": "Attributs de cluster", + "help_attribute_dropdown": "Sélectionnez un attribut à afficher ou définissez sa valeur.", + "help_get_zigbee_attribute": "Obtenez la valeur pour l'attribut sélectionné.", + "help_set_zigbee_attribute": "Définir la valeur d'attribut pour le cluster spécifié sur l'entité spécifiée.", + "introduction": "Voir et éditer les attributs du cluster.", + "set_zigbee_attribute": "Définir l'attribut Zigbee" + }, + "cluster_commands": { + "commands_of_cluster": "Commandes du cluster sélectionné", + "header": "Commandes de cluster", + "help_command_dropdown": "Sélectionnez une commande avec laquelle interagir.", + "introduction": "Afficher et émettre des commandes de cluster.", + "issue_zigbee_command": "Émettre une commande Zigbee" + }, + "clusters": { + "help_cluster_dropdown": "Sélectionnez un cluster pour afficher les attributs et les commandes." }, "common": { "add_devices": "Ajouter des appareils", @@ -1025,472 +1378,258 @@ "manufacturer_code_override": "Code de remplacement du fabricant", "value": "Valeur" }, + "description": "Gestion de réseau domotique Zigbee", + "device_card": { + "area_picker_label": "Pièce", + "device_name_placeholder": "Nom d'utilisateur", + "update_name_button": "Mettre à jour le nom" + }, "network_management": { "header": "Gestion du réseau", "introduction": "Commandes qui affectent l'ensemble du réseau" }, "node_management": { "header": "Gestion d'appareils", - "introduction": "Exécutez les commandes ZHA qui affectent un seul périphérique. Choisissez un appareil pour voir une liste des commandes disponibles.", + "help_node_dropdown": "Sélectionnez un périphérique pour afficher les options par périphérique.", "hint_battery_devices": "Remarque: les appareils en veille (alimentés par batterie) doivent être réveillés lorsqu'ils exécutent des commandes. Vous pouvez généralement réveiller un appareil endormi en le déclenchant.", "hint_wakeup": "Certains appareils, tels que les capteurs Xiaomi, disposent d'un bouton de réveil sur lequel vous pouvez appuyer à environ 5 secondes d'intervalle pour que les appareils restent éveillés lorsque vous interagissez avec eux.", - "help_node_dropdown": "Sélectionnez un périphérique pour afficher les options par périphérique." + "introduction": "Exécutez les commandes ZHA qui affectent un seul périphérique. Choisissez un appareil pour voir une liste des commandes disponibles." }, - "clusters": { - "help_cluster_dropdown": "Sélectionnez un cluster pour afficher les attributs et les commandes." - }, - "cluster_attributes": { - "header": "Attributs de cluster", - "introduction": "Voir et éditer les attributs du cluster.", - "attributes_of_cluster": "Attributs du cluster sélectionné", - "get_zigbee_attribute": "Obtenir l'attribut Zigbee", - "set_zigbee_attribute": "Définir l'attribut Zigbee", - "help_attribute_dropdown": "Sélectionnez un attribut à afficher ou définissez sa valeur.", - "help_get_zigbee_attribute": "Obtenez la valeur pour l'attribut sélectionné.", - "help_set_zigbee_attribute": "Définir la valeur d'attribut pour le cluster spécifié sur l'entité spécifiée." - }, - "cluster_commands": { - "header": "Commandes de cluster", - "introduction": "Afficher et émettre des commandes de cluster.", - "commands_of_cluster": "Commandes du cluster sélectionné", - "issue_zigbee_command": "Émettre une commande Zigbee", - "help_command_dropdown": "Sélectionnez une commande avec laquelle interagir." + "services": { + "reconfigure": "Reconfigurer le périphérique ZHA. Utilisez cette option si vous rencontrez des problèmes avec le périphérique. Si l'appareil en question est un appareil alimenté par batterie, assurez-vous qu'il soit allumé et qu'il accepte les commandes lorsque vous utilisez ce service.", + "remove": "Supprimer un appareil du réseau Zigbee.", + "updateDeviceName": "Définissez un nom personnalisé pour ce périphérique dans le registre de périphériques." } }, - "area_registry": { - "caption": "Registre des pièces", - "description": "Vue d'ensemble de toutes les pièces de votre maison.", - "picker": { - "header": "Registre des pièces", - "introduction": "Les zones sont utilisées pour organiser l'emplacement des périphériques. Ces informations seront utilisées partout dans Home Assistant pour vous aider à organiser votre interface, vos autorisations et vos intégrations avec d'autres systèmes.", - "introduction2": "Pour placer des périphériques dans une zone, utilisez le lien ci-dessous pour accéder à la page des intégrations, puis cliquez sur une intégration configurée pour accéder aux cartes de périphérique.", - "integrations_page": "Page des intégrations", - "no_areas": "Vous n'avez pas encore configuré de pièce !", - "create_area": "CRÉER UNE PIÈCE" + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Indice", + "instance": "Instance", + "unknown": "inconnu", + "value": "Valeur", + "wakeup_interval": "Intervalle de réveil" }, - "no_areas": "Vous n'avez pas encore configuré de pièce !", - "create_area": "CRÉER UNE PIÈCE", - "editor": { - "default_name": "Nouvelle pièce", - "delete": "SUPPRIMER", - "update": "METTRE À JOUR", - "create": "CRÉER" - } - }, - "entity_registry": { - "caption": "Registre des entités", - "description": "Vue d'ensemble de toutes les entités connues.", - "picker": { - "header": "Registre des entités", - "unavailable": "(indisponible)", - "introduction": "Home Assistant tient un registre de chaque entité qu'il a déjà vu au moins une fois et qui peut être identifié de manière unique. Chacune de ces entités se verra attribuer un identifiant qui sera réservé à cette seule entité.", - "introduction2": "Utilisez le registre d'entités pour remplacer le nom, modifier l'ID d'entité ou supprimer l'entrée d'Home Assistant. Remarque: la suppression de l'entrée de registre d'entité ne supprime pas l'entité. Pour ce faire, suivez le lien ci-dessous et supprimez-le de la page des intégrations.", - "integrations_page": "Page des intégrations", - "show_disabled": "Afficher les entités désactivées", - "headers": { - "name": "Nom", - "entity_id": "ID de l'entité", - "integration": "Intégration", - "enabled": "Activé" - } + "description": "Gérer votre réseau Z-Wave", + "learn_more": "En savoir plus sur Z-Wave", + "network_management": { + "header": "Gestion de réseau Z-Wave", + "introduction": "Exécutez les commandes qui affectent le réseau Z-Wave. Vous ne saurez pas si la plupart des commandes ont réussi, mais vous pouvez consulter le journal OZW pour essayer de le savoir." }, - "editor": { - "unavailable": "Cette entité n'est pas disponible actuellement.", - "default_name": "Nouvelle pièce", - "delete": "SUPPRIMER", - "update": "METTRE À JOUR", - "enabled_label": "Activer l'entité", - "enabled_cause": "Désactivé par {cause}.", - "enabled_description": "Les entités désactivées ne seront pas ajoutées à Home Assistant.", - "confirm_delete": "Êtes-vous sûr de vouloir supprimer cette entrée?", - "confirm_delete2": "La suppression d'une entrée ne supprimera pas l'entité de Home Assistant. Pour ce faire, vous devez supprimer l'intégration '{plate-forme}' de Home Assistant." - } - }, - "person": { - "caption": "Personnes", - "description": "Gérer les personnes suivies par Home Assistant.", - "detail": { - "name": "Nom", - "device_tracker_intro": "Sélectionnez les appareils appartenant à cette personne.", - "device_tracker_picked": "Appareil suivi", - "device_tracker_pick": "Choisissez le périphérique à suivre", - "new_person": "Nouvelle personne", - "name_error_msg": "Le nom est obligatoire", - "linked_user": "Utilisateur lié", - "no_device_tracker_available_intro": "Lorsque vous avez des appareils qui indiquent la présence d'une personne, vous serez en mesure de les affecter à une personne ici. Vous pouvez ajouter votre premier appareil en ajoutant une intégration de détection de présence à partir de la page d'intégration.", - "link_presence_detection_integrations": "Intégrations de détection de présence", - "link_integrations_page": "Page des intégrations", - "delete": "Supprimer", - "create": "Créer", - "update": "Mise à jour" + "network_status": { + "network_started": "Le réseau Z-Wave a été démarré", + "network_started_note_all_queried": "Tous les nœuds ont été interrogés.", + "network_started_note_some_queried": "Les nœuds éveillés ont été interrogés. Les nœuds en veille seront interrogés à leur réveil.", + "network_starting": "Démarrage du réseau Z-Wave...", + "network_starting_note": "Ceci peut prendre un certain temps en fonction du débit de votre réseau.", + "network_stopped": "Réseau Z-Wave arrêté" }, - "introduction": "Ici, vous pouvez définir chaque personne d'intérêt dans Home Assistant.", - "note_about_persons_configured_in_yaml": "Remarque: les personnes configurées via configuration.yaml ne peuvent pas être modifiées via l'interface utilisateur.", - "no_persons_created_yet": "On dirait que vous n'avez pas encore créé de personnes.", - "create_person": "Créer une personne", - "add_person": "Ajouter une personne", - "confirm_delete": "Êtes-vous sûr de vouloir supprimer cette personne?", - "confirm_delete2": "Tous les appareils appartenant à cette personne ne seront plus affectés." - }, - "server_control": { - "caption": "Contrôle du serveur", - "description": "Redémarrer et arrêter le serveur Home Assistant", - "section": { - "validation": { - "heading": "Validation de la configuration", - "introduction": "Valider votre configuration si vous avez récemment apporté quelques modifications à votre configuration et que vous souhaitez vous assurer qu'elle est valide", - "check_config": "Vérifier la configuration", - "valid": "Configuration valide !", - "invalid": "Configuration invalide" - }, - "reloading": { - "heading": "Rechargement de la configuration", - "introduction": "Certaines parties de Home Assistant peuvent être rechargées sans nécessiter de redémarrage. Le fait de cliquer sur recharger déchargera leur configuration actuelle et chargera la nouvelle.", - "core": "Recharger le noyau", - "group": "Recharger les groupes", - "automation": "Recharger les automatisations", - "script": "Recharger les scripts", - "scene": "Recharger les scènes" - }, - "server_management": { - "heading": "Gestion du serveur", - "introduction": "Contrôler votre serveur Home Assistant… à partir de Home Assistant.", - "restart": "Redémarrer", - "stop": "Arrêter", - "confirm_restart": "Êtes-vous sûr de vouloir redémarrer Home Assistant?", - "confirm_stop": "Êtes-vous sûr de vouloir arrêter Home Assistant?" - } - } - }, - "devices": { - "caption": "Appareils", - "description": "Gérer les appareils connectés", - "automation": { - "triggers": { - "caption": "Faire quelque chose quand ..." - }, - "conditions": { - "caption": "Ne faire quelque chose que si ..." - }, - "actions": { - "caption": "Quand quelque chose est déclenché ..." - } - } - }, - "common": { - "editor": { - "confirm_unsaved": "Vous avez des changements non enregistrés. Êtes-vous sûr de vouloir quitter?" + "node_config": { + "config_parameter": "Paramètre de configuration", + "config_value": "Valeur de configuration", + "false": "Faux", + "header": "Options de configuration du nœud", + "seconds": "secondes", + "set_config_parameter": "Définir le paramètre de configuration", + "set_wakeup": "Définir l'intervalle de réveil", + "true": "Vrai" + }, + "ozw_log": { + "header": "Journal OZW", + "introduction": "Afficher le journal. 0 est le minimum (charges journal entier) et 1000 est le maximum. La charge affichera un journal statique et la queue sera mise à jour automatique avec le dernier nombre spécifié de lignes du journal." + }, + "services": { + "add_node": "Ajouter un nœud", + "add_node_secure": "Ajouter un nœud sécurisé", + "cancel_command": "Annuler la commande", + "heal_network": "Soigner le réseau", + "remove_node": "Supprimer un nœud", + "save_config": "Enregistrer la configuration", + "soft_reset": "Redémarrage", + "start_network": "Démarrer le réseau", + "stop_network": "Arrêter le réseau", + "test_network": "Tester le réseau" + }, + "values": { + "header": "Valeurs des nœuds" } } }, - "profile": { - "push_notifications": { - "header": "Notifications push", - "description": "Envoyer des notifications à cet appareil.", - "error_load_platform": "Configurer notify.html5.", - "error_use_https": "Nécessite l'activation de SSL pour le frontend.", - "push_notifications": "Notifications push", - "link_promo": "En savoir plus" - }, - "language": { - "header": "Langue", - "link_promo": "Aider à traduire", - "dropdown_label": "Langue" - }, - "themes": { - "header": "Thème", - "error_no_theme": "Aucun thème disponible.", - "link_promo": "En savoir plus sur les thèmes", - "dropdown_label": "Thème" - }, - "refresh_tokens": { - "header": "Actualiser les jetons", - "description": "Chaque jeton d'actualisation représente une session de connexion. Les jetons d'actualisation seront automatiquement supprimés lorsque vous cliquez sur Déconnexion. Les jetons d'actualisation suivants sont actuellement actifs pour votre compte.", - "token_title": "Actualiser le jeton de {clientId}", - "created_at": "Créé le {date}", - "confirm_delete": "Êtes-vous sûr de vouloir supprimer le jeton d'actualisation de {name} ?", - "delete_failed": "Impossible de supprimer le jeton d'actualisation", - "last_used": "Dernière utilisation le {date} à partir de {location}", - "not_used": "N'a jamais été utilisé", - "current_token_tooltip": "Impossible de supprimer le jeton d'actualisation actuel" - }, - "long_lived_access_tokens": { - "header": "Jetons d'accès de longue durée", - "description": "Créez des jetons d'accès de longue durée pour permettre à vos scripts d'interagir avec votre instance de Home Assistant. Chaque jeton sera valable 10 ans à compter de sa création. Les jetons d'accès longue durée suivants sont actuellement actifs.", - "learn_auth_requests": "Apprenez comment faire des demandes authentifiées.", - "created_at": "Créé le {date}", - "confirm_delete": "Êtes-vous sûr de vouloir supprimer le jeton d'accès de {name} ?", - "delete_failed": "Impossible de supprimer le jeton d'accès.", - "create": "Créer un jeton", - "create_failed": "Impossible de créer le jeton d'accès.", - "prompt_name": "Nom ?", - "prompt_copy_token": "Copiez votre jeton d'accès. Il ne sera plus affiché à nouveau.", - "empty_state": "Vous n'avez pas encore de jetons d'accès longue durée.", - "last_used": "Dernière utilisation le {date} à partir de {location}", - "not_used": "N'a jamais été utilisé" - }, - "current_user": "Vous êtes actuellement connecté en tant que {fullName}.", - "is_owner": "Vous êtes propriétaire", - "change_password": { - "header": "Changer le mot de passe", - "current_password": "Mot de passe actuel", - "new_password": "nouveau mot de passe", - "confirm_new_password": "Confirmer le nouveau mot de passe", - "error_required": "Requis", - "submit": "Envoyer" - }, - "mfa": { - "header": "Modules d'authentification multi-facteurs", - "disable": "Désactiver", - "enable": "Activer", - "confirm_disable": "Êtes-vous sûr de vouloir désactiver {name} ?" - }, - "mfa_setup": { - "title_aborted": "Abandonné", - "title_success": "Succès !", - "step_done": "Configuration terminée pour {step}", - "close": "Fermer", - "submit": "Envoyer" - }, - "logout": "Déconnexion", - "force_narrow": { - "header": "Toujours cacher la barre latérale", - "description": "Cela masquera la barre latérale par défaut, semblable à l'expérience mobile." - }, - "vibrate": { - "header": "Vibrer", - "description": "Activer ou désactiver les vibrations sur cet appareil lors du contrôle des périphériques." - }, - "advanced_mode": { - "title": "Mode avancé", - "description": "Home Assistant cache les fonctionnalités et options avancées par défaut. Vous pouvez rendre ces fonctionnalités accessibles en cochant cette case. Il s'agit d'un paramètre spécifique à l'utilisateur et n'a pas d'impact sur les autres utilisateurs utilisant Home Assistant." - } - }, - "page-authorize": { - "initializing": "Initialisation", - "authorizing_client": "Vous êtes sur le point de donner accès à {clientId} à votre instance de Home Assistant.", - "logging_in_with": "Se connecter avec **{authProviderName}**.", - "pick_auth_provider": "Ou connectez-vous avec", - "abort_intro": "Connexion interrompue", - "form": { - "working": "Veuillez patienter", - "unknown_error": "Quelque chose a mal tourné", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Nom d'utilisateur", - "password": "Mot de passe" - } - }, - "mfa": { - "data": { - "code": "Code d'authentification à deux facteurs" - }, - "description": "Ouvrez le **{mfa_module_name}** sur votre appareil pour afficher votre code d'authentification à deux facteurs et vérifier votre identité:" - } - }, - "error": { - "invalid_auth": "Nom d'utilisateur ou mot de passe invalide", - "invalid_code": "Code d'authentification invalide" - }, - "abort": { - "login_expired": "Session expirée, veuillez vous connecter à nouveau." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "Mot de passe API" - }, - "description": "Veuillez saisir le mot de passe API dans votre configuration http:" - }, - "mfa": { - "data": { - "code": "Code d'authentification à deux facteurs" - }, - "description": "Ouvrez le **{mfa_module_name}** sur votre appareil pour afficher votre code d'authentification à deux facteurs et vérifier votre identité:" - } - }, - "error": { - "invalid_auth": "Mot de passe API invalide", - "invalid_code": "Code d'authentification invalide" - }, - "abort": { - "no_api_password_set": "Vous n'avez pas de mot de passe API configuré.", - "login_expired": "Session expirée, veuillez vous connecter à nouveau." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Utilisateur" - }, - "description": "Sélectionnez l'utilisateur avec lequel vous souhaitez vous connecter :" - } - }, - "abort": { - "not_whitelisted": "Votre ordinateur n'est pas en liste blanche." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Nom d'utilisateur", - "password": "Mot de passe" - } - }, - "mfa": { - "data": { - "code": "Code d'authentification à deux facteurs" - }, - "description": "Ouvrez le **{mfa_module_name}** sur votre appareil pour afficher votre code d'authentification à deux facteurs et vérifier votre identité:" - } - }, - "error": { - "invalid_auth": "Nom d'utilisateur ou mot de passe invalide", - "invalid_code": "Code d'authentification invalide" - }, - "abort": { - "login_expired": "Session expirée, veuillez vous connecter à nouveau." - } - } - } - } - }, - "page-onboarding": { - "intro": "Êtes-vous prêt à réveiller votre maison, à récupérer votre vie privée et à rejoindre une communauté mondiale de bricoleurs?", - "user": { - "intro": "Commençons par créer un compte utilisateur.", - "required_field": "Requis", - "data": { - "name": "Nom", - "username": "Nom d'utilisateur", - "password": "Mot de passe", - "password_confirm": "Confirmez le mot de passe" + "developer-tools": { + "tabs": { + "events": { + "alert_event_type": "Le type d'événement est un champ obligatoire", + "available_events": "Événements disponibles", + "count_listeners": " ({count} récepteurs)", + "data": "Données d'événement (YAML, facultatif)", + "description": "Déclencher un événement dans le bus d'événement.", + "documentation": "Documentation sur les événements.", + "event_fired": "Evénement {name} déclenché", + "fire_event": "Déclencher l'événement", + "listen_to_events": "Écoutez les événements", + "listening_to": "Écouter", + "notification_event_fired": "L'événement {type} été déclenché avec succès!", + "start_listening": "Commence à écouter", + "stop_listening": "Arrêter d'écouter", + "subscribe_to": "Évènement auquel s'abonner", + "title": "Événements", + "type": "Type d'événement" }, - "create_account": "Créer un compte", - "error": { - "required_fields": "Remplissez tous les champs requis", - "password_not_match": "Les mots de passe ne correspondent pas" + "info": { + "built_using": "Construit en utilisant", + "custom_uis": "Interface utilisateur personnalisée:", + "default_ui": "{action} {name} comme page par défaut sur ce périphérique", + "developed_by": "Développé par un groupe de personnes formidables.", + "frontend": "interface utilisateur", + "frontend_version": "Version interface utilisateur: {version} - {type}", + "home_assistant_logo": "Logo de Home Assistant", + "icons_by": "Icônes par", + "license": "Publié sous la licence Apache 2.0", + "lovelace_ui": "Accéder à l'interface utilisateur de Lovelace", + "path_configuration": "Chemin vers configuration.yaml: {path}", + "remove": "Supprimer", + "server": "serveur", + "set": "Mettre", + "source": "Source:", + "states_ui": "Aller à l'interface utilisateur des états", + "system_health_error": "Le composant System Health n'est pas chargé. Ajouter 'system_health:' à configuration.yaml", + "title": "Info" + }, + "logs": { + "clear": "Nettoyer", + "details": "Détails du journal ( {level} )", + "load_full_log": "Charger le journal complet", + "loading_log": "Chargement du journal des erreurs…", + "multiple_messages": "le message est apparu pour la première fois à {time} et est apparu {counter} fois. ", + "no_errors": "Aucune erreur n'a été signalée.", + "no_issues": "Il n'y a pas de nouveaux problèmes!", + "refresh": "Rafraîchir", + "title": "Journaux" + }, + "mqtt": { + "description_listen": "Écouter un sujet", + "description_publish": "Publier un paquet", + "listening_to": "Écouter", + "message_received": "Message {id} reçu sur {topic} à {time} :", + "payload": "Charge utile (modèle autorisé)", + "publish": "Publier", + "start_listening": "Commencer à écouter", + "stop_listening": "Arrêter d'écouter", + "subscribe_to": "Sujet auquel s'abonner", + "title": "MQTT", + "topic": "sujet" + }, + "services": { + "alert_parsing_yaml": "Erreur d'analyse de YAML: {data}", + "call_service": "Appeler le service", + "column_description": "Description", + "column_example": "Exemple", + "column_parameter": "Paramètre", + "data": "Données de service (YAML, facultatif)", + "description": "L'outil service dev vous permet d'appeler n'importe quel service disponible dans Home Assistant.", + "fill_example_data": "Remplir des exemples de données", + "no_description": "Aucune description n'est disponible", + "no_parameters": "Ce service ne prend aucun paramètre.", + "select_service": "Sélectionnez un service pour voir la description", + "title": "Services" + }, + "states": { + "alert_entity_field": "L'entité est un champ obligatoire", + "attributes": "Attributs", + "current_entities": "Entités actuelles", + "description1": "Définir la représentation d'un périphérique dans Home Assistant.", + "description2": "Cela ne communiquera pas avec le périphérique réel.", + "entity": "Entité", + "filter_attributes": "Filtrer les attributs", + "filter_entities": "Filtrer les entités", + "filter_states": "Filtrer les états", + "more_info": "Plus d’infos", + "no_entities": "Aucune entité", + "set_state": "Définir l'état", + "state": "Etat", + "state_attributes": "Attributs d'état (YAML, facultatif)", + "title": "États" + }, + "templates": { + "description": "Les modèles sont rendus à l'aide du moteur de modèles Jinja2 avec certaines extensions spécifiques de Home Assistant.", + "editor": "Éditeur de modèles", + "jinja_documentation": "Documentation de modèle Jinja2", + "template_extensions": "Extensions de modèles de Home Assistant", + "title": "Template", + "unknown_error_template": "Erreur inconnue du rendu du modèle" } - }, - "integration": { - "intro": "Les appareils et les services sont représentés dans Home Assistant sous forme d’intégrations. Vous pouvez les configurer maintenant ou le faire plus tard à partir de l'écran de configuration.", - "more_integrations": "Plus", - "finish": "Terminer" - }, - "core-config": { - "intro": "Bonjour {name}, bienvenue dans Home Assistant. Comment voudriez-vous nommer votre maison?", - "intro_location": "Nous aimerions savoir où vous habitez. Ces informations vous aideront à afficher des informations et à configurer des automatismes basés sur le soleil. Ces données ne sont jamais partagées en dehors de votre réseau.", - "intro_location_detect": "Nous pouvons vous aider à renseigner ces informations en adressant une demande unique à un service externe.", - "location_name_default": "Maison", - "button_detect": "Détecter", - "finish": "Suivant" } }, + "history": { + "period": "Période", + "showing_entries": "Afficher les entrées pour" + }, + "logbook": { + "period": "Période", + "showing_entries": "Afficher les entrées pour le" + }, "lovelace": { "cards": { - "shopping-list": { - "checked_items": "Éléments cochés", - "clear_items": "Effacer les éléments cochés", - "add_item": "Ajouter un élément" - }, + "confirm_delete": "Êtes-vous sûr de vouloir supprimer cette carte?", "empty_state": { - "title": "Bienvenue à la maison", + "go_to_integrations_page": "Aller à la page des intégrations.", "no_devices": "Cette page vous permet de contrôler vos périphériques. Toutefois, il semble que vous n’ayez pas encore configuré de périphériques. Rendez-vous sur la page des intégrations pour commencer.", - "go_to_integrations_page": "Aller à la page des intégrations." + "title": "Bienvenue à la maison" }, "picture-elements": { - "hold": "Maintenir:", - "tap": "Appuyez sur:", - "navigate_to": "Accédez à {location}", - "toggle": "Activer\/désactiver {name}", "call_service": "Appeler le service {name}", + "hold": "Maintenir:", "more_info": "Afficher plus d'informations: {name}", + "navigate_to": "Accédez à {location}", + "tap": "Appuyez sur:", + "toggle": "Activer\/désactiver {name}", "url": "Ouvrir la fenêtre vers {url_path}." }, - "confirm_delete": "Êtes-vous sûr de vouloir supprimer cette carte?" + "shopping-list": { + "add_item": "Ajouter un élément", + "checked_items": "Éléments cochés", + "clear_items": "Effacer les éléments cochés" + } + }, + "changed_toast": { + "message": "La configuration de Lovelace a été modifiée, voulez-vous rafraîchir?", + "refresh": "Rafraîchir" }, "editor": { - "edit_card": { - "header": "Configuration de la carte", - "save": "Enregistrer", - "toggle_editor": "Activer\/désactiver l’éditeur", - "pick_card": "Choisissez l'automatisation à ajouter", - "add": "Ajouter une action", - "edit": "Modifier", - "delete": "Supprimer", - "move": "Déplacer", - "show_visual_editor": "Afficher l'éditeur visuel", - "show_code_editor": "Afficher l'éditeur de code", - "pick_card_view_title": "Quelle carte souhaitez-vous ajouter à votre vue {name} ?", - "options": "Plus d'options" - }, - "migrate": { - "header": "Configuration incompatible", - "para_no_id": "Cet élément n'a pas d'identifiant. Veuillez ajouter un identifiant à cet élément dans 'ui-lovelace.yaml'.", - "para_migrate": "Home Assistant peut ajouter automatiquement des identifiants à toutes vos cartes et vues en appuyant sur le bouton «Migrer la configuration».", - "migrate": "Migrer la configuration" - }, - "header": "Modifier l'interface utilisateur", - "edit_view": { - "header": "Voir la configuration", - "add": "Ajouter la vue", - "edit": "Modifier la vue", - "delete": "Supprimer la vue", - "header_name": "{name} Voir la configuration" - }, - "save_config": { - "header": "Prenez le contrôle de votre Interface Lovelace", - "para": "Par défaut, Home Assistant maintient votre interface utilisateur et la met à jour lorsque de nouvelles entités ou de nouveaux composants Lovelace sont disponibles. Si vous prenez le contrôle, nous ne ferons plus les changements automatiquement pour vous.", - "para_sure": "Êtes-vous sûr de vouloir prendre le contrôle de l'interface utilisateur?", - "cancel": "Oublie ce que j'ai dit, c'est pas grave.", - "save": "Prenez le contrôle" - }, - "menu": { - "raw_editor": "Éditeur de configuration", - "open": "Ouvrir le menu Lovelace" - }, - "raw_editor": { - "header": "Modifier la configuration", - "save": "Enregistrer", - "unsaved_changes": "Modifications non enregistrées", - "saved": "Enregistré" - }, - "edit_lovelace": { - "header": "Titre de votre UI Lovelace", - "explanation": "Ce titre est affiché au-dessus de toutes vos vues dans Lovelace." - }, "card": { "alarm_panel": { "available_states": "États disponibles" }, + "alarm-panel": { + "available_states": "États disponibles", + "name": "Panneau d'alarme" + }, + "conditional": { + "name": "Conditionnel" + }, "config": { - "required": "Requis", - "optional": "Optionnel" + "optional": "Optionnel", + "required": "Requis" }, "entities": { - "show_header_toggle": "Afficher le bouton d'en-tête ?", "name": "Entités", + "show_header_toggle": "Afficher le bouton d'en-tête ?", "toggle": "Basculer les entités." }, + "entity-button": { + "name": "Entité Bouton" + }, + "entity-filter": { + "name": "Filtre d'entité" + }, "gauge": { + "name": "Jauge", "severity": { "define": "Définir la gravité ?", "green": "Vert", "red": "Rouge", "yellow": "Jaune" - }, - "name": "Jauge" - }, - "glance": { - "columns": "Colonnes", - "name": "Coup d'oeil" + } }, "generic": { "aspect_ratio": "Ratio d'aspect", @@ -1511,39 +1650,14 @@ "show_name": "Afficher le nom ?", "show_state": "Afficher l'état ?", "tap_action": "Appui court", - "title": "Titre", "theme": "Thème", + "title": "Titre", "unit": "Unité", "url": "Url" }, - "map": { - "geo_location_sources": "Sources de géolocalisation", - "dark_mode": "Mode sombre ?", - "default_zoom": "Zoom par défaut", - "source": "Source", - "name": "Carte" - }, - "markdown": { - "content": "Contenu", - "name": "Markdown" - }, - "sensor": { - "graph_detail": "Détail du graphique", - "graph_type": "Type de graphique", - "name": "Capteur" - }, - "alarm-panel": { - "name": "Panneau d'alarme", - "available_states": "États disponibles" - }, - "conditional": { - "name": "Conditionnel" - }, - "entity-button": { - "name": "Entité Bouton" - }, - "entity-filter": { - "name": "Filtre d'entité" + "glance": { + "columns": "Colonnes", + "name": "Coup d'oeil" }, "history-graph": { "name": "Graphique Historique" @@ -1557,12 +1671,20 @@ "light": { "name": "Lumière" }, + "map": { + "dark_mode": "Mode sombre ?", + "default_zoom": "Zoom par défaut", + "geo_location_sources": "Sources de géolocalisation", + "name": "Carte", + "source": "Source" + }, + "markdown": { + "content": "Contenu", + "name": "Markdown" + }, "media-control": { "name": "Contrôle des médias" }, - "picture": { - "name": "Image" - }, "picture-elements": { "name": "Éléments d'image" }, @@ -1572,9 +1694,17 @@ "picture-glance": { "name": "Coup d'œil en image" }, + "picture": { + "name": "Image" + }, "plant-status": { "name": "Statut de la plante" }, + "sensor": { + "graph_detail": "Détail du graphique", + "graph_type": "Type de graphique", + "name": "Capteur" + }, "shopping-list": { "name": "Liste de courses" }, @@ -1588,434 +1718,357 @@ "name": "Prévisions Météo" } }, + "edit_card": { + "add": "Ajouter une action", + "delete": "Supprimer", + "edit": "Modifier", + "header": "Configuration de la carte", + "move": "Déplacer", + "options": "Plus d'options", + "pick_card": "Choisissez l'automatisation à ajouter", + "pick_card_view_title": "Quelle carte souhaitez-vous ajouter à votre vue {name} ?", + "save": "Enregistrer", + "show_code_editor": "Afficher l'éditeur de code", + "show_visual_editor": "Afficher l'éditeur visuel", + "toggle_editor": "Activer\/désactiver l’éditeur" + }, + "edit_lovelace": { + "edit_title": "Editer le titre", + "explanation": "Ce titre est affiché au-dessus de toutes vos vues dans Lovelace.", + "header": "Titre de votre UI Lovelace" + }, + "edit_view": { + "add": "Ajouter la vue", + "delete": "Supprimer la vue", + "edit": "Modifier la vue", + "header": "Voir la configuration", + "header_name": "{name} Voir la configuration", + "move_left": "Déplacer la vue à gauche", + "move_right": "Déplacer la vue à droite" + }, + "header": "Modifier l'interface utilisateur", + "menu": { + "open": "Ouvrir le menu Lovelace", + "raw_editor": "Éditeur de configuration" + }, + "migrate": { + "header": "Configuration incompatible", + "migrate": "Migrer la configuration", + "para_migrate": "Home Assistant peut ajouter automatiquement des identifiants à toutes vos cartes et vues en appuyant sur le bouton «Migrer la configuration».", + "para_no_id": "Cet élément n'a pas d'identifiant. Veuillez ajouter un identifiant à cet élément dans 'ui-lovelace.yaml'." + }, + "raw_editor": { + "header": "Modifier la configuration", + "save": "Enregistrer", + "saved": "Enregistré", + "unsaved_changes": "Modifications non enregistrées" + }, + "save_config": { + "cancel": "Oublie ce que j'ai dit, c'est pas grave.", + "header": "Prenez le contrôle de votre Interface Lovelace", + "para": "Par défaut, Home Assistant maintient votre interface utilisateur et la met à jour lorsque de nouvelles entités ou de nouveaux composants Lovelace sont disponibles. Si vous prenez le contrôle, nous ne ferons plus les changements automatiquement pour vous.", + "para_sure": "Êtes-vous sûr de vouloir prendre le contrôle de l'interface utilisateur?", + "save": "Prenez le contrôle" + }, "view": { "panel_mode": { - "title": "Mode panneau?", - "description": "Cela affiche la première carte en pleine largeur; les autres cartes de cette vue ne seront pas affichées." + "description": "Cela affiche la première carte en pleine largeur; les autres cartes de cette vue ne seront pas affichées.", + "title": "Mode panneau?" } } }, "menu": { + "close": "Fermer", "configure_ui": "Configurer l'interface utilisateur", - "unused_entities": "Entités inutilisées", "help": "Aide", - "refresh": "Actualiser" - }, - "warning": { - "entity_not_found": "Entité non disponible: {entity}", - "entity_non_numeric": "L'entité est non numérique: {entity}" - }, - "changed_toast": { - "message": "La configuration de Lovelace a été modifiée, voulez-vous rafraîchir?", - "refresh": "Rafraîchir" + "refresh": "Actualiser", + "unused_entities": "Entités inutilisées" }, "reload_lovelace": "Recharger Lovelace", + "unused_entities": { + "domain": "Domaine", + "last_changed": "Dernière modification" + }, "views": { "confirm_delete": "Êtes-vous sûr de vouloir supprimer cette vue?", "existing_cards": "Vous ne pouvez pas supprimer une vue contenant des cartes. Retirez les cartes en premier." + }, + "warning": { + "entity_non_numeric": "L'entité est non numérique: {entity}", + "entity_not_found": "Entité non disponible: {entity}" } }, + "mailbox": { + "delete_button": "Effacer", + "delete_prompt": "Supprimer ce message ?", + "empty": "Vous n'avez aucun message", + "playback_title": "Lecture de messages" + }, + "page-authorize": { + "abort_intro": "Connexion interrompue", + "authorizing_client": "Vous êtes sur le point de donner accès à {clientId} à votre instance de Home Assistant.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Session expirée, veuillez vous connecter à nouveau." + }, + "error": { + "invalid_auth": "Nom d'utilisateur ou mot de passe invalide", + "invalid_code": "Code d'authentification invalide" + }, + "step": { + "init": { + "data": { + "password": "Mot de passe", + "username": "Nom d'utilisateur" + } + }, + "mfa": { + "data": { + "code": "Code d'authentification à deux facteurs" + }, + "description": "Ouvrez le **{mfa_module_name}** sur votre appareil pour afficher votre code d'authentification à deux facteurs et vérifier votre identité:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Session expirée, veuillez vous connecter à nouveau." + }, + "error": { + "invalid_auth": "Nom d'utilisateur ou mot de passe invalide", + "invalid_code": "Code d'authentification invalide" + }, + "step": { + "init": { + "data": { + "password": "Mot de passe", + "username": "Nom d'utilisateur" + } + }, + "mfa": { + "data": { + "code": "Code d'authentification à deux facteurs" + }, + "description": "Ouvrez le **{mfa_module_name}** sur votre appareil pour afficher votre code d'authentification à deux facteurs et vérifier votre identité:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Session expirée, veuillez vous connecter à nouveau.", + "no_api_password_set": "Vous n'avez pas de mot de passe API configuré." + }, + "error": { + "invalid_auth": "Mot de passe API invalide", + "invalid_code": "Code d'authentification invalide" + }, + "step": { + "init": { + "data": { + "password": "Mot de passe API" + }, + "description": "Veuillez saisir le mot de passe API dans votre configuration http:" + }, + "mfa": { + "data": { + "code": "Code d'authentification à deux facteurs" + }, + "description": "Ouvrez le **{mfa_module_name}** sur votre appareil pour afficher votre code d'authentification à deux facteurs et vérifier votre identité:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Votre ordinateur n'est pas en liste blanche." + }, + "step": { + "init": { + "data": { + "user": "Utilisateur" + }, + "description": "Sélectionnez l'utilisateur avec lequel vous souhaitez vous connecter :" + } + } + } + }, + "unknown_error": "Quelque chose a mal tourné", + "working": "Veuillez patienter" + }, + "initializing": "Initialisation", + "logging_in_with": "Se connecter avec **{authProviderName}**.", + "pick_auth_provider": "Ou connectez-vous avec" + }, "page-demo": { "cards": { "demo": { "demo_by": "par {name}", - "next_demo": "Prochaine démo", "introduction": "Bienvenue à la maison ! Vous êtes sur la démo de Home Assistant, où nous présentons les meilleures interfaces utilisateur créées par notre communauté.", - "learn_more": "En savoir plus sur Home Assistant" + "learn_more": "En savoir plus sur Home Assistant", + "next_demo": "Prochaine démo" } }, "config": { "arsaboo": { - "names": { - "upstairs": "A l'étage", - "family_room": "Chambre Familiale", - "kitchen": "Cuisine", - "patio": "Patio", - "hallway": "Couloir", - "master_bedroom": "Chambre principale", - "left": "Gauche", - "right": "Droite", - "mirror": "Miroir", - "temperature_study": "Étude de température" - }, "labels": { - "lights": "Lumières", - "information": "Information", - "morning_commute": "Trajet du matin", + "activity": "Activité", + "air": "Air", "commute_home": "Se rendre à la maison", "entertainment": "Divertissement", - "activity": "Activité", "hdmi_input": "Entrée HDMI", "hdmi_switcher": "Sélecteur HDMI", - "volume": "Volume", + "information": "Information", + "lights": "Lumières", + "morning_commute": "Trajet du matin", "total_tv_time": "Temps total de télévision", "turn_tv_off": "Éteindre la télévision", - "air": "Air" + "volume": "Volume" + }, + "names": { + "family_room": "Chambre Familiale", + "hallway": "Couloir", + "kitchen": "Cuisine", + "left": "Gauche", + "master_bedroom": "Chambre principale", + "mirror": "Miroir", + "patio": "Patio", + "right": "Droite", + "temperature_study": "Étude de température", + "upstairs": "A l'étage" }, "unit": { - "watching": "en train de regarder", - "minutes_abbr": "min" + "minutes_abbr": "min", + "watching": "en train de regarder" } } } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Détecter", + "finish": "Suivant", + "intro": "Bonjour {name}, bienvenue dans Home Assistant. Comment voudriez-vous nommer votre maison?", + "intro_location": "Nous aimerions savoir où vous habitez. Ces informations vous aideront à afficher des informations et à configurer des automatismes basés sur le soleil. Ces données ne sont jamais partagées en dehors de votre réseau.", + "intro_location_detect": "Nous pouvons vous aider à renseigner ces informations en adressant une demande unique à un service externe.", + "location_name_default": "Maison" + }, + "integration": { + "finish": "Terminer", + "intro": "Les appareils et les services sont représentés dans Home Assistant sous forme d’intégrations. Vous pouvez les configurer maintenant ou le faire plus tard à partir de l'écran de configuration.", + "more_integrations": "Plus" + }, + "intro": "Êtes-vous prêt à réveiller votre maison, à récupérer votre vie privée et à rejoindre une communauté mondiale de bricoleurs?", + "user": { + "create_account": "Créer un compte", + "data": { + "name": "Nom", + "password": "Mot de passe", + "password_confirm": "Confirmez le mot de passe", + "username": "Nom d'utilisateur" + }, + "error": { + "password_not_match": "Les mots de passe ne correspondent pas", + "required_fields": "Remplissez tous les champs requis" + }, + "intro": "Commençons par créer un compte utilisateur.", + "required_field": "Requis" + } + }, + "profile": { + "advanced_mode": { + "description": "Home Assistant cache les fonctionnalités et options avancées par défaut. Vous pouvez rendre ces fonctionnalités accessibles en cochant cette case. Il s'agit d'un paramètre spécifique à l'utilisateur et n'a pas d'impact sur les autres utilisateurs utilisant Home Assistant.", + "link_profile_page": "votre page de profil", + "title": "Mode avancé" + }, + "change_password": { + "confirm_new_password": "Confirmer le nouveau mot de passe", + "current_password": "Mot de passe actuel", + "error_required": "Requis", + "header": "Changer le mot de passe", + "new_password": "nouveau mot de passe", + "submit": "Envoyer" + }, + "current_user": "Vous êtes actuellement connecté en tant que {fullName}.", + "force_narrow": { + "description": "Cela masquera la barre latérale par défaut, semblable à l'expérience mobile.", + "header": "Toujours cacher la barre latérale" + }, + "is_owner": "Vous êtes propriétaire", + "language": { + "dropdown_label": "Langue", + "header": "Langue", + "link_promo": "Aider à traduire" + }, + "logout": "Déconnexion", + "long_lived_access_tokens": { + "confirm_delete": "Êtes-vous sûr de vouloir supprimer le jeton d'accès de {name} ?", + "create": "Créer un jeton", + "create_failed": "Impossible de créer le jeton d'accès.", + "created_at": "Créé le {date}", + "delete_failed": "Impossible de supprimer le jeton d'accès.", + "description": "Créez des jetons d'accès de longue durée pour permettre à vos scripts d'interagir avec votre instance de Home Assistant. Chaque jeton sera valable 10 ans à compter de sa création. Les jetons d'accès longue durée suivants sont actuellement actifs.", + "empty_state": "Vous n'avez pas encore de jetons d'accès longue durée.", + "header": "Jetons d'accès de longue durée", + "last_used": "Dernière utilisation le {date} à partir de {location}", + "learn_auth_requests": "Apprenez comment faire des demandes authentifiées.", + "not_used": "N'a jamais été utilisé", + "prompt_copy_token": "Copiez votre jeton d'accès. Il ne sera plus affiché à nouveau.", + "prompt_name": "Nom ?" + }, + "mfa_setup": { + "close": "Fermer", + "step_done": "Configuration terminée pour {step}", + "submit": "Envoyer", + "title_aborted": "Abandonné", + "title_success": "Succès !" + }, + "mfa": { + "confirm_disable": "Êtes-vous sûr de vouloir désactiver {name} ?", + "disable": "Désactiver", + "enable": "Activer", + "header": "Modules d'authentification multi-facteurs" + }, + "push_notifications": { + "description": "Envoyer des notifications à cet appareil.", + "error_load_platform": "Configurer notify.html5.", + "error_use_https": "Nécessite l'activation de SSL pour le frontend.", + "header": "Notifications push", + "link_promo": "En savoir plus", + "push_notifications": "Notifications push" + }, + "refresh_tokens": { + "confirm_delete": "Êtes-vous sûr de vouloir supprimer le jeton d'actualisation de {name} ?", + "created_at": "Créé le {date}", + "current_token_tooltip": "Impossible de supprimer le jeton d'actualisation actuel", + "delete_failed": "Impossible de supprimer le jeton d'actualisation", + "description": "Chaque jeton d'actualisation représente une session de connexion. Les jetons d'actualisation seront automatiquement supprimés lorsque vous cliquez sur Déconnexion. Les jetons d'actualisation suivants sont actuellement actifs pour votre compte.", + "header": "Actualiser les jetons", + "last_used": "Dernière utilisation le {date} à partir de {location}", + "not_used": "N'a jamais été utilisé", + "token_title": "Actualiser le jeton de {clientId}" + }, + "themes": { + "dropdown_label": "Thème", + "error_no_theme": "Aucun thème disponible.", + "header": "Thème", + "link_promo": "En savoir plus sur les thèmes" + }, + "vibrate": { + "description": "Activer ou désactiver les vibrations sur cet appareil lors du contrôle des périphériques.", + "header": "Vibrer" + } + }, + "shopping-list": { + "add_item": "Ajouter un élément", + "clear_completed": "Effacement accompli", + "microphone_tip": "Cliquez sur le microphone en haut à droite et dites “Ajouter des bonbons à ma liste d'achat”" } }, "sidebar": { - "log_out": "Déconnexion", "external_app_configuration": "Configuration de l'application", + "log_out": "Déconnexion", "sidebar_toggle": "Activer la barre latérale" - }, - "common": { - "loading": "Chargement", - "cancel": "Annuler", - "save": "Enregistrer", - "successfully_saved": "Enregistré avec succès" - }, - "duration": { - "day": "{count} {count, plural,\none {jour}\nother {jours}\n}", - "week": "{count} {count, plural,\none {semaine}\nother {semaines}\n}", - "second": "{count} {count, plural,\none {seconde}\nother {secondes}\n}", - "minute": "{count} {count, plural,\none {minute}\nother {minutes}\n}", - "hour": "{count} {count, plural,\none {heure}\nother {heures}\n}" - }, - "login-form": { - "password": "Mot de passe", - "remember": "Se rappeler", - "log_in": "Connexion" - }, - "card": { - "camera": { - "not_available": "Image non disponible" - }, - "persistent_notification": { - "dismiss": "Ignorer" - }, - "scene": { - "activate": "Activer" - }, - "script": { - "execute": "Exécuter" - }, - "weather": { - "attributes": { - "air_pressure": "Pression atmosphérique", - "humidity": "Humidité", - "temperature": "Température", - "visibility": "Visibilité", - "wind_speed": "Vitesse du vent" - }, - "cardinal_direction": { - "e": "E", - "ene": "E-NE", - "ese": "E-SE", - "n": "N", - "ne": "NE", - "nne": "N-NE", - "nw": "NO", - "nnw": "N-NO", - "s": "S", - "se": "SE", - "sse": "S-SE", - "ssw": "S-SO", - "sw": "SO", - "w": "O", - "wnw": "O-NO", - "wsw": "O-SO" - }, - "forecast": "Prévisions" - }, - "alarm_control_panel": { - "code": "Code", - "clear_code": "Effacer", - "disarm": "Désarmer", - "arm_home": "Armer (domicile)", - "arm_away": "Armer (absent)", - "arm_night": "Armer nuit", - "armed_custom_bypass": "Bypass personnalisé", - "arm_custom_bypass": "Bypass personnalisé" - }, - "automation": { - "last_triggered": "Dernier déclenchement", - "trigger": "Déclencher" - }, - "cover": { - "position": "Emplacement", - "tilt_position": "Inclinaison" - }, - "fan": { - "speed": "Vitesse", - "oscillate": "Osciller", - "direction": "Direction", - "forward": "En avant", - "reverse": "Sens inverse" - }, - "light": { - "brightness": "Luminosité", - "color_temperature": "Température de couleur", - "white_value": "Niveau de blanc", - "effect": "Effet" - }, - "media_player": { - "text_to_speak": "Texte à lire", - "source": "Source", - "sound_mode": "Mode sonore" - }, - "climate": { - "currently": "Actuellement", - "on_off": "Allumé \/ Éteint", - "target_temperature": "Température cible", - "target_humidity": "Humidité cible", - "operation": "Opération", - "fan_mode": "Mode de ventilation", - "swing_mode": "Mode de balancement", - "away_mode": "Mode \"Absent\"", - "aux_heat": "Chauffage d'appoint", - "preset_mode": "Préréglage", - "target_temperature_entity": "{name} température cible", - "target_temperature_mode": "{name} température cible {mode}", - "current_temperature": "{name} température actuelle", - "heating": "{name} chauffage", - "cooling": "{name} refroidissement", - "high": "haute", - "low": "basse" - }, - "lock": { - "code": "Code", - "lock": "Verrouiller", - "unlock": "Déverrouiller" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Reprendre le nettoyage", - "return_to_base": "Retourner à la base", - "start_cleaning": "Commencer à nettoyer", - "turn_on": "Allumer", - "turn_off": "Éteindre" - } - }, - "water_heater": { - "currently": "Actuellement", - "on_off": "Marche \/ Arrêt", - "target_temperature": "Température cible", - "operation": "Opération", - "away_mode": "Mode \"Absent\"" - }, - "timer": { - "actions": { - "start": "démarrer", - "pause": "pause", - "cancel": "annuler", - "finish": "terminer" - } - }, - "counter": { - "actions": { - "increment": "incrémenter", - "decrement": "décrémenter", - "reset": "réinitialiser" - } - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "Entité", - "clear": "Effacer", - "show_entities": "Afficher les entités" - } - }, - "service-picker": { - "service": "Service" - }, - "relative_time": { - "past": "Il y a {time}", - "future": "Dans {time}", - "never": "Jamais", - "duration": { - "second": "{count} {count, plural,\none {seconde}\nother {secondes}\n}", - "minute": "{count} {count, plural,\none {minute}\nother {minutes}\n}", - "hour": "{count} {count, plural,\none {heure}\nother {heures}\n}", - "day": "{count} {count, plural,\none {jour}\nother {jours}\n}", - "week": "{count} {count, plural,\none {semaine}\nother {semaines}\n}" - } - }, - "history_charts": { - "loading_history": "Chargement de l'historique des valeurs ...", - "no_history_found": "Aucun historique des valeurs trouvé." - }, - "device-picker": { - "clear": "Effacer", - "show_devices": "Afficher les appareils" - } - }, - "notification_toast": { - "entity_turned_on": "Allumage de \"{entity}\".", - "entity_turned_off": "Extinction de \"{entity}\".", - "service_called": "Service \"{service}\" appelé.", - "service_call_failed": "Échec d'appel du service \"{service}\".", - "connection_lost": "Connexion perdue. Reconnexion en cours ...", - "triggered": "Déclenché {name}" - }, - "dialogs": { - "more_info_settings": { - "save": "Sauvegarder", - "name": "Outrepasser le nom", - "entity_id": "ID de l'entité" - }, - "more_info_control": { - "script": { - "last_action": "Dernière action" - }, - "sun": { - "elevation": "Élévation", - "rising": "Lever", - "setting": "Coucher" - }, - "updater": { - "title": "Instructions de mise à jour" - } - }, - "options_flow": { - "form": { - "header": "Options" - }, - "success": { - "description": "Option enregistrées avec succès." - } - }, - "config_entry_system_options": { - "title": "Options système pour {integration}", - "enable_new_entities_label": "Activer les entités nouvellement ajoutées.", - "enable_new_entities_description": "Si désactivé, les entités nouvellement découvertes ne seront pas ajoutées automatiquement à Home Assistant." - }, - "zha_device_info": { - "manuf": "par {manufacturer}", - "no_area": "Pas de pièce", - "services": { - "reconfigure": "Reconfigurer le périphérique ZHA. Utilisez cette option si vous rencontrez des problèmes avec le périphérique. Si l'appareil en question est un appareil alimenté par batterie, assurez-vous qu'il soit allumé et qu'il accepte les commandes lorsque vous utilisez ce service.", - "updateDeviceName": "Définissez un nom personnalisé pour ce périphérique dans le registre de périphériques.", - "remove": "Supprimer un appareil du réseau Zigbee." - }, - "zha_device_card": { - "device_name_placeholder": "Nom personnalisé", - "area_picker_label": "Pièce", - "update_name_button": "Modifier le nom" - }, - "buttons": { - "add": "Ajouter des appareils", - "remove": "Supprimer l'appareil", - "reconfigure": "Reconfigurer l'appareil" - }, - "quirk": "Quirk", - "last_seen": "Dernière vue", - "power_source": "Source d'énergie", - "unknown": "Inconnu" - }, - "confirmation": { - "cancel": "Annuler", - "ok": "OK", - "title": "Êtes-vous sûr?" - } - }, - "auth_store": { - "ask": "Voulez-vous enregistrer cette connexion?", - "decline": "Non merci", - "confirm": "Enregistrer la connexion" - }, - "notification_drawer": { - "click_to_configure": "Cliquez sur le bouton pour configurer {entity}", - "empty": "Aucune notification", - "title": "Notifications" - } - }, - "domain": { - "alarm_control_panel": "Panneau de contrôle d'alarme", - "automation": "Automatisation", - "binary_sensor": "Capteur binaire", - "calendar": "Calendrier", - "camera": "Caméra", - "climate": "Thermostat", - "configurator": "Configurateur", - "conversation": "Conversation", - "cover": "Volets", - "device_tracker": "Dispositif de suivi", - "fan": "Ventilateur", - "history_graph": "Graphique historique", - "group": "Groupe", - "image_processing": "Traitement d’image", - "input_boolean": "Entrée logique", - "input_datetime": "Entrée calendrier", - "input_select": "Sélection", - "input_number": "Entrée numérique", - "input_text": "Saisie de texte", - "light": "Lumière", - "lock": "Verrou", - "mailbox": "Boites aux lettres", - "media_player": "Lecteur multimédia", - "notify": "Notifier", - "plant": "Plante", - "proximity": "Proximité", - "remote": "Télécommande", - "scene": "Scène", - "script": "Script", - "sensor": "Capteur", - "sun": "Soleil", - "switch": "Interrupteur", - "updater": "Mise à jour", - "weblink": "Lien", - "zwave": "Z-Wave", - "vacuum": "Aspirateur", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Santé du système", - "person": "Personne" - }, - "attribute": { - "weather": { - "humidity": "Humidité", - "visibility": "Visibilité", - "wind_speed": "Vitesse du vent" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Off", - "on": "On", - "auto": "Auto" - }, - "preset_mode": { - "none": "Aucun", - "eco": "Eco", - "away": "Absent", - "boost": "Renforcer", - "comfort": "Confort", - "home": "Présent", - "sleep": "Veille", - "activity": "Activité" - }, - "hvac_action": { - "off": "Éteint", - "heating": "En chauffe", - "cooling": "Refroidissement", - "drying": "Séchage", - "idle": "Inactif", - "fan": "Ventilateur" - } - } - }, - "groups": { - "system-admin": "Administrateurs", - "system-users": "Utilisateurs", - "system-read-only": "Utilisateurs en lecture seule" - }, - "config_entry": { - "disabled_by": { - "user": "Utilisateur", - "integration": "Intégration", - "config_entry": "Paramètre de configuration" } } } \ No newline at end of file diff --git a/translations/gsw.json b/translations/gsw.json index f2cca40dc9..c555981553 100644 --- a/translations/gsw.json +++ b/translations/gsw.json @@ -1,32 +1,77 @@ { - "panel": { - "config": "Istellige", - "states": "Übersicht", - "map": "Charte", - "logbook": "Logbuech", - "history": "Vrlouf", - "mailbox": "Postigang", - "shopping_list": "Ichoufsliste", - "dev-info": "Info", - "calendar": "Kaländer", - "profile": "Profiu" + "attribute": { + "weather": { + "wind_speed": "Windgschwindigkeit" + } }, - "state": { - "default": { - "off": "Us", - "on": "Ah", - "unknown": "Unbekannt", - "unavailable": "Nid verfüägbar" - }, + "domain": { + "automation": "Automation", + "binary_sensor": "Binäre Sensor", + "calendar": "Kaländer", + "camera": "Kamera", + "climate": "Klima", + "configurator": "Configurator", + "conversation": "Gspräch", + "cover": "Roulade", + "group": "Gruppe", + "light": "Liächt", + "lock": "Schloss", + "plant": "Pflanze", + "remote": "Entfernt", + "scene": "Szene", + "script": "Skript", + "sensor": "Sensor", + "sun": "Sunne", + "switch": "Schauter", + "updater": "Updater", + "vacuum": "Stoubsuger", + "weblink": "Weblink", + "zwave": "Z-Wave" + }, + "panel": { + "calendar": "Kaländer", + "config": "Istellige", + "dev-info": "Info", + "history": "Vrlouf", + "logbook": "Logbuech", + "mailbox": "Postigang", + "map": "Charte", + "profile": "Profiu", + "shopping_list": "Ichoufsliste", + "states": "Übersicht" + }, + "state_badge": { + "alarm_control_panel": { + "armed": "Scharf", + "armed_away": "Scharf", + "armed_custom_bypass": "Scharf", + "armed_home": "Scharf Dahei", + "armed_night": "Scharf", + "arming": "Scharf steue", + "disarmed": "Entschärft", + "disarming": "Deaktiviärt", + "pending": "Usstehend", + "triggered": "Usglöst" + }, + "default": { + "unavailable": "Nid verfüägbar", + "unknown": "Unbekannt" + }, + "device_tracker": { + "home": "Dahei", + "not_home": "Nid Dahei" + } + }, + "state": { "alarm_control_panel": { "armed": "Scharf", - "disarmed": "Nid scharf", - "armed_home": "Scharf dihei", "armed_away": "Scharf usswerts", + "armed_home": "Scharf dihei", "armed_night": "Scharf Nacht", - "pending": "Usstehehnd", "arming": "Scharf stelä", + "disarmed": "Nid scharf", "disarming": "Entsperrä", + "pending": "Usstehehnd", "triggered": "Usglösst" }, "automation": { @@ -34,18 +79,29 @@ "on": "Ah" }, "binary_sensor": { + "battery": { + "off": "Normau", + "on": "Nidrig" + }, + "connectivity": { + "off": "Trennt", + "on": "Verbunge" + }, "default": { "off": "Us", "on": "Ah" }, - "moisture": { - "off": "Trochä", - "on": "Nass" - }, "gas": { "off": "Frei", "on": "Erkännt" }, + "heat": { + "on": "Heiss" + }, + "moisture": { + "off": "Trochä", + "on": "Nass" + }, "motion": { "off": "Ok", "on": "Erchänt" @@ -54,6 +110,22 @@ "off": "Ok", "on": "Erchänt" }, + "opening": { + "off": "Gschlosä", + "on": "Offä" + }, + "presence": { + "off": "Nid Dahei", + "on": "Dahei" + }, + "problem": { + "off": "OK", + "on": "Problem" + }, + "safety": { + "off": "Sicher", + "on": "Unsicher" + }, "smoke": { "off": "Ok", "on": "Erchänt" @@ -65,33 +137,6 @@ "vibration": { "off": "Ok", "on": "Erchänt" - }, - "opening": { - "off": "Gschlosä", - "on": "Offä" - }, - "safety": { - "off": "Sicher", - "on": "Unsicher" - }, - "presence": { - "off": "Nid Dahei", - "on": "Dahei" - }, - "battery": { - "off": "Normau", - "on": "Nidrig" - }, - "problem": { - "off": "OK", - "on": "Problem" - }, - "connectivity": { - "off": "Trennt", - "on": "Verbunge" - }, - "heat": { - "on": "Heiss" } }, "calendar": { @@ -99,37 +144,43 @@ "on": "Ah" }, "camera": { + "idle": "Läärlauf", "recording": "Nimt uf", - "streaming": "Streamt", - "idle": "Läärlauf" + "streaming": "Streamt" }, "climate": { - "off": "Us", - "on": "Ah", - "heat": "Heizä", - "cool": "Chüälä", - "idle": "Läärlauf", "auto": "Automatik", + "cool": "Chüälä", "dry": "Trochä", - "fan_only": "Nur Lüfter", "eco": "Öko", "electric": "Strom", - "performance": "Leistig", - "high_demand": "Grossi Nachfrag", + "fan_only": "Nur Lüfter", + "gas": "Gas", + "heat": "Heizä", "heat_pump": "Heizigspumpi", - "gas": "Gas" + "high_demand": "Grossi Nachfrag", + "idle": "Läärlauf", + "off": "Us", + "on": "Ah", + "performance": "Leistig" }, "configurator": { "configure": "Konfiguriärä", "configured": "Konfiguriärt" }, "cover": { - "open": "Offä", - "opening": "Am öffnä", "closed": "Gschlossä", "closing": "Am schliesse", + "open": "Offä", + "opening": "Am öffnä", "stopped": "Gstoppt" }, + "default": { + "off": "Us", + "on": "Ah", + "unavailable": "Nid verfüägbar", + "unknown": "Unbekannt" + }, "device_tracker": { "home": "Dahei", "not_home": "Nid Dahei" @@ -139,19 +190,19 @@ "on": "Ah" }, "group": { - "off": "Us", - "on": "Ah", - "home": "Dahei", - "not_home": "Nid Dahei", - "open": "Offä", - "opening": "Am öffnä", "closed": "Gschlossä", "closing": "Schlüssä", - "stopped": "Gstoppt", + "home": "Dahei", "locked": "Gsperrt", - "unlocked": "Entsperrt", + "not_home": "Nid Dahei", + "off": "Us", "ok": "Ok", - "problem": "Problem" + "on": "Ah", + "open": "Offä", + "opening": "Am öffnä", + "problem": "Problem", + "stopped": "Gstoppt", + "unlocked": "Entsperrt" }, "input_boolean": { "off": "Us", @@ -166,11 +217,11 @@ "unlocked": "Entsperrt" }, "media_player": { + "idle": "Läärlauf", "off": "Us", "on": "Ah", - "playing": "Am spilä", "paused": "Pousiärä", - "idle": "Läärlauf", + "playing": "Am spilä", "standby": "Standby" }, "plant": { @@ -200,17 +251,12 @@ "off": "Us", "on": "Ah" }, - "zwave": { - "default": { - "initializing": "Inizialisiärä", - "dead": "Tod", - "sleeping": "Schlafä", - "ready": "Parat" - }, - "query_stage": { - "initializing": "Inizialisiärä ( {query_stage} )", - "dead": "Tod ({query_stage})" - } + "vacuum": { + "cleaning": "Putze", + "error": "Fähler", + "off": "Us", + "on": "I", + "paused": "Pause" }, "weather": { "clear-night": "Klar, Nacht", @@ -228,237 +274,79 @@ "windy": "windig", "windy-variant": "windig" }, - "vacuum": { - "cleaning": "Putze", - "error": "Fähler", - "off": "Us", - "on": "I", - "paused": "Pause" - } - }, - "state_badge": { - "default": { - "unknown": "Unbekannt", - "unavailable": "Nid verfüägbar" - }, - "alarm_control_panel": { - "armed": "Scharf", - "disarmed": "Entschärft", - "armed_home": "Scharf Dahei", - "armed_away": "Scharf", - "armed_night": "Scharf", - "pending": "Usstehend", - "arming": "Scharf steue", - "disarming": "Deaktiviärt", - "triggered": "Usglöst", - "armed_custom_bypass": "Scharf" - }, - "device_tracker": { - "home": "Dahei", - "not_home": "Nid Dahei" + "zwave": { + "default": { + "dead": "Tod", + "initializing": "Inizialisiärä", + "ready": "Parat", + "sleeping": "Schlafä" + }, + "query_stage": { + "dead": "Tod ({query_stage})", + "initializing": "Inizialisiärä ( {query_stage} )" + } } }, "ui": { - "sidebar": { - "log_out": "Uslogge" - }, - "panel": { - "developer-tools": { - "tabs": { - "mqtt": { - "title": "MQTT" - } - } - }, - "history": { - "period": "Periode" - }, - "mailbox": { - "delete_button": "Lösche" - }, - "config": { - "core": { - "section": { - "server_control": { - "server_management": { - "restart": "Neustart", - "stop": "Stop" - } - } - } - }, - "automation": { - "caption": "Automation", - "editor": { - "default_name": "Nöii Automation", - "save": "Spichere", - "alias": "Name", - "triggers": { - "header": "Uslöser", - "add": "Uslöser hinzuäfüäge", - "duplicate": "Kopie", - "type": { - "event": { - "label": "Event" - }, - "state": { - "label": "Zuästand", - "from": "Vo", - "to": "Für" - }, - "homeassistant": { - "label": "Home Assistant", - "start": "Starte", - "shutdown": "Abefahre" - }, - "mqtt": { - "label": "MQTT", - "topic": "Topic" - }, - "numeric_state": { - "label": "Nummerische Zuästand", - "above": "Über", - "below": "Unger" - }, - "sun": { - "label": "Sunne", - "sunrise": "Sunneungergang", - "sunset": "Sunneufgang" - }, - "template": { - "label": "Vorlag", - "value_template": "Wärt-Vorlag" - }, - "time": { - "label": "Zyt" - }, - "zone": { - "label": "Zone", - "enter": "Inecho", - "leave": "Verla" - } - } - }, - "conditions": { - "header": "Bedingig", - "type": { - "sun": { - "before": "Vorhär:", - "after": "Nachhär:", - "sunrise": "Sunneungergang", - "sunset": "Sunneufgang" - }, - "time": { - "after": "Nachhär", - "before": "Vorhär" - } - } - }, - "actions": { - "header": "Aktione", - "unsupported_action": "Nicht unterstützte Aktion: {action}", - "type": { - "delay": { - "label": "Vrzögerig" - }, - "wait_template": { - "label": "Warte" - }, - "condition": { - "label": "Bedingig" - }, - "event": { - "label": "Event uslöse" - } - } - } - } - }, - "zwave": { - "caption": "Z-Wave" - }, - "users": { - "caption": "Benutzer", - "picker": { - "title": "Benutzer" - }, - "editor": { - "rename_user": "Benutzer umbenenne", - "delete_user": "Benutzer lösche" - } - }, - "cloud": { - "caption": "Home Assistant Cloud" - }, - "integrations": { - "caption": "Integratione", - "discovered": "Erkennt", - "configured": "Konfiguriärt", - "configure": "Konfiguriärä", - "config_entry": { - "manuf": "vo {manufacturer}", - "via": "Verbunge über", - "firmware": "Firmware: {version}", - "device_unavailable": "Grät verfüägbar", - "entity_unavailable": "Entitiy verfüägbar" - } - } - }, - "profile": { - "long_lived_access_tokens": { - "create": "Token erzüge", - "prompt_name": "Name?" - }, - "is_owner": "Du bisch dr Bsitzer", - "change_password": { - "header": "Passwort wächsle", - "current_password": "Aktuells Passwort", - "new_password": "Nöis Passwort", - "confirm_new_password": "Nöis Passwort bestätige", - "error_required": "Benötigt", - "submit": "Abschicke" - }, - "mfa": { - "disable": "Deaktiviert" - } - }, - "lovelace": { - "editor": { - "edit_card": { - "save": "Speichern" - } - } - } - }, - "common": { - "loading": "Lade" - }, - "login-form": { - "password": "Passwort" - }, - "components": { - "service-picker": { - "service": "Service" - }, - "relative_time": { - "never": "Niä" - }, - "entity": { - "entity-picker": { - "clear": "Lösche" - } - }, - "device-picker": { - "clear": "Lösche" - } - }, "card": { + "alarm_control_panel": { + "clear_code": "Lösche", + "code": "Code" + }, + "automation": { + "trigger": "Uslöser" + }, + "climate": { + "away_mode": "Wäg-Modus", + "currently": "Aktuell", + "fan_mode": "Ventilator-Modus", + "on_off": "I \/ us", + "operation": "Aktion", + "swing_mode": "Schwing-Modus", + "target_humidity": "Ziu-Fuächtigkeit", + "target_temperature": "Ziu-Temperatur" + }, + "cover": { + "position": "Position", + "tilt_position": "Kipp-Position" + }, + "fan": { + "direction": "Richtig", + "oscillate": "Ozilliere", + "speed": "Geschwindigkeit" + }, + "light": { + "brightness": "Häuigkeit", + "color_temperature": "Farb-Temperatur", + "effect": "Effekt", + "white_value": "Wiss-Wärt" + }, + "lock": { + "lock": "Zuätuä", + "unlock": "Uftuä" + }, + "media_player": { + "sound_mode": "Sound-Modus", + "source": "Quelle" + }, "scene": { "activate": "Aktiviere" }, "script": { "execute": "Usfüähre" }, + "vacuum": { + "actions": { + "turn_off": "Ausschaute", + "turn_on": "Ischaute" + } + }, + "water_heater": { + "currently": "Aktuell", + "on_off": "I \/ Us", + "operation": "Operation", + "target_temperature": "Ziu-Temperatur" + }, "weather": { "attributes": { "air_pressure": "Luftdruck", @@ -474,8 +362,8 @@ "n": "N", "ne": "NO", "nne": "NNO", - "nw": "NW", "nnw": "NNW", + "nw": "NW", "s": "S", "se": "SO", "sse": "SSO", @@ -486,98 +374,210 @@ "wsw": "WSW" }, "forecast": "Vorhärsag" + } + }, + "common": { + "loading": "Lade" + }, + "components": { + "device-picker": { + "clear": "Lösche" }, - "alarm_control_panel": { - "code": "Code", - "clear_code": "Lösche" - }, - "automation": { - "trigger": "Uslöser" - }, - "cover": { - "position": "Position", - "tilt_position": "Kipp-Position" - }, - "fan": { - "speed": "Geschwindigkeit", - "oscillate": "Ozilliere", - "direction": "Richtig" - }, - "light": { - "brightness": "Häuigkeit", - "color_temperature": "Farb-Temperatur", - "white_value": "Wiss-Wärt", - "effect": "Effekt" - }, - "climate": { - "currently": "Aktuell", - "on_off": "I \/ us", - "target_temperature": "Ziu-Temperatur", - "target_humidity": "Ziu-Fuächtigkeit", - "operation": "Aktion", - "fan_mode": "Ventilator-Modus", - "swing_mode": "Schwing-Modus", - "away_mode": "Wäg-Modus" - }, - "lock": { - "lock": "Zuätuä", - "unlock": "Uftuä" - }, - "media_player": { - "source": "Quelle", - "sound_mode": "Sound-Modus" - }, - "vacuum": { - "actions": { - "turn_on": "Ischaute", - "turn_off": "Ausschaute" + "entity": { + "entity-picker": { + "clear": "Lösche" } }, - "water_heater": { - "currently": "Aktuell", - "on_off": "I \/ Us", - "target_temperature": "Ziu-Temperatur", - "operation": "Operation" + "relative_time": { + "never": "Niä" + }, + "service-picker": { + "service": "Service" } }, + "dialogs": { + "more_info_settings": { + "entity_id": "Entity ID", + "name": "Name", + "save": "Spichere" + } + }, + "login-form": { + "password": "Passwort" + }, "notification_toast": { "connection_lost": "Vrbindig vrlore. Neu verbinde..." }, - "dialogs": { - "more_info_settings": { - "save": "Spichere", - "name": "Name", - "entity_id": "Entity ID" + "panel": { + "config": { + "automation": { + "caption": "Automation", + "editor": { + "actions": { + "header": "Aktione", + "type": { + "condition": { + "label": "Bedingig" + }, + "delay": { + "label": "Vrzögerig" + }, + "event": { + "label": "Event uslöse" + }, + "wait_template": { + "label": "Warte" + } + }, + "unsupported_action": "Nicht unterstützte Aktion: {action}" + }, + "alias": "Name", + "conditions": { + "header": "Bedingig", + "type": { + "sun": { + "after": "Nachhär:", + "before": "Vorhär:", + "sunrise": "Sunneungergang", + "sunset": "Sunneufgang" + }, + "time": { + "after": "Nachhär", + "before": "Vorhär" + } + } + }, + "default_name": "Nöii Automation", + "save": "Spichere", + "triggers": { + "add": "Uslöser hinzuäfüäge", + "duplicate": "Kopie", + "header": "Uslöser", + "type": { + "event": { + "label": "Event" + }, + "homeassistant": { + "label": "Home Assistant", + "shutdown": "Abefahre", + "start": "Starte" + }, + "mqtt": { + "label": "MQTT", + "topic": "Topic" + }, + "numeric_state": { + "above": "Über", + "below": "Unger", + "label": "Nummerische Zuästand" + }, + "state": { + "from": "Vo", + "label": "Zuästand", + "to": "Für" + }, + "sun": { + "label": "Sunne", + "sunrise": "Sunneungergang", + "sunset": "Sunneufgang" + }, + "template": { + "label": "Vorlag", + "value_template": "Wärt-Vorlag" + }, + "time": { + "label": "Zyt" + }, + "zone": { + "enter": "Inecho", + "label": "Zone", + "leave": "Verla" + } + } + } + } + }, + "cloud": { + "caption": "Home Assistant Cloud" + }, + "core": { + "section": { + "server_control": { + "server_management": { + "restart": "Neustart", + "stop": "Stop" + } + } + } + }, + "integrations": { + "caption": "Integratione", + "config_entry": { + "device_unavailable": "Grät verfüägbar", + "entity_unavailable": "Entitiy verfüägbar", + "firmware": "Firmware: {version}", + "manuf": "vo {manufacturer}", + "via": "Verbunge über" + }, + "configure": "Konfiguriärä", + "configured": "Konfiguriärt", + "discovered": "Erkennt" + }, + "users": { + "caption": "Benutzer", + "editor": { + "delete_user": "Benutzer lösche", + "rename_user": "Benutzer umbenenne" + }, + "picker": { + "title": "Benutzer" + } + }, + "zwave": { + "caption": "Z-Wave" + } + }, + "developer-tools": { + "tabs": { + "mqtt": { + "title": "MQTT" + } + } + }, + "history": { + "period": "Periode" + }, + "lovelace": { + "editor": { + "edit_card": { + "save": "Speichern" + } + } + }, + "mailbox": { + "delete_button": "Lösche" + }, + "profile": { + "change_password": { + "confirm_new_password": "Nöis Passwort bestätige", + "current_password": "Aktuells Passwort", + "error_required": "Benötigt", + "header": "Passwort wächsle", + "new_password": "Nöis Passwort", + "submit": "Abschicke" + }, + "is_owner": "Du bisch dr Bsitzer", + "long_lived_access_tokens": { + "create": "Token erzüge", + "prompt_name": "Name?" + }, + "mfa": { + "disable": "Deaktiviert" + } } - } - }, - "domain": { - "automation": "Automation", - "binary_sensor": "Binäre Sensor", - "calendar": "Kaländer", - "camera": "Kamera", - "climate": "Klima", - "configurator": "Configurator", - "conversation": "Gspräch", - "cover": "Roulade", - "group": "Gruppe", - "light": "Liächt", - "lock": "Schloss", - "plant": "Pflanze", - "remote": "Entfernt", - "scene": "Szene", - "script": "Skript", - "sensor": "Sensor", - "sun": "Sunne", - "switch": "Schauter", - "updater": "Updater", - "weblink": "Weblink", - "zwave": "Z-Wave", - "vacuum": "Stoubsuger" - }, - "attribute": { - "weather": { - "wind_speed": "Windgschwindigkeit" + }, + "sidebar": { + "log_out": "Uslogge" } } } \ No newline at end of file diff --git a/translations/he.json b/translations/he.json index f728cbf5ab..7b49b4758f 100644 --- a/translations/he.json +++ b/translations/he.json @@ -1,53 +1,192 @@ { - "panel": { - "config": "הגדרות", - "states": "סקירה כללית", - "map": "מפה", - "logbook": "יומן אירועים", - "history": "היסטוריה", + "attribute": { + "weather": { + "humidity": "לחות", + "visibility": "ראות", + "wind_speed": "מהירות הרוח" + } + }, + "config_entry": { + "disabled_by": { + "integration": "אינטגרציה", + "user": "משתמש" + } + }, + "domain": { + "alarm_control_panel": "לוח בקרה של אזעקה", + "automation": "אוטומציה", + "binary_sensor": "חיישן בינארי", + "calendar": "לוּחַ שָׁנָה", + "camera": "מַצלֵמָה", + "climate": "אַקלִים", + "configurator": "קונפיגורטור", + "conversation": "שִׂיחָה", + "cover": "וילון", + "device_tracker": "מעקב מכשיר", + "fan": "מאוורר", + "group": "קְבוּצָה", + "hassio": "Hass.io", + "history_graph": "גרף היסטוריה", + "homeassistant": "Home Assistant", + "image_processing": "עיבוד תמונה", + "input_boolean": "קלט בוליאני", + "input_datetime": "קלט תאריך וזמן", + "input_number": "קלט מספר", + "input_select": "קלט בחירה", + "input_text": "קלט טקסט", + "light": "אוֹר", + "lock": "מנעול", + "lovelace": "Lovelace", "mailbox": "תיבת דואר", - "shopping_list": "רשימת קניות", + "media_player": "נגן מדיה", + "notify": "התראה", + "person": "אדם", + "plant": "צמח", + "proximity": "קִרבָה", + "remote": "מְרוּחָק", + "scene": "סצנה", + "script": "תַסרִיט", + "sensor": "חיישן", + "sun": "שמש", + "switch": "מתג", + "system_health": "בריאות מערכת", + "updater": "המעדכן", + "vacuum": "שואב אבק", + "weblink": "קישור", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "מנהלים", + "system-read-only": "משתמשים לקריאה בלבד", + "system-users": "משתמשים" + }, + "panel": { + "calendar": "לוח שנה", + "config": "הגדרות", "dev-info": "מידע", "developer_tools": "כלים למפתחים", - "calendar": "לוח שנה", - "profile": "פרופיל" + "history": "היסטוריה", + "logbook": "יומן אירועים", + "mailbox": "תיבת דואר", + "map": "מפה", + "profile": "פרופיל", + "shopping_list": "רשימת קניות", + "states": "סקירה כללית" + }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Auto", + "off": "כבוי", + "on": "דולק" + }, + "hvac_action": { + "cooling": "קירור", + "drying": "מייבש", + "fan": "מאוורר", + "heating": "חימום", + "idle": "כבוי", + "off": "כבוי" + }, + "preset_mode": { + "activity": "פעילות", + "away": "לא בבית", + "boost": "מוגבר", + "comfort": "נוחות", + "eco": "חסכון", + "home": "בבית", + "none": "לא נבחר", + "sleep": "שינה" + } + } + }, + "state_badge": { + "alarm_control_panel": { + "armed": "מופעל", + "armed_away": "מופעל", + "armed_custom_bypass": "מופעל", + "armed_home": "מופעל", + "armed_night": "מופעל", + "arming": "דורך", + "disarmed": "לא דרוך", + "disarming": "מבטל", + "pending": "ממתין", + "triggered": "מופעל" + }, + "default": { + "entity_not_found": "ישות לא נמצאה", + "error": "שגיאה", + "unavailable": "לא זמין", + "unknown": "לא ידוע" + }, + "device_tracker": { + "home": "בבית", + "not_home": "לא בבית" + }, + "person": { + "home": "בבית", + "not_home": "לא נמצא" + } }, "state": { - "default": { - "off": "כבוי", - "on": "מופעל", - "unknown": "לא ידוע", - "unavailable": "לא זמין" - }, "alarm_control_panel": { "armed": "דרוך", - "disarmed": "מנוטרל", - "armed_home": "הבית דרוך", "armed_away": "דרוך לא בבית", + "armed_custom_bypass": "מעקף מותאם אישית דרוך", + "armed_home": "הבית דרוך", "armed_night": "דרוך לילה", - "pending": "ממתין", "arming": "מפעיל", + "disarmed": "מנוטרל", "disarming": "מנטרל", - "triggered": "הופעל", - "armed_custom_bypass": "מעקף מותאם אישית דרוך" + "pending": "ממתין", + "triggered": "הופעל" }, "automation": { "off": "כבוי", "on": "דלוק" }, "binary_sensor": { + "battery": { + "off": "נורמלי", + "on": "נמוך" + }, + "cold": { + "off": "רגיל", + "on": "קַר" + }, + "connectivity": { + "off": "מנותק", + "on": "מחובר" + }, "default": { "off": "כבוי", "on": "דלוק" }, - "moisture": { - "off": "יבש", - "on": "רטוב" + "door": { + "off": "סגורה", + "on": "פתוחה" + }, + "garage_door": { + "off": "סגורה", + "on": "פתוחה" }, "gas": { "off": "נקי", "on": "אותר" }, + "heat": { + "off": "רגיל", + "on": "חם" + }, + "lock": { + "off": "נעול", + "on": "לא נעול" + }, + "moisture": { + "off": "יבש", + "on": "רטוב" + }, "motion": { "off": "נקי", "on": "זוהה" @@ -56,6 +195,22 @@ "off": "נקי", "on": "זוהה" }, + "opening": { + "off": "סגור", + "on": "פתוח" + }, + "presence": { + "off": "לא נוכח", + "on": "נוכח" + }, + "problem": { + "off": "אוקיי", + "on": "בעייה" + }, + "safety": { + "off": "בטוח", + "on": "לא בטוח" + }, "smoke": { "off": "נקי", "on": "אותר" @@ -68,53 +223,9 @@ "off": "נקי", "on": "אותר" }, - "opening": { - "off": "סגור", - "on": "פתוח" - }, - "safety": { - "off": "בטוח", - "on": "לא בטוח" - }, - "presence": { - "off": "לא נוכח", - "on": "נוכח" - }, - "battery": { - "off": "נורמלי", - "on": "נמוך" - }, - "problem": { - "off": "אוקיי", - "on": "בעייה" - }, - "connectivity": { - "off": "מנותק", - "on": "מחובר" - }, - "cold": { - "off": "רגיל", - "on": "קַר" - }, - "door": { - "off": "סגורה", - "on": "פתוחה" - }, - "garage_door": { - "off": "סגורה", - "on": "פתוחה" - }, - "heat": { - "off": "רגיל", - "on": "חם" - }, "window": { "off": "סגור", "on": "פתוח" - }, - "lock": { - "off": "נעול", - "on": "לא נעול" } }, "calendar": { @@ -122,39 +233,45 @@ "on": "דלוק" }, "camera": { + "idle": "מחכה", "recording": "מקליט", - "streaming": "מזרים", - "idle": "מחכה" + "streaming": "מזרים" }, "climate": { - "off": "כבוי", - "on": "דלוק", - "heat": "חימום", - "cool": "קרור", - "idle": "ממתין", "auto": "אוטומטי", + "cool": "קרור", "dry": "יבש", - "fan_only": "מאוורר בלבד", "eco": "חסכוני", "electric": "חשמלי", - "performance": "ביצועים", - "high_demand": "ביקוש גבוה", - "heat_pump": "משאבת חום", + "fan_only": "מאוורר בלבד", "gas": "גז", + "heat": "חימום", + "heat_cool": "חימום\/קירור", + "heat_pump": "משאבת חום", + "high_demand": "ביקוש גבוה", + "idle": "ממתין", "manual": "מדריך ל", - "heat_cool": "חימום\/קירור" + "off": "כבוי", + "on": "דלוק", + "performance": "ביצועים" }, "configurator": { "configure": "הגדר", "configured": "הוגדר" }, "cover": { - "open": "פתוח", - "opening": "פותח", "closed": "נסגר", "closing": "סוגר", + "open": "פתוח", + "opening": "פותח", "stopped": "עצור" }, + "default": { + "off": "כבוי", + "on": "מופעל", + "unavailable": "לא זמין", + "unknown": "לא ידוע" + }, "device_tracker": { "home": "בבית", "not_home": "לא בבית" @@ -164,19 +281,19 @@ "on": "דלוק" }, "group": { - "off": "כבוי", - "on": "דלוק", - "home": "בבית", - "not_home": "לא בבית", - "open": "פתוח", - "opening": "פותח", "closed": "סגור", "closing": "סוגר", - "stopped": "נעצר", + "home": "בבית", "locked": "נעול", - "unlocked": "פתוח", + "not_home": "לא בבית", + "off": "כבוי", "ok": "תקין", - "problem": "בעיה" + "on": "דלוק", + "open": "פתוח", + "opening": "פותח", + "problem": "בעיה", + "stopped": "נעצר", + "unlocked": "פתוח" }, "input_boolean": { "off": "כבוי", @@ -191,13 +308,17 @@ "unlocked": "פתוח" }, "media_player": { + "idle": "ממתין", "off": "כבוי", "on": "דלוק", - "playing": "מנגן", "paused": "מושהה", - "idle": "ממתין", + "playing": "מנגן", "standby": "מצב המתנה" }, + "person": { + "home": "בבית", + "not_home": "לא נמצא" + }, "plant": { "ok": "תקין", "problem": "בעיה" @@ -225,17 +346,20 @@ "off": "כבוי", "on": "דלוק" }, - "zwave": { - "default": { - "initializing": "מאתחל", - "dead": "מת", - "sleeping": "ישן", - "ready": "מוכן" - }, - "query_stage": { - "initializing": "מאתחל ({query_stage})", - "dead": "מת ({query_stage})" - } + "timer": { + "active": "פעיל", + "idle": "לא פעיל", + "paused": "מושהה" + }, + "vacuum": { + "cleaning": "מנקה", + "docked": "בעגינה", + "error": "שגיאה", + "idle": "ממתין", + "off": "מכובה", + "on": "מופעל", + "paused": "מושהה", + "returning": "חזור לעגינה" }, "weather": { "clear-night": "לילה בהיר", @@ -253,137 +377,486 @@ "windy": "סוער", "windy-variant": "סוער" }, - "vacuum": { - "cleaning": "מנקה", - "docked": "בעגינה", - "error": "שגיאה", - "idle": "ממתין", - "off": "מכובה", - "on": "מופעל", - "paused": "מושהה", - "returning": "חזור לעגינה" - }, - "timer": { - "active": "פעיל", - "idle": "לא פעיל", - "paused": "מושהה" - }, - "person": { - "home": "בבית", - "not_home": "לא נמצא" - } - }, - "state_badge": { - "default": { - "unknown": "לא ידוע", - "unavailable": "לא זמין", - "error": "שגיאה", - "entity_not_found": "ישות לא נמצאה" - }, - "alarm_control_panel": { - "armed": "מופעל", - "disarmed": "לא דרוך", - "armed_home": "מופעל", - "armed_away": "מופעל", - "armed_night": "מופעל", - "pending": "ממתין", - "arming": "דורך", - "disarming": "מבטל", - "triggered": "מופעל", - "armed_custom_bypass": "מופעל" - }, - "device_tracker": { - "home": "בבית", - "not_home": "לא בבית" - }, - "person": { - "home": "בבית", - "not_home": "לא נמצא" + "zwave": { + "default": { + "dead": "מת", + "initializing": "מאתחל", + "ready": "מוכן", + "sleeping": "ישן" + }, + "query_stage": { + "dead": "מת ({query_stage})", + "initializing": "מאתחל ({query_stage})" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "ניקוי הושלם", - "add_item": "הוסף פריט", - "microphone_tip": "לחץ על המיקרופון למעלה מצד ימין ותאמר \"הוסף סוכריה לרשימת הקניות שלי\"" + "auth_store": { + "ask": "האם ברצונך לשמור את ההתחברות הזו?", + "confirm": "שמור התחברות", + "decline": "לא תודה" + }, + "card": { + "alarm_control_panel": { + "arm_away": "דרוך לא בבית", + "arm_custom_bypass": "מעקף מותאם אישית", + "arm_home": "דרוך בבית", + "arm_night": "דריכה לילית", + "armed_custom_bypass": "מעקף מותאם", + "clear_code": "נקה", + "code": "קוד", + "disarm": "לא דרוך" }, - "developer-tools": { - "tabs": { - "services": { - "title": "שירותים" - }, - "states": { - "title": "מצבים" - }, - "events": { - "title": "אירועים" - }, - "templates": { - "title": "תבניות" - }, - "mqtt": { - "title": "MQTT" - }, - "info": { - "title": "מידע" - } + "automation": { + "last_triggered": "הפעלה אחרונה", + "trigger": "מפעיל" + }, + "camera": { + "not_available": "התמונה אינה זמינה" + }, + "climate": { + "aux_heat": "מסייע חום", + "away_mode": "מצב מחוץ לבית", + "currently": "כעת", + "fan_mode": "מצב מאורר", + "on_off": "הפעלה \/ כיבוי", + "operation": "סוג", + "preset_mode": "מצב מוגדר", + "swing_mode": "מצב נדנוד", + "target_humidity": "לחות היעד", + "target_temperature": "טמפרטורת היעד" + }, + "cover": { + "position": "מיקום", + "tilt_position": "הטיה" + }, + "fan": { + "direction": "כיוון", + "oscillate": "נעים", + "speed": "מהירות" + }, + "light": { + "brightness": "בהירות", + "color_temperature": "טמפרטורת הצבע", + "effect": "אפקט", + "white_value": "לבן" + }, + "lock": { + "code": "קוד", + "lock": "נעילה", + "unlock": "ביטול נעילה" + }, + "media_player": { + "sound_mode": "מצב קול", + "source": "מקור", + "text_to_speak": "טקסט לדיבור" + }, + "persistent_notification": { + "dismiss": "בטל" + }, + "scene": { + "activate": "הפעל" + }, + "script": { + "execute": "הפעל" + }, + "vacuum": { + "actions": { + "resume_cleaning": "לחדש את הניקוי", + "return_to_base": "חזור לעגינה", + "start_cleaning": "התחל לנקות", + "turn_off": "כבה", + "turn_on": "הדלק" } }, - "history": { - "showing_entries": "מציג רשומות עבור", - "period": "תקופה" + "water_heater": { + "away_mode": "מצב מחוץ לבית", + "currently": "כעת", + "on_off": "הפעלה \/ כיבוי", + "operation": "פעולה", + "target_temperature": "טמפרטורת היעד" }, - "logbook": { - "showing_entries": "מציג רשומות עבור", - "period": "תקופה" + "weather": { + "attributes": { + "air_pressure": "לחץ אוויר", + "humidity": "לחות", + "temperature": "טמפרטורה", + "visibility": "ראות", + "wind_speed": "מהירות הרוח" + }, + "cardinal_direction": { + "e": "מזרח", + "ene": " צפון מזרח", + "ese": " דרום מזרח", + "n": "צפון", + "ne": "צפון מזרח", + "nne": "צפון מזרח", + "nnw": "צפון מערב", + "nw": "צפון מערב", + "s": "דרום", + "se": "דרום מזרח", + "sse": "דרום מזרח", + "ssw": "דרום מערב", + "sw": "דרום מערב", + "w": "מערב", + "wnw": "צפון מערב", + "wsw": "דרום מערב" + }, + "forecast": "תחזית" + } + }, + "common": { + "cancel": "ביטול", + "loading": "טוען", + "save": "שמור" + }, + "components": { + "entity": { + "entity-picker": { + "entity": "ישות" + } }, - "mailbox": { - "empty": "אין לך הודעות", - "playback_title": "הודעת ניגון", - "delete_prompt": "למחוק הודעה זו?", - "delete_button": "מחיקה" + "history_charts": { + "loading_history": "טוען היסטוריה...", + "no_history_found": "לא נמצאה היסטוריה" }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\n one {יום}\\n other {ימים}\\n}", + "hour": "{count} {count, plural,\\n one {שעה}\\n other {שעות}\\n}", + "minute": "{count} {count, plural,\\n one {דקה}\\n other {דקות}\\n}", + "second": "{count} {count, plural,\\n one {שנייה}\\n other {שניות}\\n}", + "week": "{count} {count, plural,\\n one {שבוע}\\n other {שבועות}\\n}" + }, + "future": "ב{time}", + "never": "אף פעם לא", + "past": "מלפני {time}" + }, + "service-picker": { + "service": "שירות" + } + }, + "dialogs": { + "config_entry_system_options": { + "title": "אפשרויות מערכת" + }, + "more_info_control": { + "script": { + "last_action": "פעולה אחרונה" + }, + "sun": { + "elevation": "גובה", + "rising": "זורחת", + "setting": "שוקעת" + }, + "updater": { + "title": "הוראות עדכון" + } + }, + "more_info_settings": { + "entity_id": "מזהה ישות", + "name": "שם חלופי", + "save": "שמור" + }, + "options_flow": { + "success": { + "description": "האפשרויות נשמרו בהצלחה." + } + }, + "zha_device_info": { + "services": { + "remove": "הסר מכשיר מרשת ה-Zigbee" + } + } + }, + "duration": { + "day": "יום ימים", + "hour": "{count} {count, plural,\\n one {שעה}\\n other {שעות}\\n}", + "minute": "{count} {count, plural,\\n one {דקה}\\n other {דקות}\\n}", + "second": "שניה שניות", + "week": "שבוע שבועות" + }, + "login-form": { + "log_in": "התחבר", + "password": "סיסמה", + "remember": "זכור" + }, + "notification_drawer": { + "click_to_configure": "לחץ על הלחצן כדי להגדיר {entity}", + "empty": "אין התראות", + "title": "התראות" + }, + "notification_toast": { + "connection_lost": "החיבור אבד. מתחבר מחדש...", + "entity_turned_off": "{entity} נכבה.", + "entity_turned_on": "{entity} נדלק.", + "service_call_failed": "נכשלה הקריאה לשירות {service} .", + "service_called": "השירות {service} נקרא." + }, + "panel": { "config": { - "header": "הגדר את Home Assistant", - "introduction": "כאן ניתן להגדיר את הרכיבים ואת ה Home Assistant. לא הכל ניתן להגדיר את ממשק המשתמש עדיין, אבל אנחנו עובדים על זה.", + "area_registry": { + "caption": "מאגר האזורים", + "create_area": "צור איזור", + "description": "סקירה של כל האזורים בביתך", + "editor": { + "create": "צור", + "default_name": "אזור חדש", + "delete": "מחק", + "update": "עדכון" + }, + "no_areas": "נראה שעדיין אין אזורים!", + "picker": { + "create_area": "צור אזור", + "header": "מאגר האזורים", + "integrations_page": "דף אינטגרציות", + "introduction": "אזורים משמשים לארגון המיקום של ההתקנים. Home Assistant יעשה שימוש במידע זה בכדי לסייע לך בארגון הממשק, ההרשאות והאינטגרציות שלך עם מערכות אחרות.", + "introduction2": "כדי למקם התקנים באזור זה, השתמש בקישור הבא כדי לנווט אל דף האינטגרציות ולאחר מכן לחץ על אינטגרציה מוגדרת כדי להגיע לכרטיסי המכשיר.", + "no_areas": "נראה שאין לך אזורים עדיין!" + } + }, + "automation": { + "caption": "אוטומציה", + "description": "צור וערוך אוטומציות", + "editor": { + "actions": { + "add": "הוסף פעולה", + "delete": "מחק", + "delete_confirm": "האם אתה בטוח שאתה רוצה למחוק?", + "duplicate": "שכפל", + "header": "פעולות", + "introduction": "הפעולות הן מה שHome Assistant יעשה כאשר אוטומציה מופעלת.", + "learn_more": "למד עוד על פעולות", + "type_select": "סוג פעולה", + "type": { + "condition": { + "label": "תנאי" + }, + "delay": { + "delay": "עיכוב", + "label": "עיכוב" + }, + "event": { + "event": "ארוע", + "label": "ירה אירוע", + "service_data": "נתוני שירות" + }, + "service": { + "label": "קריאה לשירות", + "service_data": "נתוני שירות" + }, + "wait_template": { + "label": "לחכות", + "timeout": "זמן קצוב (אופציונלי)", + "wait_template": "תבנית זמן" + } + }, + "unsupported_action": "פעולה לא נתמכת: {action}" + }, + "alias": "שם", + "conditions": { + "add": "הוסף תנאי", + "delete": "מחק", + "delete_confirm": "אתה בטוח שאתה רוצה למחוק?", + "duplicate": "שכפל", + "header": "תנאים", + "introduction": "התנאים הם חלק אופציונלי של כלל אוטומציה, וניתן להשתמש בהם כדי למנוע פעולה כלשהי בעת הפעלתה. התנאים נראים דומים מאוד לטריגרים אך הם שונים מאוד. הטריגר יסתכל על האירועים המתרחשים במערכת בעוד תנאי רק מסתכל על איך המערכת נראית עכשיו. הטריגר יכול לדעת כשמתג נדלק. תנאי יכול לראות רק אם מתג מופעל או כבוי.", + "learn_more": "למד עוד על תנאים", + "type_select": "סוג תנאי", + "type": { + "numeric_state": { + "above": "מעל", + "below": "מתחת", + "label": "מצב מספרי", + "value_template": "ערך תבנית (אופציונלי)" + }, + "state": { + "label": "מצב", + "state": "מצב" + }, + "sun": { + "after": "לאחר:", + "after_offset": "לאחר השקיעה (אופציונלי)", + "before": "לפני:", + "before_offset": "לפני השקיעה (אופציונלי)", + "label": "שמש", + "sunrise": "זריחה", + "sunset": "שקיעה" + }, + "template": { + "label": "תבנית", + "value_template": "ערך תבנית" + }, + "time": { + "after": "אחרי", + "before": "לפני", + "label": "זמן" + }, + "zone": { + "entity": "ישות עם מיקום", + "label": "אזור", + "zone": "אזור" + } + }, + "unsupported_condition": "תנאי לא נתמך: {condition}" + }, + "default_name": "אוטומציה חדשה", + "introduction": "השתמש\/י באוטומציות להפיח חיים בביתך.", + "load_error_not_editable": "רק אוטומציה ב automations.yaml ניתנים לעריכה.", + "load_error_unknown": "שגיאה בטעינת האוטומציה ( {err_no} ).", + "save": "שמור", + "triggers": { + "add": "הוספת טריגר", + "delete": "מחק", + "delete_confirm": "האם אתה בטוח שברצונך למחוק?", + "duplicate": "שכפל", + "header": "טריגרים", + "introduction": "טריגרים הם מה שמתחיל כל אוטומציה. ניתן לציין מספר טריגרים עבור אותו כלל. לאחר הפעלת טריגר, Home Assistant יאמת את התנאים, אם ישנם, ויפעיל את הפעולה.", + "learn_more": "למד עוד על טריגרים", + "type_select": "סוג מפעיל", + "type": { + "event": { + "event_data": "נתוני אירוע", + "event_type": "סוג אירוע", + "label": "אירוע" + }, + "geo_location": { + "enter": "כניסה", + "event": "אירוע:", + "label": "מיקום גיאוגרפי", + "leave": "יציאה", + "source": "מקור", + "zone": "אזור" + }, + "homeassistant": { + "event": "אירוע:", + "label": "Home Assistant", + "shutdown": "כיבוי", + "start": "התחל" + }, + "mqtt": { + "label": "MQTT", + "payload": "Payload (אופציונלי)", + "topic": "נושא" + }, + "numeric_state": { + "above": "מעל", + "below": "מתחת", + "label": "מצב מספרי", + "value_template": "תבנית ערך (אופציונלי)" + }, + "state": { + "for": "למשך", + "from": "מ", + "label": "מצב", + "to": "ל" + }, + "sun": { + "event": "אירוע", + "label": "שמש", + "offset": "שקיעה (אופציונלי)", + "sunrise": "זריחה", + "sunset": "שקיעה" + }, + "template": { + "label": "תבנית", + "value_template": "תבנית ערך" + }, + "time_pattern": { + "hours": "שעות", + "label": "תבנית זמן", + "minutes": "דקות", + "seconds": "שניות" + }, + "time": { + "at": "ב", + "label": "זמן" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook ID" + }, + "zone": { + "enter": "כניסה", + "entity": "ישות עם מיקום", + "event": "אירוע:", + "label": "אזור", + "leave": "יציאה", + "zone": "אזור" + } + }, + "unsupported_platform": "פלטפורמה לא נתמכת: {platform}" + }, + "unsaved_confirm": "יש לך שינויים שלא נשמרו. אתה בטוח שאתה רוצה לעזוב?" + }, + "picker": { + "add_automation": "הוסף אוטומציה", + "header": "עורך אוטומציה", + "introduction": "עורך אוטומציה מאפשר לך ליצור ולערוך אוטומציות. אנא עקוב אחר הקישור למטה וקרא את ההוראות כדי לוודא שהגדרת את ה - Home Assistant כהלכה.", + "learn_more": "למד עוד על אוטומציות", + "no_automations": "לא הצלחנו למצוא שום אוטומציה הניתנת לעריכה", + "pick_automation": "בחר אוטומציה לעריכה" + } + }, + "cloud": { + "account": { + "alexa": { + "info_state_reporting": "אם תאפשר דיווח על מצב, Home Assistant ישלח כל שינוי מצב של ישויות חשופות לאמזון. זה יאפשר לך לראות תמיד את המצב העדכני באפליקציית Alexa ולהשתמש בשינויי המצב ליצירת שגרות.", + "title": "Alexa" + }, + "google": { + "title": "Google Assistant" + } + }, + "alexa": { + "title": "Alexa" + }, + "caption": "ענן Home Assistant", + "description_features": "שליטה הרחק מהבית, משתלב עם Alexa ו Google Assistant.", + "description_login": "מחובר בתור {email} מה", + "description_not_login": "לא מחובר", + "dialog_cloudhook": { + "close": "סגור" + }, + "google": { + "title": "Google Assistant" + }, + "register": { + "feature_amazon_alexa": "אינטגרציה עם Amazon Alexa", + "feature_google_home": "אינטגרציה עם Google Assistant", + "headline": "התחל את תקופת הניסיון בחינם" + } + }, "core": { "caption": "כללי", "description": "שנה את התצורה הכללית של Home Assistant", "section": { "core": { - "header": "הגדרות כלליות", - "introduction": "שינוי התצורה שלך יכול להיות תהליך מייגע. אנחנו יודעים. חלק זה ינסה להפוך את החיים שלך קצת יותר קלים.", "core_config": { "edit_requires_storage": "עורך מושבת משום שתצורה מאוחסנת ב- configuration.yaml.", - "location_name": "שם ההתקנה של הבית שלך", - "latitude": "קו רוחב", - "longitude": "קו אורך", "elevation": "גובה", "elevation_meters": "מטר", + "imperial_example": "פרנהייט, פאונד", + "latitude": "קו רוחב", + "location_name": "שם ההתקנה של הבית שלך", + "longitude": "קו אורך", + "metric_example": "צלזיוס, ק\"ג", + "save_button": "שמור", "time_zone": "איזור זמן", "unit_system": "יחידת מידה", "unit_system_imperial": "אימפריאלי", - "unit_system_metric": "מטרי", - "imperial_example": "פרנהייט, פאונד", - "metric_example": "צלזיוס, ק\"ג", - "save_button": "שמור" - } + "unit_system_metric": "מטרי" + }, + "header": "הגדרות כלליות", + "introduction": "שינוי התצורה שלך יכול להיות תהליך מייגע. אנחנו יודעים. חלק זה ינסה להפוך את החיים שלך קצת יותר קלים." }, "server_control": { - "validation": { - "heading": "בדיקת הקונפיגורציה", - "introduction": "אמת את הקונפיגורציה שלך אם ביצעת לאחרונה שינויים מסוימים וברצונך לוודא שהיא תקניה", - "check_config": "בדיקת הקונפיגורציה", - "valid": "קונפיגורציה תקינה!", - "invalid": "קונפיגורציה לא תקנית" - }, "reloading": { - "heading": "טען מחדש קונפיגורציה", - "introduction": "חלקים מסוימים של Home Assistant יכולים להיטען מחדש ללא צורך בהפעלה מחדש.\nטעינה מחדש תשנה את הקונפיגורציה הנוכחית ותטען קונפיגורציה חדשה.", + "automation": "טען מחדש אוטומציות", "core": "טען מחדש את הליבה", "group": "טען מחדש קבוצות", - "automation": "טען מחדש אוטומציות", + "heading": "טען מחדש קונפיגורציה", + "introduction": "חלקים מסוימים של Home Assistant יכולים להיטען מחדש ללא צורך בהפעלה מחדש.\\nטעינה מחדש תשנה את הקונפיגורציה הנוכחית ותטען קונפיגורציה חדשה.", "script": "טען מחדש סקריפטים" }, "server_management": { @@ -391,6 +864,13 @@ "introduction": "לשלוט על שרת הHome Assistant שלך... מHome Assistant.", "restart": "הפעלה מחדש", "stop": "עצור" + }, + "validation": { + "check_config": "בדיקת הקונפיגורציה", + "heading": "בדיקת הקונפיגורציה", + "introduction": "אמת את הקונפיגורציה שלך אם ביצעת לאחרונה שינויים מסוימים וברצונך לוודא שהיא תקניה", + "invalid": "קונפיגורציה לא תקנית", + "valid": "קונפיגורציה תקינה!" } } } @@ -403,320 +883,38 @@ "introduction": "כוונן תכונות של כל ישות. ההתאמות הנוספות שנוספו \/ ייכנסו לתוקף באופן מיידי. התאמות אישיות שהוסרו ייכנסו לתוקף כאשר הישות תעודכן." } }, - "automation": { - "caption": "אוטומציה", - "description": "צור וערוך אוטומציות", - "picker": { - "header": "עורך אוטומציה", - "introduction": "עורך אוטומציה מאפשר לך ליצור ולערוך אוטומציות. אנא עקוב אחר הקישור למטה וקרא את ההוראות כדי לוודא שהגדרת את ה - Home Assistant כהלכה.", - "pick_automation": "בחר אוטומציה לעריכה", - "no_automations": "לא הצלחנו למצוא שום אוטומציה הניתנת לעריכה", - "add_automation": "הוסף אוטומציה", - "learn_more": "למד עוד על אוטומציות" - }, + "entity_registry": { + "caption": "מאגר הישויות", + "description": "סקירה של כל הישויות המוכרות", "editor": { - "introduction": "השתמש\/י באוטומציות להפיח חיים בביתך.", - "default_name": "אוטומציה חדשה", - "save": "שמור", - "unsaved_confirm": "יש לך שינויים שלא נשמרו. אתה בטוח שאתה רוצה לעזוב?", - "alias": "שם", - "triggers": { - "header": "טריגרים", - "introduction": "טריגרים הם מה שמתחיל כל אוטומציה. ניתן לציין מספר טריגרים עבור אותו כלל. לאחר הפעלת טריגר, Home Assistant יאמת את התנאים, אם ישנם, ויפעיל את הפעולה.", - "add": "הוספת טריגר", - "duplicate": "שכפל", - "delete": "מחק", - "delete_confirm": "האם אתה בטוח שברצונך למחוק?", - "unsupported_platform": "פלטפורמה לא נתמכת: {platform}", - "type_select": "סוג מפעיל", - "type": { - "event": { - "label": "אירוע", - "event_type": "סוג אירוע", - "event_data": "נתוני אירוע" - }, - "state": { - "label": "מצב", - "from": "מ", - "to": "ל", - "for": "למשך" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "אירוע:", - "start": "התחל", - "shutdown": "כיבוי" - }, - "mqtt": { - "label": "MQTT", - "topic": "נושא", - "payload": "Payload (אופציונלי)" - }, - "numeric_state": { - "label": "מצב מספרי", - "above": "מעל", - "below": "מתחת", - "value_template": "תבנית ערך (אופציונלי)" - }, - "sun": { - "label": "שמש", - "event": "אירוע", - "sunrise": "זריחה", - "sunset": "שקיעה", - "offset": "שקיעה (אופציונלי)" - }, - "template": { - "label": "תבנית", - "value_template": "תבנית ערך" - }, - "time": { - "label": "זמן", - "at": "ב" - }, - "zone": { - "label": "אזור", - "entity": "ישות עם מיקום", - "zone": "אזור", - "event": "אירוע:", - "enter": "כניסה", - "leave": "יציאה" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook ID" - }, - "time_pattern": { - "label": "תבנית זמן", - "hours": "שעות", - "minutes": "דקות", - "seconds": "שניות" - }, - "geo_location": { - "label": "מיקום גיאוגרפי", - "source": "מקור", - "zone": "אזור", - "event": "אירוע:", - "enter": "כניסה", - "leave": "יציאה" - } - }, - "learn_more": "למד עוד על טריגרים" - }, - "conditions": { - "header": "תנאים", - "introduction": "התנאים הם חלק אופציונלי של כלל אוטומציה, וניתן להשתמש בהם כדי למנוע פעולה כלשהי בעת הפעלתה. התנאים נראים דומים מאוד לטריגרים אך הם שונים מאוד. הטריגר יסתכל על האירועים המתרחשים במערכת בעוד תנאי רק מסתכל על איך המערכת נראית עכשיו. הטריגר יכול לדעת כשמתג נדלק. תנאי יכול לראות רק אם מתג מופעל או כבוי.", - "add": "הוסף תנאי", - "duplicate": "שכפל", - "delete": "מחק", - "delete_confirm": "אתה בטוח שאתה רוצה למחוק?", - "unsupported_condition": "תנאי לא נתמך: {condition}", - "type_select": "סוג תנאי", - "type": { - "state": { - "label": "מצב", - "state": "מצב" - }, - "numeric_state": { - "label": "מצב מספרי", - "above": "מעל", - "below": "מתחת", - "value_template": "ערך תבנית (אופציונלי)" - }, - "sun": { - "label": "שמש", - "before": "לפני:", - "after": "לאחר:", - "before_offset": "לפני השקיעה (אופציונלי)", - "after_offset": "לאחר השקיעה (אופציונלי)", - "sunrise": "זריחה", - "sunset": "שקיעה" - }, - "template": { - "label": "תבנית", - "value_template": "ערך תבנית" - }, - "time": { - "label": "זמן", - "after": "אחרי", - "before": "לפני" - }, - "zone": { - "label": "אזור", - "entity": "ישות עם מיקום", - "zone": "אזור" - } - }, - "learn_more": "למד עוד על תנאים" - }, - "actions": { - "header": "פעולות", - "introduction": "הפעולות הן מה שHome Assistant יעשה כאשר אוטומציה מופעלת.", - "add": "הוסף פעולה", - "duplicate": "שכפל", - "delete": "מחק", - "delete_confirm": "האם אתה בטוח שאתה רוצה למחוק?", - "unsupported_action": "פעולה לא נתמכת: {action}", - "type_select": "סוג פעולה", - "type": { - "service": { - "label": "קריאה לשירות", - "service_data": "נתוני שירות" - }, - "delay": { - "label": "עיכוב", - "delay": "עיכוב" - }, - "wait_template": { - "label": "לחכות", - "wait_template": "תבנית זמן", - "timeout": "זמן קצוב (אופציונלי)" - }, - "condition": { - "label": "תנאי" - }, - "event": { - "label": "ירה אירוע", - "event": "ארוע", - "service_data": "נתוני שירות" - } - }, - "learn_more": "למד עוד על פעולות" - }, - "load_error_not_editable": "רק אוטומציה ב automations.yaml ניתנים לעריכה.", - "load_error_unknown": "שגיאה בטעינת האוטומציה ( {err_no} )." - } - }, - "script": { - "caption": "סקריפט", - "description": "צור וערוך סקריפטים" - }, - "zwave": { - "caption": "Z-Wave", - "description": "נהל את רשת ה- Z-Wave שלך", - "network_management": { - "header": "ניהול רשת ה Z-Wave", - "introduction": "הפעל פקודות המשפיעות על רשת ה-Z Wave. לא תקבל משוב אם רוב הפקודות הצליחו, אך באפשרותך לבדוק את יומן ה-OZW כדי לנסות לגלות." + "default_name": "אזור חדש", + "delete": "מחק", + "unavailable": "ישות זו אינה זמינה כעת.", + "update": "עדכון" }, - "network_status": { - "network_stopped": "רשת ה Z-Wave נעצרה", - "network_starting": "מפעיל את רשת ה Z-Wave", - "network_starting_note": "הדבר עשוי להימשך זמן מה בהתאם לגודל הרשת.", - "network_started": "רשת ה Z-Wave הופעלה", - "network_started_note_some_queried": "רכיבים דלוקים נבדקו. רכיבים כבויים יבדקו כאשר ידלקו.", - "network_started_note_all_queried": "כל הרכיבים נבדקו" - }, - "services": { - "start_network": "הפעל רשת", - "stop_network": "עצור רשת", - "heal_network": "ריפוי רשת", - "test_network": "בדיקת רשת", - "soft_reset": "איפוס רך", - "save_config": "שמור קונפיגורציה", - "add_node_secure": "הוסף רכיב מאובטח", - "add_node": "הוסף רכיב", - "remove_node": "הסר רכיב", - "cancel_command": "ביטול פקודה" - }, - "common": { - "value": "ערך תצורה", - "instance": "פרמטר", - "index": "אינדקס", - "unknown": "לא ידוע", - "wakeup_interval": "מרווח פעולה" - }, - "values": { - "header": "ערכים" - }, - "node_config": { - "header": "עריכת קונפיגורציה", - "seconds": "שניות", - "set_wakeup": "בחירת מרווח פעולה", - "config_parameter": "פרמטר תצורה", - "config_value": "ערך תצורה", - "true": "True", - "false": "False", - "set_config_parameter": "הגדר פרמטר Config" - }, - "learn_more": "למידע נוסף על Z-Wave" - }, - "users": { - "caption": "משתמשים", - "description": "ניהול משתמשים", "picker": { - "title": "משתמשים", - "system_generated": "נוצר ע\"י המערכת" - }, - "editor": { - "rename_user": "שנה שם משתמש", - "change_password": "שינוי סיסמה", - "activate_user": "הפעל משתמש", - "deactivate_user": "בטל את המשתמש", - "delete_user": "מחיקת משתמש", - "caption": "הצג משתמש", - "id": "מזהה", - "owner": "בעלים", - "group": "קבוצה", - "active": "פעיל", - "enter_new_name": "הזן שם חדש", - "confirm_user_deletion": "האם הינך בטוח\/ה שברצונך למחוק את {name} ?" - }, - "add_user": { - "caption": "הוסף משתמש", - "name": "שם", - "username": "שם משתמש", - "password": "סיסמה", - "create": "צור" - } - }, - "cloud": { - "caption": "ענן Home Assistant", - "description_login": "מחובר בתור {email} מה", - "description_not_login": "לא מחובר", - "description_features": "שליטה הרחק מהבית, משתלב עם Alexa ו Google Assistant.", - "register": { - "headline": "התחל את תקופת הניסיון בחינם", - "feature_google_home": "אינטגרציה עם Google Assistant", - "feature_amazon_alexa": "אינטגרציה עם Amazon Alexa" - }, - "account": { - "alexa": { - "title": "Alexa", - "info_state_reporting": "אם תאפשר דיווח על מצב, Home Assistant ישלח כל שינוי מצב של ישויות חשופות לאמזון. זה יאפשר לך לראות תמיד את המצב העדכני באפליקציית Alexa ולהשתמש בשינויי המצב ליצירת שגרות." - }, - "google": { - "title": "Google Assistant" - } - }, - "alexa": { - "title": "Alexa" - }, - "google": { - "title": "Google Assistant" - }, - "dialog_cloudhook": { - "close": "סגור" + "header": "מאגר הישויות", + "integrations_page": "דף אינטגרציות", + "introduction": "Home Assistant מנהל רישום של כל ישות שנראתה אי פעם ואשר ניתנת לזיהוי ייחודי. לכל אחד מישויות אלו יהיה מזהה ישות שהוקצה ואשר יהה שמור רק עבור ישות זו.", + "introduction2": "השתמש במאגר הישויות בכדי לשנות את השם, מזהה הישות או להסיר את הערך מ- Home Assistant. שים לב, הסרת הישות ממאגר זה לא תסיר את הישות. לשם כך, פעל לפי הקישור שלהלן והסר אותו מדף האינטגרציות.", + "unavailable": "(לא זמין)" } }, + "header": "הגדר את Home Assistant", "integrations": { "caption": "אינטגרציות", - "description": "ניהול והגדרת אינטגרציות", - "discovered": "זוהו", - "configured": "הוגדר", - "new": "הגדר אינטגרציה", - "configure": "הגדר", - "none": "כלום אינו הוגדר עדיין", "config_entry": { - "no_devices": "לאינטגרציה זו אין התקנים.", - "no_device": "ישויות ללא מכשירים", "delete_confirm": "האם אתה בטוח שברצונך למחוק אינטגרציה זו?", - "restart_confirm": "הפעל מחדש את Home Assistant כדי להשלים את הסרת האינטגרציה", - "manuf": "על ידי {manufacturer}", - "via": "מחובר באמצעות", - "firmware": "קושחה: {version}", "device_unavailable": "התקן אינו זמין", "entity_unavailable": "ישות לא זמינה", + "firmware": "קושחה: {version}", + "hub": "מחובר באמצעות", + "manuf": "על ידי {manufacturer}", "no_area": "ללא אזור", - "hub": "מחובר באמצעות" + "no_device": "ישויות ללא מכשירים", + "no_devices": "לאינטגרציה זו אין התקנים.", + "restart_confirm": "הפעל מחדש את Home Assistant כדי להשלים את הסרת האינטגרציה", + "via": "מחובר באמצעות" }, "config_flow": { "external_step": { @@ -724,113 +922,43 @@ "open_site": "פתח אתר" } }, + "configure": "הגדר", + "configured": "הוגדר", + "description": "ניהול והגדרת אינטגרציות", + "discovered": "זוהו", + "home_assistant_website": "אתר Home Assistant", + "new": "הגדר אינטגרציה", + "none": "כלום אינו הוגדר עדיין", "note_about_integrations": "קיימות אינטגרציות שלא ניתן עדיין להגדירן ע\"י ממשק המשתמש.", - "note_about_website_reference": "מידע נוסף זמין ב:", - "home_assistant_website": "אתר Home Assistant" - }, - "zha": { - "caption": "ZHA", - "description": "ניהול רשת Zigbee לאוטומציה ביתית", - "services": { - "reconfigure": "התקן מחדש את התקן ה ZHA. השתמש באפשרות זו אם אתה נתקל בבעיות בהתקן. אם ההתקן המדובר הוא התקן המופעל באמצעות סוללות, ודא שהוא ער ויכול לקבל פקודות בעת שימוש בשירות זה.", - "updateDeviceName": "הגדר שם מותאם אישית עבור התקן זה במאגר ההתקנים.", - "remove": "הסר התקן מרשת Zigbee." - }, - "device_card": { - "device_name_placeholder": "שם פרטי", - "area_picker_label": "אזור", - "update_name_button": "עדכן שם" - }, - "add_device_page": { - "header": "אוטומציית Zigbee - הוספת התקנים", - "spinner": "מחפש מכשירי ZHA Zigbee...", - "discovery_text": ". המכשירים שהתגלו יופיעו כאן. עקוב אחר ההוראות עבור ההתקנים שלך והצב את ההתקנים במצב תיאום.", - "search_again": "חפש שוב" - }, - "common": { - "add_devices": "הוסף התקנים", - "devices": "התקנים" - }, - "node_management": { - "hint_battery_devices": "הערה: מכשירים מנומנמים (מופעלים על סוללות) צריכים להיות ערים בעת ביצוע פקודות מולם. בדרך כלל ניתן להעיר מכשיר מנומנם על ידי ביצוע פקודה מולם.", - "hint_wakeup": "מכשירים מסוימים, כגון חיישני Xiaomi, כוללים כפתור להתעוררות עליו ניתן ללחוץ במרווח של ~5 שניות על מנת להשאיר אותם ערים בזמן שמתקשרים איתם." - }, - "cluster_attributes": { - "get_zigbee_attribute": "קבל שדה Zigbee", - "set_zigbee_attribute": "קבע שדה Zigbee", - "help_attribute_dropdown": "בחר שדה לצפייה או לשינוי ערכו.", - "help_get_zigbee_attribute": "קבל את הערך עבור השדה שנבחר." - }, - "cluster_commands": { - "issue_zigbee_command": "שלח פקודת Zigbee" - } - }, - "area_registry": { - "caption": "מאגר האזורים", - "description": "סקירה של כל האזורים בביתך", - "picker": { - "header": "מאגר האזורים", - "introduction": "אזורים משמשים לארגון המיקום של ההתקנים. Home Assistant יעשה שימוש במידע זה בכדי לסייע לך בארגון הממשק, ההרשאות והאינטגרציות שלך עם מערכות אחרות.", - "introduction2": "כדי למקם התקנים באזור זה, השתמש בקישור הבא כדי לנווט אל דף האינטגרציות ולאחר מכן לחץ על אינטגרציה מוגדרת כדי להגיע לכרטיסי המכשיר.", - "integrations_page": "דף אינטגרציות", - "no_areas": "נראה שאין לך אזורים עדיין!", - "create_area": "צור אזור" - }, - "no_areas": "נראה שעדיין אין אזורים!", - "create_area": "צור איזור", - "editor": { - "default_name": "אזור חדש", - "delete": "מחק", - "update": "עדכון", - "create": "צור" - } - }, - "entity_registry": { - "caption": "מאגר הישויות", - "description": "סקירה של כל הישויות המוכרות", - "picker": { - "header": "מאגר הישויות", - "unavailable": "(לא זמין)", - "introduction": "Home Assistant מנהל רישום של כל ישות שנראתה אי פעם ואשר ניתנת לזיהוי ייחודי. לכל אחד מישויות אלו יהיה מזהה ישות שהוקצה ואשר יהה שמור רק עבור ישות זו.", - "introduction2": "השתמש במאגר הישויות בכדי לשנות את השם, מזהה הישות או להסיר את הערך מ- Home Assistant. שים לב, הסרת הישות ממאגר זה לא תסיר את הישות. לשם כך, פעל לפי הקישור שלהלן והסר אותו מדף האינטגרציות.", - "integrations_page": "דף אינטגרציות" - }, - "editor": { - "unavailable": "ישות זו אינה זמינה כעת.", - "default_name": "אזור חדש", - "delete": "מחק", - "update": "עדכון" - } + "note_about_website_reference": "מידע נוסף זמין ב:" }, + "introduction": "כאן ניתן להגדיר את הרכיבים ואת ה Home Assistant. לא הכל ניתן להגדיר את ממשק המשתמש עדיין, אבל אנחנו עובדים על זה.", "person": { "caption": "אנשים", "description": "נהל את האנשים ש Home Assistant יעקב אחריהם.", "detail": { - "name": "שם", "device_tracker_intro": "בחר את המכשירים השייכים לאדם זה.", - "device_tracker_picked": "עקוב אחר מכשיר", "device_tracker_pick": "בחר מכשיר למעקב", - "name_error_msg": "שם נדרש", - "linked_user": "משתמש מקושר" + "device_tracker_picked": "עקוב אחר מכשיר", + "linked_user": "משתמש מקושר", + "name": "שם", + "name_error_msg": "שם נדרש" } }, + "script": { + "caption": "סקריפט", + "description": "צור וערוך סקריפטים" + }, "server_control": { "caption": "בקרת שרת", "description": "אתחל וכבה את שרת ה Home Assistant", "section": { - "validation": { - "heading": "בדיקת הקונפיגורציה", - "introduction": "אמת את הקונפיגורציה שלך אם ביצעת לאחרונה שינויים מסוימים וברצונך לוודא שהיא תקינה", - "check_config": "בדיקת הקונפיגורציה", - "valid": "קונפיגורציה תקינה!", - "invalid": "קונפיגורציה לא תקנית" - }, "reloading": { - "heading": "טען מחדש קונפיגורציה", - "introduction": "חלקים מסוימים של Home Assistant יכולים להטען מחדש ללא צורך בהפעלה מחדש.\nטעינה מחדש תשנה את הקונפיגורציה הנוכחית ותטען קונפיגורציה חדשה.", + "automation": "טען מחדש אוטומציות", "core": "טען מחדש את הליבה", "group": "טען מחדש קבוצות", - "automation": "טען מחדש אוטומציות", + "heading": "טען מחדש קונפיגורציה", + "introduction": "חלקים מסוימים של Home Assistant יכולים להטען מחדש ללא צורך בהפעלה מחדש.\\nטעינה מחדש תשנה את הקונפיגורציה הנוכחית ותטען קונפיגורציה חדשה.", "script": "טען מחדש סקריפטים" }, "server_management": { @@ -838,278 +966,192 @@ "introduction": "לשלוט על שרת הHome Assistant שלך... מHome Assistant.", "restart": "אתחול", "stop": "עצור" + }, + "validation": { + "check_config": "בדיקת הקונפיגורציה", + "heading": "בדיקת הקונפיגורציה", + "introduction": "אמת את הקונפיגורציה שלך אם ביצעת לאחרונה שינויים מסוימים וברצונך לוודא שהיא תקינה", + "invalid": "קונפיגורציה לא תקנית", + "valid": "קונפיגורציה תקינה!" } } - } - }, - "profile": { - "push_notifications": { - "header": "הודעות דחיפה", - "description": "שלח התראות למכשיר זה.", - "error_load_platform": "הגדר את notify.html5.", - "error_use_https": "נדרש SSL מופעל עבור הממשק.", - "push_notifications": "הודעות דחיפה", - "link_promo": "למד עוד" }, - "language": { - "header": "שפה", - "link_promo": "עזור לתרגם", - "dropdown_label": "שפה" - }, - "themes": { - "header": "ערכת נושא", - "error_no_theme": "אין ערכות נושא זמינות.", - "link_promo": "למד אודות ערכות נושא", - "dropdown_label": "ערכת נושא" - }, - "refresh_tokens": { - "header": "רענן אסימונים", - "description": "כל אסימון רענון מייצג הפעלת התחברות. אסימוני רענון יוסרו באופן אוטומטי כאשר תלחץ על יציאה. אסימוני הרענון הבאים פעילים כעת עבור חשבונך.", - "token_title": "אסימון רענון עבור {clientId}", - "created_at": "נוצר בתאריך {date}", - "confirm_delete": "האם אתה בטוח שברצונך למחוק את אסימון הרענון עבור {name}", - "delete_failed": "מחיקת אסימון הרענון נכשלה.", - "last_used": "נעשה שימוש לאחרונה ב {date} מ{location}", - "not_used": "לא היה בשימוש", - "current_token_tooltip": "לא ניתן למחוק את אסימון הרענון הנוכחי" - }, - "long_lived_access_tokens": { - "header": "אסימוני גישה ארוכים חיים", - "description": "צור אסימוני גישה ארוכי טווח כדי לאפשר לסקריפטים שלך לקיים אינטראקציה עם Home Assistant.\nאסימונים אלו פועלים כיום:", - "learn_auth_requests": "למד כיצד לבצע בקשות מאומתות.", - "created_at": "נוצר בתאריך {date}", - "confirm_delete": "האם אתה בטוח שברצונך למחוק את אסימון הגישה עבור {name} ?", - "delete_failed": "מחיקת אסימון הגישה נכשלה.", - "create": "צור אסימון", - "create_failed": "יצירת אסימון הגישה נכשלה.", - "prompt_name": "שֵׁם?", - "prompt_copy_token": "העתק את אסימון הגישה שלך. הוא לא יוצג שוב.", - "empty_state": "אין לך עדיין אסימוני גישה ארוכים.", - "last_used": "נעשה שימוש לאחרונה {date} מ{location}", - "not_used": "לא היה בשימוש" - }, - "current_user": "אתה מחובר כעת כ- {fullName} .", - "is_owner": "אתה הבעלים.", - "change_password": { - "header": "שינוי סיסמה", - "current_password": "סיסמה נוכחית", - "new_password": "סיסמה חדשה", - "confirm_new_password": "אשר סיסמה חדשה", - "error_required": "נדרש", - "submit": "שלח" - }, - "mfa": { - "header": "מודלי אימות מרובה גורמים", - "disable": "בטל", - "enable": "הפעל", - "confirm_disable": "האם אתה בטוח שברצונך להשבית {name}" - }, - "mfa_setup": { - "title_aborted": "הופסק", - "title_success": "הצליח!", - "step_done": "הגדרה בוצעה עבור {step}", - "close": "סגור", - "submit": "שלח" - }, - "logout": "התנתק", - "force_narrow": { - "header": "הסתר תמיד את הסרגל הצידי", - "description": "פעולה זו תסתיר את הסרגל הצדדי כברירת מחדל, בדומה לחוויה בנייד." - }, - "advanced_mode": { - "title": "מצב מתקדם", - "description": "Home Assistant מסתיר תכונות ואפשרויות מתקדמות כברירת מחדל. ביכולתך לחשוף אותן ע\"י בחירת תיבת הסימון זו. הגדרה זו היא עבור המשתמש הנוכחי ולא תשפיע על משתמשים אחרים ב Home Assistant." - } - }, - "page-authorize": { - "initializing": "מאתחל", - "authorizing_client": "אתה עומד לתת גישה ל{clientId} עבור הHome Assistant שלך.", - "logging_in_with": "מתחבר ** {authProviderName} **.", - "pick_auth_provider": "או התחבר עם", - "abort_intro": "הכניסה בוטלה", - "form": { - "working": "אנא המתן", - "unknown_error": "משהו השתבש", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "שם משתמש", - "password": "סיסמה" - } - }, - "mfa": { - "data": { - "code": "קוד אימות דו" - }, - "description": "פתח את ** {mfa_module_name} ** במכשיר שלך כדי להציג את קוד האימות הדו שלבי ולאמת את הזהות שלך:" - } - }, - "error": { - "invalid_auth": "שם משתמש או סיסמה לא חוקיים", - "invalid_code": "קוד אימות לא חוקי" - }, - "abort": { - "login_expired": "פג תוקף הפעילות באתר, היכנס שוב." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "סיסמת הAPI." - }, - "description": "הזן את סיסמת הAPI שלך תחת http בקונפיגורציה:" - }, - "mfa": { - "data": { - "code": "קוד אימות דו" - }, - "description": "פתח את ** {mfa_module_name} ** במכשיר שלך כדי להציג את קוד האימות הדו שלבי ולאמת את הזהות שלך:" - } - }, - "error": { - "invalid_auth": "סיסמת API לא חוקית", - "invalid_code": "קוד אימות לא חוקי" - }, - "abort": { - "no_api_password_set": "לא הגדרת את סיסמת הAPI.", - "login_expired": "פג תוקף הפעילות, היכנס שוב." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "מִשׁתַמֵשׁ" - }, - "description": "בחר משתמש שאליו ברצונך להתחבר:" - } - }, - "abort": { - "not_whitelisted": "המחשב שלך אינו רשום ברשימת ההיתרים." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "שם משתמש", - "password": "סיסמא" - } - }, - "mfa": { - "data": { - "code": "קוד אימות דו-שלבי" - }, - "description": "פתח את ** {mfa_module_name} ** במכשיר שלך כדי להציג את קוד האימות הדו שלבי ולאמת את הזהות שלך:" - } - }, - "error": { - "invalid_auth": "שם משתמש או סיסמא לא נכונים", - "invalid_code": "קוד אימות לא חוקי" - }, - "abort": { - "login_expired": "פג תוקף הפעילות באתר, היכנס שוב." - } - } - } - } - }, - "page-onboarding": { - "intro": "האם אתה מוכן לעורר את הבית שלך, להחזיר את הפרטיות שלך ולהצטרף לקהילה של tinkerers ברחבי העולם?", - "user": { - "intro": "בואו נתחיל על ידי יצירת חשבון משתמש.", - "required_field": "נדרש", - "data": { + "users": { + "add_user": { + "caption": "הוסף משתמש", + "create": "צור", "name": "שם", - "username": "שם משתמש", "password": "סיסמה", - "password_confirm": "אשר סיסמה" + "username": "שם משתמש" }, - "create_account": "צור חשבון", - "error": { - "required_fields": "מלא את כל השדות הדרושים", - "password_not_match": "הסיסמאות אינן תואמות" + "caption": "משתמשים", + "description": "ניהול משתמשים", + "editor": { + "activate_user": "הפעל משתמש", + "active": "פעיל", + "caption": "הצג משתמש", + "change_password": "שינוי סיסמה", + "confirm_user_deletion": "האם הינך בטוח\/ה שברצונך למחוק את {name} ?", + "deactivate_user": "בטל את המשתמש", + "delete_user": "מחיקת משתמש", + "enter_new_name": "הזן שם חדש", + "group": "קבוצה", + "id": "מזהה", + "owner": "בעלים", + "rename_user": "שנה שם משתמש" + }, + "picker": { + "system_generated": "נוצר ע\"י המערכת", + "title": "משתמשים" } }, - "integration": { - "intro": "התקנים ושירותים מיוצגים ב- Home Assistant כאינטגרציות. באפשרותך להגדיר אותם כעת, או לעשות זאת מאוחר יותר ממסך התצורה.", - "more_integrations": "עוד", - "finish": "סיום" + "zha": { + "add_device_page": { + "discovery_text": ". המכשירים שהתגלו יופיעו כאן. עקוב אחר ההוראות עבור ההתקנים שלך והצב את ההתקנים במצב תיאום.", + "header": "אוטומציית Zigbee - הוספת התקנים", + "search_again": "חפש שוב", + "spinner": "מחפש מכשירי ZHA Zigbee..." + }, + "caption": "ZHA", + "cluster_attributes": { + "get_zigbee_attribute": "קבל שדה Zigbee", + "help_attribute_dropdown": "בחר שדה לצפייה או לשינוי ערכו.", + "help_get_zigbee_attribute": "קבל את הערך עבור השדה שנבחר.", + "set_zigbee_attribute": "קבע שדה Zigbee" + }, + "cluster_commands": { + "issue_zigbee_command": "שלח פקודת Zigbee" + }, + "common": { + "add_devices": "הוסף התקנים", + "devices": "התקנים" + }, + "description": "ניהול רשת Zigbee לאוטומציה ביתית", + "device_card": { + "area_picker_label": "אזור", + "device_name_placeholder": "שם פרטי", + "update_name_button": "עדכן שם" + }, + "node_management": { + "hint_battery_devices": "הערה: מכשירים מנומנמים (מופעלים על סוללות) צריכים להיות ערים בעת ביצוע פקודות מולם. בדרך כלל ניתן להעיר מכשיר מנומנם על ידי ביצוע פקודה מולם.", + "hint_wakeup": "מכשירים מסוימים, כגון חיישני Xiaomi, כוללים כפתור להתעוררות עליו ניתן ללחוץ במרווח של ~5 שניות על מנת להשאיר אותם ערים בזמן שמתקשרים איתם." + }, + "services": { + "reconfigure": "התקן מחדש את התקן ה ZHA. השתמש באפשרות זו אם אתה נתקל בבעיות בהתקן. אם ההתקן המדובר הוא התקן המופעל באמצעות סוללות, ודא שהוא ער ויכול לקבל פקודות בעת שימוש בשירות זה.", + "remove": "הסר התקן מרשת Zigbee.", + "updateDeviceName": "הגדר שם מותאם אישית עבור התקן זה במאגר ההתקנים." + } }, - "core-config": { - "intro": "שלום {name} , ברוך הבא ל- Home Assistant. איך היית רוצה את שם הבית שלך?", - "intro_location": "אנחנו רוצים לדעת איפה אתה גר. מידע זה יעזור עם הצגת מידע והגדרת אוטומציה מבוססת שמש. נתונים אלה לעולם אינם משותפים מחוץ לרשת שלך.", - "intro_location_detect": "אנו יכולים לעזור לך למלא מידע זה על ידי ביצוע בקשה חד פעמית לשירות חיצוני.", - "location_name_default": "בית", - "button_detect": "לזהות", - "finish": "הבא" + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "אינדקס", + "instance": "פרמטר", + "unknown": "לא ידוע", + "value": "ערך תצורה", + "wakeup_interval": "מרווח פעולה" + }, + "description": "נהל את רשת ה- Z-Wave שלך", + "learn_more": "למידע נוסף על Z-Wave", + "network_management": { + "header": "ניהול רשת ה Z-Wave", + "introduction": "הפעל פקודות המשפיעות על רשת ה-Z Wave. לא תקבל משוב אם רוב הפקודות הצליחו, אך באפשרותך לבדוק את יומן ה-OZW כדי לנסות לגלות." + }, + "network_status": { + "network_started": "רשת ה Z-Wave הופעלה", + "network_started_note_all_queried": "כל הרכיבים נבדקו", + "network_started_note_some_queried": "רכיבים דלוקים נבדקו. רכיבים כבויים יבדקו כאשר ידלקו.", + "network_starting": "מפעיל את רשת ה Z-Wave", + "network_starting_note": "הדבר עשוי להימשך זמן מה בהתאם לגודל הרשת.", + "network_stopped": "רשת ה Z-Wave נעצרה" + }, + "node_config": { + "config_parameter": "פרמטר תצורה", + "config_value": "ערך תצורה", + "false": "False", + "header": "עריכת קונפיגורציה", + "seconds": "שניות", + "set_config_parameter": "הגדר פרמטר Config", + "set_wakeup": "בחירת מרווח פעולה", + "true": "True" + }, + "services": { + "add_node": "הוסף רכיב", + "add_node_secure": "הוסף רכיב מאובטח", + "cancel_command": "ביטול פקודה", + "heal_network": "ריפוי רשת", + "remove_node": "הסר רכיב", + "save_config": "שמור קונפיגורציה", + "soft_reset": "איפוס רך", + "start_network": "הפעל רשת", + "stop_network": "עצור רשת", + "test_network": "בדיקת רשת" + }, + "values": { + "header": "ערכים" + } } }, + "developer-tools": { + "tabs": { + "events": { + "title": "אירועים" + }, + "info": { + "title": "מידע" + }, + "mqtt": { + "title": "MQTT" + }, + "services": { + "title": "שירותים" + }, + "states": { + "title": "מצבים" + }, + "templates": { + "title": "תבניות" + } + } + }, + "history": { + "period": "תקופה", + "showing_entries": "מציג רשומות עבור" + }, + "logbook": { + "period": "תקופה", + "showing_entries": "מציג רשומות עבור" + }, "lovelace": { "cards": { - "shopping-list": { - "checked_items": "פריטים מסומנים", - "clear_items": "נקה פריטים מסומנים", - "add_item": "הוסף פריט" - }, "empty_state": { - "title": "ברוך הבא הביתה", + "go_to_integrations_page": "עבור אל דף האינטגרציות.", "no_devices": "דף זה מאפשר לך לשלוט במכשירים שלך, אך נראה שעדיין לא הוגדרו מכשירים. עבור אל דף האינטגרציות כדי להתחיל.", - "go_to_integrations_page": "עבור אל דף האינטגרציות." + "title": "ברוך הבא הביתה" }, "picture-elements": { - "hold": "החזק:", - "tap": "הקש:", - "navigate_to": "נווט אל {location}", - "toggle": "החלף מצב {name}", "call_service": "קריאה לשירות {name}", - "more_info": "הצג מידע נוסף: {name}" + "hold": "החזק:", + "more_info": "הצג מידע נוסף: {name}", + "navigate_to": "נווט אל {location}", + "tap": "הקש:", + "toggle": "החלף מצב {name}" + }, + "shopping-list": { + "add_item": "הוסף פריט", + "checked_items": "פריטים מסומנים", + "clear_items": "נקה פריטים מסומנים" } }, + "changed_toast": { + "message": "תצורת Lovelace עודכנה, האם ברצונך לרענן?", + "refresh": "רענן" + }, "editor": { - "edit_card": { - "header": "הגדרות כרטיסייה", - "save": "שמור", - "toggle_editor": "החלף מצב עורך", - "pick_card": "בחר את הכרטיסייה שברצונך להוסיף.", - "add": "הוסף כרטיסייה", - "edit": "ערוך", - "delete": "מחק", - "move": "הזז" - }, - "migrate": { - "header": "ההגדרה לא מתאימה", - "para_no_id": "האלמנט הנוכחי לא מכיל מזהה יחודיי. בבקשה הוסף מזהה יחודי לאלמט זה בקובץ 'ui-lovelace.yaml'.", - "para_migrate": "Home Assistant יכול להוסיף מזהה יחודי לכל הכרטיסיות והתצוגות שלך בצורה אוטומטית בכך שתלחץ על לחצן ״הגר הגדרה״.", - "migrate": "הגר הגדרה" - }, - "header": "ערוך UI", - "edit_view": { - "header": "הצג הגדרות", - "add": "הוסף תצוגה", - "edit": "ערוך תצוגה", - "delete": "מחק תצוגה" - }, - "save_config": { - "header": "קח שליטה על Lovelace ממשק המשתמש שלך", - "para": "כברירת מחדל Home Assistant יתחזק את ממשק המשתמש שלך , יעדכן אותו כאשר קומפוננטות או ישויות חדשות יהפכו לזמינות. אם תקח שליטה אנו לא נוכל לבצע שינויים בצורה אוטומטית בשבילך.", - "para_sure": "האם אתה בטוח שאתה רוצה לקחת שליטה על ממשק המשתמש?", - "cancel": "לא משנה", - "save": "קח שליטה" - }, - "menu": { - "raw_editor": "עורך הקונפיגורציה" - }, - "raw_editor": { - "header": "עריכת קונפיגורציה", - "save": "שמור", - "unsaved_changes": "שינויים שלא נשמרו", - "saved": "נשמר" - }, "card": { + "entities": { + "toggle": "החלף מצב ישויות." + }, "horizontal-stack": { "name": "עימוד אופקי" }, @@ -1145,366 +1187,324 @@ }, "weather-forecast": { "name": "תחזית מזג האוויר" - }, - "entities": { - "toggle": "החלף מצב ישויות." } + }, + "edit_card": { + "add": "הוסף כרטיסייה", + "delete": "מחק", + "edit": "ערוך", + "header": "הגדרות כרטיסייה", + "move": "הזז", + "pick_card": "בחר את הכרטיסייה שברצונך להוסיף.", + "save": "שמור", + "toggle_editor": "החלף מצב עורך" + }, + "edit_view": { + "add": "הוסף תצוגה", + "delete": "מחק תצוגה", + "edit": "ערוך תצוגה", + "header": "הצג הגדרות" + }, + "header": "ערוך UI", + "menu": { + "raw_editor": "עורך הקונפיגורציה" + }, + "migrate": { + "header": "ההגדרה לא מתאימה", + "migrate": "הגר הגדרה", + "para_migrate": "Home Assistant יכול להוסיף מזהה יחודי לכל הכרטיסיות והתצוגות שלך בצורה אוטומטית בכך שתלחץ על לחצן ״הגר הגדרה״.", + "para_no_id": "האלמנט הנוכחי לא מכיל מזהה יחודיי. בבקשה הוסף מזהה יחודי לאלמט זה בקובץ 'ui-lovelace.yaml'." + }, + "raw_editor": { + "header": "עריכת קונפיגורציה", + "save": "שמור", + "saved": "נשמר", + "unsaved_changes": "שינויים שלא נשמרו" + }, + "save_config": { + "cancel": "לא משנה", + "header": "קח שליטה על Lovelace ממשק המשתמש שלך", + "para": "כברירת מחדל Home Assistant יתחזק את ממשק המשתמש שלך , יעדכן אותו כאשר קומפוננטות או ישויות חדשות יהפכו לזמינות. אם תקח שליטה אנו לא נוכל לבצע שינויים בצורה אוטומטית בשבילך.", + "para_sure": "האם אתה בטוח שאתה רוצה לקחת שליטה על ממשק המשתמש?", + "save": "קח שליטה" } }, "menu": { "configure_ui": "הגדר UI", - "unused_entities": "ישויות שאינן בשימוש", "help": "עזרה", - "refresh": "רענן" + "refresh": "רענן", + "unused_entities": "ישויות שאינן בשימוש" }, + "reload_lovelace": "טען מחדש את Lovelace", "warning": { - "entity_not_found": "הישות אינה זמינה: {entity}", - "entity_non_numeric": "הישות אינה מספרית: {entity}" + "entity_non_numeric": "הישות אינה מספרית: {entity}", + "entity_not_found": "הישות אינה זמינה: {entity}" + } + }, + "mailbox": { + "delete_button": "מחיקה", + "delete_prompt": "למחוק הודעה זו?", + "empty": "אין לך הודעות", + "playback_title": "הודעת ניגון" + }, + "page-authorize": { + "abort_intro": "הכניסה בוטלה", + "authorizing_client": "אתה עומד לתת גישה ל{clientId} עבור הHome Assistant שלך.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "פג תוקף הפעילות באתר, היכנס שוב." + }, + "error": { + "invalid_auth": "שם משתמש או סיסמא לא נכונים", + "invalid_code": "קוד אימות לא חוקי" + }, + "step": { + "init": { + "data": { + "password": "סיסמא", + "username": "שם משתמש" + } + }, + "mfa": { + "data": { + "code": "קוד אימות דו-שלבי" + }, + "description": "פתח את ** {mfa_module_name} ** במכשיר שלך כדי להציג את קוד האימות הדו שלבי ולאמת את הזהות שלך:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "פג תוקף הפעילות באתר, היכנס שוב." + }, + "error": { + "invalid_auth": "שם משתמש או סיסמה לא חוקיים", + "invalid_code": "קוד אימות לא חוקי" + }, + "step": { + "init": { + "data": { + "password": "סיסמה", + "username": "שם משתמש" + } + }, + "mfa": { + "data": { + "code": "קוד אימות דו" + }, + "description": "פתח את ** {mfa_module_name} ** במכשיר שלך כדי להציג את קוד האימות הדו שלבי ולאמת את הזהות שלך:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "פג תוקף הפעילות, היכנס שוב.", + "no_api_password_set": "לא הגדרת את סיסמת הAPI." + }, + "error": { + "invalid_auth": "סיסמת API לא חוקית", + "invalid_code": "קוד אימות לא חוקי" + }, + "step": { + "init": { + "data": { + "password": "סיסמת הAPI." + }, + "description": "הזן את סיסמת הAPI שלך תחת http בקונפיגורציה:" + }, + "mfa": { + "data": { + "code": "קוד אימות דו" + }, + "description": "פתח את ** {mfa_module_name} ** במכשיר שלך כדי להציג את קוד האימות הדו שלבי ולאמת את הזהות שלך:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "המחשב שלך אינו רשום ברשימת ההיתרים." + }, + "step": { + "init": { + "data": { + "user": "מִשׁתַמֵשׁ" + }, + "description": "בחר משתמש שאליו ברצונך להתחבר:" + } + } + } + }, + "unknown_error": "משהו השתבש", + "working": "אנא המתן" }, - "changed_toast": { - "message": "תצורת Lovelace עודכנה, האם ברצונך לרענן?", - "refresh": "רענן" - }, - "reload_lovelace": "טען מחדש את Lovelace" + "initializing": "מאתחל", + "logging_in_with": "מתחבר ** {authProviderName} **.", + "pick_auth_provider": "או התחבר עם" }, "page-demo": { "cards": { "demo": { "demo_by": "על ידי {name}", - "next_demo": "ההדגמה הבאה", "introduction": "ברוך הבא הביתה! הגעת להדגמת Home Assistant שבה אנו מציגים את ה- UI הטובים ביותר שנוצרו על ידי הקהילה שלנו.", - "learn_more": "למידע נוסף על Home Assistant" + "learn_more": "למידע נוסף על Home Assistant", + "next_demo": "ההדגמה הבאה" } }, "config": { "arsaboo": { - "names": { - "upstairs": "למעלה", - "family_room": "חדר משפחה", - "kitchen": "מטבח", - "patio": "פטיו", - "hallway": "מסדרון", - "master_bedroom": "חדר שינה ראשי", - "left": "שמאל", - "right": "ימין", - "mirror": "מראה" - }, "labels": { - "lights": "אורות", - "information": "מידע", - "morning_commute": "נסיעת בוקר", + "activity": "פעילות", + "air": "אוויר", "commute_home": "זמן נסיעה הביתה", "entertainment": "בידור", - "activity": "פעילות", "hdmi_input": "כניסת HDMI", "hdmi_switcher": "מחליף HDMI", - "volume": "ווליום", + "information": "מידע", + "lights": "אורות", + "morning_commute": "נסיעת בוקר", "total_tv_time": "סה\"כ זמן טלוויזיה", "turn_tv_off": "כבה את הטלוויזיה", - "air": "אוויר" + "volume": "ווליום" + }, + "names": { + "family_room": "חדר משפחה", + "hallway": "מסדרון", + "kitchen": "מטבח", + "left": "שמאל", + "master_bedroom": "חדר שינה ראשי", + "mirror": "מראה", + "patio": "פטיו", + "right": "ימין", + "upstairs": "למעלה" }, "unit": { - "watching": "צופה", - "minutes_abbr": "דקות" + "minutes_abbr": "דקות", + "watching": "צופה" } } } + }, + "page-onboarding": { + "core-config": { + "button_detect": "לזהות", + "finish": "הבא", + "intro": "שלום {name} , ברוך הבא ל- Home Assistant. איך היית רוצה את שם הבית שלך?", + "intro_location": "אנחנו רוצים לדעת איפה אתה גר. מידע זה יעזור עם הצגת מידע והגדרת אוטומציה מבוססת שמש. נתונים אלה לעולם אינם משותפים מחוץ לרשת שלך.", + "intro_location_detect": "אנו יכולים לעזור לך למלא מידע זה על ידי ביצוע בקשה חד פעמית לשירות חיצוני.", + "location_name_default": "בית" + }, + "integration": { + "finish": "סיום", + "intro": "התקנים ושירותים מיוצגים ב- Home Assistant כאינטגרציות. באפשרותך להגדיר אותם כעת, או לעשות זאת מאוחר יותר ממסך התצורה.", + "more_integrations": "עוד" + }, + "intro": "האם אתה מוכן לעורר את הבית שלך, להחזיר את הפרטיות שלך ולהצטרף לקהילה של tinkerers ברחבי העולם?", + "user": { + "create_account": "צור חשבון", + "data": { + "name": "שם", + "password": "סיסמה", + "password_confirm": "אשר סיסמה", + "username": "שם משתמש" + }, + "error": { + "password_not_match": "הסיסמאות אינן תואמות", + "required_fields": "מלא את כל השדות הדרושים" + }, + "intro": "בואו נתחיל על ידי יצירת חשבון משתמש.", + "required_field": "נדרש" + } + }, + "profile": { + "advanced_mode": { + "description": "Home Assistant מסתיר תכונות ואפשרויות מתקדמות כברירת מחדל. ביכולתך לחשוף אותן ע\"י בחירת תיבת הסימון זו. הגדרה זו היא עבור המשתמש הנוכחי ולא תשפיע על משתמשים אחרים ב Home Assistant.", + "title": "מצב מתקדם" + }, + "change_password": { + "confirm_new_password": "אשר סיסמה חדשה", + "current_password": "סיסמה נוכחית", + "error_required": "נדרש", + "header": "שינוי סיסמה", + "new_password": "סיסמה חדשה", + "submit": "שלח" + }, + "current_user": "אתה מחובר כעת כ- {fullName} .", + "force_narrow": { + "description": "פעולה זו תסתיר את הסרגל הצדדי כברירת מחדל, בדומה לחוויה בנייד.", + "header": "הסתר תמיד את הסרגל הצידי" + }, + "is_owner": "אתה הבעלים.", + "language": { + "dropdown_label": "שפה", + "header": "שפה", + "link_promo": "עזור לתרגם" + }, + "logout": "התנתק", + "long_lived_access_tokens": { + "confirm_delete": "האם אתה בטוח שברצונך למחוק את אסימון הגישה עבור {name} ?", + "create": "צור אסימון", + "create_failed": "יצירת אסימון הגישה נכשלה.", + "created_at": "נוצר בתאריך {date}", + "delete_failed": "מחיקת אסימון הגישה נכשלה.", + "description": "צור אסימוני גישה ארוכי טווח כדי לאפשר לסקריפטים שלך לקיים אינטראקציה עם Home Assistant.\\nאסימונים אלו פועלים כיום:", + "empty_state": "אין לך עדיין אסימוני גישה ארוכים.", + "header": "אסימוני גישה ארוכים חיים", + "last_used": "נעשה שימוש לאחרונה {date} מ{location}", + "learn_auth_requests": "למד כיצד לבצע בקשות מאומתות.", + "not_used": "לא היה בשימוש", + "prompt_copy_token": "העתק את אסימון הגישה שלך. הוא לא יוצג שוב.", + "prompt_name": "שֵׁם?" + }, + "mfa_setup": { + "close": "סגור", + "step_done": "הגדרה בוצעה עבור {step}", + "submit": "שלח", + "title_aborted": "הופסק", + "title_success": "הצליח!" + }, + "mfa": { + "confirm_disable": "האם אתה בטוח שברצונך להשבית {name}", + "disable": "בטל", + "enable": "הפעל", + "header": "מודלי אימות מרובה גורמים" + }, + "push_notifications": { + "description": "שלח התראות למכשיר זה.", + "error_load_platform": "הגדר את notify.html5.", + "error_use_https": "נדרש SSL מופעל עבור הממשק.", + "header": "הודעות דחיפה", + "link_promo": "למד עוד", + "push_notifications": "הודעות דחיפה" + }, + "refresh_tokens": { + "confirm_delete": "האם אתה בטוח שברצונך למחוק את אסימון הרענון עבור {name}", + "created_at": "נוצר בתאריך {date}", + "current_token_tooltip": "לא ניתן למחוק את אסימון הרענון הנוכחי", + "delete_failed": "מחיקת אסימון הרענון נכשלה.", + "description": "כל אסימון רענון מייצג הפעלת התחברות. אסימוני רענון יוסרו באופן אוטומטי כאשר תלחץ על יציאה. אסימוני הרענון הבאים פעילים כעת עבור חשבונך.", + "header": "רענן אסימונים", + "last_used": "נעשה שימוש לאחרונה ב {date} מ{location}", + "not_used": "לא היה בשימוש", + "token_title": "אסימון רענון עבור {clientId}" + }, + "themes": { + "dropdown_label": "ערכת נושא", + "error_no_theme": "אין ערכות נושא זמינות.", + "header": "ערכת נושא", + "link_promo": "למד אודות ערכות נושא" + } + }, + "shopping-list": { + "add_item": "הוסף פריט", + "clear_completed": "ניקוי הושלם", + "microphone_tip": "לחץ על המיקרופון למעלה מצד ימין ותאמר \"הוסף סוכריה לרשימת הקניות שלי\"" } }, "sidebar": { - "log_out": "התנתק", - "external_app_configuration": "הגדרות היישום" - }, - "common": { - "loading": "טוען", - "cancel": "ביטול", - "save": "שמור" - }, - "duration": { - "day": "יום ימים", - "week": "שבוע שבועות", - "second": "שניה שניות", - "minute": "{count} {count, plural,\n one {דקה}\n other {דקות}\n}", - "hour": "{count} {count, plural,\n one {שעה}\n other {שעות}\n}" - }, - "login-form": { - "password": "סיסמה", - "remember": "זכור", - "log_in": "התחבר" - }, - "card": { - "camera": { - "not_available": "התמונה אינה זמינה" - }, - "persistent_notification": { - "dismiss": "בטל" - }, - "scene": { - "activate": "הפעל" - }, - "script": { - "execute": "הפעל" - }, - "weather": { - "attributes": { - "air_pressure": "לחץ אוויר", - "humidity": "לחות", - "temperature": "טמפרטורה", - "visibility": "ראות", - "wind_speed": "מהירות הרוח" - }, - "cardinal_direction": { - "e": "מזרח", - "ene": " צפון מזרח", - "ese": " דרום מזרח", - "n": "צפון", - "ne": "צפון מזרח", - "nne": "צפון מזרח", - "nw": "צפון מערב", - "nnw": "צפון מערב", - "s": "דרום", - "se": "דרום מזרח", - "sse": "דרום מזרח", - "ssw": "דרום מערב", - "sw": "דרום מערב", - "w": "מערב", - "wnw": "צפון מערב", - "wsw": "דרום מערב" - }, - "forecast": "תחזית" - }, - "alarm_control_panel": { - "code": "קוד", - "clear_code": "נקה", - "disarm": "לא דרוך", - "arm_home": "דרוך בבית", - "arm_away": "דרוך לא בבית", - "arm_night": "דריכה לילית", - "armed_custom_bypass": "מעקף מותאם", - "arm_custom_bypass": "מעקף מותאם אישית" - }, - "automation": { - "last_triggered": "הפעלה אחרונה", - "trigger": "מפעיל" - }, - "cover": { - "position": "מיקום", - "tilt_position": "הטיה" - }, - "fan": { - "speed": "מהירות", - "oscillate": "נעים", - "direction": "כיוון" - }, - "light": { - "brightness": "בהירות", - "color_temperature": "טמפרטורת הצבע", - "white_value": "לבן", - "effect": "אפקט" - }, - "media_player": { - "text_to_speak": "טקסט לדיבור", - "source": "מקור", - "sound_mode": "מצב קול" - }, - "climate": { - "currently": "כעת", - "on_off": "הפעלה \/ כיבוי", - "target_temperature": "טמפרטורת היעד", - "target_humidity": "לחות היעד", - "operation": "סוג", - "fan_mode": "מצב מאורר", - "swing_mode": "מצב נדנוד", - "away_mode": "מצב מחוץ לבית", - "aux_heat": "מסייע חום", - "preset_mode": "מצב מוגדר" - }, - "lock": { - "code": "קוד", - "lock": "נעילה", - "unlock": "ביטול נעילה" - }, - "vacuum": { - "actions": { - "resume_cleaning": "לחדש את הניקוי", - "return_to_base": "חזור לעגינה", - "start_cleaning": "התחל לנקות", - "turn_on": "הדלק", - "turn_off": "כבה" - } - }, - "water_heater": { - "currently": "כעת", - "on_off": "הפעלה \/ כיבוי", - "target_temperature": "טמפרטורת היעד", - "operation": "פעולה", - "away_mode": "מצב מחוץ לבית" - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "ישות" - } - }, - "service-picker": { - "service": "שירות" - }, - "relative_time": { - "past": "מלפני {time}", - "future": "ב{time}", - "never": "אף פעם לא", - "duration": { - "second": "{count} {count, plural,\n one {שנייה}\n other {שניות}\n}", - "minute": "{count} {count, plural,\n one {דקה}\n other {דקות}\n}", - "hour": "{count} {count, plural,\n one {שעה}\n other {שעות}\n}", - "day": "{count} {count, plural,\n one {יום}\n other {ימים}\n}", - "week": "{count} {count, plural,\n one {שבוע}\n other {שבועות}\n}" - } - }, - "history_charts": { - "loading_history": "טוען היסטוריה...", - "no_history_found": "לא נמצאה היסטוריה" - } - }, - "notification_toast": { - "entity_turned_on": "{entity} נדלק.", - "entity_turned_off": "{entity} נכבה.", - "service_called": "השירות {service} נקרא.", - "service_call_failed": "נכשלה הקריאה לשירות {service} .", - "connection_lost": "החיבור אבד. מתחבר מחדש..." - }, - "dialogs": { - "more_info_settings": { - "save": "שמור", - "name": "שם חלופי", - "entity_id": "מזהה ישות" - }, - "more_info_control": { - "script": { - "last_action": "פעולה אחרונה" - }, - "sun": { - "elevation": "גובה", - "rising": "זורחת", - "setting": "שוקעת" - }, - "updater": { - "title": "הוראות עדכון" - } - }, - "options_flow": { - "success": { - "description": "האפשרויות נשמרו בהצלחה." - } - }, - "config_entry_system_options": { - "title": "אפשרויות מערכת" - }, - "zha_device_info": { - "services": { - "remove": "הסר מכשיר מרשת ה-Zigbee" - } - } - }, - "auth_store": { - "ask": "האם ברצונך לשמור את ההתחברות הזו?", - "decline": "לא תודה", - "confirm": "שמור התחברות" - }, - "notification_drawer": { - "click_to_configure": "לחץ על הלחצן כדי להגדיר {entity}", - "empty": "אין התראות", - "title": "התראות" - } - }, - "domain": { - "alarm_control_panel": "לוח בקרה של אזעקה", - "automation": "אוטומציה", - "binary_sensor": "חיישן בינארי", - "calendar": "לוּחַ שָׁנָה", - "camera": "מַצלֵמָה", - "climate": "אַקלִים", - "configurator": "קונפיגורטור", - "conversation": "שִׂיחָה", - "cover": "וילון", - "device_tracker": "מעקב מכשיר", - "fan": "מאוורר", - "history_graph": "גרף היסטוריה", - "group": "קְבוּצָה", - "image_processing": "עיבוד תמונה", - "input_boolean": "קלט בוליאני", - "input_datetime": "קלט תאריך וזמן", - "input_select": "קלט בחירה", - "input_number": "קלט מספר", - "input_text": "קלט טקסט", - "light": "אוֹר", - "lock": "מנעול", - "mailbox": "תיבת דואר", - "media_player": "נגן מדיה", - "notify": "התראה", - "plant": "צמח", - "proximity": "קִרבָה", - "remote": "מְרוּחָק", - "scene": "סצנה", - "script": "תַסרִיט", - "sensor": "חיישן", - "sun": "שמש", - "switch": "מתג", - "updater": "המעדכן", - "weblink": "קישור", - "zwave": "Z-Wave", - "vacuum": "שואב אבק", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "בריאות מערכת", - "person": "אדם" - }, - "attribute": { - "weather": { - "humidity": "לחות", - "visibility": "ראות", - "wind_speed": "מהירות הרוח" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "כבוי", - "on": "דולק", - "auto": "Auto" - }, - "preset_mode": { - "none": "לא נבחר", - "eco": "חסכון", - "away": "לא בבית", - "boost": "מוגבר", - "comfort": "נוחות", - "home": "בבית", - "sleep": "שינה", - "activity": "פעילות" - }, - "hvac_action": { - "off": "כבוי", - "heating": "חימום", - "cooling": "קירור", - "drying": "מייבש", - "idle": "כבוי", - "fan": "מאוורר" - } - } - }, - "groups": { - "system-admin": "מנהלים", - "system-users": "משתמשים", - "system-read-only": "משתמשים לקריאה בלבד" - }, - "config_entry": { - "disabled_by": { - "user": "משתמש", - "integration": "אינטגרציה" + "external_app_configuration": "הגדרות היישום", + "log_out": "התנתק" } } } \ No newline at end of file diff --git a/translations/hi.json b/translations/hi.json index b3f90aa029..37964b020a 100644 --- a/translations/hi.json +++ b/translations/hi.json @@ -1,49 +1,84 @@ { + "attribute": { + "weather": { + "humidity": "नमी", + "visibility": "दृश्यता", + "wind_speed": "हवा की गति" + } + }, + "domain": { + "automation": "स्वचालन", + "binary_sensor": "बाइनरी सेंसर", + "climate": "जलवायु", + "device_tracker": "डिवाइस ट्रैकर", + "fan": "पंखा", + "group": "समूह", + "history_graph": "इतिहास ग्राफ", + "image_processing": "इमेज प्रोसेसिंग", + "input_boolean": "इनपुट बूलियन", + "input_datetime": "इनपुट दिनांक समय", + "input_number": "इनपुट संख्या", + "input_select": "इनपुट का चयन करें", + "input_text": "इनपुट टेक्स्ट", + "light": "रोशनी", + "lock": "ताला", + "mailbox": "मेलबॉक्स", + "media_player": "मीडिया प्लेयर", + "notify": "सूचित", + "proximity": "निकटता", + "remote": "रिमोट", + "scene": "दृश्य", + "script": "स्क्रिप्ट", + "sensor": "सेंसर", + "sun": "सूरज", + "switch": "स्विच", + "weblink": "वेब लिंक", + "zwave": "Z-Wave" + }, "panel": { "config": "कॉंफ़िगरेशन", - "states": "स्थिति", - "map": "नक्शा", - "logbook": "रिपोर्ट", - "history": "इतिहास", - "mailbox": "मेलबॉक्स", - "shopping_list": "खरीदारी की सूची", "dev-info": "जानकारी", - "developer_tools": "डेवलपर उपकरण" + "developer_tools": "डेवलपर उपकरण", + "history": "इतिहास", + "logbook": "रिपोर्ट", + "mailbox": "मेलबॉक्स", + "map": "नक्शा", + "shopping_list": "खरीदारी की सूची", + "states": "स्थिति" + }, + "state_badge": { + "alarm_control_panel": { + "pending": "अपूर्ण" + }, + "default": { + "entity_not_found": "Entità non trovata", + "error": "Errore", + "unavailable": "अनुपलब्ध", + "unknown": "अज्ञात" + }, + "device_tracker": { + "home": "घर" + } }, "state": { - "default": { - "off": "बंद", - "unknown": "अनजान", - "unavailable": "अनुपलब्ध" - }, "automation": { "off": "बंद" }, "binary_sensor": { - "default": { - "off": "बंद" - }, - "motion": { - "off": "विशद", - "on": "अनुसन्धानित" - }, - "opening": { - "on": "खुला" - }, - "presence": { - "on": "घर" - }, "battery": { "off": "साधारण", "on": "कम" }, + "cold": { + "off": "साधारण", + "on": "सर्दी" + }, "connectivity": { "off": "डिस्कनेक्ट किया गया", "on": "जुड़े हुए" }, - "cold": { - "off": "साधारण", - "on": "सर्दी" + "default": { + "off": "बंद" }, "door": { "off": "बंद", @@ -56,6 +91,16 @@ "heat": { "on": "गर्म" }, + "motion": { + "off": "विशद", + "on": "अनुसन्धानित" + }, + "opening": { + "on": "खुला" + }, + "presence": { + "on": "घर" + }, "window": { "off": "बंद", "on": "खुली" @@ -68,11 +113,16 @@ "recording": "रिकॉर्डिंग" }, "climate": { - "off": "बंद", - "heat": "गर्मी", "cool": "ठंडा", "dry": "सूखा", - "manual": "गाइड" + "heat": "गर्मी", + "manual": "गाइड", + "off": "बंद" + }, + "default": { + "off": "बंद", + "unavailable": "अनुपलब्ध", + "unknown": "अनजान" }, "device_tracker": { "home": "घर" @@ -82,9 +132,9 @@ "on": "चालू" }, "group": { + "home": "घर", "off": "बंद", "on": "चालू", - "home": "घर", "problem": "समस्या" }, "input_boolean": { @@ -129,68 +179,52 @@ }, "zwave": { "default": { - "sleeping": "सोया हुआ", - "ready": "तैयार" + "ready": "तैयार", + "sleeping": "सोया हुआ" }, "query_stage": { - "initializing": "आरंभ ({query_stage})", - "dead": " ( {query_stage} )" + "dead": " ( {query_stage} )", + "initializing": "आरंभ ({query_stage})" } } }, - "state_badge": { - "default": { - "unknown": "अज्ञात", - "unavailable": "अनुपलब्ध", - "error": "Errore", - "entity_not_found": "Entità non trovata" - }, - "alarm_control_panel": { - "pending": "अपूर्ण" - }, - "device_tracker": { - "home": "घर" - } - }, "ui": { + "duration": { + "day": "{count} {count, plural,\\n one {दिन}\\n other {दिन}\\n}", + "week": "{count} {count, plural,\\n one {हफ़्ता}\\n other {हफ़्ते}\\n}" + }, + "notification_drawer": { + "empty": "सूचनाएँ नहीं हैं", + "title": "सूचनाएँ" + }, "panel": { - "shopping-list": { - "add_item": "आइटम जोड़ें", - "microphone_tip": "ऊपर दाईं ओर माइक्रोफ़ोन टैप करें और \"मेरी खरीदारी सूची में कैंडी जोड़ें\" कहें" - }, - "developer-tools": { - "tabs": { - "services": { - "title": "सेवाएं" - }, - "events": { - "title": "घटनाओं" - }, - "templates": { - "title": "टेम्पलेट्स" - }, - "mqtt": { - "title": "MQTT" - }, - "logs": { - "title": "लॉग्स" - } - } - }, "config": { - "zwave": { - "caption": "Z-Wave", - "node_config": { - "set_config_parameter": "कॉन्फ़िगरेशन पैरामीटर सेट करें" + "area_registry": { + "picker": { + "create_area": "Crea un area" } }, "automation": { "editor": { + "conditions": { + "type": { + "sun": { + "after": "बाद:", + "before": "पहले:", + "sunrise": "सूर्योदय", + "sunset": "सूर्यास्त" + }, + "time": { + "after": "बाद", + "before": "पहले" + } + } + }, "triggers": { "type": { "homeassistant": { - "start": "शुरू", - "shutdown": "शटडाउन" + "shutdown": "शटडाउन", + "start": "शुरू" }, "mqtt": { "label": "MQTT", @@ -206,41 +240,47 @@ "sunset": "सूर्यास्त" } } - }, - "conditions": { - "type": { - "sun": { - "before": "पहले:", - "after": "बाद:", - "sunrise": "सूर्योदय", - "sunset": "सूर्यास्त" - }, - "time": { - "after": "बाद", - "before": "पहले" - } - } } } }, - "area_registry": { - "picker": { - "create_area": "Crea un area" - } - }, "zha": { - "services": { - "updateDeviceName": "Imposta un nome personalizzato per questo dispositivo nel registro del dispositivo." + "add_device_page": { + "discovery_text": "I dispositivi rilevati verranno visualizzati qui. Seguire le istruzioni per il \/ i dispositivo \/ i e posizionare il \/ i dispositivo \/ i in modalità accoppiamento.", + "header": "Zigbee Home Automation - Aggiungi dispositivi", + "spinner": "Ricerca di dispositivi ZHA Zigbee ..." }, "device_card": { - "device_name_placeholder": "Nome assegnato dall'utente", "area_picker_label": "Area", + "device_name_placeholder": "Nome assegnato dall'utente", "update_name_button": "Aggiorna Nome" }, - "add_device_page": { - "header": "Zigbee Home Automation - Aggiungi dispositivi", - "spinner": "Ricerca di dispositivi ZHA Zigbee ...", - "discovery_text": "I dispositivi rilevati verranno visualizzati qui. Seguire le istruzioni per il \/ i dispositivo \/ i e posizionare il \/ i dispositivo \/ i in modalità accoppiamento." + "services": { + "updateDeviceName": "Imposta un nome personalizzato per questo dispositivo nel registro del dispositivo." + } + }, + "zwave": { + "caption": "Z-Wave", + "node_config": { + "set_config_parameter": "कॉन्फ़िगरेशन पैरामीटर सेट करें" + } + } + }, + "developer-tools": { + "tabs": { + "events": { + "title": "घटनाओं" + }, + "logs": { + "title": "लॉग्स" + }, + "mqtt": { + "title": "MQTT" + }, + "services": { + "title": "सेवाएं" + }, + "templates": { + "title": "टेम्पलेट्स" } } }, @@ -266,54 +306,14 @@ "password_not_match": "Password non trovata" } } + }, + "shopping-list": { + "add_item": "आइटम जोड़ें", + "microphone_tip": "ऊपर दाईं ओर माइक्रोफ़ोन टैप करें और \"मेरी खरीदारी सूची में कैंडी जोड़ें\" कहें" } }, "sidebar": { "log_out": "लॉग आउट" - }, - "duration": { - "day": "{count} {count, plural,\n one {दिन}\n other {दिन}\n}", - "week": "{count} {count, plural,\n one {हफ़्ता}\n other {हफ़्ते}\n}" - }, - "notification_drawer": { - "empty": "सूचनाएँ नहीं हैं", - "title": "सूचनाएँ" - } - }, - "domain": { - "automation": "स्वचालन", - "binary_sensor": "बाइनरी सेंसर", - "climate": "जलवायु", - "device_tracker": "डिवाइस ट्रैकर", - "fan": "पंखा", - "history_graph": "इतिहास ग्राफ", - "group": "समूह", - "image_processing": "इमेज प्रोसेसिंग", - "input_boolean": "इनपुट बूलियन", - "input_datetime": "इनपुट दिनांक समय", - "input_select": "इनपुट का चयन करें", - "input_number": "इनपुट संख्या", - "input_text": "इनपुट टेक्स्ट", - "light": "रोशनी", - "lock": "ताला", - "mailbox": "मेलबॉक्स", - "media_player": "मीडिया प्लेयर", - "notify": "सूचित", - "proximity": "निकटता", - "remote": "रिमोट", - "scene": "दृश्य", - "script": "स्क्रिप्ट", - "sensor": "सेंसर", - "sun": "सूरज", - "switch": "स्विच", - "weblink": "वेब लिंक", - "zwave": "Z-Wave" - }, - "attribute": { - "weather": { - "humidity": "नमी", - "visibility": "दृश्यता", - "wind_speed": "हवा की गति" } } } \ No newline at end of file diff --git a/translations/hr.json b/translations/hr.json index 348e87e576..6bb46744cf 100644 --- a/translations/hr.json +++ b/translations/hr.json @@ -1,53 +1,193 @@ { + "attribute": { + "weather": { + "humidity": "Vlažnost", + "visibility": "Vidljivost", + "wind_speed": "Brzina vjetra" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Stavka konfiguracije", + "integration": "Integracija", + "user": "Korisnik" + } + }, + "domain": { + "alarm_control_panel": "Upravljačka ploča za alarm", + "automation": "Automatizacija", + "binary_sensor": "Binarni senzor", + "calendar": "Kalendar", + "camera": "Kamera", + "climate": "Klima", + "configurator": "Konfigurator", + "conversation": "Razgovor", + "cover": "Poklopac", + "device_tracker": "Praćenje uređaja", + "fan": "Ventilator", + "group": "Grupa", + "hassio": "Hass.io", + "history_graph": "Grafikon povijesti", + "homeassistant": "Home Assistant", + "image_processing": "Obrada slike", + "input_boolean": "Input boolean", + "input_datetime": "Unos datuma i vremena", + "input_number": "Unesite broj", + "input_select": "Izbor unosa", + "input_text": "Unesite tekst", + "light": "Svjetlo", + "lock": "Zaključavanje", + "lovelace": "Lovelace", + "mailbox": "Poštanski sandučić", + "media_player": "Media player", + "notify": "Obavijestiti", + "person": "Osoba", + "plant": "Biljka", + "proximity": "Blizina", + "remote": "Daljinski", + "scene": "Scena", + "script": "Skripta", + "sensor": "Senzor", + "sun": "Sunce", + "switch": "Prekidač", + "system_health": "Zdravlje sustava", + "updater": "Ažuriranje", + "vacuum": "Vakuum", + "weblink": "WebLink", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Administratori", + "system-read-only": "Korisnici sa pravima samo za čitanje", + "system-users": "Korisnici" + }, "panel": { + "calendar": "Kalendar", "config": "Konfiguracija", - "states": "Pregled", - "map": "Karta", - "logbook": "Dnenik", - "history": "Povijest", - "mailbox": "Pošta", - "shopping_list": "Popis za kupovinu", "dev-info": "Informacije", "developer_tools": "Razvojni alati", - "calendar": "Kalendar", - "profile": "Profil" + "history": "Povijest", + "logbook": "Dnenik", + "mailbox": "Pošta", + "map": "Karta", + "profile": "Profil", + "shopping_list": "Popis za kupovinu", + "states": "Pregled" + }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Automatski", + "off": "Isključen", + "on": "Uključen" + }, + "hvac_action": { + "cooling": "Hlađenje", + "drying": "Sušenje", + "fan": "Ventilator", + "heating": "Grijanje", + "idle": "Besposlen", + "off": "Isključen" + }, + "preset_mode": { + "activity": "Aktivnost", + "away": "Odsutan", + "boost": "Pojačano", + "comfort": "Udobno", + "eco": "Eko", + "home": "Doma", + "none": "Ništa", + "sleep": "Spavanje" + } + } + }, + "state_badge": { + "alarm_control_panel": { + "armed": "Aktivirano", + "armed_away": "Aktivirano", + "armed_custom_bypass": "Aktivirano", + "armed_home": "Aktivirano", + "armed_night": "Aktivirano", + "arming": "Aktiviranje", + "disarmed": "Deaktiviraj", + "disarming": "Deaktiviraj", + "pending": "U tijeku", + "triggered": "Okinut" + }, + "default": { + "entity_not_found": "Entitet nije pronađen", + "error": "Greška", + "unavailable": "Nedostupno", + "unknown": "Nepoznato" + }, + "device_tracker": { + "home": "Doma", + "not_home": "Odsutan" + }, + "person": { + "home": "Doma", + "not_home": "Odsutan" + } }, "state": { - "default": { - "off": "Isključen", - "on": "Uključen", - "unknown": "Nepoznato", - "unavailable": "Nedostupan" - }, "alarm_control_panel": { "armed": "Aktiviran", - "disarmed": "Deaktiviran", - "armed_home": "Aktiviran doma", "armed_away": "Aktiviran odsutno", + "armed_custom_bypass": "Aktiviran", + "armed_home": "Aktiviran doma", "armed_night": "Aktiviran nočni", - "pending": "U tijeku", "arming": "Aktiviranje", + "disarmed": "Deaktiviran", "disarming": "Deaktiviranje", - "triggered": "Okinut", - "armed_custom_bypass": "Aktiviran" + "pending": "U tijeku", + "triggered": "Okinut" }, "automation": { "off": "Isključen", "on": "Uključen" }, "binary_sensor": { + "battery": { + "off": "Normalno", + "on": "Prazna" + }, + "cold": { + "off": "Normalno", + "on": "Hladno" + }, + "connectivity": { + "off": "Nije spojen", + "on": "Spojen" + }, "default": { "off": "Isključen", "on": "Uključen" }, - "moisture": { - "off": "Suho", - "on": "Mokro" + "door": { + "off": "Zatvoreno", + "on": "Otvori" + }, + "garage_door": { + "off": "Zatvoren", + "on": "Otvoreno" }, "gas": { "off": "Čisto", "on": "Otkriveno" }, + "heat": { + "off": "Normalno", + "on": "Vruće" + }, + "lock": { + "off": "Zaključano", + "on": "Otključano" + }, + "moisture": { + "off": "Suho", + "on": "Mokro" + }, "motion": { "off": "Čisto", "on": "Otkriveno" @@ -56,6 +196,22 @@ "off": "Čisto", "on": "Otkriveno" }, + "opening": { + "off": "Zatvoreno", + "on": "Otvoreno" + }, + "presence": { + "off": "Odsutan", + "on": "Doma" + }, + "problem": { + "off": "OK", + "on": "Problem" + }, + "safety": { + "off": "Sigurno", + "on": "Nesigurno" + }, "smoke": { "off": "Čisto", "on": "Otkriveno" @@ -68,53 +224,9 @@ "off": "Čisto", "on": "Otkriveno" }, - "opening": { - "off": "Zatvoreno", - "on": "Otvoreno" - }, - "safety": { - "off": "Sigurno", - "on": "Nesigurno" - }, - "presence": { - "off": "Odsutan", - "on": "Doma" - }, - "battery": { - "off": "Normalno", - "on": "Prazna" - }, - "problem": { - "off": "OK", - "on": "Problem" - }, - "connectivity": { - "off": "Nije spojen", - "on": "Spojen" - }, - "cold": { - "off": "Normalno", - "on": "Hladno" - }, - "door": { - "off": "Zatvoreno", - "on": "Otvori" - }, - "garage_door": { - "off": "Zatvoren", - "on": "Otvoreno" - }, - "heat": { - "off": "Normalno", - "on": "Vruće" - }, "window": { "off": "Zatvoreno", "on": "Otvoreno" - }, - "lock": { - "off": "Zaključano", - "on": "Otključano" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "Uključen" }, "camera": { + "idle": "Besposlen", "recording": "Snimanje", - "streaming": "Odašilja", - "idle": "Besposlen" + "streaming": "Odašilja" }, "climate": { - "off": "Isključen", - "on": "Uključen", - "heat": "Grijanje", - "cool": "Hlađenje", - "idle": "Besposlen", "auto": "Auto", + "cool": "Hlađenje", "dry": "Suho", - "fan_only": "Samo ventilator", "eco": "Eko", "electric": "Električni", - "performance": "Performanse", - "high_demand": "Velike potražnje", - "heat_pump": "Toplinska pumpa", + "fan_only": "Samo ventilator", "gas": "Plin", + "heat": "Grijanje", + "heat_cool": "Grijanje\/Hlađenje", + "heat_pump": "Toplinska pumpa", + "high_demand": "Velike potražnje", + "idle": "Besposlen", "manual": "Priručnik", - "heat_cool": "Grijanje\/Hlađenje" + "off": "Isključen", + "on": "Uključen", + "performance": "Performanse" }, "configurator": { "configure": "Konfiguriranje", "configured": "Konfiguriran" }, "cover": { - "open": "Otvoreno", - "opening": "Otvaranje", "closed": "Zatvoreno", "closing": "Zatvaranje", + "open": "Otvoreno", + "opening": "Otvaranje", "stopped": "zaustavljen" }, + "default": { + "off": "Isključen", + "on": "Uključen", + "unavailable": "Nedostupan", + "unknown": "Nepoznato" + }, "device_tracker": { "home": "Doma", "not_home": "Odsutan" @@ -164,19 +282,19 @@ "on": "Uključen" }, "group": { - "off": "Uključeno", - "on": "Uključeno", - "home": "Doma", - "not_home": "Odsutan", - "open": "Otvoreno", - "opening": "Otvaranje", "closed": "Zatvoreno", "closing": "Zatvaranje", - "stopped": "Zautavljeno", + "home": "Doma", "locked": "Zaključano", - "unlocked": "Otključano", + "not_home": "Odsutan", + "off": "Uključeno", "ok": "U redu", - "problem": "Problem" + "on": "Uključeno", + "open": "Otvoreno", + "opening": "Otvaranje", + "problem": "Problem", + "stopped": "Zautavljeno", + "unlocked": "Otključano" }, "input_boolean": { "off": "Isključen", @@ -191,13 +309,17 @@ "unlocked": "Otključan" }, "media_player": { + "idle": "Besposlen", "off": "Isključen", "on": "Uključen", - "playing": "Prikazivanje", "paused": "Pauzirano", - "idle": "Besposlen", + "playing": "Prikazivanje", "standby": "U stanju čekanja" }, + "person": { + "home": "Doma", + "not_home": "Odsutan" + }, "plant": { "ok": "u redu", "problem": "Problem" @@ -225,34 +347,10 @@ "off": "Isključen", "on": "Uključen" }, - "zwave": { - "default": { - "initializing": "Inicijalizacija", - "dead": "Mrtav", - "sleeping": "Spavanje", - "ready": "Spreman" - }, - "query_stage": { - "initializing": "Inicijalizacija ( {query_stage} )", - "dead": "Mrtav ({query_stage})" - } - }, - "weather": { - "clear-night": "Vedro, noć", - "cloudy": "Oblačno", - "fog": "Magla", - "hail": "Tuča", - "lightning": "Munja", - "lightning-rainy": "Munja, kišna", - "partlycloudy": "Djelomično oblačno", - "pouring": "Lije", - "rainy": "Kišovito", - "snowy": "Snježno", - "snowy-rainy": "Snježno, kišno", - "sunny": "Sunčano", - "windy": "Vjetrovito", - "windy-variant": "Vjetrovito", - "exceptional": "Izuzetan" + "timer": { + "active": "aktivan", + "idle": "besposlen", + "paused": "pauzirano" }, "vacuum": { "cleaning": "Čišćenje", @@ -264,907 +362,99 @@ "paused": "Pauzirano", "returning": "Povratak na dok" }, - "timer": { - "active": "aktivan", - "idle": "besposlen", - "paused": "pauzirano" + "weather": { + "clear-night": "Vedro, noć", + "cloudy": "Oblačno", + "exceptional": "Izuzetan", + "fog": "Magla", + "hail": "Tuča", + "lightning": "Munja", + "lightning-rainy": "Munja, kišna", + "partlycloudy": "Djelomično oblačno", + "pouring": "Lije", + "rainy": "Kišovito", + "snowy": "Snježno", + "snowy-rainy": "Snježno, kišno", + "sunny": "Sunčano", + "windy": "Vjetrovito", + "windy-variant": "Vjetrovito" }, - "person": { - "home": "Doma", - "not_home": "Odsutan" - } - }, - "state_badge": { - "default": { - "unknown": "Nepoznato", - "unavailable": "Nedostupno", - "error": "Greška", - "entity_not_found": "Entitet nije pronađen" - }, - "alarm_control_panel": { - "armed": "Aktivirano", - "disarmed": "Deaktiviraj", - "armed_home": "Aktivirano", - "armed_away": "Aktivirano", - "armed_night": "Aktivirano", - "pending": "U tijeku", - "arming": "Aktiviranje", - "disarming": "Deaktiviraj", - "triggered": "Okinut", - "armed_custom_bypass": "Aktivirano" - }, - "device_tracker": { - "home": "Doma", - "not_home": "Odsutan" - }, - "person": { - "home": "Doma", - "not_home": "Odsutan" + "zwave": { + "default": { + "dead": "Mrtav", + "initializing": "Inicijalizacija", + "ready": "Spreman", + "sleeping": "Spavanje" + }, + "query_stage": { + "dead": "Mrtav ({query_stage})", + "initializing": "Inicijalizacija ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Očisti završeno", - "add_item": "Dodaj stavku", - "microphone_tip": "Dodirnite mikrofon u gornjem desnom kutu i recite “Add candy to my shopping list”" - }, - "developer-tools": { - "tabs": { - "services": { - "title": "Usluge" - }, - "states": { - "title": "Status" - }, - "events": { - "title": "Događaji" - }, - "templates": { - "title": "Predlošci" - }, - "mqtt": { - "title": "MQTT" - }, - "info": { - "title": "Informacije" - }, - "logs": { - "title": "Logovi" - } - } - }, - "history": { - "showing_entries": "Prikazivanje stavki za", - "period": "Razdoblje" - }, - "logbook": { - "showing_entries": "Prikaži entitete za", - "period": "Razdoblje" - }, - "mailbox": { - "empty": "Nemate nijednu poruku", - "playback_title": "Reprodukcija poruke", - "delete_prompt": "Izbrisati ovu poruku?", - "delete_button": "Izbrisati" - }, - "config": { - "header": "Konfigurirajte Home Assistant", - "introduction": "Ovdje možete konfigurirati vaše komponente i Home Assistant. Nije moguće baš sve konfigurirati koristeći UI zasada, ali radimo na tome.", - "core": { - "caption": "Općenito", - "description": "Promijenite Home Assistant općenite postavke", - "section": { - "core": { - "header": "Konfiguracija i kontrola poslužitelja", - "introduction": "Promjena konfiguracije može biti naporan proces. Znamo. Ovaj će vam odjeljak pokušati olakšati život.", - "core_config": { - "edit_requires_storage": "Uređivač je onemogućen jer je konfiguracija spremljena u configuration.yaml.", - "location_name": "Naziv Home Assistant instalacije", - "latitude": "Zemljopisna širina", - "longitude": "Zemljopisna dužina", - "elevation": "Elevacija", - "elevation_meters": "metara", - "time_zone": "Vremenska zona", - "unit_system": "Sustav jedinica", - "unit_system_imperial": "Imperijalni", - "unit_system_metric": "Metrički", - "imperial_example": "Fahrenheit, funte", - "metric_example": "Celzija, kilograma", - "save_button": "Spremi" - } - }, - "server_control": { - "validation": { - "heading": "Provjera konfiguracije", - "introduction": "Provjerite svoju konfiguraciju ako ste nedavno napravili neke promjene u konfiguraciji i želite biti sigurni da je sve ispravno", - "check_config": "Provjerite konfiguraciju", - "valid": "Konfiguracija valjana!", - "invalid": "Konfiguracija nije važeća" - }, - "reloading": { - "heading": "Ponovno učitavanje konfiguracije", - "introduction": "Neki dijelovi programa Home Assistant mogu se ponovno učitati bez potrebe za ponovnim pokretanjem. Pritiskom na ponovno učitavanje učitava se nova konfiguracija.", - "core": "Ponovno učitati jezgru", - "group": "Ponovno učitajte grupe", - "automation": "Ponovo učitajte automatizacije", - "script": "Ponovno učitaj skripte" - }, - "server_management": { - "heading": "Upravljanje poslužiteljem", - "introduction": "Kontrolirajte vaš Home Assistant server ... iz Home Assistant.", - "restart": "Ponovno pokretanje", - "stop": "Stop" - } - } - } - }, - "customize": { - "caption": "Prilagodba", - "description": "Prilagodite entitete", - "picker": { - "header": "Prilagodba", - "introduction": "Podešavanje atributa po entitetu. Dodane\/uređene prilagodbe će odmah stupiti na snagu. Uklonjene prilagodbe stupit će na snagu kada se entitet ažurira." - } - }, - "automation": { - "caption": "Automatizacija", - "description": "Stvaranje i uređivanje automatizacija", - "picker": { - "header": "Urednik Automatizacije", - "introduction": "Automatizacijski urednik omogućuje stvaranje i uređivanje automatizacije. Molimo pročitajte [upute] (https:\/\/home-assistant.io\/docs\/automation\/editor\/) kako biste bili sigurni da ste ispravno konfigurirali Home Assistant.", - "pick_automation": "Odaberite automatizaciju za uređivanje", - "no_automations": "Nismo mogli pronaći nikakve automatizirane uređaje", - "add_automation": "Dodaj automatizaciju", - "learn_more": "Saznajte više o automatizacijama" - }, - "editor": { - "introduction": "Upotrijebite automatizaciju kako bi vaš dom oživio", - "default_name": "Nova automatizacija", - "save": "Spremi", - "unsaved_confirm": "Imate nespremljene izmjene. Jeste li sigurni da želite napustiti?", - "alias": "Ime", - "triggers": { - "header": "Okidači", - "introduction": "Okidači su ono što pokreće obradu pravila o automatizaciji. Moguće je odrediti više okidača za isto pravilo. Kada pokrenete okidač, Home Assistant provjerit će uvjete, ako ih ima i pozvati akciju. \n\n [Saznajte više o pokretačima.] (Https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", - "add": "Dodaj okidač", - "duplicate": "Udvostruči", - "delete": "Obriši", - "delete_confirm": "Jeste li sigurni dai želite izbrisati?", - "unsupported_platform": "Nepodržana platforma: {platform}", - "type_select": "Tip okidača", - "type": { - "event": { - "label": "Događaj:", - "event_type": "Vrsta događaja", - "event_data": "Podaci o događaju" - }, - "state": { - "label": "Stanje", - "from": "Od", - "to": "Do", - "for": "Za" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Događaj:", - "start": "Početak", - "shutdown": "Ugasiti" - }, - "mqtt": { - "label": "MQTT", - "topic": "Tema", - "payload": "Opterećenje (opcionalno)" - }, - "numeric_state": { - "label": "Numeričko stanje", - "above": "Iznad", - "below": "Ispod", - "value_template": "Predložak vrijednosti (nije obavezno)" - }, - "sun": { - "label": "Sunce", - "event": "Event:", - "sunrise": "Izlazak sunca", - "sunset": "Zalazak sunca", - "offset": "Offset (nije obavezno)" - }, - "template": { - "label": "Predložak", - "value_template": "Predložak vrijednosti" - }, - "time": { - "label": "Vrijeme", - "at": "U" - }, - "zone": { - "label": "Zona", - "entity": "Entitet s lokacijom", - "zone": "Zona", - "event": "Event:", - "enter": "Unesite", - "leave": "Napustiti" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook ID" - }, - "time_pattern": { - "label": "Vremenski uzorak", - "hours": "Sati", - "minutes": "Minuta", - "seconds": "Sekundi" - }, - "geo_location": { - "label": "Geolokacija", - "source": "Izvor", - "zone": "Zona", - "event": "Događaj:", - "enter": "Ulaz", - "leave": "Izlaz" - }, - "device": { - "label": "Uređaj" - } - }, - "learn_more": "Saznajte više o okidačima" - }, - "conditions": { - "header": "Uvjeti", - "introduction": "Uvjeti su neobvezni dio pravila o automatizaciji i mogu se upotrebljavati kako bi se spriječilo da se neka akcija dogodi prilikom pokretanja. Uvjeti izgledaju vrlo slični pokretačima, ali su vrlo različiti. Okidač će pogledati događaje koji se događaju u sustavu, a stanje samo gleda kako sustav izgleda upravo sada. Okidač može primijetiti da je prekidač uključen. Stanje može vidjeti samo ako je uključen ili isključen prekidač. \n\n [Saznajte više o uvjetima.] (Https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", - "add": "Dodaj uvjet", - "duplicate": "Dupliciran", - "delete": "Obriši", - "delete_confirm": "Sigurno želite pobrisati?", - "unsupported_condition": "Nepodržano stanje: {condition}", - "type_select": "Vrsta uvjeta", - "type": { - "state": { - "label": "Stanje", - "state": "Stanje" - }, - "numeric_state": { - "label": "Numeričko stanje", - "above": "Iznad", - "below": "Ispod", - "value_template": "Predložak vrijednosti (opciono)" - }, - "sun": { - "label": "Sunce", - "before": "Prije:", - "after": "Nakon:", - "before_offset": "Prije pomaka (izborno)", - "after_offset": "Nakon pomaka (izborno)", - "sunrise": "Izlazak sunca", - "sunset": "Zalazak sunca" - }, - "template": { - "label": "Predložak", - "value_template": "Predložak vrijednosti" - }, - "time": { - "label": "Vrijeme", - "after": "Nakon", - "before": "Prije" - }, - "zone": { - "label": "Zona", - "entity": "Entitet sa lokacijom", - "zone": "Zona" - }, - "device": { - "label": "Uređaj" - } - }, - "learn_more": "Saznajte više o uvjetima" - }, - "actions": { - "header": "Akcije", - "introduction": "Radnje su ono što će Home Assistant učiniti kada se aktivira automatizacija. \n\n [Saznajte više o radnjama.] (Https:\/\/home-assistant.io\/docs\/automation\/action\/)", - "add": "Dodajte radnju", - "duplicate": "Dupliciraj", - "delete": "Obriši", - "delete_confirm": "Sigurno želite pobrisati?", - "unsupported_action": "Nepodržana radnja: {action}", - "type_select": "Vrsta akcije", - "type": { - "service": { - "label": "Zovi servis", - "service_data": "Podaci o usluzi" - }, - "delay": { - "label": "Odgoditi", - "delay": "Odgodi" - }, - "wait_template": { - "label": "Čekaj", - "wait_template": "Čekaj predložak", - "timeout": "Vremensko ograničenje (opcionalno)" - }, - "condition": { - "label": "Stanje" - }, - "event": { - "label": "Pokreni događaj", - "event": "Event:", - "service_data": "Servisni podaci" - }, - "device_id": { - "label": "Uređaj" - } - }, - "learn_more": "Saznajte više o akcijama" - }, - "load_error_not_editable": "Samo automatizacije u automations.yaml se mogu uređivati.", - "load_error_unknown": "Pogreška pri učitavanju automatizacije ({err_no})." - } - }, - "script": { - "caption": "Skripta", - "description": "Stvaranje i uređivanje skripti" - }, - "zwave": { - "caption": "Z-Wave", - "description": "Upravljajte mrežom Z-Wave", - "network_management": { - "header": "Upravljanje Z-Wave mrežom", - "introduction": "Pokrenite naredbe koje utječu na Z-Wave mrežu. Nećete dobiti povratne informacije o tome je li većina naredbi uspjela, ali možete provjeriti OZW dnevnik da biste to pokušali otkriti." - }, - "network_status": { - "network_stopped": "Z-val mreža zaustavljena", - "network_starting": "Pokretanje Z-Wave mreže...", - "network_starting_note": "To može potrajati, ovisno o veličini vaše mreže.", - "network_started": "Z-Wave mreža je pokrenuta", - "network_started_note_some_queried": "Aktivni čvorovi su kontaktirani. Čvorovi koji spavaju će biti kontaktirani kada se probude.", - "network_started_note_all_queried": "Svi čvorovi su kontaktirani." - }, - "services": { - "start_network": "Pokreni mrežu", - "stop_network": "Zaustavi mrežu", - "heal_network": "Izlječi mrežu", - "test_network": "Testna mreža", - "soft_reset": "Resetiranje", - "save_config": "Spremi konfiguraciju", - "add_node_secure": "Sigurno Dodavanje čvora", - "add_node": "Dodaj čvor", - "remove_node": "Ukloni čvor", - "cancel_command": "Otkaži naredbu" - }, - "common": { - "value": "Vrijednost", - "instance": "Instanca", - "index": "Indeks", - "unknown": "nepoznato", - "wakeup_interval": "Interval buđenja" - }, - "values": { - "header": "Vrijednosti čvora" - }, - "node_config": { - "header": "Opcije konfiguracije čvora", - "seconds": "sekundi", - "set_wakeup": "Podesite Interval buđenja", - "config_parameter": "Parametar", - "config_value": "Vrijednost", - "true": "Istina", - "false": "Laž", - "set_config_parameter": "Postavite parametar Config" - } - }, - "users": { - "caption": "Korisnici", - "description": "Upravljanje korisnicima", - "picker": { - "title": "Korisnici" - }, - "editor": { - "rename_user": "Preimenuj korisnika", - "change_password": "Promijeni lozinku", - "activate_user": "Aktivirajte korisnika", - "deactivate_user": "Deaktivirajte korisnika", - "delete_user": "Izbriši korisnika", - "caption": "Pregled korisnika" - }, - "add_user": { - "caption": "Dodajte korisnika", - "name": "Ime", - "username": "Korisničko ime", - "password": "Lozinka", - "create": "Kreiraj" - } - }, - "cloud": { - "caption": "Home Assistant Cloud", - "description_login": "Prijavljeni ste kao {email}", - "description_not_login": "Niste prijavljeni", - "description_features": "Upravljajte kad ste izvan kuće, integrirajte se s Alexa i Google Assistantom." - }, - "integrations": { - "caption": "integracije", - "description": "Upravljanje povezanim uređajima i uslugama", - "discovered": "Otkriven", - "configured": "Konfiguriran", - "new": "Postavite novu integraciju", - "configure": "Konfiguriranje", - "none": "Još ništa nije konfigurirano", - "config_entry": { - "no_devices": "Ova integracija nema uređaje.", - "no_device": "Entiteti bez uređaja", - "delete_confirm": "Jeste li sigurni da želite izbrisati tu integraciju?", - "restart_confirm": "Ponovo pokrenite Home Assistant da biste dovršili uklanjanje ove integracije", - "manuf": "od {manufacturer}", - "via": "Povezan putem", - "firmware": "Firmware: {version}", - "device_unavailable": "uređaj nije dostupan", - "entity_unavailable": "entitet nije dostupan", - "no_area": "Nema područja", - "hub": "Povezan putem" - }, - "config_flow": { - "external_step": { - "description": "Ovaj korak zahtijeva da posjetite vanjsku web stranicu.", - "open_site": "Otvori web sjedište" - } - } - }, - "zha": { - "caption": "ZHA", - "description": "Upravljanje Zigbee Home Automation mrežom", - "services": { - "reconfigure": "Ponovno konfiguriaj ZHA uređaj (liječenje uređaja). Upotrijebite ovo ako imate problema s uređajem. Ako je uređaj u pitanju uređaj za bateriju, provjerite je li budan i prihvaća naredbe kada koristite ovu uslugu.", - "updateDeviceName": "Postavite prilagođeni naziv za ovaj uređaj u registru uređaja.", - "remove": "Uklonite uređaj iz ZigBee mreže." - }, - "device_card": { - "device_name_placeholder": "Korisničko ime", - "area_picker_label": "Područje", - "update_name_button": "Ažuriraj naziv" - }, - "add_device_page": { - "header": "Zigbee Home Automation-Dodaj uređaje", - "spinner": "Traženje ZHA ZigBee uređaja...", - "discovery_text": "Pronađeni uređaji će se pojaviti ovdje. Slijedite upute za uređaj (e) i postavite uređaj (e) u način uparivanja." - } - }, - "area_registry": { - "caption": "Registar područja", - "description": "Pregled svih područja u vašem domu.", - "picker": { - "header": "Registar područja", - "introduction": "Područja se koriste za organiziranje gdje su uređaji. Ove informacije će se koristiti u cijelom Home Assistant da vam pomogne u organizaciji sučelja, dopuštenja i integracija s drugim sustavima.", - "introduction2": "Da biste postavili uređaje u neko područje, pomoću donje veze idite na stranicu s integracijama, a zatim kliknite na konfiguriranu integraciju da biste došli do kartica uređaja.", - "integrations_page": "Stranica integracija", - "no_areas": "Izgleda da još nemaš područja!", - "create_area": "STVARANJE PODRUČJA" - }, - "no_areas": "Izgleda da još nemaš područja!", - "create_area": "STVARANJE PODRUČJA", - "editor": { - "default_name": "Novo područje", - "delete": "OBRIŠI", - "update": "AŽURIRAJ", - "create": "KREIRAJ" - } - }, - "entity_registry": { - "caption": "Registar entiteta", - "description": "Pregled svih poznatih entiteta.", - "picker": { - "header": "Registar entiteta", - "unavailable": "(Nije dostupan)", - "introduction": "Home Assistant drži registar svakog entiteta koji je ikada vidio da se može jedinstveno identificirati. Svaki od tih entiteta imat će dodijeljeni ID entiteta koji će biti rezerviran za samo ovaj entitet.", - "introduction2": "Koristite registar entiteta da biste nadjačali naziv, promijenili ID entiteta ili uklonili stavku iz Home Assistant. Napomena, uklanjanjem unosa registra entiteta neće se ukloniti entitet. Da biste to učinili, slijedite donju vezu i uklonite je s stranice integracije.", - "integrations_page": "Stranica integracija" - }, - "editor": { - "unavailable": "Ovaj entitet trenutno nije dostupan.", - "default_name": "Novo područje", - "delete": "IZBRISATI", - "update": "AŽURIRANJE", - "enabled_label": "Aktiviraj entitet", - "enabled_cause": "Deaktivirano zbog {cause}.", - "enabled_description": "Onemogućeni entiteti neće biti dodani u Home Assistant." - } - }, - "person": { - "caption": "Osobe", - "description": "Upravljajte osobama koje Home Assistant prati.", - "detail": { - "name": "Ime", - "device_tracker_intro": "Odaberite uređaje koji pripadaju ovoj osobi.", - "device_tracker_picked": "Uređaj za praćenje", - "device_tracker_pick": "Odaberite uređaj za praćenje" - } - }, - "server_control": { - "caption": "Upravljanje poslužiteljem", - "description": "Ponovo pokrenite i zaustavite Home Assistant poslužitelj", - "section": { - "validation": { - "heading": "Provjera konfiguracije", - "introduction": "Provjerite svoju konfiguraciju ako ste nedavno napravili neke promjene u konfiguraciji i želite biti sigurni da je sve ispravno", - "check_config": "Provjerite konfiguraciju", - "valid": "Konfiguracija je ispravna!", - "invalid": "Konfiguracija nije ispravna" - }, - "reloading": { - "heading": "Ponovno učitavanje konfiguracije", - "introduction": "Neki dijelovi programa Home Assistant mogu se ponovno učitati bez potrebe za ponovnim pokretanjem. Pritiskom na ponovno učitavanje učitava se nova konfiguracija.", - "core": "Ponovno učitavanje jezgre", - "group": "Ponovno učitavanje grupa", - "automation": "Ponovo učitavanje automatizacija", - "script": "Ponovno učitavanje skripti", - "scene": "Ponovno učitaj scene" - }, - "server_management": { - "heading": "Upravljanje poslužiteljem", - "introduction": "Kontrolirajte vaš Home Assistant server ... iz Home Assistant.", - "restart": "Ponovno pokretanje", - "stop": "Stop", - "confirm_restart": "Jeste li sigurni da želite ponovo pokrenuti Home Assistant?", - "confirm_stop": "Jeste li sigurni da želite zaustaviti Home Assostant?" - } - } - }, - "devices": { - "caption": "uređaji", - "description": "Upravljanje povezanim uređajima" - } - }, - "profile": { - "push_notifications": { - "header": "Push Obavijesti", - "description": "Slanje obavijesti na ovaj uređaj.", - "error_load_platform": "Konfigurirajte notify.html5.", - "error_use_https": "Zahtijeva SSL omogućen za sučelje.", - "push_notifications": "Push obavijesti", - "link_promo": "Saznajte više" - }, - "language": { - "header": "Jezik", - "link_promo": "Pomognite prevođenju", - "dropdown_label": "Jezik" - }, - "themes": { - "header": "Tema", - "error_no_theme": "Nema dostupnih tema.", - "link_promo": "Saznajte o temama", - "dropdown_label": "Tema" - }, - "refresh_tokens": { - "header": "Osvježi token", - "description": "Svaki token za osvježavanje predstavlja sesiju za prijavu. Tokeni osvježavanja bit će automatski uklonjeni kada kliknete odjava. Trenutačno su aktivni sljedeći tokeni za osvježavanje vašeg računa.", - "token_title": "Osvježi token za {clientId}", - "created_at": "Izrađeno na {date}", - "confirm_delete": "Jeste li sigurni da želite izbrisati pristupni token za {name} ?", - "delete_failed": "Nije uspjelo brisanje pristupnog tokena.", - "last_used": "Posljednje upotrijebljeno na {date} od {location}", - "not_used": "Nikada nije bio korišten", - "current_token_tooltip": "Nije moguće izbrisati trenutni token za osvježavanje" - }, - "long_lived_access_tokens": { - "header": "Tokeni dugog življenja", - "description": "Izradite dugotrajne tokene za pristup kako biste omogućili da vaše skripte stupaju u interakciju sa vašim primjerom Home Assistant-a. Svaki token će vrijediti 10 godina od stvaranja. Sljedeći tokeni dugogodišnjeg pristupa su trenutno aktivni", - "learn_auth_requests": "Saznajte kako obaviti provjeru autentičnosti zahtjeva.", - "created_at": "Izrađeno na {date}", - "confirm_delete": "Jeste li sigurni da želite izbrisati pristupni token za {name} ?", - "delete_failed": "Nije uspjelo brisanje pristupnog tokena.", - "create": "Izradite token", - "create_failed": "Nije uspjelo stvaranje pristupnog tokena.", - "prompt_name": "Ime?", - "prompt_copy_token": "Kopirajte pristupni token. Neće se više prikazati.", - "empty_state": "Još nemate dugovječnih tokena pristupa.", - "last_used": "Posljednje upotrijebljeno na {date} od {location}", - "not_used": "Nikada nije bio korišten" - }, - "current_user": "Trenutačno ste prijavljeni kao {fullName} .", - "is_owner": "Vi ste vlasnik.", - "change_password": { - "header": "Promijeni lozinku", - "current_password": "Trenutna lozinka", - "new_password": "Nova lozinka", - "confirm_new_password": "Potvrdite novu lozinku", - "error_required": "Potreban", - "submit": "podnijeti" - }, - "mfa": { - "header": "Višefaktorski moduli za provjeru autentičnosti", - "disable": "Onemogući", - "enable": "Omogući", - "confirm_disable": "Jeste li sigurni da želite onemogućiti {name} ?" - }, - "mfa_setup": { - "title_aborted": "Prekinut", - "title_success": "Uspješno!", - "step_done": "Postavka gotova za {step}", - "close": "Zatvoriti", - "submit": "podnijeti" - }, - "logout": "Odjava", - "force_narrow": { - "header": "Uvijek sakrij bočnu traku", - "description": "To će po zadanom sakriti bočnu traku, sličnukao na mobitelu." - } - }, - "page-authorize": { - "initializing": "Inicijalizacija", - "authorizing_client": "Dati ćete {clientId} pristup svojoj instanci pomoćnika Home Assistant.", - "logging_in_with": "Prijavite se sa **{authProviderName}**.", - "pick_auth_provider": "Ili se prijavite sa", - "abort_intro": "Prijava je prekinuta", - "form": { - "working": "Molimo pričekajte", - "unknown_error": "Nešto je pošlo po zlu", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Korisničko ime", - "password": "Lozinka" - } - }, - "mfa": { - "data": { - "code": "Kôd autentifikacije s dva faktora" - }, - "description": "Otvorite ** {mfa_module_name} ** na svojem uređaju da biste vidjeli kôd za autentifikaciju s dva faktora i potvrdili svoj identitet:" - } - }, - "error": { - "invalid_auth": "Neispravno korisničko ime ili lozinka", - "invalid_code": "Pogrešan kod za provjeru autentičnosti" - }, - "abort": { - "login_expired": "Sesija istekla, prijavite se ponovo." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "API lozinka" - }, - "description": "Unesite API lozinku u svoj http config:" - }, - "mfa": { - "data": { - "code": "Kôd autentifikacije s dva faktora" - }, - "description": "Otvorite ** {mfa_module_name} ** na svojem uređaju da biste vidjeli kôd za autentifikaciju s dva faktora i potvrdili svoj identitet:" - } - }, - "error": { - "invalid_auth": "Nevažeća lozinka za API", - "invalid_code": "Nevažeći kôd za autentifikaciju" - }, - "abort": { - "no_api_password_set": "Nemate konfiguriranu lozinku za API.", - "login_expired": "Sesija istekla, molim vas prijavite se ponovno." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Korisnik" - }, - "description": "Odaberite korisnika kojim se želite prijaviti:" - } - }, - "abort": { - "not_whitelisted": "Računalo nije na popisu dopuštenih." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Korisničko ime", - "password": "Lozinka" - } - }, - "mfa": { - "data": { - "code": "2-faktor autentifikacijski kod" - }, - "description": "Otvorite ** {mfa_module_name} ** na svojem uređaju da biste vidjeli kôd za autentifikaciju s dva faktora i potvrdili svoj identitet:" - } - }, - "error": { - "invalid_auth": "Neispravno korisničko ime ili lozinka", - "invalid_code": "Pogrešan autentifikacijski kod." - }, - "abort": { - "login_expired": "Sesija istekla, prijavite se ponovo." - } - } - } - } - }, - "page-onboarding": { - "intro": "Jeste li spremni probuditi svoj dom, vratiti svoju privatnost i pridružiti se svjetskoj zajednici tinkerera?", - "user": { - "intro": "Započnimo stvaranjem korisničkog računa.", - "required_field": "Potreban", - "data": { - "name": "Ime", - "username": "Korisničko ime", - "password": "Lozinka", - "password_confirm": "Potvrda lozinke" - }, - "create_account": "Stvorite račun", - "error": { - "required_fields": "Ispunite sva potrebna polja", - "password_not_match": "Lozinke se ne podudaraju" - } - }, - "integration": { - "intro": "Uređaji i usluge predstavljeni su u programu Home Assistant kao integracije. Možete ih postaviti sada ili to učiniti kasnije s zaslona konfiguracije.", - "more_integrations": "Više", - "finish": "Završi" - }, - "core-config": { - "intro": "Pozdrav {name}, dobrodošli u Home Assistant. Kako biste željeli nazvati svoj dom?", - "intro_location": "Željeli bismo znati gdje živite. Te će informacije pomoći pri prikazivanju informacija i postavljanju automatizacije na temelju sunca. Ti se podaci nikada ne dijele izvan vaše mreže.", - "intro_location_detect": "Možemo vam pomoći da ispunite ove informacije tako što ćete napraviti jedan zahtjev na vanjsku uslugu.", - "location_name_default": "Dom", - "button_detect": "Otkrij", - "finish": "Sljedeći" - } - }, - "lovelace": { - "cards": { - "shopping-list": { - "checked_items": "Označene stavke", - "clear_items": "Izbrišite označene stavke", - "add_item": "Dodaj stavku" - }, - "empty_state": { - "title": "Dobrodošli kući", - "no_devices": "Ova stranica omogućuje upravljanje uređajima, ali izgleda da još niste postavili nikakve uređaje. Idite na stranicu integracije da biste započeli.", - "go_to_integrations_page": "Idite na stranicu integracija." - }, - "picture-elements": { - "hold": "Držite:", - "tap": "Dodirnite:", - "navigate_to": "Idite do {location}", - "toggle": "Preklopi {name}", - "call_service": "Pozovi servis {name}", - "more_info": "Prikaži više informacija: {name}" - } - }, - "editor": { - "edit_card": { - "header": "Konfiguracija Kartice", - "save": "Spremi", - "toggle_editor": "Uključi uređivač", - "pick_card": "Odaberite karticu koju želite dodati.", - "add": "Dodaj karticu", - "edit": "Uredi", - "delete": "Izbrisati", - "move": "Premjesti" - }, - "migrate": { - "header": "Konfiguracija nije kompatibilna", - "para_no_id": "Ovaj element nema ID. Dodajte ID ovom elementu u 'ui-lovelace.yaml'.", - "para_migrate": "Home Assistant može dodati ID-ove na sve vaše kartice i pogleda automatski za vas pritiskom na gumb 'Migriraj konfiguriranje'.", - "migrate": "Migriraj konfiguraciju" - }, - "header": "Uredi UI", - "edit_view": { - "header": "Pogledaj konfiguraciju", - "add": "Dodaj prikaz", - "edit": "Uredi prikaz", - "delete": "Izbriši prikaz" - }, - "save_config": { - "header": "Preuzmite kontrolu nad Lovelace UI", - "para": "Home Assistant će prema zadanim postavkama održavati vaše korisničko sučelje, ažurirati ga kada novi entiteti ili Lovelace komponente postanu dostupni. Ako preuzmete kontrolu, više nećemo automatski vršiti izmjene za vas.", - "para_sure": "Jeste li sigurni da želite preuzeti kontrolu nad svojim korisničkim sučeljem?", - "cancel": "Nema veze", - "save": "Preuzmi kontrolu" - }, - "menu": { - "raw_editor": "Tekstualni urednik" - }, - "raw_editor": { - "header": "Uredi konfiguraciju", - "save": "Spremi", - "unsaved_changes": "Nespremljene promjene", - "saved": "Spremljeno" - }, - "edit_lovelace": { - "header": "Naslov vašeg Lovelace UI", - "explanation": "Ovaj naslov prikazan je iznad svih vaših prikaza u Lovelace." - } - }, - "menu": { - "configure_ui": "Konfiguriraj UI", - "unused_entities": "Neiskorišteni entiteti", - "help": "Pomoć", - "refresh": "Osvježi" - }, - "warning": { - "entity_not_found": "Entitet nije dostupan: {entity}", - "entity_non_numeric": "Entitet nije numerički: {entity}" - }, - "changed_toast": { - "message": "Konfiguracija Lovelace je ažurirana, želite li je osvježiti?", - "refresh": "Osvježi" - }, - "reload_lovelace": "Ponovo učitajte Lovelace" - }, - "page-demo": { - "cards": { - "demo": { - "demo_by": "od {name}", - "next_demo": "Sljedeći demo", - "introduction": "Dobrodošli kući! Stigli ste do Home Assistant demo gdje prikazujemo najbolja korisnička sučelja koje je kreirala naša zajednica.", - "learn_more": "Saznajte više o Home Assistant" - } - }, - "config": { - "arsaboo": { - "names": { - "upstairs": "Kat", - "family_room": "Obiteljska soba", - "kitchen": "Kuhinja", - "patio": "Vrt", - "hallway": "Hodnik", - "master_bedroom": "Glavna spavaća soba", - "left": "Lijevo", - "right": "Desno", - "mirror": "Ogledalo" - }, - "labels": { - "lights": "Svjetla", - "information": "Informacije", - "morning_commute": "Jutarnje putovanje", - "commute_home": "Putovanje do kuće", - "entertainment": "Zabava", - "activity": "Aktivnost", - "hdmi_input": "HDMI ulaz", - "hdmi_switcher": "HDMI preklopnik", - "volume": "Glasnoća", - "total_tv_time": "Ukupno vrijeme za TV", - "turn_tv_off": "Isključi televiziju", - "air": "Zrak" - }, - "unit": { - "watching": "gledanje", - "minutes_abbr": "min" - } - } - } - } - }, - "sidebar": { - "log_out": "Odjava", - "external_app_configuration": "Konfiguracija aplikacije" - }, - "common": { - "loading": "Učitavam", - "cancel": "Otkazati", - "save": "Spremi", - "successfully_saved": "Uspješno spremljeno" - }, - "duration": { - "day": "{count} {count, plural,\n one {dan}\n other {dani}\n}", - "week": "{count} {count, plural,\n one {tjedan}\n other {tjedni}\n}", - "second": "{count} {count, plural,\n one {sekunde}\n other {sekunde}\n}", - "minute": "{broj} {broj, množina, jedna {minuta}, druge {minute}}", - "hour": "{broj} {broj, množina, jedan {sat} drugi {sati}}" - }, - "login-form": { - "password": "Lozinka", - "remember": "Zapamti", - "log_in": "Prijava" + "auth_store": { + "ask": "Želite li spremiti ovu prijavu?", + "confirm": "Spremi prijavu", + "decline": "Ne hvala" }, "card": { + "alarm_control_panel": { + "arm_away": "Aktiviran odsutno", + "arm_custom_bypass": "Prilagođena premosnica", + "arm_home": "Aktiviran doma", + "arm_night": "Aktiviran nočni", + "armed_custom_bypass": "Prilagođena obilaznica", + "clear_code": "Vedro", + "code": "Kod", + "disarm": "Deaktiviraj" + }, + "automation": { + "last_triggered": "Zadnje aktivirano", + "trigger": "Okidač" + }, "camera": { "not_available": "Slika nije dostupna" }, + "climate": { + "aux_heat": "Pomoćno grijanje", + "away_mode": "Način rada: Odsutan", + "currently": "Trenutno", + "fan_mode": "Način rada s ventilatorom", + "on_off": "Uključivanje \/ isključivanje", + "operation": "operacija", + "preset_mode": "Zadano", + "swing_mode": "Swing način rada", + "target_humidity": "Ciljana vlažnost", + "target_temperature": "Ciljana temperatura" + }, + "cover": { + "position": "Pozicija", + "tilt_position": "Položaj nagiba" + }, + "fan": { + "direction": "Smjer", + "forward": "Naprijed", + "oscillate": "Oscilirati", + "reverse": "Nazad", + "speed": "Brzina" + }, + "light": { + "brightness": "Svjetlina", + "color_temperature": "Temperatura boje", + "effect": "Efekt", + "white_value": "Bijela vrijednost" + }, + "lock": { + "code": "Kod", + "lock": "zaključati", + "unlock": "Otključati" + }, + "media_player": { + "sound_mode": "Način zvuka", + "source": "Izvor", + "text_to_speak": "Tekst u govor" + }, "persistent_notification": { "dismiss": "Odbaci" }, @@ -1174,6 +464,30 @@ "script": { "execute": "Izvršiti" }, + "timer": { + "actions": { + "cancel": "otkaži", + "finish": "Završiti", + "pause": "pauza", + "start": "početak" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Nastavi čišćenje", + "return_to_base": "Povratak na dok", + "start_cleaning": "Započnite čišćenje", + "turn_off": "Isključiti", + "turn_on": "Uključiti" + } + }, + "water_heater": { + "away_mode": "Način rada: Odsutan", + "currently": "Trenutno", + "on_off": "Uključeno\/Isključeno", + "operation": "Operacija", + "target_temperature": "Ciljana temperatura" + }, "weather": { "attributes": { "air_pressure": "Tlak zraka", @@ -1189,8 +503,8 @@ "n": "N", "ne": "NE", "nne": "NNE", - "nw": "NW", "nnw": "SSZ", + "nw": "NW", "s": "J", "se": "JI", "sse": "JJI", @@ -1201,123 +515,45 @@ "wsw": "ZJZ" }, "forecast": "Prognoza" - }, - "alarm_control_panel": { - "code": "Kod", - "clear_code": "Vedro", - "disarm": "Deaktiviraj", - "arm_home": "Aktiviran doma", - "arm_away": "Aktiviran odsutno", - "arm_night": "Aktiviran nočni", - "armed_custom_bypass": "Prilagođena obilaznica", - "arm_custom_bypass": "Prilagođena premosnica" - }, - "automation": { - "last_triggered": "Zadnje aktivirano", - "trigger": "Okidač" - }, - "cover": { - "position": "Pozicija", - "tilt_position": "Položaj nagiba" - }, - "fan": { - "speed": "Brzina", - "oscillate": "Oscilirati", - "direction": "Smjer", - "forward": "Naprijed", - "reverse": "Nazad" - }, - "light": { - "brightness": "Svjetlina", - "color_temperature": "Temperatura boje", - "white_value": "Bijela vrijednost", - "effect": "Efekt" - }, - "media_player": { - "text_to_speak": "Tekst u govor", - "source": "Izvor", - "sound_mode": "Način zvuka" - }, - "climate": { - "currently": "Trenutno", - "on_off": "Uključivanje \/ isključivanje", - "target_temperature": "Ciljana temperatura", - "target_humidity": "Ciljana vlažnost", - "operation": "operacija", - "fan_mode": "Način rada s ventilatorom", - "swing_mode": "Swing način rada", - "away_mode": "Način rada: Odsutan", - "aux_heat": "Pomoćno grijanje", - "preset_mode": "Zadano" - }, - "lock": { - "code": "Kod", - "lock": "zaključati", - "unlock": "Otključati" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Nastavi čišćenje", - "return_to_base": "Povratak na dok", - "start_cleaning": "Započnite čišćenje", - "turn_on": "Uključiti", - "turn_off": "Isključiti" - } - }, - "water_heater": { - "currently": "Trenutno", - "on_off": "Uključeno\/Isključeno", - "target_temperature": "Ciljana temperatura", - "operation": "Operacija", - "away_mode": "Način rada: Odsutan" - }, - "timer": { - "actions": { - "start": "početak", - "pause": "pauza", - "cancel": "otkaži", - "finish": "Završiti" - } } }, + "common": { + "cancel": "Otkazati", + "loading": "Učitavam", + "save": "Spremi", + "successfully_saved": "Uspješno spremljeno" + }, "components": { "entity": { "entity-picker": { "entity": "Entitet" } }, - "service-picker": { - "service": "Usluga" - }, - "relative_time": { - "past": "{time} prije", - "future": "Za {time}", - "never": "Nikada", - "duration": { - "second": "{count} {count, plural,\n one {sekunda}\n other {sekunde}\n}", - "minute": "{count} {count, plural,\n one {minuta}\n other {minuta}\n}", - "hour": "{count} {count, plural,\n one {sat}\n other {sati}\n}", - "day": "{count} {count, plural,\n one {dan}\n other {dana}\n}", - "week": "{count} {count, plural,\n one {week}\n other {weeks}\n}" - } - }, "history_charts": { "loading_history": "Učitavanje povijesti stanja ...", "no_history_found": "Nije pronađena povijest stanja." + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\n one {dan}\\n other {dana}\\n}", + "hour": "{count} {count, plural,\\n one {sat}\\n other {sati}\\n}", + "minute": "{count} {count, plural,\\n one {minuta}\\n other {minuta}\\n}", + "second": "{count} {count, plural,\\n one {sekunda}\\n other {sekunde}\\n}", + "week": "{count} {count, plural,\\n one {week}\\n other {weeks}\\n}" + }, + "future": "Za {time}", + "never": "Nikada", + "past": "{time} prije" + }, + "service-picker": { + "service": "Usluga" } }, - "notification_toast": { - "entity_turned_on": "{entity} uključeno.", - "entity_turned_off": "{entity} isključeno.", - "service_called": "Usluga {service} je pokrenuta.", - "service_call_failed": "Pokretanje usluge {service} nijeje uspjelo.", - "connection_lost": "Veza izgubljena. Spajanje..." - }, "dialogs": { - "more_info_settings": { - "save": "Spremi", - "name": "Premosti naziv", - "entity_id": "ID entiteta" + "config_entry_system_options": { + "enable_new_entities_description": "Ako nije aktivno, novootkriveni entiteti neće biti automatski dodani u Home Assistant.", + "enable_new_entities_label": "Aktiviraj novododane entitete.", + "title": "Mogućnosti sustava" }, "more_info_control": { "script": { @@ -1332,6 +568,11 @@ "title": "Upute za ažuriranje" } }, + "more_info_settings": { + "entity_id": "ID entiteta", + "name": "Premosti naziv", + "save": "Spremi" + }, "options_flow": { "form": { "header": "Opcije" @@ -1340,125 +581,884 @@ "description": "Opcije su uspješno spremljene." } }, - "config_entry_system_options": { - "title": "Mogućnosti sustava", - "enable_new_entities_label": "Aktiviraj novododane entitete.", - "enable_new_entities_description": "Ako nije aktivno, novootkriveni entiteti neće biti automatski dodani u Home Assistant." - }, "zha_device_info": { "manuf": "od {manufacturer}", "no_area": "Nema područja", "services": { "reconfigure": "Ponovno konfiguriaj ZHA uređaj (liječenje uređaja). Upotrijebite ovo ako imate problema s uređajem. Ako je uređaj u pitanju uređaj za bateriju, provjerite je li budan i prihvaća naredbe kada koristite ovu uslugu.", - "updateDeviceName": "Postavite prilagođeni naziv za ovaj uređaj u registru uređaja.", - "remove": "Uklonite uređaj iz Zigbee mreže." + "remove": "Uklonite uređaj iz Zigbee mreže.", + "updateDeviceName": "Postavite prilagođeni naziv za ovaj uređaj u registru uređaja." }, "zha_device_card": { - "device_name_placeholder": "Korisničko ime", "area_picker_label": "Područje", + "device_name_placeholder": "Korisničko ime", "update_name_button": "Ažuriraj naziv" } } }, - "auth_store": { - "ask": "Želite li spremiti ovu prijavu?", - "decline": "Ne hvala", - "confirm": "Spremi prijavu" + "duration": { + "day": "{count} {count, plural,\\n one {dan}\\n other {dani}\\n}", + "hour": "{broj} {broj, množina, jedan {sat} drugi {sati}}", + "minute": "{broj} {broj, množina, jedna {minuta}, druge {minute}}", + "second": "{count} {count, plural,\\n one {sekunde}\\n other {sekunde}\\n}", + "week": "{count} {count, plural,\\n one {tjedan}\\n other {tjedni}\\n}" + }, + "login-form": { + "log_in": "Prijava", + "password": "Lozinka", + "remember": "Zapamti" }, "notification_drawer": { "click_to_configure": "Kliknite gumb za konfiguriranje {entity}", "empty": "Nema obavijesti", "title": "Obavijesti" - } - }, - "domain": { - "alarm_control_panel": "Upravljačka ploča za alarm", - "automation": "Automatizacija", - "binary_sensor": "Binarni senzor", - "calendar": "Kalendar", - "camera": "Kamera", - "climate": "Klima", - "configurator": "Konfigurator", - "conversation": "Razgovor", - "cover": "Poklopac", - "device_tracker": "Praćenje uređaja", - "fan": "Ventilator", - "history_graph": "Grafikon povijesti", - "group": "Grupa", - "image_processing": "Obrada slike", - "input_boolean": "Input boolean", - "input_datetime": "Unos datuma i vremena", - "input_select": "Izbor unosa", - "input_number": "Unesite broj", - "input_text": "Unesite tekst", - "light": "Svjetlo", - "lock": "Zaključavanje", - "mailbox": "Poštanski sandučić", - "media_player": "Media player", - "notify": "Obavijestiti", - "plant": "Biljka", - "proximity": "Blizina", - "remote": "Daljinski", - "scene": "Scena", - "script": "Skripta", - "sensor": "Senzor", - "sun": "Sunce", - "switch": "Prekidač", - "updater": "Ažuriranje", - "weblink": "WebLink", - "zwave": "Z-Wave", - "vacuum": "Vakuum", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Zdravlje sustava", - "person": "Osoba" - }, - "attribute": { - "weather": { - "humidity": "Vlažnost", - "visibility": "Vidljivost", - "wind_speed": "Brzina vjetra" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Isključen", - "on": "Uključen", - "auto": "Automatski" + }, + "notification_toast": { + "connection_lost": "Veza izgubljena. Spajanje...", + "entity_turned_off": "{entity} isključeno.", + "entity_turned_on": "{entity} uključeno.", + "service_call_failed": "Pokretanje usluge {service} nijeje uspjelo.", + "service_called": "Usluga {service} je pokrenuta." + }, + "panel": { + "config": { + "area_registry": { + "caption": "Registar područja", + "create_area": "STVARANJE PODRUČJA", + "description": "Pregled svih područja u vašem domu.", + "editor": { + "create": "KREIRAJ", + "default_name": "Novo područje", + "delete": "OBRIŠI", + "update": "AŽURIRAJ" + }, + "no_areas": "Izgleda da još nemaš područja!", + "picker": { + "create_area": "STVARANJE PODRUČJA", + "header": "Registar područja", + "integrations_page": "Stranica integracija", + "introduction": "Područja se koriste za organiziranje gdje su uređaji. Ove informacije će se koristiti u cijelom Home Assistant da vam pomogne u organizaciji sučelja, dopuštenja i integracija s drugim sustavima.", + "introduction2": "Da biste postavili uređaje u neko područje, pomoću donje veze idite na stranicu s integracijama, a zatim kliknite na konfiguriranu integraciju da biste došli do kartica uređaja.", + "no_areas": "Izgleda da još nemaš područja!" + } + }, + "automation": { + "caption": "Automatizacija", + "description": "Stvaranje i uređivanje automatizacija", + "editor": { + "actions": { + "add": "Dodajte radnju", + "delete": "Obriši", + "delete_confirm": "Sigurno želite pobrisati?", + "duplicate": "Dupliciraj", + "header": "Akcije", + "introduction": "Radnje su ono što će Home Assistant učiniti kada se aktivira automatizacija. \\n\\n [Saznajte više o radnjama.] (Https:\/\/home-assistant.io\/docs\/automation\/action\/)", + "learn_more": "Saznajte više o akcijama", + "type_select": "Vrsta akcije", + "type": { + "condition": { + "label": "Stanje" + }, + "delay": { + "delay": "Odgodi", + "label": "Odgoditi" + }, + "device_id": { + "label": "Uređaj" + }, + "event": { + "event": "Event:", + "label": "Pokreni događaj", + "service_data": "Servisni podaci" + }, + "service": { + "label": "Zovi servis", + "service_data": "Podaci o usluzi" + }, + "wait_template": { + "label": "Čekaj", + "timeout": "Vremensko ograničenje (opcionalno)", + "wait_template": "Čekaj predložak" + } + }, + "unsupported_action": "Nepodržana radnja: {action}" + }, + "alias": "Ime", + "conditions": { + "add": "Dodaj uvjet", + "delete": "Obriši", + "delete_confirm": "Sigurno želite pobrisati?", + "duplicate": "Dupliciran", + "header": "Uvjeti", + "introduction": "Uvjeti su neobvezni dio pravila o automatizaciji i mogu se upotrebljavati kako bi se spriječilo da se neka akcija dogodi prilikom pokretanja. Uvjeti izgledaju vrlo slični pokretačima, ali su vrlo različiti. Okidač će pogledati događaje koji se događaju u sustavu, a stanje samo gleda kako sustav izgleda upravo sada. Okidač može primijetiti da je prekidač uključen. Stanje može vidjeti samo ako je uključen ili isključen prekidač. \\n\\n [Saznajte više o uvjetima.] (Https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", + "learn_more": "Saznajte više o uvjetima", + "type_select": "Vrsta uvjeta", + "type": { + "device": { + "label": "Uređaj" + }, + "numeric_state": { + "above": "Iznad", + "below": "Ispod", + "label": "Numeričko stanje", + "value_template": "Predložak vrijednosti (opciono)" + }, + "state": { + "label": "Stanje", + "state": "Stanje" + }, + "sun": { + "after": "Nakon:", + "after_offset": "Nakon pomaka (izborno)", + "before": "Prije:", + "before_offset": "Prije pomaka (izborno)", + "label": "Sunce", + "sunrise": "Izlazak sunca", + "sunset": "Zalazak sunca" + }, + "template": { + "label": "Predložak", + "value_template": "Predložak vrijednosti" + }, + "time": { + "after": "Nakon", + "before": "Prije", + "label": "Vrijeme" + }, + "zone": { + "entity": "Entitet sa lokacijom", + "label": "Zona", + "zone": "Zona" + } + }, + "unsupported_condition": "Nepodržano stanje: {condition}" + }, + "default_name": "Nova automatizacija", + "introduction": "Upotrijebite automatizaciju kako bi vaš dom oživio", + "load_error_not_editable": "Samo automatizacije u automations.yaml se mogu uređivati.", + "load_error_unknown": "Pogreška pri učitavanju automatizacije ({err_no}).", + "save": "Spremi", + "triggers": { + "add": "Dodaj okidač", + "delete": "Obriši", + "delete_confirm": "Jeste li sigurni dai želite izbrisati?", + "duplicate": "Udvostruči", + "header": "Okidači", + "introduction": "Okidači su ono što pokreće obradu pravila o automatizaciji. Moguće je odrediti više okidača za isto pravilo. Kada pokrenete okidač, Home Assistant provjerit će uvjete, ako ih ima i pozvati akciju. \\n\\n [Saznajte više o pokretačima.] (Https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", + "learn_more": "Saznajte više o okidačima", + "type_select": "Tip okidača", + "type": { + "device": { + "label": "Uređaj" + }, + "event": { + "event_data": "Podaci o događaju", + "event_type": "Vrsta događaja", + "label": "Događaj:" + }, + "geo_location": { + "enter": "Ulaz", + "event": "Događaj:", + "label": "Geolokacija", + "leave": "Izlaz", + "source": "Izvor", + "zone": "Zona" + }, + "homeassistant": { + "event": "Događaj:", + "label": "Home Assistant", + "shutdown": "Ugasiti", + "start": "Početak" + }, + "mqtt": { + "label": "MQTT", + "payload": "Opterećenje (opcionalno)", + "topic": "Tema" + }, + "numeric_state": { + "above": "Iznad", + "below": "Ispod", + "label": "Numeričko stanje", + "value_template": "Predložak vrijednosti (nije obavezno)" + }, + "state": { + "for": "Za", + "from": "Od", + "label": "Stanje", + "to": "Do" + }, + "sun": { + "event": "Event:", + "label": "Sunce", + "offset": "Offset (nije obavezno)", + "sunrise": "Izlazak sunca", + "sunset": "Zalazak sunca" + }, + "template": { + "label": "Predložak", + "value_template": "Predložak vrijednosti" + }, + "time_pattern": { + "hours": "Sati", + "label": "Vremenski uzorak", + "minutes": "Minuta", + "seconds": "Sekundi" + }, + "time": { + "at": "U", + "label": "Vrijeme" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook ID" + }, + "zone": { + "enter": "Unesite", + "entity": "Entitet s lokacijom", + "event": "Event:", + "label": "Zona", + "leave": "Napustiti", + "zone": "Zona" + } + }, + "unsupported_platform": "Nepodržana platforma: {platform}" + }, + "unsaved_confirm": "Imate nespremljene izmjene. Jeste li sigurni da želite napustiti?" + }, + "picker": { + "add_automation": "Dodaj automatizaciju", + "header": "Urednik Automatizacije", + "introduction": "Automatizacijski urednik omogućuje stvaranje i uređivanje automatizacije. Molimo pročitajte [upute] (https:\/\/home-assistant.io\/docs\/automation\/editor\/) kako biste bili sigurni da ste ispravno konfigurirali Home Assistant.", + "learn_more": "Saznajte više o automatizacijama", + "no_automations": "Nismo mogli pronaći nikakve automatizirane uređaje", + "pick_automation": "Odaberite automatizaciju za uređivanje" + } + }, + "cloud": { + "caption": "Home Assistant Cloud", + "description_features": "Upravljajte kad ste izvan kuće, integrirajte se s Alexa i Google Assistantom.", + "description_login": "Prijavljeni ste kao {email}", + "description_not_login": "Niste prijavljeni" + }, + "core": { + "caption": "Općenito", + "description": "Promijenite Home Assistant općenite postavke", + "section": { + "core": { + "core_config": { + "edit_requires_storage": "Uređivač je onemogućen jer je konfiguracija spremljena u configuration.yaml.", + "elevation": "Elevacija", + "elevation_meters": "metara", + "imperial_example": "Fahrenheit, funte", + "latitude": "Zemljopisna širina", + "location_name": "Naziv Home Assistant instalacije", + "longitude": "Zemljopisna dužina", + "metric_example": "Celzija, kilograma", + "save_button": "Spremi", + "time_zone": "Vremenska zona", + "unit_system": "Sustav jedinica", + "unit_system_imperial": "Imperijalni", + "unit_system_metric": "Metrički" + }, + "header": "Konfiguracija i kontrola poslužitelja", + "introduction": "Promjena konfiguracije može biti naporan proces. Znamo. Ovaj će vam odjeljak pokušati olakšati život." + }, + "server_control": { + "reloading": { + "automation": "Ponovo učitajte automatizacije", + "core": "Ponovno učitati jezgru", + "group": "Ponovno učitajte grupe", + "heading": "Ponovno učitavanje konfiguracije", + "introduction": "Neki dijelovi programa Home Assistant mogu se ponovno učitati bez potrebe za ponovnim pokretanjem. Pritiskom na ponovno učitavanje učitava se nova konfiguracija.", + "script": "Ponovno učitaj skripte" + }, + "server_management": { + "heading": "Upravljanje poslužiteljem", + "introduction": "Kontrolirajte vaš Home Assistant server ... iz Home Assistant.", + "restart": "Ponovno pokretanje", + "stop": "Stop" + }, + "validation": { + "check_config": "Provjerite konfiguraciju", + "heading": "Provjera konfiguracije", + "introduction": "Provjerite svoju konfiguraciju ako ste nedavno napravili neke promjene u konfiguraciji i želite biti sigurni da je sve ispravno", + "invalid": "Konfiguracija nije važeća", + "valid": "Konfiguracija valjana!" + } + } + } + }, + "customize": { + "caption": "Prilagodba", + "description": "Prilagodite entitete", + "picker": { + "header": "Prilagodba", + "introduction": "Podešavanje atributa po entitetu. Dodane\/uređene prilagodbe će odmah stupiti na snagu. Uklonjene prilagodbe stupit će na snagu kada se entitet ažurira." + } + }, + "devices": { + "caption": "uređaji", + "description": "Upravljanje povezanim uređajima" + }, + "entity_registry": { + "caption": "Registar entiteta", + "description": "Pregled svih poznatih entiteta.", + "editor": { + "default_name": "Novo područje", + "delete": "IZBRISATI", + "enabled_cause": "Deaktivirano zbog {cause}.", + "enabled_description": "Onemogućeni entiteti neće biti dodani u Home Assistant.", + "enabled_label": "Aktiviraj entitet", + "unavailable": "Ovaj entitet trenutno nije dostupan.", + "update": "AŽURIRANJE" + }, + "picker": { + "header": "Registar entiteta", + "integrations_page": "Stranica integracija", + "introduction": "Home Assistant drži registar svakog entiteta koji je ikada vidio da se može jedinstveno identificirati. Svaki od tih entiteta imat će dodijeljeni ID entiteta koji će biti rezerviran za samo ovaj entitet.", + "introduction2": "Koristite registar entiteta da biste nadjačali naziv, promijenili ID entiteta ili uklonili stavku iz Home Assistant. Napomena, uklanjanjem unosa registra entiteta neće se ukloniti entitet. Da biste to učinili, slijedite donju vezu i uklonite je s stranice integracije.", + "unavailable": "(Nije dostupan)" + } + }, + "header": "Konfigurirajte Home Assistant", + "integrations": { + "caption": "integracije", + "config_entry": { + "delete_confirm": "Jeste li sigurni da želite izbrisati tu integraciju?", + "device_unavailable": "uređaj nije dostupan", + "entity_unavailable": "entitet nije dostupan", + "firmware": "Firmware: {version}", + "hub": "Povezan putem", + "manuf": "od {manufacturer}", + "no_area": "Nema područja", + "no_device": "Entiteti bez uređaja", + "no_devices": "Ova integracija nema uređaje.", + "restart_confirm": "Ponovo pokrenite Home Assistant da biste dovršili uklanjanje ove integracije", + "via": "Povezan putem" + }, + "config_flow": { + "external_step": { + "description": "Ovaj korak zahtijeva da posjetite vanjsku web stranicu.", + "open_site": "Otvori web sjedište" + } + }, + "configure": "Konfiguriranje", + "configured": "Konfiguriran", + "description": "Upravljanje povezanim uređajima i uslugama", + "discovered": "Otkriven", + "new": "Postavite novu integraciju", + "none": "Još ništa nije konfigurirano" + }, + "introduction": "Ovdje možete konfigurirati vaše komponente i Home Assistant. Nije moguće baš sve konfigurirati koristeći UI zasada, ali radimo na tome.", + "person": { + "caption": "Osobe", + "description": "Upravljajte osobama koje Home Assistant prati.", + "detail": { + "device_tracker_intro": "Odaberite uređaje koji pripadaju ovoj osobi.", + "device_tracker_pick": "Odaberite uređaj za praćenje", + "device_tracker_picked": "Uređaj za praćenje", + "name": "Ime" + } + }, + "script": { + "caption": "Skripta", + "description": "Stvaranje i uređivanje skripti" + }, + "server_control": { + "caption": "Upravljanje poslužiteljem", + "description": "Ponovo pokrenite i zaustavite Home Assistant poslužitelj", + "section": { + "reloading": { + "automation": "Ponovo učitavanje automatizacija", + "core": "Ponovno učitavanje jezgre", + "group": "Ponovno učitavanje grupa", + "heading": "Ponovno učitavanje konfiguracije", + "introduction": "Neki dijelovi programa Home Assistant mogu se ponovno učitati bez potrebe za ponovnim pokretanjem. Pritiskom na ponovno učitavanje učitava se nova konfiguracija.", + "scene": "Ponovno učitaj scene", + "script": "Ponovno učitavanje skripti" + }, + "server_management": { + "confirm_restart": "Jeste li sigurni da želite ponovo pokrenuti Home Assistant?", + "confirm_stop": "Jeste li sigurni da želite zaustaviti Home Assostant?", + "heading": "Upravljanje poslužiteljem", + "introduction": "Kontrolirajte vaš Home Assistant server ... iz Home Assistant.", + "restart": "Ponovno pokretanje", + "stop": "Stop" + }, + "validation": { + "check_config": "Provjerite konfiguraciju", + "heading": "Provjera konfiguracije", + "introduction": "Provjerite svoju konfiguraciju ako ste nedavno napravili neke promjene u konfiguraciji i želite biti sigurni da je sve ispravno", + "invalid": "Konfiguracija nije ispravna", + "valid": "Konfiguracija je ispravna!" + } + } + }, + "users": { + "add_user": { + "caption": "Dodajte korisnika", + "create": "Kreiraj", + "name": "Ime", + "password": "Lozinka", + "username": "Korisničko ime" + }, + "caption": "Korisnici", + "description": "Upravljanje korisnicima", + "editor": { + "activate_user": "Aktivirajte korisnika", + "caption": "Pregled korisnika", + "change_password": "Promijeni lozinku", + "deactivate_user": "Deaktivirajte korisnika", + "delete_user": "Izbriši korisnika", + "rename_user": "Preimenuj korisnika" + }, + "picker": { + "title": "Korisnici" + } + }, + "zha": { + "add_device_page": { + "discovery_text": "Pronađeni uređaji će se pojaviti ovdje. Slijedite upute za uređaj (e) i postavite uređaj (e) u način uparivanja.", + "header": "Zigbee Home Automation-Dodaj uređaje", + "spinner": "Traženje ZHA ZigBee uređaja..." + }, + "caption": "ZHA", + "description": "Upravljanje Zigbee Home Automation mrežom", + "device_card": { + "area_picker_label": "Područje", + "device_name_placeholder": "Korisničko ime", + "update_name_button": "Ažuriraj naziv" + }, + "services": { + "reconfigure": "Ponovno konfiguriaj ZHA uređaj (liječenje uređaja). Upotrijebite ovo ako imate problema s uređajem. Ako je uređaj u pitanju uređaj za bateriju, provjerite je li budan i prihvaća naredbe kada koristite ovu uslugu.", + "remove": "Uklonite uređaj iz ZigBee mreže.", + "updateDeviceName": "Postavite prilagođeni naziv za ovaj uređaj u registru uređaja." + } + }, + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Indeks", + "instance": "Instanca", + "unknown": "nepoznato", + "value": "Vrijednost", + "wakeup_interval": "Interval buđenja" + }, + "description": "Upravljajte mrežom Z-Wave", + "network_management": { + "header": "Upravljanje Z-Wave mrežom", + "introduction": "Pokrenite naredbe koje utječu na Z-Wave mrežu. Nećete dobiti povratne informacije o tome je li većina naredbi uspjela, ali možete provjeriti OZW dnevnik da biste to pokušali otkriti." + }, + "network_status": { + "network_started": "Z-Wave mreža je pokrenuta", + "network_started_note_all_queried": "Svi čvorovi su kontaktirani.", + "network_started_note_some_queried": "Aktivni čvorovi su kontaktirani. Čvorovi koji spavaju će biti kontaktirani kada se probude.", + "network_starting": "Pokretanje Z-Wave mreže...", + "network_starting_note": "To može potrajati, ovisno o veličini vaše mreže.", + "network_stopped": "Z-val mreža zaustavljena" + }, + "node_config": { + "config_parameter": "Parametar", + "config_value": "Vrijednost", + "false": "Laž", + "header": "Opcije konfiguracije čvora", + "seconds": "sekundi", + "set_config_parameter": "Postavite parametar Config", + "set_wakeup": "Podesite Interval buđenja", + "true": "Istina" + }, + "services": { + "add_node": "Dodaj čvor", + "add_node_secure": "Sigurno Dodavanje čvora", + "cancel_command": "Otkaži naredbu", + "heal_network": "Izlječi mrežu", + "remove_node": "Ukloni čvor", + "save_config": "Spremi konfiguraciju", + "soft_reset": "Resetiranje", + "start_network": "Pokreni mrežu", + "stop_network": "Zaustavi mrežu", + "test_network": "Testna mreža" + }, + "values": { + "header": "Vrijednosti čvora" + } + } }, - "preset_mode": { - "none": "Ništa", - "eco": "Eko", - "away": "Odsutan", - "boost": "Pojačano", - "comfort": "Udobno", - "home": "Doma", - "sleep": "Spavanje", - "activity": "Aktivnost" + "developer-tools": { + "tabs": { + "events": { + "title": "Događaji" + }, + "info": { + "title": "Informacije" + }, + "logs": { + "title": "Logovi" + }, + "mqtt": { + "title": "MQTT" + }, + "services": { + "title": "Usluge" + }, + "states": { + "title": "Status" + }, + "templates": { + "title": "Predlošci" + } + } }, - "hvac_action": { - "off": "Isključen", - "heating": "Grijanje", - "cooling": "Hlađenje", - "drying": "Sušenje", - "idle": "Besposlen", - "fan": "Ventilator" + "history": { + "period": "Razdoblje", + "showing_entries": "Prikazivanje stavki za" + }, + "logbook": { + "period": "Razdoblje", + "showing_entries": "Prikaži entitete za" + }, + "lovelace": { + "cards": { + "empty_state": { + "go_to_integrations_page": "Idite na stranicu integracija.", + "no_devices": "Ova stranica omogućuje upravljanje uređajima, ali izgleda da još niste postavili nikakve uređaje. Idite na stranicu integracije da biste započeli.", + "title": "Dobrodošli kući" + }, + "picture-elements": { + "call_service": "Pozovi servis {name}", + "hold": "Držite:", + "more_info": "Prikaži više informacija: {name}", + "navigate_to": "Idite do {location}", + "tap": "Dodirnite:", + "toggle": "Preklopi {name}" + }, + "shopping-list": { + "add_item": "Dodaj stavku", + "checked_items": "Označene stavke", + "clear_items": "Izbrišite označene stavke" + } + }, + "changed_toast": { + "message": "Konfiguracija Lovelace je ažurirana, želite li je osvježiti?", + "refresh": "Osvježi" + }, + "editor": { + "edit_card": { + "add": "Dodaj karticu", + "delete": "Izbrisati", + "edit": "Uredi", + "header": "Konfiguracija Kartice", + "move": "Premjesti", + "pick_card": "Odaberite karticu koju želite dodati.", + "save": "Spremi", + "toggle_editor": "Uključi uređivač" + }, + "edit_lovelace": { + "explanation": "Ovaj naslov prikazan je iznad svih vaših prikaza u Lovelace.", + "header": "Naslov vašeg Lovelace UI" + }, + "edit_view": { + "add": "Dodaj prikaz", + "delete": "Izbriši prikaz", + "edit": "Uredi prikaz", + "header": "Pogledaj konfiguraciju" + }, + "header": "Uredi UI", + "menu": { + "raw_editor": "Tekstualni urednik" + }, + "migrate": { + "header": "Konfiguracija nije kompatibilna", + "migrate": "Migriraj konfiguraciju", + "para_migrate": "Home Assistant može dodati ID-ove na sve vaše kartice i pogleda automatski za vas pritiskom na gumb 'Migriraj konfiguriranje'.", + "para_no_id": "Ovaj element nema ID. Dodajte ID ovom elementu u 'ui-lovelace.yaml'." + }, + "raw_editor": { + "header": "Uredi konfiguraciju", + "save": "Spremi", + "saved": "Spremljeno", + "unsaved_changes": "Nespremljene promjene" + }, + "save_config": { + "cancel": "Nema veze", + "header": "Preuzmite kontrolu nad Lovelace UI", + "para": "Home Assistant će prema zadanim postavkama održavati vaše korisničko sučelje, ažurirati ga kada novi entiteti ili Lovelace komponente postanu dostupni. Ako preuzmete kontrolu, više nećemo automatski vršiti izmjene za vas.", + "para_sure": "Jeste li sigurni da želite preuzeti kontrolu nad svojim korisničkim sučeljem?", + "save": "Preuzmi kontrolu" + } + }, + "menu": { + "configure_ui": "Konfiguriraj UI", + "help": "Pomoć", + "refresh": "Osvježi", + "unused_entities": "Neiskorišteni entiteti" + }, + "reload_lovelace": "Ponovo učitajte Lovelace", + "warning": { + "entity_non_numeric": "Entitet nije numerički: {entity}", + "entity_not_found": "Entitet nije dostupan: {entity}" + } + }, + "mailbox": { + "delete_button": "Izbrisati", + "delete_prompt": "Izbrisati ovu poruku?", + "empty": "Nemate nijednu poruku", + "playback_title": "Reprodukcija poruke" + }, + "page-authorize": { + "abort_intro": "Prijava je prekinuta", + "authorizing_client": "Dati ćete {clientId} pristup svojoj instanci pomoćnika Home Assistant.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Sesija istekla, prijavite se ponovo." + }, + "error": { + "invalid_auth": "Neispravno korisničko ime ili lozinka", + "invalid_code": "Pogrešan autentifikacijski kod." + }, + "step": { + "init": { + "data": { + "password": "Lozinka", + "username": "Korisničko ime" + } + }, + "mfa": { + "data": { + "code": "2-faktor autentifikacijski kod" + }, + "description": "Otvorite ** {mfa_module_name} ** na svojem uređaju da biste vidjeli kôd za autentifikaciju s dva faktora i potvrdili svoj identitet:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Sesija istekla, prijavite se ponovo." + }, + "error": { + "invalid_auth": "Neispravno korisničko ime ili lozinka", + "invalid_code": "Pogrešan kod za provjeru autentičnosti" + }, + "step": { + "init": { + "data": { + "password": "Lozinka", + "username": "Korisničko ime" + } + }, + "mfa": { + "data": { + "code": "Kôd autentifikacije s dva faktora" + }, + "description": "Otvorite ** {mfa_module_name} ** na svojem uređaju da biste vidjeli kôd za autentifikaciju s dva faktora i potvrdili svoj identitet:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Sesija istekla, molim vas prijavite se ponovno.", + "no_api_password_set": "Nemate konfiguriranu lozinku za API." + }, + "error": { + "invalid_auth": "Nevažeća lozinka za API", + "invalid_code": "Nevažeći kôd za autentifikaciju" + }, + "step": { + "init": { + "data": { + "password": "API lozinka" + }, + "description": "Unesite API lozinku u svoj http config:" + }, + "mfa": { + "data": { + "code": "Kôd autentifikacije s dva faktora" + }, + "description": "Otvorite ** {mfa_module_name} ** na svojem uređaju da biste vidjeli kôd za autentifikaciju s dva faktora i potvrdili svoj identitet:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Računalo nije na popisu dopuštenih." + }, + "step": { + "init": { + "data": { + "user": "Korisnik" + }, + "description": "Odaberite korisnika kojim se želite prijaviti:" + } + } + } + }, + "unknown_error": "Nešto je pošlo po zlu", + "working": "Molimo pričekajte" + }, + "initializing": "Inicijalizacija", + "logging_in_with": "Prijavite se sa **{authProviderName}**.", + "pick_auth_provider": "Ili se prijavite sa" + }, + "page-demo": { + "cards": { + "demo": { + "demo_by": "od {name}", + "introduction": "Dobrodošli kući! Stigli ste do Home Assistant demo gdje prikazujemo najbolja korisnička sučelja koje je kreirala naša zajednica.", + "learn_more": "Saznajte više o Home Assistant", + "next_demo": "Sljedeći demo" + } + }, + "config": { + "arsaboo": { + "labels": { + "activity": "Aktivnost", + "air": "Zrak", + "commute_home": "Putovanje do kuće", + "entertainment": "Zabava", + "hdmi_input": "HDMI ulaz", + "hdmi_switcher": "HDMI preklopnik", + "information": "Informacije", + "lights": "Svjetla", + "morning_commute": "Jutarnje putovanje", + "total_tv_time": "Ukupno vrijeme za TV", + "turn_tv_off": "Isključi televiziju", + "volume": "Glasnoća" + }, + "names": { + "family_room": "Obiteljska soba", + "hallway": "Hodnik", + "kitchen": "Kuhinja", + "left": "Lijevo", + "master_bedroom": "Glavna spavaća soba", + "mirror": "Ogledalo", + "patio": "Vrt", + "right": "Desno", + "upstairs": "Kat" + }, + "unit": { + "minutes_abbr": "min", + "watching": "gledanje" + } + } + } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Otkrij", + "finish": "Sljedeći", + "intro": "Pozdrav {name}, dobrodošli u Home Assistant. Kako biste željeli nazvati svoj dom?", + "intro_location": "Željeli bismo znati gdje živite. Te će informacije pomoći pri prikazivanju informacija i postavljanju automatizacije na temelju sunca. Ti se podaci nikada ne dijele izvan vaše mreže.", + "intro_location_detect": "Možemo vam pomoći da ispunite ove informacije tako što ćete napraviti jedan zahtjev na vanjsku uslugu.", + "location_name_default": "Dom" + }, + "integration": { + "finish": "Završi", + "intro": "Uređaji i usluge predstavljeni su u programu Home Assistant kao integracije. Možete ih postaviti sada ili to učiniti kasnije s zaslona konfiguracije.", + "more_integrations": "Više" + }, + "intro": "Jeste li spremni probuditi svoj dom, vratiti svoju privatnost i pridružiti se svjetskoj zajednici tinkerera?", + "user": { + "create_account": "Stvorite račun", + "data": { + "name": "Ime", + "password": "Lozinka", + "password_confirm": "Potvrda lozinke", + "username": "Korisničko ime" + }, + "error": { + "password_not_match": "Lozinke se ne podudaraju", + "required_fields": "Ispunite sva potrebna polja" + }, + "intro": "Započnimo stvaranjem korisničkog računa.", + "required_field": "Potreban" + } + }, + "profile": { + "change_password": { + "confirm_new_password": "Potvrdite novu lozinku", + "current_password": "Trenutna lozinka", + "error_required": "Potreban", + "header": "Promijeni lozinku", + "new_password": "Nova lozinka", + "submit": "podnijeti" + }, + "current_user": "Trenutačno ste prijavljeni kao {fullName} .", + "force_narrow": { + "description": "To će po zadanom sakriti bočnu traku, sličnukao na mobitelu.", + "header": "Uvijek sakrij bočnu traku" + }, + "is_owner": "Vi ste vlasnik.", + "language": { + "dropdown_label": "Jezik", + "header": "Jezik", + "link_promo": "Pomognite prevođenju" + }, + "logout": "Odjava", + "long_lived_access_tokens": { + "confirm_delete": "Jeste li sigurni da želite izbrisati pristupni token za {name} ?", + "create": "Izradite token", + "create_failed": "Nije uspjelo stvaranje pristupnog tokena.", + "created_at": "Izrađeno na {date}", + "delete_failed": "Nije uspjelo brisanje pristupnog tokena.", + "description": "Izradite dugotrajne tokene za pristup kako biste omogućili da vaše skripte stupaju u interakciju sa vašim primjerom Home Assistant-a. Svaki token će vrijediti 10 godina od stvaranja. Sljedeći tokeni dugogodišnjeg pristupa su trenutno aktivni", + "empty_state": "Još nemate dugovječnih tokena pristupa.", + "header": "Tokeni dugog življenja", + "last_used": "Posljednje upotrijebljeno na {date} od {location}", + "learn_auth_requests": "Saznajte kako obaviti provjeru autentičnosti zahtjeva.", + "not_used": "Nikada nije bio korišten", + "prompt_copy_token": "Kopirajte pristupni token. Neće se više prikazati.", + "prompt_name": "Ime?" + }, + "mfa_setup": { + "close": "Zatvoriti", + "step_done": "Postavka gotova za {step}", + "submit": "podnijeti", + "title_aborted": "Prekinut", + "title_success": "Uspješno!" + }, + "mfa": { + "confirm_disable": "Jeste li sigurni da želite onemogućiti {name} ?", + "disable": "Onemogući", + "enable": "Omogući", + "header": "Višefaktorski moduli za provjeru autentičnosti" + }, + "push_notifications": { + "description": "Slanje obavijesti na ovaj uređaj.", + "error_load_platform": "Konfigurirajte notify.html5.", + "error_use_https": "Zahtijeva SSL omogućen za sučelje.", + "header": "Push Obavijesti", + "link_promo": "Saznajte više", + "push_notifications": "Push obavijesti" + }, + "refresh_tokens": { + "confirm_delete": "Jeste li sigurni da želite izbrisati pristupni token za {name} ?", + "created_at": "Izrađeno na {date}", + "current_token_tooltip": "Nije moguće izbrisati trenutni token za osvježavanje", + "delete_failed": "Nije uspjelo brisanje pristupnog tokena.", + "description": "Svaki token za osvježavanje predstavlja sesiju za prijavu. Tokeni osvježavanja bit će automatski uklonjeni kada kliknete odjava. Trenutačno su aktivni sljedeći tokeni za osvježavanje vašeg računa.", + "header": "Osvježi token", + "last_used": "Posljednje upotrijebljeno na {date} od {location}", + "not_used": "Nikada nije bio korišten", + "token_title": "Osvježi token za {clientId}" + }, + "themes": { + "dropdown_label": "Tema", + "error_no_theme": "Nema dostupnih tema.", + "header": "Tema", + "link_promo": "Saznajte o temama" + } + }, + "shopping-list": { + "add_item": "Dodaj stavku", + "clear_completed": "Očisti završeno", + "microphone_tip": "Dodirnite mikrofon u gornjem desnom kutu i recite “Add candy to my shopping list”" } - } - }, - "groups": { - "system-admin": "Administratori", - "system-users": "Korisnici", - "system-read-only": "Korisnici sa pravima samo za čitanje" - }, - "config_entry": { - "disabled_by": { - "user": "Korisnik", - "integration": "Integracija", - "config_entry": "Stavka konfiguracije" + }, + "sidebar": { + "external_app_configuration": "Konfiguracija aplikacije", + "log_out": "Odjava" } } } \ No newline at end of file diff --git a/translations/hu.json b/translations/hu.json index c18b504c87..eb281e900e 100644 --- a/translations/hu.json +++ b/translations/hu.json @@ -1,53 +1,193 @@ { - "panel": { - "config": "Konfiguráció", - "states": "Áttekintés", - "map": "Térkép", - "logbook": "Napló", - "history": "Előzmények", + "attribute": { + "weather": { + "humidity": "Páratartalom", + "visibility": "Láthatóság", + "wind_speed": "Szélsebesség" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Konfigurációs bejegyzés", + "integration": "Integráció", + "user": "Felhasználó" + } + }, + "domain": { + "alarm_control_panel": "Riasztó központ", + "automation": "Automatizálás", + "binary_sensor": "Bináris érzékelő", + "calendar": "Naptár", + "camera": "Kamera", + "climate": "Hűtés\/fűtés", + "configurator": "Konfigurátor", + "conversation": "Beszélgetés", + "cover": "Borító", + "device_tracker": "Készülék nyomkövető", + "fan": "Ventilátor", + "group": "Csoport", + "hassio": "Hass.io", + "history_graph": "Előzmény grafikon", + "homeassistant": "Home Assistant", + "image_processing": "Képfeldolgozás", + "input_boolean": "Logikai bemenet", + "input_datetime": "Időpont bemenet", + "input_number": "Szám bemenet", + "input_select": "Választási bemenet", + "input_text": "Szöveg bemenet", + "light": "Világítás", + "lock": "Zár", + "lovelace": "Lovelace", "mailbox": "Postafiók", - "shopping_list": "Bevásárló lista", + "media_player": "Médialejátszó", + "notify": "Értesít", + "person": "Személy", + "plant": "Növény", + "proximity": "Közelség", + "remote": "Távirányítás", + "scene": "Jelenet", + "script": "Szkript", + "sensor": "Érzékelő", + "sun": "Nap", + "switch": "Kapcsoló", + "system_health": "Rendszerállapot", + "updater": "Frissítések", + "vacuum": "Porszívó", + "weblink": "Hivatkozás", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Adminisztrátorok", + "system-read-only": "Csak olvasható felhasználók", + "system-users": "Felhasználók" + }, + "panel": { + "calendar": "Naptár", + "config": "Konfiguráció", "dev-info": "Infó", "developer_tools": "Fejlesztői eszközök", - "calendar": "Naptár", - "profile": "Profil" + "history": "Előzmények", + "logbook": "Napló", + "mailbox": "Postafiók", + "map": "Térkép", + "profile": "Profil", + "shopping_list": "Bevásárló lista", + "states": "Áttekintés" + }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Automatikus", + "off": "Ki", + "on": "Be" + }, + "hvac_action": { + "cooling": "Hűtés", + "drying": "Szárítás", + "fan": "Ventilátor", + "heating": "Fűtés", + "idle": "Tétlen", + "off": "Ki" + }, + "preset_mode": { + "activity": "Tevékenység", + "away": "Távol", + "boost": "Turbo", + "comfort": "Komfort", + "eco": "Takarékos", + "home": "Otthon", + "none": "Nincs", + "sleep": "Alvás" + } + } + }, + "state_badge": { + "alarm_control_panel": { + "armed": "Éles", + "armed_away": "Éles", + "armed_custom_bypass": "Éles", + "armed_home": "Éles", + "armed_night": "Éles", + "arming": "Élesít", + "disarmed": "Hatást", + "disarming": "Hatást", + "pending": "Függő", + "triggered": "Riaszt" + }, + "default": { + "entity_not_found": "Entitás nem található", + "error": "Hiba", + "unavailable": "N.elér", + "unknown": "Ism" + }, + "device_tracker": { + "home": "Otthon", + "not_home": "Távol" + }, + "person": { + "home": "Otthon", + "not_home": "Távol" + } }, "state": { - "default": { - "off": "Ki", - "on": "Be", - "unknown": "Ismeretlen", - "unavailable": "Nem elérhető" - }, "alarm_control_panel": { "armed": "Élesítve", - "disarmed": "Hatástalanítva", - "armed_home": "Élesítve otthon", "armed_away": "Élesítve távol", + "armed_custom_bypass": "Élesítve áthidalással", + "armed_home": "Élesítve otthon", "armed_night": "Élesítve éjszaka", - "pending": "Függőben", "arming": "Élesítés", + "disarmed": "Hatástalanítva", "disarming": "Hatástalanítás", - "triggered": "Riasztás", - "armed_custom_bypass": "Élesítve áthidalással" + "pending": "Függőben", + "triggered": "Riasztás" }, "automation": { "off": "Ki", "on": "Be" }, "binary_sensor": { + "battery": { + "off": "Normál", + "on": "Alacsony" + }, + "cold": { + "off": "Normál", + "on": "Hideg" + }, + "connectivity": { + "off": "Lekapcsolódva", + "on": "Kapcsolódva" + }, "default": { "off": "Ki", "on": "Be" }, - "moisture": { - "off": "Száraz", - "on": "Nedves" + "door": { + "off": "Zárva", + "on": "Nyitva" + }, + "garage_door": { + "off": "Zárva", + "on": "Nyitva" }, "gas": { "off": "Normál", "on": "Észlelve" }, + "heat": { + "off": "Normál", + "on": "Meleg" + }, + "lock": { + "off": "Bezárva", + "on": "Kinyitva" + }, + "moisture": { + "off": "Száraz", + "on": "Nedves" + }, "motion": { "off": "Normál", "on": "Észlelve" @@ -56,6 +196,22 @@ "off": "Normál", "on": "Észlelve" }, + "opening": { + "off": "Zárva", + "on": "Nyitva" + }, + "presence": { + "off": "Távol", + "on": "Otthon" + }, + "problem": { + "off": "OK", + "on": "Probléma" + }, + "safety": { + "off": "Biztonságos", + "on": "Nem biztonságos" + }, "smoke": { "off": "Normál", "on": "Észlelve" @@ -68,53 +224,9 @@ "off": "Normál", "on": "Észlelve" }, - "opening": { - "off": "Zárva", - "on": "Nyitva" - }, - "safety": { - "off": "Biztonságos", - "on": "Nem biztonságos" - }, - "presence": { - "off": "Távol", - "on": "Otthon" - }, - "battery": { - "off": "Normál", - "on": "Alacsony" - }, - "problem": { - "off": "OK", - "on": "Probléma" - }, - "connectivity": { - "off": "Lekapcsolódva", - "on": "Kapcsolódva" - }, - "cold": { - "off": "Normál", - "on": "Hideg" - }, - "door": { - "off": "Zárva", - "on": "Nyitva" - }, - "garage_door": { - "off": "Zárva", - "on": "Nyitva" - }, - "heat": { - "off": "Normál", - "on": "Meleg" - }, "window": { "off": "Zárva", "on": "Nyitva" - }, - "lock": { - "off": "Bezárva", - "on": "Kinyitva" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "Be" }, "camera": { + "idle": "Tétlen", "recording": "Felvétel", - "streaming": "Streamelés", - "idle": "Tétlen" + "streaming": "Streamelés" }, "climate": { - "off": "Ki", - "on": "Be", - "heat": "Fűtés", - "cool": "Hűtés", - "idle": "Tétlen", "auto": "Automatikus", + "cool": "Hűtés", "dry": "Száraz", - "fan_only": "Csak ventilátor", "eco": "Takarékos", "electric": "Elektromos", - "performance": "Teljesítmény", - "high_demand": "Magas igénybevétel", - "heat_pump": "Hőszivattyú", + "fan_only": "Csak ventilátor", "gas": "Gáz", + "heat": "Fűtés", + "heat_cool": "Fűtés\/Hűtés", + "heat_pump": "Hőszivattyú", + "high_demand": "Magas igénybevétel", + "idle": "Tétlen", "manual": "Manuális", - "heat_cool": "Fűtés\/Hűtés" + "off": "Ki", + "on": "Be", + "performance": "Teljesítmény" }, "configurator": { "configure": "Beállítás", "configured": "Beállítva" }, "cover": { - "open": "Nyitva", - "opening": "Nyitás", "closed": "Zárva", "closing": "Zárás", + "open": "Nyitva", + "opening": "Nyitás", "stopped": "Megállítva" }, + "default": { + "off": "Ki", + "on": "Be", + "unavailable": "Nem elérhető", + "unknown": "Ismeretlen" + }, "device_tracker": { "home": "Otthon", "not_home": "Távol" @@ -164,19 +282,19 @@ "on": "Be" }, "group": { - "off": "Ki", - "on": "Be", - "home": "Otthon", - "not_home": "Távol", - "open": "Nyitva", - "opening": "Nyitás", "closed": "Zárva", "closing": "Zárás", - "stopped": "Megállítva", + "home": "Otthon", "locked": "Bezárva", - "unlocked": "Kinyitva", + "not_home": "Távol", + "off": "Ki", "ok": "OK", - "problem": "Probléma" + "on": "Be", + "open": "Nyitva", + "opening": "Nyitás", + "problem": "Probléma", + "stopped": "Megállítva", + "unlocked": "Kinyitva" }, "input_boolean": { "off": "Ki", @@ -191,13 +309,17 @@ "unlocked": "Kinyitva" }, "media_player": { + "idle": "Tétlen", "off": "Ki", "on": "Be", - "playing": "Lejátszás", "paused": "Szünetel", - "idle": "Tétlen", + "playing": "Lejátszás", "standby": "Készenlét" }, + "person": { + "home": "Otthon", + "not_home": "Távol" + }, "plant": { "ok": "OK", "problem": "Probléma" @@ -225,34 +347,10 @@ "off": "Ki", "on": "Be" }, - "zwave": { - "default": { - "initializing": "Inicializálás", - "dead": "Halott", - "sleeping": "Alvás", - "ready": "Kész" - }, - "query_stage": { - "initializing": "Inicializálás ({query_stage})", - "dead": "Halott ({query_stage})" - } - }, - "weather": { - "clear-night": "Tiszta, éjszaka", - "cloudy": "Felhős", - "fog": "Köd", - "hail": "Jégeső", - "lightning": "Vihar", - "lightning-rainy": "Viharos, esős", - "partlycloudy": "Részben felhős", - "pouring": "Szakad", - "rainy": "Esős", - "snowy": "Havazás", - "snowy-rainy": "Havas, esős", - "sunny": "Napos", - "windy": "Szeles", - "windy-variant": "Szeles", - "exceptional": "Kivételes" + "timer": { + "active": "aktív", + "idle": "tétlen", + "paused": "szüneteltetve" }, "vacuum": { "cleaning": "Takarítás", @@ -264,208 +362,718 @@ "paused": "Felfüggesztve", "returning": "Dokkolás folyamatban" }, - "timer": { - "active": "aktív", - "idle": "tétlen", - "paused": "szüneteltetve" + "weather": { + "clear-night": "Tiszta, éjszaka", + "cloudy": "Felhős", + "exceptional": "Kivételes", + "fog": "Köd", + "hail": "Jégeső", + "lightning": "Vihar", + "lightning-rainy": "Viharos, esős", + "partlycloudy": "Részben felhős", + "pouring": "Szakad", + "rainy": "Esős", + "snowy": "Havazás", + "snowy-rainy": "Havas, esős", + "sunny": "Napos", + "windy": "Szeles", + "windy-variant": "Szeles" }, - "person": { - "home": "Otthon", - "not_home": "Távol" - } - }, - "state_badge": { - "default": { - "unknown": "Ism", - "unavailable": "N.elér", - "error": "Hiba", - "entity_not_found": "Entitás nem található" - }, - "alarm_control_panel": { - "armed": "Éles", - "disarmed": "Hatást", - "armed_home": "Éles", - "armed_away": "Éles", - "armed_night": "Éles", - "pending": "Függő", - "arming": "Élesít", - "disarming": "Hatást", - "triggered": "Riaszt", - "armed_custom_bypass": "Éles" - }, - "device_tracker": { - "home": "Otthon", - "not_home": "Távol" - }, - "person": { - "home": "Otthon", - "not_home": "Távol" + "zwave": { + "default": { + "dead": "Halott", + "initializing": "Inicializálás", + "ready": "Kész", + "sleeping": "Alvás" + }, + "query_stage": { + "dead": "Halott ({query_stage})", + "initializing": "Inicializálás ({query_stage})" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Bejelöltek törlése", - "add_item": "Tétel hozzáadása", - "microphone_tip": "Koppints a jobb felső sarokban található mikrofonra, és mondd ki: \"Add candy to my shopping list\"" + "auth_store": { + "ask": "Szeretnéd menteni ezt a bejelentkezést?", + "confirm": "Bejelentkezés mentése", + "decline": "Köszönöm nem" + }, + "card": { + "alarm_control_panel": { + "arm_away": "Élesít (távozó)", + "arm_custom_bypass": "Egyéni áthidalás", + "arm_home": "Élesít (otthon)", + "arm_night": "Élesít (éjszakai)", + "armed_custom_bypass": "Egyéni áthidalás", + "clear_code": "Törlés", + "code": "Kód", + "disarm": "Hatástalanít" }, - "developer-tools": { - "tabs": { - "services": { - "title": "Szolgáltatások", - "description": "A 'service dev' eszköz lehetővé teszi bármely Home Assistant-ban rendelkezésre álló szolgáltatás meghívását.", - "data": "Szolgáltatás adatai (YAML, opcionális)", - "call_service": "Szolgáltatás meghívása", - "select_service": "Válassz egy szolgáltatást a leírás megtekintéséhez", - "no_description": "Nem áll rendelkezésre leírás", - "no_parameters": "Ennek a szolgáltatásnak nincsenek paraméterei.", - "column_parameter": "Paraméter", - "column_description": "Leírás", - "column_example": "Példa", - "fill_example_data": "Kitöltés példaadatokkal", - "alert_parsing_yaml": "Hiba a YAML elemzésekor: {data}" - }, - "states": { - "title": "Állapotok", - "description1": "Egy eszköz állapotának beállítása a Home Assistant-ban.", - "description2": "Ez nem fog kommunikálni az aktuális eszközzel.", - "entity": "Entitás", - "state": "Állapot", - "attributes": "Attribútumok", - "state_attributes": "Állapot attribútumok (YAML, opcionális)", - "set_state": "Állapot beállítása", - "current_entities": "Jelenlegi entitások", - "filter_entities": "Entitások szűrése", - "filter_states": "Állapotok szűrése", - "filter_attributes": "Attribútumok szűrése", - "no_entities": "Nincs entitás", - "more_info": "További infók", - "alert_entity_field": "Az entitás kötelező mező" - }, - "events": { - "title": "Események", - "description": "Esemény meghívása az esemény buszon.", - "documentation": "Események dokumentációja.", - "type": "Esemény típusa", - "data": "Esemény adatai (YAML, opcionális)", - "fire_event": "Esemény meghívása", - "event_fired": "A(z) {name} esemény meg lett hívva", - "available_events": "Elérhető események", - "count_listeners": " ({count} figyelő)", - "listen_to_events": "Események figyelése", - "listening_to": "Figyelés:", - "subscribe_to": "Feliratkozás erre az eseményre", - "start_listening": "Figyelés indítása", - "stop_listening": "Figyelés befejezése", - "alert_event_type": "Az esemény típusa kötelező mező", - "notification_event_fired": "{type} esemény sikeresen meghívva!" - }, - "templates": { - "title": "Sablon", - "description": "A sablonok a Jinja2 sablonmotor és néhány Home Assistant specifikus bővítmény segítségével kerülnek kiértékelésre.", - "editor": "Sablonszerkesztő", - "jinja_documentation": "Jinja2 sablon dokumentáció", - "template_extensions": "Home Assistant sablon bővítmények", - "unknown_error_template": "Ismeretlen hiba a sablon kiértékelésekor" - }, - "mqtt": { - "title": "MQTT", - "description_publish": "Csomag közzététele", - "topic": "téma", - "payload": "Payload (sablon megengedett)", - "publish": "Közzététel", - "description_listen": "Téma figyelése", - "listening_to": "Figyelés:", - "subscribe_to": "Feliratkozás erre a témára", - "start_listening": "Figyelés indítása", - "stop_listening": "Figyelés befejezése", - "message_received": "Üzenet ({id}) érkezett a(z) {topic} témában {idő}-kor:" - }, - "info": { - "title": "Infó", - "remove": "beállításának visszavonása", - "set": "beállítása", - "default_ui": "{name} felület alapértelmezett oldalként történő {action} ezen az eszközön", - "lovelace_ui": "Ugrás a Lovelace felületre", - "states_ui": "Ugrás a States felületre", - "home_assistant_logo": "Home Assistant logó", - "path_configuration": "A configuration.yaml fájl elérési útja: {path}", - "developed_by": "Egy csomó fantasztikus ember által kifejlesztve.", - "license": "Megjelent az Apache 2.0 licenc alatt", - "source": "Forrás:", - "server": "server", - "frontend": "frontend-ui", - "built_using": "Buildelve:", - "icons_by": "Ikonokat készítette:", - "frontend_version": "Frontend verzió: {version} - {type}", - "custom_uis": "Egyéni felhasználói felületek:", - "system_health_error": "A rendszerállapot összetevő nincs betöltve. Add hozzá a 'system_health:' sort a configuration.yaml fájlhoz." - }, - "logs": { - "title": "Napló", - "details": "Naplózás részletessége ({level})", - "load_full_log": "Teljes Home Assistant napló betöltése", - "loading_log": "Hibanapló betöltése...", - "no_issues": "Nincsenek új bejegyzések!", - "clear": "Törlés", - "refresh": "Frissítés" - } + "automation": { + "last_triggered": "Utoljára aktiválva", + "trigger": "Aktivál" + }, + "camera": { + "not_available": "Kép nem áll rendelkezésre" + }, + "climate": { + "aux_heat": "Külső melegítő", + "away_mode": "Távoli mód", + "cooling": "{name} hűtés", + "current_temperature": "{name} aktuális hőmérséklet", + "currently": "Jelenleg", + "fan_mode": "Sebesség", + "heating": "{name} fűtés", + "high": "magas", + "low": "alacsony", + "on_off": "Be \/ ki", + "operation": "Üzemmód", + "preset_mode": "Beállítási mód", + "swing_mode": "Forgási mód", + "target_humidity": "Kívánt páratartalom", + "target_temperature": "Kívánt hőmérséklet", + "target_temperature_entity": "{name} kívánt hőmérséklet", + "target_temperature_mode": "{name} kívánt hőmérséklet {mode}" + }, + "counter": { + "actions": { + "decrement": "csökkentés", + "increment": "növelés", + "reset": "visszaállítás" } }, - "history": { - "showing_entries": "Bejegyzések megjelenítése", - "period": "Időtartam" + "cover": { + "position": "Pozíció", + "tilt_position": "Döntési pozíció" }, - "logbook": { - "showing_entries": "Bejegyzések megjelenítése", - "period": "Időszak" + "fan": { + "direction": "Irány", + "forward": "Előre", + "oscillate": "Oszcilláció", + "reverse": "Fordított", + "speed": "Sebesség" }, - "mailbox": { - "empty": "Nincsenek üzeneteid", - "playback_title": "Üzenet lejátszása", - "delete_prompt": "Törlöd az üzenetet?", - "delete_button": "Törlés" + "light": { + "brightness": "Fényerő", + "color_temperature": "Színhőmérséklet", + "effect": "Hatás", + "white_value": "Fehér érték" }, + "lock": { + "code": "Kód", + "lock": "Bezár", + "unlock": "Kinyit" + }, + "media_player": { + "sound_mode": "Hangzás", + "source": "Forrás", + "text_to_speak": "Beszéd szövege" + }, + "persistent_notification": { + "dismiss": "Elvetés" + }, + "scene": { + "activate": "Aktiválás" + }, + "script": { + "execute": "Futtatás" + }, + "timer": { + "actions": { + "cancel": "elvet", + "finish": "befejezés", + "pause": "szünet", + "start": "indítás" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Takarítás folytatása", + "return_to_base": "Dokkolás", + "start_cleaning": "Takarítás indítása", + "turn_off": "Kikapcsolás", + "turn_on": "Bekapcsolás" + } + }, + "water_heater": { + "away_mode": "Távoli mód", + "currently": "Jelenleg", + "on_off": "Be \/ ki", + "operation": "Üzemmód", + "target_temperature": "Kívánt hőmérséklet" + }, + "weather": { + "attributes": { + "air_pressure": "Légnyomás", + "humidity": "Páratartalom", + "temperature": "Hőmérséklet", + "visibility": "Látótávolság", + "wind_speed": "Szélsebesség" + }, + "cardinal_direction": { + "e": "K", + "ene": "K-ÉK", + "ese": "K-DK", + "n": "É", + "ne": "ÉK", + "nne": "É-ÉK", + "nnw": "É-ÉNy", + "nw": "ÉNy", + "s": "D", + "se": "DK", + "sse": "D-DK", + "ssw": "D-DNy", + "sw": "DNy", + "w": "Ny", + "wnw": "Ny-ÉNy", + "wsw": "Ny-DNy" + }, + "forecast": "Előrejelzés" + } + }, + "common": { + "cancel": "Mégse", + "loading": "Betöltés", + "save": "Mentés", + "successfully_saved": "Sikeresen elmentve" + }, + "components": { + "device-picker": { + "show_devices": "Eszközök megjelenítése" + }, + "entity": { + "entity-picker": { + "entity": "Entitás", + "show_entities": "Entitások megjelenítése" + } + }, + "history_charts": { + "loading_history": "Állapot előzmények betöltése...", + "no_history_found": "Nem található előzmény." + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\n one {nappal}\\n other {nappal}\\n}", + "hour": "{count} {count, plural,\\none {órával}\\nother {órával}\\n}", + "minute": "{count} {count, plural,\\n one {perccel}\\n other {perccel}\\n}", + "second": "{count} {count, plural,\\n one {másodperccel}\\n other {másodperccel}\\n}", + "week": "{count} {count, plural,\\n one {héttel}\\n other {héttel}\\n}" + }, + "future": "{time} később", + "never": "Soha", + "past": "{time} ezelőtt" + }, + "service-picker": { + "service": "Szolgáltatás" + } + }, + "dialogs": { + "config_entry_system_options": { + "enable_new_entities_description": "Ha le van tiltva, akkor az újonnan felfedezett {integration} entitások nem lesznek automatikusan hozzáadva a Home Assistant-hoz.", + "enable_new_entities_label": "Újonnan hozzáadott entitások engedélyezése.", + "title": "{integration} rendszerbeállításai" + }, + "confirmation": { + "cancel": "Mégse", + "ok": "OK", + "title": "Biztos?" + }, + "more_info_control": { + "script": { + "last_action": "Utolsó Művelet" + }, + "sun": { + "elevation": "Magasság", + "rising": "Napkelte", + "setting": "Napnyugta" + }, + "updater": { + "title": "Frissítési Instrukciók" + } + }, + "more_info_settings": { + "entity_id": "Entitás ID", + "name": "Név felülbírálása", + "save": "Mentés" + }, + "options_flow": { + "form": { + "header": "Opciók" + }, + "success": { + "description": "Beállítások sikeresen mentve." + } + }, + "zha_device_info": { + "buttons": { + "add": "Eszközök hozzáadása", + "reconfigure": "Eszköz újrakonfigurálása", + "remove": "Eszköz eltávolítása" + }, + "last_seen": "Utolsó jelentés", + "manuf": "{manufacturer} által", + "no_area": "Nincs Terület", + "power_source": "Energia forrás", + "services": { + "reconfigure": "A ZHA készülék újratelepítése (eszköz rendbehozatala). Akkor használd ezt a funkciót, ha problémáid vannak a készülékkel. Ha a kérdéses eszköz akkumulátoros, győződj meg róla, hogy nincs alvó állapotban és fogadja a parancsokat, amikor ezt a szolgáltatást használod.", + "remove": "Távolíts el egy eszközt a Zigbee hálózatból.", + "updateDeviceName": "Egyedi név beállítása ehhez az eszközhöz az eszköz nyilvántartásban." + }, + "unknown": "Ismeretlen", + "zha_device_card": { + "area_picker_label": "Terület", + "device_name_placeholder": "Felhasználó utóneve", + "update_name_button": "Név frissítése" + } + } + }, + "duration": { + "day": "{count} {count, plural,\\none {nap}\\nother {nap}\\n}", + "hour": "{count} {count, plural,\\none {óra}\\nother {óra}\\n}", + "minute": "{count} {count, plural,\\none {perc}\\nother {perc}\\n}", + "second": "{count} {count, plural,\\none {másodperc}\\nother {másodperc}\\n}", + "week": "{count} {count, plural,\\none {hét}\\nother {hét}\\n}" + }, + "login-form": { + "log_in": "Bejelentkezés", + "password": "Jelszó", + "remember": "Megjegyez" + }, + "notification_drawer": { + "click_to_configure": "Kattints a gombra a(z) {entity} beállításához", + "empty": "Nincsenek Értesítések", + "title": "Értesítések" + }, + "notification_toast": { + "connection_lost": "A kapcsolat megszakadt. Újracsatlakozás…", + "entity_turned_off": "{entity} kikapcsolva.", + "entity_turned_on": "{entity} bekapcsolva.", + "service_call_failed": "Nem sikerült meghívni a(z) {service} szolgáltatást.", + "service_called": "{service} szolgáltatás meghívva.", + "triggered": "Aktiválva {name}" + }, + "panel": { "config": { - "header": "Home Assistant beállítása", - "introduction": "Itt a komponenseket és a Home Assistant szervert lehet beállítani. Még nem lehet mindent a felületről, de dolgozunk rajta.", + "area_registry": { + "caption": "Terület Nyilvántartás", + "create_area": "TERÜLET LÉTREHOZÁSA", + "description": "Az összes otthoni terület áttekintése", + "editor": { + "create": "LÉTREHOZÁS", + "default_name": "Új Terület", + "delete": "TÖRLÉS", + "update": "FRISSÍTÉS" + }, + "no_areas": "Úgy tűnik, nem hoztál még létre egy területet sem!", + "picker": { + "create_area": "TERÜLET LÉTREHOZÁSA", + "header": "Terület Nyilvántartás", + "integrations_page": "Integrációk oldal", + "introduction": "A területekkel az eszközök elhelyezkedés szerint rendszerezhetők. Ezen információk felhasználásával a Home Assistant segíteni tud előkészíteni a felületet, a jogosultságokat és az integrációt más rendszerekkel.", + "introduction2": "Az eszközök területekbe történő elhelyezéséhez használd az alábbi linket az integrációs oldalra való navigáláshoz, majd kattints egy konfigurált integrációra az eszközkártyák eléréséhez.", + "no_areas": "Úgy tűnik, nem hoztál még létre egy területet sem!" + } + }, + "automation": { + "caption": "Automatizálás", + "description": "Automatizálások létrehozása és szerkesztése", + "editor": { + "actions": { + "add": "Művelet hozzáadása", + "delete": "Törlés", + "delete_confirm": "Biztos, hogy törölni szeretnéd?", + "duplicate": "Megkettőzés", + "header": "Műveletek", + "introduction": "A műveleteket hajtja végre a Home Assistant, ha egy automatizálás triggerelődik. Kattints az alábbi linkre, ha többet szeretnél megtudni a műveletekről.", + "learn_more": "Tudj meg többet a műveletekről", + "type_select": "Művelet típusa", + "type": { + "condition": { + "label": "Feltétel" + }, + "delay": { + "delay": "Késleltetés", + "label": "Késleltetés" + }, + "device_id": { + "extra_fields": { + "code": "Kód" + }, + "label": "Eszköz" + }, + "event": { + "event": "Esemény:", + "label": "Esemény meghívása", + "service_data": "Szolgáltatás adatai" + }, + "scene": { + "label": "Jelenet aktiválása" + }, + "service": { + "label": "Szolgáltatás meghívása", + "service_data": "Szolgáltatás adatai" + }, + "wait_template": { + "label": "Várakozás", + "timeout": "Időtúllépés (opcionális)", + "wait_template": "Várakozási sablon" + } + }, + "unsupported_action": "Nem támogatott művelet: {action}" + }, + "alias": "Név", + "conditions": { + "add": "Feltétel hozzáadása", + "delete": "Törlés", + "delete_confirm": "Biztos, hogy törölni szeretnéd?", + "duplicate": "Megkettőzés", + "header": "Feltételek", + "introduction": "A feltételek opcionális részei az automatizálási szabályoknak és arra lehet őket használni, hogy meggátoljuk egy művelet végrehajtását, ha triggerelődik. A feltételek hasonlítanak a triggerekre, mégis teljesen máshogy működnek. A triggerek a rendszerben történő események bekövetkezését figyelik, míg a feltételek csak azt látják, hogy milyen a rendszer pillanatnyi állapota. Egy trigger például észre tudja venni, ha egy kapcsoló fel lett kapcsolva. Egy feltétel csak azt látja, hogy a kapcsoló éppen fel vagy le van kapcsolva. Kattints az alábbi linkre, ha többet szeretnél megtudni a feltételekről.", + "learn_more": "Tudj meg többet a feltételekről", + "type_select": "Feltétel típusa", + "type": { + "and": { + "label": "És" + }, + "device": { + "extra_fields": { + "above": "Felett", + "below": "Alatt", + "for": "Időtartam" + }, + "label": "Eszköz" + }, + "numeric_state": { + "above": "Felett", + "below": "Alatt", + "label": "Numerikus állapot", + "value_template": "Érték sablon (opcionális)" + }, + "or": { + "label": "Vagy" + }, + "state": { + "label": "Állapot", + "state": "Állapot" + }, + "sun": { + "after": "Után:", + "after_offset": "Eltolás utána (opcionális)", + "before": "Előtt:", + "before_offset": "Eltolás előtte (opcionális)", + "label": "Nap", + "sunrise": "Napkelte", + "sunset": "Napnyugta" + }, + "template": { + "label": "Sablon", + "value_template": "Érték sablon" + }, + "time": { + "after": "Után", + "before": "Előtt", + "label": "Idő" + }, + "zone": { + "entity": "Entitás helyszínnel", + "label": "Zóna", + "zone": "Zóna" + } + }, + "unsupported_condition": "Nem támogatott feltétel: {condition}" + }, + "default_name": "Új Automatizálás", + "description": { + "label": "Leírás", + "placeholder": "Opcionális leírás" + }, + "introduction": "Használj automatizálásokat otthonod életre keltéséhez", + "load_error_not_editable": "Csak az automations.yaml fájlban lévő automatizálások szerkeszthetőek.", + "load_error_unknown": "Hiba történt az automatizálás betöltésekor ({err_no}).", + "save": "Mentés", + "triggers": { + "add": "Trigger hozzáadása", + "delete": "Törlés", + "delete_confirm": "Biztos, hogy törölni szeretnéd?", + "duplicate": "Megkettőzés", + "header": "Triggerek", + "introduction": "Az eseményindítók (triggerek) indítják el az automatizálási szabályok feldolgozását. Több triggert is meg lehet adni egy szabályhoz. Ha egy trigger elindul, akkor a Home Assistant ellenőrzi a feltételeket - ha vannak -, majd meghívja a műveletet. Kattints az alábbi linkre, ha többet szeretnél megtudni a triggerekről.", + "learn_more": "Tudj meg többet a triggerekről", + "type_select": "Trigger típusa", + "type": { + "device": { + "extra_fields": { + "above": "Felett", + "below": "Alatt", + "for": "Időtartam" + }, + "label": "Eszköz" + }, + "event": { + "event_data": "Esemény adatai", + "event_type": "Esemény típusa", + "label": "Esemény" + }, + "geo_location": { + "enter": "Érkezés", + "event": "Esemény:", + "label": "Helylokáció", + "leave": "Távozás", + "source": "Forrás", + "zone": "Zóna" + }, + "homeassistant": { + "event": "Esemény:", + "label": "Home Assistant", + "shutdown": "Leállás", + "start": "Indulás" + }, + "mqtt": { + "label": "MQTT", + "payload": "Payload (opcionális)", + "topic": "Téma" + }, + "numeric_state": { + "above": "Felett", + "below": "Alatt", + "label": "Numerikus állapot", + "value_template": "Érték sablon (opcionális)" + }, + "state": { + "for": "Időtartam", + "from": "Eredeti állapot", + "label": "Állapot", + "to": "Módosult állapot" + }, + "sun": { + "event": "Esemény:", + "label": "Nap", + "offset": "Eltolás (opcionális)", + "sunrise": "Napkelte", + "sunset": "Napnyugta" + }, + "template": { + "label": "Sablon", + "value_template": "Érték sablon" + }, + "time_pattern": { + "hours": "Óra", + "label": "Idő sablon", + "minutes": "Perc", + "seconds": "Másodperc" + }, + "time": { + "at": "Mikor", + "label": "Idő" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook ID" + }, + "zone": { + "enter": "Érkezés", + "entity": "Entitás helyszínnel", + "event": "Esemény:", + "label": "Zóna", + "leave": "Távozás", + "zone": "Zóna" + } + }, + "unsupported_platform": "Nem támogatott platform: {platform}" + }, + "unsaved_confirm": "Vannak nem mentett módosítások. Biztos, hogy elhagyod az oldalt?" + }, + "picker": { + "add_automation": "Automatizálás hozzáadása", + "header": "Automatizálás szerkesztő", + "introduction": "Az automatizálás szerkesztő lehetővé teszi automatizálási szabályok létrehozását és szerkesztését. Kérlek, olvasd el az útmutatót az alábbi linken, hogy megbizonyosodj róla, hogy a Home Assistant helyesen van konfigurálva.", + "learn_more": "Tudj meg többet az automatizálásról", + "no_automations": "Nem találtunk szerkeszthető automatizálást", + "pick_automation": "Válassz ki egy automatizálást szerkesztésre" + } + }, + "cloud": { + "account": { + "alexa": { + "config_documentation": "Konfigurációs dokumentáció", + "disable": "letiltani", + "enable": "engedélyezni", + "enable_ha_skill": "Home Assistant készség aktiválása Alexának", + "enable_state_reporting": "Állapotjelentés engedélyezése", + "info_state_reporting": "Ha engedélyezed az állapotjelentést, akkor a Home Assistant minden állapotváltozást el fog küldeni a feltárt entitásokról az Amazon-nak. Ez lehetővé teszi, hogy mindig láthasd a legfrissebb állapotokat az Alexa alkalmazásban, és az állapotváltozásokkal rutinokat hozhass létre.", + "manage_entities": "Entitások kezelése", + "state_reporting_error": "Nem lehet {enable_disable} az állapotjelentést.", + "sync_entities": "Entitások szinkronizálása", + "sync_entities_error": "Nem sikerült szinkronizálni az entitásokat:", + "title": "Alexa" + }, + "connected": "Csatlakoztatva", + "connection_status": "Felhő kapcsolat állapota", + "fetching_subscription": "Előfizetés lekérése...", + "google": { + "config_documentation": "Konfigurációs dokumentáció", + "devices_pin": "Biztonsági eszközök pin kódja", + "enable_ha_skill": "Home Assistant készség aktiválása a Google Asszisztensnek", + "enable_state_reporting": "Állapotjelentés engedélyezése", + "enter_pin_error": "A PIN-kód nem tárolható:", + "enter_pin_hint": "Adj meg egy PIN-kódot a biztonsági eszközök használatához", + "info_state_reporting": "Ha engedélyezed az állapotjelentést, akkor a Home Assistant minden állapotváltozást el fog küldeni a feltárt entitásokról a Google-nak. Ez lehetővé teszi, hogy mindig láthasd a legfrissebb állapotokat a Google alkalmazásban.", + "manage_entities": "Entitások kezelése", + "security_devices": "Biztonsági eszközök", + "sync_entities": "Entitások szinkronizálása a Google-lal", + "title": "Google Asszisztens" + }, + "integrations": "Integrációk", + "integrations_introduction2": "Nézd meg a weboldalt a ", + "integrations_link_all_features": "az összes elérhető funkció", + "manage_account": "Fiók kezelése", + "nabu_casa_account": "Nabu Casa fiók", + "not_connected": "Nincs csatlakoztatva", + "remote": { + "access_is_being_prepared": "A távoli hozzáférés előkészítése folyamatban van. Értesíteni fogunk, ha készen áll.", + "certificate_info": "Tanúsítvány infó", + "info": "A Home Assistant Felhő biztonságos távoli kapcsolatot nyújt a példányodhoz, miközben távol vagy.", + "instance_is_available": "A példányod itt elérhető:", + "instance_will_be_available": "A példányod itt lesz elérhető:", + "link_learn_how_it_works": "Tudd meg, hogyan működik", + "title": "Távoli vezérlés" + }, + "sign_out": "Kijelentkezés", + "thank_you_note": "Köszönjük, hogy a Home Assistant Felhő részese vagy. Az olyan emberek miatt, mint te, vagyunk képesek mindenki számára nagyszerű otthoni automatizálási élményt nyújtani. Köszönjük!", + "webhooks": { + "disable_hook_error_msg": "A webhook letiltása sikertelen:", + "link_learn_more": "Tudj meg többet a webhook-alapú automatizálások létrehozásáról.", + "loading": "Betöltés...", + "manage": "Kezelés", + "no_hooks_yet": "Úgy tűnik, még nincs egy webhookod sem. Kezdéshez konfigurálj egy ", + "no_hooks_yet_link_automation": "webhook automatizálás", + "no_hooks_yet_link_integration": "webhook-alapú integráció", + "title": "Webhookok" + } + }, + "alexa": { + "expose": "Feltárás Alexának", + "exposed_entities": "Feltárt entitások", + "not_exposed_entities": "Nem feltárt entitások", + "title": "Alexa" + }, + "caption": "Home Assistant Felhő", + "description_features": "Távoli vezérlés, Alexa és Google Asszisztens integráció", + "description_login": "Bejelentkezve mint {email}", + "description_not_login": "Nincs bejelentkezve", + "dialog_certificate": { + "certificate_expiration_date": "Tanúsítvány lejárati dátuma", + "certificate_information": "Tanúsítvány-információ", + "close": "Bezárás", + "fingerprint": "Tanúsítvány ujjlenyomata:", + "will_be_auto_renewed": "Automatikusan megújul" + }, + "dialog_cloudhook": { + "available_at": "A webhook a következő URL-címen érhető el:", + "close": "Bezárás", + "confirm_disable": "Biztosan le szeretnéd tiltani ezt a webhookot?", + "copied_to_clipboard": "Vágólapra másolva", + "info_disable_webhook": "Ha már nem szeretnéd ezt a webhookot használni, akkor", + "link_disable_webhook": "letilthatod", + "managed_by_integration": "Ezt a webhookot egy integráció kezeli, ezért nem lehet letiltani.", + "view_documentation": "Dokumentáció megtekintése", + "webhook_for": "Webhook: {name}" + }, + "forgot_password": { + "check_your_email": "A jelszó visszaállításával kapcsolatos instrukciókért ellenőrizd az e-mail fiókod.", + "email": "Email", + "email_error_msg": "Érvénytelen email", + "instructions": "Add meg az email címed, és mi küldünk egy linket a jelszó visszaállításához.", + "send_reset_email": "Visszaállítási email küldése", + "subtitle": "Elfelejtetted a jelszavad", + "title": "Elfelejtett jelszó" + }, + "google": { + "disable_2FA": "Kétfaktoros hitelesítés letiltása", + "expose": "Feltárás a Google Asszisztensnek", + "exposed_entities": "Feltárt entitások", + "not_exposed_entities": "Nem feltárt entitások", + "sync_to_google": "A változások szinkronizálása a Google-lal.", + "title": "Google Asszisztens" + }, + "login": { + "alert_email_confirm_necessary": "A bejelentkezés előtt meg kell erősítened az email címed.", + "alert_password_change_required": "A bejelentkezés előtt meg kell változtatnod a jelszavad.", + "dismiss": "Elvetés", + "email": "Email", + "email_error_msg": "Érvénytelen email", + "forgot_password": "elfelejtett jelszó?", + "introduction": "A Home Assistant Felhő biztonságos távoli kapcsolatot nyújt a példányodhoz, miközben távol vagy. Azt is lehetővé teszi, hogy csak felhőn alapuló szolgáltatásokhoz csatlakozz: Amazon Alexa, Google Asszisztens.", + "introduction2": "Ezt a szolgáltatást partnerünk üzemelteti ", + "introduction2a": ", egy vállalat, amelyet a Home Assistant és a Hass.io alapítói alapítottak.", + "introduction3": "A Home Assistant Felhő egy előfizetéses szolgáltatás egy hónapos ingyenes próbaverzióval. Nincs szükség fizetési információk megadására.", + "learn_more_link": "Tudj meg többet a Home Assistant Felhőről", + "password": "Jelszó", + "password_error_msg": "A jelszavak legalább 8 karakteresek", + "sign_in": "Bejelentkezés", + "start_trial": "Indítsd el az ingyenes 1 hónapos próbaidőszakot", + "title": "Bejelentkezés a felhőbe", + "trial_info": "Nincs szükség fizetési információk megadására" + }, + "register": { + "account_created": "Fiók létrehozva! Az aktiválással kapcsolatos instrukciókért ellenőrizd az e-mail fiókod.", + "create_account": "Fiók Létrehozása", + "email_address": "Email cím", + "email_error_msg": "Érvénytelen email", + "feature_amazon_alexa": "Integráció az Amazon Alexával", + "feature_google_home": "Integráció a Google Asszisztenssel", + "feature_remote_control": "A Home Assistant vezérlése távolról", + "feature_webhook_apps": "Egyszerű integráció webhook-alapú alkalmazásokkal, mint például az OwnTracks", + "headline": "Indítsd el az ingyenes próbaidőszakot", + "information": "Hozz létre egy fiókot ahhoz, hogy elindíthasd az egy hónapos ingyenes Home Assistant Felhő próbaidőszakodat. Nincs szükség fizetési információk megadására.", + "information2": "A próbaidőszak hozzáférést biztosít a Home Assistant Felhő minden előnyéhez, beleértve a következőket:", + "information3": "Ezt a szolgáltatást partnerünk üzemelteti ", + "information3a": ", egy vállalat, amelyet a Home Assistant és a Hass.io alapítói alapítottak.", + "information4": "Fiók regisztrálásával elfogadod az alábbi feltételeket.", + "link_privacy_policy": "Adatvédelmi irányelvek", + "link_terms_conditions": "Felhasználási feltételek", + "password": "Jelszó", + "password_error_msg": "A jelszavak legalább 8 karakteresek", + "resend_confirm_email": "Megerősítő e-mail újraküldése", + "start_trial": "Próbaidőszak indítása", + "title": "Fiók regisztráció" + } + }, + "common": { + "editor": { + "confirm_unsaved": "Vannak nem mentett módosítások. Biztos, hogy elhagyod az oldalt?" + } + }, "core": { "caption": "Általános", "description": "Az általános Home Assistant konfiguráció módosítása", "section": { "core": { - "header": "Általános konfiguráció", - "introduction": "Tudjuk, hogy a konfiguráció módosítása fárasztó folyamat lehet. Ez a rész megpróbálja egy kicsit könnyebbé tenni az életed.", "core_config": { "edit_requires_storage": "A szerkesztő le van tiltva, mert a konfiguráció a configuration.yaml fájlban van tárolva.", - "location_name": "A Home Assistant rendszered neve", - "latitude": "Szélesség", - "longitude": "Hosszúság", "elevation": "Magasság", "elevation_meters": "méter", + "imperial_example": "Fahrenheit, font", + "latitude": "Szélesség", + "location_name": "A Home Assistant rendszered neve", + "longitude": "Hosszúság", + "metric_example": "Celsius, kilogramm", + "save_button": "Mentés", "time_zone": "Időzóna", "unit_system": "Egységrendszer", "unit_system_imperial": "Angolszász", - "unit_system_metric": "Metrikus", - "imperial_example": "Fahrenheit, font", - "metric_example": "Celsius, kilogramm", - "save_button": "Mentés" - } + "unit_system_metric": "Metrikus" + }, + "header": "Általános konfiguráció", + "introduction": "Tudjuk, hogy a konfiguráció módosítása fárasztó folyamat lehet. Ez a rész megpróbálja egy kicsit könnyebbé tenni az életed." }, "server_control": { - "validation": { - "heading": "Konfiguráció érvényesítés", - "introduction": "Érvényesítsd a konfigurációt, ha nemrégiben módosítottad azt, és meg szeretnél bizonyosodni róla, hogy minden érvényes", - "check_config": "Ellenőrzés", - "valid": "Érvényes konfiguráció!", - "invalid": "Érvénytelen konfiguráció" - }, "reloading": { - "heading": "Konfiguráció újratöltése", - "introduction": "A Home Assistant bizonyos részei újraindítás nélkül újratölthetőek. Az újratöltés az aktuális konfiguráció helyére betölti az újat.", + "automation": "Automatizálások újratöltése", "core": "Mag újratöltése", "group": "Csoportok újratöltése", - "automation": "Automatizálások újratöltése", + "heading": "Konfiguráció újratöltése", + "introduction": "A Home Assistant bizonyos részei újraindítás nélkül újratölthetőek. Az újratöltés az aktuális konfiguráció helyére betölti az újat.", "script": "Szkriptek újratöltése" }, "server_management": { @@ -473,6 +1081,13 @@ "introduction": "Home Assistant szerver vezérlése... a Home Assistant-ból.", "restart": "Újraindítás", "stop": "Leállítás" + }, + "validation": { + "check_config": "Ellenőrzés", + "heading": "Konfiguráció érvényesítés", + "introduction": "Érvényesítsd a konfigurációt, ha nemrégiben módosítottad azt, és meg szeretnél bizonyosodni róla, hogy minden érvényes", + "invalid": "Érvénytelen konfiguráció", + "valid": "Érvényes konfiguráció!" } } } @@ -485,497 +1100,67 @@ "introduction": "Szabd testre az entitások tulajdonságait. A hozzáadott\/szerkesztett testreszabások azonnal érvényesülnek. A testreszabások eltávolítása akkor lép életbe, amikor az entitás frissül." } }, - "automation": { - "caption": "Automatizálás", - "description": "Automatizálások létrehozása és szerkesztése", - "picker": { - "header": "Automatizálás szerkesztő", - "introduction": "Az automatizálás szerkesztő lehetővé teszi automatizálási szabályok létrehozását és szerkesztését. Kérlek, olvasd el az útmutatót az alábbi linken, hogy megbizonyosodj róla, hogy a Home Assistant helyesen van konfigurálva.", - "pick_automation": "Válassz ki egy automatizálást szerkesztésre", - "no_automations": "Nem találtunk szerkeszthető automatizálást", - "add_automation": "Automatizálás hozzáadása", - "learn_more": "Tudj meg többet az automatizálásról" - }, - "editor": { - "introduction": "Használj automatizálásokat otthonod életre keltéséhez", - "default_name": "Új Automatizálás", - "save": "Mentés", - "unsaved_confirm": "Vannak nem mentett módosítások. Biztos, hogy elhagyod az oldalt?", - "alias": "Név", - "triggers": { - "header": "Triggerek", - "introduction": "Az eseményindítók (triggerek) indítják el az automatizálási szabályok feldolgozását. Több triggert is meg lehet adni egy szabályhoz. Ha egy trigger elindul, akkor a Home Assistant ellenőrzi a feltételeket - ha vannak -, majd meghívja a műveletet. Kattints az alábbi linkre, ha többet szeretnél megtudni a triggerekről.", - "add": "Trigger hozzáadása", - "duplicate": "Megkettőzés", - "delete": "Törlés", - "delete_confirm": "Biztos, hogy törölni szeretnéd?", - "unsupported_platform": "Nem támogatott platform: {platform}", - "type_select": "Trigger típusa", - "type": { - "event": { - "label": "Esemény", - "event_type": "Esemény típusa", - "event_data": "Esemény adatai" - }, - "state": { - "label": "Állapot", - "from": "Eredeti állapot", - "to": "Módosult állapot", - "for": "Időtartam" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Esemény:", - "start": "Indulás", - "shutdown": "Leállás" - }, - "mqtt": { - "label": "MQTT", - "topic": "Téma", - "payload": "Payload (opcionális)" - }, - "numeric_state": { - "label": "Numerikus állapot", - "above": "Felett", - "below": "Alatt", - "value_template": "Érték sablon (opcionális)" - }, - "sun": { - "label": "Nap", - "event": "Esemény:", - "sunrise": "Napkelte", - "sunset": "Napnyugta", - "offset": "Eltolás (opcionális)" - }, - "template": { - "label": "Sablon", - "value_template": "Érték sablon" - }, - "time": { - "label": "Idő", - "at": "Mikor" - }, - "zone": { - "label": "Zóna", - "entity": "Entitás helyszínnel", - "zone": "Zóna", - "event": "Esemény:", - "enter": "Érkezés", - "leave": "Távozás" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook ID" - }, - "time_pattern": { - "label": "Idő sablon", - "hours": "Óra", - "minutes": "Perc", - "seconds": "Másodperc" - }, - "geo_location": { - "label": "Helylokáció", - "source": "Forrás", - "zone": "Zóna", - "event": "Esemény:", - "enter": "Érkezés", - "leave": "Távozás" - }, - "device": { - "label": "Eszköz", - "extra_fields": { - "above": "Felett", - "below": "Alatt", - "for": "Időtartam" - } - } - }, - "learn_more": "Tudj meg többet a triggerekről" + "devices": { + "automation": { + "actions": { + "caption": "Ha valami triggerelődik, akkor..." }, "conditions": { - "header": "Feltételek", - "introduction": "A feltételek opcionális részei az automatizálási szabályoknak és arra lehet őket használni, hogy meggátoljuk egy művelet végrehajtását, ha triggerelődik. A feltételek hasonlítanak a triggerekre, mégis teljesen máshogy működnek. A triggerek a rendszerben történő események bekövetkezését figyelik, míg a feltételek csak azt látják, hogy milyen a rendszer pillanatnyi állapota. Egy trigger például észre tudja venni, ha egy kapcsoló fel lett kapcsolva. Egy feltétel csak azt látja, hogy a kapcsoló éppen fel vagy le van kapcsolva. Kattints az alábbi linkre, ha többet szeretnél megtudni a feltételekről.", - "add": "Feltétel hozzáadása", - "duplicate": "Megkettőzés", - "delete": "Törlés", - "delete_confirm": "Biztos, hogy törölni szeretnéd?", - "unsupported_condition": "Nem támogatott feltétel: {condition}", - "type_select": "Feltétel típusa", - "type": { - "state": { - "label": "Állapot", - "state": "Állapot" - }, - "numeric_state": { - "label": "Numerikus állapot", - "above": "Felett", - "below": "Alatt", - "value_template": "Érték sablon (opcionális)" - }, - "sun": { - "label": "Nap", - "before": "Előtt:", - "after": "Után:", - "before_offset": "Eltolás előtte (opcionális)", - "after_offset": "Eltolás utána (opcionális)", - "sunrise": "Napkelte", - "sunset": "Napnyugta" - }, - "template": { - "label": "Sablon", - "value_template": "Érték sablon" - }, - "time": { - "label": "Idő", - "after": "Után", - "before": "Előtt" - }, - "zone": { - "label": "Zóna", - "entity": "Entitás helyszínnel", - "zone": "Zóna" - }, - "device": { - "label": "Eszköz", - "extra_fields": { - "above": "Felett", - "below": "Alatt", - "for": "Időtartam" - } - }, - "and": { - "label": "És" - }, - "or": { - "label": "Vagy" - } - }, - "learn_more": "Tudj meg többet a feltételekről" + "caption": "Csak akkor csinálj valamit, ha a(z)..." }, - "actions": { - "header": "Műveletek", - "introduction": "A műveleteket hajtja végre a Home Assistant, ha egy automatizálás triggerelődik. Kattints az alábbi linkre, ha többet szeretnél megtudni a műveletekről.", - "add": "Művelet hozzáadása", - "duplicate": "Megkettőzés", - "delete": "Törlés", - "delete_confirm": "Biztos, hogy törölni szeretnéd?", - "unsupported_action": "Nem támogatott művelet: {action}", - "type_select": "Művelet típusa", - "type": { - "service": { - "label": "Szolgáltatás meghívása", - "service_data": "Szolgáltatás adatai" - }, - "delay": { - "label": "Késleltetés", - "delay": "Késleltetés" - }, - "wait_template": { - "label": "Várakozás", - "wait_template": "Várakozási sablon", - "timeout": "Időtúllépés (opcionális)" - }, - "condition": { - "label": "Feltétel" - }, - "event": { - "label": "Esemény meghívása", - "event": "Esemény:", - "service_data": "Szolgáltatás adatai" - }, - "device_id": { - "label": "Eszköz", - "extra_fields": { - "code": "Kód" - } - }, - "scene": { - "label": "Jelenet aktiválása" - } - }, - "learn_more": "Tudj meg többet a műveletekről" - }, - "load_error_not_editable": "Csak az automations.yaml fájlban lévő automatizálások szerkeszthetőek.", - "load_error_unknown": "Hiba történt az automatizálás betöltésekor ({err_no}).", - "description": { - "label": "Leírás", - "placeholder": "Opcionális leírás" - } - } - }, - "script": { - "caption": "Szkript", - "description": "Szkriptek létrehozása és szerkesztése", - "picker": { - "header": "Szkript szerkesztő", - "introduction": "A szkript szerkesztő lehetővé teszi szkriptek létrehozását és szerkesztését. Kérlek, olvasd el az útmutatót az alábbi linken, hogy megbizonyosodj róla, hogy a Home Assistant helyesen van konfigurálva.", - "learn_more": "Tudj meg többet a szkriptekről", - "no_scripts": "Nem találtunk szerkeszthető szkripteket", - "add_script": "Szkript hozzáadása" - }, - "editor": { - "header": "Szkript: {name}", - "default_name": "Új szkript", - "load_error_not_editable": "Csak a scripts.yaml fájlban található szkriptek szerkeszthetők.", - "delete_confirm": "Biztosan törölni szeretnéd ezt a szkriptet?" - } - }, - "zwave": { - "caption": "Z-Wave", - "description": "Z-Wave hálózat kezelése", - "network_management": { - "header": "Z-Wave hálózat menedzsment", - "introduction": "Olyan parancsok futtatása, amelyek befolyásolják a Z-Wave hálózatot. Nem fogsz visszajelzést kapni arról, hogy a legtöbb parancs sikeres volt-e, de az OZW logok alapján megpróbálhatod kideríteni." - }, - "network_status": { - "network_stopped": "Z-Wave hálózat leállt", - "network_starting": "Z-Wave hálózat indítása...", - "network_starting_note": "Ez eltarthat egy ideig a hálózat méretétől függően.", - "network_started": "Z-Wave hálózat elindult", - "network_started_note_some_queried": "Az elérhető csomópontok le lettek kérdezve. Az alvó csomópontok akkor lesznek lekérdezve, ha elérhetővé válnak.", - "network_started_note_all_queried": "Minden csomópont le lett kérdezve." - }, - "services": { - "start_network": "Hálózat indítása", - "stop_network": "Hálózat leállítása", - "heal_network": "Hálózati struktúra feltérképezése", - "test_network": "Hálózat tesztelése", - "soft_reset": "Soft Reset", - "save_config": "Konfiguráció mentése", - "add_node_secure": "Biztonságos csomópont hozzáadása", - "add_node": "Csomópont hozzáadása", - "remove_node": "Csomópont eltávolítása", - "cancel_command": "Parancs megszakítása" - }, - "common": { - "value": "Érték", - "instance": "Példány", - "index": "Index", - "unknown": "Ismeretlen", - "wakeup_interval": "Ébresztési időköz" - }, - "values": { - "header": "Csomópont értékek" - }, - "node_config": { - "header": "Csomópont konfigurációs beállítások", - "seconds": "másodperc", - "set_wakeup": "Ébresztési időköz beállítása", - "config_parameter": "Konfigurációs paraméter", - "config_value": "Konfigurációs érték", - "true": "Igaz", - "false": "Hamis", - "set_config_parameter": "Konfigurációs paraméter beállítása" - }, - "learn_more": "Tudj meg többet a Z-Wave-ről", - "ozw_log": { - "header": "OZW Log", - "introduction": "Napló megtekintése. 0 a minimum (a teljes naplót betölti) és 1000 a maximum. A betöltés statikus naplót jelenít meg, és a vége automatikusan frissül a napló utolsó meghatározott számú sorával." - } - }, - "users": { - "caption": "Felhasználók", - "description": "Felhasználók kezelése", - "picker": { - "title": "Felhasználók", - "system_generated": "Rendszer által létrehozott" - }, - "editor": { - "rename_user": "Felhasználó átnevezése", - "change_password": "Jelszó módosítása", - "activate_user": "Felhasználó aktiválása", - "deactivate_user": "Felhasználó inaktiválása", - "delete_user": "Felhasználó törlése", - "caption": "Felhasználó megtekintése", - "id": "ID", - "owner": "Tulajdonos", - "group": "Csoport", - "active": "Aktív", - "system_generated": "Rendszer által létrehozott", - "system_generated_users_not_removable": "Nem lehet eltávolítani a rendszer által létrehozott felhasználókat.", - "unnamed_user": "Névtelen felhasználó", - "enter_new_name": "Add meg az új nevet", - "user_rename_failed": "A felhasználó átnevezése sikertelen:", - "group_update_failed": "A csoport frissítése sikertelen:", - "confirm_user_deletion": "Biztosan törölni szeretnéd {name}-t?" - }, - "add_user": { - "caption": "Felhasználó hozzáadása", - "name": "Név", - "username": "Felhasználónév", - "password": "Jelszó", - "create": "Létrehozás" - } - }, - "cloud": { - "caption": "Home Assistant Felhő", - "description_login": "Bejelentkezve mint {email}", - "description_not_login": "Nincs bejelentkezve", - "description_features": "Távoli vezérlés, Alexa és Google Asszisztens integráció", - "login": { - "title": "Bejelentkezés a felhőbe", - "introduction": "A Home Assistant Felhő biztonságos távoli kapcsolatot nyújt a példányodhoz, miközben távol vagy. Azt is lehetővé teszi, hogy csak felhőn alapuló szolgáltatásokhoz csatlakozz: Amazon Alexa, Google Asszisztens.", - "introduction2": "Ezt a szolgáltatást partnerünk üzemelteti ", - "introduction2a": ", egy vállalat, amelyet a Home Assistant és a Hass.io alapítói alapítottak.", - "introduction3": "A Home Assistant Felhő egy előfizetéses szolgáltatás egy hónapos ingyenes próbaverzióval. Nincs szükség fizetési információk megadására.", - "learn_more_link": "Tudj meg többet a Home Assistant Felhőről", - "dismiss": "Elvetés", - "sign_in": "Bejelentkezés", - "email": "Email", - "email_error_msg": "Érvénytelen email", - "password": "Jelszó", - "password_error_msg": "A jelszavak legalább 8 karakteresek", - "forgot_password": "elfelejtett jelszó?", - "start_trial": "Indítsd el az ingyenes 1 hónapos próbaidőszakot", - "trial_info": "Nincs szükség fizetési információk megadására", - "alert_password_change_required": "A bejelentkezés előtt meg kell változtatnod a jelszavad.", - "alert_email_confirm_necessary": "A bejelentkezés előtt meg kell erősítened az email címed." - }, - "forgot_password": { - "title": "Elfelejtett jelszó", - "subtitle": "Elfelejtetted a jelszavad", - "instructions": "Add meg az email címed, és mi küldünk egy linket a jelszó visszaállításához.", - "email": "Email", - "email_error_msg": "Érvénytelen email", - "send_reset_email": "Visszaállítási email küldése", - "check_your_email": "A jelszó visszaállításával kapcsolatos instrukciókért ellenőrizd az e-mail fiókod." - }, - "register": { - "title": "Fiók regisztráció", - "headline": "Indítsd el az ingyenes próbaidőszakot", - "information": "Hozz létre egy fiókot ahhoz, hogy elindíthasd az egy hónapos ingyenes Home Assistant Felhő próbaidőszakodat. Nincs szükség fizetési információk megadására.", - "information2": "A próbaidőszak hozzáférést biztosít a Home Assistant Felhő minden előnyéhez, beleértve a következőket:", - "feature_remote_control": "A Home Assistant vezérlése távolról", - "feature_google_home": "Integráció a Google Asszisztenssel", - "feature_amazon_alexa": "Integráció az Amazon Alexával", - "feature_webhook_apps": "Egyszerű integráció webhook-alapú alkalmazásokkal, mint például az OwnTracks", - "information3": "Ezt a szolgáltatást partnerünk üzemelteti ", - "information3a": ", egy vállalat, amelyet a Home Assistant és a Hass.io alapítói alapítottak.", - "information4": "Fiók regisztrálásával elfogadod az alábbi feltételeket.", - "link_terms_conditions": "Felhasználási feltételek", - "link_privacy_policy": "Adatvédelmi irányelvek", - "create_account": "Fiók Létrehozása", - "email_address": "Email cím", - "email_error_msg": "Érvénytelen email", - "password": "Jelszó", - "password_error_msg": "A jelszavak legalább 8 karakteresek", - "start_trial": "Próbaidőszak indítása", - "resend_confirm_email": "Megerősítő e-mail újraküldése", - "account_created": "Fiók létrehozva! Az aktiválással kapcsolatos instrukciókért ellenőrizd az e-mail fiókod." - }, - "account": { - "thank_you_note": "Köszönjük, hogy a Home Assistant Felhő részese vagy. Az olyan emberek miatt, mint te, vagyunk képesek mindenki számára nagyszerű otthoni automatizálási élményt nyújtani. Köszönjük!", - "nabu_casa_account": "Nabu Casa fiók", - "connection_status": "Felhő kapcsolat állapota", - "manage_account": "Fiók kezelése", - "sign_out": "Kijelentkezés", - "integrations": "Integrációk", - "integrations_introduction2": "Nézd meg a weboldalt a ", - "integrations_link_all_features": "az összes elérhető funkció", - "connected": "Csatlakoztatva", - "not_connected": "Nincs csatlakoztatva", - "fetching_subscription": "Előfizetés lekérése...", - "remote": { - "title": "Távoli vezérlés", - "access_is_being_prepared": "A távoli hozzáférés előkészítése folyamatban van. Értesíteni fogunk, ha készen áll.", - "info": "A Home Assistant Felhő biztonságos távoli kapcsolatot nyújt a példányodhoz, miközben távol vagy.", - "instance_is_available": "A példányod itt elérhető:", - "instance_will_be_available": "A példányod itt lesz elérhető:", - "link_learn_how_it_works": "Tudd meg, hogyan működik", - "certificate_info": "Tanúsítvány infó" - }, - "alexa": { - "title": "Alexa", - "enable_ha_skill": "Home Assistant készség aktiválása Alexának", - "config_documentation": "Konfigurációs dokumentáció", - "enable_state_reporting": "Állapotjelentés engedélyezése", - "info_state_reporting": "Ha engedélyezed az állapotjelentést, akkor a Home Assistant minden állapotváltozást el fog küldeni a feltárt entitásokról az Amazon-nak. Ez lehetővé teszi, hogy mindig láthasd a legfrissebb állapotokat az Alexa alkalmazásban, és az állapotváltozásokkal rutinokat hozhass létre.", - "sync_entities": "Entitások szinkronizálása", - "manage_entities": "Entitások kezelése", - "sync_entities_error": "Nem sikerült szinkronizálni az entitásokat:", - "state_reporting_error": "Nem lehet {enable_disable} az állapotjelentést.", - "enable": "engedélyezni", - "disable": "letiltani" - }, - "google": { - "title": "Google Asszisztens", - "enable_ha_skill": "Home Assistant készség aktiválása a Google Asszisztensnek", - "config_documentation": "Konfigurációs dokumentáció", - "enable_state_reporting": "Állapotjelentés engedélyezése", - "info_state_reporting": "Ha engedélyezed az állapotjelentést, akkor a Home Assistant minden állapotváltozást el fog küldeni a feltárt entitásokról a Google-nak. Ez lehetővé teszi, hogy mindig láthasd a legfrissebb állapotokat a Google alkalmazásban.", - "security_devices": "Biztonsági eszközök", - "devices_pin": "Biztonsági eszközök pin kódja", - "enter_pin_hint": "Adj meg egy PIN-kódot a biztonsági eszközök használatához", - "sync_entities": "Entitások szinkronizálása a Google-lal", - "manage_entities": "Entitások kezelése", - "enter_pin_error": "A PIN-kód nem tárolható:" - }, - "webhooks": { - "title": "Webhookok", - "no_hooks_yet": "Úgy tűnik, még nincs egy webhookod sem. Kezdéshez konfigurálj egy ", - "no_hooks_yet_link_integration": "webhook-alapú integráció", - "no_hooks_yet_link_automation": "webhook automatizálás", - "link_learn_more": "Tudj meg többet a webhook-alapú automatizálások létrehozásáról.", - "loading": "Betöltés...", - "manage": "Kezelés", - "disable_hook_error_msg": "A webhook letiltása sikertelen:" + "triggers": { + "caption": "Csinálj valamit, amikor a(z)..." } }, - "alexa": { - "title": "Alexa", - "exposed_entities": "Feltárt entitások", - "not_exposed_entities": "Nem feltárt entitások", - "expose": "Feltárás Alexának" + "caption": "Eszközök", + "description": "Csatlakoztatott eszközök kezelése" + }, + "entity_registry": { + "caption": "Entitás Nyilvántartás", + "description": "Az összes ismert entitás áttekintése", + "editor": { + "confirm_delete": "Biztosan törölni szeretnéd ezt a bejegyzést?", + "confirm_delete2": "A bejegyzés törlésével az entitás nem kerül eltávolításra a Home Assistant-ból. Ehhez el kell távolítani a '{platform}' integrációt a Home Assistant-ból.", + "default_name": "Új Terület", + "delete": "TÖRLÉS", + "enabled_cause": "Letiltva. ({cause})", + "enabled_description": "A letiltott entitások nem lesznek hozzáadva a Home Assistant-hoz.", + "enabled_label": "Entitás engedélyezése", + "unavailable": "Ez az entitás jelenleg nem elérhető.", + "update": "FRISSÍTÉS" }, - "dialog_certificate": { - "certificate_information": "Tanúsítvány-információ", - "certificate_expiration_date": "Tanúsítvány lejárati dátuma", - "will_be_auto_renewed": "Automatikusan megújul", - "fingerprint": "Tanúsítvány ujjlenyomata:", - "close": "Bezárás" - }, - "google": { - "title": "Google Asszisztens", - "expose": "Feltárás a Google Asszisztensnek", - "disable_2FA": "Kétfaktoros hitelesítés letiltása", - "exposed_entities": "Feltárt entitások", - "not_exposed_entities": "Nem feltárt entitások", - "sync_to_google": "A változások szinkronizálása a Google-lal." - }, - "dialog_cloudhook": { - "webhook_for": "Webhook: {name}", - "available_at": "A webhook a következő URL-címen érhető el:", - "managed_by_integration": "Ezt a webhookot egy integráció kezeli, ezért nem lehet letiltani.", - "info_disable_webhook": "Ha már nem szeretnéd ezt a webhookot használni, akkor", - "link_disable_webhook": "letilthatod", - "view_documentation": "Dokumentáció megtekintése", - "close": "Bezárás", - "confirm_disable": "Biztosan le szeretnéd tiltani ezt a webhookot?", - "copied_to_clipboard": "Vágólapra másolva" + "picker": { + "header": "Entitás Nyilvántartás", + "headers": { + "enabled": "Engedélyezve", + "entity_id": "Entitás ID", + "integration": "Integráció", + "name": "Név" + }, + "integrations_page": "Integrációk oldal", + "introduction": "A Home Assistant nyilvántartást vezet minden olyan entitásról, melyet valaha látott, és egyedileg azonosítható. Ezen entitások mindegyikéhez létrejön egy entitás ID, amely csak az adott entitáshoz van rendelve.", + "introduction2": "Az entitás nyilvántartás használatával felülbírálhatod a nevet, módosíthatod az entitás ID-t vagy eltávolíthatod a bejegyzést a Home Assistant-ból. Megjegyzendő, hogy az entitás nyilvántartásból történő bejegyzés eltávolítás nem fogja eltávolítani magát az entitást. Ehhez kövesd az alábbi linket, és távolítsd el azt az integrációk oldalról.", + "show_disabled": "Letiltott entitások megjelenítése", + "unavailable": "(nem elérhető)" } }, + "header": "Home Assistant beállítása", "integrations": { "caption": "Integrációk", - "description": "Integrációk kezelése és beállítása", - "discovered": "Felfedezett", - "configured": "Konfigurált", - "new": "Új integráció beállítása", - "configure": "Beállítás", - "none": "Még semmi sincs beállítva", "config_entry": { - "no_devices": "Ez az integráció nem rendelkezik eszközökkel.", - "no_device": "Eszköz nélküli entitások", + "area": "Terület: {area}", + "delete_button": "Törlés: {integration}", "delete_confirm": "Biztosan törölni szeretnéd ezt az integrációt?", - "restart_confirm": "Indítsd újra a Home Assistant-ot az integráció törlésének befejezéséhez", - "manuf": "{manufacturer} által", - "via": "Kapcsolódva", - "firmware": "Firmware: {version}", "device_unavailable": "eszköz nem érhető el", "entity_unavailable": "entitás nem érhető el", - "no_area": "Nincs Terület", + "firmware": "Firmware: {version}", "hub": "Kapcsolódva", - "delete_button": "Törlés: {integration}", - "area": "Terület: {area}" + "manuf": "{manufacturer} által", + "no_area": "Nincs Terület", + "no_device": "Eszköz nélküli entitások", + "no_devices": "Ez az integráció nem rendelkezik eszközökkel.", + "restart_confirm": "Indítsd újra a Home Assistant-ot az integráció törlésének befejezéséhez", + "via": "Kapcsolódva" }, "config_flow": { "external_step": { @@ -983,476 +1168,383 @@ "open_site": "Weboldal megnyitása" } }, + "configure": "Beállítás", + "configured": "Konfigurált", + "description": "Integrációk kezelése és beállítása", + "discovered": "Felfedezett", + "home_assistant_website": "Home Assistant weboldal", + "new": "Új integráció beállítása", + "none": "Még semmi sincs beállítva", "note_about_integrations": "Még nem minden integráció konfigurálható a felhasználói felületen keresztül.", - "note_about_website_reference": "Továbbiak érhetőek el itt: ", - "home_assistant_website": "Home Assistant weboldal" + "note_about_website_reference": "Továbbiak érhetőek el itt: " + }, + "introduction": "Itt a komponenseket és a Home Assistant szervert lehet beállítani. Még nem lehet mindent a felületről, de dolgozunk rajta.", + "person": { + "add_person": "Személy hozzáadása", + "caption": "Személyek", + "confirm_delete": "Biztosan törölni szeretnéd ezt a személyt?", + "confirm_delete2": "Minden ehhez a személyhez tartozó eszköz hozzárendelés nélküli lesz.", + "create_person": "Személy létrehozása", + "description": "A Home Assistant által követett személyek kezelése", + "detail": { + "create": "Létrehozás", + "delete": "Törlés", + "device_tracker_intro": "Válaszd ki azokat az eszközöket, amelyek ehhez a felhasználóhoz tartoznak.", + "device_tracker_pick": "Válassz egy követni kívánt eszközt", + "device_tracker_picked": "Eszköz követése", + "link_integrations_page": "Integrációk oldal", + "link_presence_detection_integrations": "Jelenlét-érzékelő Integrációk", + "linked_user": "Csatolt felhasználó", + "name": "Név", + "name_error_msg": "Név szükséges", + "new_person": "Új személy", + "no_device_tracker_available_intro": "Ha vannak olyan eszközeid, amelyek jelzik egy személy jelenlétét, akkor itt hozzá tudod rendelni őket egy személyhez. Az első eszköz hozzáadásához válassz egy jelenlét-érzékelő integrációt az integrációk oldalon.", + "update": "Frissítés" + }, + "no_persons_created_yet": "Úgy tűnik, még nem hoztál létre személyeket.", + "note_about_persons_configured_in_yaml": "Megjegyzés: a configuration.yaml fájlban konfigurált személyek nem szerkeszthetők a felhasználói felületen." + }, + "script": { + "caption": "Szkript", + "description": "Szkriptek létrehozása és szerkesztése", + "editor": { + "default_name": "Új szkript", + "delete_confirm": "Biztosan törölni szeretnéd ezt a szkriptet?", + "header": "Szkript: {name}", + "load_error_not_editable": "Csak a scripts.yaml fájlban található szkriptek szerkeszthetők." + }, + "picker": { + "add_script": "Szkript hozzáadása", + "header": "Szkript szerkesztő", + "introduction": "A szkript szerkesztő lehetővé teszi szkriptek létrehozását és szerkesztését. Kérlek, olvasd el az útmutatót az alábbi linken, hogy megbizonyosodj róla, hogy a Home Assistant helyesen van konfigurálva.", + "learn_more": "Tudj meg többet a szkriptekről", + "no_scripts": "Nem találtunk szerkeszthető szkripteket" + } + }, + "server_control": { + "caption": "Szerver vezérlés", + "description": "A Home Assistant szerver újraindítása és leállítása", + "section": { + "reloading": { + "automation": "Automatizálások újratöltése", + "core": "Mag újratöltése", + "group": "Csoportok újratöltése", + "heading": "Konfiguráció újratöltés", + "introduction": "A Home Assistant bizonyos részei újraindítás nélkül újratölthetőek. Az újratöltés az aktuális konfiguráció helyére betölti az újat.", + "scene": "Jelenetek újratöltése", + "script": "Szkriptek újratöltése" + }, + "server_management": { + "confirm_restart": "Biztosan újra akarod indítani a Home Assistantet?", + "confirm_stop": "Biztosan le akarod állítani a Home Assistantet?", + "heading": "Szerver menedzsment", + "introduction": "Home Assistant szerver vezérlése... a Home Assistant-ból.", + "restart": "Újraindítás", + "stop": "Leállítás" + }, + "validation": { + "check_config": "Konfiguráció ellenőrzése", + "heading": "Konfiguráció érvényesítés", + "introduction": "Érvényesítsd a konfigurációt, ha nemrégiben módosítottad azt, és meg szeretnél bizonyosodni róla, hogy minden érvényes", + "invalid": "Érvénytelen konfiguráció", + "valid": "Érvényes konfiguráció!" + } + } + }, + "users": { + "add_user": { + "caption": "Felhasználó hozzáadása", + "create": "Létrehozás", + "name": "Név", + "password": "Jelszó", + "username": "Felhasználónév" + }, + "caption": "Felhasználók", + "description": "Felhasználók kezelése", + "editor": { + "activate_user": "Felhasználó aktiválása", + "active": "Aktív", + "caption": "Felhasználó megtekintése", + "change_password": "Jelszó módosítása", + "confirm_user_deletion": "Biztosan törölni szeretnéd {name}-t?", + "deactivate_user": "Felhasználó inaktiválása", + "delete_user": "Felhasználó törlése", + "enter_new_name": "Add meg az új nevet", + "group": "Csoport", + "group_update_failed": "A csoport frissítése sikertelen:", + "id": "ID", + "owner": "Tulajdonos", + "rename_user": "Felhasználó átnevezése", + "system_generated": "Rendszer által létrehozott", + "system_generated_users_not_removable": "Nem lehet eltávolítani a rendszer által létrehozott felhasználókat.", + "unnamed_user": "Névtelen felhasználó", + "user_rename_failed": "A felhasználó átnevezése sikertelen:" + }, + "picker": { + "system_generated": "Rendszer által létrehozott", + "title": "Felhasználók" + } }, "zha": { - "caption": "ZHA", - "description": "Zigbee Home Automation hálózat menedzsment", - "services": { - "reconfigure": "A ZHA készülék újratelepítése (eszköz rendbehozatala). Ezt a funkciót használd, ha problémáid vannak a készülékkel. Ha a kérdéses eszköz akkumulátoros, győződj meg róla, hogy nincs alvó állapotban és fogadja a parancsokat, amikor ezt a szolgáltatást használod.", - "updateDeviceName": "Egyedi név beállítása ehhez az eszközhöz az eszköz nyilvántartásban", - "remove": "Eszköz eltávolítása a Zigbee hálózatból" - }, - "device_card": { - "device_name_placeholder": "Felhasználónév", - "area_picker_label": "Terület", - "update_name_button": "Név frissítése" - }, "add_device_page": { - "header": "Zigbee Home Automation - Eszközök hozzáadása", - "spinner": "ZHA Zigbee eszközök keresése...", "discovery_text": "A felfedezett eszközök itt fognak megjelenni. A készülékek használati utasításai alapján állítsd őket párosítási módba.", - "search_again": "Keresés Újra" + "header": "Zigbee Home Automation - Eszközök hozzáadása", + "search_again": "Keresés Újra", + "spinner": "ZHA Zigbee eszközök keresése..." + }, + "caption": "ZHA", + "cluster_commands": { + "help_command_dropdown": "Válasszon egy parancsot, amellyel kapcsolatba lép" }, "common": { "add_devices": "Eszközök hozzáadása", "devices": "Eszközök", "value": "Érték" }, + "description": "Zigbee Home Automation hálózat menedzsment", + "device_card": { + "area_picker_label": "Terület", + "device_name_placeholder": "Felhasználónév", + "update_name_button": "Név frissítése" + }, "network_management": { "header": "Hálózat menedzsment" }, "node_management": { "header": "Eszköz kezelés" }, - "cluster_commands": { - "help_command_dropdown": "Válasszon egy parancsot, amellyel kapcsolatba lép" + "services": { + "reconfigure": "A ZHA készülék újratelepítése (eszköz rendbehozatala). Ezt a funkciót használd, ha problémáid vannak a készülékkel. Ha a kérdéses eszköz akkumulátoros, győződj meg róla, hogy nincs alvó állapotban és fogadja a parancsokat, amikor ezt a szolgáltatást használod.", + "remove": "Eszköz eltávolítása a Zigbee hálózatból", + "updateDeviceName": "Egyedi név beállítása ehhez az eszközhöz az eszköz nyilvántartásban" } }, - "area_registry": { - "caption": "Terület Nyilvántartás", - "description": "Az összes otthoni terület áttekintése", - "picker": { - "header": "Terület Nyilvántartás", - "introduction": "A területekkel az eszközök elhelyezkedés szerint rendszerezhetők. Ezen információk felhasználásával a Home Assistant segíteni tud előkészíteni a felületet, a jogosultságokat és az integrációt más rendszerekkel.", - "introduction2": "Az eszközök területekbe történő elhelyezéséhez használd az alábbi linket az integrációs oldalra való navigáláshoz, majd kattints egy konfigurált integrációra az eszközkártyák eléréséhez.", - "integrations_page": "Integrációk oldal", - "no_areas": "Úgy tűnik, nem hoztál még létre egy területet sem!", - "create_area": "TERÜLET LÉTREHOZÁSA" + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Index", + "instance": "Példány", + "unknown": "Ismeretlen", + "value": "Érték", + "wakeup_interval": "Ébresztési időköz" }, - "no_areas": "Úgy tűnik, nem hoztál még létre egy területet sem!", - "create_area": "TERÜLET LÉTREHOZÁSA", - "editor": { - "default_name": "Új Terület", - "delete": "TÖRLÉS", - "update": "FRISSÍTÉS", - "create": "LÉTREHOZÁS" - } - }, - "entity_registry": { - "caption": "Entitás Nyilvántartás", - "description": "Az összes ismert entitás áttekintése", - "picker": { - "header": "Entitás Nyilvántartás", - "unavailable": "(nem elérhető)", - "introduction": "A Home Assistant nyilvántartást vezet minden olyan entitásról, melyet valaha látott, és egyedileg azonosítható. Ezen entitások mindegyikéhez létrejön egy entitás ID, amely csak az adott entitáshoz van rendelve.", - "introduction2": "Az entitás nyilvántartás használatával felülbírálhatod a nevet, módosíthatod az entitás ID-t vagy eltávolíthatod a bejegyzést a Home Assistant-ból. Megjegyzendő, hogy az entitás nyilvántartásból történő bejegyzés eltávolítás nem fogja eltávolítani magát az entitást. Ehhez kövesd az alábbi linket, és távolítsd el azt az integrációk oldalról.", - "integrations_page": "Integrációk oldal", - "show_disabled": "Letiltott entitások megjelenítése", - "headers": { - "name": "Név", - "entity_id": "Entitás ID", - "integration": "Integráció", - "enabled": "Engedélyezve" - } + "description": "Z-Wave hálózat kezelése", + "learn_more": "Tudj meg többet a Z-Wave-ről", + "network_management": { + "header": "Z-Wave hálózat menedzsment", + "introduction": "Olyan parancsok futtatása, amelyek befolyásolják a Z-Wave hálózatot. Nem fogsz visszajelzést kapni arról, hogy a legtöbb parancs sikeres volt-e, de az OZW logok alapján megpróbálhatod kideríteni." }, - "editor": { - "unavailable": "Ez az entitás jelenleg nem elérhető.", - "default_name": "Új Terület", - "delete": "TÖRLÉS", - "update": "FRISSÍTÉS", - "enabled_label": "Entitás engedélyezése", - "enabled_cause": "Letiltva. ({cause})", - "enabled_description": "A letiltott entitások nem lesznek hozzáadva a Home Assistant-hoz.", - "confirm_delete": "Biztosan törölni szeretnéd ezt a bejegyzést?", - "confirm_delete2": "A bejegyzés törlésével az entitás nem kerül eltávolításra a Home Assistant-ból. Ehhez el kell távolítani a '{platform}' integrációt a Home Assistant-ból." - } - }, - "person": { - "caption": "Személyek", - "description": "A Home Assistant által követett személyek kezelése", - "detail": { - "name": "Név", - "device_tracker_intro": "Válaszd ki azokat az eszközöket, amelyek ehhez a felhasználóhoz tartoznak.", - "device_tracker_picked": "Eszköz követése", - "device_tracker_pick": "Válassz egy követni kívánt eszközt", - "new_person": "Új személy", - "name_error_msg": "Név szükséges", - "linked_user": "Csatolt felhasználó", - "no_device_tracker_available_intro": "Ha vannak olyan eszközeid, amelyek jelzik egy személy jelenlétét, akkor itt hozzá tudod rendelni őket egy személyhez. Az első eszköz hozzáadásához válassz egy jelenlét-érzékelő integrációt az integrációk oldalon.", - "link_presence_detection_integrations": "Jelenlét-érzékelő Integrációk", - "link_integrations_page": "Integrációk oldal", - "delete": "Törlés", - "create": "Létrehozás", - "update": "Frissítés" + "network_status": { + "network_started": "Z-Wave hálózat elindult", + "network_started_note_all_queried": "Minden csomópont le lett kérdezve.", + "network_started_note_some_queried": "Az elérhető csomópontok le lettek kérdezve. Az alvó csomópontok akkor lesznek lekérdezve, ha elérhetővé válnak.", + "network_starting": "Z-Wave hálózat indítása...", + "network_starting_note": "Ez eltarthat egy ideig a hálózat méretétől függően.", + "network_stopped": "Z-Wave hálózat leállt" }, - "note_about_persons_configured_in_yaml": "Megjegyzés: a configuration.yaml fájlban konfigurált személyek nem szerkeszthetők a felhasználói felületen.", - "no_persons_created_yet": "Úgy tűnik, még nem hoztál létre személyeket.", - "create_person": "Személy létrehozása", - "add_person": "Személy hozzáadása", - "confirm_delete": "Biztosan törölni szeretnéd ezt a személyt?", - "confirm_delete2": "Minden ehhez a személyhez tartozó eszköz hozzárendelés nélküli lesz." - }, - "server_control": { - "caption": "Szerver vezérlés", - "description": "A Home Assistant szerver újraindítása és leállítása", - "section": { - "validation": { - "heading": "Konfiguráció érvényesítés", - "introduction": "Érvényesítsd a konfigurációt, ha nemrégiben módosítottad azt, és meg szeretnél bizonyosodni róla, hogy minden érvényes", - "check_config": "Konfiguráció ellenőrzése", - "valid": "Érvényes konfiguráció!", - "invalid": "Érvénytelen konfiguráció" - }, - "reloading": { - "heading": "Konfiguráció újratöltés", - "introduction": "A Home Assistant bizonyos részei újraindítás nélkül újratölthetőek. Az újratöltés az aktuális konfiguráció helyére betölti az újat.", - "core": "Mag újratöltése", - "group": "Csoportok újratöltése", - "automation": "Automatizálások újratöltése", - "script": "Szkriptek újratöltése", - "scene": "Jelenetek újratöltése" - }, - "server_management": { - "heading": "Szerver menedzsment", - "introduction": "Home Assistant szerver vezérlése... a Home Assistant-ból.", - "restart": "Újraindítás", - "stop": "Leállítás", - "confirm_restart": "Biztosan újra akarod indítani a Home Assistantet?", - "confirm_stop": "Biztosan le akarod állítani a Home Assistantet?" - } - } - }, - "devices": { - "caption": "Eszközök", - "description": "Csatlakoztatott eszközök kezelése", - "automation": { - "triggers": { - "caption": "Csinálj valamit, amikor a(z)..." - }, - "conditions": { - "caption": "Csak akkor csinálj valamit, ha a(z)..." - }, - "actions": { - "caption": "Ha valami triggerelődik, akkor..." - } - } - }, - "common": { - "editor": { - "confirm_unsaved": "Vannak nem mentett módosítások. Biztos, hogy elhagyod az oldalt?" + "node_config": { + "config_parameter": "Konfigurációs paraméter", + "config_value": "Konfigurációs érték", + "false": "Hamis", + "header": "Csomópont konfigurációs beállítások", + "seconds": "másodperc", + "set_config_parameter": "Konfigurációs paraméter beállítása", + "set_wakeup": "Ébresztési időköz beállítása", + "true": "Igaz" + }, + "ozw_log": { + "header": "OZW Log", + "introduction": "Napló megtekintése. 0 a minimum (a teljes naplót betölti) és 1000 a maximum. A betöltés statikus naplót jelenít meg, és a vége automatikusan frissül a napló utolsó meghatározott számú sorával." + }, + "services": { + "add_node": "Csomópont hozzáadása", + "add_node_secure": "Biztonságos csomópont hozzáadása", + "cancel_command": "Parancs megszakítása", + "heal_network": "Hálózati struktúra feltérképezése", + "remove_node": "Csomópont eltávolítása", + "save_config": "Konfiguráció mentése", + "soft_reset": "Soft Reset", + "start_network": "Hálózat indítása", + "stop_network": "Hálózat leállítása", + "test_network": "Hálózat tesztelése" + }, + "values": { + "header": "Csomópont értékek" } } }, - "profile": { - "push_notifications": { - "header": "Push Értesítések", - "description": "Értesítések küldése erre az eszközre.", - "error_load_platform": "Állítsd be a notify.html5-t.", - "error_use_https": "Szükséges az SSL engedélyezése a felülethez.", - "push_notifications": "Push értesítések", - "link_promo": "Tudj meg többet" - }, - "language": { - "header": "Nyelv", - "link_promo": "Segíts a fordításban", - "dropdown_label": "Nyelv" - }, - "themes": { - "header": "Téma", - "error_no_theme": "Nincsenek elérhető témák.", - "link_promo": "Tudj meg többet a témákról", - "dropdown_label": "Téma" - }, - "refresh_tokens": { - "header": "Frissítési Tokenek", - "description": "Minden frissítési token egy bejelentkezési munkamenetet képvisel. A frissítési tokenek automatikusan eltávolításra kerülnek, amikor a kijelentkezésre kattintasz. Jelenleg a következő frissítési tokenek aktívak a fiókodban.", - "token_title": "{clientId} frissítési tokenje", - "created_at": "Létrehozva: {date}", - "confirm_delete": "Biztosan törölni szeretnéd {name} frissítési tokenjét?", - "delete_failed": "Nem sikerült törölni a frissítési tokent.", - "last_used": "Utolsó használat ideje: {date}, helye: {location}", - "not_used": "Sosem használt", - "current_token_tooltip": "Nem lehet törölni az aktuális frissítési tokent" - }, - "long_lived_access_tokens": { - "header": "Hosszú Életű Hozzáférési Tokenek", - "description": "Hosszú életű hozzáférési tokenek létrehozásával engedélyezheted a szkriptjeid számára, hogy csatlakozzanak a Home Assistant példányodhoz. Minden token 10 évig érvényes a létrehozástól számítva. Jelenleg a következő hosszú életű hozzáférési tokenek aktívak.", - "learn_auth_requests": "Tudj meg többet a hitelesített kérelmek létrehozásáról.", - "created_at": "Létrehozva: {date}", - "confirm_delete": "Biztosan törölni szeretnéd {name} hozzáférési tokenjét?", - "delete_failed": "Nem sikerült törölni a hozzáférési tokent.", - "create": "Token Létrehozása", - "create_failed": "Nem sikerült létrehozni a hozzáférési tokent.", - "prompt_name": "Név?", - "prompt_copy_token": "Most másold ki a hozzáférési tokened! Erre később nem lesz lehetőséged.", - "empty_state": "Még nincsenek hosszú életű hozzáférési tokenjeid.", - "last_used": "Utolsó használat ideje: {date}, helye: {location}", - "not_used": "Sosem használt" - }, - "current_user": "Jelenleg {fullName} felhasználóként vagy bejelentkezve.", - "is_owner": "Tulajdonos vagy.", - "change_password": { - "header": "Jelszó Módosítása", - "current_password": "Jelenlegi Jelszó", - "new_password": "Új Jelszó", - "confirm_new_password": "Új Jelszó Megerősítése", - "error_required": "Szükséges", - "submit": "Küldés" - }, - "mfa": { - "header": "Többfaktoros Hitelesítési Modulok", - "disable": "Letilt", - "enable": "Engedélyez", - "confirm_disable": "Biztosan le szeretnéd tiltani {name}-t?" - }, - "mfa_setup": { - "title_aborted": "Megszakítva", - "title_success": "Siker!", - "step_done": "{step} beállítás elvégezve", - "close": "Bezárás", - "submit": "Küldés" - }, - "logout": "Kijelentkezés", - "force_narrow": { - "header": "Mindig rejtse el az oldalsávot", - "description": "Ez alapértelmezés szerint elrejti az oldalsávot, hasonlóan a mobil verzióhoz." - }, - "vibrate": { - "header": "Rezgés", - "description": "Rezgés engedélyezése vagy tiltása ezen az eszközön az eszközök vezérlésekor." - }, - "advanced_mode": { - "title": "Haladó üzemmód", - "description": "A Home Assistant alapértelmezés szerint elrejti a haladó funkciókat és beállításokat, de ezzel a kapcsolóval elérhetővé teheted őket. Ez egy felhasználó-specifikus beállítás, ami nem befolyásolja a többi felhasználó felületét." - } - }, - "page-authorize": { - "initializing": "Inicializálás", - "authorizing_client": "Éppen a {clientId} számára készülsz hozzáférést biztosítani a Home Assistant példányodhoz.", - "logging_in_with": "Bejelentkezés **{authProviderName}** használatával.", - "pick_auth_provider": "Vagy válassz a következő bejelentkezési módok közül", - "abort_intro": "Bejelentkezés megszakítva", - "form": { - "working": "Kérlek várj", - "unknown_error": "Valami hiba történt", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Felhasználónév", - "password": "Jelszó" - } - }, - "mfa": { - "data": { - "code": "Kétfaktoros Hitelesítési Kód" - }, - "description": "Nyisd meg a(z) **{mfa_module_name}** applikációt az eszközödön, hogy megtekintsd a kétfaktoros hitelesítési kódodat a személyazonosságod ellenőrzéséhez." - } - }, - "error": { - "invalid_auth": "Érvénytelen felhasználónév vagy jelszó", - "invalid_code": "Érvénytelen hitelesítési kód" - }, - "abort": { - "login_expired": "A munkamenet lejárt, kérlek, jelentkezz be újra." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "API Jelszó" - }, - "description": "Kérlek, add meg az API jelszót a http konfigurációban:" - }, - "mfa": { - "data": { - "code": "Kétfaktoros Hitelesítési Kód" - }, - "description": "Nyisd meg a(z) **{mfa_module_name}** applikációt az eszközödön, hogy megtekintsd a kétfaktoros hitelesítési kódodat a személyazonosságod ellenőrzéséhez." - } - }, - "error": { - "invalid_auth": "Érvénytelen API jelszó", - "invalid_code": "Érvénytelen hitelesítési kód" - }, - "abort": { - "no_api_password_set": "Nincs megadva API jelszó a konfigurációban.", - "login_expired": "A munkamenet lejárt, kérlek, jelentkezz be újra." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Felhasználó" - }, - "description": "Kérlek, válassz egy felhasználót a bejelentkezéshez:" - } - }, - "abort": { - "not_whitelisted": "A számítógéped nem engedélyezett." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Felhasználónév", - "password": "Jelszó" - } - }, - "mfa": { - "data": { - "code": "Kétfaktoros Hitelesítési Kód" - }, - "description": "Nyisd meg a(z) **{mfa_module_name}** applikációt az eszközödön, hogy megtekintsd a kétfaktoros hitelesítési kódodat a személyazonosságod ellenőrzéséhez." - } - }, - "error": { - "invalid_auth": "Érvénytelen felhasználónév vagy jelszó", - "invalid_code": "Érvénytelen hitelesítési kód" - }, - "abort": { - "login_expired": "A munkamenet lejárt, kérlek, jelentkezz be újra." - } - } - } - } - }, - "page-onboarding": { - "intro": "Készen állsz arra, hogy felébreszd az otthonod, visszaszerezd a magánéleted és csatlakozz egy világhálós közösséghez?", - "user": { - "intro": "Kezdjük a felhasználói fiók létrehozásával.", - "required_field": "Szükséges", - "data": { - "name": "Név", - "username": "Felhasználónév", - "password": "Jelszó", - "password_confirm": "Jelszó megerősítése" + "developer-tools": { + "tabs": { + "events": { + "alert_event_type": "Az esemény típusa kötelező mező", + "available_events": "Elérhető események", + "count_listeners": " ({count} figyelő)", + "data": "Esemény adatai (YAML, opcionális)", + "description": "Esemény meghívása az esemény buszon.", + "documentation": "Események dokumentációja.", + "event_fired": "A(z) {name} esemény meg lett hívva", + "fire_event": "Esemény meghívása", + "listen_to_events": "Események figyelése", + "listening_to": "Figyelés:", + "notification_event_fired": "{type} esemény sikeresen meghívva!", + "start_listening": "Figyelés indítása", + "stop_listening": "Figyelés befejezése", + "subscribe_to": "Feliratkozás erre az eseményre", + "title": "Események", + "type": "Esemény típusa" }, - "create_account": "Fiók Létrehozása", - "error": { - "required_fields": "Töltsd ki az összes szükséges mezőt", - "password_not_match": "A jelszavak nem egyeznek" + "info": { + "built_using": "Buildelve:", + "custom_uis": "Egyéni felhasználói felületek:", + "default_ui": "{name} felület alapértelmezett oldalként történő {action} ezen az eszközön", + "developed_by": "Egy csomó fantasztikus ember által kifejlesztve.", + "frontend": "frontend-ui", + "frontend_version": "Frontend verzió: {version} - {type}", + "home_assistant_logo": "Home Assistant logó", + "icons_by": "Ikonokat készítette:", + "license": "Megjelent az Apache 2.0 licenc alatt", + "lovelace_ui": "Ugrás a Lovelace felületre", + "path_configuration": "A configuration.yaml fájl elérési útja: {path}", + "remove": "beállításának visszavonása", + "server": "server", + "set": "beállítása", + "source": "Forrás:", + "states_ui": "Ugrás a States felületre", + "system_health_error": "A rendszerállapot összetevő nincs betöltve. Add hozzá a 'system_health:' sort a configuration.yaml fájlhoz.", + "title": "Infó" + }, + "logs": { + "clear": "Törlés", + "details": "Naplózás részletessége ({level})", + "load_full_log": "Teljes Home Assistant napló betöltése", + "loading_log": "Hibanapló betöltése...", + "no_issues": "Nincsenek új bejegyzések!", + "refresh": "Frissítés", + "title": "Napló" + }, + "mqtt": { + "description_listen": "Téma figyelése", + "description_publish": "Csomag közzététele", + "listening_to": "Figyelés:", + "message_received": "Üzenet ({id}) érkezett a(z) {topic} témában {idő}-kor:", + "payload": "Payload (sablon megengedett)", + "publish": "Közzététel", + "start_listening": "Figyelés indítása", + "stop_listening": "Figyelés befejezése", + "subscribe_to": "Feliratkozás erre a témára", + "title": "MQTT", + "topic": "téma" + }, + "services": { + "alert_parsing_yaml": "Hiba a YAML elemzésekor: {data}", + "call_service": "Szolgáltatás meghívása", + "column_description": "Leírás", + "column_example": "Példa", + "column_parameter": "Paraméter", + "data": "Szolgáltatás adatai (YAML, opcionális)", + "description": "A 'service dev' eszköz lehetővé teszi bármely Home Assistant-ban rendelkezésre álló szolgáltatás meghívását.", + "fill_example_data": "Kitöltés példaadatokkal", + "no_description": "Nem áll rendelkezésre leírás", + "no_parameters": "Ennek a szolgáltatásnak nincsenek paraméterei.", + "select_service": "Válassz egy szolgáltatást a leírás megtekintéséhez", + "title": "Szolgáltatások" + }, + "states": { + "alert_entity_field": "Az entitás kötelező mező", + "attributes": "Attribútumok", + "current_entities": "Jelenlegi entitások", + "description1": "Egy eszköz állapotának beállítása a Home Assistant-ban.", + "description2": "Ez nem fog kommunikálni az aktuális eszközzel.", + "entity": "Entitás", + "filter_attributes": "Attribútumok szűrése", + "filter_entities": "Entitások szűrése", + "filter_states": "Állapotok szűrése", + "more_info": "További infók", + "no_entities": "Nincs entitás", + "set_state": "Állapot beállítása", + "state": "Állapot", + "state_attributes": "Állapot attribútumok (YAML, opcionális)", + "title": "Állapotok" + }, + "templates": { + "description": "A sablonok a Jinja2 sablonmotor és néhány Home Assistant specifikus bővítmény segítségével kerülnek kiértékelésre.", + "editor": "Sablonszerkesztő", + "jinja_documentation": "Jinja2 sablon dokumentáció", + "template_extensions": "Home Assistant sablon bővítmények", + "title": "Sablon", + "unknown_error_template": "Ismeretlen hiba a sablon kiértékelésekor" } - }, - "integration": { - "intro": "Az eszközöket és szolgáltatásokat a Home Assistant integrációként kezeli. Beállíthatod őket most, vagy később a konfigurációs képernyőn.", - "more_integrations": "Több", - "finish": "Befejezés" - }, - "core-config": { - "intro": "Hello {name}, üdvözöl a Home Assistant. Hogyan szeretnéd elnevezni az otthonodat?", - "intro_location": "Szeretnénk tudni, hogy hol élsz. Ez segít az információk megjelenítésében és a nap alapú automatizálások beállításában. Ez az adat soha nem lesz megosztva a hálózatodon kívül.", - "intro_location_detect": "Segíthetünk neked kitölteni ezt az információt egy külső szolgáltatás egyszeri lekérdezésével.", - "location_name_default": "Otthon", - "button_detect": "Észlelés", - "finish": "Tovább" } }, + "history": { + "period": "Időtartam", + "showing_entries": "Bejegyzések megjelenítése" + }, + "logbook": { + "period": "Időszak", + "showing_entries": "Bejegyzések megjelenítése" + }, "lovelace": { "cards": { - "shopping-list": { - "checked_items": "Bejelölt tételek", - "clear_items": "Bejelölt tételek törlése", - "add_item": "Tétel hozzáadása" - }, + "confirm_delete": "Biztosan törölni szeretnéd ezt a kártyát?", "empty_state": { - "title": "Üdv Itthon", + "go_to_integrations_page": "Ugrás az 'integrációk' oldalra.", "no_devices": "Ez az oldal lehetővé teszi az eszközeid vezérlését, de úgy tűnik, hogy még nincs beállítva egy sem. A kezdéshez lépj át az integrációs oldalra.", - "go_to_integrations_page": "Ugrás az 'integrációk' oldalra." + "title": "Üdv Itthon" }, "picture-elements": { - "hold": "Tartás:", - "tap": "Koppintás:", - "navigate_to": "Ugrás {location}", - "toggle": "Váltás {name}", "call_service": "Szolgáltatás meghívása {name}", + "hold": "Tartás:", "more_info": "További infók megjelenítése: {name}", + "navigate_to": "Ugrás {location}", + "tap": "Koppintás:", + "toggle": "Váltás {name}", "url": "Ablak megnyitása: {url_path}" }, - "confirm_delete": "Biztosan törölni szeretnéd ezt a kártyát?" + "shopping-list": { + "add_item": "Tétel hozzáadása", + "checked_items": "Bejelölt tételek", + "clear_items": "Bejelölt tételek törlése" + } + }, + "changed_toast": { + "message": "A Lovelace config módosult, szeretnéd frissíteni?", + "refresh": "Frissítés" }, "editor": { - "edit_card": { - "header": "Kártya Konfiguráció", - "save": "Mentés", - "toggle_editor": "Szerkesztő", - "pick_card": "Melyik kártyát szeretnéd hozzáadni?", - "add": "Kártya hozzáadása", - "edit": "Szerkesztés", - "delete": "Törlés", - "move": "Áthelyezés", - "show_visual_editor": "Vizuális szerkesztő megjelenítése", - "show_code_editor": "Kódszerkesztő megjelenítése", - "pick_card_view_title": "Melyik kártyát szeretnéd hozzáadni a(z) {name} nézethez?", - "options": "További lehetõségek" - }, - "migrate": { - "header": "Inkompatibilis Konfiguráció", - "para_no_id": "Ez az elem nem rendelkezik ID-val. Kérlek, adj hozzá egyet az 'ui-lovelace.yaml' fájlban!", - "para_migrate": "A Home Assistant a 'Konfiguráció áttelepítése' gomb megnyomásával az összes kártyához és nézethez automatikusan létre tud hozni ID-kat.", - "migrate": "Konfiguráció áttelepítése" - }, - "header": "Felhasználói felület szerkesztése", - "edit_view": { - "header": "Nézet konfigurálása", - "add": "Nézet hozzáadása", - "edit": "Nézet szerkesztése", - "delete": "Nézet törlése", - "header_name": "{name} Konfiguráció megtekintése" - }, - "save_config": { - "header": "Vedd át az irányítást a Lovelace UI felett", - "para": "Alapértelmezés szerint a Home Assistant kezeli a felhasználói felületet, és frissíti azt, amikor új entitások vagy Lovelace komponensek válnak elérhetővé. Ha átveszed az irányítást, többé nem fogunk automatikusan módosításokat végezni számodra.", - "para_sure": "Biztosan át szeretnéd venni az irányítást a felhasználói felületed felett?", - "cancel": "Mégsem", - "save": "Irányítás átvétele" - }, - "menu": { - "raw_editor": "Konfiguráció szerkesztő", - "open": "Lovelace menü megnyitása" - }, - "raw_editor": { - "header": "Konfiguráció szerkesztése", - "save": "Mentés", - "unsaved_changes": "Nem mentett változások", - "saved": "Mentett" - }, - "edit_lovelace": { - "header": "Lovelace UI címe", - "explanation": "Ez a cím jelenik meg minden nézet felett a Lovelace-ben." - }, "card": { "alarm_panel": { "available_states": "Rendelkezésre álló állapotok" }, + "alarm-panel": { + "available_states": "Rendelkezésre álló állapotok", + "name": "Riasztópanel" + }, + "conditional": { + "name": "Feltételes" + }, "config": { - "required": "Szükséges", - "optional": "Opcionális" + "optional": "Opcionális", + "required": "Szükséges" }, "entities": { - "show_header_toggle": "Fejléc kapcsoló megjelenítése?", - "name": "Entitások" + "name": "Entitások", + "show_header_toggle": "Fejléc kapcsoló megjelenítése?" + }, + "entity-button": { + "name": "Entitás gomb" + }, + "entity-filter": { + "name": "Entitás szűrő" }, "gauge": { + "name": "Műszer", "severity": { "define": "Súlyosság meghatározása?", "green": "Zöld", "red": "Piros", "yellow": "Sárga" - }, - "name": "Műszer" - }, - "glance": { - "columns": "Oszlopok", - "name": "Pillantás" + } }, "generic": { "aspect_ratio": "Oldalarány", @@ -1473,39 +1565,14 @@ "show_name": "Név megjelenítése?", "show_state": "Állapot megjelenítése?", "tap_action": "Koppintási művelet", - "title": "Cím", "theme": "Téma", + "title": "Cím", "unit": "Egység", "url": "URL" }, - "map": { - "geo_location_sources": "Helylokáció forrásai", - "dark_mode": "Sötét mód?", - "default_zoom": "Alapértelmezett nagyítás", - "source": "Forrás", - "name": "Térkép" - }, - "markdown": { - "content": "Tartalom", - "name": "Markdown" - }, - "sensor": { - "graph_detail": "Grafikon részletei", - "graph_type": "Grafikon típusa", - "name": "Érzékelő" - }, - "alarm-panel": { - "name": "Riasztópanel", - "available_states": "Rendelkezésre álló állapotok" - }, - "conditional": { - "name": "Feltételes" - }, - "entity-button": { - "name": "Entitás gomb" - }, - "entity-filter": { - "name": "Entitás szűrő" + "glance": { + "columns": "Oszlopok", + "name": "Pillantás" }, "history-graph": { "name": "Előzmény grafikon" @@ -1519,12 +1586,20 @@ "light": { "name": "Világítás" }, + "map": { + "dark_mode": "Sötét mód?", + "default_zoom": "Alapértelmezett nagyítás", + "geo_location_sources": "Helylokáció forrásai", + "name": "Térkép", + "source": "Forrás" + }, + "markdown": { + "content": "Tartalom", + "name": "Markdown" + }, "media-control": { "name": "Médiavezérlés" }, - "picture": { - "name": "Kép" - }, "picture-elements": { "name": "Kép elemek" }, @@ -1534,9 +1609,17 @@ "picture-glance": { "name": "Kép pillantás" }, + "picture": { + "name": "Kép" + }, "plant-status": { "name": "Növény állapota" }, + "sensor": { + "graph_detail": "Grafikon részletei", + "graph_type": "Grafikon típusa", + "name": "Érzékelő" + }, "shopping-list": { "name": "Bevásárló lista" }, @@ -1550,6 +1633,55 @@ "name": "Időjárás előrejelzés" } }, + "edit_card": { + "add": "Kártya hozzáadása", + "delete": "Törlés", + "edit": "Szerkesztés", + "header": "Kártya Konfiguráció", + "move": "Áthelyezés", + "options": "További lehetõségek", + "pick_card": "Melyik kártyát szeretnéd hozzáadni?", + "pick_card_view_title": "Melyik kártyát szeretnéd hozzáadni a(z) {name} nézethez?", + "save": "Mentés", + "show_code_editor": "Kódszerkesztő megjelenítése", + "show_visual_editor": "Vizuális szerkesztő megjelenítése", + "toggle_editor": "Szerkesztő" + }, + "edit_lovelace": { + "explanation": "Ez a cím jelenik meg minden nézet felett a Lovelace-ben.", + "header": "Lovelace UI címe" + }, + "edit_view": { + "add": "Nézet hozzáadása", + "delete": "Nézet törlése", + "edit": "Nézet szerkesztése", + "header": "Nézet konfigurálása", + "header_name": "{name} Konfiguráció megtekintése" + }, + "header": "Felhasználói felület szerkesztése", + "menu": { + "open": "Lovelace menü megnyitása", + "raw_editor": "Konfiguráció szerkesztő" + }, + "migrate": { + "header": "Inkompatibilis Konfiguráció", + "migrate": "Konfiguráció áttelepítése", + "para_migrate": "A Home Assistant a 'Konfiguráció áttelepítése' gomb megnyomásával az összes kártyához és nézethez automatikusan létre tud hozni ID-kat.", + "para_no_id": "Ez az elem nem rendelkezik ID-val. Kérlek, adj hozzá egyet az 'ui-lovelace.yaml' fájlban!" + }, + "raw_editor": { + "header": "Konfiguráció szerkesztése", + "save": "Mentés", + "saved": "Mentett", + "unsaved_changes": "Nem mentett változások" + }, + "save_config": { + "cancel": "Mégsem", + "header": "Vedd át az irányítást a Lovelace UI felett", + "para": "Alapértelmezés szerint a Home Assistant kezeli a felhasználói felületet, és frissíti azt, amikor új entitások vagy Lovelace komponensek válnak elérhetővé. Ha átveszed az irányítást, többé nem fogunk automatikusan módosításokat végezni számodra.", + "para_sure": "Biztosan át szeretnéd venni az irányítást a felhasználói felületed felett?", + "save": "Irányítás átvétele" + }, "view": { "panel_mode": { "title": "Panel mód?" @@ -1558,422 +1690,290 @@ }, "menu": { "configure_ui": "Felhasználói felület konfigurálása", - "unused_entities": "Nem használt entitások", "help": "Súgó", - "refresh": "Frissítés" - }, - "warning": { - "entity_not_found": "Entitás nem elérhető: {entity}", - "entity_non_numeric": "Entitás nem numerikus: {entity}" - }, - "changed_toast": { - "message": "A Lovelace config módosult, szeretnéd frissíteni?", - "refresh": "Frissítés" + "refresh": "Frissítés", + "unused_entities": "Nem használt entitások" }, "reload_lovelace": "Lovelace Újratöltése", "views": { "confirm_delete": "Biztosan törölni szeretnéd ezt a nézetet?", "existing_cards": "Nem törölhetsz olyan nézetet, amely kártyákat tartalmaz. Először távolítsd el a kártyákat." + }, + "warning": { + "entity_non_numeric": "Entitás nem numerikus: {entity}", + "entity_not_found": "Entitás nem elérhető: {entity}" } }, + "mailbox": { + "delete_button": "Törlés", + "delete_prompt": "Törlöd az üzenetet?", + "empty": "Nincsenek üzeneteid", + "playback_title": "Üzenet lejátszása" + }, + "page-authorize": { + "abort_intro": "Bejelentkezés megszakítva", + "authorizing_client": "Éppen a {clientId} számára készülsz hozzáférést biztosítani a Home Assistant példányodhoz.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "A munkamenet lejárt, kérlek, jelentkezz be újra." + }, + "error": { + "invalid_auth": "Érvénytelen felhasználónév vagy jelszó", + "invalid_code": "Érvénytelen hitelesítési kód" + }, + "step": { + "init": { + "data": { + "password": "Jelszó", + "username": "Felhasználónév" + } + }, + "mfa": { + "data": { + "code": "Kétfaktoros Hitelesítési Kód" + }, + "description": "Nyisd meg a(z) **{mfa_module_name}** applikációt az eszközödön, hogy megtekintsd a kétfaktoros hitelesítési kódodat a személyazonosságod ellenőrzéséhez." + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "A munkamenet lejárt, kérlek, jelentkezz be újra." + }, + "error": { + "invalid_auth": "Érvénytelen felhasználónév vagy jelszó", + "invalid_code": "Érvénytelen hitelesítési kód" + }, + "step": { + "init": { + "data": { + "password": "Jelszó", + "username": "Felhasználónév" + } + }, + "mfa": { + "data": { + "code": "Kétfaktoros Hitelesítési Kód" + }, + "description": "Nyisd meg a(z) **{mfa_module_name}** applikációt az eszközödön, hogy megtekintsd a kétfaktoros hitelesítési kódodat a személyazonosságod ellenőrzéséhez." + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "A munkamenet lejárt, kérlek, jelentkezz be újra.", + "no_api_password_set": "Nincs megadva API jelszó a konfigurációban." + }, + "error": { + "invalid_auth": "Érvénytelen API jelszó", + "invalid_code": "Érvénytelen hitelesítési kód" + }, + "step": { + "init": { + "data": { + "password": "API Jelszó" + }, + "description": "Kérlek, add meg az API jelszót a http konfigurációban:" + }, + "mfa": { + "data": { + "code": "Kétfaktoros Hitelesítési Kód" + }, + "description": "Nyisd meg a(z) **{mfa_module_name}** applikációt az eszközödön, hogy megtekintsd a kétfaktoros hitelesítési kódodat a személyazonosságod ellenőrzéséhez." + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "A számítógéped nem engedélyezett." + }, + "step": { + "init": { + "data": { + "user": "Felhasználó" + }, + "description": "Kérlek, válassz egy felhasználót a bejelentkezéshez:" + } + } + } + }, + "unknown_error": "Valami hiba történt", + "working": "Kérlek várj" + }, + "initializing": "Inicializálás", + "logging_in_with": "Bejelentkezés **{authProviderName}** használatával.", + "pick_auth_provider": "Vagy válassz a következő bejelentkezési módok közül" + }, "page-demo": { "cards": { "demo": { "demo_by": "készítette: {name}", - "next_demo": "Következő demó", "introduction": "Üdv itthon! Megnyitottad a Home Assistant demót, ahol bemutatjuk a közösségünk által létrehozott legjobb felhasználói felületeket.", - "learn_more": "Tudj meg többet a Home Assistant-ról" + "learn_more": "Tudj meg többet a Home Assistant-ról", + "next_demo": "Következő demó" } }, "config": { "arsaboo": { - "names": { - "upstairs": "Emelet", - "family_room": "Nappali", - "kitchen": "Konyha", - "patio": "Terasz", - "hallway": "Előszoba", - "master_bedroom": "Hálószoba", - "left": "Bal", - "right": "Jobb", - "mirror": "Tükör", - "temperature_study": "Tanulószoba hőmérséklet" - }, "labels": { - "lights": "Világítás", - "information": "Információ", - "morning_commute": "Reggeli útidő a munkahelyre", + "activity": "Tevékenység", + "air": "Levegő", "commute_home": "Útidő haza", "entertainment": "Szórakozás", - "activity": "Tevékenység", "hdmi_input": "HDMI bemenet", "hdmi_switcher": "HDMI váltó", - "volume": "Hangerő", + "information": "Információ", + "lights": "Világítás", + "morning_commute": "Reggeli útidő a munkahelyre", "total_tv_time": "Összes TV nézéssel töltött idő", "turn_tv_off": "Televízió kikapcsolása", - "air": "Levegő" + "volume": "Hangerő" + }, + "names": { + "family_room": "Nappali", + "hallway": "Előszoba", + "kitchen": "Konyha", + "left": "Bal", + "master_bedroom": "Hálószoba", + "mirror": "Tükör", + "patio": "Terasz", + "right": "Jobb", + "temperature_study": "Tanulószoba hőmérséklet", + "upstairs": "Emelet" }, "unit": { - "watching": "megtekintő", - "minutes_abbr": "perc" + "minutes_abbr": "perc", + "watching": "megtekintő" } } } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Észlelés", + "finish": "Tovább", + "intro": "Hello {name}, üdvözöl a Home Assistant. Hogyan szeretnéd elnevezni az otthonodat?", + "intro_location": "Szeretnénk tudni, hogy hol élsz. Ez segít az információk megjelenítésében és a nap alapú automatizálások beállításában. Ez az adat soha nem lesz megosztva a hálózatodon kívül.", + "intro_location_detect": "Segíthetünk neked kitölteni ezt az információt egy külső szolgáltatás egyszeri lekérdezésével.", + "location_name_default": "Otthon" + }, + "integration": { + "finish": "Befejezés", + "intro": "Az eszközöket és szolgáltatásokat a Home Assistant integrációként kezeli. Beállíthatod őket most, vagy később a konfigurációs képernyőn.", + "more_integrations": "Több" + }, + "intro": "Készen állsz arra, hogy felébreszd az otthonod, visszaszerezd a magánéleted és csatlakozz egy világhálós közösséghez?", + "user": { + "create_account": "Fiók Létrehozása", + "data": { + "name": "Név", + "password": "Jelszó", + "password_confirm": "Jelszó megerősítése", + "username": "Felhasználónév" + }, + "error": { + "password_not_match": "A jelszavak nem egyeznek", + "required_fields": "Töltsd ki az összes szükséges mezőt" + }, + "intro": "Kezdjük a felhasználói fiók létrehozásával.", + "required_field": "Szükséges" + } + }, + "profile": { + "advanced_mode": { + "description": "A Home Assistant alapértelmezés szerint elrejti a haladó funkciókat és beállításokat, de ezzel a kapcsolóval elérhetővé teheted őket. Ez egy felhasználó-specifikus beállítás, ami nem befolyásolja a többi felhasználó felületét.", + "title": "Haladó üzemmód" + }, + "change_password": { + "confirm_new_password": "Új Jelszó Megerősítése", + "current_password": "Jelenlegi Jelszó", + "error_required": "Szükséges", + "header": "Jelszó Módosítása", + "new_password": "Új Jelszó", + "submit": "Küldés" + }, + "current_user": "Jelenleg {fullName} felhasználóként vagy bejelentkezve.", + "force_narrow": { + "description": "Ez alapértelmezés szerint elrejti az oldalsávot, hasonlóan a mobil verzióhoz.", + "header": "Mindig rejtse el az oldalsávot" + }, + "is_owner": "Tulajdonos vagy.", + "language": { + "dropdown_label": "Nyelv", + "header": "Nyelv", + "link_promo": "Segíts a fordításban" + }, + "logout": "Kijelentkezés", + "long_lived_access_tokens": { + "confirm_delete": "Biztosan törölni szeretnéd {name} hozzáférési tokenjét?", + "create": "Token Létrehozása", + "create_failed": "Nem sikerült létrehozni a hozzáférési tokent.", + "created_at": "Létrehozva: {date}", + "delete_failed": "Nem sikerült törölni a hozzáférési tokent.", + "description": "Hosszú életű hozzáférési tokenek létrehozásával engedélyezheted a szkriptjeid számára, hogy csatlakozzanak a Home Assistant példányodhoz. Minden token 10 évig érvényes a létrehozástól számítva. Jelenleg a következő hosszú életű hozzáférési tokenek aktívak.", + "empty_state": "Még nincsenek hosszú életű hozzáférési tokenjeid.", + "header": "Hosszú Életű Hozzáférési Tokenek", + "last_used": "Utolsó használat ideje: {date}, helye: {location}", + "learn_auth_requests": "Tudj meg többet a hitelesített kérelmek létrehozásáról.", + "not_used": "Sosem használt", + "prompt_copy_token": "Most másold ki a hozzáférési tokened! Erre később nem lesz lehetőséged.", + "prompt_name": "Név?" + }, + "mfa_setup": { + "close": "Bezárás", + "step_done": "{step} beállítás elvégezve", + "submit": "Küldés", + "title_aborted": "Megszakítva", + "title_success": "Siker!" + }, + "mfa": { + "confirm_disable": "Biztosan le szeretnéd tiltani {name}-t?", + "disable": "Letilt", + "enable": "Engedélyez", + "header": "Többfaktoros Hitelesítési Modulok" + }, + "push_notifications": { + "description": "Értesítések küldése erre az eszközre.", + "error_load_platform": "Állítsd be a notify.html5-t.", + "error_use_https": "Szükséges az SSL engedélyezése a felülethez.", + "header": "Push Értesítések", + "link_promo": "Tudj meg többet", + "push_notifications": "Push értesítések" + }, + "refresh_tokens": { + "confirm_delete": "Biztosan törölni szeretnéd {name} frissítési tokenjét?", + "created_at": "Létrehozva: {date}", + "current_token_tooltip": "Nem lehet törölni az aktuális frissítési tokent", + "delete_failed": "Nem sikerült törölni a frissítési tokent.", + "description": "Minden frissítési token egy bejelentkezési munkamenetet képvisel. A frissítési tokenek automatikusan eltávolításra kerülnek, amikor a kijelentkezésre kattintasz. Jelenleg a következő frissítési tokenek aktívak a fiókodban.", + "header": "Frissítési Tokenek", + "last_used": "Utolsó használat ideje: {date}, helye: {location}", + "not_used": "Sosem használt", + "token_title": "{clientId} frissítési tokenje" + }, + "themes": { + "dropdown_label": "Téma", + "error_no_theme": "Nincsenek elérhető témák.", + "header": "Téma", + "link_promo": "Tudj meg többet a témákról" + }, + "vibrate": { + "description": "Rezgés engedélyezése vagy tiltása ezen az eszközön az eszközök vezérlésekor.", + "header": "Rezgés" + } + }, + "shopping-list": { + "add_item": "Tétel hozzáadása", + "clear_completed": "Bejelöltek törlése", + "microphone_tip": "Koppints a jobb felső sarokban található mikrofonra, és mondd ki: \"Add candy to my shopping list\"" } }, "sidebar": { - "log_out": "Kijelentkezés", "external_app_configuration": "App Konfiguráció", + "log_out": "Kijelentkezés", "sidebar_toggle": "Oldalsáv kapcsoló" - }, - "common": { - "loading": "Betöltés", - "cancel": "Mégse", - "save": "Mentés", - "successfully_saved": "Sikeresen elmentve" - }, - "duration": { - "day": "{count} {count, plural,\none {nap}\nother {nap}\n}", - "week": "{count} {count, plural,\none {hét}\nother {hét}\n}", - "second": "{count} {count, plural,\none {másodperc}\nother {másodperc}\n}", - "minute": "{count} {count, plural,\none {perc}\nother {perc}\n}", - "hour": "{count} {count, plural,\none {óra}\nother {óra}\n}" - }, - "login-form": { - "password": "Jelszó", - "remember": "Megjegyez", - "log_in": "Bejelentkezés" - }, - "card": { - "camera": { - "not_available": "Kép nem áll rendelkezésre" - }, - "persistent_notification": { - "dismiss": "Elvetés" - }, - "scene": { - "activate": "Aktiválás" - }, - "script": { - "execute": "Futtatás" - }, - "weather": { - "attributes": { - "air_pressure": "Légnyomás", - "humidity": "Páratartalom", - "temperature": "Hőmérséklet", - "visibility": "Látótávolság", - "wind_speed": "Szélsebesség" - }, - "cardinal_direction": { - "e": "K", - "ene": "K-ÉK", - "ese": "K-DK", - "n": "É", - "ne": "ÉK", - "nne": "É-ÉK", - "nw": "ÉNy", - "nnw": "É-ÉNy", - "s": "D", - "se": "DK", - "sse": "D-DK", - "ssw": "D-DNy", - "sw": "DNy", - "w": "Ny", - "wnw": "Ny-ÉNy", - "wsw": "Ny-DNy" - }, - "forecast": "Előrejelzés" - }, - "alarm_control_panel": { - "code": "Kód", - "clear_code": "Törlés", - "disarm": "Hatástalanít", - "arm_home": "Élesít (otthon)", - "arm_away": "Élesít (távozó)", - "arm_night": "Élesít (éjszakai)", - "armed_custom_bypass": "Egyéni áthidalás", - "arm_custom_bypass": "Egyéni áthidalás" - }, - "automation": { - "last_triggered": "Utoljára aktiválva", - "trigger": "Aktivál" - }, - "cover": { - "position": "Pozíció", - "tilt_position": "Döntési pozíció" - }, - "fan": { - "speed": "Sebesség", - "oscillate": "Oszcilláció", - "direction": "Irány", - "forward": "Előre", - "reverse": "Fordított" - }, - "light": { - "brightness": "Fényerő", - "color_temperature": "Színhőmérséklet", - "white_value": "Fehér érték", - "effect": "Hatás" - }, - "media_player": { - "text_to_speak": "Beszéd szövege", - "source": "Forrás", - "sound_mode": "Hangzás" - }, - "climate": { - "currently": "Jelenleg", - "on_off": "Be \/ ki", - "target_temperature": "Kívánt hőmérséklet", - "target_humidity": "Kívánt páratartalom", - "operation": "Üzemmód", - "fan_mode": "Sebesség", - "swing_mode": "Forgási mód", - "away_mode": "Távoli mód", - "aux_heat": "Külső melegítő", - "preset_mode": "Beállítási mód", - "target_temperature_entity": "{name} kívánt hőmérséklet", - "target_temperature_mode": "{name} kívánt hőmérséklet {mode}", - "current_temperature": "{name} aktuális hőmérséklet", - "heating": "{name} fűtés", - "cooling": "{name} hűtés", - "high": "magas", - "low": "alacsony" - }, - "lock": { - "code": "Kód", - "lock": "Bezár", - "unlock": "Kinyit" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Takarítás folytatása", - "return_to_base": "Dokkolás", - "start_cleaning": "Takarítás indítása", - "turn_on": "Bekapcsolás", - "turn_off": "Kikapcsolás" - } - }, - "water_heater": { - "currently": "Jelenleg", - "on_off": "Be \/ ki", - "target_temperature": "Kívánt hőmérséklet", - "operation": "Üzemmód", - "away_mode": "Távoli mód" - }, - "timer": { - "actions": { - "start": "indítás", - "pause": "szünet", - "cancel": "elvet", - "finish": "befejezés" - } - }, - "counter": { - "actions": { - "increment": "növelés", - "decrement": "csökkentés", - "reset": "visszaállítás" - } - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "Entitás", - "show_entities": "Entitások megjelenítése" - } - }, - "service-picker": { - "service": "Szolgáltatás" - }, - "relative_time": { - "past": "{time} ezelőtt", - "future": "{time} később", - "never": "Soha", - "duration": { - "second": "{count} {count, plural,\n one {másodperccel}\n other {másodperccel}\n}", - "minute": "{count} {count, plural,\n one {perccel}\n other {perccel}\n}", - "hour": "{count} {count, plural,\none {órával}\nother {órával}\n}", - "day": "{count} {count, plural,\n one {nappal}\n other {nappal}\n}", - "week": "{count} {count, plural,\n one {héttel}\n other {héttel}\n}" - } - }, - "history_charts": { - "loading_history": "Állapot előzmények betöltése...", - "no_history_found": "Nem található előzmény." - }, - "device-picker": { - "show_devices": "Eszközök megjelenítése" - } - }, - "notification_toast": { - "entity_turned_on": "{entity} bekapcsolva.", - "entity_turned_off": "{entity} kikapcsolva.", - "service_called": "{service} szolgáltatás meghívva.", - "service_call_failed": "Nem sikerült meghívni a(z) {service} szolgáltatást.", - "connection_lost": "A kapcsolat megszakadt. Újracsatlakozás…", - "triggered": "Aktiválva {name}" - }, - "dialogs": { - "more_info_settings": { - "save": "Mentés", - "name": "Név felülbírálása", - "entity_id": "Entitás ID" - }, - "more_info_control": { - "script": { - "last_action": "Utolsó Művelet" - }, - "sun": { - "elevation": "Magasság", - "rising": "Napkelte", - "setting": "Napnyugta" - }, - "updater": { - "title": "Frissítési Instrukciók" - } - }, - "options_flow": { - "form": { - "header": "Opciók" - }, - "success": { - "description": "Beállítások sikeresen mentve." - } - }, - "config_entry_system_options": { - "title": "{integration} rendszerbeállításai", - "enable_new_entities_label": "Újonnan hozzáadott entitások engedélyezése.", - "enable_new_entities_description": "Ha le van tiltva, akkor az újonnan felfedezett {integration} entitások nem lesznek automatikusan hozzáadva a Home Assistant-hoz." - }, - "zha_device_info": { - "manuf": "{manufacturer} által", - "no_area": "Nincs Terület", - "services": { - "reconfigure": "A ZHA készülék újratelepítése (eszköz rendbehozatala). Akkor használd ezt a funkciót, ha problémáid vannak a készülékkel. Ha a kérdéses eszköz akkumulátoros, győződj meg róla, hogy nincs alvó állapotban és fogadja a parancsokat, amikor ezt a szolgáltatást használod.", - "updateDeviceName": "Egyedi név beállítása ehhez az eszközhöz az eszköz nyilvántartásban.", - "remove": "Távolíts el egy eszközt a Zigbee hálózatból." - }, - "zha_device_card": { - "device_name_placeholder": "Felhasználó utóneve", - "area_picker_label": "Terület", - "update_name_button": "Név frissítése" - }, - "buttons": { - "add": "Eszközök hozzáadása", - "remove": "Eszköz eltávolítása", - "reconfigure": "Eszköz újrakonfigurálása" - }, - "last_seen": "Utolsó jelentés", - "power_source": "Energia forrás", - "unknown": "Ismeretlen" - }, - "confirmation": { - "cancel": "Mégse", - "ok": "OK", - "title": "Biztos?" - } - }, - "auth_store": { - "ask": "Szeretnéd menteni ezt a bejelentkezést?", - "decline": "Köszönöm nem", - "confirm": "Bejelentkezés mentése" - }, - "notification_drawer": { - "click_to_configure": "Kattints a gombra a(z) {entity} beállításához", - "empty": "Nincsenek Értesítések", - "title": "Értesítések" - } - }, - "domain": { - "alarm_control_panel": "Riasztó központ", - "automation": "Automatizálás", - "binary_sensor": "Bináris érzékelő", - "calendar": "Naptár", - "camera": "Kamera", - "climate": "Hűtés\/fűtés", - "configurator": "Konfigurátor", - "conversation": "Beszélgetés", - "cover": "Borító", - "device_tracker": "Készülék nyomkövető", - "fan": "Ventilátor", - "history_graph": "Előzmény grafikon", - "group": "Csoport", - "image_processing": "Képfeldolgozás", - "input_boolean": "Logikai bemenet", - "input_datetime": "Időpont bemenet", - "input_select": "Választási bemenet", - "input_number": "Szám bemenet", - "input_text": "Szöveg bemenet", - "light": "Világítás", - "lock": "Zár", - "mailbox": "Postafiók", - "media_player": "Médialejátszó", - "notify": "Értesít", - "plant": "Növény", - "proximity": "Közelség", - "remote": "Távirányítás", - "scene": "Jelenet", - "script": "Szkript", - "sensor": "Érzékelő", - "sun": "Nap", - "switch": "Kapcsoló", - "updater": "Frissítések", - "weblink": "Hivatkozás", - "zwave": "Z-Wave", - "vacuum": "Porszívó", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Rendszerállapot", - "person": "Személy" - }, - "attribute": { - "weather": { - "humidity": "Páratartalom", - "visibility": "Láthatóság", - "wind_speed": "Szélsebesség" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Ki", - "on": "Be", - "auto": "Automatikus" - }, - "preset_mode": { - "none": "Nincs", - "eco": "Takarékos", - "away": "Távol", - "boost": "Turbo", - "comfort": "Komfort", - "home": "Otthon", - "sleep": "Alvás", - "activity": "Tevékenység" - }, - "hvac_action": { - "off": "Ki", - "heating": "Fűtés", - "cooling": "Hűtés", - "drying": "Szárítás", - "idle": "Tétlen", - "fan": "Ventilátor" - } - } - }, - "groups": { - "system-admin": "Adminisztrátorok", - "system-users": "Felhasználók", - "system-read-only": "Csak olvasható felhasználók" - }, - "config_entry": { - "disabled_by": { - "user": "Felhasználó", - "integration": "Integráció", - "config_entry": "Konfigurációs bejegyzés" } } } \ No newline at end of file diff --git a/translations/hy.json b/translations/hy.json index 4e277d046f..fcd1f2caa8 100644 --- a/translations/hy.json +++ b/translations/hy.json @@ -1,53 +1,193 @@ { - "panel": { - "config": "Կարգավորում", - "states": "Գլխավոր", - "map": "Քարտեզ", - "logbook": "Մատյան", - "history": "Պատմություն", + "attribute": { + "weather": { + "humidity": "Խոնավություն", + "visibility": "Տեսանելիություն", + "wind_speed": "Քամու արագություն" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Կարգավորման սկզբնական կետ", + "integration": "Ինտեգրում", + "user": "Օգտագործող" + } + }, + "domain": { + "alarm_control_panel": "Տագնապի կառավարման վահանակ", + "automation": "Ավտոմատացում", + "binary_sensor": "Երկուական Սենսոր", + "calendar": "Օրացույց", + "camera": "Տեսախցիկ", + "climate": "Կլիմա", + "configurator": "Կարգավորիչ", + "conversation": "Խոսակցություն", + "cover": "Ծածկել", + "device_tracker": "Սարքի որոնիչ", + "fan": "օդափոխիչ", + "group": "Խումբ", + "hassio": "Hass.io", + "history_graph": "Պատմության գրաֆիկ", + "homeassistant": "Տնային օգնական", + "image_processing": "Պատկերի մշակում", + "input_boolean": "Մուտքագրված տրամաբանական արժեք", + "input_datetime": "Մուտքագրեք ժամանակի տվյալները", + "input_number": "Մուտքագրման համարը", + "input_select": "Մուտքագրեք ընտրածը", + "input_text": "Մուտքագրեք տեքստը", + "light": "Լույս", + "lock": "Կողպեք", + "lovelace": "սիրո", "mailbox": "Փոստարկղ", - "shopping_list": "Գնումների ցուցակ", + "media_player": "Մեդիա նվագարկիչ", + "notify": "Ծանուցում", + "person": "Անձը", + "plant": "Գործարան", + "proximity": "Հարևանություն", + "remote": "Հեռավար", + "scene": "Տեսարան", + "script": "Սցենար", + "sensor": "Սենսոր", + "sun": "Արև", + "switch": "Անջատիչ", + "system_health": "Համակարգի առողջություն", + "updater": "Թարմացնող", + "vacuum": "Վակում", + "weblink": "Վեբ հասցե", + "zha": "ZHA- ն", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Ադմինիստրատորներ", + "system-read-only": "Միայն օգտվողները ընթերցեն", + "system-users": "Օգտվողներ" + }, + "panel": { + "calendar": "Օրացույց", + "config": "Կարգավորում", "dev-info": "Ինֆորմացիա", "developer_tools": "Մշակողի գործիքներ", - "calendar": "Օրացույց", - "profile": "Անձնագիր" + "history": "Պատմություն", + "logbook": "Մատյան", + "mailbox": "Փոստարկղ", + "map": "Քարտեզ", + "profile": "Անձնագիր", + "shopping_list": "Գնումների ցուցակ", + "states": "Գլխավոր" }, - "state": { - "default": { - "off": "Անջատած", - "on": "Միացված", - "unknown": "հայտնի չէ", - "unavailable": "Անհասանելի" - }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Ավտոմատ", + "off": "անջատված", + "on": "վրա" + }, + "hvac_action": { + "cooling": "հովացում", + "drying": "Չորացում", + "fan": "Երկրպագու", + "heating": "Տաքացում", + "idle": "Պարապ", + "off": "Անջատած" + }, + "preset_mode": { + "activity": "Գործունեություն", + "away": "Հեռու", + "boost": "Խթանել", + "comfort": "Կոմֆորտ", + "eco": "Էկո", + "home": "Տուն", + "none": "Ոչ ոք", + "sleep": "Քնել" + } + } + }, + "state_badge": { "alarm_control_panel": { "armed": "Զինված", - "disarmed": "Զինաթափված", - "armed_home": "Զինված տուն", "armed_away": "Զինված", - "armed_night": "Զինված գիշեր", - "pending": "Սպասում", + "armed_custom_bypass": "Զինված", + "armed_home": "Զինված", + "armed_night": "Զինված", "arming": "Զինել", + "disarmed": "Զինաթափել", + "disarming": "Անջատել տագնապը", + "pending": "Պենդ", + "triggered": "թրիգ" + }, + "default": { + "entity_not_found": "Անունը չի գտնվել", + "error": "Սխալ", + "unavailable": "Անհասանելի", + "unknown": "Անհայտ" + }, + "device_tracker": { + "home": "Տուն", + "not_home": "Հեռու" + }, + "person": { + "home": "տուն", + "not_home": "հեռու" + } + }, + "state": { + "alarm_control_panel": { + "armed": "Զինված", + "armed_away": "Զինված", + "armed_custom_bypass": "Զինման անհատական կոդ", + "armed_home": "Զինված տուն", + "armed_night": "Զինված գիշեր", + "arming": "Զինել", + "disarmed": "Զինաթափված", "disarming": "Զինաթափող", - "triggered": "պատճառը", - "armed_custom_bypass": "Զինման անհատական կոդ" + "pending": "Սպասում", + "triggered": "պատճառը" }, "automation": { "off": "Անջատված", "on": "Միացած" }, "binary_sensor": { + "battery": { + "off": "Նորմալ է", + "on": "Ցածր" + }, + "cold": { + "off": "Նորմալ", + "on": "Սառը" + }, + "connectivity": { + "off": "Անջատված է", + "on": "Կապված" + }, "default": { "off": "Անջատված", "on": "Միացած" }, - "moisture": { - "off": "Չոր", - "on": "Խոնավ" + "door": { + "off": "Փակված է", + "on": "Բացել" + }, + "garage_door": { + "off": "Փակված է", + "on": "Բացել" }, "gas": { "off": "Մաքրել", "on": "Հայտնաբերվել է" }, + "heat": { + "off": "Նորմալ", + "on": "Թեժ" + }, + "lock": { + "off": "կողպված", + "on": "բացել է" + }, + "moisture": { + "off": "Չոր", + "on": "Խոնավ" + }, "motion": { "off": "Մաքրել", "on": "Հայտնաբերվել է" @@ -56,6 +196,22 @@ "off": "Մաքրել", "on": "Հայտնաբերվել է" }, + "opening": { + "off": "Փակված", + "on": "Բաց" + }, + "presence": { + "off": "Հեռու", + "on": "Տուն" + }, + "problem": { + "off": "OK", + "on": "Խնդիր" + }, + "safety": { + "off": "Ապահով", + "on": "Անվտանգ" + }, "smoke": { "off": "Մաքրել", "on": "Հայտնաբերվել է" @@ -68,53 +224,9 @@ "off": "Մաքրել", "on": "Հայտնաբերվել է" }, - "opening": { - "off": "Փակված", - "on": "Բաց" - }, - "safety": { - "off": "Ապահով", - "on": "Անվտանգ" - }, - "presence": { - "off": "Հեռու", - "on": "Տուն" - }, - "battery": { - "off": "Նորմալ է", - "on": "Ցածր" - }, - "problem": { - "off": "OK", - "on": "Խնդիր" - }, - "connectivity": { - "off": "Անջատված է", - "on": "Կապված" - }, - "cold": { - "off": "Նորմալ", - "on": "Սառը" - }, - "door": { - "off": "Փակված է", - "on": "Բացել" - }, - "garage_door": { - "off": "Փակված է", - "on": "Բացել" - }, - "heat": { - "off": "Նորմալ", - "on": "Թեժ" - }, "window": { "off": "Փակված է", "on": "Բացել" - }, - "lock": { - "off": "կողպված", - "on": "բացել է" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "Միացած" }, "camera": { + "idle": "պարապ", "recording": "Ձայնագրությունը", - "streaming": "Հոսք", - "idle": "պարապ" + "streaming": "Հոսք" }, "climate": { - "off": "Անջատված", - "on": "Միացած", - "heat": "Ջերմություն", - "cool": "Հովացում", - "idle": "Պարապ", "auto": "Ավտոմատ", + "cool": "Հովացում", "dry": "Չոր", - "fan_only": "Օդափոխիչ", "eco": "Էկո", "electric": "Էլեկտրական", - "performance": "Կատարում", - "high_demand": "Բարձր պահանջարկ", - "heat_pump": "Ջերմային պոմպ", + "fan_only": "Օդափոխիչ", "gas": "Գազ", + "heat": "Ջերմություն", + "heat_cool": "Ջեռուցում\/Հովացում", + "heat_pump": "Ջերմային պոմպ", + "high_demand": "Բարձր պահանջարկ", + "idle": "Պարապ", "manual": "Ձեռնարկ", - "heat_cool": "Ջեռուցում\/Հովացում" + "off": "Անջատված", + "on": "Միացած", + "performance": "Կատարում" }, "configurator": { "configure": "Կարգավորել", "configured": "Կարգավորված" }, "cover": { - "open": "Բաց", - "opening": "Բացում", "closed": "Փակված", "closing": "Փակում", + "open": "Բաց", + "opening": "Բացում", "stopped": "Դադարեց" }, + "default": { + "off": "Անջատած", + "on": "Միացված", + "unavailable": "Անհասանելի", + "unknown": "հայտնի չէ" + }, "device_tracker": { "home": "Տուն", "not_home": "Հեռու" @@ -164,19 +282,19 @@ "on": "Միացած" }, "group": { - "off": "Անջատված", - "on": "Միացած", - "home": "Տուն", - "not_home": "Հեռու", - "open": "Բացեք", - "opening": "Բացում", "closed": "Փակված", "closing": "Փակում", - "stopped": "Դադարեց", + "home": "Տուն", "locked": "կողպված է", - "unlocked": "Բացել է", + "not_home": "Հեռու", + "off": "Անջատված", "ok": "Լավ", - "problem": "Խնդիր" + "on": "Միացած", + "open": "Բացեք", + "opening": "Բացում", + "problem": "Խնդիր", + "stopped": "Դադարեց", + "unlocked": "Բացել է" }, "input_boolean": { "off": "Անջատված", @@ -191,13 +309,17 @@ "unlocked": "Բաց է" }, "media_player": { + "idle": "Պարապ", "off": "Անջատած", "on": "Միացած", - "playing": "Խաղում", "paused": "Դադար է", - "idle": "Պարապ", + "playing": "Խաղում", "standby": "Սպասում" }, + "person": { + "home": "տուն", + "not_home": "Հեռու" + }, "plant": { "ok": "Լավ", "problem": "Խնդիր" @@ -225,34 +347,10 @@ "off": "անջատված", "on": "միացած" }, - "zwave": { - "default": { - "initializing": "Նախաձեռնող", - "dead": "Մեռած", - "sleeping": "Քնել", - "ready": "Պատրաստ է" - }, - "query_stage": { - "initializing": "Նախաձեռնություն({query_stage})", - "dead": "Մահացած{query_stage})" - } - }, - "weather": { - "clear-night": "Մաքրել ստուգված իրերը", - "cloudy": "Ամպամած", - "fog": "Մառախուղ", - "hail": "Կարկուտ", - "lightning": "Կայծակ", - "lightning-rainy": "Կայծակ, անձրև", - "partlycloudy": "Մասամբ ամպամած", - "pouring": "Լցնել", - "rainy": "Անձրևոտ", - "snowy": "Ձյունոտ է", - "snowy-rainy": "Ձյունառատ, անձրևոտ", - "sunny": "Արևոտ", - "windy": "Կամ", - "windy-variant": "Քամոտ", - "exceptional": "Բացառիկ" + "timer": { + "active": "ակտիվ", + "idle": "պարապ", + "paused": "դադար " }, "vacuum": { "cleaning": "Մաքրում", @@ -264,903 +362,99 @@ "paused": "Դադար է", "returning": "Վերադառնալով նավահանգիստ" }, - "timer": { - "active": "ակտիվ", - "idle": "պարապ", - "paused": "դադար " + "weather": { + "clear-night": "Մաքրել ստուգված իրերը", + "cloudy": "Ամպամած", + "exceptional": "Բացառիկ", + "fog": "Մառախուղ", + "hail": "Կարկուտ", + "lightning": "Կայծակ", + "lightning-rainy": "Կայծակ, անձրև", + "partlycloudy": "Մասամբ ամպամած", + "pouring": "Լցնել", + "rainy": "Անձրևոտ", + "snowy": "Ձյունոտ է", + "snowy-rainy": "Ձյունառատ, անձրևոտ", + "sunny": "Արևոտ", + "windy": "Կամ", + "windy-variant": "Քամոտ" }, - "person": { - "home": "տուն", - "not_home": "Հեռու" - } - }, - "state_badge": { - "default": { - "unknown": "Անհայտ", - "unavailable": "Անհասանելի", - "error": "Սխալ", - "entity_not_found": "Անունը չի գտնվել" - }, - "alarm_control_panel": { - "armed": "Զինված", - "disarmed": "Զինաթափել", - "armed_home": "Զինված", - "armed_away": "Զինված", - "armed_night": "Զինված", - "pending": "Պենդ", - "arming": "Զինել", - "disarming": "Անջատել տագնապը", - "triggered": "թրիգ", - "armed_custom_bypass": "Զինված" - }, - "device_tracker": { - "home": "Տուն", - "not_home": "Հեռու" - }, - "person": { - "home": "տուն", - "not_home": "հեռու" + "zwave": { + "default": { + "dead": "Մեռած", + "initializing": "Նախաձեռնող", + "ready": "Պատրաստ է", + "sleeping": "Քնել" + }, + "query_stage": { + "dead": "Մահացած{query_stage})", + "initializing": "Նախաձեռնություն({query_stage})" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Մաքրել ավարտվածները", - "add_item": "Ավելացնել իր", - "microphone_tip": "Հպեք խոսափողը վերևի աջ կողմում և ասեք. “Add candy to my shopping list”" - }, - "developer-tools": { - "tabs": { - "services": { - "title": "Սերվիսներ" - }, - "states": { - "title": "Իրավիճակներ" - }, - "events": { - "title": "Իրադարձություններ" - }, - "templates": { - "title": "Ձևանմուշ" - }, - "mqtt": { - "title": "MQTT" - }, - "info": { - "title": "Ինֆորմացիա" - }, - "logs": { - "title": "log-եր" - } - } - }, - "history": { - "showing_entries": "Ցուցադրվում է մուտքագրված գրառումները", - "period": "Ժամանակահատված" - }, - "logbook": { - "showing_entries": "Ցուցադրվում է մուտքագրված գրառումները", - "period": "Ժամանակահատված" - }, - "mailbox": { - "empty": "Դուք չունեք որեւէ հաղորդագրությունները", - "playback_title": "Հաղորդագրության նվագարկում", - "delete_prompt": "Ջնջել այս հաղորդագրությունը? ", - "delete_button": "Ջնջել" - }, - "config": { - "header": "Կարգավորել Home Assistant-ը", - "introduction": "Այստեղ հնարավոր է կարգավորել ձեր բաղադրիչները և Home Assistant:Դեռ ամեն ինչ հնարավոր չէ կազմաձևել UI- ից, բայց մենք աշխատում ենք այդ ուղղությամբ", - "core": { - "caption": "Գեներալ", - "description": "Փոխեք ձեր Home Assistant-ի կարգավորումը", - "section": { - "core": { - "header": "Ընդհանուր կարգավորումը", - "introduction": "Ձեր կարգավորումների փոխելը կարող է լինել հոգնեցուցիչ ։գործընթաց: Մենք գիտենք. Այս բաժինը կփորձի ձեր կյանքը մի փոքր դյուրին դարձնել:", - "core_config": { - "edit_requires_storage": "Խմբագիրն անջատված է, քանի որ կարգավորումները կատարվել են .yaml- ում:", - "location_name": "Ձեր Home Assistant-ի տեղադրման անվանումը", - "latitude": "Լայնություն", - "longitude": "Երկայնություն", - "elevation": "Բարձրություն", - "elevation_meters": "մետր", - "time_zone": "Ժամային գոտի", - "unit_system": " համակարգի միավորը", - "unit_system_imperial": "Իմպերիալ", - "unit_system_metric": "Մետրկ", - "imperial_example": "Ֆարենհեյթ, ֆունտ", - "metric_example": "Ցելսիուս, կիլոգրամ", - "save_button": "Պահպանել" - } - }, - "server_control": { - "validation": { - "heading": "Կարգավորման վավերացում", - "introduction": "Վավերացրեք ձեր կազմաձևումը, եթե վերջերս որոշ փոփոխություններ եք կատարել ձեր կազմաձևում և ցանկանում եք համոզվել, որ այդ ամենը վավեր է", - "check_config": "Ստուգեք կարգավորումը", - "valid": "Կարգավորումը վավեր է:", - "invalid": "Կարգավորումը սխալ է" - }, - "reloading": { - "heading": "Կարգավորման վերաբեռնում", - "introduction": "Home Assistant-ի որոշ մասեր կարող են վերբեռնվել առանց վերագործարկման (restart): Սեղմելով վերաբեռնել կոճակը ընթացիկ կարգավորումը կփոխարինվի նորով։", - "core": "Վերափոխեք հիմնականը", - "group": "Վերբեռնեք խմբերը", - "automation": "Վերբեռնեք ավտոմատները", - "script": "Վերբեռնել սցենարներ" - }, - "server_management": { - "heading": "Սերվերի կառավարում", - "introduction": "Վերահսկեք ձեր Գլխավոր օգնական սերվերը… Տնային օգնականից:", - "restart": "Վերսկսել", - "stop": "Դադար" - } - } - } - }, - "customize": { - "caption": "Անհատականացում", - "description": "Կարգավորել ձեր անձի", - "picker": { - "header": "հարմարեցում", - "introduction": "Կսմթել յուրաքանչյուր անձի հատկանիշները: Անհապաղ գործողության մեջ կավելացվեն \/ խմբագրված փոփոխությունները: Հեռացված կարգավորումները ուժի մեջ են մտնում սուբյեկտի թարմացման դեպքում:" - } - }, - "automation": { - "caption": "Ավտոմատացում", - "description": "Ավտոմատացման ստեղծում և խմբագրում", - "picker": { - "header": "Ավտոմատացման խմբագիր", - "introduction": "Ավտոմատացման խմբագրիչը թույլ է տալիս ստեղծել և խմբագրել ավտոմատացումը: Խնդրում ենք հետևել հետևյալ հղմանը ՝ հրահանգները կարդալու համար, որպեսզի համոզվեք, որ ճիշտ կազմաձևել եք Home Assistant-ը", - "pick_automation": " խմբագրելու համար ընտրել ավտոմատացում", - "no_automations": "Խմբագրերի ավտոմատացում չի գտնվել", - "add_automation": "Ավելացնել ավտոմատացում", - "learn_more": "Իմանալ ավելին ավտոմատացման մասին" - }, - "editor": { - "introduction": " Տունը կենդանացնելու համար օգտագործեք ավտոմատացումը", - "default_name": "Նոր ավտոմատացում", - "save": "Պահպանել", - "unsaved_confirm": "Դուք ունեք չպահպանված փոփոխություններ:Վստա՞հ եք, որ ուզում եք հեռանալ:", - "alias": "Անուն", - "triggers": { - "header": "Թողարկիչ", - "introduction": "Ձգանները այն են, ինչն սկսում է ավտոմատացման կանոնների մշակումը: Նույն կանոնի համար հնարավոր է նշել մի քանի ձգան: Ձգանման մեկնարկից հետո Տնային օգնականը կվավերացնի պայմանները, եթե այդպիսիք կան, և կանչեն գործողություն:", - "add": "Ավելացնել ձգան", - "duplicate": "Կրկնօրինակել", - "delete": "Ջնջել", - "delete_confirm": "Համոզվա՞ծ եք, որ ուզում եք ջնջել:", - "unsupported_platform": "Չաջակցված հարթակ. {platform}", - "type_select": "Տրիգերի տեսակ", - "type": { - "event": { - "label": "Իրադարձություն", - "event_type": "Իրադարձության տեսակը", - "event_data": "Իրադարձության տվյալները" - }, - "state": { - "label": "Վիճակ", - "from": "Ինչից", - "to": "Դեպի", - "for": "Համար" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Իրադարձություն։", - "start": "Սկսել", - "shutdown": "Անջատել" - }, - "mqtt": { - "label": "MQTT", - "topic": "Թեման", - "payload": "փոխանցվող տվյալ(ոչ պարտադիր)" - }, - "numeric_state": { - "label": "Թվային վիճակ", - "above": "Վերևում", - "below": "Ստորև", - "value_template": "Արժեքի ձևանմուշ" - }, - "sun": { - "label": "Արև", - "event": "Իրադարձություն", - "sunrise": "Արևածագ", - "sunset": "Մայրամուտ", - "offset": "Օֆսեթ (պարտադիր)" - }, - "template": { - "label": "Ձևանմուշ", - "value_template": "Արժեքի ձևանմուշ" - }, - "time": { - "label": "Ժամանակ", - "at": "Ատ" - }, - "zone": { - "label": "Գոտի", - "entity": "Կազմակերպության գտնվելու վայրը", - "zone": "Գոտի", - "event": "Իրադարձություն", - "enter": "Մուտքագրել", - "leave": "Թողնել" - }, - "webhook": { - "label": "համացանցային կայք", - "webhook_id": "համացանցային կայքի ID" - }, - "time_pattern": { - "label": "Ժամային գոտի", - "hours": "Ժամեր", - "minutes": "Րոպեներ", - "seconds": "Վայրկյան" - }, - "geo_location": { - "label": "Երկրաբաշխում", - "source": "Աղբյուր", - "zone": "Գոտի", - "event": "Իրադարձություն.", - "enter": "Մուտքագրել", - "leave": "Թողնել" - }, - "device": { - "label": "Սարք" - } - }, - "learn_more": "Իմացեք ավելին ՝ հարուցիչների մասին" - }, - "conditions": { - "header": "Պայմանները", - "introduction": "Պայմանները ավտոմատացման կանոնների կամընտիր մասն են և կարող են օգտագործվել կանխելու համար գործողությունը կատարելու համար: Պայմանները շատ նման են հարուցիչների, բայց շատ տարբեր են: Ձգան կանդրադառնա համակարգում տեղի ունեցող իրադարձություններին, մինչդեռ մի պայման միայն նայում է, թե ինչպես է համակարգը հիմա նայում: Ձգան կարող է նկատել, որ անջատիչը միացված է: Մի պայման կարող է տեսնել միայն այն դեպքում, արդյոք անջատիչը ներկայում միացված է կամ անջատված է:", - "add": "Ավելացնել պայման", - "duplicate": "Կրկնօրինակել", - "delete": "Ջնջել", - "delete_confirm": "Ցանկանւմ եք ջնջել?", - "unsupported_condition": "Չաջակցված պայման. {condition}", - "type_select": "Պայմանի տեսակը", - "type": { - "state": { - "label": "Պետություն", - "state": "Պետություն" - }, - "numeric_state": { - "label": "Թվային վիճակ", - "above": "Վերևում", - "below": "ներքևում", - "value_template": "Արժեքի պարտադիր ձևանմուշ" - }, - "sun": { - "label": "Արև", - "before": "Նախքան:", - "after": "Հետո:", - "before_offset": "Փոխարկելուց առաջ (ըստ ցանկության)", - "after_offset": "Հետո օֆֆսեթ(ոչ պարտադիր)", - "sunrise": "Արևածագ", - "sunset": "Մայրամուտ" - }, - "template": { - "label": "Ձևանմուշ", - "value_template": "Արժեքի ձևանմուշ" - }, - "time": { - "label": "ժամանակը", - "after": "Հետո", - "before": "Նախքան" - }, - "zone": { - "label": "Գոտի", - "entity": "կազմակերպության գտնվելու վայրը", - "zone": "Գոտի" - }, - "device": { - "label": "Սարք" - } - }, - "learn_more": "Իմանալ ավելին պայմանների մասին" - }, - "actions": { - "header": "Գործողություններ", - "introduction": "Գործողությունները Տնային օգնականի տանը պետք է անել, երբ ավտոմատացումը գործարկվի.", - "add": "Ավելացնել գործողություն", - "duplicate": "Կրկնօրինակել", - "delete": "Ջնջել", - "delete_confirm": "Ցանկանւմ եք ջնջել?", - "unsupported_action": "Չաջակցված գործողություն. {action}", - "type_select": "Գործողության տեսակը", - "type": { - "service": { - "label": "Զանգի ծառայություն", - "service_data": "Ծառայության տվյալները" - }, - "delay": { - "label": "Հետաձգում", - "delay": "Հետաձգում" - }, - "wait_template": { - "label": "Սպասեք", - "wait_template": "Սպասեք ձևանմուշին", - "timeout": "Վերջնաժամկետ" - }, - "condition": { - "label": "Վիճակը" - }, - "event": { - "label": "Հրդեհային իրադարձություն", - "event": "Իրադարձություն", - "service_data": "Ծառայության տվյալներ" - }, - "device_id": { - "label": "Սարքը" - } - }, - "learn_more": "Իմանալ ավելին գործողությունների մասին" - }, - "load_error_not_editable": "Միայն հնարավոր է փոփոխել automations.yaml ֆայլում գրված ավտոմատացումներումները", - "load_error_unknown": "Ավտոմատացման բեռնման սխալ ({err_no}):" - } - }, - "script": { - "caption": "Սցենար", - "description": "Սցենարների ստեղծում և խմբագրում" - }, - "zwave": { - "caption": "Z-Wave ցանց", - "description": "Կառավարել Z-Wave ցանցը", - "network_management": { - "header": "Z-Wave ցանցի կառավարում", - "introduction": "Գործարկել հրամաններ, որոնք ազդում են Z-Wave ցանցի վրա: Դուք չեք ստանա հետադարձ կապ այն մասին, թե արդյոք հրամանների մեծ մասը հաջողվել է, բայց կարող եք ստուգել OZW տեղեկամատյանները ` պարզելու համար" - }, - "network_status": { - "network_stopped": "Z-wave ցանցը դադարեցված է", - "network_starting": "Մեկնարկվում է Z-Wave ցանցը ...", - "network_starting_note": "Սա կարող է որոշ ժամանակ տևել `կախված ձեր ցանցի չափից:", - "network_started": "Մեկնարկեց Z-Wave ցանցը", - "network_started_note_some_queried": "Արթնացնող հանգույցները հարցվել են: Քնած հանգույցները կզգան, երբ նրանք արթնանան:", - "network_started_note_all_queried": "Բոլոր հանգույցներին հարցում ուղարկված են:" - }, - "services": { - "start_network": "Միացնել ցանցը", - "stop_network": "Անջատել ցանցը", - "heal_network": "Բուժել ցանցը", - "test_network": "Փորձարկել ցանը", - "soft_reset": "Թեթև վերագործարկել", - "save_config": "Պահպանել կարգավուրումը", - "add_node_secure": "Ավելացնել անվտանգ հանգույց", - "add_node": "Ավելացնել հանգույց", - "remove_node": "Ջնգել հանգույցը", - "cancel_command": "Չեղարկել հրամանը" - }, - "common": { - "value": "Արժեք", - "instance": "Օրինակ", - "index": "Ինդեքս", - "unknown": "հայտնի չէ", - "wakeup_interval": "Արթնանալու ինտերվալ" - }, - "values": { - "header": "Հանգույցի արժեքները" - }, - "node_config": { - "header": "Node-ի կարգավորման տարբերակներ", - "seconds": "վայրկյաններ", - "set_wakeup": "Սահմանել արթնանալու ինտերվալ", - "config_parameter": " կարգավորման պարամետր", - "config_value": "Կարգավորման արժեք", - "true": "True", - "false": "False", - "set_config_parameter": "Սահմանեք կարգավորման պարամետր" - } - }, - "users": { - "caption": "Օգտագործողներ", - "description": "Կառավարեք օգտվողներին", - "picker": { - "title": "Օգտագործողներ" - }, - "editor": { - "rename_user": "Անվանափոխել օգտագործողին", - "change_password": "Փոխել գաղտնաբառը", - "activate_user": "Ակտիվացրեք օգտագործողին", - "deactivate_user": "Ապաակտիվացնել օգտագործողին", - "delete_user": "հեռացնել օգտագործողին", - "caption": "Տեսնել օգտագործողին" - }, - "add_user": { - "caption": "Ավելացնել օգտվող", - "name": "Անուն", - "username": "Օգտագործողի անունը", - "password": "Գաղտնաբառ", - "create": "Ստեղծել" - } - }, - "cloud": { - "caption": "Տնային օգնական Cloud", - "description_login": "Մուտք գործեք որպես {email}", - "description_not_login": "Մուտք չի գործել", - "description_features": "Կառավարեք տնից հեռու, ինտեգրվեք Alexa- ի և Google Assistant- ի հետ:" - }, - "integrations": { - "caption": "Ինտեգրում", - "description": "Կառավարեք սարքերը և ծառայությունները", - "discovered": "Բացահայտել", - "configured": "Կարգավորված", - "new": "Ստեղծվել է նոր ինտեգրումը", - "configure": "Կարգավորել", - "none": " Ոչինչ տրամադրված չէ", - "config_entry": { - "no_devices": "Այս ինտեգրումը չունի սարքեր:", - "no_device": " անձինք` առանձ սարքերի", - "delete_confirm": "Համոզվա՞ծ եք, որ ցանկանում եք ջնջել այս ինտեգրումը", - "restart_confirm": "Վերագործարկել Home Assistant-ը որպեսզի վերջացնել ինտեգրման հեռացման պրոցեսը", - "manuf": "{manufacturer}ի կողմից", - "via": "Միացված է ի օգնությամբ", - "firmware": "Firmware: {version}", - "device_unavailable": "սարքն անհասանելի է", - "entity_unavailable": "անձը անհասանելի է", - "no_area": "Ոչ մի տարածք", - "hub": "Միացված է ի օգնությամբ" - }, - "config_flow": { - "external_step": { - "description": "Այս քայլը պահանջում է, որ դուք ավարտին հասցնեք վեբ կայքը:", - "open_site": "Բացեք կայք" - } - } - }, - "zha": { - "caption": "ZHA- ն", - "description": "Zigbee տան ավտոմատացման ցանցի կառավարում", - "services": { - "reconfigure": "Կարգավորել ZHA սարքը: Եթե տվյալ սարքը մարտկոցով աշխատող սարք է, ապա այս ծառայությունն օգտագործելիս համոզվեք, որ արթուն է և հրամաններ է ընդունում:", - "updateDeviceName": "Սահմանեք այս սարքի համար հատուկ անուն սարքի գրանցամատյանում:", - "remove": "Հեռացնել մի սարք ZigBee ցանցից:" - }, - "device_card": { - "device_name_placeholder": "Օգտագործողի կողմից տրված անուն", - "area_picker_label": "Տարածք", - "update_name_button": "Թարմացնել անունը" - }, - "add_device_page": { - "header": "Ավտոմատացում, ավելացնելով", - "spinner": "ZHA Zigbee սարքերի որոնում ...", - "discovery_text": "Հայտնաբերված սարքերը կհայտնվեն այստեղ: Հետևեք ձեր սարքի (ների) ցուցումներին և սարքը (ներ) ը տեղադրեք զուգահեռ ռեժիմով:" - } - }, - "area_registry": { - "caption": "Տարածքի գրանցամատյան", - "description": "Ձեր բոլոր տարածքների ակնարկ", - "picker": { - "header": "Տարածքի գրանցամատյան", - "introduction": "Տարածքները օգտագործվում են կազմակերպելու համար, թե որտեղ են սարքերը: Այս տեղեկատվությունը կօգտագործվի ամբողջ Տնային օգնականի համար `օգնելու ձեզ կազմակերպել ձեր ինտերֆեյսը, թույլտվությունները և այլ համակարգերի հետ ինտեգրումը:", - "introduction2": "Սարքերը մի տարածքում տեղադրելու համար օգտագործեք ներքևում նշված հղումը ՝ ինտեգրման էջին անցնելու համար, այնուհետև կտտացրեք կարգավորված ինտեգրմանը ՝ սարքի քարտերին հասնելու համար:", - "integrations_page": "Ինտեգրման էջ", - "no_areas": "դեռ տարածքներ չկան", - "create_area": "Ստեղծել տարածք" - }, - "no_areas": " տարածքներ չկան", - "create_area": "Տարածքի ստեղծում", - "editor": { - "default_name": "Նոր տարածք", - "delete": "Հեռացնել", - "update": "Թարմացրեք", - "create": "ՍՏԵՂԾԵԼ" - } - }, - "entity_registry": { - "caption": "Անշարժ գույքի ռեգիստր", - "description": "Բոլոր հայտնի սուբյեկտների ակնարկ:", - "picker": { - "header": " ռեգիստրի սուբյեկտ", - "unavailable": "(անհասանելի)", - "introduction": "Տնային օգնականը պահում է իր տեսած յուրաքանչյուր սուբյեկտի գրանցամատյան, որը կարող է եզակիորեն նույնականացվել: Այս սուբյեկտներից յուրաքանչյուրը կունենա անձի նույնականացում, որը վերապահված կլինի հենց այս սուբյեկտին:", - "introduction2": "Օգտագործեք կազմակերպության ռեգիստրը `անունը շրջանցելու համար, փոխելու անձի նույնականացումը կամ մուտքը Տնային օգնականից հանելու համար: Նշում, կազմակերպության գրանցամատյան մուտքագրումը հանելը չի հեռացնում կազմակերպությանը: Դա անելու համար հետևեք ստորև նշված հղմանը և հեռացրեք այն ինտեգրման էջից:", - "integrations_page": "Ինտեգրումների էջ" - }, - "editor": { - "unavailable": "Այս անձը ներկայումս հասանելի չէ", - "default_name": "Նոր տարածք", - "delete": "Հեռացնել", - "update": "Թարմացնել", - "enabled_label": "Միացնել օբյեկտը", - "enabled_cause": "Անջատված է {cause}-ի կողմից", - "enabled_description": "Անջատված օբյեկտները չեն ավելացվի Home Assistant-ում" - } - }, - "person": { - "caption": "Անձինք", - "description": "Կառավարել այն անձանց, որոնք հետապնդում են Home Assistant-ին:", - "detail": { - "name": "Անուն", - "device_tracker_intro": "Ընտրեք սարքեր, որոնք պատկանում են այդ մարդուն.", - "device_tracker_picked": "Հետևել սարք", - "device_tracker_pick": "Ընտրել սարքը հետևելու համար" - } - }, - "server_control": { - "caption": "Սերվերի վերահսկում", - "description": "Վերագործարկեք և դադարեցրեք Home Assistant սերվերը", - "section": { - "validation": { - "heading": "Կարգավորման վավերացում", - "introduction": "Եթե վերջերս որոշ փոփոխություններ եք կատարել ձեր կարգավորման մեջ, համոզվեք, որ այդ ամենը վավեր է։", - "check_config": "Ստուգել կարգավուրումը", - "valid": "Կարգավուրումը վավեր է", - "invalid": "Կարգավուրումը անվավեր է" - }, - "reloading": { - "heading": "Կարգավորման վերաբեռնում", - "introduction": "Home Assistant-ի որոշ մասեր կարող են վերբեռնվել առանց վերագործարկման (restart): Սեղմելով վերաբեռնել կոճակը ընթացիկ կարգավորումը կփոխարինվի նորով։", - "core": "Վերաբեռնել core-ը", - "group": "Վերաբեռնել խմբերը", - "automation": "Վերաբեռնել ավտոմատացումները", - "script": "Վերբեռնել սցենարներ", - "scene": "Վերբեռնել տեսարանները" - }, - "server_management": { - "heading": "Սերվերի կառավարում", - "introduction": "Վերահսկեք ձեր Home Assistant սերվերը… Home Assistant-ից:", - "restart": "Վերսկսել", - "stop": "Դադարեցնել", - "confirm_restart": "Համոզվա՞ծ եք, որ ցանկանում եք վերագործարկել Home Assistant-ը?", - "confirm_stop": "Համոզվա՞ծ եք, որ ցանկանում եք դադարեցնել Home Assistant-ը?" - } - } - } - }, - "profile": { - "push_notifications": { - "header": "Հրել ծանուցումները", - "description": "Ուղարկեք ծանուցումներ այս սարքին:", - "error_load_platform": "Ստեղծել ծանուցման:է HTML5.", - "error_use_https": "Պահանջում է SSL- ին միացված լուսադիտակի համար:", - "push_notifications": "Հրել ծանուցումները", - "link_promo": "Իմանալ ավելին" - }, - "language": { - "header": "Լեզու", - "link_promo": "Օգնեք թարգմանել", - "dropdown_label": "Լեզու" - }, - "themes": { - "header": "Թեմա", - "error_no_theme": "Չկան թեմաներ", - "link_promo": "Իմացեք թեմաների մասին", - "dropdown_label": "Թեմա" - }, - "refresh_tokens": { - "header": "Թարմացման token", - "description": "Թարմացման յուրաքանչյուր նշանը ներկայացնում է մուտքի նստաշրջան: Թարմացնել նշանները ավտոմատ կերպով կհանվեն, երբ կտտացրեք դուրս գալը: Հետևյալ թարմացման նշանները ներկայումս ակտիվ են ձեր հաշվի համար:", - "token_title": "Թարմացման token {clientId}-ի համար", - "created_at": "Ստեղծվել է {ամսաթիվ}", - "confirm_delete": "Համոզվա՞ծ եք, որ ցանկանում եք ջնջել թարմացման նշանը {name} :", - "delete_failed": "Չհաջողվեց ջնջել թարմացման նշանը:", - "last_used": "Վերջին անգամ օգտագործվել է {date} ից {location}", - "not_used": "Երբեք չի օգտագործվել", - "current_token_tooltip": "Հնարավոր չէ ջնջել ընթացիկ թարմացման նշանը" - }, - "long_lived_access_tokens": { - "header": "Երկարատև մուտքի նշաններ", - "description": "Ստեղծեք երկարատև մուտքի նշաններ, որպեսզի ձեր սցենարները փոխազդեն ձեր Տնային օգնականի օրինակով: Յուրաքանչյուր նշան ուժի մեջ կլինի ստեղծման պահից 10 տարի: Հետևաբար երկարատև մուտքի նշաններն այժմ ակտիվ են:", - "learn_auth_requests": "Իմացեք, թե ինչպես անել վավերացման հարցում.", - "created_at": "Ստեղծվել է {date}", - "confirm_delete": "Համոզվա՞ծ եք, որ ցանկանում եք ջնջել մուտքի նշանը {name} :", - "delete_failed": "Չհաջողվեց ջնջել մուտքի նշանը:", - "create": "Ստեղծել Մարկեր", - "create_failed": "Չի հաջողվեց ստեղծել մուտքի թույլտվություն:", - "prompt_name": "Անուն?", - "prompt_copy_token": "Պատճենեք ձեր մուտքի նշանը: Այն կրկին չի ցուցադրվի:", - "empty_state": " չունեք մուտքի նշաններ:", - "last_used": "Վերջին անգամ օգտագործվել է {date} ից {location}", - "not_used": "Երբեք չի օգտագործվել" - }, - "current_user": "Դուք մուտք եք գործել որպես {fullName} :", - "is_owner": "Դուք սեփականատեր եք:", - "change_password": { - "header": "Փոխել գաղտնաբառը", - "current_password": "Ընթացիկ գաղտնաբառ", - "new_password": "Նոր գաղտնաբառը", - "confirm_new_password": "Հաստատեք նոր գաղտնաբառ", - "error_required": "Պահանջվում է", - "submit": "Ներկայացնել" - }, - "mfa": { - "header": "Բազմաֆունկցիոնալ նույնականացման մոդուլներ", - "disable": "Անջատել", - "enable": "Միացնել", - "confirm_disable": "Համոզվա՞ծ եք, որ ուզում եք անջատել {name} :" - }, - "mfa_setup": { - "title_aborted": "Վիժեցված", - "title_success": "Հաջողություն:", - "step_done": "Կարգավորումը կատարվել է {step}", - "close": "փակել", - "submit": "Ներկայացնել" - }, - "logout": "Դուրս գալ", - "force_narrow": { - "header": "Միշտ թաքցրեք կողային գոտին(sidebar)", - "description": "Սա թաքցնում է sidebar*ը ,ինչպես բջջային հեռախոսներում" - } - }, - "page-authorize": { - "initializing": "Նախաձեռնող", - "authorizing_client": "Դուք պատրաստվում եք {clientId} մուտք գործել ձեր տան օգնականի օրինակ:", - "logging_in_with": "Մուտք {authProviderName} ** {authProviderName} **-ի հետ:", - "pick_auth_provider": "Կամ մուտք գործել", - "abort_intro": "Մուտք ընդհատվել", - "form": { - "working": "Խնդրում ենք սպասել", - "unknown_error": "Ինչ որ բան այնպես չգնաց", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Օգտագործողի անունը", - "password": "Գաղտնաբառ" - } - }, - "mfa": { - "data": { - "code": "Երկու գործոնով նույնականացման կոդ" - }, - "description": "Բացեք ** {mfa_module_name} ** սարքը , դիտեք ձեր ծածկագիրը և ինքնությունը, հաստատեք այն." - } - }, - "error": { - "invalid_auth": "Մուտքանունը կամ գաղտնաբառը սխալ է", - "invalid_code": "Անվավեր նույնականացման կոդ" - }, - "abort": { - "login_expired": "Նիստն ավարտվեց, խնդրում ենք կրկին մուտք գործեք:" - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "API գաղտնաբառ" - }, - "description": "Խնդրում ենք մուտքագրել API գաղտնաբառը ձեր http կարգաձևում" - }, - "mfa": { - "data": { - "code": "Երկու գործոնով նույնականացման կոդ" - }, - "description": "Բացել **{mfa_module_name}** ցարքը, երկու գործողությամբ հաստատել նույնականացման կոդը և ինքնությունը" - } - }, - "error": { - "invalid_auth": " API գաղտնաբառը անվավեր է", - "invalid_code": "Սխալ նույնականացման կոդ" - }, - "abort": { - "no_api_password_set": "Դուք API գաղտնաբառով կարգավորումներ չունեք\n՛", - "login_expired": "Նիստն ավարտվեց,խնդրում ենք նորից մուտք գործել" - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Օգտագործող" - }, - "description": "Խնդրում ենք ընտրել օգտագործողին, որպես որի ցանկանում եք մուտք գործել" - } - }, - "abort": { - "not_whitelisted": "Ձեր համակարգիչը սպիտակեցված չէ:" - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Օգտագործողի անունը", - "password": "գաղտնաբառ" - } - }, - "mfa": { - "data": { - "code": "Երկու գործողությամբ նույնականացման կոդ" - }, - "description": "Ձեր սարքի վրա բացեք{mfa_module_name}** ,․երկու գործողությամբ հաստատեք ձեր կոդը և ինքնությունը" - } - }, - "error": { - "invalid_auth": "Սխալ մուտքանուն կամ գաղտնաբառ", - "invalid_code": "Նույնականացման կոդը սխալ է" - }, - "abort": { - "login_expired": "նիստն ավարտվեց,խնդրում ենք կրկին մուտք գործեք" - } - } - } - } - }, - "page-onboarding": { - "intro": "Պատրա՞ստ եք արթնացնել ձեր տունը, վերականգնել ձեր գաղտնիությունը և միանալ մրջազգային հանրությանը?", - "user": { - "intro": "Սկսենք ՝ ստեղծելով օգտվողի հաշիվ:", - "required_field": "Պահանջվում է", - "data": { - "name": "Անուն", - "username": "Օգտագործողի անունը", - "password": "Գաղտնաբառ", - "password_confirm": "Հաստատել գաղտնաբառը" - }, - "create_account": "Գրանցվել", - "error": { - "required_fields": "Լրացրեք բոլոր պահանջվող դաշտերը", - "password_not_match": "Գաղտնաբառերը չեն համընկնում" - } - }, - "integration": { - "intro": "Սարքերը և սերվիսները ներկայացված են Home Assistant-ում որպես ինտեգրացիաներ: Կարող եք դրանք հիմա կարգավորել կամ դա անել ավելի ուշ ՝ կարգավորման էկրանից:", - "more_integrations": "Ավելին", - "finish": "Ավարտել" - }, - "core-config": { - "intro": "Բարեւ {անուն}, բարի գալուստ տնային օգնականի. Ինչպես եք ցանկանում անվանել ձեր տունը?", - "intro_location": "Մենք ցանկանում ենք իմանալ, թե որտեղ եք ապրում. Այս տեղեկատվությունը կօգնի կարգավորել արեւի հիման վրա ավտոմատացումը։. Այս տվյալները երբեք չեն տարածվում ձեր ցանցից դուրս.", - "intro_location_detect": "Մենք կարող ենք օգնել ձեզ լրացնել այս տեղեկատվությունը` արտաքին սերվիսով մեկ անգամյա հարցում ուղարկելով:", - "location_name_default": "Տուն", - "button_detect": "Հայտնաբերել", - "finish": "Հաջորդը" - } - }, - "lovelace": { - "cards": { - "shopping-list": { - "checked_items": "Ստուգված իրեր", - "clear_items": "Մաքրել ստուգված իրերը", - "add_item": "Ավելացնել իրը" - }, - "empty_state": { - "title": "Բարի գալուստ տուն", - "no_devices": "Այս էջը թույլ է տալիս վերահսկել ձեր սարքերը։ սակայն, կարծես, դեռ տեղադրված չեք: Սկսեք ինտեգրման էջը `սկսելու համար:", - "go_to_integrations_page": "Անցնել ինտեգրման էջ" - }, - "picture-elements": { - "hold": "Պահել", - "tap": "սեղմեք", - "navigate_to": "Գնալ դեպի {location}", - "toggle": "Փոխարկել {name}", - "call_service": "Զանգի ծառայություն {name}", - "more_info": "Ցույց տալ-ինֆո\": {անուն}" - } - }, - "editor": { - "edit_card": { - "header": "Քարտի կարգավորում", - "save": "Պահպանել", - "toggle_editor": "Միացրեք խմբագրելը", - "pick_card": "Ընտրեք այն քարտը, որը ցանկանում եք ավելացնել:", - "add": "Ավելացնել քարտ", - "edit": "Խմբագրել", - "delete": "Հեռացնել", - "move": "Տեղափոխել" - }, - "migrate": { - "header": "Կարգավուրումը անհամատեղելի է", - "para_no_id": "Այս տարրը ID չունի: Խնդրում ենք ID- ին ավելացնել 'ui-lovelace.yaml' մեջ:", - "para_migrate": "Տնային օգնականը կարող է ինքնուրույն ավելացնել ID- ի բոլոր քարտերը և դիտումները `սեղմելով« Միգրացիայի կազմաձևման »կոճակը:", - "migrate": "Տեղափոխել կարգավորումը" - }, - "header": "Խմբագրել UI", - "edit_view": { - "header": "Դիտեք կարգավուրումը", - "add": "Ավելացնել տեսք", - "edit": "Խմբագրել տեսքը", - "delete": "Հեռացնել դիտումը" - }, - "save_config": { - "header": "Վերցրեք ձեր Lovelace UI- ն", - "para": " Տնային օգնականը կպահպանի ձեր ինտերֆեյսը ՝ այն թարմացնելով, երբ հասանելի լինեն նոր սուբյեկտները կամ Lovelace բաղադրիչները: Եթե դուք ստանձնեք վերահսկողություն, մենք այլևս ինքնաբերաբար փոփոխություններ չենք անի ձեզ համար:", - "para_sure": "Համոզվա՞ծ եք, որ ցանկանում եք ստանձնել ձեր UI-ի թարմացման պարտավորությունը:", - "cancel": "Երբեք դեմ չեք", - "save": "Վերահսկել" - }, - "menu": { - "raw_editor": "Հում կազմաձևման խմբագիր" - }, - "raw_editor": { - "header": "Խմբագրել կարգավորումը", - "save": "Պահպանել", - "unsaved_changes": "Չփրկված փոփոխություններ", - "saved": "Պահպանված" - }, - "edit_lovelace": { - "header": "Ձեր Lovelace UI- ի վերնագիր", - "explanation": "Այս վերնագիրը ցույց է տրված Lovelace-ի ձեր բոլոր view-երում" - } - }, - "menu": { - "configure_ui": "Կարգավորել UI- ն", - "unused_entities": "Չօգտագործված անձինք", - "help": "Օգնություն", - "refresh": "Թարմացրեք" - }, - "warning": { - "entity_not_found": "Անունը հասանելի չէ. {entity}", - "entity_non_numeric": "Կազմակերպությունը ոչ թվային է. {entity} Անձ {entity}" - }, - "changed_toast": { - "message": "Lovelace կարգավորումը թարմացվել է, կցանկանայի՞ք թարմացնել UI-ը:", - "refresh": "Թարմացնել" - }, - "reload_lovelace": "Վերաբեռնել Lovelace-ն" - }, - "page-demo": { - "cards": { - "demo": { - "demo_by": "{name}-ի կողմից", - "next_demo": "Հաջորդ ցուցադրումը", - "introduction": "Բարի գալուստ տուն! Դուք տեսնում եք Home Assistant-ի ցուցադրումը, որտեղ մենք ցուցադրում ենք մեր community-ի կողմից ստեղծված լավագույն UI- ները:", - "learn_more": "Իմացեք ավելին Home Assistant-ի մասին" - } - }, - "config": { - "arsaboo": { - "names": { - "upstairs": "Վերևում", - "family_room": "Ընտանեկան սենյակ", - "kitchen": "Խոհանոց", - "patio": "Բակում", - "hallway": "Միջանցք", - "master_bedroom": "Գլխավոր ննջասենյակ", - "left": "Ձախ", - "right": "Ճիշտ", - "mirror": "Հայելի" - }, - "labels": { - "lights": "Լույսեր", - "information": "Տեղեկատվություն", - "morning_commute": "Առավոտյան ուղևորություն", - "commute_home": "Հասնել տուն", - "entertainment": "Ժամանց", - "activity": "Գործունեություն", - "hdmi_input": "HDMI մուտք", - "hdmi_switcher": "HDMI փոխարկիչ", - "volume": "Ծավալ", - "total_tv_time": "Հեռուստատեսության ընդհանուր ժամանակը", - "turn_tv_off": "Անջատել հեռուստացույցը", - "air": "Օդ" - }, - "unit": { - "watching": "դիտում", - "minutes_abbr": "րոպե" - } - } - } - } - }, - "sidebar": { - "log_out": "Դուրս գալ", - "external_app_configuration": "Ծրագրի կարգավորում" - }, - "common": { - "loading": "Բեռնում", - "cancel": "Չեղարկել", - "save": "Պահպանել", - "successfully_saved": "Պահմանվեց հաջողությամբ" - }, - "duration": { - "day": "{count} {count, plural,\n one {day}\n other {days}\n}", - "week": "{count} {count, plural,\n one {week}\n other {weeks}\n}", - "second": "{count} {count, plural,\n one {second}\n other {seconds}\n}", - "minute": "{count} {count, plural,\n one {minute}\n other {minutes}\n}", - "hour": "{count} {count, plural,\n one {ժամ}\n other {ժամ}\n}" - }, - "login-form": { - "password": "Գաղտնաբառ", - "remember": "Հիշել", - "log_in": "Մուտք գործեք" + "auth_store": { + "ask": "Դուք ցանկանում եք պահպանել այդ անունը?", + "confirm": "Պահպանել մուտք", + "decline": "Ոչ, շնորհակալություն" }, "card": { + "alarm_control_panel": { + "arm_away": "Ձեռք բերեք", + "arm_custom_bypass": "Պատվերով շրջանցիկ", + "arm_home": "Arm տուն", + "arm_night": "Զինել - Գիշերային ռեժիմ", + "armed_custom_bypass": "Պատվերով շրջանցիկ", + "clear_code": "Մաքրել", + "code": "Կոդ", + "disarm": "Զինաթափել" + }, + "automation": { + "last_triggered": "Վերջին ակտիվացումը", + "trigger": "Զարգացնել" + }, "camera": { "not_available": "Պատկերը հասանելի չէ" }, + "climate": { + "aux_heat": "Aux ջերմությունը", + "away_mode": "հեռու ռեժիմ", + "currently": "Ներկայումս", + "fan_mode": "Երկրպագուների ռեժիմ", + "on_off": "Միացում անջատում", + "operation": "Գործողություն", + "preset_mode": "Նախադրված", + "swing_mode": "Ռիթմ ռեժիմ", + "target_humidity": "Թիրախային խոնավություն", + "target_temperature": "Նպատակային ջերմաստիճանը" + }, + "cover": { + "position": "Դիրք", + "tilt_position": "Դիրքի թեքությունը" + }, + "fan": { + "direction": "Ուղղությունը", + "forward": "Առաջ", + "oscillate": "Տատանվել", + "reverse": "Հակադարձել", + "speed": "Արագություն" + }, + "light": { + "brightness": "Պայծառություն", + "color_temperature": "Գունային ջերմաստիճան", + "effect": "Էֆեկտ", + "white_value": "Սպիտակ արժեք" + }, + "lock": { + "code": "կոդ", + "lock": "Կողպեք", + "unlock": "Բացել" + }, + "media_player": { + "sound_mode": "Ձայնի ռեժիմ", + "source": "Աղբյուր", + "text_to_speak": "Խոսելու տեքստ" + }, "persistent_notification": { "dismiss": "Հեռացնել" }, @@ -1170,6 +464,30 @@ "script": { "execute": "Կատարել" }, + "timer": { + "actions": { + "cancel": "չեղարկել", + "finish": "ավարտել", + "pause": "ընդհատել", + "start": "սկսել" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Վերսկսել մաքրումը", + "return_to_base": "Վերադառնալ նավահանգիստ", + "start_cleaning": "Սկսել մաքրում ", + "turn_off": "Անջատել", + "turn_on": "Միացնել" + } + }, + "water_heater": { + "away_mode": "հեռու ռեժիմ", + "currently": "Ներկայումս", + "on_off": "Միացում անջատում", + "operation": "Գործողություն", + "target_temperature": "Նպատակային ջերմաստիճանը" + }, "weather": { "attributes": { "air_pressure": "Օդի ճնշում", @@ -1185,8 +503,8 @@ "n": "N", "ne": "NE", "nne": "NNE", - "nw": "NW", "nnw": "NNW", + "nw": "NW", "s": "S", "se": "SE", "sse": "SSE", @@ -1197,123 +515,45 @@ "wsw": "WSW" }, "forecast": "Կանխատեսում" - }, - "alarm_control_panel": { - "code": "Կոդ", - "clear_code": "Մաքրել", - "disarm": "Զինաթափել", - "arm_home": "Arm տուն", - "arm_away": "Ձեռք բերեք", - "arm_night": "Զինել - Գիշերային ռեժիմ", - "armed_custom_bypass": "Պատվերով շրջանցիկ", - "arm_custom_bypass": "Պատվերով շրջանցիկ" - }, - "automation": { - "last_triggered": "Վերջին ակտիվացումը", - "trigger": "Զարգացնել" - }, - "cover": { - "position": "Դիրք", - "tilt_position": "Դիրքի թեքությունը" - }, - "fan": { - "speed": "Արագություն", - "oscillate": "Տատանվել", - "direction": "Ուղղությունը", - "forward": "Առաջ", - "reverse": "Հակադարձել" - }, - "light": { - "brightness": "Պայծառություն", - "color_temperature": "Գունային ջերմաստիճան", - "white_value": "Սպիտակ արժեք", - "effect": "Էֆեկտ" - }, - "media_player": { - "text_to_speak": "Խոսելու տեքստ", - "source": "Աղբյուր", - "sound_mode": "Ձայնի ռեժիմ" - }, - "climate": { - "currently": "Ներկայումս", - "on_off": "Միացում անջատում", - "target_temperature": "Նպատակային ջերմաստիճանը", - "target_humidity": "Թիրախային խոնավություն", - "operation": "Գործողություն", - "fan_mode": "Երկրպագուների ռեժիմ", - "swing_mode": "Ռիթմ ռեժիմ", - "away_mode": "հեռու ռեժիմ", - "aux_heat": "Aux ջերմությունը", - "preset_mode": "Նախադրված" - }, - "lock": { - "code": "կոդ", - "lock": "Կողպեք", - "unlock": "Բացել" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Վերսկսել մաքրումը", - "return_to_base": "Վերադառնալ նավահանգիստ", - "start_cleaning": "Սկսել մաքրում ", - "turn_on": "Միացնել", - "turn_off": "Անջատել" - } - }, - "water_heater": { - "currently": "Ներկայումս", - "on_off": "Միացում անջատում", - "target_temperature": "Նպատակային ջերմաստիճանը", - "operation": "Գործողություն", - "away_mode": "հեռու ռեժիմ" - }, - "timer": { - "actions": { - "start": "սկսել", - "pause": "ընդհատել", - "cancel": "չեղարկել", - "finish": "ավարտել" - } } }, + "common": { + "cancel": "Չեղարկել", + "loading": "Բեռնում", + "save": "Պահպանել", + "successfully_saved": "Պահմանվեց հաջողությամբ" + }, "components": { "entity": { "entity-picker": { "entity": "օբյեկտ" } }, - "service-picker": { - "service": "Ծառայություն" - }, - "relative_time": { - "past": "{time} առաջ", - "future": "{time} ընթացքում", - "never": "Երբեք", - "duration": { - "second": "{count} {count, plural,\n one {second}\n other {seconds}\n}", - "minute": "{count} {count, plural,\n one {minute}\n other {minutes}\n}", - "hour": "{count} {count, plural,\n one {hour}\n other {hours}\n}", - "day": "{count} {count, plural,\n one {day}\n other {days}\n}", - "week": "{count} {count, plural,\n one {week}\n other {weeks}\n}" - } - }, "history_charts": { "loading_history": "Պետական պատմությունը բեռնում", "no_history_found": "Ոչ մի պետական պատմություն չի գտնվել:" + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\n one {day}\\n other {days}\\n}", + "hour": "{count} {count, plural,\\n one {hour}\\n other {hours}\\n}", + "minute": "{count} {count, plural,\\n one {minute}\\n other {minutes}\\n}", + "second": "{count} {count, plural,\\n one {second}\\n other {seconds}\\n}", + "week": "{count} {count, plural,\\n one {week}\\n other {weeks}\\n}" + }, + "future": "{time} ընթացքում", + "never": "Երբեք", + "past": "{time} առաջ" + }, + "service-picker": { + "service": "Ծառայություն" } }, - "notification_toast": { - "entity_turned_on": "Միացված է {entity} :", - "entity_turned_off": "Անջատված է {entity} :", - "service_called": "Ծառայությունը {service} կոչվում է:", - "service_call_failed": "Չի հաջողվել կապվել սպասարկման {ծառայության}.", - "connection_lost": "Կապը կորցվեց: Վերամիավորվում է…" - }, "dialogs": { - "more_info_settings": { - "save": "պահպանել", - "name": "Անվան փոփոխություն", - "entity_id": "Անձի ID" + "config_entry_system_options": { + "enable_new_entities_description": "Եթե անջատված է, նոր հայտնաբերված օբյեկտները ավտոմատ կերպով չեն ավելացվի Home Assistant-ին:", + "enable_new_entities_label": "Միացնել նոր ավելացված օբյեկտները:", + "title": "Համակարգի Պարամետրերը" }, "more_info_control": { "script": { @@ -1328,6 +568,11 @@ "title": "Թարմացնել հրահանգները" } }, + "more_info_settings": { + "entity_id": "Անձի ID", + "name": "Անվան փոփոխություն", + "save": "պահպանել" + }, "options_flow": { "form": { "header": "Տարբերակներ" @@ -1336,125 +581,880 @@ "description": "Տարբերակները պահմանվեցին հաջողությամբ" } }, - "config_entry_system_options": { - "title": "Համակարգի Պարամետրերը", - "enable_new_entities_label": "Միացնել նոր ավելացված օբյեկտները:", - "enable_new_entities_description": "Եթե անջատված է, նոր հայտնաբերված օբյեկտները ավտոմատ կերպով չեն ավելացվի Home Assistant-ին:" - }, "zha_device_info": { "manuf": "{manufacturer}ի կողմից", "no_area": "Ոչ մի տարածք", "services": { "reconfigure": "Նորից կարգավորեք ZHA սարքը: Օգտագործեք սա, եթե սարքի հետ խնդիրներ ունեք: Եթե տվյալ սարքը մարտկոցով աշխատող սարք է, ապա այս ծառայությունն օգտագործելիս համոզվեք, որ արթուն է և հրամաններ է ընդունում:", - "updateDeviceName": "Անվանել սարքը սարգեքի ռեգիսթրիում", - "remove": "Հեռացնել սարքը ZigBee ցանցից." + "remove": "Հեռացնել սարքը ZigBee ցանցից.", + "updateDeviceName": "Անվանել սարքը սարգեքի ռեգիսթրիում" }, "zha_device_card": { - "device_name_placeholder": "Օգտագործողի կողմից տրված անուն", "area_picker_label": "Տարածք", + "device_name_placeholder": "Օգտագործողի կողմից տրված անուն", "update_name_button": "Թարմացնել անունը" } } }, - "auth_store": { - "ask": "Դուք ցանկանում եք պահպանել այդ անունը?", - "decline": "Ոչ, շնորհակալություն", - "confirm": "Պահպանել մուտք" + "duration": { + "day": "{count} {count, plural,\\n one {day}\\n other {days}\\n}", + "hour": "{count} {count, plural,\\n one {ժամ}\\n other {ժամ}\\n}", + "minute": "{count} {count, plural,\\n one {minute}\\n other {minutes}\\n}", + "second": "{count} {count, plural,\\n one {second}\\n other {seconds}\\n}", + "week": "{count} {count, plural,\\n one {week}\\n other {weeks}\\n}" + }, + "login-form": { + "log_in": "Մուտք գործեք", + "password": "Գաղտնաբառ", + "remember": "Հիշել" }, "notification_drawer": { "click_to_configure": "Սեղմեք ստեղծել {էության}", "empty": "Ոչ մի ծանուցում", "title": "Ծանուցումներ" - } - }, - "domain": { - "alarm_control_panel": "Տագնապի կառավարման վահանակ", - "automation": "Ավտոմատացում", - "binary_sensor": "Երկուական Սենսոր", - "calendar": "Օրացույց", - "camera": "Տեսախցիկ", - "climate": "Կլիմա", - "configurator": "Կարգավորիչ", - "conversation": "Խոսակցություն", - "cover": "Ծածկել", - "device_tracker": "Սարքի որոնիչ", - "fan": "օդափոխիչ", - "history_graph": "Պատմության գրաֆիկ", - "group": "Խումբ", - "image_processing": "Պատկերի մշակում", - "input_boolean": "Մուտքագրված տրամաբանական արժեք", - "input_datetime": "Մուտքագրեք ժամանակի տվյալները", - "input_select": "Մուտքագրեք ընտրածը", - "input_number": "Մուտքագրման համարը", - "input_text": "Մուտքագրեք տեքստը", - "light": "Լույս", - "lock": "Կողպեք", - "mailbox": "Փոստարկղ", - "media_player": "Մեդիա նվագարկիչ", - "notify": "Ծանուցում", - "plant": "Գործարան", - "proximity": "Հարևանություն", - "remote": "Հեռավար", - "scene": "Տեսարան", - "script": "Սցենար", - "sensor": "Սենսոր", - "sun": "Արև", - "switch": "Անջատիչ", - "updater": "Թարմացնող", - "weblink": "Վեբ հասցե", - "zwave": "Z-Wave", - "vacuum": "Վակում", - "zha": "ZHA- ն", - "hassio": "Hass.io", - "homeassistant": "Տնային օգնական", - "lovelace": "սիրո", - "system_health": "Համակարգի առողջություն", - "person": "Անձը" - }, - "attribute": { - "weather": { - "humidity": "Խոնավություն", - "visibility": "Տեսանելիություն", - "wind_speed": "Քամու արագություն" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "անջատված", - "on": "վրա", - "auto": "Ավտոմատ" + }, + "notification_toast": { + "connection_lost": "Կապը կորցվեց: Վերամիավորվում է…", + "entity_turned_off": "Անջատված է {entity} :", + "entity_turned_on": "Միացված է {entity} :", + "service_call_failed": "Չի հաջողվել կապվել սպասարկման {ծառայության}.", + "service_called": "Ծառայությունը {service} կոչվում է:" + }, + "panel": { + "config": { + "area_registry": { + "caption": "Տարածքի գրանցամատյան", + "create_area": "Տարածքի ստեղծում", + "description": "Ձեր բոլոր տարածքների ակնարկ", + "editor": { + "create": "ՍՏԵՂԾԵԼ", + "default_name": "Նոր տարածք", + "delete": "Հեռացնել", + "update": "Թարմացրեք" + }, + "no_areas": " տարածքներ չկան", + "picker": { + "create_area": "Ստեղծել տարածք", + "header": "Տարածքի գրանցամատյան", + "integrations_page": "Ինտեգրման էջ", + "introduction": "Տարածքները օգտագործվում են կազմակերպելու համար, թե որտեղ են սարքերը: Այս տեղեկատվությունը կօգտագործվի ամբողջ Տնային օգնականի համար `օգնելու ձեզ կազմակերպել ձեր ինտերֆեյսը, թույլտվությունները և այլ համակարգերի հետ ինտեգրումը:", + "introduction2": "Սարքերը մի տարածքում տեղադրելու համար օգտագործեք ներքևում նշված հղումը ՝ ինտեգրման էջին անցնելու համար, այնուհետև կտտացրեք կարգավորված ինտեգրմանը ՝ սարքի քարտերին հասնելու համար:", + "no_areas": "դեռ տարածքներ չկան" + } + }, + "automation": { + "caption": "Ավտոմատացում", + "description": "Ավտոմատացման ստեղծում և խմբագրում", + "editor": { + "actions": { + "add": "Ավելացնել գործողություն", + "delete": "Ջնջել", + "delete_confirm": "Ցանկանւմ եք ջնջել?", + "duplicate": "Կրկնօրինակել", + "header": "Գործողություններ", + "introduction": "Գործողությունները Տնային օգնականի տանը պետք է անել, երբ ավտոմատացումը գործարկվի.", + "learn_more": "Իմանալ ավելին գործողությունների մասին", + "type_select": "Գործողության տեսակը", + "type": { + "condition": { + "label": "Վիճակը" + }, + "delay": { + "delay": "Հետաձգում", + "label": "Հետաձգում" + }, + "device_id": { + "label": "Սարքը" + }, + "event": { + "event": "Իրադարձություն", + "label": "Հրդեհային իրադարձություն", + "service_data": "Ծառայության տվյալներ" + }, + "service": { + "label": "Զանգի ծառայություն", + "service_data": "Ծառայության տվյալները" + }, + "wait_template": { + "label": "Սպասեք", + "timeout": "Վերջնաժամկետ", + "wait_template": "Սպասեք ձևանմուշին" + } + }, + "unsupported_action": "Չաջակցված գործողություն. {action}" + }, + "alias": "Անուն", + "conditions": { + "add": "Ավելացնել պայման", + "delete": "Ջնջել", + "delete_confirm": "Ցանկանւմ եք ջնջել?", + "duplicate": "Կրկնօրինակել", + "header": "Պայմանները", + "introduction": "Պայմանները ավտոմատացման կանոնների կամընտիր մասն են և կարող են օգտագործվել կանխելու համար գործողությունը կատարելու համար: Պայմանները շատ նման են հարուցիչների, բայց շատ տարբեր են: Ձգան կանդրադառնա համակարգում տեղի ունեցող իրադարձություններին, մինչդեռ մի պայման միայն նայում է, թե ինչպես է համակարգը հիմա նայում: Ձգան կարող է նկատել, որ անջատիչը միացված է: Մի պայման կարող է տեսնել միայն այն դեպքում, արդյոք անջատիչը ներկայում միացված է կամ անջատված է:", + "learn_more": "Իմանալ ավելին պայմանների մասին", + "type_select": "Պայմանի տեսակը", + "type": { + "device": { + "label": "Սարք" + }, + "numeric_state": { + "above": "Վերևում", + "below": "ներքևում", + "label": "Թվային վիճակ", + "value_template": "Արժեքի պարտադիր ձևանմուշ" + }, + "state": { + "label": "Պետություն", + "state": "Պետություն" + }, + "sun": { + "after": "Հետո:", + "after_offset": "Հետո օֆֆսեթ(ոչ պարտադիր)", + "before": "Նախքան:", + "before_offset": "Փոխարկելուց առաջ (ըստ ցանկության)", + "label": "Արև", + "sunrise": "Արևածագ", + "sunset": "Մայրամուտ" + }, + "template": { + "label": "Ձևանմուշ", + "value_template": "Արժեքի ձևանմուշ" + }, + "time": { + "after": "Հետո", + "before": "Նախքան", + "label": "ժամանակը" + }, + "zone": { + "entity": "կազմակերպության գտնվելու վայրը", + "label": "Գոտի", + "zone": "Գոտի" + } + }, + "unsupported_condition": "Չաջակցված պայման. {condition}" + }, + "default_name": "Նոր ավտոմատացում", + "introduction": " Տունը կենդանացնելու համար օգտագործեք ավտոմատացումը", + "load_error_not_editable": "Միայն հնարավոր է փոփոխել automations.yaml ֆայլում գրված ավտոմատացումներումները", + "load_error_unknown": "Ավտոմատացման բեռնման սխալ ({err_no}):", + "save": "Պահպանել", + "triggers": { + "add": "Ավելացնել ձգան", + "delete": "Ջնջել", + "delete_confirm": "Համոզվա՞ծ եք, որ ուզում եք ջնջել:", + "duplicate": "Կրկնօրինակել", + "header": "Թողարկիչ", + "introduction": "Ձգանները այն են, ինչն սկսում է ավտոմատացման կանոնների մշակումը: Նույն կանոնի համար հնարավոր է նշել մի քանի ձգան: Ձգանման մեկնարկից հետո Տնային օգնականը կվավերացնի պայմանները, եթե այդպիսիք կան, և կանչեն գործողություն:", + "learn_more": "Իմացեք ավելին ՝ հարուցիչների մասին", + "type_select": "Տրիգերի տեսակ", + "type": { + "device": { + "label": "Սարք" + }, + "event": { + "event_data": "Իրադարձության տվյալները", + "event_type": "Իրադարձության տեսակը", + "label": "Իրադարձություն" + }, + "geo_location": { + "enter": "Մուտքագրել", + "event": "Իրադարձություն.", + "label": "Երկրաբաշխում", + "leave": "Թողնել", + "source": "Աղբյուր", + "zone": "Գոտի" + }, + "homeassistant": { + "event": "Իրադարձություն։", + "label": "Home Assistant", + "shutdown": "Անջատել", + "start": "Սկսել" + }, + "mqtt": { + "label": "MQTT", + "payload": "փոխանցվող տվյալ(ոչ պարտադիր)", + "topic": "Թեման" + }, + "numeric_state": { + "above": "Վերևում", + "below": "Ստորև", + "label": "Թվային վիճակ", + "value_template": "Արժեքի ձևանմուշ" + }, + "state": { + "for": "Համար", + "from": "Ինչից", + "label": "Վիճակ", + "to": "Դեպի" + }, + "sun": { + "event": "Իրադարձություն", + "label": "Արև", + "offset": "Օֆսեթ (պարտադիր)", + "sunrise": "Արևածագ", + "sunset": "Մայրամուտ" + }, + "template": { + "label": "Ձևանմուշ", + "value_template": "Արժեքի ձևանմուշ" + }, + "time_pattern": { + "hours": "Ժամեր", + "label": "Ժամային գոտի", + "minutes": "Րոպեներ", + "seconds": "Վայրկյան" + }, + "time": { + "at": "Ատ", + "label": "Ժամանակ" + }, + "webhook": { + "label": "համացանցային կայք", + "webhook_id": "համացանցային կայքի ID" + }, + "zone": { + "enter": "Մուտքագրել", + "entity": "Կազմակերպության գտնվելու վայրը", + "event": "Իրադարձություն", + "label": "Գոտի", + "leave": "Թողնել", + "zone": "Գոտի" + } + }, + "unsupported_platform": "Չաջակցված հարթակ. {platform}" + }, + "unsaved_confirm": "Դուք ունեք չպահպանված փոփոխություններ:Վստա՞հ եք, որ ուզում եք հեռանալ:" + }, + "picker": { + "add_automation": "Ավելացնել ավտոմատացում", + "header": "Ավտոմատացման խմբագիր", + "introduction": "Ավտոմատացման խմբագրիչը թույլ է տալիս ստեղծել և խմբագրել ավտոմատացումը: Խնդրում ենք հետևել հետևյալ հղմանը ՝ հրահանգները կարդալու համար, որպեսզի համոզվեք, որ ճիշտ կազմաձևել եք Home Assistant-ը", + "learn_more": "Իմանալ ավելին ավտոմատացման մասին", + "no_automations": "Խմբագրերի ավտոմատացում չի գտնվել", + "pick_automation": " խմբագրելու համար ընտրել ավտոմատացում" + } + }, + "cloud": { + "caption": "Տնային օգնական Cloud", + "description_features": "Կառավարեք տնից հեռու, ինտեգրվեք Alexa- ի և Google Assistant- ի հետ:", + "description_login": "Մուտք գործեք որպես {email}", + "description_not_login": "Մուտք չի գործել" + }, + "core": { + "caption": "Գեներալ", + "description": "Փոխեք ձեր Home Assistant-ի կարգավորումը", + "section": { + "core": { + "core_config": { + "edit_requires_storage": "Խմբագիրն անջատված է, քանի որ կարգավորումները կատարվել են .yaml- ում:", + "elevation": "Բարձրություն", + "elevation_meters": "մետր", + "imperial_example": "Ֆարենհեյթ, ֆունտ", + "latitude": "Լայնություն", + "location_name": "Ձեր Home Assistant-ի տեղադրման անվանումը", + "longitude": "Երկայնություն", + "metric_example": "Ցելսիուս, կիլոգրամ", + "save_button": "Պահպանել", + "time_zone": "Ժամային գոտի", + "unit_system": " համակարգի միավորը", + "unit_system_imperial": "Իմպերիալ", + "unit_system_metric": "Մետրկ" + }, + "header": "Ընդհանուր կարգավորումը", + "introduction": "Ձեր կարգավորումների փոխելը կարող է լինել հոգնեցուցիչ ։գործընթաց: Մենք գիտենք. Այս բաժինը կփորձի ձեր կյանքը մի փոքր դյուրին դարձնել:" + }, + "server_control": { + "reloading": { + "automation": "Վերբեռնեք ավտոմատները", + "core": "Վերափոխեք հիմնականը", + "group": "Վերբեռնեք խմբերը", + "heading": "Կարգավորման վերաբեռնում", + "introduction": "Home Assistant-ի որոշ մասեր կարող են վերբեռնվել առանց վերագործարկման (restart): Սեղմելով վերաբեռնել կոճակը ընթացիկ կարգավորումը կփոխարինվի նորով։", + "script": "Վերբեռնել սցենարներ" + }, + "server_management": { + "heading": "Սերվերի կառավարում", + "introduction": "Վերահսկեք ձեր Գլխավոր օգնական սերվերը… Տնային օգնականից:", + "restart": "Վերսկսել", + "stop": "Դադար" + }, + "validation": { + "check_config": "Ստուգեք կարգավորումը", + "heading": "Կարգավորման վավերացում", + "introduction": "Վավերացրեք ձեր կազմաձևումը, եթե վերջերս որոշ փոփոխություններ եք կատարել ձեր կազմաձևում և ցանկանում եք համոզվել, որ այդ ամենը վավեր է", + "invalid": "Կարգավորումը սխալ է", + "valid": "Կարգավորումը վավեր է:" + } + } + } + }, + "customize": { + "caption": "Անհատականացում", + "description": "Կարգավորել ձեր անձի", + "picker": { + "header": "հարմարեցում", + "introduction": "Կսմթել յուրաքանչյուր անձի հատկանիշները: Անհապաղ գործողության մեջ կավելացվեն \/ խմբագրված փոփոխությունները: Հեռացված կարգավորումները ուժի մեջ են մտնում սուբյեկտի թարմացման դեպքում:" + } + }, + "entity_registry": { + "caption": "Անշարժ գույքի ռեգիստր", + "description": "Բոլոր հայտնի սուբյեկտների ակնարկ:", + "editor": { + "default_name": "Նոր տարածք", + "delete": "Հեռացնել", + "enabled_cause": "Անջատված է {cause}-ի կողմից", + "enabled_description": "Անջատված օբյեկտները չեն ավելացվի Home Assistant-ում", + "enabled_label": "Միացնել օբյեկտը", + "unavailable": "Այս անձը ներկայումս հասանելի չէ", + "update": "Թարմացնել" + }, + "picker": { + "header": " ռեգիստրի սուբյեկտ", + "integrations_page": "Ինտեգրումների էջ", + "introduction": "Տնային օգնականը պահում է իր տեսած յուրաքանչյուր սուբյեկտի գրանցամատյան, որը կարող է եզակիորեն նույնականացվել: Այս սուբյեկտներից յուրաքանչյուրը կունենա անձի նույնականացում, որը վերապահված կլինի հենց այս սուբյեկտին:", + "introduction2": "Օգտագործեք կազմակերպության ռեգիստրը `անունը շրջանցելու համար, փոխելու անձի նույնականացումը կամ մուտքը Տնային օգնականից հանելու համար: Նշում, կազմակերպության գրանցամատյան մուտքագրումը հանելը չի հեռացնում կազմակերպությանը: Դա անելու համար հետևեք ստորև նշված հղմանը և հեռացրեք այն ինտեգրման էջից:", + "unavailable": "(անհասանելի)" + } + }, + "header": "Կարգավորել Home Assistant-ը", + "integrations": { + "caption": "Ինտեգրում", + "config_entry": { + "delete_confirm": "Համոզվա՞ծ եք, որ ցանկանում եք ջնջել այս ինտեգրումը", + "device_unavailable": "սարքն անհասանելի է", + "entity_unavailable": "անձը անհասանելի է", + "firmware": "Firmware: {version}", + "hub": "Միացված է ի օգնությամբ", + "manuf": "{manufacturer}ի կողմից", + "no_area": "Ոչ մի տարածք", + "no_device": " անձինք` առանձ սարքերի", + "no_devices": "Այս ինտեգրումը չունի սարքեր:", + "restart_confirm": "Վերագործարկել Home Assistant-ը որպեսզի վերջացնել ինտեգրման հեռացման պրոցեսը", + "via": "Միացված է ի օգնությամբ" + }, + "config_flow": { + "external_step": { + "description": "Այս քայլը պահանջում է, որ դուք ավարտին հասցնեք վեբ կայքը:", + "open_site": "Բացեք կայք" + } + }, + "configure": "Կարգավորել", + "configured": "Կարգավորված", + "description": "Կառավարեք սարքերը և ծառայությունները", + "discovered": "Բացահայտել", + "new": "Ստեղծվել է նոր ինտեգրումը", + "none": " Ոչինչ տրամադրված չէ" + }, + "introduction": "Այստեղ հնարավոր է կարգավորել ձեր բաղադրիչները և Home Assistant:Դեռ ամեն ինչ հնարավոր չէ կազմաձևել UI- ից, բայց մենք աշխատում ենք այդ ուղղությամբ", + "person": { + "caption": "Անձինք", + "description": "Կառավարել այն անձանց, որոնք հետապնդում են Home Assistant-ին:", + "detail": { + "device_tracker_intro": "Ընտրեք սարքեր, որոնք պատկանում են այդ մարդուն.", + "device_tracker_pick": "Ընտրել սարքը հետևելու համար", + "device_tracker_picked": "Հետևել սարք", + "name": "Անուն" + } + }, + "script": { + "caption": "Սցենար", + "description": "Սցենարների ստեղծում և խմբագրում" + }, + "server_control": { + "caption": "Սերվերի վերահսկում", + "description": "Վերագործարկեք և դադարեցրեք Home Assistant սերվերը", + "section": { + "reloading": { + "automation": "Վերաբեռնել ավտոմատացումները", + "core": "Վերաբեռնել core-ը", + "group": "Վերաբեռնել խմբերը", + "heading": "Կարգավորման վերաբեռնում", + "introduction": "Home Assistant-ի որոշ մասեր կարող են վերբեռնվել առանց վերագործարկման (restart): Սեղմելով վերաբեռնել կոճակը ընթացիկ կարգավորումը կփոխարինվի նորով։", + "scene": "Վերբեռնել տեսարանները", + "script": "Վերբեռնել սցենարներ" + }, + "server_management": { + "confirm_restart": "Համոզվա՞ծ եք, որ ցանկանում եք վերագործարկել Home Assistant-ը?", + "confirm_stop": "Համոզվա՞ծ եք, որ ցանկանում եք դադարեցնել Home Assistant-ը?", + "heading": "Սերվերի կառավարում", + "introduction": "Վերահսկեք ձեր Home Assistant սերվերը… Home Assistant-ից:", + "restart": "Վերսկսել", + "stop": "Դադարեցնել" + }, + "validation": { + "check_config": "Ստուգել կարգավուրումը", + "heading": "Կարգավորման վավերացում", + "introduction": "Եթե վերջերս որոշ փոփոխություններ եք կատարել ձեր կարգավորման մեջ, համոզվեք, որ այդ ամենը վավեր է։", + "invalid": "Կարգավուրումը անվավեր է", + "valid": "Կարգավուրումը վավեր է" + } + } + }, + "users": { + "add_user": { + "caption": "Ավելացնել օգտվող", + "create": "Ստեղծել", + "name": "Անուն", + "password": "Գաղտնաբառ", + "username": "Օգտագործողի անունը" + }, + "caption": "Օգտագործողներ", + "description": "Կառավարեք օգտվողներին", + "editor": { + "activate_user": "Ակտիվացրեք օգտագործողին", + "caption": "Տեսնել օգտագործողին", + "change_password": "Փոխել գաղտնաբառը", + "deactivate_user": "Ապաակտիվացնել օգտագործողին", + "delete_user": "հեռացնել օգտագործողին", + "rename_user": "Անվանափոխել օգտագործողին" + }, + "picker": { + "title": "Օգտագործողներ" + } + }, + "zha": { + "add_device_page": { + "discovery_text": "Հայտնաբերված սարքերը կհայտնվեն այստեղ: Հետևեք ձեր սարքի (ների) ցուցումներին և սարքը (ներ) ը տեղադրեք զուգահեռ ռեժիմով:", + "header": "Ավտոմատացում, ավելացնելով", + "spinner": "ZHA Zigbee սարքերի որոնում ..." + }, + "caption": "ZHA- ն", + "description": "Zigbee տան ավտոմատացման ցանցի կառավարում", + "device_card": { + "area_picker_label": "Տարածք", + "device_name_placeholder": "Օգտագործողի կողմից տրված անուն", + "update_name_button": "Թարմացնել անունը" + }, + "services": { + "reconfigure": "Կարգավորել ZHA սարքը: Եթե տվյալ սարքը մարտկոցով աշխատող սարք է, ապա այս ծառայությունն օգտագործելիս համոզվեք, որ արթուն է և հրամաններ է ընդունում:", + "remove": "Հեռացնել մի սարք ZigBee ցանցից:", + "updateDeviceName": "Սահմանեք այս սարքի համար հատուկ անուն սարքի գրանցամատյանում:" + } + }, + "zwave": { + "caption": "Z-Wave ցանց", + "common": { + "index": "Ինդեքս", + "instance": "Օրինակ", + "unknown": "հայտնի չէ", + "value": "Արժեք", + "wakeup_interval": "Արթնանալու ինտերվալ" + }, + "description": "Կառավարել Z-Wave ցանցը", + "network_management": { + "header": "Z-Wave ցանցի կառավարում", + "introduction": "Գործարկել հրամաններ, որոնք ազդում են Z-Wave ցանցի վրա: Դուք չեք ստանա հետադարձ կապ այն մասին, թե արդյոք հրամանների մեծ մասը հաջողվել է, բայց կարող եք ստուգել OZW տեղեկամատյանները ` պարզելու համար" + }, + "network_status": { + "network_started": "Մեկնարկեց Z-Wave ցանցը", + "network_started_note_all_queried": "Բոլոր հանգույցներին հարցում ուղարկված են:", + "network_started_note_some_queried": "Արթնացնող հանգույցները հարցվել են: Քնած հանգույցները կզգան, երբ նրանք արթնանան:", + "network_starting": "Մեկնարկվում է Z-Wave ցանցը ...", + "network_starting_note": "Սա կարող է որոշ ժամանակ տևել `կախված ձեր ցանցի չափից:", + "network_stopped": "Z-wave ցանցը դադարեցված է" + }, + "node_config": { + "config_parameter": " կարգավորման պարամետր", + "config_value": "Կարգավորման արժեք", + "false": "False", + "header": "Node-ի կարգավորման տարբերակներ", + "seconds": "վայրկյաններ", + "set_config_parameter": "Սահմանեք կարգավորման պարամետր", + "set_wakeup": "Սահմանել արթնանալու ինտերվալ", + "true": "True" + }, + "services": { + "add_node": "Ավելացնել հանգույց", + "add_node_secure": "Ավելացնել անվտանգ հանգույց", + "cancel_command": "Չեղարկել հրամանը", + "heal_network": "Բուժել ցանցը", + "remove_node": "Ջնգել հանգույցը", + "save_config": "Պահպանել կարգավուրումը", + "soft_reset": "Թեթև վերագործարկել", + "start_network": "Միացնել ցանցը", + "stop_network": "Անջատել ցանցը", + "test_network": "Փորձարկել ցանը" + }, + "values": { + "header": "Հանգույցի արժեքները" + } + } }, - "preset_mode": { - "none": "Ոչ ոք", - "eco": "Էկո", - "away": "Հեռու", - "boost": "Խթանել", - "comfort": "Կոմֆորտ", - "home": "Տուն", - "sleep": "Քնել", - "activity": "Գործունեություն" + "developer-tools": { + "tabs": { + "events": { + "title": "Իրադարձություններ" + }, + "info": { + "title": "Ինֆորմացիա" + }, + "logs": { + "title": "log-եր" + }, + "mqtt": { + "title": "MQTT" + }, + "services": { + "title": "Սերվիսներ" + }, + "states": { + "title": "Իրավիճակներ" + }, + "templates": { + "title": "Ձևանմուշ" + } + } }, - "hvac_action": { - "off": "Անջատած", - "heating": "Տաքացում", - "cooling": "հովացում", - "drying": "Չորացում", - "idle": "Պարապ", - "fan": "Երկրպագու" + "history": { + "period": "Ժամանակահատված", + "showing_entries": "Ցուցադրվում է մուտքագրված գրառումները" + }, + "logbook": { + "period": "Ժամանակահատված", + "showing_entries": "Ցուցադրվում է մուտքագրված գրառումները" + }, + "lovelace": { + "cards": { + "empty_state": { + "go_to_integrations_page": "Անցնել ինտեգրման էջ", + "no_devices": "Այս էջը թույլ է տալիս վերահսկել ձեր սարքերը։ սակայն, կարծես, դեռ տեղադրված չեք: Սկսեք ինտեգրման էջը `սկսելու համար:", + "title": "Բարի գալուստ տուն" + }, + "picture-elements": { + "call_service": "Զանգի ծառայություն {name}", + "hold": "Պահել", + "more_info": "Ցույց տալ-ինֆո\": {անուն}", + "navigate_to": "Գնալ դեպի {location}", + "tap": "սեղմեք", + "toggle": "Փոխարկել {name}" + }, + "shopping-list": { + "add_item": "Ավելացնել իրը", + "checked_items": "Ստուգված իրեր", + "clear_items": "Մաքրել ստուգված իրերը" + } + }, + "changed_toast": { + "message": "Lovelace կարգավորումը թարմացվել է, կցանկանայի՞ք թարմացնել UI-ը:", + "refresh": "Թարմացնել" + }, + "editor": { + "edit_card": { + "add": "Ավելացնել քարտ", + "delete": "Հեռացնել", + "edit": "Խմբագրել", + "header": "Քարտի կարգավորում", + "move": "Տեղափոխել", + "pick_card": "Ընտրեք այն քարտը, որը ցանկանում եք ավելացնել:", + "save": "Պահպանել", + "toggle_editor": "Միացրեք խմբագրելը" + }, + "edit_lovelace": { + "explanation": "Այս վերնագիրը ցույց է տրված Lovelace-ի ձեր բոլոր view-երում", + "header": "Ձեր Lovelace UI- ի վերնագիր" + }, + "edit_view": { + "add": "Ավելացնել տեսք", + "delete": "Հեռացնել դիտումը", + "edit": "Խմբագրել տեսքը", + "header": "Դիտեք կարգավուրումը" + }, + "header": "Խմբագրել UI", + "menu": { + "raw_editor": "Հում կազմաձևման խմբագիր" + }, + "migrate": { + "header": "Կարգավուրումը անհամատեղելի է", + "migrate": "Տեղափոխել կարգավորումը", + "para_migrate": "Տնային օգնականը կարող է ինքնուրույն ավելացնել ID- ի բոլոր քարտերը և դիտումները `սեղմելով« Միգրացիայի կազմաձևման »կոճակը:", + "para_no_id": "Այս տարրը ID չունի: Խնդրում ենք ID- ին ավելացնել 'ui-lovelace.yaml' մեջ:" + }, + "raw_editor": { + "header": "Խմբագրել կարգավորումը", + "save": "Պահպանել", + "saved": "Պահպանված", + "unsaved_changes": "Չփրկված փոփոխություններ" + }, + "save_config": { + "cancel": "Երբեք դեմ չեք", + "header": "Վերցրեք ձեր Lovelace UI- ն", + "para": " Տնային օգնականը կպահպանի ձեր ինտերֆեյսը ՝ այն թարմացնելով, երբ հասանելի լինեն նոր սուբյեկտները կամ Lovelace բաղադրիչները: Եթե դուք ստանձնեք վերահսկողություն, մենք այլևս ինքնաբերաբար փոփոխություններ չենք անի ձեզ համար:", + "para_sure": "Համոզվա՞ծ եք, որ ցանկանում եք ստանձնել ձեր UI-ի թարմացման պարտավորությունը:", + "save": "Վերահսկել" + } + }, + "menu": { + "configure_ui": "Կարգավորել UI- ն", + "help": "Օգնություն", + "refresh": "Թարմացրեք", + "unused_entities": "Չօգտագործված անձինք" + }, + "reload_lovelace": "Վերաբեռնել Lovelace-ն", + "warning": { + "entity_non_numeric": "Կազմակերպությունը ոչ թվային է. {entity} Անձ {entity}", + "entity_not_found": "Անունը հասանելի չէ. {entity}" + } + }, + "mailbox": { + "delete_button": "Ջնջել", + "delete_prompt": "Ջնջել այս հաղորդագրությունը? ", + "empty": "Դուք չունեք որեւէ հաղորդագրությունները", + "playback_title": "Հաղորդագրության նվագարկում" + }, + "page-authorize": { + "abort_intro": "Մուտք ընդհատվել", + "authorizing_client": "Դուք պատրաստվում եք {clientId} մուտք գործել ձեր տան օգնականի օրինակ:", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "նիստն ավարտվեց,խնդրում ենք կրկին մուտք գործեք" + }, + "error": { + "invalid_auth": "Սխալ մուտքանուն կամ գաղտնաբառ", + "invalid_code": "Նույնականացման կոդը սխալ է" + }, + "step": { + "init": { + "data": { + "password": "գաղտնաբառ", + "username": "Օգտագործողի անունը" + } + }, + "mfa": { + "data": { + "code": "Երկու գործողությամբ նույնականացման կոդ" + }, + "description": "Ձեր սարքի վրա բացեք{mfa_module_name}** ,․երկու գործողությամբ հաստատեք ձեր կոդը և ինքնությունը" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Նիստն ավարտվեց, խնդրում ենք կրկին մուտք գործեք:" + }, + "error": { + "invalid_auth": "Մուտքանունը կամ գաղտնաբառը սխալ է", + "invalid_code": "Անվավեր նույնականացման կոդ" + }, + "step": { + "init": { + "data": { + "password": "Գաղտնաբառ", + "username": "Օգտագործողի անունը" + } + }, + "mfa": { + "data": { + "code": "Երկու գործոնով նույնականացման կոդ" + }, + "description": "Բացեք ** {mfa_module_name} ** սարքը , դիտեք ձեր ծածկագիրը և ինքնությունը, հաստատեք այն." + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Նիստն ավարտվեց,խնդրում ենք նորից մուտք գործել", + "no_api_password_set": "Դուք API գաղտնաբառով կարգավորումներ չունեք\\n՛" + }, + "error": { + "invalid_auth": " API գաղտնաբառը անվավեր է", + "invalid_code": "Սխալ նույնականացման կոդ" + }, + "step": { + "init": { + "data": { + "password": "API գաղտնաբառ" + }, + "description": "Խնդրում ենք մուտքագրել API գաղտնաբառը ձեր http կարգաձևում" + }, + "mfa": { + "data": { + "code": "Երկու գործոնով նույնականացման կոդ" + }, + "description": "Բացել **{mfa_module_name}** ցարքը, երկու գործողությամբ հաստատել նույնականացման կոդը և ինքնությունը" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Ձեր համակարգիչը սպիտակեցված չէ:" + }, + "step": { + "init": { + "data": { + "user": "Օգտագործող" + }, + "description": "Խնդրում ենք ընտրել օգտագործողին, որպես որի ցանկանում եք մուտք գործել" + } + } + } + }, + "unknown_error": "Ինչ որ բան այնպես չգնաց", + "working": "Խնդրում ենք սպասել" + }, + "initializing": "Նախաձեռնող", + "logging_in_with": "Մուտք {authProviderName} ** {authProviderName} **-ի հետ:", + "pick_auth_provider": "Կամ մուտք գործել" + }, + "page-demo": { + "cards": { + "demo": { + "demo_by": "{name}-ի կողմից", + "introduction": "Բարի գալուստ տուն! Դուք տեսնում եք Home Assistant-ի ցուցադրումը, որտեղ մենք ցուցադրում ենք մեր community-ի կողմից ստեղծված լավագույն UI- ները:", + "learn_more": "Իմացեք ավելին Home Assistant-ի մասին", + "next_demo": "Հաջորդ ցուցադրումը" + } + }, + "config": { + "arsaboo": { + "labels": { + "activity": "Գործունեություն", + "air": "Օդ", + "commute_home": "Հասնել տուն", + "entertainment": "Ժամանց", + "hdmi_input": "HDMI մուտք", + "hdmi_switcher": "HDMI փոխարկիչ", + "information": "Տեղեկատվություն", + "lights": "Լույսեր", + "morning_commute": "Առավոտյան ուղևորություն", + "total_tv_time": "Հեռուստատեսության ընդհանուր ժամանակը", + "turn_tv_off": "Անջատել հեռուստացույցը", + "volume": "Ծավալ" + }, + "names": { + "family_room": "Ընտանեկան սենյակ", + "hallway": "Միջանցք", + "kitchen": "Խոհանոց", + "left": "Ձախ", + "master_bedroom": "Գլխավոր ննջասենյակ", + "mirror": "Հայելի", + "patio": "Բակում", + "right": "Ճիշտ", + "upstairs": "Վերևում" + }, + "unit": { + "minutes_abbr": "րոպե", + "watching": "դիտում" + } + } + } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Հայտնաբերել", + "finish": "Հաջորդը", + "intro": "Բարեւ {անուն}, բարի գալուստ տնային օգնականի. Ինչպես եք ցանկանում անվանել ձեր տունը?", + "intro_location": "Մենք ցանկանում ենք իմանալ, թե որտեղ եք ապրում. Այս տեղեկատվությունը կօգնի կարգավորել արեւի հիման վրա ավտոմատացումը։. Այս տվյալները երբեք չեն տարածվում ձեր ցանցից դուրս.", + "intro_location_detect": "Մենք կարող ենք օգնել ձեզ լրացնել այս տեղեկատվությունը` արտաքին սերվիսով մեկ անգամյա հարցում ուղարկելով:", + "location_name_default": "Տուն" + }, + "integration": { + "finish": "Ավարտել", + "intro": "Սարքերը և սերվիսները ներկայացված են Home Assistant-ում որպես ինտեգրացիաներ: Կարող եք դրանք հիմա կարգավորել կամ դա անել ավելի ուշ ՝ կարգավորման էկրանից:", + "more_integrations": "Ավելին" + }, + "intro": "Պատրա՞ստ եք արթնացնել ձեր տունը, վերականգնել ձեր գաղտնիությունը և միանալ մրջազգային հանրությանը?", + "user": { + "create_account": "Գրանցվել", + "data": { + "name": "Անուն", + "password": "Գաղտնաբառ", + "password_confirm": "Հաստատել գաղտնաբառը", + "username": "Օգտագործողի անունը" + }, + "error": { + "password_not_match": "Գաղտնաբառերը չեն համընկնում", + "required_fields": "Լրացրեք բոլոր պահանջվող դաշտերը" + }, + "intro": "Սկսենք ՝ ստեղծելով օգտվողի հաշիվ:", + "required_field": "Պահանջվում է" + } + }, + "profile": { + "change_password": { + "confirm_new_password": "Հաստատեք նոր գաղտնաբառ", + "current_password": "Ընթացիկ գաղտնաբառ", + "error_required": "Պահանջվում է", + "header": "Փոխել գաղտնաբառը", + "new_password": "Նոր գաղտնաբառը", + "submit": "Ներկայացնել" + }, + "current_user": "Դուք մուտք եք գործել որպես {fullName} :", + "force_narrow": { + "description": "Սա թաքցնում է sidebar*ը ,ինչպես բջջային հեռախոսներում", + "header": "Միշտ թաքցրեք կողային գոտին(sidebar)" + }, + "is_owner": "Դուք սեփականատեր եք:", + "language": { + "dropdown_label": "Լեզու", + "header": "Լեզու", + "link_promo": "Օգնեք թարգմանել" + }, + "logout": "Դուրս գալ", + "long_lived_access_tokens": { + "confirm_delete": "Համոզվա՞ծ եք, որ ցանկանում եք ջնջել մուտքի նշանը {name} :", + "create": "Ստեղծել Մարկեր", + "create_failed": "Չի հաջողվեց ստեղծել մուտքի թույլտվություն:", + "created_at": "Ստեղծվել է {date}", + "delete_failed": "Չհաջողվեց ջնջել մուտքի նշանը:", + "description": "Ստեղծեք երկարատև մուտքի նշաններ, որպեսզի ձեր սցենարները փոխազդեն ձեր Տնային օգնականի օրինակով: Յուրաքանչյուր նշան ուժի մեջ կլինի ստեղծման պահից 10 տարի: Հետևաբար երկարատև մուտքի նշաններն այժմ ակտիվ են:", + "empty_state": " չունեք մուտքի նշաններ:", + "header": "Երկարատև մուտքի նշաններ", + "last_used": "Վերջին անգամ օգտագործվել է {date} ից {location}", + "learn_auth_requests": "Իմացեք, թե ինչպես անել վավերացման հարցում.", + "not_used": "Երբեք չի օգտագործվել", + "prompt_copy_token": "Պատճենեք ձեր մուտքի նշանը: Այն կրկին չի ցուցադրվի:", + "prompt_name": "Անուն?" + }, + "mfa_setup": { + "close": "փակել", + "step_done": "Կարգավորումը կատարվել է {step}", + "submit": "Ներկայացնել", + "title_aborted": "Վիժեցված", + "title_success": "Հաջողություն:" + }, + "mfa": { + "confirm_disable": "Համոզվա՞ծ եք, որ ուզում եք անջատել {name} :", + "disable": "Անջատել", + "enable": "Միացնել", + "header": "Բազմաֆունկցիոնալ նույնականացման մոդուլներ" + }, + "push_notifications": { + "description": "Ուղարկեք ծանուցումներ այս սարքին:", + "error_load_platform": "Ստեղծել ծանուցման:է HTML5.", + "error_use_https": "Պահանջում է SSL- ին միացված լուսադիտակի համար:", + "header": "Հրել ծանուցումները", + "link_promo": "Իմանալ ավելին", + "push_notifications": "Հրել ծանուցումները" + }, + "refresh_tokens": { + "confirm_delete": "Համոզվա՞ծ եք, որ ցանկանում եք ջնջել թարմացման նշանը {name} :", + "created_at": "Ստեղծվել է {ամսաթիվ}", + "current_token_tooltip": "Հնարավոր չէ ջնջել ընթացիկ թարմացման նշանը", + "delete_failed": "Չհաջողվեց ջնջել թարմացման նշանը:", + "description": "Թարմացման յուրաքանչյուր նշանը ներկայացնում է մուտքի նստաշրջան: Թարմացնել նշանները ավտոմատ կերպով կհանվեն, երբ կտտացրեք դուրս գալը: Հետևյալ թարմացման նշանները ներկայումս ակտիվ են ձեր հաշվի համար:", + "header": "Թարմացման token", + "last_used": "Վերջին անգամ օգտագործվել է {date} ից {location}", + "not_used": "Երբեք չի օգտագործվել", + "token_title": "Թարմացման token {clientId}-ի համար" + }, + "themes": { + "dropdown_label": "Թեմա", + "error_no_theme": "Չկան թեմաներ", + "header": "Թեմա", + "link_promo": "Իմացեք թեմաների մասին" + } + }, + "shopping-list": { + "add_item": "Ավելացնել իր", + "clear_completed": "Մաքրել ավարտվածները", + "microphone_tip": "Հպեք խոսափողը վերևի աջ կողմում և ասեք. “Add candy to my shopping list”" } - } - }, - "groups": { - "system-admin": "Ադմինիստրատորներ", - "system-users": "Օգտվողներ", - "system-read-only": "Միայն օգտվողները ընթերցեն" - }, - "config_entry": { - "disabled_by": { - "user": "Օգտագործող", - "integration": "Ինտեգրում", - "config_entry": "Կարգավորման սկզբնական կետ" + }, + "sidebar": { + "external_app_configuration": "Ծրագրի կարգավորում", + "log_out": "Դուրս գալ" } } } \ No newline at end of file diff --git a/translations/id.json b/translations/id.json index b2cd665ba5..57eccaace2 100644 --- a/translations/id.json +++ b/translations/id.json @@ -1,52 +1,150 @@ { - "panel": { - "config": "Konfigurasi", - "states": "Ikhtisar", - "map": "Peta", - "logbook": "Catatan Log", - "history": "Riwayat", + "attribute": { + "weather": { + "humidity": "Kelembaban", + "visibility": "Jarak pandang", + "wind_speed": "Kecepatan angin" + } + }, + "domain": { + "alarm_control_panel": "Kontrol panel alarm", + "automation": "Otomasi", + "binary_sensor": "Sensor biner", + "calendar": "Kalender", + "camera": "Kamera", + "climate": "Cuaca", + "configurator": "Konfigurator", + "conversation": "Percakapan", + "cover": "Penutup", + "device_tracker": "Pelacak perangkat", + "fan": "Kipas angin", + "group": "Grup", + "history_graph": "Riwayat Grafik", + "image_processing": "Pengolahan gambar", + "input_boolean": "Input boolean", + "input_datetime": "Input tanggal waktu", + "input_number": "Masukkan angka", + "input_select": "Input Pilihan", + "input_text": "Input teks", + "light": "Lampu", + "lock": "Kunci", "mailbox": "Kotak pesan", - "shopping_list": "Daftar belanja", + "media_player": "Pemutar media", + "notify": "Pemberitahuan", + "person": "Orang", + "plant": "Tanaman", + "proximity": "Kedekatan", + "remote": "Remot", + "scene": "Scene", + "script": "Skrip", + "sensor": "Sensor", + "sun": "Matahari", + "switch": "Sakelar", + "updater": "Updater", + "vacuum": "Vakum", + "weblink": "Tautan web", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Administrator", + "system-users": "Pengguna" + }, + "panel": { + "calendar": "Kalender", + "config": "Konfigurasi", "dev-info": "Info", "developer_tools": "Alat pengembang", - "calendar": "Kalender" + "history": "Riwayat", + "logbook": "Catatan Log", + "mailbox": "Kotak pesan", + "map": "Peta", + "shopping_list": "Daftar belanja", + "states": "Ikhtisar" + }, + "state_badge": { + "alarm_control_panel": { + "armed": "Armed", + "armed_away": "Armed", + "armed_custom_bypass": "Armed", + "armed_home": "Armed", + "armed_night": "Armed", + "arming": "Arming", + "disarmed": "Disarm", + "disarming": "Disarm", + "pending": "Tunda", + "triggered": "Picu" + }, + "default": { + "unavailable": "Tak Ada", + "unknown": "Tak Tahu" + }, + "device_tracker": { + "home": "Rumah", + "not_home": "Keluar" + }, + "person": { + "home": "Rumah", + "not_home": "Keluar" + } }, "state": { - "default": { - "off": "Off", - "on": "On", - "unknown": "Tidak diketahui", - "unavailable": "Tidak tersedia" - }, "alarm_control_panel": { "armed": "Bersenjata", - "disarmed": "Dilucuti", - "armed_home": "Armed home", "armed_away": "Armed away", + "armed_custom_bypass": "Armed custom bypass", + "armed_home": "Armed home", "armed_night": "Armed night", - "pending": "Tertunda", "arming": "Mempersenjatai", + "disarmed": "Dilucuti", "disarming": "Melucuti", - "triggered": "Terpicu", - "armed_custom_bypass": "Armed custom bypass" + "pending": "Tertunda", + "triggered": "Terpicu" }, "automation": { "off": "Off", "on": "On" }, "binary_sensor": { + "battery": { + "off": "Normal", + "on": "Rendah" + }, + "cold": { + "off": "Normal", + "on": "Dingin" + }, + "connectivity": { + "off": "Terputus", + "on": "Terhubung" + }, "default": { "off": "Off", "on": "On" }, - "moisture": { - "off": "Kering", - "on": "Basah" + "door": { + "off": "Tertutup", + "on": "Terbuka" + }, + "garage_door": { + "off": "Tertutup", + "on": "Terbuka" }, "gas": { "off": "Kosong", "on": "Terdeteksi" }, + "heat": { + "off": "Normal", + "on": "Panas" + }, + "lock": { + "off": "Terkunci", + "on": "Terbuka" + }, + "moisture": { + "off": "Kering", + "on": "Basah" + }, "motion": { "off": "Tidak ada", "on": "Terdeteksi" @@ -55,6 +153,22 @@ "off": "Tidak ada", "on": "Terdeteksi" }, + "opening": { + "off": "Tertutup", + "on": "Terbuka" + }, + "presence": { + "off": "Keluar", + "on": "Rumah" + }, + "problem": { + "off": "OK", + "on": "Masalah" + }, + "safety": { + "off": "Aman", + "on": "Tidak aman" + }, "smoke": { "off": "Tidak ada", "on": "Terdeteksi" @@ -67,53 +181,9 @@ "off": "Tidak ada", "on": "Terdeteksi" }, - "opening": { - "off": "Tertutup", - "on": "Terbuka" - }, - "safety": { - "off": "Aman", - "on": "Tidak aman" - }, - "presence": { - "off": "Keluar", - "on": "Rumah" - }, - "battery": { - "off": "Normal", - "on": "Rendah" - }, - "problem": { - "off": "OK", - "on": "Masalah" - }, - "connectivity": { - "off": "Terputus", - "on": "Terhubung" - }, - "cold": { - "off": "Normal", - "on": "Dingin" - }, - "door": { - "off": "Tertutup", - "on": "Terbuka" - }, - "garage_door": { - "off": "Tertutup", - "on": "Terbuka" - }, - "heat": { - "off": "Normal", - "on": "Panas" - }, "window": { "off": "Tertutup", "on": "Terbuka" - }, - "lock": { - "off": "Terkunci", - "on": "Terbuka" } }, "calendar": { @@ -121,38 +191,44 @@ "on": "On" }, "camera": { + "idle": "Siaga", "recording": "Merekam", - "streaming": "Streaming", - "idle": "Siaga" + "streaming": "Streaming" }, "climate": { - "off": "Off", - "on": "On", - "heat": "Panas", - "cool": "Sejuk", - "idle": "Siaga", "auto": "Auto", + "cool": "Sejuk", "dry": "Kering", - "fan_only": "Hanya kipas", "eco": "Eco", "electric": "Petir", - "performance": "Kinerja", - "high_demand": "Permintaan yang tinggi", - "heat_pump": "Pompa pemanas", + "fan_only": "Hanya kipas", "gas": "Gas", - "manual": "Manual" + "heat": "Panas", + "heat_pump": "Pompa pemanas", + "high_demand": "Permintaan yang tinggi", + "idle": "Siaga", + "manual": "Manual", + "off": "Off", + "on": "On", + "performance": "Kinerja" }, "configurator": { "configure": "Konfigurasi", "configured": "Terkonfigurasi" }, "cover": { - "open": "Buka", - "opening": "Membuka", "closed": "Tertutup", "closing": "Menutup", + "open": "Buka", + "opening": "Membuka", "stopped": "Terhenti" }, + "default": { + "off": "Off", + "on": "On", + "unavailable": "Tidak tersedia", + "unknown": "Tidak diketahui" + }, "device_tracker": { "home": "Rumah", "not_home": "Keluar" @@ -162,19 +238,19 @@ "on": "On" }, "group": { - "off": "Off", - "on": "On", - "home": "Rumah", - "not_home": "Keluar", - "open": "Terbuka", - "opening": "Membuka", "closed": "Tertutup", "closing": "Menutup", - "stopped": "Tertutup", + "home": "Rumah", "locked": "Terkunci", - "unlocked": "Terbuka", + "not_home": "Keluar", + "off": "Off", "ok": "OK", - "problem": "Masalah" + "on": "On", + "open": "Terbuka", + "opening": "Membuka", + "problem": "Masalah", + "stopped": "Tertutup", + "unlocked": "Terbuka" }, "input_boolean": { "off": "Off", @@ -189,13 +265,17 @@ "unlocked": "Terbuka" }, "media_player": { + "idle": "Diam", "off": "Off", "on": "On", - "playing": "Memainkan", "paused": "Jeda", - "idle": "Diam", + "playing": "Memainkan", "standby": "Siaga" }, + "person": { + "home": "Di rumah", + "not_home": "Mode jauh" + }, "plant": { "ok": "OK", "problem": "Masalah" @@ -223,17 +303,15 @@ "off": "Off", "on": "On" }, - "zwave": { - "default": { - "initializing": "Inisialisasi", - "dead": "Mati", - "sleeping": "Tidur", - "ready": "Siap" - }, - "query_stage": { - "initializing": "Inisialisasi ( {query_stage} )", - "dead": "Mati ({query_stage})" - } + "vacuum": { + "cleaning": "Membersihkan", + "docked": "Berlabuh", + "error": "Kesalahan", + "idle": "Siaga", + "off": "Padam", + "on": "Menyala", + "paused": "Berhenti", + "returning": "Kembali ke dock" }, "weather": { "clear-night": "Cerah, malam", @@ -251,615 +329,76 @@ "windy": "Berangin", "windy-variant": "Berangin" }, - "vacuum": { - "cleaning": "Membersihkan", - "docked": "Berlabuh", - "error": "Kesalahan", - "idle": "Siaga", - "off": "Padam", - "on": "Menyala", - "paused": "Berhenti", - "returning": "Kembali ke dock" - }, - "person": { - "home": "Di rumah", - "not_home": "Mode jauh" - } - }, - "state_badge": { - "default": { - "unknown": "Tak Tahu", - "unavailable": "Tak Ada" - }, - "alarm_control_panel": { - "armed": "Armed", - "disarmed": "Disarm", - "armed_home": "Armed", - "armed_away": "Armed", - "armed_night": "Armed", - "pending": "Tunda", - "arming": "Arming", - "disarming": "Disarm", - "triggered": "Picu", - "armed_custom_bypass": "Armed" - }, - "device_tracker": { - "home": "Rumah", - "not_home": "Keluar" - }, - "person": { - "home": "Rumah", - "not_home": "Keluar" + "zwave": { + "default": { + "dead": "Mati", + "initializing": "Inisialisasi", + "ready": "Siap", + "sleeping": "Tidur" + }, + "query_stage": { + "dead": "Mati ({query_stage})", + "initializing": "Inisialisasi ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Hapus selesai", - "add_item": "Tambah item", - "microphone_tip": "Sentuh mikrofon di kanan atas dan ucapkan \"Tambahkan permen ke daftar belanjaku\"" - }, - "developer-tools": { - "tabs": { - "services": { - "title": "Layanan" - }, - "states": { - "title": "Status" - }, - "events": { - "title": "Event" - }, - "templates": { - "title": "Template" - }, - "mqtt": { - "title": "MQTT" - } - } - }, - "history": { - "showing_entries": "Menampilkan daftar dari", - "period": "Periode" - }, - "logbook": { - "showing_entries": "Menampilkan daftar dari", - "period": "Periode" - }, - "mailbox": { - "empty": "Anda tidak memiliki pesan apa pun", - "playback_title": "Pemutaran pesan", - "delete_prompt": "Hapus pesan ini?", - "delete_button": "Hapus" - }, - "config": { - "header": "Mengkonfigurasi Home Assistant", - "introduction": "Di sini memungkinkan untuk mengkonfigurasi komponen dan Home Assistant. Meskipun semuanya belum dapat dikonfigurasikan melalui UI, akan tetapi kami sedang mengusahakannya.", - "core": { - "caption": "Umum", - "description": "Memvalidasi file konfigurasi anda dan mengontrol server", - "section": { - "core": { - "header": "Konfigurasi dan kontrol server", - "introduction": "Merubah konfigurasi bisa menjadi proses yang melelahkan. Kami tahu. Bagian ini akan mencoba membuatnya menjadi sedikit lebih mudah.", - "core_config": { - "save_button": "Simpan" - } - }, - "server_control": { - "validation": { - "heading": "Validasi konfigurasi", - "introduction": "Validasikan konfigurasi anda jika anda baru saja membuat beberapa perubahan pada konfigurasi anda dan ingin memastikan semuanya valid", - "check_config": "Periksa konfigurasi", - "valid": "Konfigurasi valid!", - "invalid": "Konfigurasi tidak valid" - }, - "reloading": { - "heading": "Memuat ulang konfigurasi", - "introduction": "Beberapa bagian Home Assistant dapat memuat ulang tanpa memerlukan restart. Menekan tombol reload akan membatalkan konfigurasi sekarang dan memuat konfigurasi yang baru.", - "core": "Muat ulang core", - "group": "Muat ulang grup", - "automation": "Muat ulang otomasi", - "script": "Muat ulang skrip" - }, - "server_management": { - "heading": "Pengelolaan server", - "introduction": "Kontrol server Home Assistant anda ... dari Home Assistant.", - "restart": "Ulang kembali", - "stop": "Berhenti" - } - } - } - }, - "customize": { - "caption": "Penyesuaian", - "description": "Sesuaikan entitas anda" - }, - "automation": { - "caption": "Otomasi", - "description": "Buat dan edit otomasi", - "picker": { - "header": "Editor otomasi", - "introduction": "Editor otomasi memungkinkan Anda untuk membuat dan mengedit otomasi. Silakan baca [petunjuk](https:\/\/home-assistant.io\/docs\/automation\/editor\/) untuk memastikan bahwa Anda telah mengonfigurasi Home Assistant dengan benar.", - "pick_automation": "Pilih otomasi untuk diedit", - "no_automations": "Kami tidak dapat menemukan otomasi yang dapat diedit", - "add_automation": "Tambah otomasi", - "learn_more": "Pelajari lebih lanjut tentang otomasi" - }, - "editor": { - "introduction": "Gunakan otomasi untuk menghidupkan rumah Anda", - "default_name": "Otomasi baru", - "save": "Simpan", - "unsaved_confirm": "Anda memiliki perubahan yang belum disimpan. Anda yakin ingin keluar?", - "alias": "Nama", - "triggers": { - "header": "Pemicu", - "introduction": "Pemicu adalah apa yang memulai pemrosesan pengaturan otomasi. Adalah mungkin untuk menentukan beberapa pemicu untuk aturan yang sama. Setelah pemicu dimulai, Home Assistant akan memvalidasi Kondisi, jika ada, dan memanggil tindakan.", - "add": "Tambah pemicu", - "duplicate": "Gandakan", - "delete": "Hapus", - "delete_confirm": "Anda yakin ingin menghapus?", - "unsupported_platform": "Platform tidak didukung: {platform}", - "type_select": "Jenis pemicu", - "type": { - "event": { - "label": "Event", - "event_type": "Jenis event", - "event_data": "Data event" - }, - "state": { - "label": "Status", - "from": "Dari", - "to": "Ke", - "for": "Selama" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Event:", - "start": "Mulai", - "shutdown": "Matikan" - }, - "mqtt": { - "label": "MQTT", - "topic": "Topik", - "payload": "Payload (opsional)" - }, - "numeric_state": { - "label": "Status nomor", - "above": "Lebih dari", - "below": "Di bawah", - "value_template": "Nilai template (opsional)" - }, - "sun": { - "label": "Matahari", - "event": "Event", - "sunrise": "Matahari terbit", - "sunset": "Matahari terbenam", - "offset": "Offset (opsional)" - }, - "template": { - "label": "Template", - "value_template": "Nilai template" - }, - "time": { - "label": "Waktu", - "at": "Jam" - }, - "zone": { - "label": "Zona", - "entity": "Entiti dengan lokasi", - "zone": "Zona", - "event": "Event:", - "enter": "Masuk", - "leave": "Keluar" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook ID" - }, - "time_pattern": { - "label": "Pola Waktu", - "hours": "Jam", - "minutes": "Menit", - "seconds": "Detik" - }, - "geo_location": { - "label": "Geolokasi", - "source": "Sumber", - "zone": "Zona", - "event": "Event:", - "enter": "Masuk", - "leave": "Keluar" - } - }, - "learn_more": "Pelajari lebih lanjut tentang pemicu" - }, - "conditions": { - "header": "Kondisi", - "introduction": "Kondisi merupakan bagian opsional dari aturan otomasi dan dapat digunakan untuk mencegah Event terjadi saat dipicu. Kondisi terlihat sangat mirip dengan pemicu tetapi sangat berbeda. Pemicu akan melihat peristiwa yang terjadi di sistem sementara kondisi hanya melihat bagaimana sistem terlihat sekarang. Pemicu dapat mengamati bahwa saklar sedang dinyalakan. Suatu kondisi hanya dapat melihat apakah switch sedang aktif atau tidak aktif. \n\n[Pelajari lebih lanjut tentang kondisi.](https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", - "add": "Tambah kondisi", - "duplicate": "Gandakan", - "delete": "Hapus", - "delete_confirm": "Anda yakin ingin menghapus?", - "unsupported_condition": "Kondisi tidak didukung: {condition}", - "type_select": "Jenis kondisi", - "type": { - "state": { - "label": "Status", - "state": "Status" - }, - "numeric_state": { - "label": "Status Nomor", - "above": "Lebih dari", - "below": "Kurang dari", - "value_template": "Nilai template (opsional)" - }, - "sun": { - "label": "Matahari", - "before": "Sebelum", - "after": "Sesudah", - "before_offset": "Offset sebelum", - "after_offset": "Offset setelah", - "sunrise": "Matahari terbit", - "sunset": "Matahari terbenam" - }, - "template": { - "label": "Template", - "value_template": "Nilai template" - }, - "time": { - "label": "Waktu", - "after": "Sesudah", - "before": "Sebelum" - }, - "zone": { - "label": "Zona", - "entity": "Entiti dengan lokasi", - "zone": "Zona" - } - }, - "learn_more": "Pelajari lebih lanjut tentang kondisi" - }, - "actions": { - "header": "Aksi", - "introduction": "Aksi adalah apa yang Home Assistant akan lakukan ketika otomasi terpicu.\n\n[Pelajari lebih lanjut tentang aksi.](https:\/\/home-assistant.io\/docs\/automation\/action\/)", - "add": "Tambah aksi", - "duplicate": "Gandakan", - "delete": "Hapus", - "delete_confirm": "Anda yakin ingin menghapus?", - "unsupported_action": "Aksi tidak didukung: {action}", - "type_select": "Jenis aksi", - "type": { - "service": { - "label": "Panggil layanan", - "service_data": "Data layanan" - }, - "delay": { - "label": "Tunda", - "delay": "Tunda" - }, - "wait_template": { - "label": "Tunggu", - "wait_template": "Template tunggu", - "timeout": "Timeout (opsional)" - }, - "condition": { - "label": "Kondisi" - }, - "event": { - "label": "Jalankan Event", - "event": "Event", - "service_data": "Data layanan" - } - }, - "learn_more": "Pelajari lebih lanjut tentang Aksi" - } - } - }, - "script": { - "caption": "Skrip", - "description": "Buat dan edit script" - }, - "zwave": { - "caption": "Z-Wave", - "description": "Kelola jaringan Z-Wave anda", - "node_config": { - "set_config_parameter": "Setel Parameter Konfigurasi" - } - }, - "users": { - "caption": "Pengguna", - "description": "Kelola pengguna", - "picker": { - "title": "Pengguna" - }, - "editor": { - "rename_user": "Ubah nama pengguna", - "change_password": "Ganti kata sandi", - "activate_user": "Aktifkan pengguna", - "deactivate_user": "Nonaktifkan pengguna", - "delete_user": "Hapus pengguna", - "caption": "Lihat pengguna" - }, - "add_user": { - "caption": "Tambahkan pengguna", - "name": "Nama", - "username": "Username", - "password": "Kata sandi", - "create": "Buat" - } - }, - "cloud": { - "caption": "Home Assistant Cloud", - "description_login": "Masuk sebagai {email}", - "description_not_login": "Belum masuk" - }, - "integrations": { - "description": "Kelola perangkat dan layanan yang terhubung", - "discovered": "Ditemukan", - "configured": "Terkonfigurasi", - "new": "Mengatur integrasi baru", - "configure": "Konfigurasi", - "none": "Belum ada yang dikonfigurasi", - "config_flow": { - "external_step": { - "open_site": "Buka situs web" - } - } - }, - "area_registry": { - "caption": "Registry Area", - "description": "Gambaran umum semua area di rumah Anda.", - "picker": { - "header": "Registry Area", - "integrations_page": "Halaman integrasi" - }, - "no_areas": "Sepertinya Anda belum memiliki area!", - "create_area": "BUAT AREA", - "editor": { - "default_name": "Area Baru", - "delete": "HAPUS", - "update": "MEMPERBARUI", - "create": "MEMBUAT" - } - }, - "entity_registry": { - "description": "Ikhtisar semua entitas yang dikenal.", - "editor": { - "delete": "HAPUS", - "update": "UPDATE" - }, - "picker": { - "integrations_page": "Halaman integrasi" - } - }, - "person": { - "caption": "Orang", - "description": "Kelola orang yang Home Assistant lacak", - "detail": { - "name": "Nama", - "device_tracker_intro": "Pilih perangkat milik orang ini.", - "device_tracker_picked": "Lacak Perangkat", - "device_tracker_pick": "Pilih perangkat untuk dilacak" - } - }, - "zha": { - "device_card": { - "update_name_button": "Perbarui Nama" - } - } - }, - "profile": { - "push_notifications": { - "header": "Pemberitahuan push", - "description": "Kirim pemberitahuan ke perangkat ini.", - "error_load_platform": "Konfigurasi notify.html5.", - "error_use_https": "Membutuhkan SSL diaktifkan untuk frontend.", - "push_notifications": "Pemberitahuan push", - "link_promo": "Pelajari lebih lanjut" - }, - "language": { - "header": "Bahasa", - "link_promo": "Bantu menerjemahkan", - "dropdown_label": "Bahasa" - }, - "themes": { - "header": "Tema", - "error_no_theme": "Tidak ada tema yang tersedia.", - "link_promo": "Pelajari tentang tema", - "dropdown_label": "Tema" - }, - "refresh_tokens": { - "header": "Token baru", - "description": "Setiap token baru mewakili sesi login. Membuat token baru akan dihapus secara otomatis saat Anda mengeklik keluar. Token baru berikut saat ini aktif untuk akun Anda.", - "token_title": "Buat token baru untuk {clientId}", - "created_at": "Dibuat pada {date}", - "confirm_delete": "Anda yakin ingin menghapus token baru untuk {name} ?", - "delete_failed": "Gagal menghapus token baru.", - "last_used": "Terakhir digunakan pada {date} di {location}", - "not_used": "Belum pernah digunakan", - "current_token_tooltip": "Tidak dapat menghapus token baru saat ini" - }, - "long_lived_access_tokens": { - "header": "Token Akses yang berumur panjang", - "description": "Buat token akses yang berumur panjang untuk memungkinkan skrip Anda berinteraksi dengan Home Assistant. Setiap token akan berlaku selama 10 tahun sejak pembuatan. Berikut Token akses yang berumur panjang yang saat ini aktif.", - "learn_auth_requests": "Pelajari cara membuat permintaan yang diautentikasi.", - "created_at": "Dibuat pada {date}", - "confirm_delete": "Anda yakin ingin menghapus token akses untuk {name}?", - "delete_failed": "Gagal menghapus token akses.", - "create": "Buat Token", - "create_failed": "Gagal membuat token akses.", - "prompt_name": "Nama?", - "prompt_copy_token": "Salin token akses Anda. Ini tidak akan ditampilkan lagi.", - "empty_state": "Anda belum memiliki token akses yang berumur panjang.", - "last_used": "Terakhir digunakan pada {date} di {location}", - "not_used": "Belum pernah digunakan" - } - }, - "page-authorize": { - "initializing": "Inisialisasi", - "authorizing_client": "Anda akan memberi akses {clientId} ke Home Assistant Anda.", - "logging_in_with": "Login dengan **{authProviderName}**.", - "pick_auth_provider": "Atau login dengan", - "abort_intro": "Login dibatalkan", - "form": { - "working": "Mohon tunggu", - "unknown_error": "Ada yang salah", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Nama pengguna", - "password": "Kata sandi" - } - }, - "mfa": { - "data": { - "code": "Kode Autentikasi Dua Faktor" - }, - "description": "Buka ** {mfa_module_name} ** pada perangkat Anda untuk melihat kode otentikasi dua-faktor Anda dan verifikasi identitas Anda:" - } - }, - "error": { - "invalid_auth": "Username dan password salah", - "invalid_code": "Kode autentikasi tidak valid" - }, - "abort": { - "login_expired": "Sesi kedaluwarsa, harap masuk lagi." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "Kata Sandi API" - }, - "description": "Silakan masukkan kata sandi API di konfigurasi http Anda:" - }, - "mfa": { - "data": { - "code": "Kode Autentikasi Dua Faktor" - }, - "description": "Buka ** {mfa_module_name} ** pada perangkat Anda untuk melihat kode otentikasi dua-faktor Anda dan verifikasi identitas Anda:" - } - }, - "error": { - "invalid_auth": "Kata sandi API tidak valid", - "invalid_code": "Kode autentikasi tidak valid" - }, - "abort": { - "no_api_password_set": "Anda tidak memiliki kata sandi API yang dikonfigurasi.", - "login_expired": "Sesi kadaluwarsa, silahkan masuk kembali." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Pengguna" - }, - "description": "Silakan pilih pengguna yang ingin login sebagai:" - } - }, - "abort": { - "not_whitelisted": "Komputer Anda tidak masuk daftar putih." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Nama pengguna" - } - }, - "mfa": { - "description": "Buka ** {mfa_module_name} ** pada perangkat Anda untuk melihat kode otentikasi dua-faktor Anda dan verifikasi identitas Anda:" - } - } - } - } - } - }, - "page-onboarding": { - "intro": "Apakah Anda siap untuk membuat rumah Anda lebih hidup, merebut kembali privasi Anda dan bergabung dengan komunitas tinkerers dunia?", - "user": { - "intro": "Mari kita mulai dengan membuat akun pengguna.", - "required_field": "Wajib", - "data": { - "name": "Nama", - "username": "Username", - "password": "Kata sandi" - }, - "create_account": "Buat Akun", - "error": { - "required_fields": "Isi semua bidang yang wajib diisi" - } - }, - "integration": { - "finish": "Selesai" - }, - "core-config": { - "intro": "Halo {name}, selamat datang di Asisten Rumah. Bagaimana Anda ingin memberi nama rumah Anda?", - "intro_location_detect": "Kami dapat membantu Anda mengisi informasi ini dengan membuat permintaan satu kali ke layanan eksternal.", - "location_name_default": "Beranda", - "button_detect": "Deteksi", - "finish": "Berikutnya" - } - }, - "lovelace": { - "editor": { - "edit_card": { - "edit": "Edit", - "delete": "Hapus" - }, - "save_config": { - "para_sure": "Apakah Anda yakin ingin mengendalikan antarmuka pengguna Anda?" - }, - "raw_editor": { - "header": "Edit Konfigurasi", - "save": "Simpan", - "unsaved_changes": "Perubahan yang belum disimpan", - "saved": "Disimpan" - } - }, - "cards": { - "empty_state": { - "title": "Selamat datang di rumah", - "no_devices": "Halaman ini memungkinkan Anda untuk mengontrol perangkat Anda, namun sepertinya Anda belum mengatur perangkat. Buka halaman integrasi untuk memulai.", - "go_to_integrations_page": "Buka halaman integrasi." - }, - "picture-elements": { - "more_info": "Tampilkan lebih banyak info: {name}" - } - } - } - }, - "sidebar": { - "log_out": "Keluar", - "external_app_configuration": "Konfigurasi Aplikasi" - }, - "common": { - "loading": "Memuat", - "cancel": "Batalkan", - "save": "Simpan" - }, - "duration": { - "day": "{count}{count, plural,\n one { hari }\n other { hari }\n}", - "week": "{count}{count, plural,\n one { minggu }\n other { minggu }\n}", - "second": "{count}{count, plural,\n one { detik }\n other { detik }\n}", - "minute": "{count} {count, plural,\n one { menit }\n other { menit }\n}", - "hour": "{count} {count, plural,\n one { jam }\n other { jam }\n}" - }, - "login-form": { - "password": "Kata sandi", - "remember": "Ingat", - "log_in": "Masuk" + "auth_store": { + "ask": "Apakah Anda ingin menyimpan login ini?", + "confirm": "Simpan login", + "decline": "Tidak, terima kasih" }, "card": { + "alarm_control_panel": { + "arm_away": "Angkat tangan", + "arm_home": "Lengan rumah", + "clear_code": "Hapus", + "code": "Kode", + "disarm": "Lucuti" + }, + "automation": { + "last_triggered": "Terakhir terpicu", + "trigger": "Pemicu" + }, "camera": { "not_available": "Gambar tidak tersedia" }, + "climate": { + "aux_heat": "Aux panas", + "away_mode": "Mode jauh", + "currently": "Saat ini", + "fan_mode": "Mode kipas", + "on_off": "Hidup \/ mati", + "operation": "Operasi", + "swing_mode": "Mode ayunan", + "target_humidity": "Target kelembaban", + "target_temperature": "Target suhu" + }, + "cover": { + "position": "Posisi", + "tilt_position": "Posisi kemiringan" + }, + "fan": { + "direction": "Arah", + "oscillate": "Terombang-ambing", + "speed": "Kecepatan" + }, + "light": { + "brightness": "Kecerahan", + "color_temperature": "Temperatur warna", + "effect": "Efek", + "white_value": "Nilai putih" + }, + "lock": { + "code": "Kode", + "lock": "Kunci", + "unlock": "Membuka" + }, + "media_player": { + "sound_mode": "Mode suara", + "source": "Sumber", + "text_to_speak": "Teks untuk berbicara" + }, "persistent_notification": { "dismiss": "Abaikan" }, @@ -869,6 +408,20 @@ "script": { "execute": "Jalankan" }, + "vacuum": { + "actions": { + "resume_cleaning": "Lanjutkan pembersihan", + "return_to_base": "Kembali ke dock", + "start_cleaning": "Mulai membersihkan", + "turn_off": "Matikan", + "turn_on": "Nyalakan" + } + }, + "water_heater": { + "currently": "Saat ini", + "operation": "Operasi", + "target_temperature": "Target suhu" + }, "weather": { "attributes": { "air_pressure": "Tekanan udara", @@ -884,8 +437,8 @@ "n": "U", "ne": "TL", "nne": "UTL", - "nw": "BL", "nnw": "UBL", + "nw": "BL", "s": "S", "se": "TG", "sse": "SMg", @@ -896,108 +449,40 @@ "wsw": "BBD" }, "forecast": "Ramalan cuaca" - }, - "alarm_control_panel": { - "code": "Kode", - "clear_code": "Hapus", - "disarm": "Lucuti", - "arm_home": "Lengan rumah", - "arm_away": "Angkat tangan" - }, - "automation": { - "last_triggered": "Terakhir terpicu", - "trigger": "Pemicu" - }, - "cover": { - "position": "Posisi", - "tilt_position": "Posisi kemiringan" - }, - "fan": { - "speed": "Kecepatan", - "oscillate": "Terombang-ambing", - "direction": "Arah" - }, - "light": { - "brightness": "Kecerahan", - "color_temperature": "Temperatur warna", - "white_value": "Nilai putih", - "effect": "Efek" - }, - "media_player": { - "text_to_speak": "Teks untuk berbicara", - "source": "Sumber", - "sound_mode": "Mode suara" - }, - "climate": { - "currently": "Saat ini", - "on_off": "Hidup \/ mati", - "target_temperature": "Target suhu", - "target_humidity": "Target kelembaban", - "operation": "Operasi", - "fan_mode": "Mode kipas", - "swing_mode": "Mode ayunan", - "away_mode": "Mode jauh", - "aux_heat": "Aux panas" - }, - "lock": { - "code": "Kode", - "lock": "Kunci", - "unlock": "Membuka" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Lanjutkan pembersihan", - "return_to_base": "Kembali ke dock", - "start_cleaning": "Mulai membersihkan", - "turn_on": "Nyalakan", - "turn_off": "Matikan" - } - }, - "water_heater": { - "currently": "Saat ini", - "target_temperature": "Target suhu", - "operation": "Operasi" } }, + "common": { + "cancel": "Batalkan", + "loading": "Memuat", + "save": "Simpan" + }, "components": { "entity": { "entity-picker": { "entity": "Entiti" } }, - "service-picker": { - "service": "Layanan" - }, - "relative_time": { - "past": "{time} lalu", - "future": "dalam {time}", - "never": "Tak pernah", - "duration": { - "second": "{count} {count, plural,\n one { detik }\n other { detik }\n}", - "minute": "{count} {count, plural,\n one { menit }\n other { menit }\n}", - "hour": "{count} {count, plural,\n one { jam }\n other { jam }\n}", - "day": "{count} {count, plural,\n one { hari }\n other { hari }\n}", - "week": "{count} {count, plural,\n one { minggu }\n other { minggu }\n}" - } - }, "history_charts": { "loading_history": "Memuat riwayat status ...", "no_history_found": "Tidak ada riwayat status yang ditemukan." + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\n one { hari }\\n other { hari }\\n}", + "hour": "{count} {count, plural,\\n one { jam }\\n other { jam }\\n}", + "minute": "{count} {count, plural,\\n one { menit }\\n other { menit }\\n}", + "second": "{count} {count, plural,\\n one { detik }\\n other { detik }\\n}", + "week": "{count} {count, plural,\\n one { minggu }\\n other { minggu }\\n}" + }, + "future": "dalam {time}", + "never": "Tak pernah", + "past": "{time} lalu" + }, + "service-picker": { + "service": "Layanan" } }, - "notification_toast": { - "entity_turned_on": "{entity} sudah dinyalakan.", - "entity_turned_off": "{entity} sudah dimatikan.", - "service_called": "Layanan {service} dipanggil.", - "service_call_failed": "Gagal memanggil layanan {service} .", - "connection_lost": "Koneksi terputus. Menghubungkan kembali ..." - }, "dialogs": { - "more_info_settings": { - "save": "Simpan", - "name": "Nama", - "entity_id": "Entiti ID" - }, "more_info_control": { "script": { "last_action": "Aksi Terakhir" @@ -1010,67 +495,582 @@ "updater": { "title": "Petunjuk Pembaruan" } + }, + "more_info_settings": { + "entity_id": "Entiti ID", + "name": "Nama", + "save": "Simpan" } }, - "auth_store": { - "ask": "Apakah Anda ingin menyimpan login ini?", - "decline": "Tidak, terima kasih", - "confirm": "Simpan login" + "duration": { + "day": "{count}{count, plural,\\n one { hari }\\n other { hari }\\n}", + "hour": "{count} {count, plural,\\n one { jam }\\n other { jam }\\n}", + "minute": "{count} {count, plural,\\n one { menit }\\n other { menit }\\n}", + "second": "{count}{count, plural,\\n one { detik }\\n other { detik }\\n}", + "week": "{count}{count, plural,\\n one { minggu }\\n other { minggu }\\n}" + }, + "login-form": { + "log_in": "Masuk", + "password": "Kata sandi", + "remember": "Ingat" }, "notification_drawer": { "click_to_configure": "Klik tombol untuk mengonfigurasi {entity}", "empty": "Tidak ada pemberitahuan", "title": "Pemberitahuan" + }, + "notification_toast": { + "connection_lost": "Koneksi terputus. Menghubungkan kembali ...", + "entity_turned_off": "{entity} sudah dimatikan.", + "entity_turned_on": "{entity} sudah dinyalakan.", + "service_call_failed": "Gagal memanggil layanan {service} .", + "service_called": "Layanan {service} dipanggil." + }, + "panel": { + "config": { + "area_registry": { + "caption": "Registry Area", + "create_area": "BUAT AREA", + "description": "Gambaran umum semua area di rumah Anda.", + "editor": { + "create": "MEMBUAT", + "default_name": "Area Baru", + "delete": "HAPUS", + "update": "MEMPERBARUI" + }, + "no_areas": "Sepertinya Anda belum memiliki area!", + "picker": { + "header": "Registry Area", + "integrations_page": "Halaman integrasi" + } + }, + "automation": { + "caption": "Otomasi", + "description": "Buat dan edit otomasi", + "editor": { + "actions": { + "add": "Tambah aksi", + "delete": "Hapus", + "delete_confirm": "Anda yakin ingin menghapus?", + "duplicate": "Gandakan", + "header": "Aksi", + "introduction": "Aksi adalah apa yang Home Assistant akan lakukan ketika otomasi terpicu.\\n\\n[Pelajari lebih lanjut tentang aksi.](https:\/\/home-assistant.io\/docs\/automation\/action\/)", + "learn_more": "Pelajari lebih lanjut tentang Aksi", + "type_select": "Jenis aksi", + "type": { + "condition": { + "label": "Kondisi" + }, + "delay": { + "delay": "Tunda", + "label": "Tunda" + }, + "event": { + "event": "Event", + "label": "Jalankan Event", + "service_data": "Data layanan" + }, + "service": { + "label": "Panggil layanan", + "service_data": "Data layanan" + }, + "wait_template": { + "label": "Tunggu", + "timeout": "Timeout (opsional)", + "wait_template": "Template tunggu" + } + }, + "unsupported_action": "Aksi tidak didukung: {action}" + }, + "alias": "Nama", + "conditions": { + "add": "Tambah kondisi", + "delete": "Hapus", + "delete_confirm": "Anda yakin ingin menghapus?", + "duplicate": "Gandakan", + "header": "Kondisi", + "introduction": "Kondisi merupakan bagian opsional dari aturan otomasi dan dapat digunakan untuk mencegah Event terjadi saat dipicu. Kondisi terlihat sangat mirip dengan pemicu tetapi sangat berbeda. Pemicu akan melihat peristiwa yang terjadi di sistem sementara kondisi hanya melihat bagaimana sistem terlihat sekarang. Pemicu dapat mengamati bahwa saklar sedang dinyalakan. Suatu kondisi hanya dapat melihat apakah switch sedang aktif atau tidak aktif. \\n\\n[Pelajari lebih lanjut tentang kondisi.](https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", + "learn_more": "Pelajari lebih lanjut tentang kondisi", + "type_select": "Jenis kondisi", + "type": { + "numeric_state": { + "above": "Lebih dari", + "below": "Kurang dari", + "label": "Status Nomor", + "value_template": "Nilai template (opsional)" + }, + "state": { + "label": "Status", + "state": "Status" + }, + "sun": { + "after": "Sesudah", + "after_offset": "Offset setelah", + "before": "Sebelum", + "before_offset": "Offset sebelum", + "label": "Matahari", + "sunrise": "Matahari terbit", + "sunset": "Matahari terbenam" + }, + "template": { + "label": "Template", + "value_template": "Nilai template" + }, + "time": { + "after": "Sesudah", + "before": "Sebelum", + "label": "Waktu" + }, + "zone": { + "entity": "Entiti dengan lokasi", + "label": "Zona", + "zone": "Zona" + } + }, + "unsupported_condition": "Kondisi tidak didukung: {condition}" + }, + "default_name": "Otomasi baru", + "introduction": "Gunakan otomasi untuk menghidupkan rumah Anda", + "save": "Simpan", + "triggers": { + "add": "Tambah pemicu", + "delete": "Hapus", + "delete_confirm": "Anda yakin ingin menghapus?", + "duplicate": "Gandakan", + "header": "Pemicu", + "introduction": "Pemicu adalah apa yang memulai pemrosesan pengaturan otomasi. Adalah mungkin untuk menentukan beberapa pemicu untuk aturan yang sama. Setelah pemicu dimulai, Home Assistant akan memvalidasi Kondisi, jika ada, dan memanggil tindakan.", + "learn_more": "Pelajari lebih lanjut tentang pemicu", + "type_select": "Jenis pemicu", + "type": { + "event": { + "event_data": "Data event", + "event_type": "Jenis event", + "label": "Event" + }, + "geo_location": { + "enter": "Masuk", + "event": "Event:", + "label": "Geolokasi", + "leave": "Keluar", + "source": "Sumber", + "zone": "Zona" + }, + "homeassistant": { + "event": "Event:", + "label": "Home Assistant", + "shutdown": "Matikan", + "start": "Mulai" + }, + "mqtt": { + "label": "MQTT", + "payload": "Payload (opsional)", + "topic": "Topik" + }, + "numeric_state": { + "above": "Lebih dari", + "below": "Di bawah", + "label": "Status nomor", + "value_template": "Nilai template (opsional)" + }, + "state": { + "for": "Selama", + "from": "Dari", + "label": "Status", + "to": "Ke" + }, + "sun": { + "event": "Event", + "label": "Matahari", + "offset": "Offset (opsional)", + "sunrise": "Matahari terbit", + "sunset": "Matahari terbenam" + }, + "template": { + "label": "Template", + "value_template": "Nilai template" + }, + "time_pattern": { + "hours": "Jam", + "label": "Pola Waktu", + "minutes": "Menit", + "seconds": "Detik" + }, + "time": { + "at": "Jam", + "label": "Waktu" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook ID" + }, + "zone": { + "enter": "Masuk", + "entity": "Entiti dengan lokasi", + "event": "Event:", + "label": "Zona", + "leave": "Keluar", + "zone": "Zona" + } + }, + "unsupported_platform": "Platform tidak didukung: {platform}" + }, + "unsaved_confirm": "Anda memiliki perubahan yang belum disimpan. Anda yakin ingin keluar?" + }, + "picker": { + "add_automation": "Tambah otomasi", + "header": "Editor otomasi", + "introduction": "Editor otomasi memungkinkan Anda untuk membuat dan mengedit otomasi. Silakan baca [petunjuk](https:\/\/home-assistant.io\/docs\/automation\/editor\/) untuk memastikan bahwa Anda telah mengonfigurasi Home Assistant dengan benar.", + "learn_more": "Pelajari lebih lanjut tentang otomasi", + "no_automations": "Kami tidak dapat menemukan otomasi yang dapat diedit", + "pick_automation": "Pilih otomasi untuk diedit" + } + }, + "cloud": { + "caption": "Home Assistant Cloud", + "description_login": "Masuk sebagai {email}", + "description_not_login": "Belum masuk" + }, + "core": { + "caption": "Umum", + "description": "Memvalidasi file konfigurasi anda dan mengontrol server", + "section": { + "core": { + "core_config": { + "save_button": "Simpan" + }, + "header": "Konfigurasi dan kontrol server", + "introduction": "Merubah konfigurasi bisa menjadi proses yang melelahkan. Kami tahu. Bagian ini akan mencoba membuatnya menjadi sedikit lebih mudah." + }, + "server_control": { + "reloading": { + "automation": "Muat ulang otomasi", + "core": "Muat ulang core", + "group": "Muat ulang grup", + "heading": "Memuat ulang konfigurasi", + "introduction": "Beberapa bagian Home Assistant dapat memuat ulang tanpa memerlukan restart. Menekan tombol reload akan membatalkan konfigurasi sekarang dan memuat konfigurasi yang baru.", + "script": "Muat ulang skrip" + }, + "server_management": { + "heading": "Pengelolaan server", + "introduction": "Kontrol server Home Assistant anda ... dari Home Assistant.", + "restart": "Ulang kembali", + "stop": "Berhenti" + }, + "validation": { + "check_config": "Periksa konfigurasi", + "heading": "Validasi konfigurasi", + "introduction": "Validasikan konfigurasi anda jika anda baru saja membuat beberapa perubahan pada konfigurasi anda dan ingin memastikan semuanya valid", + "invalid": "Konfigurasi tidak valid", + "valid": "Konfigurasi valid!" + } + } + } + }, + "customize": { + "caption": "Penyesuaian", + "description": "Sesuaikan entitas anda" + }, + "entity_registry": { + "description": "Ikhtisar semua entitas yang dikenal.", + "editor": { + "delete": "HAPUS", + "update": "UPDATE" + }, + "picker": { + "integrations_page": "Halaman integrasi" + } + }, + "header": "Mengkonfigurasi Home Assistant", + "integrations": { + "config_flow": { + "external_step": { + "open_site": "Buka situs web" + } + }, + "configure": "Konfigurasi", + "configured": "Terkonfigurasi", + "description": "Kelola perangkat dan layanan yang terhubung", + "discovered": "Ditemukan", + "new": "Mengatur integrasi baru", + "none": "Belum ada yang dikonfigurasi" + }, + "introduction": "Di sini memungkinkan untuk mengkonfigurasi komponen dan Home Assistant. Meskipun semuanya belum dapat dikonfigurasikan melalui UI, akan tetapi kami sedang mengusahakannya.", + "person": { + "caption": "Orang", + "description": "Kelola orang yang Home Assistant lacak", + "detail": { + "device_tracker_intro": "Pilih perangkat milik orang ini.", + "device_tracker_pick": "Pilih perangkat untuk dilacak", + "device_tracker_picked": "Lacak Perangkat", + "name": "Nama" + } + }, + "script": { + "caption": "Skrip", + "description": "Buat dan edit script" + }, + "users": { + "add_user": { + "caption": "Tambahkan pengguna", + "create": "Buat", + "name": "Nama", + "password": "Kata sandi", + "username": "Username" + }, + "caption": "Pengguna", + "description": "Kelola pengguna", + "editor": { + "activate_user": "Aktifkan pengguna", + "caption": "Lihat pengguna", + "change_password": "Ganti kata sandi", + "deactivate_user": "Nonaktifkan pengguna", + "delete_user": "Hapus pengguna", + "rename_user": "Ubah nama pengguna" + }, + "picker": { + "title": "Pengguna" + } + }, + "zha": { + "device_card": { + "update_name_button": "Perbarui Nama" + } + }, + "zwave": { + "caption": "Z-Wave", + "description": "Kelola jaringan Z-Wave anda", + "node_config": { + "set_config_parameter": "Setel Parameter Konfigurasi" + } + } + }, + "developer-tools": { + "tabs": { + "events": { + "title": "Event" + }, + "mqtt": { + "title": "MQTT" + }, + "services": { + "title": "Layanan" + }, + "states": { + "title": "Status" + }, + "templates": { + "title": "Template" + } + } + }, + "history": { + "period": "Periode", + "showing_entries": "Menampilkan daftar dari" + }, + "logbook": { + "period": "Periode", + "showing_entries": "Menampilkan daftar dari" + }, + "lovelace": { + "cards": { + "empty_state": { + "go_to_integrations_page": "Buka halaman integrasi.", + "no_devices": "Halaman ini memungkinkan Anda untuk mengontrol perangkat Anda, namun sepertinya Anda belum mengatur perangkat. Buka halaman integrasi untuk memulai.", + "title": "Selamat datang di rumah" + }, + "picture-elements": { + "more_info": "Tampilkan lebih banyak info: {name}" + } + }, + "editor": { + "edit_card": { + "delete": "Hapus", + "edit": "Edit" + }, + "raw_editor": { + "header": "Edit Konfigurasi", + "save": "Simpan", + "saved": "Disimpan", + "unsaved_changes": "Perubahan yang belum disimpan" + }, + "save_config": { + "para_sure": "Apakah Anda yakin ingin mengendalikan antarmuka pengguna Anda?" + } + } + }, + "mailbox": { + "delete_button": "Hapus", + "delete_prompt": "Hapus pesan ini?", + "empty": "Anda tidak memiliki pesan apa pun", + "playback_title": "Pemutaran pesan" + }, + "page-authorize": { + "abort_intro": "Login dibatalkan", + "authorizing_client": "Anda akan memberi akses {clientId} ke Home Assistant Anda.", + "form": { + "providers": { + "command_line": { + "step": { + "init": { + "data": { + "username": "Nama pengguna" + } + }, + "mfa": { + "description": "Buka ** {mfa_module_name} ** pada perangkat Anda untuk melihat kode otentikasi dua-faktor Anda dan verifikasi identitas Anda:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Sesi kedaluwarsa, harap masuk lagi." + }, + "error": { + "invalid_auth": "Username dan password salah", + "invalid_code": "Kode autentikasi tidak valid" + }, + "step": { + "init": { + "data": { + "password": "Kata sandi", + "username": "Nama pengguna" + } + }, + "mfa": { + "data": { + "code": "Kode Autentikasi Dua Faktor" + }, + "description": "Buka ** {mfa_module_name} ** pada perangkat Anda untuk melihat kode otentikasi dua-faktor Anda dan verifikasi identitas Anda:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Sesi kadaluwarsa, silahkan masuk kembali.", + "no_api_password_set": "Anda tidak memiliki kata sandi API yang dikonfigurasi." + }, + "error": { + "invalid_auth": "Kata sandi API tidak valid", + "invalid_code": "Kode autentikasi tidak valid" + }, + "step": { + "init": { + "data": { + "password": "Kata Sandi API" + }, + "description": "Silakan masukkan kata sandi API di konfigurasi http Anda:" + }, + "mfa": { + "data": { + "code": "Kode Autentikasi Dua Faktor" + }, + "description": "Buka ** {mfa_module_name} ** pada perangkat Anda untuk melihat kode otentikasi dua-faktor Anda dan verifikasi identitas Anda:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Komputer Anda tidak masuk daftar putih." + }, + "step": { + "init": { + "data": { + "user": "Pengguna" + }, + "description": "Silakan pilih pengguna yang ingin login sebagai:" + } + } + } + }, + "unknown_error": "Ada yang salah", + "working": "Mohon tunggu" + }, + "initializing": "Inisialisasi", + "logging_in_with": "Login dengan **{authProviderName}**.", + "pick_auth_provider": "Atau login dengan" + }, + "page-onboarding": { + "core-config": { + "button_detect": "Deteksi", + "finish": "Berikutnya", + "intro": "Halo {name}, selamat datang di Asisten Rumah. Bagaimana Anda ingin memberi nama rumah Anda?", + "intro_location_detect": "Kami dapat membantu Anda mengisi informasi ini dengan membuat permintaan satu kali ke layanan eksternal.", + "location_name_default": "Beranda" + }, + "integration": { + "finish": "Selesai" + }, + "intro": "Apakah Anda siap untuk membuat rumah Anda lebih hidup, merebut kembali privasi Anda dan bergabung dengan komunitas tinkerers dunia?", + "user": { + "create_account": "Buat Akun", + "data": { + "name": "Nama", + "password": "Kata sandi", + "username": "Username" + }, + "error": { + "required_fields": "Isi semua bidang yang wajib diisi" + }, + "intro": "Mari kita mulai dengan membuat akun pengguna.", + "required_field": "Wajib" + } + }, + "profile": { + "language": { + "dropdown_label": "Bahasa", + "header": "Bahasa", + "link_promo": "Bantu menerjemahkan" + }, + "long_lived_access_tokens": { + "confirm_delete": "Anda yakin ingin menghapus token akses untuk {name}?", + "create": "Buat Token", + "create_failed": "Gagal membuat token akses.", + "created_at": "Dibuat pada {date}", + "delete_failed": "Gagal menghapus token akses.", + "description": "Buat token akses yang berumur panjang untuk memungkinkan skrip Anda berinteraksi dengan Home Assistant. Setiap token akan berlaku selama 10 tahun sejak pembuatan. Berikut Token akses yang berumur panjang yang saat ini aktif.", + "empty_state": "Anda belum memiliki token akses yang berumur panjang.", + "header": "Token Akses yang berumur panjang", + "last_used": "Terakhir digunakan pada {date} di {location}", + "learn_auth_requests": "Pelajari cara membuat permintaan yang diautentikasi.", + "not_used": "Belum pernah digunakan", + "prompt_copy_token": "Salin token akses Anda. Ini tidak akan ditampilkan lagi.", + "prompt_name": "Nama?" + }, + "push_notifications": { + "description": "Kirim pemberitahuan ke perangkat ini.", + "error_load_platform": "Konfigurasi notify.html5.", + "error_use_https": "Membutuhkan SSL diaktifkan untuk frontend.", + "header": "Pemberitahuan push", + "link_promo": "Pelajari lebih lanjut", + "push_notifications": "Pemberitahuan push" + }, + "refresh_tokens": { + "confirm_delete": "Anda yakin ingin menghapus token baru untuk {name} ?", + "created_at": "Dibuat pada {date}", + "current_token_tooltip": "Tidak dapat menghapus token baru saat ini", + "delete_failed": "Gagal menghapus token baru.", + "description": "Setiap token baru mewakili sesi login. Membuat token baru akan dihapus secara otomatis saat Anda mengeklik keluar. Token baru berikut saat ini aktif untuk akun Anda.", + "header": "Token baru", + "last_used": "Terakhir digunakan pada {date} di {location}", + "not_used": "Belum pernah digunakan", + "token_title": "Buat token baru untuk {clientId}" + }, + "themes": { + "dropdown_label": "Tema", + "error_no_theme": "Tidak ada tema yang tersedia.", + "header": "Tema", + "link_promo": "Pelajari tentang tema" + } + }, + "shopping-list": { + "add_item": "Tambah item", + "clear_completed": "Hapus selesai", + "microphone_tip": "Sentuh mikrofon di kanan atas dan ucapkan \"Tambahkan permen ke daftar belanjaku\"" + } + }, + "sidebar": { + "external_app_configuration": "Konfigurasi Aplikasi", + "log_out": "Keluar" } - }, - "domain": { - "alarm_control_panel": "Kontrol panel alarm", - "automation": "Otomasi", - "binary_sensor": "Sensor biner", - "calendar": "Kalender", - "camera": "Kamera", - "climate": "Cuaca", - "configurator": "Konfigurator", - "conversation": "Percakapan", - "cover": "Penutup", - "device_tracker": "Pelacak perangkat", - "fan": "Kipas angin", - "history_graph": "Riwayat Grafik", - "group": "Grup", - "image_processing": "Pengolahan gambar", - "input_boolean": "Input boolean", - "input_datetime": "Input tanggal waktu", - "input_select": "Input Pilihan", - "input_number": "Masukkan angka", - "input_text": "Input teks", - "light": "Lampu", - "lock": "Kunci", - "mailbox": "Kotak pesan", - "media_player": "Pemutar media", - "notify": "Pemberitahuan", - "plant": "Tanaman", - "proximity": "Kedekatan", - "remote": "Remot", - "scene": "Scene", - "script": "Skrip", - "sensor": "Sensor", - "sun": "Matahari", - "switch": "Sakelar", - "updater": "Updater", - "weblink": "Tautan web", - "zwave": "Z-Wave", - "vacuum": "Vakum", - "person": "Orang" - }, - "attribute": { - "weather": { - "humidity": "Kelembaban", - "visibility": "Jarak pandang", - "wind_speed": "Kecepatan angin" - } - }, - "groups": { - "system-admin": "Administrator", - "system-users": "Pengguna" } } \ No newline at end of file diff --git a/translations/is.json b/translations/is.json index d062044322..b3b5837beb 100644 --- a/translations/is.json +++ b/translations/is.json @@ -1,24 +1,126 @@ { - "panel": { - "config": "Stillingar", - "states": "Yfirlit", - "map": "Kort", - "logbook": "Breytingarsaga", - "history": "Saga", + "attribute": { + "weather": { + "humidity": "Rakastig", + "visibility": "Skyggni", + "wind_speed": "Vindhraði" + } + }, + "config_entry": { + "disabled_by": { + "integration": "Samþætting", + "user": "Notandi" + } + }, + "domain": { + "alarm_control_panel": "Stjórnborð öryggiskerfis", + "automation": "Sjálfvirkni", + "binary_sensor": "Tvíundar skynjari", + "calendar": "Dagatal", + "camera": "Myndavél", + "climate": "Loftslag", + "configurator": "Stillingarálfur", + "conversation": "Samtal", + "cover": "Gluggatjöld", + "device_tracker": "Rekja tæki", + "fan": "Vifta", + "group": "Hópur", + "hassio": "Hass.io", + "history_graph": "Sögulínurit", + "homeassistant": "Home Assistant", + "input_datetime": "Innsláttar dagsetning\/tími", + "input_number": "Innsláttarnúmer", + "input_select": "Innsláttarval", + "input_text": "Innsláttartexti", + "light": "Ljós", + "lock": "Lás", + "lovelace": "Lovelace", "mailbox": "Pósthólf", - "shopping_list": "Innkaupalisti", + "media_player": "Margmiðlunarspilari", + "notify": "Tilkynna", + "person": "Persóna", + "plant": "Planta", + "proximity": "Nálægð", + "remote": "Fjarstýring", + "scene": "Sena", + "script": "Skrifta", + "sensor": "Skynjari", + "sun": "Sól", + "switch": "Rofi", + "system_health": "Heilbrigði kerfis", + "updater": "Uppfærsluálfur", + "vacuum": "Ryksuga", + "weblink": "Vefslóð", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Stjórnendur", + "system-read-only": "Notendur með lesaðgang", + "system-users": "Notendur" + }, + "panel": { + "calendar": "Dagatal", + "config": "Stillingar", "dev-info": "Upplýsingar", "developer_tools": "Þróunarverkfæri", - "calendar": "Dagatal", - "profile": "Prófíll" + "history": "Saga", + "logbook": "Breytingarsaga", + "mailbox": "Pósthólf", + "map": "Kort", + "profile": "Prófíll", + "shopping_list": "Innkaupalisti", + "states": "Yfirlit" + }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Sjálfvirkt", + "off": "Slökkt", + "on": "Kveikt" + }, + "hvac_action": { + "cooling": "Kæling", + "drying": "Þurrkun", + "fan": "Vifta", + "heating": "Kynding", + "idle": "Aðgerðalaus", + "off": "Slökkt" + }, + "preset_mode": { + "activity": "Virkni", + "away": "Fjarverandi", + "boost": "Uppörvun", + "comfort": "Þægindi", + "eco": "Sparnaður", + "home": "Heima", + "none": "Ekkert", + "sleep": "Svefn" + } + } + }, + "state_badge": { + "alarm_control_panel": { + "arming": "set á vörð", + "disarmed": "ekki á verði", + "disarming": "tek af verði", + "triggered": "Kveik" + }, + "default": { + "entity_not_found": "Eining fannst ekki", + "error": "Villa", + "unknown": "Óþ." + }, + "device_tracker": { + "home": "Heima", + "not_home": "Fjarverandi" + }, + "person": { + "home": "Heima", + "not_home": "Fjarverandi" + } }, "state": { - "default": { - "off": "Af", - "on": "Á", - "unknown": "Óþekkt", - "unavailable": "Ekki tiltækt" - }, "alarm_control_panel": { "disarmed": "ekki á verði", "disarming": "tek af verði" @@ -28,18 +130,46 @@ "on": "Virk" }, "binary_sensor": { + "battery": { + "off": "Venjulegt", + "on": "Lágt" + }, + "cold": { + "off": "Venjulegt", + "on": "Kalt" + }, + "connectivity": { + "off": "Aftengdur", + "on": "Tengdur" + }, "default": { "off": "Slökkt", "on": "Kveikt" }, - "moisture": { - "off": "Þurrt", - "on": "Blautt" + "door": { + "off": "Lokuð", + "on": "Opin" + }, + "garage_door": { + "off": "Lokuð", + "on": "Opin" }, "gas": { "off": "Hreinsa", "on": "Uppgötvað" }, + "heat": { + "off": "Venjulegt", + "on": "Heitt" + }, + "lock": { + "off": "Læst", + "on": "Aflæst" + }, + "moisture": { + "off": "Þurrt", + "on": "Blautt" + }, "motion": { "off": "Hreinsa", "on": "Uppgötvað" @@ -48,6 +178,18 @@ "off": "Hreinsa", "on": "Uppgötvað" }, + "presence": { + "off": "Fjarverandi", + "on": "Heima" + }, + "problem": { + "off": "Í lagi", + "on": "Vandamál" + }, + "safety": { + "off": "Öruggt", + "on": "Óöruggt" + }, "smoke": { "off": "Hreinsa", "on": "Uppgötvað" @@ -59,49 +201,9 @@ "vibration": { "on": "Uppgötvað" }, - "safety": { - "off": "Öruggt", - "on": "Óöruggt" - }, - "presence": { - "off": "Fjarverandi", - "on": "Heima" - }, - "battery": { - "off": "Venjulegt", - "on": "Lágt" - }, - "problem": { - "off": "Í lagi", - "on": "Vandamál" - }, - "connectivity": { - "off": "Aftengdur", - "on": "Tengdur" - }, - "cold": { - "off": "Venjulegt", - "on": "Kalt" - }, - "door": { - "off": "Lokuð", - "on": "Opin" - }, - "garage_door": { - "off": "Lokuð", - "on": "Opin" - }, - "heat": { - "off": "Venjulegt", - "on": "Heitt" - }, "window": { "off": "Loka", "on": "Opna" - }, - "lock": { - "off": "Læst", - "on": "Aflæst" } }, "calendar": { @@ -109,37 +211,43 @@ "on": "Virkt" }, "camera": { + "idle": "Aðgerðalaus", "recording": "Í upptöku", - "streaming": "Streymi", - "idle": "Aðgerðalaus" + "streaming": "Streymi" }, "climate": { + "auto": "Sjálfvirkt", + "cool": "Kæling", + "dry": "Þurrt", + "eco": "Sparnaður", + "fan_only": "Vifta eingöngu", + "gas": "Gas", + "heat": "Hitun", + "heat_cool": "Hita\/Kæla", + "heat_pump": "Hitadæla", + "idle": "Aðgerðalaus", + "manual": "Handvirkt", "off": "Slökkt", "on": "Kveikt", - "heat": "Hitun", - "cool": "Kæling", - "idle": "Aðgerðalaus", - "auto": "Sjálfvirkt", - "dry": "Þurrt", - "fan_only": "Vifta eingöngu", - "eco": "Sparnaður", - "performance": "Frammistaða", - "heat_pump": "Hitadæla", - "gas": "Gas", - "manual": "Handvirkt", - "heat_cool": "Hita\/Kæla" + "performance": "Frammistaða" }, "configurator": { "configure": "Stilli", "configured": "Stillt" }, "cover": { - "open": "Opin", - "opening": "Opna", "closed": "Lokað", "closing": "Loka", + "open": "Opin", + "opening": "Opna", "stopped": "Stöðvuð" }, + "default": { + "off": "Af", + "on": "Á", + "unavailable": "Ekki tiltækt", + "unknown": "Óþekkt" + }, "device_tracker": { "home": "Heima", "not_home": "Fjarverandi" @@ -149,19 +257,19 @@ "on": "Í gangi" }, "group": { - "off": "Óvirkur", - "on": "Virkur", - "home": "Heima", - "not_home": "Fjarverandi", - "open": "Opin", - "opening": "Opna", "closed": "Lokuð", "closing": "Loka", - "stopped": "Stöðvað", + "home": "Heima", "locked": "Læst", - "unlocked": "Aflæst", + "not_home": "Fjarverandi", + "off": "Óvirkur", "ok": "Í lagi", - "problem": "Vandamál" + "on": "Virkur", + "open": "Opin", + "opening": "Opna", + "problem": "Vandamál", + "stopped": "Stöðvað", + "unlocked": "Aflæst" }, "input_boolean": { "off": "Af", @@ -176,13 +284,17 @@ "unlocked": "Aflæst" }, "media_player": { + "idle": "Aðgerðalaus", "off": "Slökkt", "on": "í gangi", - "playing": "Spila", "paused": "Í bið", - "idle": "Aðgerðalaus", + "playing": "Spila", "standby": "Biðstaða" }, + "person": { + "home": "Heima", + "not_home": "Fjarverandi" + }, "plant": { "ok": "Í lagi", "problem": "Vandamál" @@ -207,17 +319,20 @@ "off": "Slökkt", "on": "Kveikt" }, - "zwave": { - "default": { - "initializing": "Frumstilli", - "dead": "Dauður", - "sleeping": "Í dvala", - "ready": "Tilbúinn" - }, - "query_stage": { - "initializing": "Frumstilli ({query_stage})", - "dead": "Dauður ({query_stage})" - } + "timer": { + "active": "virkur", + "idle": "aðgerðalaus", + "paused": "í bið" + }, + "vacuum": { + "cleaning": "Að ryksuga", + "docked": "í tengikví", + "error": "Villa", + "idle": "Aðgerðalaus", + "off": "Slökkt", + "on": "Í gangi", + "paused": "Í bið", + "returning": "Á leið tilbaka í tengikví" }, "weather": { "clear-night": "Heiðskýrt, nótt", @@ -235,130 +350,574 @@ "windy": "Vindasamt", "windy-variant": "Vindasamt" }, - "vacuum": { - "cleaning": "Að ryksuga", - "docked": "í tengikví", - "error": "Villa", - "idle": "Aðgerðalaus", - "off": "Slökkt", - "on": "Í gangi", - "paused": "Í bið", - "returning": "Á leið tilbaka í tengikví" - }, - "timer": { - "active": "virkur", - "idle": "aðgerðalaus", - "paused": "í bið" - }, - "person": { - "home": "Heima", - "not_home": "Fjarverandi" - } - }, - "state_badge": { - "default": { - "unknown": "Óþ.", - "error": "Villa", - "entity_not_found": "Eining fannst ekki" - }, - "alarm_control_panel": { - "disarmed": "ekki á verði", - "arming": "set á vörð", - "disarming": "tek af verði", - "triggered": "Kveik" - }, - "device_tracker": { - "home": "Heima", - "not_home": "Fjarverandi" - }, - "person": { - "home": "Heima", - "not_home": "Fjarverandi" + "zwave": { + "default": { + "dead": "Dauður", + "initializing": "Frumstilli", + "ready": "Tilbúinn", + "sleeping": "Í dvala" + }, + "query_stage": { + "dead": "Dauður ({query_stage})", + "initializing": "Frumstilli ({query_stage})" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Hreinsa lokið", - "add_item": "Bæta við hlut", - "microphone_tip": "Ýttu á hljóðnemann efst til hægri og segðu \"Add candy to my shopping list\"" + "auth_store": { + "ask": "Viltu vista þessa innskráningu?", + "confirm": "Vista innskráningu", + "decline": "Nei takk" + }, + "card": { + "alarm_control_panel": { + "arm_away": "Vörður úti", + "arm_custom_bypass": "Sérsniðin hjáleið", + "arm_home": "Vörður heima", + "arm_night": "Vörður nótt", + "armed_custom_bypass": "Sérsniðin hjáleið", + "clear_code": "Hreinsa", + "code": "Kóði", + "disarm": "Taka af verði" }, - "developer-tools": { - "tabs": { - "services": { - "title": "Þjónustur" - }, - "states": { - "title": "Stöður" - }, - "events": { - "title": "Viðburðir" - }, - "templates": { - "title": "Skapalón" - }, - "mqtt": { - "title": "MQTT" - }, - "info": { - "title": "Upplýsingar" - } + "automation": { + "last_triggered": "Síðast kveikt", + "trigger": "Kveikja" + }, + "camera": { + "not_available": "Mynd ekki tiltæk" + }, + "climate": { + "away_mode": "Fjarverandi hamur", + "currently": "Er núna", + "fan_mode": "Viftuhamur", + "on_off": "Kveikt \/ slökkt", + "operation": "Aðgerð", + "preset_mode": "Forstilling", + "swing_mode": "Sveifluhamur", + "target_humidity": "Viðmiðunar rakastig", + "target_temperature": "Viðmiðunar hitastig" + }, + "cover": { + "position": "Staðsetning", + "tilt_position": "Hallastaða" + }, + "fan": { + "direction": "Snúningsátt", + "forward": "Áfram", + "oscillate": "Sveiflast", + "reverse": "Afturábak", + "speed": "Hraði" + }, + "light": { + "brightness": "Birtustig", + "color_temperature": "Litastig", + "effect": "Áhrif", + "white_value": "Hvítt gildi" + }, + "lock": { + "code": "Kóði", + "lock": "Læsa", + "unlock": "Aflæsa" + }, + "media_player": { + "sound_mode": "Hljóðhamur", + "source": "Uppruni", + "text_to_speak": "Texti yfir í tal" + }, + "persistent_notification": { + "dismiss": "Vísa frá" + }, + "scene": { + "activate": "Virkja" + }, + "script": { + "execute": "Framkvæma" + }, + "timer": { + "actions": { + "cancel": "hætta við", + "finish": "lokið", + "pause": "hlé", + "start": "byrja" } }, - "history": { - "showing_entries": "Sýni færslur fyrir", - "period": "Tímabil" + "vacuum": { + "actions": { + "resume_cleaning": "Halda áfram að þrífa", + "return_to_base": "Fara aftur í bryggju", + "start_cleaning": "Byrja að þrífa", + "turn_off": "Slökkva á", + "turn_on": "Kveikja á" + } }, - "logbook": { - "showing_entries": "Sýni færslur fyrir", - "period": "Tímabil" + "water_heater": { + "away_mode": "Fjarverandi hamur", + "currently": "Er núna", + "on_off": "Kveikt \/ slökkt", + "operation": "Aðgerð", + "target_temperature": "Viðmiðunarhitastig" }, - "mailbox": { - "empty": "Þú hefur engin skilaboð", - "playback_title": "Afspilun skilaboða", - "delete_prompt": "Eyða þessum skilaboðum?", - "delete_button": "Eyða" + "weather": { + "attributes": { + "air_pressure": "Loftþrýstingur", + "humidity": "Rakastig", + "temperature": "Hitastig", + "visibility": "Skyggni", + "wind_speed": "Vindhraði" + }, + "cardinal_direction": { + "e": "A", + "ene": "ANA", + "ese": "ASA", + "n": "N", + "ne": "NA", + "nne": "NNA", + "nnw": "NNV", + "nw": "NV", + "s": "S", + "se": "SA", + "sse": "SSA", + "ssw": "SSV", + "sw": "SV", + "w": "V", + "wnw": "VNV", + "wsw": "VSV" + }, + "forecast": "Spá" + } + }, + "common": { + "cancel": "Hætta við", + "loading": "Hleð", + "save": "Vista" + }, + "components": { + "entity": { + "entity-picker": { + "entity": "Eining" + } }, + "history_charts": { + "loading_history": "Hleð stöðusögu...", + "no_history_found": "Engin stöðusaga fannst." + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\n one {dagur}\\n other {dagar}\\n}", + "hour": "{count} {count, plural,\\n one {klukkutími}\\n other {klukkutímar}\\n}", + "minute": "{count} {count, plural,\\n one {mínúta}\\n other {mínútur}\\n}", + "second": "{count} {count, plural,\\n one {sekúnda}\\n other {sekúndur}\\n}", + "week": "{count} {count, plural,\\n one {vika}\\n other {vikur}\\n}" + }, + "future": "Eftir {time}", + "never": "Aldrei", + "past": "{time} síðan" + }, + "service-picker": { + "service": "Þjónusta" + } + }, + "dialogs": { + "config_entry_system_options": { + "enable_new_entities_label": "Virkja einingar sem nýlega var bætt við", + "title": "Kerfisvalkostir" + }, + "more_info_control": { + "script": { + "last_action": "Síðasta aðgerð" + }, + "sun": { + "elevation": "Hækkun", + "rising": "Upprisa", + "setting": "Stillingar" + }, + "updater": { + "title": "Uppfærslu leiðbeiningar" + } + }, + "more_info_settings": { + "entity_id": "Kenni eingar", + "name": "Yfirskrifa nafn", + "save": "Vista" + }, + "options_flow": { + "form": { + "header": "Valkostir" + } + }, + "zha_device_info": { + "last_seen": "Síðast séð", + "manuf": "eftir {manufacturer}", + "no_area": "Ekkert svæði", + "power_source": "Orkugjafi", + "services": { + "remove": "Fjarlægja tæki af ZigBee neti." + }, + "unknown": "Óþekkt", + "zha_device_card": { + "area_picker_label": "Svæði", + "update_name_button": "Uppfæra nafn" + } + } + }, + "duration": { + "day": "{count} {count, plural,\\n one {dagur}\\n other {dagar}\\n}", + "hour": "{count} {count, plural,\\n one {klukkutími}\\n other {klukkutímar}\\n}", + "minute": "{count} {count, plural,\\n one {mínúta}\\n other {mínútur}\\n}", + "second": "{count} {count, plural,\\n one {sekúnda}\\n other {sekúndur}\\n}", + "week": "{count} {count, plural,\\n one {vika}\\n other {vikur}\\n}" + }, + "login-form": { + "log_in": "Skrá inn", + "password": "Lykilorð", + "remember": "Muna" + }, + "notification_drawer": { + "click_to_configure": "Smelltu á hnappinn til að stilla {entity}", + "empty": "Engar tilkynningar", + "title": "Tilkynningar" + }, + "notification_toast": { + "connection_lost": "Tenging tapaðist. Tengist aftur...", + "entity_turned_off": "Slökkti á {entity} .", + "entity_turned_on": "Kveikti á {entity} .", + "service_call_failed": "Ekki tókst að kalla á þjónustu {service}.", + "service_called": "Kallað var á {service} þjónustuna." + }, + "panel": { "config": { - "header": "Stilla af Home Assistant", - "introduction": "Hér er mögulegt að stilla af íhluti og Home Assistant. Því miður er ekki hægt að breyta öllu í gegnum viðmótið ennþá, en við erum að vinna í því.", + "area_registry": { + "caption": "Svæðaskrá", + "create_area": "BÚA TIL SVÆÐI", + "description": "Yfirlit yfir öll svæði á heimilinu þínu.", + "editor": { + "create": "STOFNA", + "default_name": "Nýtt svæði", + "delete": "EYÐA", + "update": "UPPFÆRA" + }, + "no_areas": "Það virðist sem að þú hafir engin svæði ennþá!", + "picker": { + "create_area": "BÚA TIL SVÆÐI", + "header": "Svæðaskrá", + "integrations_page": "Samþættingar síða", + "introduction": "Svæði eru notuð til að skipuleggja hvar tæki eru staðsett. Þessar upplýsingar verða notaðar innan Home Assistant til að hjálpa þér að skipuleggja viðmótið, réttindi og samþættingar við önnur kerfi.", + "introduction2": "Til að staðsetja tæki inn á tilteknu svæði þá skal notast við hlekkinn hér fyrir neðan til að vafra yfir á samþættingarsíðu og þar smella á stillta samþættingu til að fá upp spjaldið fyrir tækið.", + "no_areas": "Það virðist sem að þú hafir engin svæði ennþá!" + } + }, + "automation": { + "caption": "Sjálfvirkni", + "description": "Stofna og breyta sjálfvirkni", + "editor": { + "actions": { + "add": "Bæta við aðgerð", + "delete": "Eyða", + "delete_confirm": "Ertu viss um að þú viljir eyða?", + "duplicate": "Fjölfalda", + "header": "Aðgerðir", + "introduction": "Aðgerðir er það sem Home Assistant mun gera þegar sjálfvirkni er ræst.", + "learn_more": "Læra meira um aðgerðir", + "type_select": "Gerð aðgerðar", + "type": { + "condition": { + "label": "Skilyrði" + }, + "delay": { + "delay": "Töf", + "label": "Töf" + }, + "device_id": { + "label": "Tæki" + }, + "event": { + "event": "Viðburður:", + "label": "Skjóta viðburði", + "service_data": "Þjónustu gögn" + }, + "service": { + "label": "Kalla í þjónustu", + "service_data": "Þjónustugögn" + }, + "wait_template": { + "label": "Bið", + "timeout": "Tímamörk (valfrjálst)", + "wait_template": "Bið sniðmát" + } + }, + "unsupported_action": "Óstudd aðgerð: {action}" + }, + "alias": "Nafn", + "conditions": { + "add": "Bæta við skilyrði", + "delete": "Eyða", + "delete_confirm": "Ertu viss um að þú viljir eyða?", + "duplicate": "Fjölfalda", + "header": "Skilyrði", + "learn_more": "Læra meira um skilyrði", + "type_select": "Gerð skilyrðis", + "type": { + "and": { + "label": "Og" + }, + "device": { + "extra_fields": { + "above": "Yfir", + "below": "Undir", + "for": "Tímalengd" + }, + "label": "Tæki" + }, + "numeric_state": { + "above": "Yfir", + "below": "Undir", + "value_template": "Gildissniðmát (valfrjálst)" + }, + "or": { + "label": "Eða" + }, + "state": { + "label": "Staða", + "state": "Staða" + }, + "sun": { + "after": "Eftir:", + "after_offset": "Eftir hliðrun (valfrjálst)", + "before": "Fyrir:", + "before_offset": "Fyrir hliðrun (valfrjálst)", + "label": "Sól", + "sunrise": "Sólarupprás", + "sunset": "Sólsetur" + }, + "template": { + "label": "Sniðmát", + "value_template": "Gildissniðmát" + }, + "time": { + "after": "Eftir", + "before": "Fyrir", + "label": "Tími" + }, + "zone": { + "entity": "Eining með staðsetningu", + "label": "Öryggissvæði", + "zone": "Öryggissvæði" + } + }, + "unsupported_condition": "Skilyrði ekki stutt: {condition}" + }, + "default_name": "Ný sjálfvirkni", + "description": { + "label": "Lýsing", + "placeholder": "Valfrjáls lýsing" + }, + "introduction": "Notaðu sjálfvirkni til að glæða húsið þitt lífi", + "load_error_not_editable": "Eingöngu er hægt að breyta sjálfvirkni í automations.yaml", + "load_error_unknown": "Villa kom upp við að hlaða inn sjálfvirkni ({err_no}).", + "save": "Vista", + "triggers": { + "add": "Bæta við kveikju", + "delete": "Eyða", + "delete_confirm": "Ert þú viss um að þú viljir eyða?", + "duplicate": "Fjölfalda", + "header": "Kveikjur", + "introduction": "Kveikjur sjá um að ræsa sjálfvirkni reglur. Það er mögulegt að tilgreina margar kveikjur fyrir sömu regluna. Þegar kveikja er ræst þá mun Home Assistant sannreyna skilyrðin ef einhver og kalla á aðgerðina.", + "learn_more": "Læra meira um kveikjur", + "type_select": "Gerð kveikju", + "type": { + "device": { + "extra_fields": { + "above": "Yfir", + "below": "Undir", + "for": "Tímalengd" + }, + "label": "Tæki" + }, + "event": { + "event_data": "Viðburðargögn", + "event_type": "Gerð viðburðar", + "label": "Viðburður" + }, + "geo_location": { + "enter": "Koma", + "event": "Viðburður:", + "label": "Staðsetning", + "leave": "Brottför", + "source": "Uppruni", + "zone": "Öryggissvæði" + }, + "homeassistant": { + "event": "Viðburður:", + "label": "Home Assistant", + "shutdown": "Lokun", + "start": "Ræsing" + }, + "mqtt": { + "label": "MQTT" + }, + "numeric_state": { + "above": "Yfir", + "below": "Undir", + "value_template": "Gildissniðmát (valfrjálst)" + }, + "state": { + "for": "Fyrir", + "from": "Frá", + "label": "Staða", + "to": "Til" + }, + "sun": { + "event": "Viðburður:", + "label": "Sól", + "sunrise": "Sólarupprás", + "sunset": "Sólsetur" + }, + "template": { + "label": "Sniðmát", + "value_template": "Gildissniðmát" + }, + "time_pattern": { + "hours": "Klukkustundir", + "label": "Tímamynstur", + "minutes": "Mínútur", + "seconds": "Sekúndur" + }, + "time": { + "at": "Þann", + "label": "Tími" + }, + "webhook": { + "label": "Vefkrókur", + "webhook_id": "Vefkrókur ID" + }, + "zone": { + "enter": "Koma", + "entity": "Eining með staðsetningu", + "event": "Viðburður:", + "label": "Öryggissvæði", + "leave": "Brottför", + "zone": "Svæði" + } + }, + "unsupported_platform": "Vettvangur ekki studdur: {platform}" + }, + "unsaved_confirm": "Þú ert með óvistaðar breytingar. Ertu viss um að þú viljir fara?" + }, + "picker": { + "add_automation": "Bæta við sjálfvirkni", + "header": "Sjálfvirkniritill", + "learn_more": "Læra meira um sjálfvirkni", + "no_automations": "Við fundum ekki neinar sjálfvirkni-skilgreiningar sem hægt er að breyta", + "pick_automation": "Veldu sjálfvirkni sem á að breyta" + } + }, + "cloud": { + "account": { + "alexa": { + "disable": "afvirkja", + "enable": "virkja", + "title": "Alexa" + }, + "connected": "Tengdur", + "fetching_subscription": "Sæki áskrift...", + "google": { + "security_devices": "Öryggistæki", + "title": "Google Assistant" + }, + "integrations": "Samþættingar", + "nabu_casa_account": "Nabu Casa aðgangur", + "not_connected": "Ekki tengdur", + "remote": { + "certificate_info": "Upplýsingar skilríkis", + "link_learn_how_it_works": "Læra hvernig þetta virkar", + "title": "Fjarstýring" + }, + "sign_out": "Skrá út", + "webhooks": { + "loading": "Hleð ...", + "title": "Webhooks" + } + }, + "alexa": { + "title": "Alexa" + }, + "caption": "Home Assistant skýið", + "description_features": "Stjórna heimili að heiman með Alexa og Google Assistant.", + "description_login": "Innskráð(ur) sem {email}", + "description_not_login": "Ekki skráð(ur) inn", + "dialog_certificate": { + "close": "Loka", + "fingerprint": "Fingrafar skilríkis:" + }, + "dialog_cloudhook": { + "close": "Loka", + "confirm_disable": "Ertu viss um að þú viljir afvirkja þennan vefkrók?", + "copied_to_clipboard": "Afritað á klemmuspjald" + }, + "forgot_password": { + "email": "Netfang", + "email_error_msg": "Ógilt netfang", + "subtitle": "Gleymdirðu lykilorðinu þínu", + "title": "Gleymt lykilorð" + }, + "google": { + "title": "Google Assistant" + }, + "login": { + "alert_email_confirm_necessary": "Þú þarft að staðfesta tölvupóstinn þinn áður en þú skráir þig inn.", + "alert_password_change_required": "Þú verður að breyta lykilorðinu þínu áður en þú skráir þig inn.", + "dismiss": "Vísa frá", + "email": "Netfang", + "email_error_msg": "Ógilt netfang", + "forgot_password": "gleymt lykilorð?", + "learn_more_link": "Læra meira um Home Assistant skýið", + "password": "Lykilorð", + "password_error_msg": "Lykilorð eru að minnsta kosti 8 stafir", + "sign_in": "Skrá inn" + }, + "register": { + "create_account": "Stofna aðgang", + "email_address": "Netfang", + "email_error_msg": "Ógilt netfang", + "feature_amazon_alexa": "Samþætting við Amazon Alexa", + "feature_google_home": "Samþætting við Google Assistant", + "link_privacy_policy": "Friðhelgisstefna", + "link_terms_conditions": "Skilmálar og skilyrði", + "password": "Lykilorð", + "resend_confirm_email": "Endursenda staðfestingarpóst" + } + }, "core": { "caption": "Almennt", "description": "Staðfesta að stillingarskráin þín sé rétt og stjórnun á miðlara", "section": { "core": { - "header": "Stillingar og stjórnun þjóns", - "introduction": "Að breyta stillingum getur verið þreytandi ferli og við vitum það. Þetta svæði mun reyna að létta þér lífið hvað það varðar.", "core_config": { "edit_requires_storage": "Ritill er óvirkur af því að stillingar eru vistaðar í configuration.yaml.", - "location_name": "Nafnið á Home Assistant uppsetningunni", - "latitude": "Breiddargráða", - "longitude": "Lengdargráða", "elevation": "Hækkun", "elevation_meters": "metrar", + "imperial_example": "Fahrenheit, pund", + "latitude": "Breiddargráða", + "location_name": "Nafnið á Home Assistant uppsetningunni", + "longitude": "Lengdargráða", + "metric_example": "Celsíus, kílógrömm", + "save_button": "Vista", "time_zone": "Tímabelti", "unit_system": "Einingarkerfi", "unit_system_imperial": "Imperial", - "unit_system_metric": "Metra", - "imperial_example": "Fahrenheit, pund", - "metric_example": "Celsíus, kílógrömm", - "save_button": "Vista" - } + "unit_system_metric": "Metra" + }, + "header": "Stillingar og stjórnun þjóns", + "introduction": "Að breyta stillingum getur verið þreytandi ferli og við vitum það. Þetta svæði mun reyna að létta þér lífið hvað það varðar." }, "server_control": { - "validation": { - "heading": "Staðfesta stillingar", - "introduction": "Staðfestu stillingarnar þínar ef þú hefur gert breytingar á stillingum og vilt ganga úr skugga um að þær séu í lagi", - "check_config": "Athuga stillingar", - "valid": "Stillingar í lagi!", - "invalid": "Stillingar ógildar" - }, "reloading": { - "heading": "Endurhleðsla stillinga", - "introduction": "Sumir hlutar af Home Assistant er hægt að hlaða inn að nýju án þess að það krefjist endurræsingar. Með því að velja að endurhlaða þá mun sú aðgerð hlaða inn nýjum stillingum.", + "automation": "Endurhlaða inn sjálfvirkni", "core": "Endurhlaða inn kjarna", "group": "Endurhlaða inn hópum", - "automation": "Endurhlaða inn sjálfvirkni", + "heading": "Endurhleðsla stillinga", + "introduction": "Sumir hlutar af Home Assistant er hægt að hlaða inn að nýju án þess að það krefjist endurræsingar. Með því að velja að endurhlaða þá mun sú aðgerð hlaða inn nýjum stillingum.", "script": "Endurhlaða inn skriftum" }, "server_management": { @@ -366,6 +925,13 @@ "introduction": "Stjórna Home Assistant miðlara... frá Home Assistant.", "restart": "Endurræsa", "stop": "Stöðva" + }, + "validation": { + "check_config": "Athuga stillingar", + "heading": "Staðfesta stillingar", + "introduction": "Staðfestu stillingarnar þínar ef þú hefur gert breytingar á stillingum og vilt ganga úr skugga um að þær séu í lagi", + "invalid": "Stillingar ógildar", + "valid": "Stillingar í lagi!" } } } @@ -377,209 +943,93 @@ "header": "Séraðlögun" } }, - "automation": { - "caption": "Sjálfvirkni", - "description": "Stofna og breyta sjálfvirkni", - "picker": { - "header": "Sjálfvirkniritill", - "pick_automation": "Veldu sjálfvirkni sem á að breyta", - "no_automations": "Við fundum ekki neinar sjálfvirkni-skilgreiningar sem hægt er að breyta", - "add_automation": "Bæta við sjálfvirkni", - "learn_more": "Læra meira um sjálfvirkni" - }, - "editor": { - "introduction": "Notaðu sjálfvirkni til að glæða húsið þitt lífi", - "default_name": "Ný sjálfvirkni", - "save": "Vista", - "unsaved_confirm": "Þú ert með óvistaðar breytingar. Ertu viss um að þú viljir fara?", - "alias": "Nafn", - "triggers": { - "header": "Kveikjur", - "introduction": "Kveikjur sjá um að ræsa sjálfvirkni reglur. Það er mögulegt að tilgreina margar kveikjur fyrir sömu regluna. Þegar kveikja er ræst þá mun Home Assistant sannreyna skilyrðin ef einhver og kalla á aðgerðina.", - "add": "Bæta við kveikju", - "duplicate": "Fjölfalda", - "delete": "Eyða", - "delete_confirm": "Ert þú viss um að þú viljir eyða?", - "unsupported_platform": "Vettvangur ekki studdur: {platform}", - "type_select": "Gerð kveikju", - "type": { - "event": { - "label": "Viðburður", - "event_type": "Gerð viðburðar", - "event_data": "Viðburðargögn" - }, - "state": { - "label": "Staða", - "from": "Frá", - "to": "Til", - "for": "Fyrir" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Viðburður:", - "start": "Ræsing", - "shutdown": "Lokun" - }, - "mqtt": { - "label": "MQTT" - }, - "numeric_state": { - "above": "Yfir", - "below": "Undir", - "value_template": "Gildissniðmát (valfrjálst)" - }, - "sun": { - "label": "Sól", - "event": "Viðburður:", - "sunrise": "Sólarupprás", - "sunset": "Sólsetur" - }, - "template": { - "label": "Sniðmát", - "value_template": "Gildissniðmát" - }, - "time": { - "label": "Tími", - "at": "Þann" - }, - "zone": { - "label": "Öryggissvæði", - "entity": "Eining með staðsetningu", - "zone": "Svæði", - "event": "Viðburður:", - "enter": "Koma", - "leave": "Brottför" - }, - "webhook": { - "label": "Vefkrókur", - "webhook_id": "Vefkrókur ID" - }, - "time_pattern": { - "label": "Tímamynstur", - "hours": "Klukkustundir", - "minutes": "Mínútur", - "seconds": "Sekúndur" - }, - "geo_location": { - "label": "Staðsetning", - "source": "Uppruni", - "zone": "Öryggissvæði", - "event": "Viðburður:", - "enter": "Koma", - "leave": "Brottför" - }, - "device": { - "label": "Tæki", - "extra_fields": { - "above": "Yfir", - "below": "Undir", - "for": "Tímalengd" - } - } - }, - "learn_more": "Læra meira um kveikjur" + "devices": { + "automation": { + "actions": { + "caption": "Þegar eitthvað er ræst af kveikju..." }, "conditions": { - "header": "Skilyrði", - "add": "Bæta við skilyrði", - "duplicate": "Fjölfalda", - "delete": "Eyða", - "delete_confirm": "Ertu viss um að þú viljir eyða?", - "unsupported_condition": "Skilyrði ekki stutt: {condition}", - "type_select": "Gerð skilyrðis", - "type": { - "state": { - "label": "Staða", - "state": "Staða" - }, - "numeric_state": { - "above": "Yfir", - "below": "Undir", - "value_template": "Gildissniðmát (valfrjálst)" - }, - "sun": { - "label": "Sól", - "before": "Fyrir:", - "after": "Eftir:", - "before_offset": "Fyrir hliðrun (valfrjálst)", - "after_offset": "Eftir hliðrun (valfrjálst)", - "sunrise": "Sólarupprás", - "sunset": "Sólsetur" - }, - "template": { - "label": "Sniðmát", - "value_template": "Gildissniðmát" - }, - "time": { - "label": "Tími", - "after": "Eftir", - "before": "Fyrir" - }, - "zone": { - "label": "Öryggissvæði", - "entity": "Eining með staðsetningu", - "zone": "Öryggissvæði" - }, - "device": { - "label": "Tæki", - "extra_fields": { - "above": "Yfir", - "below": "Undir", - "for": "Tímalengd" - } - }, - "and": { - "label": "Og" - }, - "or": { - "label": "Eða" - } - }, - "learn_more": "Læra meira um skilyrði" + "caption": "Bara framkvæma eitthvað ef..." }, - "actions": { - "header": "Aðgerðir", - "introduction": "Aðgerðir er það sem Home Assistant mun gera þegar sjálfvirkni er ræst.", - "add": "Bæta við aðgerð", - "duplicate": "Fjölfalda", - "delete": "Eyða", - "delete_confirm": "Ertu viss um að þú viljir eyða?", - "unsupported_action": "Óstudd aðgerð: {action}", - "type_select": "Gerð aðgerðar", - "type": { - "service": { - "label": "Kalla í þjónustu", - "service_data": "Þjónustugögn" - }, - "delay": { - "label": "Töf", - "delay": "Töf" - }, - "wait_template": { - "label": "Bið", - "wait_template": "Bið sniðmát", - "timeout": "Tímamörk (valfrjálst)" - }, - "condition": { - "label": "Skilyrði" - }, - "event": { - "label": "Skjóta viðburði", - "event": "Viðburður:", - "service_data": "Þjónustu gögn" - }, - "device_id": { - "label": "Tæki" - } - }, - "learn_more": "Læra meira um aðgerðir" - }, - "load_error_not_editable": "Eingöngu er hægt að breyta sjálfvirkni í automations.yaml", - "load_error_unknown": "Villa kom upp við að hlaða inn sjálfvirkni ({err_no}).", - "description": { - "label": "Lýsing", - "placeholder": "Valfrjáls lýsing" + "triggers": { + "caption": "Framkvæma eitthvað þegar..." } + }, + "caption": "Tæki", + "description": "Stjórna tengdum tækjum" + }, + "entity_registry": { + "caption": "Einingarskrá", + "description": "Yfirlit yfir allar þekktar einingar.", + "editor": { + "default_name": "Nýtt svæði", + "delete": "EYÐA", + "enabled_cause": "Afvirkjað vegna {cause}.", + "enabled_label": "Virkja einingu", + "unavailable": "Þessi eining er ekki tiltæk eins og er.", + "update": "UPPFÆRA" + }, + "picker": { + "header": "Einingarskrá", + "headers": { + "name": "Nafn" + }, + "integrations_page": "Samþættingar síða", + "introduction": "Home Assistant heldur bókhald utanum allar einingar sem verið greindar. Hver þessara eininga hafa einingar-auðkenni (ID) sem er frátekið bara fyrir þessa tilteknu einingu.", + "show_disabled": "Sýna afvirkjaðar einingar", + "unavailable": "(ekki tiltækt)" + } + }, + "header": "Stilla af Home Assistant", + "integrations": { + "caption": "Samþættingar", + "config_entry": { + "delete_confirm": "Ertu viss um að þú viljir eyða þessari samþættingu?", + "device_unavailable": "Tæki ekki tiltækt", + "entity_unavailable": "Eining ekki tiltæk", + "firmware": "Fastbúnaðarútgáfa: {version}", + "hub": "Tengt gegnum", + "manuf": "eftir {manufacturer}", + "no_area": "Ekkert svæði", + "no_device": "Einingar án tækja", + "no_devices": "Þessi samþætting hefur engin tæki.", + "restart_confirm": "Endurræsa Home Assitant til að klára að fjarlægja þessa samþættingu", + "via": "Tengt gegnum" + }, + "config_flow": { + "external_step": { + "description": "Þetta skref krefst þess að þú heimsækir ytri vefsíðu svo hægt sé að ljúka þessu skrefi.", + "open_site": "Opna vefsíðu" + } + }, + "configure": "Stilla", + "configured": "Uppsett", + "description": "Stjórna tengdum tækjum og þjónustum", + "discovered": "Uppgötvað", + "home_assistant_website": "Vefsíða Home Assistant", + "new": "Setja upp nýja samþættingu", + "none": "Ekkert skilgreint sem stendur" + }, + "introduction": "Hér er mögulegt að stilla af íhluti og Home Assistant. Því miður er ekki hægt að breyta öllu í gegnum viðmótið ennþá, en við erum að vinna í því.", + "person": { + "add_person": "Bæta við persónu", + "caption": "Persónur", + "confirm_delete": "Ertu viss um að þú viljir eyða þessari persónu?", + "confirm_delete2": "Öll tæki sem tilheyra þessari persónu munu verða óúthlutuð.", + "create_person": "Stofna persónu", + "description": "Stjórna persónum sem Home assistant er að rekja.", + "detail": { + "create": "Stofna", + "delete": "Eyða", + "device_tracker_intro": "Veldu tæki sem tilheyrir þessari persónu.", + "device_tracker_pick": "Velja tæki til að rekja", + "device_tracker_picked": "Rekja tæki", + "link_integrations_page": "Samþættingar síða", + "linked_user": "Tengdur notandi", + "name": "Nafn", + "name_error_msg": "Nafn er skilyrt", + "new_person": "Ný persóna", + "update": "Uppfæra" } }, "script": { @@ -589,591 +1039,213 @@ "learn_more": "Læra meira um skriftur" } }, - "zwave": { - "caption": "Z-Wave", - "description": "Stjórnaðu Z-Wave netinu þínu", - "network_management": { - "header": "Z-Wave netumsýsla" - }, - "network_status": { - "network_stopped": "Z-Wave net stöðvað", - "network_starting": "Ræsi Z-Wave net...", - "network_starting_note": "Þetta gæti tekið smá stund, veltur á stærð netsins.", - "network_started": "Z-Wave net ræst" - }, - "services": { - "start_network": "Ræsa net", - "stop_network": "Stöðva net", - "heal_network": "Lækna net", - "test_network": "Prófa net", - "soft_reset": "Mjúk endurstilling", - "save_config": "Vista stillingar", - "cancel_command": "Hætta við skipun" - }, - "common": { - "value": "Gildi", - "unknown": "óþekkt" - }, - "node_config": { - "seconds": "sekúndur", - "config_value": "Stillingargildi", - "set_config_parameter": "Stilltu Config Parameter" - }, - "learn_more": "Læra meira um Z-Wave" + "server_control": { + "caption": "Stjórnun þjóns", + "description": "Endurræsa og stöðva Home Assistant þjóni", + "section": { + "reloading": { + "automation": "Endurhlaða sjálfvirkni", + "core": "Endurhlaða kjarna", + "group": "Endurhlaða hópa", + "heading": "Endurhleðsla stillinga", + "introduction": "Sumir hlutar af Home Assistant er hægt að hlaða inn að nýju án þess að það krefjist endurræsingar. Með því að velja að endurhlaða þá mun sú aðgerð hlaða inn nýjum stillingum.", + "scene": "Endurhlaða senum", + "script": "Endurhlaða skriftum" + }, + "server_management": { + "confirm_restart": "Ertu viss um að þú viljir endurræsa Home Assistant?", + "confirm_stop": "Ertu viss um að þú viljir stöðva Home Assistant?", + "heading": "Stjórnun miðlara", + "introduction": "Stjórna Home Assistant miðlara... frá Home Assistant.", + "restart": "Endurræsa", + "stop": "Stöðva" + }, + "validation": { + "check_config": "Athuga stillingar", + "heading": "Staðfesta stillingar", + "introduction": "Staðfestu stillingarnar þínar ef þú hefur gert breytingar á stillingum og vilt ganga úr skugga um að þær séu í lagi", + "invalid": "Stillingar ógildar", + "valid": "Stillingar í lagi!" + } + } }, "users": { - "caption": "Notendur", - "description": "Stjórna notendum", - "picker": { - "title": "Notendur" - }, - "editor": { - "rename_user": "Endurnefna notanda", - "change_password": "Breyta lykilorði", - "activate_user": "Virkja notanda", - "deactivate_user": "Gera notanda óvirkan", - "delete_user": "Eyða notanda", - "caption": "Skoða notanda", - "id": "ID", - "owner": "Eigandi", - "group": "Hópur", - "active": "Virkur", - "unnamed_user": "Ónefndur notandi", - "enter_new_name": "Sláðu inn nýtt nafn" - }, "add_user": { "caption": "Bæta við notanda", + "create": "Stofna", "name": "Nafn", - "username": "Notandanafn", "password": "Lykilorð", - "create": "Stofna" + "username": "Notandanafn" + }, + "caption": "Notendur", + "description": "Stjórna notendum", + "editor": { + "activate_user": "Virkja notanda", + "active": "Virkur", + "caption": "Skoða notanda", + "change_password": "Breyta lykilorði", + "deactivate_user": "Gera notanda óvirkan", + "delete_user": "Eyða notanda", + "enter_new_name": "Sláðu inn nýtt nafn", + "group": "Hópur", + "id": "ID", + "owner": "Eigandi", + "rename_user": "Endurnefna notanda", + "unnamed_user": "Ónefndur notandi" + }, + "picker": { + "title": "Notendur" } }, - "cloud": { - "caption": "Home Assistant skýið", - "description_login": "Innskráð(ur) sem {email}", - "description_not_login": "Ekki skráð(ur) inn", - "description_features": "Stjórna heimili að heiman með Alexa og Google Assistant.", - "login": { - "learn_more_link": "Læra meira um Home Assistant skýið", - "dismiss": "Vísa frá", - "sign_in": "Skrá inn", - "email": "Netfang", - "email_error_msg": "Ógilt netfang", - "password": "Lykilorð", - "password_error_msg": "Lykilorð eru að minnsta kosti 8 stafir", - "forgot_password": "gleymt lykilorð?", - "alert_password_change_required": "Þú verður að breyta lykilorðinu þínu áður en þú skráir þig inn.", - "alert_email_confirm_necessary": "Þú þarft að staðfesta tölvupóstinn þinn áður en þú skráir þig inn." - }, - "forgot_password": { - "title": "Gleymt lykilorð", - "subtitle": "Gleymdirðu lykilorðinu þínu", - "email": "Netfang", - "email_error_msg": "Ógilt netfang" - }, - "register": { - "feature_google_home": "Samþætting við Google Assistant", - "feature_amazon_alexa": "Samþætting við Amazon Alexa", - "link_terms_conditions": "Skilmálar og skilyrði", - "link_privacy_policy": "Friðhelgisstefna", - "create_account": "Stofna aðgang", - "email_address": "Netfang", - "email_error_msg": "Ógilt netfang", - "password": "Lykilorð", - "resend_confirm_email": "Endursenda staðfestingarpóst" - }, - "account": { - "nabu_casa_account": "Nabu Casa aðgangur", - "sign_out": "Skrá út", - "integrations": "Samþættingar", - "connected": "Tengdur", - "not_connected": "Ekki tengdur", - "fetching_subscription": "Sæki áskrift...", - "remote": { - "title": "Fjarstýring", - "link_learn_how_it_works": "Læra hvernig þetta virkar", - "certificate_info": "Upplýsingar skilríkis" - }, - "alexa": { - "title": "Alexa", - "enable": "virkja", - "disable": "afvirkja" - }, - "google": { - "title": "Google Assistant", - "security_devices": "Öryggistæki" - }, - "webhooks": { - "title": "Webhooks", - "loading": "Hleð ..." - } - }, - "alexa": { - "title": "Alexa" - }, - "dialog_certificate": { - "fingerprint": "Fingrafar skilríkis:", - "close": "Loka" - }, - "google": { - "title": "Google Assistant" - }, - "dialog_cloudhook": { - "close": "Loka", - "confirm_disable": "Ertu viss um að þú viljir afvirkja þennan vefkrók?", - "copied_to_clipboard": "Afritað á klemmuspjald" - } - }, - "integrations": { - "caption": "Samþættingar", - "description": "Stjórna tengdum tækjum og þjónustum", - "discovered": "Uppgötvað", - "configured": "Uppsett", - "new": "Setja upp nýja samþættingu", - "configure": "Stilla", - "none": "Ekkert skilgreint sem stendur", - "config_entry": { - "no_devices": "Þessi samþætting hefur engin tæki.", - "no_device": "Einingar án tækja", - "delete_confirm": "Ertu viss um að þú viljir eyða þessari samþættingu?", - "restart_confirm": "Endurræsa Home Assitant til að klára að fjarlægja þessa samþættingu", - "manuf": "eftir {manufacturer}", - "via": "Tengt gegnum", - "firmware": "Fastbúnaðarútgáfa: {version}", - "device_unavailable": "Tæki ekki tiltækt", - "entity_unavailable": "Eining ekki tiltæk", - "no_area": "Ekkert svæði", - "hub": "Tengt gegnum" - }, - "config_flow": { - "external_step": { - "description": "Þetta skref krefst þess að þú heimsækir ytri vefsíðu svo hægt sé að ljúka þessu skrefi.", - "open_site": "Opna vefsíðu" - } - }, - "home_assistant_website": "Vefsíða Home Assistant" - }, "zha": { - "caption": "ZHA", - "description": "Zigbee Home Automation net stjórnun", - "services": { - "updateDeviceName": "Stilltu sérsniðið heiti fyrir þetta tæki í tækjaskránni.", - "remove": "Fjarlægja tæki af ZigBee neti." - }, - "device_card": { - "device_name_placeholder": "Nafn notanda", - "area_picker_label": "Svæði", - "update_name_button": "Uppfæra nafn" - }, "add_device_page": { - "header": "Zigbee sjálfvirkni - Bæta við tækjum", - "spinner": "Leitað að ZHA Zigbee tækjum...", "discovery_text": "Uppgötvuð tæki munu birtast hér. Fylgdu leiðbeiningunum fyrir tækið þitt og setjið tækið í pörunarstillingu.", - "search_again": "Leita aftur" + "header": "Zigbee sjálfvirkni - Bæta við tækjum", + "search_again": "Leita aftur", + "spinner": "Leitað að ZHA Zigbee tækjum..." }, + "caption": "ZHA", "common": { "add_devices": "Bæta við tækjum", "clusters": "Klasar", "devices": "Tæki", "value": "Gildi" }, + "description": "Zigbee Home Automation net stjórnun", + "device_card": { + "area_picker_label": "Svæði", + "device_name_placeholder": "Nafn notanda", + "update_name_button": "Uppfæra nafn" + }, "network_management": { "header": "Netumsýsla" }, "node_management": { "header": "Tækjaumsýsla" - } - }, - "area_registry": { - "caption": "Svæðaskrá", - "description": "Yfirlit yfir öll svæði á heimilinu þínu.", - "picker": { - "header": "Svæðaskrá", - "introduction": "Svæði eru notuð til að skipuleggja hvar tæki eru staðsett. Þessar upplýsingar verða notaðar innan Home Assistant til að hjálpa þér að skipuleggja viðmótið, réttindi og samþættingar við önnur kerfi.", - "introduction2": "Til að staðsetja tæki inn á tilteknu svæði þá skal notast við hlekkinn hér fyrir neðan til að vafra yfir á samþættingarsíðu og þar smella á stillta samþættingu til að fá upp spjaldið fyrir tækið.", - "integrations_page": "Samþættingar síða", - "no_areas": "Það virðist sem að þú hafir engin svæði ennþá!", - "create_area": "BÚA TIL SVÆÐI" }, - "no_areas": "Það virðist sem að þú hafir engin svæði ennþá!", - "create_area": "BÚA TIL SVÆÐI", - "editor": { - "default_name": "Nýtt svæði", - "delete": "EYÐA", - "update": "UPPFÆRA", - "create": "STOFNA" + "services": { + "remove": "Fjarlægja tæki af ZigBee neti.", + "updateDeviceName": "Stilltu sérsniðið heiti fyrir þetta tæki í tækjaskránni." } }, - "entity_registry": { - "caption": "Einingarskrá", - "description": "Yfirlit yfir allar þekktar einingar.", - "picker": { - "header": "Einingarskrá", - "unavailable": "(ekki tiltækt)", - "introduction": "Home Assistant heldur bókhald utanum allar einingar sem verið greindar. Hver þessara eininga hafa einingar-auðkenni (ID) sem er frátekið bara fyrir þessa tilteknu einingu.", - "integrations_page": "Samþættingar síða", - "show_disabled": "Sýna afvirkjaðar einingar", - "headers": { - "name": "Nafn" - } + "zwave": { + "caption": "Z-Wave", + "common": { + "unknown": "óþekkt", + "value": "Gildi" }, - "editor": { - "unavailable": "Þessi eining er ekki tiltæk eins og er.", - "default_name": "Nýtt svæði", - "delete": "EYÐA", - "update": "UPPFÆRA", - "enabled_label": "Virkja einingu", - "enabled_cause": "Afvirkjað vegna {cause}." - } - }, - "person": { - "caption": "Persónur", - "description": "Stjórna persónum sem Home assistant er að rekja.", - "detail": { - "name": "Nafn", - "device_tracker_intro": "Veldu tæki sem tilheyrir þessari persónu.", - "device_tracker_picked": "Rekja tæki", - "device_tracker_pick": "Velja tæki til að rekja", - "new_person": "Ný persóna", - "name_error_msg": "Nafn er skilyrt", - "linked_user": "Tengdur notandi", - "link_integrations_page": "Samþættingar síða", - "delete": "Eyða", - "create": "Stofna", - "update": "Uppfæra" + "description": "Stjórnaðu Z-Wave netinu þínu", + "learn_more": "Læra meira um Z-Wave", + "network_management": { + "header": "Z-Wave netumsýsla" }, - "create_person": "Stofna persónu", - "add_person": "Bæta við persónu", - "confirm_delete": "Ertu viss um að þú viljir eyða þessari persónu?", - "confirm_delete2": "Öll tæki sem tilheyra þessari persónu munu verða óúthlutuð." - }, - "server_control": { - "caption": "Stjórnun þjóns", - "description": "Endurræsa og stöðva Home Assistant þjóni", - "section": { - "validation": { - "heading": "Staðfesta stillingar", - "introduction": "Staðfestu stillingarnar þínar ef þú hefur gert breytingar á stillingum og vilt ganga úr skugga um að þær séu í lagi", - "check_config": "Athuga stillingar", - "valid": "Stillingar í lagi!", - "invalid": "Stillingar ógildar" - }, - "reloading": { - "heading": "Endurhleðsla stillinga", - "introduction": "Sumir hlutar af Home Assistant er hægt að hlaða inn að nýju án þess að það krefjist endurræsingar. Með því að velja að endurhlaða þá mun sú aðgerð hlaða inn nýjum stillingum.", - "core": "Endurhlaða kjarna", - "group": "Endurhlaða hópa", - "automation": "Endurhlaða sjálfvirkni", - "script": "Endurhlaða skriftum", - "scene": "Endurhlaða senum" - }, - "server_management": { - "heading": "Stjórnun miðlara", - "introduction": "Stjórna Home Assistant miðlara... frá Home Assistant.", - "restart": "Endurræsa", - "stop": "Stöðva", - "confirm_restart": "Ertu viss um að þú viljir endurræsa Home Assistant?", - "confirm_stop": "Ertu viss um að þú viljir stöðva Home Assistant?" - } - } - }, - "devices": { - "caption": "Tæki", - "description": "Stjórna tengdum tækjum", - "automation": { - "triggers": { - "caption": "Framkvæma eitthvað þegar..." - }, - "conditions": { - "caption": "Bara framkvæma eitthvað ef..." - }, - "actions": { - "caption": "Þegar eitthvað er ræst af kveikju..." - } + "network_status": { + "network_started": "Z-Wave net ræst", + "network_starting": "Ræsi Z-Wave net...", + "network_starting_note": "Þetta gæti tekið smá stund, veltur á stærð netsins.", + "network_stopped": "Z-Wave net stöðvað" + }, + "node_config": { + "config_value": "Stillingargildi", + "seconds": "sekúndur", + "set_config_parameter": "Stilltu Config Parameter" + }, + "services": { + "cancel_command": "Hætta við skipun", + "heal_network": "Lækna net", + "save_config": "Vista stillingar", + "soft_reset": "Mjúk endurstilling", + "start_network": "Ræsa net", + "stop_network": "Stöðva net", + "test_network": "Prófa net" } } }, - "profile": { - "push_notifications": { - "header": "Ýta út tilkynningum", - "description": "Senda tilkynningar í þetta tæki.", - "error_load_platform": "Stilla notify.html5.", - "error_use_https": "Krefst þess að SSL sé virkt á vef.", - "push_notifications": "Ýta út tilkynningum", - "link_promo": "Læra meira" - }, - "language": { - "header": "Tungumál", - "link_promo": "Hjálpa við að þýða", - "dropdown_label": "Tungumál" - }, - "themes": { - "header": "Þema", - "error_no_theme": "Engar þemu í boði.", - "link_promo": "Lærðu um þemu", - "dropdown_label": "Þema" - }, - "refresh_tokens": { - "header": "Uppfæra tóka", - "token_title": "Uppfæra tóka fyrir {clientId}", - "created_at": "Búið til þann {date}", - "delete_failed": "Ekki tókst að eyða endurnýjunartókanum.", - "last_used": "Síðast notaður þann {date} frá {location}", - "not_used": "Hefur aldrei verið notaður" - }, - "long_lived_access_tokens": { - "header": "Langlífir aðgangstókar", - "description": "Stofna langlífa aðgangstóka sem leyfa skriftum að eiga samskipti við Home Assitant uppsetninguna. Hver tóki er gildur í 10 ár frá stofnun. Eftirfarandi langlífu tókar eru virkir.", - "learn_auth_requests": "Lærðu hvernig á að útbúa auðkenndar beiðnir.", - "created_at": "Búið til þann {date}", - "confirm_delete": "Ertu viss um að þú viljir eyða aðgangstóka fyrir {name}?", - "delete_failed": "Ekki tókst að eyða aðgangstókanum.", - "create": "Búa til tóka", - "create_failed": "Ekki tókst að stofna aðganstóka.", - "prompt_name": "Nafn?", - "prompt_copy_token": "Afritaðu aðgangstókann þinn en hann verður ekki birtur aftur.", - "empty_state": "Þú ert ekki með neina langlífa aðgangstóka sem stendur.", - "last_used": "Síðast notaður þann {date} frá {location}", - "not_used": "Hefur aldrei verið notaður" - }, - "current_user": "Þú ert skráð(ur) inn sem {fullName}.", - "is_owner": "Þú ert eigandi.", - "change_password": { - "header": "Breyta lykilorði", - "current_password": "Núverandi lykilorð", - "new_password": "Nýtt lykilorð", - "confirm_new_password": "Staðfesta nýtt lykilorð", - "error_required": "Skilyrt", - "submit": "Senda" - }, - "mfa": { - "header": "Fjölþátta auðkenningareiningar", - "disable": "Afvirkja", - "enable": "Virkja", - "confirm_disable": "Ertu viss um að þú viljir afvirkja {name} ?" - }, - "mfa_setup": { - "title_aborted": "Hætt var við", - "title_success": "Tókst!", - "step_done": "Uppsetningu lokið fyrir {step}", - "close": "Loka", - "submit": "Senda" - }, - "logout": "Skrá út", - "force_narrow": { - "header": "Alltaf fela hliðarstikuna", - "description": "Þetta mun fela hliðarstikuna með sambærilegum hætti og á snjalltækum." - }, - "vibrate": { - "header": "Titra", - "description": "Kveikja eða slökkva á titringi í þessu tæki þegar þú stjórnar tækjum." - } - }, - "page-authorize": { - "initializing": "Frumstilli", - "authorizing_client": "Þú ert að fara að veita {clientId} aðgang að Home Assistant uppsetningunni.", - "logging_in_with": "Skrái inn með ** {authProviderName} **.", - "pick_auth_provider": "Eða skráðu þig inn með", - "abort_intro": "Hætt var við innskráningu", - "form": { - "working": "Vinsamlegast bíðið", - "unknown_error": "Eitthvað fór úrskeiðis", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Notandanafn", - "password": "Lykilorð" - } - }, - "mfa": { - "data": { - "code": "Tvíþættur auðkenningarkóði" - }, - "description": "Opnaðu **{mfa_module_name}** á tækinu þínu til að skoða tvíþátta auðkenningarkóðann þinn upp á að staðfesta auðkenni þitt:" - } - }, - "error": { - "invalid_auth": "Ógilt notandanafn eða lykilorð", - "invalid_code": "Ógildur auðkenningarkóði" - }, - "abort": { - "login_expired": "Lota er útrunninn, vinsamlegast skráðu þig inn aftur." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "API lykilorð" - } - }, - "mfa": { - "data": { - "code": "Tví-þátta auðkenningarkóði" - } - } - }, - "error": { - "invalid_auth": "Ógilt API lykilorð", - "invalid_code": "Ógildur auðkenningarkóði" - }, - "abort": { - "login_expired": "Seta útrunnin, vinsamlegast skráðu þig inn að nýju." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Notandi" - }, - "description": "Vinsamlegast veldu notanda sem þú vilt skrá þig inn með:" - } - }, - "abort": { - "not_whitelisted": "Tölvan þín er ekki hvítlistuð." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Notandanafn", - "password": "Lykilorð" - } - }, - "mfa": { - "data": { - "code": "Tví-þátta auðkenning" - } - } - }, - "error": { - "invalid_auth": "Ógilt notandanafn eða lykilorð", - "invalid_code": "Ógildur auðkenningarkóði" - }, - "abort": { - "login_expired": "Útrunnin lota, vinsamlegast skráðu þig inn á ný." - } - } - } - } - }, - "page-onboarding": { - "intro": "Ertu tilbúinn að vekja heimilið þitt, endurheimta friðhelgi þína og gerast þáttakandi í samfélagi grúskara á heimsvísu?", - "user": { - "intro": "Hefjumst handa með því að byrja á að stofna notanda aðgang.", - "required_field": "Skilyrt", - "data": { - "name": "Nafn", - "username": "Notandanafn", - "password": "Lykilorð", - "password_confirm": "Staðfesta lykilorð" + "developer-tools": { + "tabs": { + "events": { + "title": "Viðburðir" }, - "create_account": "Stofna aðgang", - "error": { - "required_fields": "Fylltu út í alla nauðsynlega reiti", - "password_not_match": "Lykilorð passa ekki saman" + "info": { + "title": "Upplýsingar" + }, + "mqtt": { + "title": "MQTT" + }, + "services": { + "title": "Þjónustur" + }, + "states": { + "title": "Stöður" + }, + "templates": { + "title": "Skapalón" } - }, - "integration": { - "intro": "Tæki og þjónustur koma fram í Home Assistant sem samþættingar. Þú getur farið í uppsetningu á þeim núna eða síðar í gegnum stillingar skjáinn.", - "more_integrations": "Meira", - "finish": "Ljúka" - }, - "core-config": { - "intro": "Hæ {name}, velkomin(n) í Home Assistant. Hvað á heimilið þitt að heita?", - "intro_location": "Okkur langar að vita hvar þú býrð. Þessar upplýsingar munu hjálpa varðandi upplýsingar og uppsetningu á sólar-tengdri sjálfvirkni. Þessum upplýsingum er aldrei deilt út fyrir þitt net.", - "intro_location_detect": "Við getum aðstoðað þig við að fylla út þessar upplýsingar með því að kalla einu sinni á utanaðkomandi þjónustu til að sækja þær.", - "location_name_default": "Heima", - "button_detect": "Uppgötva", - "finish": "Næsta" } }, + "history": { + "period": "Tímabil", + "showing_entries": "Sýni færslur fyrir" + }, + "logbook": { + "period": "Tímabil", + "showing_entries": "Sýni færslur fyrir" + }, "lovelace": { "cards": { - "shopping-list": { - "checked_items": "Valdir hlutir", - "clear_items": "Hreinsa valda hluti", - "add_item": "Bæta við hlut" - }, "empty_state": { - "title": "Velkomin(n) heim", + "go_to_integrations_page": "Fara á samþættingar síðu.", "no_devices": "Þessi síða leyfir þér að stjórna tækjunum þínum, hinsvegar lýtur út fyrir að þú sért ekki með nein tæki uppsett sem stendur. Farðu yfir á samþættingarsíðu til að byrja.", - "go_to_integrations_page": "Fara á samþættingar síðu." + "title": "Velkomin(n) heim" }, "picture-elements": { - "hold": "Halda inni:", - "tap": "Ýta á:", - "navigate_to": "Fara yfir á {location}", - "toggle": "Víxla {name}", "call_service": "Kalla í þjónustu {name}", + "hold": "Halda inni:", "more_info": "Sýna frekari upplýsingar: {name}", + "navigate_to": "Fara yfir á {location}", + "tap": "Ýta á:", + "toggle": "Víxla {name}", "url": "Opna glugga á {url_path}" + }, + "shopping-list": { + "add_item": "Bæta við hlut", + "checked_items": "Valdir hlutir", + "clear_items": "Hreinsa valda hluti" } }, + "changed_toast": { + "message": "Lovelace stillingum hefur verið breytt, viltu endurnýja?", + "refresh": "Endurnýja" + }, "editor": { - "edit_card": { - "header": "Stillingar spjalds", - "save": "Vista", - "toggle_editor": "Víxla ritli", - "pick_card": "Veldu spjald sem þú vilt bæta við.", - "add": "Bæta við spjaldi", - "edit": "Breyta", - "delete": "Eyða", - "move": "Færa", - "show_visual_editor": "Birta sjónrænan ritil", - "show_code_editor": "Birta kóða ritil" - }, - "migrate": { - "header": "Ósamhæfðar stillingar", - "migrate": "Uppfæra stillingar" - }, - "header": "Breyta notendaviðmóti", - "edit_view": { - "header": "Skoða stillingar", - "add": "Bæta við sýn", - "edit": "Breyta sýn", - "delete": "Eyða sýn" - }, - "save_config": { - "header": "Taka yfir stjórn á Lovelace viðmótinu", - "para": "Home Assistant mun sjálfgefið halda utan um notendaviðmótið og uppfæra það þegar nýjar einingar eða Lovlace íhlutir verða aðgengilegir. Ef þú tekur yfir stjórn á viðmótinu þá mun þetta ekki gerast sjálfkrafa fyrir þig.", - "para_sure": "Ertu viss um að þú viljir taka yfir stjórn á notendaviðmótinu þínu?", - "cancel": "Gleymdu þessu", - "save": "Taka stjórnina" - }, - "menu": { - "raw_editor": "Ritill fyrir hráar stillingar" - }, - "raw_editor": { - "header": "Breyta stillingum", - "save": "Vista", - "unsaved_changes": "Óvistaðar breytingar", - "saved": "Vistað" - }, "card": { "alarm_panel": { "available_states": "Tiltækar stöður" }, + "alarm-panel": { + "available_states": "Tiltækar stöður" + }, "config": { - "required": "Skilyrt", - "optional": "Valfrjálst" + "optional": "Valfrjálst", + "required": "Skilyrt" + }, + "entities": { + "name": "Einingar" + }, + "entity-button": { + "name": "Eininga hnappur" + }, + "entity-filter": { + "name": "Eininga sía" }, "gauge": { + "name": "Mælir", "severity": { "define": "Skilgreina alvarleika?", "green": "Grænt", "red": "Rautt", "yellow": "Gult" - }, - "name": "Mælir" - }, - "glance": { - "columns": "Dálkar" + } }, "generic": { "aspect_ratio": "Hlutfall", @@ -1190,30 +1262,12 @@ "show_icon": "Birta táknmynd?", "show_name": "Birta nafn?", "show_state": "Birta stöðu?", - "title": "Titill", "theme": "Þema", + "title": "Titill", "unit": "Eining" }, - "map": { - "dark_mode": "Dökkur hamur?", - "default_zoom": "Sjálfgefinn aðdráttur", - "name": "Kort" - }, - "markdown": { - "content": "Innihald", - "name": "Markdown" - }, - "alarm-panel": { - "available_states": "Tiltækar stöður" - }, - "entities": { - "name": "Einingar" - }, - "entity-button": { - "name": "Eininga hnappur" - }, - "entity-filter": { - "name": "Eininga sía" + "glance": { + "columns": "Dálkar" }, "history-graph": { "name": "Sögulínurit" @@ -1227,6 +1281,15 @@ "light": { "name": "Ljós" }, + "map": { + "dark_mode": "Dökkur hamur?", + "default_zoom": "Sjálfgefinn aðdráttur", + "name": "Kort" + }, + "markdown": { + "content": "Innihald", + "name": "Markdown" + }, "picture": { "name": "Mynd" }, @@ -1245,376 +1308,313 @@ "vertical-stack": { "name": "Lóðréttur stafli" } + }, + "edit_card": { + "add": "Bæta við spjaldi", + "delete": "Eyða", + "edit": "Breyta", + "header": "Stillingar spjalds", + "move": "Færa", + "pick_card": "Veldu spjald sem þú vilt bæta við.", + "save": "Vista", + "show_code_editor": "Birta kóða ritil", + "show_visual_editor": "Birta sjónrænan ritil", + "toggle_editor": "Víxla ritli" + }, + "edit_view": { + "add": "Bæta við sýn", + "delete": "Eyða sýn", + "edit": "Breyta sýn", + "header": "Skoða stillingar" + }, + "header": "Breyta notendaviðmóti", + "menu": { + "raw_editor": "Ritill fyrir hráar stillingar" + }, + "migrate": { + "header": "Ósamhæfðar stillingar", + "migrate": "Uppfæra stillingar" + }, + "raw_editor": { + "header": "Breyta stillingum", + "save": "Vista", + "saved": "Vistað", + "unsaved_changes": "Óvistaðar breytingar" + }, + "save_config": { + "cancel": "Gleymdu þessu", + "header": "Taka yfir stjórn á Lovelace viðmótinu", + "para": "Home Assistant mun sjálfgefið halda utan um notendaviðmótið og uppfæra það þegar nýjar einingar eða Lovlace íhlutir verða aðgengilegir. Ef þú tekur yfir stjórn á viðmótinu þá mun þetta ekki gerast sjálfkrafa fyrir þig.", + "para_sure": "Ertu viss um að þú viljir taka yfir stjórn á notendaviðmótinu þínu?", + "save": "Taka stjórnina" } }, "menu": { "configure_ui": "Stilla notendaviðmót", - "unused_entities": "Ónýttar einingar", "help": "Hjálp", - "refresh": "Endurnýja" + "refresh": "Endurnýja", + "unused_entities": "Ónýttar einingar" }, + "reload_lovelace": "Endurhlaða Lovelace", "warning": { "entity_not_found": "Eining ekki tiltæk: {entity}" + } + }, + "mailbox": { + "delete_button": "Eyða", + "delete_prompt": "Eyða þessum skilaboðum?", + "empty": "Þú hefur engin skilaboð", + "playback_title": "Afspilun skilaboða" + }, + "page-authorize": { + "abort_intro": "Hætt var við innskráningu", + "authorizing_client": "Þú ert að fara að veita {clientId} aðgang að Home Assistant uppsetningunni.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Útrunnin lota, vinsamlegast skráðu þig inn á ný." + }, + "error": { + "invalid_auth": "Ógilt notandanafn eða lykilorð", + "invalid_code": "Ógildur auðkenningarkóði" + }, + "step": { + "init": { + "data": { + "password": "Lykilorð", + "username": "Notandanafn" + } + }, + "mfa": { + "data": { + "code": "Tví-þátta auðkenning" + } + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Lota er útrunninn, vinsamlegast skráðu þig inn aftur." + }, + "error": { + "invalid_auth": "Ógilt notandanafn eða lykilorð", + "invalid_code": "Ógildur auðkenningarkóði" + }, + "step": { + "init": { + "data": { + "password": "Lykilorð", + "username": "Notandanafn" + } + }, + "mfa": { + "data": { + "code": "Tvíþættur auðkenningarkóði" + }, + "description": "Opnaðu **{mfa_module_name}** á tækinu þínu til að skoða tvíþátta auðkenningarkóðann þinn upp á að staðfesta auðkenni þitt:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Seta útrunnin, vinsamlegast skráðu þig inn að nýju." + }, + "error": { + "invalid_auth": "Ógilt API lykilorð", + "invalid_code": "Ógildur auðkenningarkóði" + }, + "step": { + "init": { + "data": { + "password": "API lykilorð" + } + }, + "mfa": { + "data": { + "code": "Tví-þátta auðkenningarkóði" + } + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Tölvan þín er ekki hvítlistuð." + }, + "step": { + "init": { + "data": { + "user": "Notandi" + }, + "description": "Vinsamlegast veldu notanda sem þú vilt skrá þig inn með:" + } + } + } + }, + "unknown_error": "Eitthvað fór úrskeiðis", + "working": "Vinsamlegast bíðið" }, - "changed_toast": { - "message": "Lovelace stillingum hefur verið breytt, viltu endurnýja?", - "refresh": "Endurnýja" - }, - "reload_lovelace": "Endurhlaða Lovelace" + "initializing": "Frumstilli", + "logging_in_with": "Skrái inn með ** {authProviderName} **.", + "pick_auth_provider": "Eða skráðu þig inn með" }, "page-demo": { "cards": { "demo": { "demo_by": "eftir {name}", - "next_demo": "Næsta sýnidæmi", - "learn_more": "Læra meira um Home Assistant" + "learn_more": "Læra meira um Home Assistant", + "next_demo": "Næsta sýnidæmi" } }, "config": { "arsaboo": { - "names": { - "upstairs": "Uppi", - "family_room": "Fjölskyldurými", - "kitchen": "Eldhús", - "patio": "Verönd", - "hallway": "Gangur", - "master_bedroom": "Hjónaherbergi", - "left": "Vinstri", - "right": "Hægri", - "mirror": "Spegill" - }, "labels": { - "lights": "Ljós", - "information": "Upplýsingar", - "morning_commute": "Morgunferðalag", + "activity": "Virkni", "commute_home": "Á leiðinni heim", "entertainment": "Skemmtun", - "activity": "Virkni", "hdmi_input": "HDMI inntak", "hdmi_switcher": "HDMI rofi", - "volume": "Hljóðstyrkur", + "information": "Upplýsingar", + "lights": "Ljós", + "morning_commute": "Morgunferðalag", "total_tv_time": "Heildar sjónvarpstími", - "turn_tv_off": "Slökkva á sjónvarpi" + "turn_tv_off": "Slökkva á sjónvarpi", + "volume": "Hljóðstyrkur" + }, + "names": { + "family_room": "Fjölskyldurými", + "hallway": "Gangur", + "kitchen": "Eldhús", + "left": "Vinstri", + "master_bedroom": "Hjónaherbergi", + "mirror": "Spegill", + "patio": "Verönd", + "right": "Hægri", + "upstairs": "Uppi" }, "unit": { - "watching": "Horfi á", - "minutes_abbr": "mín" + "minutes_abbr": "mín", + "watching": "Horfi á" } } } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Uppgötva", + "finish": "Næsta", + "intro": "Hæ {name}, velkomin(n) í Home Assistant. Hvað á heimilið þitt að heita?", + "intro_location": "Okkur langar að vita hvar þú býrð. Þessar upplýsingar munu hjálpa varðandi upplýsingar og uppsetningu á sólar-tengdri sjálfvirkni. Þessum upplýsingum er aldrei deilt út fyrir þitt net.", + "intro_location_detect": "Við getum aðstoðað þig við að fylla út þessar upplýsingar með því að kalla einu sinni á utanaðkomandi þjónustu til að sækja þær.", + "location_name_default": "Heima" + }, + "integration": { + "finish": "Ljúka", + "intro": "Tæki og þjónustur koma fram í Home Assistant sem samþættingar. Þú getur farið í uppsetningu á þeim núna eða síðar í gegnum stillingar skjáinn.", + "more_integrations": "Meira" + }, + "intro": "Ertu tilbúinn að vekja heimilið þitt, endurheimta friðhelgi þína og gerast þáttakandi í samfélagi grúskara á heimsvísu?", + "user": { + "create_account": "Stofna aðgang", + "data": { + "name": "Nafn", + "password": "Lykilorð", + "password_confirm": "Staðfesta lykilorð", + "username": "Notandanafn" + }, + "error": { + "password_not_match": "Lykilorð passa ekki saman", + "required_fields": "Fylltu út í alla nauðsynlega reiti" + }, + "intro": "Hefjumst handa með því að byrja á að stofna notanda aðgang.", + "required_field": "Skilyrt" + } + }, + "profile": { + "change_password": { + "confirm_new_password": "Staðfesta nýtt lykilorð", + "current_password": "Núverandi lykilorð", + "error_required": "Skilyrt", + "header": "Breyta lykilorði", + "new_password": "Nýtt lykilorð", + "submit": "Senda" + }, + "current_user": "Þú ert skráð(ur) inn sem {fullName}.", + "force_narrow": { + "description": "Þetta mun fela hliðarstikuna með sambærilegum hætti og á snjalltækum.", + "header": "Alltaf fela hliðarstikuna" + }, + "is_owner": "Þú ert eigandi.", + "language": { + "dropdown_label": "Tungumál", + "header": "Tungumál", + "link_promo": "Hjálpa við að þýða" + }, + "logout": "Skrá út", + "long_lived_access_tokens": { + "confirm_delete": "Ertu viss um að þú viljir eyða aðgangstóka fyrir {name}?", + "create": "Búa til tóka", + "create_failed": "Ekki tókst að stofna aðganstóka.", + "created_at": "Búið til þann {date}", + "delete_failed": "Ekki tókst að eyða aðgangstókanum.", + "description": "Stofna langlífa aðgangstóka sem leyfa skriftum að eiga samskipti við Home Assitant uppsetninguna. Hver tóki er gildur í 10 ár frá stofnun. Eftirfarandi langlífu tókar eru virkir.", + "empty_state": "Þú ert ekki með neina langlífa aðgangstóka sem stendur.", + "header": "Langlífir aðgangstókar", + "last_used": "Síðast notaður þann {date} frá {location}", + "learn_auth_requests": "Lærðu hvernig á að útbúa auðkenndar beiðnir.", + "not_used": "Hefur aldrei verið notaður", + "prompt_copy_token": "Afritaðu aðgangstókann þinn en hann verður ekki birtur aftur.", + "prompt_name": "Nafn?" + }, + "mfa_setup": { + "close": "Loka", + "step_done": "Uppsetningu lokið fyrir {step}", + "submit": "Senda", + "title_aborted": "Hætt var við", + "title_success": "Tókst!" + }, + "mfa": { + "confirm_disable": "Ertu viss um að þú viljir afvirkja {name} ?", + "disable": "Afvirkja", + "enable": "Virkja", + "header": "Fjölþátta auðkenningareiningar" + }, + "push_notifications": { + "description": "Senda tilkynningar í þetta tæki.", + "error_load_platform": "Stilla notify.html5.", + "error_use_https": "Krefst þess að SSL sé virkt á vef.", + "header": "Ýta út tilkynningum", + "link_promo": "Læra meira", + "push_notifications": "Ýta út tilkynningum" + }, + "refresh_tokens": { + "created_at": "Búið til þann {date}", + "delete_failed": "Ekki tókst að eyða endurnýjunartókanum.", + "header": "Uppfæra tóka", + "last_used": "Síðast notaður þann {date} frá {location}", + "not_used": "Hefur aldrei verið notaður", + "token_title": "Uppfæra tóka fyrir {clientId}" + }, + "themes": { + "dropdown_label": "Þema", + "error_no_theme": "Engar þemu í boði.", + "header": "Þema", + "link_promo": "Lærðu um þemu" + }, + "vibrate": { + "description": "Kveikja eða slökkva á titringi í þessu tæki þegar þú stjórnar tækjum.", + "header": "Titra" + } + }, + "shopping-list": { + "add_item": "Bæta við hlut", + "clear_completed": "Hreinsa lokið", + "microphone_tip": "Ýttu á hljóðnemann efst til hægri og segðu \"Add candy to my shopping list\"" } }, "sidebar": { - "log_out": "Skrá út", - "external_app_configuration": "Stillingar forrits" - }, - "common": { - "loading": "Hleð", - "cancel": "Hætta við", - "save": "Vista" - }, - "duration": { - "day": "{count} {count, plural,\n one {dagur}\n other {dagar}\n}", - "week": "{count} {count, plural,\n one {vika}\n other {vikur}\n}", - "second": "{count} {count, plural,\n one {sekúnda}\n other {sekúndur}\n}", - "minute": "{count} {count, plural,\n one {mínúta}\n other {mínútur}\n}", - "hour": "{count} {count, plural,\n one {klukkutími}\n other {klukkutímar}\n}" - }, - "login-form": { - "password": "Lykilorð", - "remember": "Muna", - "log_in": "Skrá inn" - }, - "card": { - "camera": { - "not_available": "Mynd ekki tiltæk" - }, - "persistent_notification": { - "dismiss": "Vísa frá" - }, - "scene": { - "activate": "Virkja" - }, - "script": { - "execute": "Framkvæma" - }, - "weather": { - "attributes": { - "air_pressure": "Loftþrýstingur", - "humidity": "Rakastig", - "temperature": "Hitastig", - "visibility": "Skyggni", - "wind_speed": "Vindhraði" - }, - "cardinal_direction": { - "e": "A", - "ene": "ANA", - "ese": "ASA", - "n": "N", - "ne": "NA", - "nne": "NNA", - "nw": "NV", - "nnw": "NNV", - "s": "S", - "se": "SA", - "sse": "SSA", - "ssw": "SSV", - "sw": "SV", - "w": "V", - "wnw": "VNV", - "wsw": "VSV" - }, - "forecast": "Spá" - }, - "alarm_control_panel": { - "code": "Kóði", - "clear_code": "Hreinsa", - "disarm": "Taka af verði", - "arm_home": "Vörður heima", - "arm_away": "Vörður úti", - "arm_night": "Vörður nótt", - "armed_custom_bypass": "Sérsniðin hjáleið", - "arm_custom_bypass": "Sérsniðin hjáleið" - }, - "automation": { - "last_triggered": "Síðast kveikt", - "trigger": "Kveikja" - }, - "cover": { - "position": "Staðsetning", - "tilt_position": "Hallastaða" - }, - "fan": { - "speed": "Hraði", - "oscillate": "Sveiflast", - "direction": "Snúningsátt", - "forward": "Áfram", - "reverse": "Afturábak" - }, - "light": { - "brightness": "Birtustig", - "color_temperature": "Litastig", - "white_value": "Hvítt gildi", - "effect": "Áhrif" - }, - "media_player": { - "text_to_speak": "Texti yfir í tal", - "source": "Uppruni", - "sound_mode": "Hljóðhamur" - }, - "climate": { - "currently": "Er núna", - "on_off": "Kveikt \/ slökkt", - "target_temperature": "Viðmiðunar hitastig", - "target_humidity": "Viðmiðunar rakastig", - "operation": "Aðgerð", - "fan_mode": "Viftuhamur", - "swing_mode": "Sveifluhamur", - "away_mode": "Fjarverandi hamur", - "preset_mode": "Forstilling" - }, - "lock": { - "code": "Kóði", - "lock": "Læsa", - "unlock": "Aflæsa" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Halda áfram að þrífa", - "return_to_base": "Fara aftur í bryggju", - "start_cleaning": "Byrja að þrífa", - "turn_on": "Kveikja á", - "turn_off": "Slökkva á" - } - }, - "water_heater": { - "currently": "Er núna", - "on_off": "Kveikt \/ slökkt", - "target_temperature": "Viðmiðunarhitastig", - "operation": "Aðgerð", - "away_mode": "Fjarverandi hamur" - }, - "timer": { - "actions": { - "start": "byrja", - "pause": "hlé", - "cancel": "hætta við", - "finish": "lokið" - } - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "Eining" - } - }, - "service-picker": { - "service": "Þjónusta" - }, - "relative_time": { - "past": "{time} síðan", - "future": "Eftir {time}", - "never": "Aldrei", - "duration": { - "second": "{count} {count, plural,\n one {sekúnda}\n other {sekúndur}\n}", - "minute": "{count} {count, plural,\n one {mínúta}\n other {mínútur}\n}", - "hour": "{count} {count, plural,\n one {klukkutími}\n other {klukkutímar}\n}", - "day": "{count} {count, plural,\n one {dagur}\n other {dagar}\n}", - "week": "{count} {count, plural,\n one {vika}\n other {vikur}\n}" - } - }, - "history_charts": { - "loading_history": "Hleð stöðusögu...", - "no_history_found": "Engin stöðusaga fannst." - } - }, - "notification_toast": { - "entity_turned_on": "Kveikti á {entity} .", - "entity_turned_off": "Slökkti á {entity} .", - "service_called": "Kallað var á {service} þjónustuna.", - "service_call_failed": "Ekki tókst að kalla á þjónustu {service}.", - "connection_lost": "Tenging tapaðist. Tengist aftur..." - }, - "dialogs": { - "more_info_settings": { - "save": "Vista", - "name": "Yfirskrifa nafn", - "entity_id": "Kenni eingar" - }, - "more_info_control": { - "script": { - "last_action": "Síðasta aðgerð" - }, - "sun": { - "elevation": "Hækkun", - "rising": "Upprisa", - "setting": "Stillingar" - }, - "updater": { - "title": "Uppfærslu leiðbeiningar" - } - }, - "options_flow": { - "form": { - "header": "Valkostir" - } - }, - "config_entry_system_options": { - "title": "Kerfisvalkostir", - "enable_new_entities_label": "Virkja einingar sem nýlega var bætt við" - }, - "zha_device_info": { - "manuf": "eftir {manufacturer}", - "no_area": "Ekkert svæði", - "services": { - "remove": "Fjarlægja tæki af ZigBee neti." - }, - "zha_device_card": { - "area_picker_label": "Svæði", - "update_name_button": "Uppfæra nafn" - }, - "last_seen": "Síðast séð", - "power_source": "Orkugjafi", - "unknown": "Óþekkt" - } - }, - "auth_store": { - "ask": "Viltu vista þessa innskráningu?", - "decline": "Nei takk", - "confirm": "Vista innskráningu" - }, - "notification_drawer": { - "click_to_configure": "Smelltu á hnappinn til að stilla {entity}", - "empty": "Engar tilkynningar", - "title": "Tilkynningar" - } - }, - "domain": { - "alarm_control_panel": "Stjórnborð öryggiskerfis", - "automation": "Sjálfvirkni", - "binary_sensor": "Tvíundar skynjari", - "calendar": "Dagatal", - "camera": "Myndavél", - "climate": "Loftslag", - "configurator": "Stillingarálfur", - "conversation": "Samtal", - "cover": "Gluggatjöld", - "device_tracker": "Rekja tæki", - "fan": "Vifta", - "history_graph": "Sögulínurit", - "group": "Hópur", - "input_datetime": "Innsláttar dagsetning\/tími", - "input_select": "Innsláttarval", - "input_number": "Innsláttarnúmer", - "input_text": "Innsláttartexti", - "light": "Ljós", - "lock": "Lás", - "mailbox": "Pósthólf", - "media_player": "Margmiðlunarspilari", - "notify": "Tilkynna", - "plant": "Planta", - "proximity": "Nálægð", - "remote": "Fjarstýring", - "scene": "Sena", - "script": "Skrifta", - "sensor": "Skynjari", - "sun": "Sól", - "switch": "Rofi", - "updater": "Uppfærsluálfur", - "weblink": "Vefslóð", - "zwave": "Z-Wave", - "vacuum": "Ryksuga", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Heilbrigði kerfis", - "person": "Persóna" - }, - "attribute": { - "weather": { - "humidity": "Rakastig", - "visibility": "Skyggni", - "wind_speed": "Vindhraði" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Slökkt", - "on": "Kveikt", - "auto": "Sjálfvirkt" - }, - "preset_mode": { - "none": "Ekkert", - "eco": "Sparnaður", - "away": "Fjarverandi", - "boost": "Uppörvun", - "comfort": "Þægindi", - "home": "Heima", - "sleep": "Svefn", - "activity": "Virkni" - }, - "hvac_action": { - "off": "Slökkt", - "heating": "Kynding", - "cooling": "Kæling", - "drying": "Þurrkun", - "idle": "Aðgerðalaus", - "fan": "Vifta" - } - } - }, - "groups": { - "system-admin": "Stjórnendur", - "system-users": "Notendur", - "system-read-only": "Notendur með lesaðgang" - }, - "config_entry": { - "disabled_by": { - "user": "Notandi", - "integration": "Samþætting" + "external_app_configuration": "Stillingar forrits", + "log_out": "Skrá út" } } } \ No newline at end of file diff --git a/translations/it.json b/translations/it.json index 5b7adb3c40..f9e6b37583 100644 --- a/translations/it.json +++ b/translations/it.json @@ -1,53 +1,193 @@ { + "attribute": { + "weather": { + "humidity": "Umidità", + "visibility": "Visibilità", + "wind_speed": "Velocità del vento" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Voce di configurazione", + "integration": "Integrazione", + "user": "Utente" + } + }, + "domain": { + "alarm_control_panel": "Pannello di controllo allarme", + "automation": "Automazione", + "binary_sensor": "Sensore binario", + "calendar": "Calendario", + "camera": "Telecamera", + "climate": "Termostato", + "configurator": "Configuratore", + "conversation": "Conversazione", + "cover": "Tapparella", + "device_tracker": "Tracking dispositivo", + "fan": "Ventilatore", + "group": "Gruppo", + "hassio": "Hass.io", + "history_graph": "Storico", + "homeassistant": "Home Assistant", + "image_processing": "Elaborazione delle immagini", + "input_boolean": "Input booleano", + "input_datetime": "Input di data", + "input_number": "Input numerico", + "input_select": "Input selezione", + "input_text": "Input di testo", + "light": "Luce", + "lock": "Serratura", + "lovelace": "Lovelace", + "mailbox": "Messaggi", + "media_player": "Media Player", + "notify": "Notifica", + "person": "Persona", + "plant": "Pianta", + "proximity": "Prossimità", + "remote": "Telecomando", + "scene": "Scena", + "script": "Script", + "sensor": "Sensore", + "sun": "Sole", + "switch": "Interruttore", + "system_health": "Salute del sistema", + "updater": "Updater", + "vacuum": "Aspirapolvere", + "weblink": "Link Web", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Amministratori", + "system-read-only": "Utenti di sola lettura", + "system-users": "Utenti" + }, "panel": { + "calendar": "Calendario", "config": "Impostazioni", - "states": "Panoramica", - "map": "Mappa", - "logbook": "Registro", - "history": "Storico", - "mailbox": "Posta", - "shopping_list": "Lista della spesa", "dev-info": "Informazioni", "developer_tools": "Strumenti per gli sviluppatori", - "calendar": "Calendario", - "profile": "Profilo" + "history": "Storico", + "logbook": "Registro", + "mailbox": "Posta", + "map": "Mappa", + "profile": "Profilo", + "shopping_list": "Lista della spesa", + "states": "Panoramica" }, - "state": { - "default": { - "off": "Spento", - "on": "Acceso", - "unknown": "Sconosciuto", - "unavailable": "Non disponibile" - }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Auto", + "off": "Off", + "on": "On" + }, + "hvac_action": { + "cooling": "Raffreddamento", + "drying": "Asciugatura", + "fan": "Ventilatore", + "heating": "Riscaldamento", + "idle": "Inattivo", + "off": "Spento" + }, + "preset_mode": { + "activity": "Attività", + "away": "Fuori Casa", + "boost": "Boost", + "comfort": "Comfort", + "eco": "Eco", + "home": "Casa", + "none": "Nessuna", + "sleep": "Dormire" + } + } + }, + "state_badge": { "alarm_control_panel": { "armed": "Attivo", - "disarmed": "Disattivo", - "armed_home": "Attivo in casa", - "armed_away": "Attivo Fuori Casa", - "armed_night": "Attivo Notte", + "armed_away": "Attivo", + "armed_custom_bypass": "Attivo", + "armed_home": "Attivo", + "armed_night": "Attivo", + "arming": "Attiva", + "disarmed": "Disattiva", + "disarming": "Disattiva", "pending": "In attesa", + "triggered": "Innescato" + }, + "default": { + "entity_not_found": "Entità non trovata!", + "error": "Errore", + "unavailable": "Non Disponibile", + "unknown": "Sconosciuto" + }, + "device_tracker": { + "home": "In Casa", + "not_home": "Fuori" + }, + "person": { + "home": "A Casa", + "not_home": "Fuori Casa" + } + }, + "state": { + "alarm_control_panel": { + "armed": "Attivo", + "armed_away": "Attivo Fuori Casa", + "armed_custom_bypass": "Attivo con bypass", + "armed_home": "Attivo in casa", + "armed_night": "Attivo Notte", "arming": "In Blocco", + "disarmed": "Disattivo", "disarming": "In Sblocco", - "triggered": "Attivato", - "armed_custom_bypass": "Attivo con bypass" + "pending": "In attesa", + "triggered": "Attivato" }, "automation": { "off": "Spento", "on": "Acceso" }, "binary_sensor": { + "battery": { + "off": "Normale", + "on": "Basso" + }, + "cold": { + "off": "Normale", + "on": "Freddo" + }, + "connectivity": { + "off": "Disconnesso", + "on": "Connesso" + }, "default": { "off": "Spento", "on": "Acceso" }, - "moisture": { - "off": "Asciutto", - "on": "Bagnato" + "door": { + "off": "Chiusa", + "on": "Aperta" + }, + "garage_door": { + "off": "Chiusa", + "on": "Aperta" }, "gas": { "off": "Assente", "on": "Rilevato" }, + "heat": { + "off": "Normale", + "on": "Caldo" + }, + "lock": { + "off": "Bloccato", + "on": "Sbloccato" + }, + "moisture": { + "off": "Asciutto", + "on": "Bagnato" + }, "motion": { "off": "Assente", "on": "Rilevato" @@ -56,6 +196,22 @@ "off": "Vuoto", "on": "Rilevato" }, + "opening": { + "off": "Chiuso", + "on": "Aperta" + }, + "presence": { + "off": "Fuori", + "on": "A casa" + }, + "problem": { + "off": "OK", + "on": "Problema" + }, + "safety": { + "off": "Sicuro", + "on": "Non Sicuro" + }, "smoke": { "off": "Assente", "on": "Rilevato" @@ -68,53 +224,9 @@ "off": "Assente", "on": "Rilevata" }, - "opening": { - "off": "Chiuso", - "on": "Aperta" - }, - "safety": { - "off": "Sicuro", - "on": "Non Sicuro" - }, - "presence": { - "off": "Fuori", - "on": "A casa" - }, - "battery": { - "off": "Normale", - "on": "Basso" - }, - "problem": { - "off": "OK", - "on": "Problema" - }, - "connectivity": { - "off": "Disconnesso", - "on": "Connesso" - }, - "cold": { - "off": "Normale", - "on": "Freddo" - }, - "door": { - "off": "Chiusa", - "on": "Aperta" - }, - "garage_door": { - "off": "Chiusa", - "on": "Aperta" - }, - "heat": { - "off": "Normale", - "on": "Caldo" - }, "window": { "off": "Chiusa", "on": "Aperta" - }, - "lock": { - "off": "Bloccato", - "on": "Sbloccato" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "Attivo" }, "camera": { + "idle": "Inattiva", "recording": "In registrazione", - "streaming": "Streaming", - "idle": "Inattiva" + "streaming": "Streaming" }, "climate": { - "off": "Spento", - "on": "Acceso", - "heat": "Caldo", - "cool": "Freddo", - "idle": "Inattivo", "auto": "Auto", + "cool": "Freddo", "dry": "Secco", - "fan_only": "Solo ventilatore", "eco": "Eco", "electric": "Elettrico", - "performance": "Prestazioni", - "high_demand": "Forte richiesta", - "heat_pump": "Pompa di calore", + "fan_only": "Solo ventilatore", "gas": "Gas", + "heat": "Caldo", + "heat_cool": "Caldo\/Freddo", + "heat_pump": "Pompa di calore", + "high_demand": "Forte richiesta", + "idle": "Inattivo", "manual": "Manuale", - "heat_cool": "Caldo\/Freddo" + "off": "Spento", + "on": "Acceso", + "performance": "Prestazioni" }, "configurator": { "configure": "Configura", "configured": "Configurato" }, "cover": { - "open": "Aperto", - "opening": "In apertura", "closed": "Chiuso", "closing": "In chiusura", + "open": "Aperto", + "opening": "In apertura", "stopped": "Arrestato" }, + "default": { + "off": "Spento", + "on": "Acceso", + "unavailable": "Non disponibile", + "unknown": "Sconosciuto" + }, "device_tracker": { "home": "A casa", "not_home": "Fuori" @@ -164,19 +282,19 @@ "on": "Acceso" }, "group": { - "off": "Spento", - "on": "Acceso", - "home": "A casa", - "not_home": "Fuori", - "open": "Aperto", - "opening": "Apertura", "closed": "Chiuso", "closing": "Chiusura", - "stopped": "Fermato", + "home": "A casa", "locked": "Bloccato", - "unlocked": "Sbloccato", + "not_home": "Fuori", + "off": "Spento", "ok": "OK", - "problem": "Problema" + "on": "Acceso", + "open": "Aperto", + "opening": "Apertura", + "problem": "Problema", + "stopped": "Fermato", + "unlocked": "Sbloccato" }, "input_boolean": { "off": "Spento", @@ -191,13 +309,17 @@ "unlocked": "Sbloccato" }, "media_player": { + "idle": "Inattivo", "off": "Spento", "on": "Acceso", - "playing": "In Riproduzione", "paused": "In pausa", - "idle": "Inattivo", + "playing": "In Riproduzione", "standby": "Pausa" }, + "person": { + "home": "A casa", + "not_home": "Fuori Casa" + }, "plant": { "ok": "OK", "problem": "Problema" @@ -225,34 +347,10 @@ "off": "Spento", "on": "Acceso" }, - "zwave": { - "default": { - "initializing": "Avvio", - "dead": "Disattivo", - "sleeping": "In Attesa", - "ready": "Pronto" - }, - "query_stage": { - "initializing": "Avvio ( {query_stage} )", - "dead": "Disattivo ({query_stage})" - } - }, - "weather": { - "clear-night": "Sereno, notte", - "cloudy": "Nuvoloso", - "fog": "Nebbia", - "hail": "Grandine", - "lightning": "Temporali", - "lightning-rainy": "Temporali, piovoso", - "partlycloudy": "Parzialmente nuvoloso", - "pouring": "Piogge intense", - "rainy": "Piovoso", - "snowy": "Nevoso", - "snowy-rainy": "Nevoso, piovoso", - "sunny": "Soleggiato", - "windy": "Ventoso", - "windy-variant": "Ventoso", - "exceptional": "Eccezionale" + "timer": { + "active": "Attivo", + "idle": "Inattivo", + "paused": "In pausa" }, "vacuum": { "cleaning": "Pulendo", @@ -264,210 +362,729 @@ "paused": "In pausa", "returning": "Ritornando alla base" }, - "timer": { - "active": "Attivo", - "idle": "Inattivo", - "paused": "In pausa" + "weather": { + "clear-night": "Sereno, notte", + "cloudy": "Nuvoloso", + "exceptional": "Eccezionale", + "fog": "Nebbia", + "hail": "Grandine", + "lightning": "Temporali", + "lightning-rainy": "Temporali, piovoso", + "partlycloudy": "Parzialmente nuvoloso", + "pouring": "Piogge intense", + "rainy": "Piovoso", + "snowy": "Nevoso", + "snowy-rainy": "Nevoso, piovoso", + "sunny": "Soleggiato", + "windy": "Ventoso", + "windy-variant": "Ventoso" }, - "person": { - "home": "A casa", - "not_home": "Fuori Casa" - } - }, - "state_badge": { - "default": { - "unknown": "Sconosciuto", - "unavailable": "Non Disponibile", - "error": "Errore", - "entity_not_found": "Entità non trovata!" - }, - "alarm_control_panel": { - "armed": "Attivo", - "disarmed": "Disattiva", - "armed_home": "Attivo", - "armed_away": "Attivo", - "armed_night": "Attivo", - "pending": "In attesa", - "arming": "Attiva", - "disarming": "Disattiva", - "triggered": "Innescato", - "armed_custom_bypass": "Attivo" - }, - "device_tracker": { - "home": "In Casa", - "not_home": "Fuori" - }, - "person": { - "home": "A Casa", - "not_home": "Fuori Casa" + "zwave": { + "default": { + "dead": "Disattivo", + "initializing": "Avvio", + "ready": "Pronto", + "sleeping": "In Attesa" + }, + "query_stage": { + "dead": "Disattivo ({query_stage})", + "initializing": "Avvio ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Pulizia completata", - "add_item": "Aggiungi articolo", - "microphone_tip": "Tocca il microfono in alto a destra e dì \"Aggiungi caramelle alla mia lista della spesa\"" + "auth_store": { + "ask": "Salvare questo account di accesso?", + "confirm": "Salva login", + "decline": "No grazie" + }, + "card": { + "alarm_control_panel": { + "arm_away": "Attiva Fuori Casa", + "arm_custom_bypass": "Bypass personalizzato", + "arm_home": "Attiva In casa", + "arm_night": "Attiva Notte", + "armed_custom_bypass": "Attiva con bypass", + "clear_code": "Canc", + "code": "Codice", + "disarm": "Disattiva" }, - "developer-tools": { - "tabs": { - "services": { - "title": "Servizi", - "description": "Lo strumento di sviluppo del servizio consente di chiamare qualsiasi servizio disponibile in Home Assistant.", - "data": "Dati di Servizio (YAML, opzionale)", - "call_service": "Chiama il Servizio", - "select_service": "Selezionare un servizio per visualizzare la descrizione", - "no_description": "Nessuna descrizione disponibile", - "no_parameters": "Questo servizio non richiede parametri.", - "column_parameter": "Parametro", - "column_description": "Descrizione", - "column_example": "Esempio", - "fill_example_data": "Inserisci dati di esempio", - "alert_parsing_yaml": "Errore durante l'analisi di YAML: {data}" - }, - "states": { - "title": "Stati", - "description1": "Impostare la rappresentazione di un dispositivo all'interno di Home Assistant.", - "description2": "Questo non comunicherà con il dispositivo attuale.", - "entity": "Entità", - "state": "Stato", - "attributes": "Attributi", - "state_attributes": "Attributi di stato (YAML, facoltativo)", - "set_state": "Imposta Stato", - "current_entities": "Entità correnti", - "filter_entities": "Filtra entità", - "filter_states": "Stati del filtro", - "filter_attributes": "Attributi del filtro", - "no_entities": "Nessuna entità", - "more_info": "Ulteriori informazioni", - "alert_entity_field": "Entità è un campo obbligatorio" - }, - "events": { - "title": "Eventi", - "description": "Attiva un evento sul bus eventi.", - "documentation": "Documentazione degli Eventi.", - "type": "Tipo di Evento", - "data": "Dati Evento (YAML, opzionale)", - "fire_event": "Scatena Evento", - "event_fired": "Evento {name} generato", - "available_events": "Eventi disponibili", - "count_listeners": "({count} ascoltatori)", - "listen_to_events": "Ascoltare gli eventi", - "listening_to": "In ascolto di", - "subscribe_to": "Evento a cui iscriversi", - "start_listening": "Iniziare ad ascoltare", - "stop_listening": "Interrompere l'ascolto", - "alert_event_type": "Il tipo di evento è un campo obbligatorio", - "notification_event_fired": "Evento {type} eseguito correttamente!" - }, - "templates": { - "title": "Modelli", - "description": "Il rendering dei modelli viene eseguito utilizzando il motore di modelli Jinja2 con alcune estensioni specifiche di Home Assistant.", - "editor": "Editor di modelli", - "jinja_documentation": "Documentazione del modello Jinja2", - "template_extensions": "Estensioni del modello Home Assistant", - "unknown_error_template": "Errore sconosciuto nel modello di rendering" - }, - "mqtt": { - "title": "MQTT", - "description_publish": "Pubblicare un pacchetto", - "topic": "argomento", - "payload": "Payload (modello consentito)", - "publish": "Pubblicare", - "description_listen": "Ascoltare un argomento", - "listening_to": "Ascolto di", - "subscribe_to": "Argomento a cui iscriversi", - "start_listening": "Inizia ad ascoltare", - "stop_listening": "Interrompere l'ascolto", - "message_received": "Messaggio {id} ricevuto su {topic} alle {time}:" - }, - "info": { - "title": "Informazioni", - "remove": "Rimuovere", - "set": "Impostare", - "default_ui": "{action} {name} come pagina predefinita su questo dispositivo", - "lovelace_ui": "Vai all'Interfaccia Utente di Lovelace", - "states_ui": "Vai all'Interfaccia Utente degli Stati", - "home_assistant_logo": "Logo Home Assistant", - "path_configuration": "Percorso del file configuration.yaml: {path}", - "developed_by": "Sviluppato da un gruppo di persone fantastiche.", - "license": "Pubblicato sotto la licenza Apache 2.0", - "source": "Fonte:", - "server": "server", - "frontend": "frontend-ui", - "built_using": "Costruito usando", - "icons_by": "Icone di", - "frontend_version": "Versione Frontend: {version} - {type}", - "custom_uis": "Interfacce Utente personalizzate:", - "system_health_error": "Il componente System Health non è caricato. Aggiungere 'system_health:' a configuration.yaml" - }, - "logs": { - "title": "Registri", - "details": "Dettagli registro ({level})", - "load_full_log": "Carica il registro completo di Home Assistant", - "loading_log": "Caricamento del registro errori...", - "no_errors": "Non sono stati segnalati errori.", - "no_issues": "Non ci sono nuovi problemi!", - "clear": "Pulisci", - "refresh": "Aggiorna", - "multiple_messages": "il messaggio si è verificato per la prima volta alle {time} e compare {counter} volte" - } + "automation": { + "last_triggered": "Ultima attivazione", + "trigger": "Attiva" + }, + "camera": { + "not_available": "Immagine non disponibile" + }, + "climate": { + "aux_heat": "Riscaldamento ausiliario", + "away_mode": "Modalità Assente", + "cooling": "{name} raffreddamento", + "current_temperature": "{name} temperatura attuale", + "currently": "Attuale", + "fan_mode": "Ventilazione", + "heating": "{name} riscaldamento", + "high": "alto", + "low": "basso", + "on_off": "Acceso \/ Spento", + "operation": "Operazione", + "preset_mode": "Preset", + "swing_mode": "Modo oscillazione", + "target_humidity": "Umidità di riferimento", + "target_temperature": "Temperatura di riferimento", + "target_temperature_entity": "{name} temperatura target", + "target_temperature_mode": "{name} temperatura target {mode}" + }, + "counter": { + "actions": { + "decrement": "diminuzione", + "increment": "aumento", + "reset": "Ripristina" } }, - "history": { - "showing_entries": "Mostra registrazioni per", - "period": "Periodo" + "cover": { + "position": "Posizione", + "tilt_position": "Inclinazione" }, - "logbook": { - "showing_entries": "Mostra registrazioni per", - "period": "Periodo" + "fan": { + "direction": "Direzione", + "forward": "Avanti", + "oscillate": "Oscillazione", + "reverse": "Indietro", + "speed": "Velocità" }, - "mailbox": { - "empty": "Non hai nessun messaggio", - "playback_title": "Riproduci messaggio", - "delete_prompt": "Eliminare questo messaggio?", - "delete_button": "Elimina" + "light": { + "brightness": "Luminosità", + "color_temperature": "Temperatura colore", + "effect": "Effetto", + "white_value": "Valore bianco" }, + "lock": { + "code": "Codice", + "lock": "Blocco", + "unlock": "Sbloccato" + }, + "media_player": { + "sound_mode": "Modalità Audio", + "source": "Fonte", + "text_to_speak": "Testo da leggere" + }, + "persistent_notification": { + "dismiss": "Rimuovi" + }, + "scene": { + "activate": "Attiva" + }, + "script": { + "execute": "Esegui" + }, + "timer": { + "actions": { + "cancel": "annulla", + "finish": "finire", + "pause": "pausa", + "start": "avvio" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Riprendere la pulizia", + "return_to_base": "Ritornare alla base", + "start_cleaning": "Iniziare la pulizia", + "turn_off": "Spegnere", + "turn_on": "Accendere" + } + }, + "water_heater": { + "away_mode": "Modalità fuori casa", + "currently": "Attualmente", + "on_off": "Acceso \/ Spento", + "operation": "Operazione", + "target_temperature": "Temperatura da raggiungere" + }, + "weather": { + "attributes": { + "air_pressure": "Pressione atmosferica", + "humidity": "Umidità", + "temperature": "Temperatura", + "visibility": "Visibilità", + "wind_speed": "Velocità del vento" + }, + "cardinal_direction": { + "e": "E", + "ene": "ENE", + "ese": "ESE", + "n": "N", + "ne": "NE", + "nne": "NNE", + "nnw": "NNW", + "nw": "NW", + "s": "S", + "se": "SE", + "sse": "SSE", + "ssw": "SSW", + "sw": "SW", + "w": "W", + "wnw": "WNW", + "wsw": "WSW" + }, + "forecast": "Previsioni" + } + }, + "common": { + "cancel": "Annulla", + "loading": "Caricamento", + "save": "Salva", + "successfully_saved": "Salvataggio riuscito" + }, + "components": { + "device-picker": { + "clear": "Cancella", + "show_devices": "Mostra dispositivi" + }, + "entity": { + "entity-picker": { + "clear": "Cancella", + "entity": "Entità", + "show_entities": "Mostra entità" + } + }, + "history_charts": { + "loading_history": "Caricamento storico", + "no_history_found": "Nessuno storico trovato" + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\none {giorno}\\nother {giorni}\\n}", + "hour": "{count} {count, plural,\\none {ora}\\nother {ore}\\n}", + "minute": "{count} {count, plural,\\none {minuto}\\nother {minuti}\\n}", + "second": "{count} {count, plural,\\none {secondo}\\nother {secondi}\\n}", + "week": "{count} {count, plural,\\none {settimana}\\nother {settimane}\\n}" + }, + "future": "tra {time}", + "never": "Mai", + "past": "{time} fa" + }, + "service-picker": { + "service": "Servizio" + } + }, + "dialogs": { + "config_entry_system_options": { + "enable_new_entities_description": "Se disabilitato, le entità appena individuate per {integration} non verranno automaticamente aggiunte a Home Assistant.", + "enable_new_entities_label": "Abilita nuove entità aggiunte.", + "title": "Opzioni di sistema per {integration}" + }, + "confirmation": { + "cancel": "Annulla", + "ok": "OK", + "title": "Sei sicuro?" + }, + "more_info_control": { + "script": { + "last_action": "Ultima azione" + }, + "sun": { + "elevation": "Elevazione", + "rising": "Alba", + "setting": "Tramonto" + }, + "updater": { + "title": "Istruzioni per l'aggiornamento" + } + }, + "more_info_settings": { + "entity_id": "ID Entità", + "name": "Sovrascrittura del nome", + "save": "Salva" + }, + "options_flow": { + "form": { + "header": "Opzioni" + }, + "success": { + "description": "Opzioni salvate correttamente." + } + }, + "zha_device_info": { + "buttons": { + "add": "Aggiungi dispositivi", + "reconfigure": "Riconfigura dispositivo", + "remove": "Rimuovi dispositivo" + }, + "last_seen": "Ultima visualizzazione", + "manuf": "da {manufacturer}", + "no_area": "Nessuna Area", + "power_source": "Sorgente di alimentazione", + "quirk": "Quirk", + "services": { + "reconfigure": "Riconfigurare il dispositivo ZHA (dispositivo di cura). Utilizzare questa opzione se riscontri problemi con il dispositivo. Se il dispositivo in questione è un dispositivo alimentato a batteria, assicurarsi che sia attivo e che accetti i comandi quando si utilizza questo servizio.", + "remove": "Rimuovi un dispositivo dalla rete Zigbee.", + "updateDeviceName": "Imposta un nome personalizzato per questo dispositivo nel registro dispositivi." + }, + "unknown": "Sconosciuto", + "zha_device_card": { + "area_picker_label": "Area", + "device_name_placeholder": "Nome assegnato dall'utente", + "update_name_button": "Aggiorna nome" + } + } + }, + "duration": { + "day": "{count} {count, plural,\\none {giorno}\\nother {giorni}\\n}", + "hour": "{count} {count, plural,\\none {ora}\\nother {ore}\\n}", + "minute": "{count} {count, plural,\\none {minuto}\\nother {minuti}\\n}", + "second": "{count} {count, plural,\\none {secondo}\\nother {secondi}\\n}", + "week": "{count} {count, plural,\\none {settimana}\\nother {settimane}\\n}" + }, + "login-form": { + "log_in": "Accedi", + "password": "Password", + "remember": "Ricorda" + }, + "notification_drawer": { + "click_to_configure": "Fare clic sul pulsante per configurare {entity}", + "empty": "Nessuna notifica", + "title": "Notifiche" + }, + "notification_toast": { + "connection_lost": "Connessione persa. Riconnessione...", + "entity_turned_off": "Spenta {entity}.", + "entity_turned_on": "Accesa {entity}.", + "service_call_failed": "Fallita chiamata a servizio {service} .", + "service_called": "Servizio {service} chiamato.", + "triggered": "Attivato {name}" + }, + "panel": { "config": { - "header": "Configura Home Assistant", - "introduction": "Qui è possibile configurare i componenti e Home Assistant. Non è ancora possibile configurare tutto dall'interfaccia utente, ma ci stiamo lavorando.", + "area_registry": { + "caption": "Registro di area", + "create_area": "CREA AREA", + "description": "Panoramica di tutte le aree della tua casa.", + "editor": { + "create": "CREA", + "default_name": "Nuova area", + "delete": "ELIMINA", + "update": "AGGIORNA" + }, + "no_areas": "Sembra che tu non abbia ancora delle aree!", + "picker": { + "create_area": "CREA AREA", + "header": "Registro di area", + "integrations_page": "Integrazioni", + "introduction": "Le aree sono utilizzate per organizzare dove sono i dispositivi. Queste informazioni saranno utilizzate in Home Assistant per aiutarti ad organizzare la tua interfaccia, permessi e integrazioni con altri sistemi.", + "introduction2": "Per posizionare i dispositivi in un'area, utilizzare il seguente collegamento per accedere alla pagina delle integrazioni e quindi fare clic su un'integrazione configurata per accedere alle schede del dispositivo.", + "no_areas": "Sembra che tu non abbia ancora delle aree!" + } + }, + "automation": { + "caption": "Automazione", + "description": "Crea e modifica automazioni", + "editor": { + "actions": { + "add": "Aggiungi azione", + "delete": "Elimina", + "delete_confirm": "Sicuro di voler eliminare?", + "duplicate": "Duplica", + "header": "Azioni", + "introduction": "Le azioni sono ciò che Home Assistant farà quando un trigger attiva un automazione. \\n\\n [Ulteriori informazioni sulle azioni.](Https:\/\/home-assistant.io\/docs\/automation\/action\/)", + "learn_more": "Per saperne di più sulle azioni", + "type_select": "Tipo di azione", + "type": { + "condition": { + "label": "Condizione" + }, + "delay": { + "delay": "Ritardo", + "label": "Ritardo" + }, + "device_id": { + "extra_fields": { + "code": "Codice" + }, + "label": "Dispositivo" + }, + "event": { + "event": "Evento:", + "label": "Scatena Evento", + "service_data": "Dati servizio" + }, + "scene": { + "label": "Attivare la scena" + }, + "service": { + "label": "Chiama servizio", + "service_data": "Dato servizio" + }, + "wait_template": { + "label": "Attendere", + "timeout": "Timeout (opzionale)", + "wait_template": "Attendi modello" + } + }, + "unsupported_action": "Azione non supportata: {action}" + }, + "alias": "Nome", + "conditions": { + "add": "Aggiungi condizione", + "delete": "Elimina", + "delete_confirm": "Sicuro di voler eliminare?", + "duplicate": "Duplica", + "header": "Condizioni", + "introduction": "Le condizioni sono una parte facoltativa di una regola di automazione e possono essere utilizzate per impedire che un'azione si verifichi quando viene attivata. Le condizioni sembrano molto simili ai trigger, ma sono molto diverse. Un trigger analizzerà gli eventi che si verificano nel sistema mentre una condizione analizza solo l'aspetto del sistema in questo momento. Un trigger può osservare che un interruttore è in fase di accensione. Una condizione può vedere solo se un interruttore è attivo o meno. \\n\\n [Ulteriori informazioni sulle condizioni.](Https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", + "learn_more": "Per saperne di più sulle condizioni", + "type_select": "Tipo di condizione", + "type": { + "and": { + "label": "E" + }, + "device": { + "extra_fields": { + "above": "Sopra", + "below": "Sotto", + "for": "Durata" + }, + "label": "Dispositivo" + }, + "numeric_state": { + "above": "Superiore", + "below": "Inferiore", + "label": "Valore numerico", + "value_template": "Valore modello (opzionale)" + }, + "or": { + "label": "Oppure" + }, + "state": { + "label": "Stato", + "state": "Stato" + }, + "sun": { + "after": "Dopo:", + "after_offset": "Dopo l'offset (opzionale)", + "before": "Prima:", + "before_offset": "Prima dell'offset (opzionale)", + "label": "Sole", + "sunrise": "Alba", + "sunset": "Tramonto" + }, + "template": { + "label": "Modello", + "value_template": "Valore modello" + }, + "time": { + "after": "Dopo", + "before": "Prima", + "label": "Ora" + }, + "zone": { + "entity": "Entità con posizione", + "label": "Zona", + "zone": "Zona" + } + }, + "unsupported_condition": "Condizione non supportata: {condition}" + }, + "default_name": "Nuova automazione", + "description": { + "label": "Descrizione", + "placeholder": "Descrizione facoltativa" + }, + "introduction": "Usa le automazioni per dare vita alla tua casa.", + "load_error_not_editable": "Solo le automazioni in automations.yaml sono modificabili.", + "load_error_unknown": "Errore durante il caricamento dell'automazione ({err_no}).", + "save": "Salva", + "triggers": { + "add": "Aggiungi trigger", + "delete": "Elimina", + "delete_confirm": "Sicuro di voler eliminare?", + "duplicate": "Duplica", + "header": "Triggers", + "introduction": "I trigger sono ciò che avvia l'elaborazione di una regola di automazione. È possibile specificare più trigger per la stessa regola. Una volta avviato il trigger, Home Assistant convaliderà le condizioni, se presenti, e chiamerà l'azione. \\n\\n [Ulteriori informazioni sui trigger.](Https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", + "learn_more": "Per saperne di più sui trigger", + "type_select": "Tipo di trigger", + "type": { + "device": { + "extra_fields": { + "above": "Sopra", + "below": "Sotto", + "for": "Durata" + }, + "label": "Dispositivo" + }, + "event": { + "event_data": "Evento data", + "event_type": "Tipo di evento", + "label": "Evento" + }, + "geo_location": { + "enter": "Ingresso", + "event": "Evento:", + "label": "Geolocalizzazione", + "leave": "Uscita", + "source": "Fonte", + "zone": "Zona" + }, + "homeassistant": { + "event": "Evento:", + "label": "Home Assistant", + "shutdown": "Arresto del sistema", + "start": "Avvio" + }, + "mqtt": { + "label": "MQTT", + "payload": "Carico (opzionale)", + "topic": "Argomento" + }, + "numeric_state": { + "above": "Superiore", + "below": "Inferiore", + "label": "Valore numerico", + "value_template": "Valore modello (opzionale)" + }, + "state": { + "for": "Per", + "from": "Da", + "label": "Stato", + "to": "A" + }, + "sun": { + "event": "Evento", + "label": "Sole", + "offset": "Offset (opzionale)", + "sunrise": "Alba", + "sunset": "Tramonto" + }, + "template": { + "label": "Modello", + "value_template": "Valore modello" + }, + "time_pattern": { + "hours": "Ore", + "label": "Pattern temporale", + "minutes": "Minuti", + "seconds": "Secondi" + }, + "time": { + "at": "A", + "label": "Ora" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook ID" + }, + "zone": { + "enter": "Ingresso", + "entity": "Entità con posizione", + "event": "Evento", + "label": "Zona", + "leave": "Uscita", + "zone": "Zona" + } + }, + "unsupported_platform": "Piattaforma non supportata: {platform}" + }, + "unsaved_confirm": "Hai delle modifiche non salvate. Sei sicuro di voler uscire?" + }, + "picker": { + "add_automation": "Aggiungi automazione", + "header": "Editor automazione", + "introduction": "L'editor di automazione consente di creare e modificare automazioni. Per favore leggi le istruzioni (https:\/\/home-assistant.io\/docs\/automation\/editor\/) per assicurarti di aver configurato correttamente Home Assistant.", + "learn_more": "Per saperne di più sulle automazioni", + "no_automations": "Nessuna automazione modificabile trovata", + "pick_automation": "Scegli l'automazione da modificare" + } + }, + "cloud": { + "account": { + "alexa": { + "config_documentation": "Documentazione di configurazione", + "disable": "disabilitare", + "enable": "abilitare", + "enable_ha_skill": "Abilitare la skill Home Assistant per Alexa", + "enable_state_reporting": "Attivare la segnalazione dello stato", + "info": "Con l'integrazione Alexa per Home Assistant Cloud sarete in grado di controllare tutti i vostri dispositivi Home Assistant tramite qualsiasi dispositivo abilitato Alexa.", + "info_state_reporting": "Se si abilita la segnalazione dello stato, Home Assistant invierà ad Amazon tutte le modifiche di stato delle entità esposte. Questo permette di vedere sempre gli ultimi stati nell'app Alexa e di utilizzare i cambiamenti di stato per creare routine.", + "manage_entities": "Gestire le entità", + "state_reporting_error": "Impossibile a {enable_disable} segnalare lo stato.", + "sync_entities": "Sincronizza entità", + "sync_entities_error": "Impossibile sincronizzare le entità:", + "title": "Alexa" + }, + "connected": "Connesso", + "connection_status": "Stato della connessione cloud", + "fetching_subscription": "Recupero abbonamento ...", + "google": { + "config_documentation": "Documentazione di configurazione", + "devices_pin": "PIN dei dispositivi di sicurezza", + "enable_ha_skill": "Abilitare la skill Home Assistant per Google Assistant", + "enable_state_reporting": "Attivare la segnalazione dello Stato", + "enter_pin_error": "Impossibile memorizzare il pin:", + "enter_pin_hint": "Immettere un PIN per utilizzare i dispositivi di sicurezza", + "enter_pin_info": "Inserisci un PIN per interagire con i dispositivi di sicurezza. I dispositivi di sicurezza sono porte, porte da garage e serrature. Ti verrà chiesto di dire\/inserire questo PIN quando interagisci con tali dispositivi tramite Google Assistant.", + "info": "Con l'integrazione di Google Assistant per Home Assistant Cloud sarai in grado di controllare tutti i tuoi dispositivi Home Assistant tramite qualsiasi dispositivo abilitato per Google Assistant.", + "info_state_reporting": "Se si abilita la segnalazione dello stato, Home Assistant invierà a Google tutte le modifiche di stato delle entità esposte. Questo ti permette di vedere sempre gli ultimi stati nell'app di Google.", + "manage_entities": "Gestire le entità", + "security_devices": "Dispositivi di sicurezza", + "sync_entities": "Sincronizzare le entità con Google", + "title": "Google Assistant" + }, + "integrations": "Integrazioni", + "integrations_introduction": "Le integrazioni per Home Assistant Cloud ti permettono di connetterti con i servizi nel cloud senza dover esporre pubblicamente la tua istanza di Home Assistant su Internet.", + "integrations_introduction2": "Controlla il sito web per ", + "integrations_link_all_features": " tutte le funzioni disponibili", + "manage_account": "Gestisci account", + "nabu_casa_account": "Account Nabu Casa", + "not_connected": "Non Connesso", + "remote": { + "access_is_being_prepared": "È in fase di preparazione l'accesso remoto. Ti avviseremo quando sarà pronto.", + "certificate_info": "Informazioni sul certificato", + "info": "Home Assistant Cloud fornisce una connessione remota sicura alla tua istanza mentre sei fuori casa.", + "instance_is_available": "La tua istanza è disponibile su", + "instance_will_be_available": "La tua istanza sarà disponibile su", + "link_learn_how_it_works": "Scopri come funziona", + "title": "Telecomando" + }, + "sign_out": "Esci", + "thank_you_note": "Grazie per far parte di Home Assistant Cloud. È grazie a persone come te che siamo in grado di creare un'ottima esperienza domotica per tutti. Grazie!", + "webhooks": { + "disable_hook_error_msg": "Impossibile disabilitare webhook:", + "info": "Tutto ciò che è configurato per essere attivato da un webhook può essere dotato di un URL accessibile pubblicamente per consentire di inviare i dati all'Home Assistant da qualsiasi luogo, senza esporre la vostra istanza a Internet.", + "link_learn_more": "Ulteriori informazioni sulla creazione di automazioni basate su webhook.", + "loading": "Caricamento in corso ...", + "manage": "Gestire", + "no_hooks_yet": "Sembra che tu non abbia ancora dei webhook. Per iniziare, configurare un ", + "no_hooks_yet_link_automation": "automazione webhook", + "no_hooks_yet_link_integration": "Integrazione basata su webhook", + "no_hooks_yet2": " o creando un ", + "title": "Webhooks" + } + }, + "alexa": { + "banner": "La modifica delle entità esposte tramite questa interfaccia utente è disabilitata perché sono stati configurati filtri di entità in configuration.yaml.", + "expose": "Esporre ad Alexa", + "exposed_entities": "Entità esposte", + "not_exposed_entities": "Entità non esposte", + "title": "Alexa" + }, + "caption": "Home Assistant Cloud", + "description_features": "Controllo fuori casa, integrazione con Alexa e Google Assistant.", + "description_login": "Connesso come {email}", + "description_not_login": "Accesso non effettuato", + "dialog_certificate": { + "certificate_expiration_date": "Data di scadenza del certificato", + "certificate_information": "Informazioni sul certificato", + "close": "Chiudi", + "fingerprint": "Impronta digitale del certificato:", + "will_be_auto_renewed": "Sarà rinnovato automaticamente" + }, + "dialog_cloudhook": { + "available_at": "Il webhook è disponibile al seguente URL:", + "close": "Chiudi", + "confirm_disable": "Sei sicuro di voler disabilitare questo webhook?", + "copied_to_clipboard": "Copiato negli appunti", + "info_disable_webhook": "Se non si desidera più utilizzare questo webhook, è possibile", + "link_disable_webhook": "disabilitarlo", + "managed_by_integration": "Questo webhook è gestito da un'integrazione e non può essere disabilitato.", + "view_documentation": "Visualizza la documentazione", + "webhook_for": "Webhook per {name}" + }, + "forgot_password": { + "check_your_email": "Controlla la tua email per le istruzioni su come reimpostare la tua password.", + "email": "E-mail", + "email_error_msg": "E-mail non valida", + "instructions": "Inserisci il tuo indirizzo email e ti invieremo un link per reimpostare la password.", + "send_reset_email": "Invia e-mail di ripristino", + "subtitle": "Hai dimenticato la password", + "title": "Password dimenticata" + }, + "google": { + "banner": "La modifica delle entità esposte tramite questa interfaccia utente è disabilitata perché sono stati configurati filtri di entità in configuration.yaml.", + "disable_2FA": "Disattivare l'autenticazione a due fattori", + "expose": "Esporre a Google Assistant", + "exposed_entities": "Entità esposte", + "not_exposed_entities": "Entità non esposte", + "sync_to_google": "Sincronizzazione delle modifiche a Google.", + "title": "Google Assistant" + }, + "login": { + "alert_email_confirm_necessary": "È necessario confermare l'e-mail prima di effettuare l'accesso.", + "alert_password_change_required": "È necessario modificare la password prima di effettuare l'accesso.", + "dismiss": "Respingere", + "email": "E-mail", + "email_error_msg": "E-mail non valida", + "forgot_password": "Hai dimenticato la password?", + "introduction": "Home Assistant Cloud fornisce una connessione remota sicura alla tua istanza quando sei lontano da casa. Consente inoltre di connettersi con i servizi cloud: Amazon Alexa e Google Assistant.", + "introduction2": "Questo servizio è gestito dal nostro partner", + "introduction2a": ", una società fondata dai fondatori di Home Assistant e Hass.io.", + "introduction3": "Home Assistant Cloud è un servizio in abbonamento con un mese di prova gratuita. Non sono necessarie informazioni di pagamento.", + "learn_more_link": "Ulteriori informazioni su Home Assistant Cloud", + "password": "Password", + "password_error_msg": "Le password sono di almeno 8 caratteri", + "sign_in": "Accedi", + "start_trial": "Inizia la tua prova gratuita di 1 mese", + "title": "Accesso al cloud", + "trial_info": "Nessuna informazione di pagamento necessaria" + }, + "register": { + "account_created": "Account creato! Controlla la tua email per istruzioni su come attivare il tuo account.", + "create_account": "Crea un account", + "email_address": "Indirizzo e-mail", + "email_error_msg": "Email non valida", + "feature_amazon_alexa": "Integrazione con Amazon Alexa", + "feature_google_home": "Integrazione con Google Assistant", + "feature_remote_control": "Controllo di Home Assistant lontano da casa", + "feature_webhook_apps": "Facile integrazione con applicazioni basate su webhook come OwnTracks", + "headline": "Inizia la tua prova gratuita", + "information": "Crea un account per iniziare la tua prova gratuita di un mese con Home Assistant Cloud. Non sono necessarie informazioni di pagamento.", + "information2": "La versione di prova ti darà accesso a tutti i vantaggi di Home Assistant Cloud, tra cui:", + "information3": "Questo servizio è gestito dal nostro partner ", + "information3a": ", una società fondata dai fondatori di Home Assistant e Hass.io.", + "information4": "Registrando un account accetti i seguenti termini e condizioni.", + "link_privacy_policy": "Informativa sulla privacy", + "link_terms_conditions": "Termini e condizioni", + "password": "Password", + "password_error_msg": "Le password sono di almeno 8 caratteri", + "resend_confirm_email": "Inviare di nuovo l'e-mail di conferma", + "start_trial": "Inizia la prova", + "title": "Registra account" + } + }, + "common": { + "editor": { + "confirm_unsaved": "Hai dei cambiamenti non salvati. Sei sicuro di voler andare via?" + } + }, "core": { "caption": "Generale", "description": "Modifica la configurazione generale di Home Assistant", "section": { "core": { - "header": "Configurazione e controllo del server", - "introduction": "Cambiare la configurazione può essere un processo faticoso. Lo sappiamo. Questa sezione cercherà di semplificarti la vita.", "core_config": { "edit_requires_storage": "Editor disabilitato perché la configurazione è memorizzata in configuration.yaml.", - "location_name": "Nome della tua installazione di Home Assistant", - "latitude": "Latitudine", - "longitude": "Longitudine", "elevation": "Altitudine", "elevation_meters": "Metri", + "imperial_example": "Fahrenheit, libbre", + "latitude": "Latitudine", + "location_name": "Nome della tua installazione di Home Assistant", + "longitude": "Longitudine", + "metric_example": "Celsius, chilogrammi", + "save_button": "Salva", "time_zone": "Fuso orario", "unit_system": "Unità di misura", "unit_system_imperial": "Imperiale", - "unit_system_metric": "Metrico", - "imperial_example": "Fahrenheit, libbre", - "metric_example": "Celsius, chilogrammi", - "save_button": "Salva" - } + "unit_system_metric": "Metrico" + }, + "header": "Configurazione e controllo del server", + "introduction": "Cambiare la configurazione può essere un processo faticoso. Lo sappiamo. Questa sezione cercherà di semplificarti la vita." }, "server_control": { - "validation": { - "heading": "Convalida della configurazione", - "introduction": "Convalidare la configurazione se di recente sono state apportate alcune modifiche alla configurazione e si desidera assicurarsi che sia tutto valido", - "check_config": "Controlla la configurazione", - "valid": "Configurazione valida!", - "invalid": "Configurazione non valida" - }, "reloading": { - "heading": "Ricaricamento della configurazione", - "introduction": "Alcune parti di Home Assistant possono essere ricaricate senza richiedere il riavvio. Premendo scaricherà la configurazione corrente e caricherà quella nuova.", + "automation": "Ricarica automazioni", "core": "Ricarica core", "group": "Ricarica gruppi", - "automation": "Ricarica automazioni", + "heading": "Ricaricamento della configurazione", + "introduction": "Alcune parti di Home Assistant possono essere ricaricate senza richiedere il riavvio. Premendo scaricherà la configurazione corrente e caricherà quella nuova.", "script": "Ricarica script" }, "server_management": { @@ -475,6 +1092,13 @@ "introduction": "Controllare il server Home Assistant... da Home Assistant.", "restart": "Riavviare", "stop": "Stop" + }, + "validation": { + "check_config": "Controlla la configurazione", + "heading": "Convalida della configurazione", + "introduction": "Convalidare la configurazione se di recente sono state apportate alcune modifiche alla configurazione e si desidera assicurarsi che sia tutto valido", + "invalid": "Configurazione non valida", + "valid": "Configurazione valida!" } } } @@ -487,507 +1111,69 @@ "introduction": "Modificare gli attributi per entità. Le personalizzazioni aggiunte \/ modificate avranno effetto immediato. Le personalizzazioni rimosse avranno effetto quando l'entità viene aggiornata." } }, - "automation": { - "caption": "Automazione", - "description": "Crea e modifica automazioni", - "picker": { - "header": "Editor automazione", - "introduction": "L'editor di automazione consente di creare e modificare automazioni. Per favore leggi le istruzioni (https:\/\/home-assistant.io\/docs\/automation\/editor\/) per assicurarti di aver configurato correttamente Home Assistant.", - "pick_automation": "Scegli l'automazione da modificare", - "no_automations": "Nessuna automazione modificabile trovata", - "add_automation": "Aggiungi automazione", - "learn_more": "Per saperne di più sulle automazioni" - }, - "editor": { - "introduction": "Usa le automazioni per dare vita alla tua casa.", - "default_name": "Nuova automazione", - "save": "Salva", - "unsaved_confirm": "Hai delle modifiche non salvate. Sei sicuro di voler uscire?", - "alias": "Nome", - "triggers": { - "header": "Triggers", - "introduction": "I trigger sono ciò che avvia l'elaborazione di una regola di automazione. È possibile specificare più trigger per la stessa regola. Una volta avviato il trigger, Home Assistant convaliderà le condizioni, se presenti, e chiamerà l'azione. \n\n [Ulteriori informazioni sui trigger.](Https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", - "add": "Aggiungi trigger", - "duplicate": "Duplica", - "delete": "Elimina", - "delete_confirm": "Sicuro di voler eliminare?", - "unsupported_platform": "Piattaforma non supportata: {platform}", - "type_select": "Tipo di trigger", - "type": { - "event": { - "label": "Evento", - "event_type": "Tipo di evento", - "event_data": "Evento data" - }, - "state": { - "label": "Stato", - "from": "Da", - "to": "A", - "for": "Per" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Evento:", - "start": "Avvio", - "shutdown": "Arresto del sistema" - }, - "mqtt": { - "label": "MQTT", - "topic": "Argomento", - "payload": "Carico (opzionale)" - }, - "numeric_state": { - "label": "Valore numerico", - "above": "Superiore", - "below": "Inferiore", - "value_template": "Valore modello (opzionale)" - }, - "sun": { - "label": "Sole", - "event": "Evento", - "sunrise": "Alba", - "sunset": "Tramonto", - "offset": "Offset (opzionale)" - }, - "template": { - "label": "Modello", - "value_template": "Valore modello" - }, - "time": { - "label": "Ora", - "at": "A" - }, - "zone": { - "label": "Zona", - "entity": "Entità con posizione", - "zone": "Zona", - "event": "Evento", - "enter": "Ingresso", - "leave": "Uscita" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook ID" - }, - "time_pattern": { - "label": "Pattern temporale", - "hours": "Ore", - "minutes": "Minuti", - "seconds": "Secondi" - }, - "geo_location": { - "label": "Geolocalizzazione", - "source": "Fonte", - "zone": "Zona", - "event": "Evento:", - "enter": "Ingresso", - "leave": "Uscita" - }, - "device": { - "label": "Dispositivo", - "extra_fields": { - "above": "Sopra", - "below": "Sotto", - "for": "Durata" - } - } - }, - "learn_more": "Per saperne di più sui trigger" + "devices": { + "automation": { + "actions": { + "caption": "Quando qualcosa si attiva..." }, "conditions": { - "header": "Condizioni", - "introduction": "Le condizioni sono una parte facoltativa di una regola di automazione e possono essere utilizzate per impedire che un'azione si verifichi quando viene attivata. Le condizioni sembrano molto simili ai trigger, ma sono molto diverse. Un trigger analizzerà gli eventi che si verificano nel sistema mentre una condizione analizza solo l'aspetto del sistema in questo momento. Un trigger può osservare che un interruttore è in fase di accensione. Una condizione può vedere solo se un interruttore è attivo o meno. \n\n [Ulteriori informazioni sulle condizioni.](Https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", - "add": "Aggiungi condizione", - "duplicate": "Duplica", - "delete": "Elimina", - "delete_confirm": "Sicuro di voler eliminare?", - "unsupported_condition": "Condizione non supportata: {condition}", - "type_select": "Tipo di condizione", - "type": { - "state": { - "label": "Stato", - "state": "Stato" - }, - "numeric_state": { - "label": "Valore numerico", - "above": "Superiore", - "below": "Inferiore", - "value_template": "Valore modello (opzionale)" - }, - "sun": { - "label": "Sole", - "before": "Prima:", - "after": "Dopo:", - "before_offset": "Prima dell'offset (opzionale)", - "after_offset": "Dopo l'offset (opzionale)", - "sunrise": "Alba", - "sunset": "Tramonto" - }, - "template": { - "label": "Modello", - "value_template": "Valore modello" - }, - "time": { - "label": "Ora", - "after": "Dopo", - "before": "Prima" - }, - "zone": { - "label": "Zona", - "entity": "Entità con posizione", - "zone": "Zona" - }, - "device": { - "label": "Dispositivo", - "extra_fields": { - "above": "Sopra", - "below": "Sotto", - "for": "Durata" - } - }, - "and": { - "label": "E" - }, - "or": { - "label": "Oppure" - } - }, - "learn_more": "Per saperne di più sulle condizioni" + "caption": "Fai qualcosa solo se..." }, - "actions": { - "header": "Azioni", - "introduction": "Le azioni sono ciò che Home Assistant farà quando un trigger attiva un automazione. \n\n [Ulteriori informazioni sulle azioni.](Https:\/\/home-assistant.io\/docs\/automation\/action\/)", - "add": "Aggiungi azione", - "duplicate": "Duplica", - "delete": "Elimina", - "delete_confirm": "Sicuro di voler eliminare?", - "unsupported_action": "Azione non supportata: {action}", - "type_select": "Tipo di azione", - "type": { - "service": { - "label": "Chiama servizio", - "service_data": "Dato servizio" - }, - "delay": { - "label": "Ritardo", - "delay": "Ritardo" - }, - "wait_template": { - "label": "Attendere", - "wait_template": "Attendi modello", - "timeout": "Timeout (opzionale)" - }, - "condition": { - "label": "Condizione" - }, - "event": { - "label": "Scatena Evento", - "event": "Evento:", - "service_data": "Dati servizio" - }, - "device_id": { - "label": "Dispositivo", - "extra_fields": { - "code": "Codice" - } - }, - "scene": { - "label": "Attivare la scena" - } - }, - "learn_more": "Per saperne di più sulle azioni" - }, - "load_error_not_editable": "Solo le automazioni in automations.yaml sono modificabili.", - "load_error_unknown": "Errore durante il caricamento dell'automazione ({err_no}).", - "description": { - "label": "Descrizione", - "placeholder": "Descrizione facoltativa" - } - } - }, - "script": { - "caption": "Script", - "description": "Crea e modifica script", - "picker": { - "header": "Editor di script", - "introduction": "L'editor di script consente di creare e modificare script. Seguire il collegamento seguente per leggere le istruzioni per assicurarsi di aver configurato correttamente Home Assistant.", - "learn_more": "Ulteriori informazioni sugli script", - "no_scripts": "Non è stato possibile trovare alcuno script modificabile", - "add_script": "Aggiungi script" - }, - "editor": { - "header": "Script: {name}", - "default_name": "Nuovo Script", - "load_error_not_editable": "Solo gli script all'interno di scripts.yaml sono modificabili.", - "delete_confirm": "Sei sicuro di voler eliminare questo script?" - } - }, - "zwave": { - "caption": "Z-Wave", - "description": "Gestisci la tua rete Z-Wave", - "network_management": { - "header": "Gestione della rete Z-Wave", - "introduction": "Eseguire comandi che interessano la rete Z-Wave. Non otterrete un feedback sul successo della maggior parte dei comandi, ma potete controllare il Log OZW per cercare di scoprirlo." - }, - "network_status": { - "network_stopped": "Rete Z-Wave arrestata", - "network_starting": "Inizializzazione della rete Z-Wave...", - "network_starting_note": "Questo potrebbe richiedere del tempo a seconda delle dimensioni della tua rete.", - "network_started": "Rete Z-Wave inizializzata", - "network_started_note_some_queried": "Sono stati interrogati i nodi attivi. I nodi dormienti verranno interrogati quando si attiveranno.", - "network_started_note_all_queried": "Tutti i nodi sono stati interrogati." - }, - "services": { - "start_network": "Avvia la rete", - "stop_network": "Ferma la rete", - "heal_network": "Testa la rete", - "test_network": "Testa la rete", - "soft_reset": "Soft Reset", - "save_config": "Salva configurazione", - "add_node_secure": "Aggiungi nodo sicuro", - "add_node": "Aggiungi Nodo", - "remove_node": "Rimuovi nodo", - "cancel_command": "Annulla Comando" - }, - "common": { - "value": "Valore", - "instance": "Esempio", - "index": "Indice", - "unknown": "sconosciuto", - "wakeup_interval": "Intervallo di riattivazione" - }, - "values": { - "header": "Valori del nodo" - }, - "node_config": { - "header": "Opzioni di configurazione del nodo", - "seconds": "secondi", - "set_wakeup": "Imposta intervallo di riattivazione", - "config_parameter": "Parametro di configurazione", - "config_value": "Valore di configurazione", - "true": "Vero", - "false": "Falso", - "set_config_parameter": "Imposta parametro di configurazione" - }, - "learn_more": "Ulteriori informazioni su Z-Wave", - "ozw_log": { - "header": "Registro OZW", - "introduction": "Guarda il registro. 0 è il minimo (carica l'intero log) e 1000 è il massimo. Load mostrerà un log statico e la coda si aggiornerà automaticamente con l'ultimo numero di righe specificato del log." - } - }, - "users": { - "caption": "Utenti", - "description": "Gestisci gli utenti", - "picker": { - "title": "Utenti", - "system_generated": "Generato dal sistema" - }, - "editor": { - "rename_user": "Rinomina utente", - "change_password": "Cambia password", - "activate_user": "Attiva utente", - "deactivate_user": "Disattiva utente", - "delete_user": "Elimina utente", - "caption": "Visualizza utente", - "id": "ID", - "owner": "Proprietario", - "group": "Gruppo", - "active": "Attivo", - "system_generated": "Generato dal sistema", - "system_generated_users_not_removable": "Impossibile rimuovere gli utenti generati dal sistema.", - "unnamed_user": "Utente senza nome", - "enter_new_name": "Inserisci un nuovo nome", - "user_rename_failed": "Rinominazione dell'utente fallita:", - "group_update_failed": "L'aggiornamento del gruppo non è riuscito:", - "confirm_user_deletion": "Sei sicuro di voler eliminare {name} ?" - }, - "add_user": { - "caption": "Aggiungi utente", - "name": "Nome", - "username": "Nome utente", - "password": "Password", - "create": "Crea" - } - }, - "cloud": { - "caption": "Home Assistant Cloud", - "description_login": "Connesso come {email}", - "description_not_login": "Accesso non effettuato", - "description_features": "Controllo fuori casa, integrazione con Alexa e Google Assistant.", - "login": { - "title": "Accesso al cloud", - "introduction": "Home Assistant Cloud fornisce una connessione remota sicura alla tua istanza quando sei lontano da casa. Consente inoltre di connettersi con i servizi cloud: Amazon Alexa e Google Assistant.", - "introduction2": "Questo servizio è gestito dal nostro partner", - "introduction2a": ", una società fondata dai fondatori di Home Assistant e Hass.io.", - "introduction3": "Home Assistant Cloud è un servizio in abbonamento con un mese di prova gratuita. Non sono necessarie informazioni di pagamento.", - "learn_more_link": "Ulteriori informazioni su Home Assistant Cloud", - "dismiss": "Respingere", - "sign_in": "Accedi", - "email": "E-mail", - "email_error_msg": "E-mail non valida", - "password": "Password", - "password_error_msg": "Le password sono di almeno 8 caratteri", - "forgot_password": "Hai dimenticato la password?", - "start_trial": "Inizia la tua prova gratuita di 1 mese", - "trial_info": "Nessuna informazione di pagamento necessaria", - "alert_password_change_required": "È necessario modificare la password prima di effettuare l'accesso.", - "alert_email_confirm_necessary": "È necessario confermare l'e-mail prima di effettuare l'accesso." - }, - "forgot_password": { - "title": "Password dimenticata", - "subtitle": "Hai dimenticato la password", - "instructions": "Inserisci il tuo indirizzo email e ti invieremo un link per reimpostare la password.", - "email": "E-mail", - "email_error_msg": "E-mail non valida", - "send_reset_email": "Invia e-mail di ripristino", - "check_your_email": "Controlla la tua email per le istruzioni su come reimpostare la tua password." - }, - "register": { - "title": "Registra account", - "headline": "Inizia la tua prova gratuita", - "information": "Crea un account per iniziare la tua prova gratuita di un mese con Home Assistant Cloud. Non sono necessarie informazioni di pagamento.", - "information2": "La versione di prova ti darà accesso a tutti i vantaggi di Home Assistant Cloud, tra cui:", - "feature_remote_control": "Controllo di Home Assistant lontano da casa", - "feature_google_home": "Integrazione con Google Assistant", - "feature_amazon_alexa": "Integrazione con Amazon Alexa", - "feature_webhook_apps": "Facile integrazione con applicazioni basate su webhook come OwnTracks", - "information3": "Questo servizio è gestito dal nostro partner ", - "information3a": ", una società fondata dai fondatori di Home Assistant e Hass.io.", - "information4": "Registrando un account accetti i seguenti termini e condizioni.", - "link_terms_conditions": "Termini e condizioni", - "link_privacy_policy": "Informativa sulla privacy", - "create_account": "Crea un account", - "email_address": "Indirizzo e-mail", - "email_error_msg": "Email non valida", - "password": "Password", - "password_error_msg": "Le password sono di almeno 8 caratteri", - "start_trial": "Inizia la prova", - "resend_confirm_email": "Inviare di nuovo l'e-mail di conferma", - "account_created": "Account creato! Controlla la tua email per istruzioni su come attivare il tuo account." - }, - "account": { - "thank_you_note": "Grazie per far parte di Home Assistant Cloud. È grazie a persone come te che siamo in grado di creare un'ottima esperienza domotica per tutti. Grazie!", - "nabu_casa_account": "Account Nabu Casa", - "connection_status": "Stato della connessione cloud", - "manage_account": "Gestisci account", - "sign_out": "Esci", - "integrations": "Integrazioni", - "integrations_introduction": "Le integrazioni per Home Assistant Cloud ti permettono di connetterti con i servizi nel cloud senza dover esporre pubblicamente la tua istanza di Home Assistant su Internet.", - "integrations_introduction2": "Controlla il sito web per ", - "integrations_link_all_features": " tutte le funzioni disponibili", - "connected": "Connesso", - "not_connected": "Non Connesso", - "fetching_subscription": "Recupero abbonamento ...", - "remote": { - "title": "Telecomando", - "access_is_being_prepared": "È in fase di preparazione l'accesso remoto. Ti avviseremo quando sarà pronto.", - "info": "Home Assistant Cloud fornisce una connessione remota sicura alla tua istanza mentre sei fuori casa.", - "instance_is_available": "La tua istanza è disponibile su", - "instance_will_be_available": "La tua istanza sarà disponibile su", - "link_learn_how_it_works": "Scopri come funziona", - "certificate_info": "Informazioni sul certificato" - }, - "alexa": { - "title": "Alexa", - "info": "Con l'integrazione Alexa per Home Assistant Cloud sarete in grado di controllare tutti i vostri dispositivi Home Assistant tramite qualsiasi dispositivo abilitato Alexa.", - "enable_ha_skill": "Abilitare la skill Home Assistant per Alexa", - "config_documentation": "Documentazione di configurazione", - "enable_state_reporting": "Attivare la segnalazione dello stato", - "info_state_reporting": "Se si abilita la segnalazione dello stato, Home Assistant invierà ad Amazon tutte le modifiche di stato delle entità esposte. Questo permette di vedere sempre gli ultimi stati nell'app Alexa e di utilizzare i cambiamenti di stato per creare routine.", - "sync_entities": "Sincronizza entità", - "manage_entities": "Gestire le entità", - "sync_entities_error": "Impossibile sincronizzare le entità:", - "state_reporting_error": "Impossibile a {enable_disable} segnalare lo stato.", - "enable": "abilitare", - "disable": "disabilitare" - }, - "google": { - "title": "Google Assistant", - "info": "Con l'integrazione di Google Assistant per Home Assistant Cloud sarai in grado di controllare tutti i tuoi dispositivi Home Assistant tramite qualsiasi dispositivo abilitato per Google Assistant.", - "enable_ha_skill": "Abilitare la skill Home Assistant per Google Assistant", - "config_documentation": "Documentazione di configurazione", - "enable_state_reporting": "Attivare la segnalazione dello Stato", - "info_state_reporting": "Se si abilita la segnalazione dello stato, Home Assistant invierà a Google tutte le modifiche di stato delle entità esposte. Questo ti permette di vedere sempre gli ultimi stati nell'app di Google.", - "security_devices": "Dispositivi di sicurezza", - "enter_pin_info": "Inserisci un PIN per interagire con i dispositivi di sicurezza. I dispositivi di sicurezza sono porte, porte da garage e serrature. Ti verrà chiesto di dire\/inserire questo PIN quando interagisci con tali dispositivi tramite Google Assistant.", - "devices_pin": "PIN dei dispositivi di sicurezza", - "enter_pin_hint": "Immettere un PIN per utilizzare i dispositivi di sicurezza", - "sync_entities": "Sincronizzare le entità con Google", - "manage_entities": "Gestire le entità", - "enter_pin_error": "Impossibile memorizzare il pin:" - }, - "webhooks": { - "title": "Webhooks", - "info": "Tutto ciò che è configurato per essere attivato da un webhook può essere dotato di un URL accessibile pubblicamente per consentire di inviare i dati all'Home Assistant da qualsiasi luogo, senza esporre la vostra istanza a Internet.", - "no_hooks_yet": "Sembra che tu non abbia ancora dei webhook. Per iniziare, configurare un ", - "no_hooks_yet_link_integration": "Integrazione basata su webhook", - "no_hooks_yet2": " o creando un ", - "no_hooks_yet_link_automation": "automazione webhook", - "link_learn_more": "Ulteriori informazioni sulla creazione di automazioni basate su webhook.", - "loading": "Caricamento in corso ...", - "manage": "Gestire", - "disable_hook_error_msg": "Impossibile disabilitare webhook:" + "triggers": { + "caption": "Fai qualcosa quando..." } }, - "alexa": { - "title": "Alexa", - "banner": "La modifica delle entità esposte tramite questa interfaccia utente è disabilitata perché sono stati configurati filtri di entità in configuration.yaml.", - "exposed_entities": "Entità esposte", - "not_exposed_entities": "Entità non esposte", - "expose": "Esporre ad Alexa" + "caption": "Dispositivi", + "description": "Gestisci i dispositivi collegati" + }, + "entity_registry": { + "caption": "Registro delle entità", + "description": "Panoramica di tutte le entità conosciute.", + "editor": { + "confirm_delete": "Sei sicuro di voler eliminare questa voce?", + "confirm_delete2": "L'eliminazione di una voce non comporta la rimozione dell'entità da Home Assistant. A tale scopo, è necessario rimuovere l'integrazione '{platform}' da Home Assistant.", + "default_name": "Nuova area", + "delete": "ELIMINA", + "enabled_cause": "Disabilitato da {cause}.", + "enabled_description": "Le entità disabilitate non verranno aggiunte a Home Assistant.", + "enabled_label": "Abilita entità", + "unavailable": "Questa entità non è attualmente disponibile.", + "update": "AGGIORNA" }, - "dialog_certificate": { - "certificate_information": "Informazioni sul certificato", - "certificate_expiration_date": "Data di scadenza del certificato", - "will_be_auto_renewed": "Sarà rinnovato automaticamente", - "fingerprint": "Impronta digitale del certificato:", - "close": "Chiudi" - }, - "google": { - "title": "Google Assistant", - "expose": "Esporre a Google Assistant", - "disable_2FA": "Disattivare l'autenticazione a due fattori", - "banner": "La modifica delle entità esposte tramite questa interfaccia utente è disabilitata perché sono stati configurati filtri di entità in configuration.yaml.", - "exposed_entities": "Entità esposte", - "not_exposed_entities": "Entità non esposte", - "sync_to_google": "Sincronizzazione delle modifiche a Google." - }, - "dialog_cloudhook": { - "webhook_for": "Webhook per {name}", - "available_at": "Il webhook è disponibile al seguente URL:", - "managed_by_integration": "Questo webhook è gestito da un'integrazione e non può essere disabilitato.", - "info_disable_webhook": "Se non si desidera più utilizzare questo webhook, è possibile", - "link_disable_webhook": "disabilitarlo", - "view_documentation": "Visualizza la documentazione", - "close": "Chiudi", - "confirm_disable": "Sei sicuro di voler disabilitare questo webhook?", - "copied_to_clipboard": "Copiato negli appunti" + "picker": { + "header": "Registro delle entità", + "headers": { + "enabled": "Abilitato", + "entity_id": "ID entità", + "integration": "Integrazione", + "name": "Nome" + }, + "integrations_page": "Integrazioni", + "introduction": "Home Assistant mantiene un registro di tutte le entità che ha mai localizzato e possono essere identificate in modo univoco. A ciascuna di queste entità sarà assegnato un ID che sarà riservato solo a questa entità.", + "introduction2": "Utilizzare il registro delle entità per sovrascrivere il nome, modificare l'entity ID o rimuovere la voce da Home Assistant. Nota, la rimozione della voce del registro entità non rimuoverà l'entità. Per farlo, segui il link sottostante e rimuovilo dalla pagina delle integrazioni.", + "show_disabled": "Mostra entità disabilitate", + "unavailable": "(non disponibile)" } }, + "header": "Configura Home Assistant", "integrations": { "caption": "Integrazioni", - "description": "Gestire e configurare le integrazioni", - "discovered": "Scoperto", - "configured": "Configurato", - "new": "Configura una nuova integrazione", - "configure": "Configura", - "none": "Non hai ancora configurato niente", "config_entry": { - "no_devices": "Questa integrazione non ha dispositivi.", - "no_device": "Entità senza dispositivi", + "area": "In {area}", + "delete_button": "Elimina {integration}", "delete_confirm": "Sei sicuro di voler eliminare questa integrazione?", - "restart_confirm": "Riavvia Home Assistant per completare la rimozione di questa integrazione", - "manuf": "da {manufacturer}", - "via": "Connesso tramite", - "firmware": "Firmware: {version}", "device_unavailable": "dispositivo non disponibile", "entity_unavailable": "entità non disponibile", - "no_area": "Nessuna area", + "firmware": "Firmware: {version}", "hub": "Connesso tramite", + "manuf": "da {manufacturer}", + "no_area": "Nessuna area", + "no_device": "Entità senza dispositivi", + "no_devices": "Questa integrazione non ha dispositivi.", + "restart_confirm": "Riavvia Home Assistant per completare la rimozione di questa integrazione", "settings_button": "Modificare le impostazioni per {integration}.", "system_options_button": "Opzioni di sistema per {integration}", - "delete_button": "Elimina {integration}", - "area": "In {area}" + "via": "Connesso tramite" }, "config_flow": { "external_step": { @@ -995,28 +1181,151 @@ "open_site": "Apri sito Web" } }, + "configure": "Configura", + "configured": "Configurato", + "description": "Gestire e configurare le integrazioni", + "discovered": "Scoperto", + "home_assistant_website": "Sito Web di Home Assistant", + "new": "Configura una nuova integrazione", + "none": "Non hai ancora configurato niente", "note_about_integrations": "Non tutte le integrazioni possono ancora essere configurate tramite l'interfaccia utente.", - "note_about_website_reference": "Ulteriori informazioni sono disponibili su ", - "home_assistant_website": "Sito Web di Home Assistant" + "note_about_website_reference": "Ulteriori informazioni sono disponibili su " + }, + "introduction": "Qui è possibile configurare i componenti e Home Assistant. Non è ancora possibile configurare tutto dall'interfaccia utente, ma ci stiamo lavorando.", + "person": { + "add_person": "Aggiungi persona", + "caption": "Persone", + "confirm_delete": "Sei sicuro di voler cancellare questa persona?", + "confirm_delete2": "Tutti i dispositivi appartenenti a questa persona non saranno assegnati.", + "create_person": "Crea persona", + "description": "Gestisci le persone di cui tiene traccia Home Assistant", + "detail": { + "create": "Crea", + "delete": "Elimina", + "device_tracker_intro": "Seleziona i dispositivi che appartengono a questa persona.", + "device_tracker_pick": "Scegli il dispositivo da tracciare", + "device_tracker_picked": "Traccia dispositivo", + "link_integrations_page": "Integrazioni", + "link_presence_detection_integrations": "Integrazioni di rilevamento presenza", + "linked_user": "Utente collegato", + "name": "Nome", + "name_error_msg": "Il nome è obbligatorio", + "new_person": "Nuova Persona", + "no_device_tracker_available_intro": "Quando disponi di dispositivi che indicano la presenza di una persona, sarai in grado di assegnarli a essa qui. Puoi aggiungere il tuo primo dispositivo aggiungendo un'integrazione di rilevamento presenza dalla pagina delle integrazioni.", + "update": "Aggiorna" + }, + "introduction": "Qui è possibile definire ogni persona di interesse in Home Assistant.", + "no_persons_created_yet": "Sembra che tu non abbia ancora creato nessuna persona.", + "note_about_persons_configured_in_yaml": "Nota: le persone configurate tramite configuration.yaml non possono essere modificate tramite l'interfaccia utente." + }, + "script": { + "caption": "Script", + "description": "Crea e modifica script", + "editor": { + "default_name": "Nuovo Script", + "delete_confirm": "Sei sicuro di voler eliminare questo script?", + "header": "Script: {name}", + "load_error_not_editable": "Solo gli script all'interno di scripts.yaml sono modificabili." + }, + "picker": { + "add_script": "Aggiungi script", + "header": "Editor di script", + "introduction": "L'editor di script consente di creare e modificare script. Seguire il collegamento seguente per leggere le istruzioni per assicurarsi di aver configurato correttamente Home Assistant.", + "learn_more": "Ulteriori informazioni sugli script", + "no_scripts": "Non è stato possibile trovare alcuno script modificabile" + } + }, + "server_control": { + "caption": "Gestione del server", + "description": "Riavviare e arrestare il server Home Assistant", + "section": { + "reloading": { + "automation": "Ricarica automazioni", + "core": "Ricarica core", + "group": "Ricarica i gruppi", + "heading": "Ricaricamento della configurazione", + "introduction": "Alcune parti di Home Assistant possono essere ricaricate senza richiedere il riavvio. Cliccando su ricarica si rimuoverà la loro configurazione attuale e si caricherà la versione aggiornata.", + "scene": "Ricarica le scene", + "script": "Ricarica script" + }, + "server_management": { + "confirm_restart": "Sei sicuro di voler riavviare Home Assistant?", + "confirm_stop": "Sei sicuro di voler fermare Home Assistant?", + "heading": "Gestione del server", + "introduction": "Controllare il server Home Assistant... da Home Assistant.", + "restart": "Riavviare", + "stop": "Stop" + }, + "validation": { + "check_config": "Controlla la configurazione", + "heading": "Convalida della configurazione", + "introduction": "Convalidare la configurazione se di recente sono state apportate alcune modifiche alla configurazione e si desidera assicurarsi che sia tutto valido", + "invalid": "Configurazione non valida", + "valid": "Configurazione valida!" + } + } + }, + "users": { + "add_user": { + "caption": "Aggiungi utente", + "create": "Crea", + "name": "Nome", + "password": "Password", + "username": "Nome utente" + }, + "caption": "Utenti", + "description": "Gestisci gli utenti", + "editor": { + "activate_user": "Attiva utente", + "active": "Attivo", + "caption": "Visualizza utente", + "change_password": "Cambia password", + "confirm_user_deletion": "Sei sicuro di voler eliminare {name} ?", + "deactivate_user": "Disattiva utente", + "delete_user": "Elimina utente", + "enter_new_name": "Inserisci un nuovo nome", + "group": "Gruppo", + "group_update_failed": "L'aggiornamento del gruppo non è riuscito:", + "id": "ID", + "owner": "Proprietario", + "rename_user": "Rinomina utente", + "system_generated": "Generato dal sistema", + "system_generated_users_not_removable": "Impossibile rimuovere gli utenti generati dal sistema.", + "unnamed_user": "Utente senza nome", + "user_rename_failed": "Rinominazione dell'utente fallita:" + }, + "picker": { + "system_generated": "Generato dal sistema", + "title": "Utenti" + } }, "zha": { - "caption": "ZHA", - "description": "Gestione rete Zigbee Home Automation", - "services": { - "reconfigure": "Riconfigurare il dispositivo ZHA (dispositivo di guarigione). Utilizzare questa opzione se si verificano problemi con il dispositivo. Se il dispositivo in questione è un dispositivo alimentato a batteria, assicurarsi che sia sveglio e che accetti i comandi quando si utilizza questo servizio.", - "updateDeviceName": "Imposta un nome personalizzato per questo dispositivo nel registro dispositivi.", - "remove": "Rimuovi un dispositivo dalla rete Zigbee." - }, - "device_card": { - "device_name_placeholder": "Nome assegnato dall'utente", - "area_picker_label": "Area", - "update_name_button": "Aggiorna nome" - }, "add_device_page": { - "header": "Zigbee Home Automation - Aggiungi dispositivi", - "spinner": "Ricerca di dispositivi ZHA Zigbee ...", "discovery_text": "I dispositivi rilevati verranno visualizzati qui. Seguire le istruzioni per il \/ i dispositivo \/ i e posizionare il \/ i dispositivo \/ i in modalità accoppiamento.", - "search_again": "Cerca di nuovo" + "header": "Zigbee Home Automation - Aggiungi dispositivi", + "search_again": "Cerca di nuovo", + "spinner": "Ricerca di dispositivi ZHA Zigbee ..." + }, + "caption": "ZHA", + "cluster_attributes": { + "attributes_of_cluster": "Attributi del cluster selezionato", + "get_zigbee_attribute": "Ottieni l'attributo Zigbee", + "header": "Attributi del cluster", + "help_attribute_dropdown": "Selezionare un attributo da visualizzare o impostare il suo valore.", + "help_get_zigbee_attribute": "Ottieni il valore per l'attributo selezionato.", + "help_set_zigbee_attribute": "Impostare il valore dell'attributo per il cluster specificato nell'entità specificata.", + "introduction": "Visualizza e modifica gli attributi del cluster.", + "set_zigbee_attribute": "Imposta l'attributo Zigbee" + }, + "cluster_commands": { + "commands_of_cluster": "Comandi del cluster selezionato", + "header": "Comandi cluster", + "help_command_dropdown": "Selezionare un comando con cui interagire.", + "introduction": "Visualizzare ed eseguire comandi cluster.", + "issue_zigbee_command": "Emettere il comando Zigbee" + }, + "clusters": { + "help_cluster_dropdown": "Selezionare un cluster per visualizzare attributi e comandi." }, "common": { "add_devices": "Aggiungi dispositivi", @@ -1025,472 +1334,258 @@ "manufacturer_code_override": "Sostituzione codice produttore", "value": "Valore" }, + "description": "Gestione rete Zigbee Home Automation", + "device_card": { + "area_picker_label": "Area", + "device_name_placeholder": "Nome assegnato dall'utente", + "update_name_button": "Aggiorna nome" + }, "network_management": { "header": "Gestione della rete", "introduction": "Comandi che influiscono sull'intera rete" }, "node_management": { "header": "Gestione dei dispositivi", - "introduction": "Eseguire i comandi ZHA che interessano un singolo dispositivo. Scegliere un dispositivo per visualizzare un elenco di comandi disponibili.", + "help_node_dropdown": "Selezionare un dispositivo per visualizzare le opzioni per dispositivo.", "hint_battery_devices": "Nota: i dispositivi sleepy (alimentati a batteria) devono essere svegli durante l'esecuzione di comandi contro di essi. Generalmente è possibile riattivare un dispositivo dormiente attivandolo.", "hint_wakeup": "Alcuni dispositivi, come i sensori Xiaomi, hanno un pulsante di riattivazione che è possibile premere a intervalli di 5 secondi che mantengono i dispositivi svegli mentre si interagisce con loro.", - "help_node_dropdown": "Selezionare un dispositivo per visualizzare le opzioni per dispositivo." + "introduction": "Eseguire i comandi ZHA che interessano un singolo dispositivo. Scegliere un dispositivo per visualizzare un elenco di comandi disponibili." }, - "clusters": { - "help_cluster_dropdown": "Selezionare un cluster per visualizzare attributi e comandi." - }, - "cluster_attributes": { - "header": "Attributi del cluster", - "introduction": "Visualizza e modifica gli attributi del cluster.", - "attributes_of_cluster": "Attributi del cluster selezionato", - "get_zigbee_attribute": "Ottieni l'attributo Zigbee", - "set_zigbee_attribute": "Imposta l'attributo Zigbee", - "help_attribute_dropdown": "Selezionare un attributo da visualizzare o impostare il suo valore.", - "help_get_zigbee_attribute": "Ottieni il valore per l'attributo selezionato.", - "help_set_zigbee_attribute": "Impostare il valore dell'attributo per il cluster specificato nell'entità specificata." - }, - "cluster_commands": { - "header": "Comandi cluster", - "introduction": "Visualizzare ed eseguire comandi cluster.", - "commands_of_cluster": "Comandi del cluster selezionato", - "issue_zigbee_command": "Emettere il comando Zigbee", - "help_command_dropdown": "Selezionare un comando con cui interagire." + "services": { + "reconfigure": "Riconfigurare il dispositivo ZHA (dispositivo di guarigione). Utilizzare questa opzione se si verificano problemi con il dispositivo. Se il dispositivo in questione è un dispositivo alimentato a batteria, assicurarsi che sia sveglio e che accetti i comandi quando si utilizza questo servizio.", + "remove": "Rimuovi un dispositivo dalla rete Zigbee.", + "updateDeviceName": "Imposta un nome personalizzato per questo dispositivo nel registro dispositivi." } }, - "area_registry": { - "caption": "Registro di area", - "description": "Panoramica di tutte le aree della tua casa.", - "picker": { - "header": "Registro di area", - "introduction": "Le aree sono utilizzate per organizzare dove sono i dispositivi. Queste informazioni saranno utilizzate in Home Assistant per aiutarti ad organizzare la tua interfaccia, permessi e integrazioni con altri sistemi.", - "introduction2": "Per posizionare i dispositivi in un'area, utilizzare il seguente collegamento per accedere alla pagina delle integrazioni e quindi fare clic su un'integrazione configurata per accedere alle schede del dispositivo.", - "integrations_page": "Integrazioni", - "no_areas": "Sembra che tu non abbia ancora delle aree!", - "create_area": "CREA AREA" + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Indice", + "instance": "Esempio", + "unknown": "sconosciuto", + "value": "Valore", + "wakeup_interval": "Intervallo di riattivazione" }, - "no_areas": "Sembra che tu non abbia ancora delle aree!", - "create_area": "CREA AREA", - "editor": { - "default_name": "Nuova area", - "delete": "ELIMINA", - "update": "AGGIORNA", - "create": "CREA" - } - }, - "entity_registry": { - "caption": "Registro delle entità", - "description": "Panoramica di tutte le entità conosciute.", - "picker": { - "header": "Registro delle entità", - "unavailable": "(non disponibile)", - "introduction": "Home Assistant mantiene un registro di tutte le entità che ha mai localizzato e possono essere identificate in modo univoco. A ciascuna di queste entità sarà assegnato un ID che sarà riservato solo a questa entità.", - "introduction2": "Utilizzare il registro delle entità per sovrascrivere il nome, modificare l'entity ID o rimuovere la voce da Home Assistant. Nota, la rimozione della voce del registro entità non rimuoverà l'entità. Per farlo, segui il link sottostante e rimuovilo dalla pagina delle integrazioni.", - "integrations_page": "Integrazioni", - "show_disabled": "Mostra entità disabilitate", - "headers": { - "name": "Nome", - "entity_id": "ID entità", - "integration": "Integrazione", - "enabled": "Abilitato" - } + "description": "Gestisci la tua rete Z-Wave", + "learn_more": "Ulteriori informazioni su Z-Wave", + "network_management": { + "header": "Gestione della rete Z-Wave", + "introduction": "Eseguire comandi che interessano la rete Z-Wave. Non otterrete un feedback sul successo della maggior parte dei comandi, ma potete controllare il Log OZW per cercare di scoprirlo." }, - "editor": { - "unavailable": "Questa entità non è attualmente disponibile.", - "default_name": "Nuova area", - "delete": "ELIMINA", - "update": "AGGIORNA", - "enabled_label": "Abilita entità", - "enabled_cause": "Disabilitato da {cause}.", - "enabled_description": "Le entità disabilitate non verranno aggiunte a Home Assistant.", - "confirm_delete": "Sei sicuro di voler eliminare questa voce?", - "confirm_delete2": "L'eliminazione di una voce non comporta la rimozione dell'entità da Home Assistant. A tale scopo, è necessario rimuovere l'integrazione '{platform}' da Home Assistant." - } - }, - "person": { - "caption": "Persone", - "description": "Gestisci le persone di cui tiene traccia Home Assistant", - "detail": { - "name": "Nome", - "device_tracker_intro": "Seleziona i dispositivi che appartengono a questa persona.", - "device_tracker_picked": "Traccia dispositivo", - "device_tracker_pick": "Scegli il dispositivo da tracciare", - "new_person": "Nuova Persona", - "name_error_msg": "Il nome è obbligatorio", - "linked_user": "Utente collegato", - "no_device_tracker_available_intro": "Quando disponi di dispositivi che indicano la presenza di una persona, sarai in grado di assegnarli a essa qui. Puoi aggiungere il tuo primo dispositivo aggiungendo un'integrazione di rilevamento presenza dalla pagina delle integrazioni.", - "link_presence_detection_integrations": "Integrazioni di rilevamento presenza", - "link_integrations_page": "Integrazioni", - "delete": "Elimina", - "create": "Crea", - "update": "Aggiorna" + "network_status": { + "network_started": "Rete Z-Wave inizializzata", + "network_started_note_all_queried": "Tutti i nodi sono stati interrogati.", + "network_started_note_some_queried": "Sono stati interrogati i nodi attivi. I nodi dormienti verranno interrogati quando si attiveranno.", + "network_starting": "Inizializzazione della rete Z-Wave...", + "network_starting_note": "Questo potrebbe richiedere del tempo a seconda delle dimensioni della tua rete.", + "network_stopped": "Rete Z-Wave arrestata" }, - "introduction": "Qui è possibile definire ogni persona di interesse in Home Assistant.", - "note_about_persons_configured_in_yaml": "Nota: le persone configurate tramite configuration.yaml non possono essere modificate tramite l'interfaccia utente.", - "no_persons_created_yet": "Sembra che tu non abbia ancora creato nessuna persona.", - "create_person": "Crea persona", - "add_person": "Aggiungi persona", - "confirm_delete": "Sei sicuro di voler cancellare questa persona?", - "confirm_delete2": "Tutti i dispositivi appartenenti a questa persona non saranno assegnati." - }, - "server_control": { - "caption": "Gestione del server", - "description": "Riavviare e arrestare il server Home Assistant", - "section": { - "validation": { - "heading": "Convalida della configurazione", - "introduction": "Convalidare la configurazione se di recente sono state apportate alcune modifiche alla configurazione e si desidera assicurarsi che sia tutto valido", - "check_config": "Controlla la configurazione", - "valid": "Configurazione valida!", - "invalid": "Configurazione non valida" - }, - "reloading": { - "heading": "Ricaricamento della configurazione", - "introduction": "Alcune parti di Home Assistant possono essere ricaricate senza richiedere il riavvio. Cliccando su ricarica si rimuoverà la loro configurazione attuale e si caricherà la versione aggiornata.", - "core": "Ricarica core", - "group": "Ricarica i gruppi", - "automation": "Ricarica automazioni", - "script": "Ricarica script", - "scene": "Ricarica le scene" - }, - "server_management": { - "heading": "Gestione del server", - "introduction": "Controllare il server Home Assistant... da Home Assistant.", - "restart": "Riavviare", - "stop": "Stop", - "confirm_restart": "Sei sicuro di voler riavviare Home Assistant?", - "confirm_stop": "Sei sicuro di voler fermare Home Assistant?" - } - } - }, - "devices": { - "caption": "Dispositivi", - "description": "Gestisci i dispositivi collegati", - "automation": { - "triggers": { - "caption": "Fai qualcosa quando..." - }, - "conditions": { - "caption": "Fai qualcosa solo se..." - }, - "actions": { - "caption": "Quando qualcosa si attiva..." - } - } - }, - "common": { - "editor": { - "confirm_unsaved": "Hai dei cambiamenti non salvati. Sei sicuro di voler andare via?" + "node_config": { + "config_parameter": "Parametro di configurazione", + "config_value": "Valore di configurazione", + "false": "Falso", + "header": "Opzioni di configurazione del nodo", + "seconds": "secondi", + "set_config_parameter": "Imposta parametro di configurazione", + "set_wakeup": "Imposta intervallo di riattivazione", + "true": "Vero" + }, + "ozw_log": { + "header": "Registro OZW", + "introduction": "Guarda il registro. 0 è il minimo (carica l'intero log) e 1000 è il massimo. Load mostrerà un log statico e la coda si aggiornerà automaticamente con l'ultimo numero di righe specificato del log." + }, + "services": { + "add_node": "Aggiungi Nodo", + "add_node_secure": "Aggiungi nodo sicuro", + "cancel_command": "Annulla Comando", + "heal_network": "Testa la rete", + "remove_node": "Rimuovi nodo", + "save_config": "Salva configurazione", + "soft_reset": "Soft Reset", + "start_network": "Avvia la rete", + "stop_network": "Ferma la rete", + "test_network": "Testa la rete" + }, + "values": { + "header": "Valori del nodo" } } }, - "profile": { - "push_notifications": { - "header": "Notifiche push", - "description": "Invia notifiche a questo dispositivo.", - "error_load_platform": "Configura notify.html5.", - "error_use_https": "Richiede SSL abilitato per il frontend.", - "push_notifications": "Notifiche push", - "link_promo": "Per saperne di più" - }, - "language": { - "header": "Lingua", - "link_promo": "Aiuta a tradurre", - "dropdown_label": "Lingua" - }, - "themes": { - "header": "Tema", - "error_no_theme": "Nessun tema disponibile.", - "link_promo": "Per saperne di più sui temi", - "dropdown_label": "Tema" - }, - "refresh_tokens": { - "header": "Token di aggiornamento", - "description": "Ogni token di aggiornamento rappresenta una sessione di accesso. I token di aggiornamento verranno rimossi automaticamente quando si fa clic su Disconnetti. I seguenti token di aggiornamento sono attualmente attivi per il tuo account.", - "token_title": "Token di aggiornamento per {clientId}", - "created_at": "Creato il {date}", - "confirm_delete": "Sei sicuro di voler eliminare il token di aggiornamento per {name} ?", - "delete_failed": "Impossibile eliminare il token di aggiornamento.", - "last_used": "Utilizzato l'ultima volta il {date} da {location}", - "not_used": "Non è mai stato usato", - "current_token_tooltip": "Impossibile eliminare il token di aggiornamento corrente" - }, - "long_lived_access_tokens": { - "header": "Token di accesso a lunga vita", - "description": "Crea token di accesso di lunga durata per consentire agli script di interagire con l'istanza di Home Assistant. Ogni token sarà valido per 10 anni dalla creazione. I seguenti token di accesso a vita lunga sono attualmente attivi.", - "learn_auth_requests": "Scopri come effettuare richieste autenticate.", - "created_at": "Creato il {date}", - "confirm_delete": "Sei sicuro di voler eliminare il token di accesso per {name} ?", - "delete_failed": "Impossibile eliminare il token di accesso.", - "create": "Crea token", - "create_failed": "Impossibile creare il token di accesso.", - "prompt_name": "Nome?", - "prompt_copy_token": "Copia il tuo token di accesso. Non verrà più mostrato.", - "empty_state": "Non hai ancora un token di accesso di lunga durata.", - "last_used": "Utilizzato l'ultima volta il {date} da {location}", - "not_used": "Non è mai stato usato" - }, - "current_user": "Sei attualmente connesso come {fullName}.", - "is_owner": "Sei un proprietario.", - "change_password": { - "header": "Cambia password", - "current_password": "Password corrente", - "new_password": "Nuova password", - "confirm_new_password": "Conferma la nuova password", - "error_required": "Richiesto", - "submit": "Invia" - }, - "mfa": { - "header": "Codice di autenticazione a più fattori", - "disable": "Disattivare", - "enable": "Abilita", - "confirm_disable": "Sei sicuro di voler disabilitare {name} ?" - }, - "mfa_setup": { - "title_aborted": "Interrotto", - "title_success": "Completata con Successo", - "step_done": "Installazione completata per {step}", - "close": "Chiudi", - "submit": "Invia" - }, - "logout": "Disconnetti", - "force_narrow": { - "header": "Nascondi sempre la barra laterale", - "description": "Questo nasconderà la barra laterale per impostazione predefinita, in modo simile all'esperienza mobile" - }, - "vibrate": { - "header": "Vibrare", - "description": "Abilitare o disabilitare la vibrazione su questo dispositivo durante il controllo dei dispositivi." - }, - "advanced_mode": { - "title": "Modalità avanzata", - "description": "Home Assistant nasconde le funzioni e le opzioni avanzate per impostazione predefinita. È possibile rendere accessibili queste funzionalità selezionando questo interruttore. Si tratta di un'impostazione specifica dell'utente e non influisce sugli altri utenti che utilizzano Home Assistant." - } - }, - "page-authorize": { - "initializing": "Inizializzazione", - "authorizing_client": "Stai per dare a {clientId} accesso alla tua istanza di Home Assistant.", - "logging_in_with": "Accesso con **{authProviderName}**.", - "pick_auth_provider": "Oppure accedi con", - "abort_intro": "Login interrotto", - "form": { - "working": "Attendere prego", - "unknown_error": "Qualcosa è andato storto", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Nome utente", - "password": "Password" - } - }, - "mfa": { - "data": { - "code": "Codice di autenticazione a due fattori" - }, - "description": "Apri il **{mfa_module_name}** sul tuo dispositivo per visualizzare il codice di autenticazione a due fattori e verificare la tua identità:" - } - }, - "error": { - "invalid_auth": "Nome utente o password errati", - "invalid_code": "Codice di autenticazione non valido" - }, - "abort": { - "login_expired": "Sessione scaduta, effettua nuovamente il login." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "Password API" - }, - "description": "Inserisci l'API password nella configurazione http:" - }, - "mfa": { - "data": { - "code": "Codice di autenticazione a due fattori" - }, - "description": "Apri il **{mfa_module_name}** sul tuo dispositivo per visualizzare il codice di autenticazione a due fattori e verificare la tua identità:" - } - }, - "error": { - "invalid_auth": "Password API non valida", - "invalid_code": "Codice di autenticazione non valido" - }, - "abort": { - "no_api_password_set": "Non hai una password API configurata.", - "login_expired": "Sessione scaduta, effettua nuovamente il login." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Utente" - }, - "description": "Per favore, scegli l'utente con cui vuoi effettuare l'accesso:" - } - }, - "abort": { - "not_whitelisted": "Il tuo computer non è nella whitelist." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Username", - "password": "Password" - } - }, - "mfa": { - "data": { - "code": "Codice di autenticazione a due fattori" - }, - "description": "Apri il **{mfa_module_name}** sul tuo dispositivo per visualizzare il codice di autenticazione a due fattori e verificare la tua identità:" - } - }, - "error": { - "invalid_auth": "Nome utente o password errati", - "invalid_code": "Codice di autenticazione non valido" - }, - "abort": { - "login_expired": "Sessione scaduta, effettua nuovamente il login." - } - } - } - } - }, - "page-onboarding": { - "intro": "Sei pronto per risvegliare la tua casa, reclamare la tua privacy e far parte di una comunità mondiale di smanettoni?", - "user": { - "intro": "Cominciamo con la creazione di un account utente.", - "required_field": "Necessario", - "data": { - "name": "Nome", - "username": "Nome utente", - "password": "Password", - "password_confirm": "Conferma la nuova password" + "developer-tools": { + "tabs": { + "events": { + "alert_event_type": "Il tipo di evento è un campo obbligatorio", + "available_events": "Eventi disponibili", + "count_listeners": "({count} ascoltatori)", + "data": "Dati Evento (YAML, opzionale)", + "description": "Attiva un evento sul bus eventi.", + "documentation": "Documentazione degli Eventi.", + "event_fired": "Evento {name} generato", + "fire_event": "Scatena Evento", + "listen_to_events": "Ascoltare gli eventi", + "listening_to": "In ascolto di", + "notification_event_fired": "Evento {type} eseguito correttamente!", + "start_listening": "Iniziare ad ascoltare", + "stop_listening": "Interrompere l'ascolto", + "subscribe_to": "Evento a cui iscriversi", + "title": "Eventi", + "type": "Tipo di Evento" }, - "create_account": "Crea un Account", - "error": { - "required_fields": "Compila tutti i campi richiesti", - "password_not_match": "Le password non corrispondono" + "info": { + "built_using": "Costruito usando", + "custom_uis": "Interfacce Utente personalizzate:", + "default_ui": "{action} {name} come pagina predefinita su questo dispositivo", + "developed_by": "Sviluppato da un gruppo di persone fantastiche.", + "frontend": "frontend-ui", + "frontend_version": "Versione Frontend: {version} - {type}", + "home_assistant_logo": "Logo Home Assistant", + "icons_by": "Icone di", + "license": "Pubblicato sotto la licenza Apache 2.0", + "lovelace_ui": "Vai all'Interfaccia Utente di Lovelace", + "path_configuration": "Percorso del file configuration.yaml: {path}", + "remove": "Rimuovere", + "server": "server", + "set": "Impostare", + "source": "Fonte:", + "states_ui": "Vai all'Interfaccia Utente degli Stati", + "system_health_error": "Il componente System Health non è caricato. Aggiungere 'system_health:' a configuration.yaml", + "title": "Informazioni" + }, + "logs": { + "clear": "Pulisci", + "details": "Dettagli registro ({level})", + "load_full_log": "Carica il registro completo di Home Assistant", + "loading_log": "Caricamento del registro errori...", + "multiple_messages": "il messaggio si è verificato per la prima volta alle {time} e compare {counter} volte", + "no_errors": "Non sono stati segnalati errori.", + "no_issues": "Non ci sono nuovi problemi!", + "refresh": "Aggiorna", + "title": "Registri" + }, + "mqtt": { + "description_listen": "Ascoltare un argomento", + "description_publish": "Pubblicare un pacchetto", + "listening_to": "Ascolto di", + "message_received": "Messaggio {id} ricevuto su {topic} alle {time}:", + "payload": "Payload (modello consentito)", + "publish": "Pubblicare", + "start_listening": "Inizia ad ascoltare", + "stop_listening": "Interrompere l'ascolto", + "subscribe_to": "Argomento a cui iscriversi", + "title": "MQTT", + "topic": "argomento" + }, + "services": { + "alert_parsing_yaml": "Errore durante l'analisi di YAML: {data}", + "call_service": "Chiama il Servizio", + "column_description": "Descrizione", + "column_example": "Esempio", + "column_parameter": "Parametro", + "data": "Dati di Servizio (YAML, opzionale)", + "description": "Lo strumento di sviluppo del servizio consente di chiamare qualsiasi servizio disponibile in Home Assistant.", + "fill_example_data": "Inserisci dati di esempio", + "no_description": "Nessuna descrizione disponibile", + "no_parameters": "Questo servizio non richiede parametri.", + "select_service": "Selezionare un servizio per visualizzare la descrizione", + "title": "Servizi" + }, + "states": { + "alert_entity_field": "Entità è un campo obbligatorio", + "attributes": "Attributi", + "current_entities": "Entità correnti", + "description1": "Impostare la rappresentazione di un dispositivo all'interno di Home Assistant.", + "description2": "Questo non comunicherà con il dispositivo attuale.", + "entity": "Entità", + "filter_attributes": "Attributi del filtro", + "filter_entities": "Filtra entità", + "filter_states": "Stati del filtro", + "more_info": "Ulteriori informazioni", + "no_entities": "Nessuna entità", + "set_state": "Imposta Stato", + "state": "Stato", + "state_attributes": "Attributi di stato (YAML, facoltativo)", + "title": "Stati" + }, + "templates": { + "description": "Il rendering dei modelli viene eseguito utilizzando il motore di modelli Jinja2 con alcune estensioni specifiche di Home Assistant.", + "editor": "Editor di modelli", + "jinja_documentation": "Documentazione del modello Jinja2", + "template_extensions": "Estensioni del modello Home Assistant", + "title": "Modelli", + "unknown_error_template": "Errore sconosciuto nel modello di rendering" } - }, - "integration": { - "intro": "Dispositivi e servizi sono rappresentati in Home Assistant come integrazioni. È possibile impostarli ora, o farlo in seguito dalla schermata di configurazione.", - "more_integrations": "Di Più", - "finish": "Finire" - }, - "core-config": { - "intro": "Salve {name}, benvenuto su Home Assistant. Come vorresti nominare la tua casa?", - "intro_location": "Vorremmo sapere dove vivete. Queste informazioni aiuteranno a visualizzare informazioni e automazioni basate sul sole. Questi dati non vengono mai condivisi al di fuori della vostra rete.", - "intro_location_detect": "Possiamo aiutarti a compilare queste informazioni effettuando una richiesta una volta a un servizio esterno.", - "location_name_default": "Casa", - "button_detect": "Rileva", - "finish": "Prossimo" } }, + "history": { + "period": "Periodo", + "showing_entries": "Mostra registrazioni per" + }, + "logbook": { + "period": "Periodo", + "showing_entries": "Mostra registrazioni per" + }, "lovelace": { "cards": { - "shopping-list": { - "checked_items": "Elementi selezionati", - "clear_items": "Cancella gli elementi selezionati", - "add_item": "Aggiungi elemento" - }, + "confirm_delete": "Sei sicuro di voler cancellare questa scheda?", "empty_state": { - "title": "Benvenuto a casa", + "go_to_integrations_page": "Vai alla pagina delle integrazioni.", "no_devices": "Questa pagina ti consente di controllare i tuoi dispositivi, tuttavia sembra che tu non abbia ancora configurato uno. Vai alla pagina delle integrazioni per iniziare.", - "go_to_integrations_page": "Vai alla pagina delle integrazioni." + "title": "Benvenuto a casa" }, "picture-elements": { - "hold": "Tenere premuto:", - "tap": "Tocca:", - "navigate_to": "Vai a {location}", - "toggle": "Commuta {name}", "call_service": "Chiama il servizio {name}", + "hold": "Tenere premuto:", "more_info": "Mostra più informazioni: {name}", + "navigate_to": "Vai a {location}", + "tap": "Tocca:", + "toggle": "Commuta {name}", "url": "Aprire la finestra per {url_path}" }, - "confirm_delete": "Sei sicuro di voler cancellare questa scheda?" + "shopping-list": { + "add_item": "Aggiungi elemento", + "checked_items": "Elementi selezionati", + "clear_items": "Cancella gli elementi selezionati" + } + }, + "changed_toast": { + "message": "La configurazione di Lovelace è stata aggiornata, desideri aggiornare?", + "refresh": "Aggiorna" }, "editor": { - "edit_card": { - "header": "Configurazione della scheda", - "save": "Salva", - "toggle_editor": "Attiva \/ disattiva l'editor", - "pick_card": "Quale scheda vorresti aggiungere?", - "add": "Aggiungi scheda", - "edit": "Modifica", - "delete": "Elimina", - "move": "Sposta", - "show_visual_editor": "Mostra Editor Visivo", - "show_code_editor": "Mostra Editor di Codice", - "pick_card_view_title": "Quale scheda vorresti aggiungere alla tua vista {name}?", - "options": "Più opzioni" - }, - "migrate": { - "header": "Configurazione incompatibile", - "para_no_id": "Questo elemento non ha un ID. Aggiungi un ID a questo elemento in 'ui-lovelace.yaml'.", - "para_migrate": "Home Assistant può aggiungere automaticamente gli ID a tutte le tue schede e visualizzazioni automaticamente premendo il pulsante \"Eporta configurazione\".", - "migrate": "Esporta configurazione" - }, - "header": "Modifica dell'interfaccia utente", - "edit_view": { - "header": "Visualizza configurazione", - "add": "Aggiungi vista", - "edit": "Modifica vista", - "delete": "Cancella vista", - "header_name": "{name} Visualizza configurazione" - }, - "save_config": { - "header": "Prendi il controllo della tua interfaccia utente di Lovelace", - "para": "Per impostazione predefinita, Home Assistant manterrà l'interfaccia utente, aggiornandola quando nuove entità o componenti Lovelace diventano disponibili. Se prendi il controllo non effettueremo più automaticamente le modifiche per te.", - "para_sure": "Sei sicuro di voler prendere il controllo della tua interfaccia utente?", - "cancel": "Rinuncia", - "save": "Prendere il controllo" - }, - "menu": { - "raw_editor": "Editor di configurazione grezzo", - "open": "Apri il menu Lovelace" - }, - "raw_editor": { - "header": "Modifica le impostazioni", - "save": "Salva", - "unsaved_changes": "Modifiche non salvate", - "saved": "Salvato" - }, - "edit_lovelace": { - "header": "Titolo della tua interfaccia utente di Lovelace", - "explanation": "Questo titolo è mostrato sopra tutte le tue viste in Lovelace." - }, "card": { "alarm_panel": { "available_states": "Stati disponibili" }, + "alarm-panel": { + "available_states": "Stati disponibili", + "name": "Pannello di allarme" + }, + "conditional": { + "name": "Condizionale" + }, "config": { - "required": "Richiesto", - "optional": "Facoltativo" + "optional": "Facoltativo", + "required": "Richiesto" }, "entities": { - "show_header_toggle": "Mostrare l'interruttore dell'intestazione?", "name": "Entità", + "show_header_toggle": "Mostrare l'interruttore dell'intestazione?", "toggle": "Attiva\/disattiva entità." }, + "entity-button": { + "name": "Pulsante Entità" + }, + "entity-filter": { + "name": "Filtro Entità" + }, "gauge": { + "name": "Indicatore", "severity": { "define": "Definire la gravità?", "green": "Verde", "red": "Rosso", "yellow": "Giallo" - }, - "name": "Indicatore" - }, - "glance": { - "columns": "Colonne", - "name": "Vista" + } }, "generic": { "aspect_ratio": "Proporzioni", @@ -1511,39 +1606,14 @@ "show_name": "Mostrare il nome?", "show_state": "Mostrare lo stato?", "tap_action": "Tocca Azione", - "title": "Titolo", "theme": "Tema", + "title": "Titolo", "unit": "Unità", "url": "Url" }, - "map": { - "geo_location_sources": "Fonti di geolocalizzazione", - "dark_mode": "Modalità scura?", - "default_zoom": "Ingrandimento predefinito", - "source": "Fonte", - "name": "Mappa" - }, - "markdown": { - "content": "Contenuto", - "name": "Riduzione" - }, - "sensor": { - "graph_detail": "Dettaglio grafico", - "graph_type": "Tipo di grafico", - "name": "Sensore" - }, - "alarm-panel": { - "name": "Pannello di allarme", - "available_states": "Stati disponibili" - }, - "conditional": { - "name": "Condizionale" - }, - "entity-button": { - "name": "Pulsante Entità" - }, - "entity-filter": { - "name": "Filtro Entità" + "glance": { + "columns": "Colonne", + "name": "Vista" }, "history-graph": { "name": "Grafico cronologico" @@ -1557,12 +1627,20 @@ "light": { "name": "Luce" }, + "map": { + "dark_mode": "Modalità scura?", + "default_zoom": "Ingrandimento predefinito", + "geo_location_sources": "Fonti di geolocalizzazione", + "name": "Mappa", + "source": "Fonte" + }, + "markdown": { + "content": "Contenuto", + "name": "Riduzione" + }, "media-control": { "name": "Controllo dei media" }, - "picture": { - "name": "Immagine" - }, "picture-elements": { "name": "Elementi immagine" }, @@ -1572,9 +1650,17 @@ "picture-glance": { "name": "Vista immagine" }, + "picture": { + "name": "Immagine" + }, "plant-status": { "name": "Stato dell'impianto" }, + "sensor": { + "graph_detail": "Dettaglio grafico", + "graph_type": "Tipo di grafico", + "name": "Sensore" + }, "shopping-list": { "name": "Lista della spesa" }, @@ -1588,434 +1674,348 @@ "name": "Previsioni del tempo" } }, + "edit_card": { + "add": "Aggiungi scheda", + "delete": "Elimina", + "edit": "Modifica", + "header": "Configurazione della scheda", + "move": "Sposta", + "options": "Più opzioni", + "pick_card": "Quale scheda vorresti aggiungere?", + "pick_card_view_title": "Quale scheda vorresti aggiungere alla tua vista {name}?", + "save": "Salva", + "show_code_editor": "Mostra Editor di Codice", + "show_visual_editor": "Mostra Editor Visivo", + "toggle_editor": "Attiva \/ disattiva l'editor" + }, + "edit_lovelace": { + "explanation": "Questo titolo è mostrato sopra tutte le tue viste in Lovelace.", + "header": "Titolo della tua interfaccia utente di Lovelace" + }, + "edit_view": { + "add": "Aggiungi vista", + "delete": "Cancella vista", + "edit": "Modifica vista", + "header": "Visualizza configurazione", + "header_name": "{name} Visualizza configurazione" + }, + "header": "Modifica dell'interfaccia utente", + "menu": { + "open": "Apri il menu Lovelace", + "raw_editor": "Editor di configurazione grezzo" + }, + "migrate": { + "header": "Configurazione incompatibile", + "migrate": "Esporta configurazione", + "para_migrate": "Home Assistant può aggiungere automaticamente gli ID a tutte le tue schede e visualizzazioni automaticamente premendo il pulsante \"Eporta configurazione\".", + "para_no_id": "Questo elemento non ha un ID. Aggiungi un ID a questo elemento in 'ui-lovelace.yaml'." + }, + "raw_editor": { + "header": "Modifica le impostazioni", + "save": "Salva", + "saved": "Salvato", + "unsaved_changes": "Modifiche non salvate" + }, + "save_config": { + "cancel": "Rinuncia", + "header": "Prendi il controllo della tua interfaccia utente di Lovelace", + "para": "Per impostazione predefinita, Home Assistant manterrà l'interfaccia utente, aggiornandola quando nuove entità o componenti Lovelace diventano disponibili. Se prendi il controllo non effettueremo più automaticamente le modifiche per te.", + "para_sure": "Sei sicuro di voler prendere il controllo della tua interfaccia utente?", + "save": "Prendere il controllo" + }, "view": { "panel_mode": { - "title": "Modalità pannello?", - "description": "In questo modo viene eseguito il rendering della prima scheda a larghezza intera; altre schede in questa vista non verranno renderizzate." + "description": "In questo modo viene eseguito il rendering della prima scheda a larghezza intera; altre schede in questa vista non verranno renderizzate.", + "title": "Modalità pannello?" } } }, "menu": { "configure_ui": "Configurare l'interfaccia utente", - "unused_entities": "Entità non utilizzate", "help": "Aiuto", - "refresh": "Aggiorna" - }, - "warning": { - "entity_not_found": "Entità non disponibile: {entity}", - "entity_non_numeric": "L'entità non è numerica: {entity}" - }, - "changed_toast": { - "message": "La configurazione di Lovelace è stata aggiornata, desideri aggiornare?", - "refresh": "Aggiorna" + "refresh": "Aggiorna", + "unused_entities": "Entità non utilizzate" }, "reload_lovelace": "Ricarica Lovelace", "views": { "confirm_delete": "Sei sicuro di voler eliminare questa vista?", "existing_cards": "Non è possibile eliminare una visualizzazione contenente schede. Rimuovere prima le schede." + }, + "warning": { + "entity_non_numeric": "L'entità non è numerica: {entity}", + "entity_not_found": "Entità non disponibile: {entity}" } }, + "mailbox": { + "delete_button": "Elimina", + "delete_prompt": "Eliminare questo messaggio?", + "empty": "Non hai nessun messaggio", + "playback_title": "Riproduci messaggio" + }, + "page-authorize": { + "abort_intro": "Login interrotto", + "authorizing_client": "Stai per dare a {clientId} accesso alla tua istanza di Home Assistant.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Sessione scaduta, effettua nuovamente il login." + }, + "error": { + "invalid_auth": "Nome utente o password errati", + "invalid_code": "Codice di autenticazione non valido" + }, + "step": { + "init": { + "data": { + "password": "Password", + "username": "Username" + } + }, + "mfa": { + "data": { + "code": "Codice di autenticazione a due fattori" + }, + "description": "Apri il **{mfa_module_name}** sul tuo dispositivo per visualizzare il codice di autenticazione a due fattori e verificare la tua identità:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Sessione scaduta, effettua nuovamente il login." + }, + "error": { + "invalid_auth": "Nome utente o password errati", + "invalid_code": "Codice di autenticazione non valido" + }, + "step": { + "init": { + "data": { + "password": "Password", + "username": "Nome utente" + } + }, + "mfa": { + "data": { + "code": "Codice di autenticazione a due fattori" + }, + "description": "Apri il **{mfa_module_name}** sul tuo dispositivo per visualizzare il codice di autenticazione a due fattori e verificare la tua identità:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Sessione scaduta, effettua nuovamente il login.", + "no_api_password_set": "Non hai una password API configurata." + }, + "error": { + "invalid_auth": "Password API non valida", + "invalid_code": "Codice di autenticazione non valido" + }, + "step": { + "init": { + "data": { + "password": "Password API" + }, + "description": "Inserisci l'API password nella configurazione http:" + }, + "mfa": { + "data": { + "code": "Codice di autenticazione a due fattori" + }, + "description": "Apri il **{mfa_module_name}** sul tuo dispositivo per visualizzare il codice di autenticazione a due fattori e verificare la tua identità:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Il tuo computer non è nella whitelist." + }, + "step": { + "init": { + "data": { + "user": "Utente" + }, + "description": "Per favore, scegli l'utente con cui vuoi effettuare l'accesso:" + } + } + } + }, + "unknown_error": "Qualcosa è andato storto", + "working": "Attendere prego" + }, + "initializing": "Inizializzazione", + "logging_in_with": "Accesso con **{authProviderName}**.", + "pick_auth_provider": "Oppure accedi con" + }, "page-demo": { "cards": { "demo": { "demo_by": "di {name}", - "next_demo": "Prossima demo", "introduction": "Benvenuto a casa! Questa è la demo di Home Assistant, qui pubblichiamo le migliori interfacce utente create dalla nostra community.", - "learn_more": "Scopri di più su Home Assistant" + "learn_more": "Scopri di più su Home Assistant", + "next_demo": "Prossima demo" } }, "config": { "arsaboo": { - "names": { - "upstairs": "Piano superiore", - "family_room": "Soggiorno", - "kitchen": "Cucina", - "patio": "Patio", - "hallway": "Corridoio", - "master_bedroom": "Camera principale", - "left": "Sinistra", - "right": "Destra", - "mirror": "Specchio", - "temperature_study": "Studio della temperatura" - }, "labels": { - "lights": "Luci", - "information": "Informazioni", - "morning_commute": "Tragitto mattutino", + "activity": "Attività", + "air": "Aria", "commute_home": "Tragitto per casa", "entertainment": "Intrattenimento", - "activity": "Attività", "hdmi_input": "Ingresso HDMI", "hdmi_switcher": "Commutatore HDMI", - "volume": "Volume", + "information": "Informazioni", + "lights": "Luci", + "morning_commute": "Tragitto mattutino", "total_tv_time": "Tempo totale TV", "turn_tv_off": "Spegni la televisione", - "air": "Aria" + "volume": "Volume" + }, + "names": { + "family_room": "Soggiorno", + "hallway": "Corridoio", + "kitchen": "Cucina", + "left": "Sinistra", + "master_bedroom": "Camera principale", + "mirror": "Specchio", + "patio": "Patio", + "right": "Destra", + "temperature_study": "Studio della temperatura", + "upstairs": "Piano superiore" }, "unit": { - "watching": "Stai guardando", - "minutes_abbr": "min" + "minutes_abbr": "min", + "watching": "Stai guardando" } } } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Rileva", + "finish": "Prossimo", + "intro": "Salve {name}, benvenuto su Home Assistant. Come vorresti nominare la tua casa?", + "intro_location": "Vorremmo sapere dove vivete. Queste informazioni aiuteranno a visualizzare informazioni e automazioni basate sul sole. Questi dati non vengono mai condivisi al di fuori della vostra rete.", + "intro_location_detect": "Possiamo aiutarti a compilare queste informazioni effettuando una richiesta una volta a un servizio esterno.", + "location_name_default": "Casa" + }, + "integration": { + "finish": "Finire", + "intro": "Dispositivi e servizi sono rappresentati in Home Assistant come integrazioni. È possibile impostarli ora, o farlo in seguito dalla schermata di configurazione.", + "more_integrations": "Di Più" + }, + "intro": "Sei pronto per risvegliare la tua casa, reclamare la tua privacy e far parte di una comunità mondiale di smanettoni?", + "user": { + "create_account": "Crea un Account", + "data": { + "name": "Nome", + "password": "Password", + "password_confirm": "Conferma la nuova password", + "username": "Nome utente" + }, + "error": { + "password_not_match": "Le password non corrispondono", + "required_fields": "Compila tutti i campi richiesti" + }, + "intro": "Cominciamo con la creazione di un account utente.", + "required_field": "Necessario" + } + }, + "profile": { + "advanced_mode": { + "description": "Home Assistant nasconde le funzioni e le opzioni avanzate per impostazione predefinita. È possibile rendere accessibili queste funzionalità selezionando questo interruttore. Si tratta di un'impostazione specifica dell'utente e non influisce sugli altri utenti che utilizzano Home Assistant.", + "title": "Modalità avanzata" + }, + "change_password": { + "confirm_new_password": "Conferma la nuova password", + "current_password": "Password corrente", + "error_required": "Richiesto", + "header": "Cambia password", + "new_password": "Nuova password", + "submit": "Invia" + }, + "current_user": "Sei attualmente connesso come {fullName}.", + "force_narrow": { + "description": "Questo nasconderà la barra laterale per impostazione predefinita, in modo simile all'esperienza mobile", + "header": "Nascondi sempre la barra laterale" + }, + "is_owner": "Sei un proprietario.", + "language": { + "dropdown_label": "Lingua", + "header": "Lingua", + "link_promo": "Aiuta a tradurre" + }, + "logout": "Disconnetti", + "long_lived_access_tokens": { + "confirm_delete": "Sei sicuro di voler eliminare il token di accesso per {name} ?", + "create": "Crea token", + "create_failed": "Impossibile creare il token di accesso.", + "created_at": "Creato il {date}", + "delete_failed": "Impossibile eliminare il token di accesso.", + "description": "Crea token di accesso di lunga durata per consentire agli script di interagire con l'istanza di Home Assistant. Ogni token sarà valido per 10 anni dalla creazione. I seguenti token di accesso a vita lunga sono attualmente attivi.", + "empty_state": "Non hai ancora un token di accesso di lunga durata.", + "header": "Token di accesso a lunga vita", + "last_used": "Utilizzato l'ultima volta il {date} da {location}", + "learn_auth_requests": "Scopri come effettuare richieste autenticate.", + "not_used": "Non è mai stato usato", + "prompt_copy_token": "Copia il tuo token di accesso. Non verrà più mostrato.", + "prompt_name": "Nome?" + }, + "mfa_setup": { + "close": "Chiudi", + "step_done": "Installazione completata per {step}", + "submit": "Invia", + "title_aborted": "Interrotto", + "title_success": "Completata con Successo" + }, + "mfa": { + "confirm_disable": "Sei sicuro di voler disabilitare {name} ?", + "disable": "Disattivare", + "enable": "Abilita", + "header": "Codice di autenticazione a più fattori" + }, + "push_notifications": { + "description": "Invia notifiche a questo dispositivo.", + "error_load_platform": "Configura notify.html5.", + "error_use_https": "Richiede SSL abilitato per il frontend.", + "header": "Notifiche push", + "link_promo": "Per saperne di più", + "push_notifications": "Notifiche push" + }, + "refresh_tokens": { + "confirm_delete": "Sei sicuro di voler eliminare il token di aggiornamento per {name} ?", + "created_at": "Creato il {date}", + "current_token_tooltip": "Impossibile eliminare il token di aggiornamento corrente", + "delete_failed": "Impossibile eliminare il token di aggiornamento.", + "description": "Ogni token di aggiornamento rappresenta una sessione di accesso. I token di aggiornamento verranno rimossi automaticamente quando si fa clic su Disconnetti. I seguenti token di aggiornamento sono attualmente attivi per il tuo account.", + "header": "Token di aggiornamento", + "last_used": "Utilizzato l'ultima volta il {date} da {location}", + "not_used": "Non è mai stato usato", + "token_title": "Token di aggiornamento per {clientId}" + }, + "themes": { + "dropdown_label": "Tema", + "error_no_theme": "Nessun tema disponibile.", + "header": "Tema", + "link_promo": "Per saperne di più sui temi" + }, + "vibrate": { + "description": "Abilitare o disabilitare la vibrazione su questo dispositivo durante il controllo dei dispositivi.", + "header": "Vibrare" + } + }, + "shopping-list": { + "add_item": "Aggiungi articolo", + "clear_completed": "Pulizia completata", + "microphone_tip": "Tocca il microfono in alto a destra e dì \"Aggiungi caramelle alla mia lista della spesa\"" } }, "sidebar": { - "log_out": "Esci", "external_app_configuration": "Configurazione App", + "log_out": "Esci", "sidebar_toggle": "Attiva\/disattiva la barra laterale" - }, - "common": { - "loading": "Caricamento", - "cancel": "Annulla", - "save": "Salva", - "successfully_saved": "Salvataggio riuscito" - }, - "duration": { - "day": "{count} {count, plural,\none {giorno}\nother {giorni}\n}", - "week": "{count} {count, plural,\none {settimana}\nother {settimane}\n}", - "second": "{count} {count, plural,\none {secondo}\nother {secondi}\n}", - "minute": "{count} {count, plural,\none {minuto}\nother {minuti}\n}", - "hour": "{count} {count, plural,\none {ora}\nother {ore}\n}" - }, - "login-form": { - "password": "Password", - "remember": "Ricorda", - "log_in": "Accedi" - }, - "card": { - "camera": { - "not_available": "Immagine non disponibile" - }, - "persistent_notification": { - "dismiss": "Rimuovi" - }, - "scene": { - "activate": "Attiva" - }, - "script": { - "execute": "Esegui" - }, - "weather": { - "attributes": { - "air_pressure": "Pressione atmosferica", - "humidity": "Umidità", - "temperature": "Temperatura", - "visibility": "Visibilità", - "wind_speed": "Velocità del vento" - }, - "cardinal_direction": { - "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" - }, - "forecast": "Previsioni" - }, - "alarm_control_panel": { - "code": "Codice", - "clear_code": "Canc", - "disarm": "Disattiva", - "arm_home": "Attiva In casa", - "arm_away": "Attiva Fuori Casa", - "arm_night": "Attiva Notte", - "armed_custom_bypass": "Attiva con bypass", - "arm_custom_bypass": "Bypass personalizzato" - }, - "automation": { - "last_triggered": "Ultima attivazione", - "trigger": "Attiva" - }, - "cover": { - "position": "Posizione", - "tilt_position": "Inclinazione" - }, - "fan": { - "speed": "Velocità", - "oscillate": "Oscillazione", - "direction": "Direzione", - "forward": "Avanti", - "reverse": "Indietro" - }, - "light": { - "brightness": "Luminosità", - "color_temperature": "Temperatura colore", - "white_value": "Valore bianco", - "effect": "Effetto" - }, - "media_player": { - "text_to_speak": "Testo da leggere", - "source": "Fonte", - "sound_mode": "Modalità Audio" - }, - "climate": { - "currently": "Attuale", - "on_off": "Acceso \/ Spento", - "target_temperature": "Temperatura di riferimento", - "target_humidity": "Umidità di riferimento", - "operation": "Operazione", - "fan_mode": "Ventilazione", - "swing_mode": "Modo oscillazione", - "away_mode": "Modalità Assente", - "aux_heat": "Riscaldamento ausiliario", - "preset_mode": "Preset", - "target_temperature_entity": "{name} temperatura target", - "target_temperature_mode": "{name} temperatura target {mode}", - "current_temperature": "{name} temperatura attuale", - "heating": "{name} riscaldamento", - "cooling": "{name} raffreddamento", - "high": "alto", - "low": "basso" - }, - "lock": { - "code": "Codice", - "lock": "Blocco", - "unlock": "Sbloccato" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Riprendere la pulizia", - "return_to_base": "Ritornare alla base", - "start_cleaning": "Iniziare la pulizia", - "turn_on": "Accendere", - "turn_off": "Spegnere" - } - }, - "water_heater": { - "currently": "Attualmente", - "on_off": "Acceso \/ Spento", - "target_temperature": "Temperatura da raggiungere", - "operation": "Operazione", - "away_mode": "Modalità fuori casa" - }, - "timer": { - "actions": { - "start": "avvio", - "pause": "pausa", - "cancel": "annulla", - "finish": "finire" - } - }, - "counter": { - "actions": { - "increment": "aumento", - "decrement": "diminuzione", - "reset": "Ripristina" - } - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "Entità", - "clear": "Cancella", - "show_entities": "Mostra entità" - } - }, - "service-picker": { - "service": "Servizio" - }, - "relative_time": { - "past": "{time} fa", - "future": "tra {time}", - "never": "Mai", - "duration": { - "second": "{count} {count, plural,\none {secondo}\nother {secondi}\n}", - "minute": "{count} {count, plural,\none {minuto}\nother {minuti}\n}", - "hour": "{count} {count, plural,\none {ora}\nother {ore}\n}", - "day": "{count} {count, plural,\none {giorno}\nother {giorni}\n}", - "week": "{count} {count, plural,\none {settimana}\nother {settimane}\n}" - } - }, - "history_charts": { - "loading_history": "Caricamento storico", - "no_history_found": "Nessuno storico trovato" - }, - "device-picker": { - "clear": "Cancella", - "show_devices": "Mostra dispositivi" - } - }, - "notification_toast": { - "entity_turned_on": "Accesa {entity}.", - "entity_turned_off": "Spenta {entity}.", - "service_called": "Servizio {service} chiamato.", - "service_call_failed": "Fallita chiamata a servizio {service} .", - "connection_lost": "Connessione persa. Riconnessione...", - "triggered": "Attivato {name}" - }, - "dialogs": { - "more_info_settings": { - "save": "Salva", - "name": "Sovrascrittura del nome", - "entity_id": "ID Entità" - }, - "more_info_control": { - "script": { - "last_action": "Ultima azione" - }, - "sun": { - "elevation": "Elevazione", - "rising": "Alba", - "setting": "Tramonto" - }, - "updater": { - "title": "Istruzioni per l'aggiornamento" - } - }, - "options_flow": { - "form": { - "header": "Opzioni" - }, - "success": { - "description": "Opzioni salvate correttamente." - } - }, - "config_entry_system_options": { - "title": "Opzioni di sistema per {integration}", - "enable_new_entities_label": "Abilita nuove entità aggiunte.", - "enable_new_entities_description": "Se disabilitato, le entità appena individuate per {integration} non verranno automaticamente aggiunte a Home Assistant." - }, - "zha_device_info": { - "manuf": "da {manufacturer}", - "no_area": "Nessuna Area", - "services": { - "reconfigure": "Riconfigurare il dispositivo ZHA (dispositivo di cura). Utilizzare questa opzione se riscontri problemi con il dispositivo. Se il dispositivo in questione è un dispositivo alimentato a batteria, assicurarsi che sia attivo e che accetti i comandi quando si utilizza questo servizio.", - "updateDeviceName": "Imposta un nome personalizzato per questo dispositivo nel registro dispositivi.", - "remove": "Rimuovi un dispositivo dalla rete Zigbee." - }, - "zha_device_card": { - "device_name_placeholder": "Nome assegnato dall'utente", - "area_picker_label": "Area", - "update_name_button": "Aggiorna nome" - }, - "buttons": { - "add": "Aggiungi dispositivi", - "remove": "Rimuovi dispositivo", - "reconfigure": "Riconfigura dispositivo" - }, - "quirk": "Quirk", - "last_seen": "Ultima visualizzazione", - "power_source": "Sorgente di alimentazione", - "unknown": "Sconosciuto" - }, - "confirmation": { - "cancel": "Annulla", - "ok": "OK", - "title": "Sei sicuro?" - } - }, - "auth_store": { - "ask": "Salvare questo account di accesso?", - "decline": "No grazie", - "confirm": "Salva login" - }, - "notification_drawer": { - "click_to_configure": "Fare clic sul pulsante per configurare {entity}", - "empty": "Nessuna notifica", - "title": "Notifiche" - } - }, - "domain": { - "alarm_control_panel": "Pannello di controllo allarme", - "automation": "Automazione", - "binary_sensor": "Sensore binario", - "calendar": "Calendario", - "camera": "Telecamera", - "climate": "Termostato", - "configurator": "Configuratore", - "conversation": "Conversazione", - "cover": "Tapparella", - "device_tracker": "Tracking dispositivo", - "fan": "Ventilatore", - "history_graph": "Storico", - "group": "Gruppo", - "image_processing": "Elaborazione delle immagini", - "input_boolean": "Input booleano", - "input_datetime": "Input di data", - "input_select": "Input selezione", - "input_number": "Input numerico", - "input_text": "Input di testo", - "light": "Luce", - "lock": "Serratura", - "mailbox": "Messaggi", - "media_player": "Media Player", - "notify": "Notifica", - "plant": "Pianta", - "proximity": "Prossimità", - "remote": "Telecomando", - "scene": "Scena", - "script": "Script", - "sensor": "Sensore", - "sun": "Sole", - "switch": "Interruttore", - "updater": "Updater", - "weblink": "Link Web", - "zwave": "Z-Wave", - "vacuum": "Aspirapolvere", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Salute del sistema", - "person": "Persona" - }, - "attribute": { - "weather": { - "humidity": "Umidità", - "visibility": "Visibilità", - "wind_speed": "Velocità del vento" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Off", - "on": "On", - "auto": "Auto" - }, - "preset_mode": { - "none": "Nessuna", - "eco": "Eco", - "away": "Fuori Casa", - "boost": "Boost", - "comfort": "Comfort", - "home": "Casa", - "sleep": "Dormire", - "activity": "Attività" - }, - "hvac_action": { - "off": "Spento", - "heating": "Riscaldamento", - "cooling": "Raffreddamento", - "drying": "Asciugatura", - "idle": "Inattivo", - "fan": "Ventilatore" - } - } - }, - "groups": { - "system-admin": "Amministratori", - "system-users": "Utenti", - "system-read-only": "Utenti di sola lettura" - }, - "config_entry": { - "disabled_by": { - "user": "Utente", - "integration": "Integrazione", - "config_entry": "Voce di configurazione" } } } \ No newline at end of file diff --git a/translations/ja.json b/translations/ja.json index 5d7ef54452..5e9e0aff60 100644 --- a/translations/ja.json +++ b/translations/ja.json @@ -1,22 +1,48 @@ { - "panel": { - "config": "設定", - "states": "状態", - "map": "地図", - "logbook": "ログブック", - "history": "履歴", + "attribute": { + "weather": { + "humidity": "湿度", + "wind_speed": "風速" + } + }, + "domain": { + "automation": "オートメーション", + "binary_sensor": "バイナリセンサー", + "calendar": "カレンダー", + "camera": "カメラ", + "group": "グループ", + "image_processing": "画像処理", + "light": "照明", "mailbox": "メールボックス", - "shopping_list": "買い物リスト", + "media_player": "メディアプレーヤー", + "notify": "通知", + "script": "スクリプト", + "sensor": "センサー", + "switch": "スイッチ", + "updater": "アップデーター", + "zwave": "Z-Wave" + }, + "panel": { + "calendar": "カレンダー", + "config": "設定", "developer_tools": "開発者ツール", - "calendar": "カレンダー" + "history": "履歴", + "logbook": "ログブック", + "mailbox": "メールボックス", + "map": "地図", + "shopping_list": "買い物リスト", + "states": "状態" + }, + "state_badge": { + "default": { + "unknown": "不明" + }, + "device_tracker": { + "home": "在宅", + "not_home": "外出" + } }, "state": { - "default": { - "off": "オフ", - "on": "オン", - "unknown": "不明", - "unavailable": "利用不可" - }, "alarm_control_panel": { "triggered": "トリガー" }, @@ -25,18 +51,33 @@ "on": "オン" }, "binary_sensor": { + "battery": { + "off": "通常", + "on": "低" + }, + "cold": { + "off": "通常", + "on": "低温" + }, + "connectivity": { + "off": "切断", + "on": "接続済" + }, "default": { "off": "オフ", "on": "オン" }, - "moisture": { - "off": "ドライ", - "on": "ウェット" - }, "gas": { "off": "未検出", "on": "検出" }, + "heat": { + "on": "高温" + }, + "moisture": { + "off": "ドライ", + "on": "ウェット" + }, "motion": { "on": "検出" }, @@ -44,6 +85,17 @@ "off": "未検出", "on": "検出" }, + "presence": { + "off": "外出", + "on": "在宅" + }, + "problem": { + "off": "OK" + }, + "safety": { + "off": "安全", + "on": "危険" + }, "smoke": { "off": "未検出" }, @@ -53,32 +105,6 @@ "vibration": { "off": "未検出", "on": "検出" - }, - "safety": { - "off": "安全", - "on": "危険" - }, - "presence": { - "off": "外出", - "on": "在宅" - }, - "battery": { - "off": "通常", - "on": "低" - }, - "problem": { - "off": "OK" - }, - "connectivity": { - "off": "切断", - "on": "接続済" - }, - "cold": { - "off": "通常", - "on": "低温" - }, - "heat": { - "on": "高温" } }, "calendar": { @@ -89,23 +115,29 @@ "idle": "アイドル" }, "climate": { + "auto": "オート", + "cool": "冷房", + "dry": "ドライ", + "eco": "エコ", + "fan_only": "ファンのみ", + "gas": "ガス", + "heat": "暖房", + "idle": "アイドル", + "manual": "マニュアル", "off": "オフ", "on": "オン", - "heat": "暖房", - "cool": "冷房", - "idle": "アイドル", - "auto": "オート", - "dry": "ドライ", - "fan_only": "ファンのみ", - "eco": "エコ", - "performance": "パフォーマンス", - "gas": "ガス", - "manual": "マニュアル" + "performance": "パフォーマンス" }, "configurator": { "configure": "設定", "configured": "設定済み" }, + "default": { + "off": "オフ", + "on": "オン", + "unavailable": "利用不可", + "unknown": "不明" + }, "device_tracker": { "home": "在宅", "not_home": "外出" @@ -115,11 +147,11 @@ "on": "オン" }, "group": { - "off": "オフ", - "on": "オン", "home": "在宅", "not_home": "外出", - "ok": "OK" + "off": "オフ", + "ok": "OK", + "on": "オン" }, "input_boolean": { "off": "オフ", @@ -130,11 +162,11 @@ "on": "オン" }, "media_player": { + "idle": "アイドル", "off": "オフ", "on": "オン", - "playing": "再生中", "paused": "一時停止", - "idle": "アイドル" + "playing": "再生中" }, "plant": { "ok": "OK" @@ -159,17 +191,6 @@ "off": "オフ", "on": "オン" }, - "zwave": { - "default": { - "initializing": "初期化中", - "sleeping": "スリープ", - "ready": "準備完了" - }, - "query_stage": { - "initializing": "初期化中 ( {query_stage} )", - "dead": " ({query_stage})" - } - }, "weather": { "cloudy": "曇り", "fog": "霧", @@ -183,218 +204,52 @@ "snowy-rainy": "みぞれ", "sunny": "晴れ", "windy": "強風" - } - }, - "state_badge": { - "default": { - "unknown": "不明" }, - "device_tracker": { - "home": "在宅", - "not_home": "外出" + "zwave": { + "default": { + "initializing": "初期化中", + "ready": "準備完了", + "sleeping": "スリープ" + }, + "query_stage": { + "dead": " ({query_stage})", + "initializing": "初期化中 ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "削除完了", - "add_item": "アイテムを追加" - }, - "developer-tools": { - "tabs": { - "services": { - "title": "サービス" - }, - "events": { - "title": "イベント" - }, - "templates": { - "title": "テンプレート" - }, - "mqtt": { - "title": "MQTT" - } - } - }, - "history": { - "period": "期間" - }, - "mailbox": { - "empty": "メッセージはありません", - "delete_prompt": "このメッセージを削除しますか?", - "delete_button": "削除" - }, - "config": { - "header": "Home Assistantの設定", - "core": { - "caption": "一般", - "description": "設定ファイルの検証とサーバーの操作", - "section": { - "server_control": { - "validation": { - "heading": "設定の検証", - "check_config": "設定を確認", - "valid": "設定は有効です!", - "invalid": "設定は無効です" - }, - "reloading": { - "heading": "設定の再読込", - "introduction": "Home Assistantの一部は、再起動を必要とせずに再読込できます。再読込を押すと、現在の設定をアンロードし、新しい設定を読み込みます。", - "core": "コアの再読込", - "group": "グループの再読込", - "automation": "オートメーションの再読込", - "script": "スクリプトの再読込" - }, - "server_management": { - "heading": "サーバー管理", - "introduction": "Home AssistantからHome Assistantサーバーを操作します。", - "restart": "再起動", - "stop": "停止" - } - } - } - }, - "customize": { - "caption": "カスタマイズ" - }, - "automation": { - "caption": "オートメーション", - "description": "オートメーションの作成と編集", - "picker": { - "header": "オートメーションエディター", - "no_automations": "編集可能なオートメーションが見つかりません。", - "add_automation": "オートメーションの追加" - }, - "editor": { - "default_name": "新しいオートメーション", - "save": "保存", - "alias": "名前", - "triggers": { - "header": "トリガー", - "introduction": "トリガーはオートメーションルールの処理を開始させます。同じルールに対して複数のトリガーを指定することが可能です。トリガーが開始されると、Home Assistantは条件があれば確認し、アクションを呼び出します。\n\n[トリガーについて](https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", - "add": "トリガーを追加", - "duplicate": "複製", - "delete": "削除", - "delete_confirm": "本当に削除しますか?", - "type_select": "トリガーの種類", - "type": { - "event": { - "label": "イベント", - "event_type": "イベントの種類", - "event_data": "イベントのデータ" - }, - "state": { - "from": "変化前", - "to": "変化後" - }, - "homeassistant": { - "label": "Home Assistant", - "start": "起動", - "shutdown": "停止" - }, - "mqtt": { - "label": "MQTT" - }, - "sun": { - "sunrise": "日の出", - "sunset": "日の入", - "offset": "オフセット(オプション)" - }, - "template": { - "label": "テンプレート" - }, - "time": { - "label": "時刻" - } - } - }, - "conditions": { - "header": "条件", - "add": "条件を追加", - "delete": "削除", - "delete_confirm": "本当に削除しますか?", - "unsupported_condition": "未サポートの条件:{condition}", - "type_select": "条件の種類", - "type": { - "sun": { - "sunrise": "日の出", - "sunset": "日の入" - } - } - }, - "actions": { - "header": "アクション", - "introduction": "アクションは、オートメーションがトリガーされたときにHome Assistantが実行するものです。\n\n [アクションの詳細](https:\/\/home-assistant.io\/docs\/automation\/action\/)", - "add": "アクションを追加", - "delete": "削除", - "delete_confirm": "本当に削除しますか?", - "unsupported_action": "未サポートのアクション:{action}", - "type_select": "アクションの種類", - "type": { - "service": { - "service_data": "サービスのデータ" - }, - "wait_template": { - "timeout": "タイムアウト(オプション)" - }, - "condition": { - "label": "条件" - } - } - } - } - }, - "script": { - "caption": "スクリプト", - "description": "スクリプトの作成と編集" - }, - "zwave": { - "caption": "Z-Wave", - "description": "Z-waveネットワークを管理します", - "node_config": { - "set_config_parameter": "構成パラメーターの設定" - } - }, - "users": { - "caption": "ユーザー", - "description": "ユーザーの管理", - "picker": { - "title": "ユーザー" - }, - "editor": { - "rename_user": "ユーザー名を変更", - "change_password": "パスワードの変更", - "activate_user": "ユーザーを有効化", - "deactivate_user": "ユーザーを無効化", - "delete_user": "ユーザーを削除" - } - }, - "cloud": { - "description_features": "自宅の外からコントロールするために、AlexaとGoogleアシスタントに統合します。" - } - } - }, - "sidebar": { - "log_out": "ログアウト" - }, - "common": { - "loading": "読込中", - "cancel": "キャンセル" - }, - "duration": { - "week": "{count} {count, plural,\n one {週間}\n other {週間}\n}", - "second": "{count} {count, plural,\n one {秒}\n other {秒}\n}", - "minute": "{count} {count, plural,\n one {分}\n other {分}\n}", - "hour": "{count} {count, plural,\n one {時間}\n other {時間}\n}" - }, - "login-form": { - "password": "パスワード", - "log_in": "ログイン" - }, "card": { + "alarm_control_panel": { + "clear_code": "クリア", + "code": "パスワード" + }, + "automation": { + "trigger": "トリガー" + }, "camera": { "not_available": "画像がありません。" }, + "climate": { + "currently": "現在", + "on_off": "オン/オフ", + "operation": "運転切替", + "target_humidity": "目標湿度", + "target_temperature": "目標温度" + }, + "fan": { + "speed": "風速" + }, + "light": { + "brightness": "明るさ", + "color_temperature": "色温度" + }, + "lock": { + "lock": "ロック", + "unlock": "ロック解除" + }, + "media_player": { + "text_to_speak": "音声合成" + }, "scene": { "activate": "有効化" }, @@ -415,8 +270,8 @@ "n": "北", "ne": "北東", "nne": "北北東", - "nw": "北西", "nnw": "北北西", + "nw": "北西", "s": "南", "se": "南東", "sse": "南南東", @@ -427,89 +282,245 @@ "wsw": "西南西" }, "forecast": "天気予報" - }, - "alarm_control_panel": { - "code": "パスワード", - "clear_code": "クリア" - }, - "automation": { - "trigger": "トリガー" - }, - "fan": { - "speed": "風速" - }, - "light": { - "brightness": "明るさ", - "color_temperature": "色温度" - }, - "media_player": { - "text_to_speak": "音声合成" - }, - "climate": { - "currently": "現在", - "on_off": "オン/オフ", - "target_temperature": "目標温度", - "target_humidity": "目標湿度", - "operation": "運転切替" - }, - "lock": { - "lock": "ロック", - "unlock": "ロック解除" } }, + "common": { + "cancel": "キャンセル", + "loading": "読込中" + }, "components": { "entity": { "entity-picker": { "entity": "エンティティ" } }, - "service-picker": { - "service": "サービス" - }, - "relative_time": { - "past": "{time}前", - "future": "{time}以内" - }, "history_charts": { "loading_history": "状態履歴を読込中...", "no_history_found": "状態履歴がありません。" + }, + "relative_time": { + "future": "{time}以内", + "past": "{time}前" + }, + "service-picker": { + "service": "サービス" } }, - "notification_toast": { - "entity_turned_on": "{entity}をオンにしました。", - "entity_turned_off": "{entity}をオフにしました。", - "service_called": "サービス{service}を呼び出しました。", - "service_call_failed": "サービス{service}の呼び出しに失敗しました。", - "connection_lost": "切断されました。再接続中..." - }, "dialogs": { "more_info_settings": { - "save": "保存", - "name": "名前" + "name": "名前", + "save": "保存" } - } - }, - "domain": { - "automation": "オートメーション", - "binary_sensor": "バイナリセンサー", - "calendar": "カレンダー", - "camera": "カメラ", - "group": "グループ", - "image_processing": "画像処理", - "light": "照明", - "mailbox": "メールボックス", - "media_player": "メディアプレーヤー", - "notify": "通知", - "script": "スクリプト", - "sensor": "センサー", - "switch": "スイッチ", - "updater": "アップデーター", - "zwave": "Z-Wave" - }, - "attribute": { - "weather": { - "humidity": "湿度", - "wind_speed": "風速" + }, + "duration": { + "hour": "{count} {count, plural,\\n one {時間}\\n other {時間}\\n}", + "minute": "{count} {count, plural,\\n one {分}\\n other {分}\\n}", + "second": "{count} {count, plural,\\n one {秒}\\n other {秒}\\n}", + "week": "{count} {count, plural,\\n one {週間}\\n other {週間}\\n}" + }, + "login-form": { + "log_in": "ログイン", + "password": "パスワード" + }, + "notification_toast": { + "connection_lost": "切断されました。再接続中...", + "entity_turned_off": "{entity}をオフにしました。", + "entity_turned_on": "{entity}をオンにしました。", + "service_call_failed": "サービス{service}の呼び出しに失敗しました。", + "service_called": "サービス{service}を呼び出しました。" + }, + "panel": { + "config": { + "automation": { + "caption": "オートメーション", + "description": "オートメーションの作成と編集", + "editor": { + "actions": { + "add": "アクションを追加", + "delete": "削除", + "delete_confirm": "本当に削除しますか?", + "header": "アクション", + "introduction": "アクションは、オートメーションがトリガーされたときにHome Assistantが実行するものです。\\n\\n [アクションの詳細](https:\/\/home-assistant.io\/docs\/automation\/action\/)", + "type_select": "アクションの種類", + "type": { + "condition": { + "label": "条件" + }, + "service": { + "service_data": "サービスのデータ" + }, + "wait_template": { + "timeout": "タイムアウト(オプション)" + } + }, + "unsupported_action": "未サポートのアクション:{action}" + }, + "alias": "名前", + "conditions": { + "add": "条件を追加", + "delete": "削除", + "delete_confirm": "本当に削除しますか?", + "header": "条件", + "type_select": "条件の種類", + "type": { + "sun": { + "sunrise": "日の出", + "sunset": "日の入" + } + }, + "unsupported_condition": "未サポートの条件:{condition}" + }, + "default_name": "新しいオートメーション", + "save": "保存", + "triggers": { + "add": "トリガーを追加", + "delete": "削除", + "delete_confirm": "本当に削除しますか?", + "duplicate": "複製", + "header": "トリガー", + "introduction": "トリガーはオートメーションルールの処理を開始させます。同じルールに対して複数のトリガーを指定することが可能です。トリガーが開始されると、Home Assistantは条件があれば確認し、アクションを呼び出します。\\n\\n[トリガーについて](https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", + "type_select": "トリガーの種類", + "type": { + "event": { + "event_data": "イベントのデータ", + "event_type": "イベントの種類", + "label": "イベント" + }, + "homeassistant": { + "label": "Home Assistant", + "shutdown": "停止", + "start": "起動" + }, + "mqtt": { + "label": "MQTT" + }, + "state": { + "from": "変化前", + "to": "変化後" + }, + "sun": { + "offset": "オフセット(オプション)", + "sunrise": "日の出", + "sunset": "日の入" + }, + "template": { + "label": "テンプレート" + }, + "time": { + "label": "時刻" + } + } + } + }, + "picker": { + "add_automation": "オートメーションの追加", + "header": "オートメーションエディター", + "no_automations": "編集可能なオートメーションが見つかりません。" + } + }, + "cloud": { + "description_features": "自宅の外からコントロールするために、AlexaとGoogleアシスタントに統合します。" + }, + "core": { + "caption": "一般", + "description": "設定ファイルの検証とサーバーの操作", + "section": { + "server_control": { + "reloading": { + "automation": "オートメーションの再読込", + "core": "コアの再読込", + "group": "グループの再読込", + "heading": "設定の再読込", + "introduction": "Home Assistantの一部は、再起動を必要とせずに再読込できます。再読込を押すと、現在の設定をアンロードし、新しい設定を読み込みます。", + "script": "スクリプトの再読込" + }, + "server_management": { + "heading": "サーバー管理", + "introduction": "Home AssistantからHome Assistantサーバーを操作します。", + "restart": "再起動", + "stop": "停止" + }, + "validation": { + "check_config": "設定を確認", + "heading": "設定の検証", + "invalid": "設定は無効です", + "valid": "設定は有効です!" + } + } + } + }, + "customize": { + "caption": "カスタマイズ" + }, + "header": "Home Assistantの設定", + "script": { + "caption": "スクリプト", + "description": "スクリプトの作成と編集" + }, + "users": { + "caption": "ユーザー", + "description": "ユーザーの管理", + "editor": { + "activate_user": "ユーザーを有効化", + "change_password": "パスワードの変更", + "deactivate_user": "ユーザーを無効化", + "delete_user": "ユーザーを削除", + "rename_user": "ユーザー名を変更" + }, + "picker": { + "title": "ユーザー" + } + }, + "zwave": { + "caption": "Z-Wave", + "description": "Z-waveネットワークを管理します", + "node_config": { + "set_config_parameter": "構成パラメーターの設定" + } + } + }, + "developer-tools": { + "tabs": { + "events": { + "title": "イベント" + }, + "mqtt": { + "title": "MQTT" + }, + "services": { + "title": "サービス" + }, + "templates": { + "title": "テンプレート" + } + } + }, + "history": { + "period": "期間" + }, + "lovelace": { + "menu": { + "close": "閉じる" + }, + "unused_entities": { + "domain": "ドメイン", + "entity": "エンティティ", + "entity_id": "エンティティ ID", + "title": "未使用のエンティティ" + } + }, + "mailbox": { + "delete_button": "削除", + "delete_prompt": "このメッセージを削除しますか?", + "empty": "メッセージはありません" + }, + "shopping-list": { + "add_item": "アイテムを追加", + "clear_completed": "削除完了" + } + }, + "sidebar": { + "log_out": "ログアウト" } } } \ No newline at end of file diff --git a/translations/ko.json b/translations/ko.json index 841b4332c4..e9b5acdabc 100644 --- a/translations/ko.json +++ b/translations/ko.json @@ -1,53 +1,193 @@ { - "panel": { - "config": "설정", - "states": "둘러보기", - "map": "지도", - "logbook": "로그북", - "history": "기록 그래프", + "attribute": { + "weather": { + "humidity": "습도", + "visibility": "시정", + "wind_speed": "풍속" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "구성 항목", + "integration": "통합 구성요소", + "user": "사용자" + } + }, + "domain": { + "alarm_control_panel": "알람제어판", + "automation": "자동화", + "binary_sensor": "이진센서", + "calendar": "일정", + "camera": "카메라", + "climate": "공조기기", + "configurator": "구성", + "conversation": "대화", + "cover": "여닫이", + "device_tracker": "추적 기기", + "fan": "송풍기", + "group": "그룹", + "hassio": "Hass.io", + "history_graph": "기록 그래프", + "homeassistant": "Home Assistant", + "image_processing": "이미지처리", + "input_boolean": "논리입력", + "input_datetime": "날짜\/시간입력", + "input_number": "숫자입력", + "input_select": "선택입력", + "input_text": "문자입력", + "light": "전등", + "lock": "잠김", + "lovelace": "Lovelace", "mailbox": "메일함", - "shopping_list": "장보기목록", + "media_player": "미디어재생기", + "notify": "알림", + "person": "구성원", + "plant": "식물", + "proximity": "근접", + "remote": "원격", + "scene": "씬", + "script": "스크립트", + "sensor": "센서", + "sun": "태양", + "switch": "스위치", + "system_health": "시스템 상태", + "updater": "업데이터", + "vacuum": "청소기", + "weblink": "웹링크", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "관리자", + "system-read-only": "읽기 전용 사용자", + "system-users": "사용자" + }, + "panel": { + "calendar": "캘린더", + "config": "설정", "dev-info": "정보", "developer_tools": "개발자 도구", - "calendar": "캘린더", - "profile": "프로필" + "history": "기록 그래프", + "logbook": "로그북", + "mailbox": "메일함", + "map": "지도", + "profile": "프로필", + "shopping_list": "장보기목록", + "states": "둘러보기" }, - "state": { - "default": { - "off": "꺼짐", - "on": "켜짐", - "unknown": "알수없음", - "unavailable": "사용불가" - }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "자동", + "off": "꺼짐", + "on": "켜짐" + }, + "hvac_action": { + "cooling": "냉방", + "drying": "제습", + "fan": "송풍", + "heating": "난방", + "idle": "대기", + "off": "전원 끄기" + }, + "preset_mode": { + "activity": "활동", + "away": "외출", + "boost": "쾌속", + "comfort": "쾌적", + "eco": "절전", + "home": "재실", + "none": "없음", + "sleep": "취침" + } + } + }, + "state_badge": { "alarm_control_panel": { "armed": "경비중", - "disarmed": "해제됨", - "armed_home": "경비중(재실)", - "armed_away": "경비중(외출)", - "armed_night": "경비중(야간)", - "pending": "보류중", + "armed_away": "경비중", + "armed_custom_bypass": "경비중", + "armed_home": "경비중", + "armed_night": "경비중", "arming": "경비중", + "disarmed": "해제", + "disarming": "해제", + "pending": "지연", + "triggered": "작동됨" + }, + "default": { + "entity_not_found": "구성요소를 찾을 수 없음", + "error": "오류", + "unavailable": "사용불가", + "unknown": "알수없음" + }, + "device_tracker": { + "home": "재실", + "not_home": "외출" + }, + "person": { + "home": "재실", + "not_home": "외출" + } + }, + "state": { + "alarm_control_panel": { + "armed": "경비중", + "armed_away": "경비중(외출)", + "armed_custom_bypass": "경비중(사용자 우회)", + "armed_home": "경비중(재실)", + "armed_night": "경비중(야간)", + "arming": "경비중", + "disarmed": "해제됨", "disarming": "해제중", - "triggered": "작동됨", - "armed_custom_bypass": "경비중(사용자 우회)" + "pending": "보류중", + "triggered": "작동됨" }, "automation": { "off": "꺼짐", "on": "켜짐" }, "binary_sensor": { + "battery": { + "off": "보통", + "on": "낮음" + }, + "cold": { + "off": "보통", + "on": "저온" + }, + "connectivity": { + "off": "연결해제됨", + "on": "연결됨" + }, "default": { "off": "꺼짐", "on": "켜짐" }, - "moisture": { - "off": "건조함", - "on": "습함" + "door": { + "off": "닫힘", + "on": "열림" + }, + "garage_door": { + "off": "닫힘", + "on": "열림" }, "gas": { "off": "이상없음", "on": "감지됨" }, + "heat": { + "off": "보통", + "on": "고온" + }, + "lock": { + "off": "잠김", + "on": "해제" + }, + "moisture": { + "off": "건조함", + "on": "습함" + }, "motion": { "off": "이상없음", "on": "감지됨" @@ -56,6 +196,22 @@ "off": "이상없음", "on": "감지됨" }, + "opening": { + "off": "닫힘", + "on": "열림" + }, + "presence": { + "off": "외출", + "on": "재실" + }, + "problem": { + "off": "문제없음", + "on": "문제있음" + }, + "safety": { + "off": "안전", + "on": "위험" + }, "smoke": { "off": "이상없음", "on": "감지됨" @@ -68,53 +224,9 @@ "off": "이상없음", "on": "감지됨" }, - "opening": { - "off": "닫힘", - "on": "열림" - }, - "safety": { - "off": "안전", - "on": "위험" - }, - "presence": { - "off": "외출", - "on": "재실" - }, - "battery": { - "off": "보통", - "on": "낮음" - }, - "problem": { - "off": "문제없음", - "on": "문제있음" - }, - "connectivity": { - "off": "연결해제됨", - "on": "연결됨" - }, - "cold": { - "off": "보통", - "on": "저온" - }, - "door": { - "off": "닫힘", - "on": "열림" - }, - "garage_door": { - "off": "닫힘", - "on": "열림" - }, - "heat": { - "off": "보통", - "on": "고온" - }, "window": { "off": "닫힘", "on": "열림" - }, - "lock": { - "off": "잠김", - "on": "해제" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "켜짐" }, "camera": { + "idle": "대기중", "recording": "녹화중", - "streaming": "스트리밍", - "idle": "대기중" + "streaming": "스트리밍" }, "climate": { - "off": "꺼짐", - "on": "켜짐", - "heat": "난방", - "cool": "냉방", - "idle": "대기중", "auto": "자동", + "cool": "냉방", "dry": "제습", - "fan_only": "송풍", "eco": "절전", "electric": "전기", - "performance": "고효율", - "high_demand": "고성능", - "heat_pump": "순환펌프", + "fan_only": "송풍", "gas": "가스", + "heat": "난방", + "heat_cool": "냉난방", + "heat_pump": "순환펌프", + "high_demand": "고성능", + "idle": "대기중", "manual": "수동", - "heat_cool": "냉난방" + "off": "꺼짐", + "on": "켜짐", + "performance": "고효율" }, "configurator": { "configure": "설정", "configured": "설정됨" }, "cover": { - "open": "열림", - "opening": "여는중", "closed": "닫힘", "closing": "닫는중", + "open": "열림", + "opening": "여는중", "stopped": "멈춤" }, + "default": { + "off": "꺼짐", + "on": "켜짐", + "unavailable": "사용불가", + "unknown": "알수없음" + }, "device_tracker": { "home": "재실", "not_home": "외출" @@ -164,19 +282,19 @@ "on": "켜짐" }, "group": { - "off": "꺼짐", - "on": "켜짐", - "home": "재실", - "not_home": "외출", - "open": "열림", - "opening": "여는중", "closed": "닫힘", "closing": "닫는중", - "stopped": "멈춤", + "home": "재실", "locked": "잠김", - "unlocked": "해제", + "not_home": "외출", + "off": "꺼짐", "ok": "문제없음", - "problem": "문제있음" + "on": "켜짐", + "open": "열림", + "opening": "여는중", + "problem": "문제있음", + "stopped": "멈춤", + "unlocked": "해제" }, "input_boolean": { "off": "꺼짐", @@ -191,13 +309,17 @@ "unlocked": "해제" }, "media_player": { + "idle": "대기중", "off": "꺼짐", "on": "켜짐", - "playing": "재생중", "paused": "일시중지", - "idle": "대기중", + "playing": "재생중", "standby": "준비중" }, + "person": { + "home": "재실", + "not_home": "외출" + }, "plant": { "ok": "문제없음", "problem": "문제있음" @@ -225,34 +347,10 @@ "off": "꺼짐", "on": "켜짐" }, - "zwave": { - "default": { - "initializing": "초기화중", - "dead": "응답없음", - "sleeping": "절전모드", - "ready": "준비" - }, - "query_stage": { - "initializing": "초기화중 ({query_stage})", - "dead": "응답없음 ({query_stage})" - } - }, - "weather": { - "clear-night": "맑음 (밤)", - "cloudy": "흐림", - "fog": "안개", - "hail": "우박", - "lightning": "번개", - "lightning-rainy": "뇌우", - "partlycloudy": "대체로 흐림", - "pouring": "호우", - "rainy": "비", - "snowy": "눈", - "snowy-rainy": "진눈개비", - "sunny": "맑음", - "windy": "바람", - "windy-variant": "바람", - "exceptional": "예외사항" + "timer": { + "active": "활성화", + "idle": "대기중", + "paused": "일시중지됨" }, "vacuum": { "cleaning": "청소중", @@ -264,210 +362,729 @@ "paused": "일시중지됨", "returning": "충전 복귀 중" }, - "timer": { - "active": "활성화", - "idle": "대기중", - "paused": "일시중지됨" + "weather": { + "clear-night": "맑음 (밤)", + "cloudy": "흐림", + "exceptional": "예외사항", + "fog": "안개", + "hail": "우박", + "lightning": "번개", + "lightning-rainy": "뇌우", + "partlycloudy": "대체로 흐림", + "pouring": "호우", + "rainy": "비", + "snowy": "눈", + "snowy-rainy": "진눈개비", + "sunny": "맑음", + "windy": "바람", + "windy-variant": "바람" }, - "person": { - "home": "재실", - "not_home": "외출" - } - }, - "state_badge": { - "default": { - "unknown": "알수없음", - "unavailable": "사용불가", - "error": "오류", - "entity_not_found": "구성요소를 찾을 수 없음" - }, - "alarm_control_panel": { - "armed": "경비중", - "disarmed": "해제", - "armed_home": "경비중", - "armed_away": "경비중", - "armed_night": "경비중", - "pending": "지연", - "arming": "경비중", - "disarming": "해제", - "triggered": "작동됨", - "armed_custom_bypass": "경비중" - }, - "device_tracker": { - "home": "재실", - "not_home": "외출" - }, - "person": { - "home": "재실", - "not_home": "외출" + "zwave": { + "default": { + "dead": "응답없음", + "initializing": "초기화중", + "ready": "준비", + "sleeping": "절전모드" + }, + "query_stage": { + "dead": "응답없음 ({query_stage})", + "initializing": "초기화중 ({query_stage})" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "완료항목삭제", - "add_item": "항목추가", - "microphone_tip": "우상단 마이크를 탭하고 \"Add candy to my shopping list\"라고 말해보세요" + "auth_store": { + "ask": "현재 로그인을 저장 하시겠습니까?", + "confirm": "로그인 저장하기", + "decline": "아니요, 괜찮습니다" + }, + "card": { + "alarm_control_panel": { + "arm_away": "외출 경비", + "arm_custom_bypass": "사용자 우회", + "arm_home": "재실 경비", + "arm_night": "야간 경비", + "armed_custom_bypass": "사용자 우회", + "clear_code": "지움", + "code": "비밀번호", + "disarm": "경비 해제" }, - "developer-tools": { - "tabs": { - "services": { - "title": "서비스", - "description": "서비스 개발 도구를 사용하면 Home Assistant 에서 사용 가능한 서비스를 호출할 수 있습니다.", - "data": "서비스 데이터 (YAML, 선택 사항)", - "call_service": "서비스 호출", - "select_service": "상세정보를 보려면 서비스를 선택해주세요", - "no_description": "상세정보가 없습니다", - "no_parameters": "이 서비스에는 파라메터가 필요 없습니다.", - "column_parameter": "파라메터", - "column_description": "상세정보", - "column_example": "예제", - "fill_example_data": "예제 데이터를 필드에 넣기", - "alert_parsing_yaml": "YAML 구문 분석 오류: {data}" - }, - "states": { - "title": "상태", - "description1": "Home Assistant 구성요소의 상태를 설정합니다.", - "description2": "Home Assistant 내에서만 설정되며, 실제 장치와 통신하는것은 아닙니다.", - "entity": "구성요소", - "state": "상태", - "attributes": "속성", - "state_attributes": "상태 속성 (YAML, 선택 사항)", - "set_state": "상태 설정", - "current_entities": "구성요소 현재 상태", - "filter_entities": "구성요소 필터", - "filter_states": "상태 필터", - "filter_attributes": "속성 필터", - "no_entities": "구성요소가 없습니다", - "more_info": "정보 더보기", - "alert_entity_field": "구성요소는 필수 필드입니다" - }, - "events": { - "title": "이벤트", - "description": "이벤트 버스에서 이벤트를 발행합니다.", - "documentation": "이벤트 문서 보기.", - "type": "이벤트 유형", - "data": "이벤트 데이터 (YAML, 선택 사항)", - "fire_event": "이벤트 발행", - "event_fired": "{name} 이벤트가 발행됨", - "available_events": "사용 가능한 이벤트", - "count_listeners": " ({count} 청취객체)", - "listen_to_events": "이벤트 내용 들어보기", - "listening_to": "이벤트 청취 중", - "subscribe_to": "청취할 이벤트", - "start_listening": "청취 시작", - "stop_listening": "그만 듣기", - "alert_event_type": "이벤트 유형은 필수 필드입니다", - "notification_event_fired": "{type} 이벤트가 성공적으로 발행되었습니다!" - }, - "templates": { - "title": "템플릿", - "description": "템플릿은 Home Assistant 의 특정 확장기능의 일부로써, Jinja2 템플릿 엔진을 사용하여 구성됩니다.", - "editor": "템플릿 편집기", - "jinja_documentation": "Jinja2 템플릿 문서 보기", - "template_extensions": "Home Assistant 템플릿 확장기능 문서 보기", - "unknown_error_template": "템플릿 구성 중 알 수 없는 오류가 발생했습니다" - }, - "mqtt": { - "title": "MQTT", - "description_publish": "패킷 발행", - "topic": "토픽", - "payload": "페이로드 (템플릿 허용)", - "publish": "발행", - "description_listen": "토픽 내용 들어보기", - "listening_to": "토픽 청취 중", - "subscribe_to": "청취할 토픽", - "start_listening": "청취 시작", - "stop_listening": "그만 듣기", - "message_received": "{time} 에 {id} 메시지가 {topic} 에 수신되었습니다." - }, - "info": { - "title": "정보", - "remove": "설정 해제", - "set": "설정", - "default_ui": "{name} 을(를) 이 기기에서 기본 UI 로 {action}", - "lovelace_ui": "Lovelace UI 보러가기", - "states_ui": "일반 UI 보러가기", - "home_assistant_logo": "Home Assistant 로고", - "path_configuration": "configuration.yaml 의 위치: {path}", - "developed_by": "Home Assistant 는 수많은 멋진 사람들에 의해 개발되었습니다.", - "license": "Apache 2.0 License 에 따라 게시", - "source": "소스:", - "server": "서버", - "frontend": "프런트엔드-UI", - "built_using": "다음을 사용하여 제작", - "icons_by": "아이콘 출처", - "frontend_version": "프런트엔드 버전: {version} - {type}", - "custom_uis": "사용자 UI :", - "system_health_error": "시스템 상태보기 구성요소가 로드되지 않았습니다. configuration.yaml 에 'system_health:' 를 추가해주세요." - }, - "logs": { - "title": "로그", - "details": "로그 상세정보 ({level})", - "load_full_log": "Home Assistant 로그 전부 불러오기", - "loading_log": "오류 로그를 읽는 중...", - "no_errors": "보고된 오류가 없습니다.", - "no_issues": "새롭게 보고된 문제가 없습니다!", - "clear": "지우기", - "refresh": "새로고침", - "multiple_messages": "{time} 에 처음 발생했으며, {counter} 번 발생했습니다." - } + "automation": { + "last_triggered": "최근 트리거 됨", + "trigger": "트리거" + }, + "camera": { + "not_available": "이미지 사용 불가" + }, + "climate": { + "aux_heat": "보조 히터", + "away_mode": "외출 모드", + "cooling": "{name} 냉방중", + "current_temperature": "{name} 현재 온도", + "currently": "현재 온도", + "fan_mode": "송풍 모드", + "heating": "{name} 난방중", + "high": "높음", + "low": "낮음", + "on_off": "켜기 \/ 끄기", + "operation": "운전 모드", + "preset_mode": "프리셋", + "swing_mode": "회전 모드", + "target_humidity": "희망 습도", + "target_temperature": "희망 온도", + "target_temperature_entity": "{name} 희망 온도", + "target_temperature_mode": "{name} 희망 온도 {mode}" + }, + "counter": { + "actions": { + "decrement": "감소", + "increment": "증가", + "reset": "초기화" } }, - "history": { - "showing_entries": "다음 날짜의 항목을 표시", - "period": "기간" + "cover": { + "position": "위치", + "tilt_position": "기울기" }, - "logbook": { - "showing_entries": "다음 날짜의 항목을 표시", - "period": "기간" + "fan": { + "direction": "방향", + "forward": "앞으로", + "oscillate": "회전", + "reverse": "뒤로", + "speed": "속도" }, - "mailbox": { - "empty": "메시지가 존재하지 않습니다", - "playback_title": "메시지 재생", - "delete_prompt": "이 메시지를 삭제 하시겠습니까?", - "delete_button": "삭제" + "light": { + "brightness": "밝기", + "color_temperature": "색온도", + "effect": "효과", + "white_value": "흰색 값" }, + "lock": { + "code": "비밀번호", + "lock": "잠금", + "unlock": "잠금 해제" + }, + "media_player": { + "sound_mode": "사운드 모드", + "source": "입력 소스", + "text_to_speak": "음성합성 내용 입력 (TTS)" + }, + "persistent_notification": { + "dismiss": "해제" + }, + "scene": { + "activate": "활성화" + }, + "script": { + "execute": "실행" + }, + "timer": { + "actions": { + "cancel": "취소", + "finish": "완료", + "pause": "일시정지", + "start": "시작" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "청소 재개", + "return_to_base": "충전 복귀", + "start_cleaning": "청소 시작", + "turn_off": "켜기", + "turn_on": "끄기" + } + }, + "water_heater": { + "away_mode": "외출 모드", + "currently": "현재 온도", + "on_off": "켜기 \/ 끄기", + "operation": "운전", + "target_temperature": "희망 온도" + }, + "weather": { + "attributes": { + "air_pressure": "기압", + "humidity": "습도", + "temperature": "기온", + "visibility": "시정", + "wind_speed": "풍속" + }, + "cardinal_direction": { + "e": "동", + "ene": "동북동", + "ese": "동남동", + "n": "북", + "ne": "북동", + "nne": "북북동", + "nnw": "북북서", + "nw": "북서", + "s": "남", + "se": "남동", + "sse": "남남동", + "ssw": "남남서", + "sw": "남서", + "w": "서", + "wnw": "서북서", + "wsw": "서남서" + }, + "forecast": "일기 예보" + } + }, + "common": { + "cancel": "취소", + "loading": "읽는 중", + "save": "저장", + "successfully_saved": "성공적으로 저장되었습니다" + }, + "components": { + "device-picker": { + "clear": "지우기", + "show_devices": "기기 표시" + }, + "entity": { + "entity-picker": { + "clear": "지우기", + "entity": "구성요소", + "show_entities": "구성요소 표시" + } + }, + "history_charts": { + "loading_history": "상태 기록 내용 읽는 중...", + "no_history_found": "상태 기록 내용이 없습니다." + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\none {일}\\nother {일}\\n}", + "hour": "{count} {count, plural,\\none {시간}\\nother {시간}\\n}", + "minute": "{count} {count, plural,\\none {분}\\nother {분}\\n}", + "second": "{count} {count, plural,\\none {초}\\nother {초}\\n}", + "week": "{count} {count, plural,\\none {주}\\nother {주}\\n}" + }, + "future": "{time} 후", + "never": "해당없음", + "past": "{time} 전" + }, + "service-picker": { + "service": "서비스" + } + }, + "dialogs": { + "config_entry_system_options": { + "enable_new_entities_description": "비활성화한 경우 새로 검색된 {integration} 구성요소는 Home Assistant 에 자동으로 추가되지 않습니다.", + "enable_new_entities_label": "새로 추가된 구성요소를 활성화합니다.", + "title": "{integration} 시스템 옵션" + }, + "confirmation": { + "cancel": "취소", + "ok": "확인", + "title": "다시 한번 확인해주세요" + }, + "more_info_control": { + "script": { + "last_action": "최근 동작" + }, + "sun": { + "elevation": "고도", + "rising": "해돋이", + "setting": "해넘이" + }, + "updater": { + "title": "업데이트 방법" + } + }, + "more_info_settings": { + "entity_id": "구성요소 ID", + "name": "대체 이름", + "save": "저장" + }, + "options_flow": { + "form": { + "header": "옵션" + }, + "success": { + "description": "옵션이 성공적으로 저장되었습니다." + } + }, + "zha_device_info": { + "buttons": { + "add": "기기 추가", + "reconfigure": "기기 재설정", + "remove": "기기 제거" + }, + "last_seen": "마지막 확인", + "manuf": "{manufacturer} 제조", + "no_area": "영역 없음", + "power_source": "전원", + "quirk": "규격외 사양 표준화(Quirk)", + "services": { + "reconfigure": "ZHA 기기를 다시 구성 합니다. (기기 복구). 기기에 문제가 있는 경우 사용해주세요. 기기가 배터리로 작동하는 경우, 이 서비스를 사용할 때 기기가 켜져있고 통신이 가능한 상태인지 확인해주세요.", + "remove": "Zigbee 네트워크에서 기기를 제거해주세요.", + "updateDeviceName": "이 기기의 사용자 정의 이름을 기기 레지스트리에 설정합니다." + }, + "unknown": "알 수 없슴", + "zha_device_card": { + "area_picker_label": "영역", + "device_name_placeholder": "사용자 지정 이름", + "update_name_button": "이름 업데이트" + } + } + }, + "duration": { + "day": "{count} {count, plural,\\none {일}\\nother {일}\\n}", + "hour": "{count} {count, plural,\\none {시간}\\nother {시간}\\n}", + "minute": "{count} {count, plural,\\none {분}\\nother {분}\\n}", + "second": "{count} {count, plural,\\none {초}\\nother {초}\\n}", + "week": "{count} {count, plural,\\none {주}\\nother {주}\\n}" + }, + "login-form": { + "log_in": "로그인", + "password": "비밀번호", + "remember": "자동로그인" + }, + "notification_drawer": { + "click_to_configure": "버튼을 클릭하여 {entity} 을(를) 구성", + "empty": "알림 내용이 없습니다.", + "title": "알림" + }, + "notification_toast": { + "connection_lost": "서버와 연결이 끊어졌습니다. 다시 연결 중...", + "entity_turned_off": "{entity} 이(가) 꺼졌습니다.", + "entity_turned_on": "{entity} 이(가) 켜졌습니다.", + "service_call_failed": "{service} 서비스를 호출하지 못했습니다.", + "service_called": "{service} 서비스가 호출되었습니다.", + "triggered": "{name} 트리거됨" + }, + "panel": { "config": { - "header": "Home Assistant 설정", - "introduction": "여기에서 구성요소와 Home Assistant 를 설정 할 수 있습니다. 아직 여기서 모두 설정 할 수는 없지만, 모든 내용을 설정 할 수 있도록 작업 중입니다.", + "area_registry": { + "caption": "영역", + "create_area": "영역 만들기", + "description": "영역을 만들고 편집합니다", + "editor": { + "create": "만들기", + "default_name": "새로운 영역", + "delete": "삭제", + "update": "업데이트" + }, + "no_areas": "등록된 영역이 없습니다. 거실, 침실과 같이 영역을 등록해보세요!", + "picker": { + "create_area": "영역 만들기", + "header": "영역 등록", + "integrations_page": "통합 구성요소 페이지", + "introduction": "영역은 기기가 있는 위치를 설정하는데 사용합니다. 이 정보는 인터페이스와 권한 그리고 다른 시스템과의 연동을 구성하는 데 도움이 되도록 Home Assistant 에 사용됩니다.", + "introduction2": "특정 영역에 기기를 배치하려면 아래 링크를 따라 통합 구성요소 페이지로 이동 한 다음, 설정된 구성요소의 기기를 클릭하여 영역을 설정해주세요.", + "no_areas": "등록된 영역이 없습니다. 거실, 침실과 같이 영역을 등록해보세요!" + } + }, + "automation": { + "caption": "자동화", + "description": "자동화를 만들고 편집합니다", + "editor": { + "actions": { + "add": "동작 추가", + "delete": "삭제", + "delete_confirm": "정말 삭제하시겠습니까?", + "duplicate": "복제", + "header": "동작", + "introduction": "동작은 자동화가 트리거 될 때 Home Assistant 가 수행할 작업입니다.", + "learn_more": "동작에 대해 더 알아보기", + "type_select": "동작 유형", + "type": { + "condition": { + "label": "조건" + }, + "delay": { + "delay": "지연", + "label": "지연" + }, + "device_id": { + "extra_fields": { + "code": "코드" + }, + "label": "기기" + }, + "event": { + "event": "이벤트:", + "label": "이벤트 발생", + "service_data": "서비스 데이터" + }, + "scene": { + "label": "씬 활성화" + }, + "service": { + "label": "서비스 호출", + "service_data": "서비스 데이터" + }, + "wait_template": { + "label": "대기", + "timeout": "제한 시간 (선택 사항)", + "wait_template": "대기 템플릿" + } + }, + "unsupported_action": "미지원 동작: {action}" + }, + "alias": "이름", + "conditions": { + "add": "조건 추가", + "delete": "삭제", + "delete_confirm": "정말 삭제하시겠습니까?", + "duplicate": "복제", + "header": "조건", + "introduction": "조건은 자동화 규칙의 선택사항이며 트리거 될 때 발생하는 동작을 방지하는 데 사용할 수 있습니다. 조건은 트리거와 비슷해 보이지만 매우 다릅니다. 트리거는 시스템에서 발생하는 이벤트를 검사하고 조건은 시스템의 현재 상태를 검사합니다. 스위치를 예로 들면, 트리거는 스위치가 켜지는 것(이벤트)을, 조건은 스위치가 현재 켜져 있는지 혹은 꺼져 있는지(상태)를 검사합니다.", + "learn_more": "조건에 대해 더 알아보기", + "type_select": "조건 유형", + "type": { + "and": { + "label": "다중조건 (그리고)" + }, + "device": { + "extra_fields": { + "above": "이상", + "below": "이하", + "for": "동안" + }, + "label": "기기" + }, + "numeric_state": { + "above": "이상", + "below": "이하", + "label": "수치 상태", + "value_template": "값 템플릿 (선택 사항)" + }, + "or": { + "label": "다중조건 (또는)" + }, + "state": { + "label": "상태", + "state": "상태" + }, + "sun": { + "after": "이후:", + "after_offset": "이후 오프셋 (선택 사항)", + "before": "이전:", + "before_offset": "이전 오프셋 (선택 사항)", + "label": "태양", + "sunrise": "해돋이", + "sunset": "해넘이" + }, + "template": { + "label": "템플릿", + "value_template": "값 템플릿" + }, + "time": { + "after": "이후", + "before": "이전", + "label": "시간" + }, + "zone": { + "entity": "위치기반 구성요소", + "label": "구역", + "zone": "구역" + } + }, + "unsupported_condition": "미지원 조건: {condition}" + }, + "default_name": "새로운 자동화", + "description": { + "label": "설명", + "placeholder": "부가 설명" + }, + "introduction": "자동화를 사용하여 집에 생기를 불어넣으세요", + "load_error_not_editable": "automations.yaml 의 자동화만 편집할 수 있습니다.", + "load_error_unknown": "자동화를 읽어오는 도중 오류가 발생했습니다 ({err_no}).", + "save": "저장하기", + "triggers": { + "add": "트리거 추가", + "delete": "삭제", + "delete_confirm": "정말 삭제하시겠습니까?", + "duplicate": "복제", + "header": "트리거", + "introduction": "트리거는 자동화 규칙을 처리하는 시작점 입니다. 같은 자동화 규칙에 여러 개의 트리거를 지정할 수 있습니다. 트리거가 발동되면 Home Assistant 는 조건을 확인하고 동작을 호출합니다.", + "learn_more": "트리거에 대해 더 알아보기", + "type_select": "트리거 유형", + "type": { + "device": { + "extra_fields": { + "above": "이상", + "below": "이하", + "for": "동안" + }, + "label": "기기" + }, + "event": { + "event_data": "이벤트 데이터", + "event_type": "이벤트 유형", + "label": "이벤트" + }, + "geo_location": { + "enter": "입장", + "event": "이벤트:", + "label": "위치정보", + "leave": "퇴장", + "source": "소스", + "zone": "구역" + }, + "homeassistant": { + "event": "이벤트:", + "label": "Home Assistant", + "shutdown": "종료", + "start": "시작" + }, + "mqtt": { + "label": "MQTT", + "payload": "페이로드 (선택 사항)", + "topic": "토픽" + }, + "numeric_state": { + "above": "이상", + "below": "이하", + "label": "수치 상태", + "value_template": "값 템플릿 (선택 사항)" + }, + "state": { + "for": "경과 시간", + "from": "이전", + "label": "상태", + "to": "이후" + }, + "sun": { + "event": "이벤트:", + "label": "태양", + "offset": "오프셋 (선택 사항)", + "sunrise": "해돋이", + "sunset": "해넘이" + }, + "template": { + "label": "템플릿", + "value_template": "값 템플릿" + }, + "time_pattern": { + "hours": "시", + "label": "시간 패턴", + "minutes": "분", + "seconds": "초" + }, + "time": { + "at": "시각", + "label": "시간" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook ID" + }, + "zone": { + "enter": "입장", + "entity": "위치기반 구성요소", + "event": "이벤트:", + "label": "구역", + "leave": "퇴장", + "zone": "구역" + } + }, + "unsupported_platform": "미지원 플랫폼: {platform}" + }, + "unsaved_confirm": "변경된 내용을 저장하지 않았습니다. 정말 이 페이지를 떠나시겠습니까?" + }, + "picker": { + "add_automation": "자동화 추가하기", + "header": "자동화 편집", + "introduction": "자동화 편집기를 사용하여 자동화를 작성하고 편집할 수 있습니다. 아래 링크를 따라 안내사항을 읽고 Home Assistant 를 올바르게 구성했는지 확인해보세요.", + "learn_more": "자동화에 대해 더 알아보기", + "no_automations": "편집 가능한 자동화를 찾을 수 없습니다", + "pick_automation": "편집할 자동화 선택" + } + }, + "cloud": { + "account": { + "alexa": { + "config_documentation": "설정 문서 보기", + "disable": "비활성화", + "enable": "활성화", + "enable_ha_skill": "Alexa 에 Home Assistant 스킬 사용하기", + "enable_state_reporting": "상태 보고 활성화", + "info": "Home Assistant Cloud 의 Alexa 연동 기능으로 Alexa 가 지원하는 기기로서 Home Assistant 기기를 제어 할 수 있습니다.", + "info_state_reporting": "상태 보고를 활성화하면 Home Assistant 는 노출된 구성요소의 모든 상태 변경 사항을 Amazon 에 보냅니다. 이를 통해 Alexa 앱에서 언제든지 구성요소의 최신 상태를 확인할 수 있으며, 상태 변경을 사용하여 루틴을 만들 수 있습니다.", + "manage_entities": "구성요소 관리", + "state_reporting_error": "상태 보고를 {enable_disable}할 수 없습니다.", + "sync_entities": "구성요소 동기화", + "sync_entities_error": "구성요소 동기화를 하지 못했습니다:", + "title": "Alexa" + }, + "connected": "연결됨", + "connection_status": "클라우드 연결 상태", + "fetching_subscription": "구독 정보를 가져오는 중…", + "google": { + "config_documentation": "설정 문서 보기", + "devices_pin": "보안 기기 PIN", + "enable_ha_skill": "Google 어시스턴트에 Home Assistant 스킬 사용하기", + "enable_state_reporting": "상태 보고 활성화", + "enter_pin_error": "PIN 을 저장할 수 없습니다:", + "enter_pin_hint": "보안 기기 사용 PIN 입력", + "enter_pin_info": "보안 기기를 제어하기 위한 PIN 을 설정해주세요. 보안 기기란 현관문, 차고문, 도어락과 같은 기기입니다. Google 어시스턴트를 통해 이러한 기기를 제어할 때 PIN 을 입력하거나 말씀해주셔야 합니다.", + "info": "Home Assistant Cloud 의 Google 어시스턴트 연동 기능으로 Google 어시스턴트가 지원하는 기기로서 Home Assistant 기기를 제어 할 수 있습니다.", + "info_state_reporting": "상태 보고를 활성화하면 Home Assistant 는 노출된 구성요소의 모든 상태 변경 사항을 Google 에 보냅니다. 이를 통해 Google 앱에서 언제든지 구성요소의 최신 상태를 확인할 수 있습니다.", + "manage_entities": "구성요소 관리", + "security_devices": "보안 기기", + "sync_entities": "구성요소를 Google 에 동기화", + "title": "Google 어시스턴트" + }, + "integrations": "서비스 연동", + "integrations_introduction": "Home Assistant Cloud 연동을 통해 Home Assistant 구성요소를 인터넷상에 공개 노출시키지 않고도 클라우드의 서비스에 연결시킬 수 있습니다.", + "integrations_introduction2": "웹사이트를 방문하여 다음을 확인해보세요. ", + "integrations_link_all_features": "사용 가능한 모든 기능", + "manage_account": "계정 관리", + "nabu_casa_account": "Nabu Casa 계정", + "not_connected": "연결되지 않음", + "remote": { + "access_is_being_prepared": "원격 액세스가 준비 중입니다. 준비가 되면 알려드리겠습니다.", + "certificate_info": "인증서 정보", + "info": "Home Assistant Cloud 는 집 밖에서도 구성요소에 대한 안전한 원격 연결을 제공해드립니다.", + "instance_is_available": "구성요소는 다음의 주소에서 사용할 수 있습니다.", + "instance_will_be_available": "토글을 활성화하여 다음의 주소에서 구성요소를 사용해보세요.", + "link_learn_how_it_works": "작동 방식에 대해 알아보기", + "title": "원격 제어" + }, + "sign_out": "로그 아웃", + "thank_you_note": "Home Assistant Cloud 를 이용해주셔서 감사합니다. 여러분 덕분에 저희는 모든 분들에게 더 나은 홈 자동화를 제공해드릴 수 있습니다. 감사합니다!", + "webhooks": { + "disable_hook_error_msg": "Webhook 를 비활성화하지 못했습니다:", + "info": "Webhook 에 의해 트리거 되도록 구성된 모든 구성요소를 인터넷상에 공개 노출시키지 않고도 어디서나 Home Assistant 로 데이터를 보낼 수 있는 공개된 액세스가 가능한 URL 을 제공해드립니다.", + "link_learn_more": "Webhook 기반 자동화 생성에 대해 더 알아보기.", + "loading": "읽는 중 ...", + "manage": "관리", + "no_hooks_yet": "아직 Webhook 가 없는 것 같습니다. 다음을 구성하여 시작하실 수 있습니다. ", + "no_hooks_yet_link_automation": "Webhook 자동화", + "no_hooks_yet_link_integration": "Webhook 기반 연동", + "no_hooks_yet2": " 또는 다음을 작성할 수 있습니다. ", + "title": "Webhooks" + } + }, + "alexa": { + "banner": "configuration.yaml 에서 구성요소 필터를 구성했기 때문에 UI 를 통해 노출된 구성요소를 편집 할 수 없습니다.", + "expose": "Alexa 에 노출", + "exposed_entities": "노출된 구성요소", + "not_exposed_entities": "노출되지 않은 구성요소", + "title": "Alexa" + }, + "caption": "Home Assistant Cloud", + "description_features": "Alexa 및 Google 어시스턴트를 통해 집 밖에서도 집을 관리하세요.", + "description_login": "{email} 로(으로) 로그인 되어있습니다", + "description_not_login": "로그인이 되어있지 않습니다", + "dialog_certificate": { + "certificate_expiration_date": "인증서 만료 날짜", + "certificate_information": "인증서 정보", + "close": "닫기", + "fingerprint": "인증서 지문:", + "will_be_auto_renewed": "인증서는 자동으로 갱신됩니다" + }, + "dialog_cloudhook": { + "available_at": "Webhook 는 다음의 URL 을 사용해 주세요:", + "close": "닫기", + "confirm_disable": "이 Webhook 를 비활성화 하시겠습니까?", + "copied_to_clipboard": "클립보드에 복사됨", + "info_disable_webhook": "이 Webhook 를 더 이상 사용하지 않으려면, 다음을 해보세요: ", + "link_disable_webhook": "비활성화", + "managed_by_integration": "이 Webhook 는 통합 구성요소에 의해 관리되고 있어 비활성화할 수 없습니다.", + "view_documentation": "관련문서 보기", + "webhook_for": "{name} Webhook" + }, + "forgot_password": { + "check_your_email": "비밀번호를 재설정하는 방법은 보내드린 이메일을 확인해주세요.", + "email": "이메일", + "email_error_msg": "잘못된 이메일 형식", + "instructions": "이메일 주소를 입력하시면 비밀번호를 재설정 할 수 있는 링크를 보내드립니다.", + "send_reset_email": "재설정 이메일 보내기", + "subtitle": "비밀번호 재설정 하기", + "title": "비밀번호 찾기" + }, + "google": { + "banner": "configuration.yaml 에서 구성요소 필터를 구성했기 때문에 UI 를 통해 노출된 구성요소를 편집 할 수 없습니다.", + "disable_2FA": "2단계 인증 비활성화", + "expose": "Google 어시스턴트에 노출", + "exposed_entities": "노출된 구성요소", + "not_exposed_entities": "노출되지 않은 구성요소", + "sync_to_google": "변경 사항을 Google 에 동기화하는 중.", + "title": "Google 어시스턴트" + }, + "login": { + "alert_email_confirm_necessary": "로그인하기 전에 검증 이메일을 확인해야 합니다.", + "alert_password_change_required": "로그인하기 전에 비밀번호를 변경해야 합니다.", + "dismiss": "로그인 취소", + "email": "이메일", + "email_error_msg": "잘못된 이메일 형식", + "forgot_password": "비밀번호가 기억나지 않으세요?", + "introduction": "Home Assistant Cloud 는 집 밖에서도 구성요소에 대한 안전한 원격 연결을 제공해드립니다. 또한 Amazon Alexa 및 Google 어시스턴트와 같은 클라우드 전용 서비스에 연결할 수 있습니다.", + "introduction2": "이 서비스는 Home Assistant 와 Hass.io 의 설립자가 설립한 회사인 ", + "introduction2a": " 에 의해 운영되고 있습니다.", + "introduction3": "Home Assistant Cloud 는 1개월 무료 평가판이 포함된 구독 서비스입니다. 결제 정보는 필요하지 않습니다.", + "learn_more_link": "Home Assistant Cloud 에 대해 더 알아보기", + "password": "비밀번호", + "password_error_msg": "비밀번호는 최소 8자 이상입니다", + "sign_in": "로그인", + "start_trial": "1개월 무료 평가판 사용해 보기", + "title": "클라우드 로그인", + "trial_info": "결제 정보는 필요하지 않습니다" + }, + "register": { + "account_created": "계정이 생성되었습니다! 계정을 활성화 하는 방법은 보내드린 이메일을 확인해주세요.", + "create_account": "계정 만들기", + "email_address": "이메일 주소", + "email_error_msg": "잘못된 이메일 형식", + "feature_amazon_alexa": "Amazon Alexa 연동", + "feature_google_home": "Google 어시스턴트 연동", + "feature_remote_control": "집 밖에서 Home Assistant 를 제어", + "feature_webhook_apps": "OwnTracks 와 같은 Webhook 기반 앱과 쉬운 연동", + "headline": "1개월 무료 평가판 사용해 보기", + "information": "1개월간 무료로 사용해 볼 수 있는 Home Assistant Cloud 계정을 만들어보세요. 결제 정보는 필요하지 않습니다.", + "information2": "평가판을 사용하면 다음을 포함하는 Home Assistant Cloud 의 모든 기능을 이용해 볼 수 있습니다:", + "information3": "이 서비스는 Home Assistant 와 Hass.io 의 설립자가 설립한 회사인 ", + "information3a": " 에 의해 운영되고 있습니다.", + "information4": "계정 등록은 다음 이용 약관의 동의를 포함합니다.", + "link_privacy_policy": "개인 정보 정책", + "link_terms_conditions": "이용 약관", + "password": "비밀번호", + "password_error_msg": "비밀번호는 최소 8자 이상입니다", + "resend_confirm_email": "검증 이메일 다시보내기", + "start_trial": "무료 평가판 시작", + "title": "계정 만들기" + } + }, + "common": { + "editor": { + "confirm_unsaved": "변경된 내용을 저장하지 않았습니다. 정말로 이 페이지를 떠나시겠습니까?" + } + }, "core": { "caption": "일반", "description": "Home Assistant 일반 구성 내용을 편집합니다", "section": { "core": { - "header": "일반 구성", - "introduction": "구성 내용의 설정을 변경하는 것은 때때로 난해하고 귀찮은 작업입니다. 여기서 설정 변경을 좀 더 쉽게 하실 수 있습니다.", "core_config": { "edit_requires_storage": "구성내용이 configuration.yaml 에 저장되어 있기 때문에 편집기가 비활성화 되었습니다.", - "location_name": "Home Assistant 이름", - "latitude": "위도", - "longitude": "경도", "elevation": "고도", "elevation_meters": "미터", + "imperial_example": "화씨, 파운드", + "latitude": "위도", + "location_name": "Home Assistant 이름", + "longitude": "경도", + "metric_example": "섭씨, 킬로그램", + "save_button": "저장", "time_zone": "시간대", "unit_system": "단위", "unit_system_imperial": "야드파운드법", - "unit_system_metric": "미터법", - "imperial_example": "화씨, 파운드", - "metric_example": "섭씨, 킬로그램", - "save_button": "저장" - } + "unit_system_metric": "미터법" + }, + "header": "일반 구성", + "introduction": "구성 내용의 설정을 변경하는 것은 때때로 난해하고 귀찮은 작업입니다. 여기서 설정 변경을 좀 더 쉽게 하실 수 있습니다." }, "server_control": { - "validation": { - "heading": "구성 내용 유효성 검사", - "introduction": "최근에 구성 내용을 추가 혹은 변경하셨다면, 구성 내용 확인 버튼을 눌러 구성 내용이 올바른지 검사하고 Home Assistant 가 정상 작동 되는지 확인하실 수 있습니다.", - "check_config": "구성 내용 확인", - "valid": "구성 내용이 모두 올바릅니다!", - "invalid": "구성 내용이 잘못되었습니다" - }, "reloading": { - "heading": "구성 내용 새로고침", - "introduction": "Home Assistant 의 일부 구성 내용은 재시작 없이 다시 읽어들일 수 있습니다. 새로고침을 누르면 현재 구성 내용을 내리고 새로운 구성 내용을 읽어들입니다.", + "automation": "자동화 새로고침", "core": "코어 새로고침", "group": "그룹 새로고침", - "automation": "자동화 새로고침", + "heading": "구성 내용 새로고침", + "introduction": "Home Assistant 의 일부 구성 내용은 재시작 없이 다시 읽어들일 수 있습니다. 새로고침을 누르면 현재 구성 내용을 내리고 새로운 구성 내용을 읽어들입니다.", "script": "스크립트 새로고침" }, "server_management": { @@ -475,6 +1092,13 @@ "introduction": "Home Assistant 서버를 제어합니다.", "restart": "재시작", "stop": "중지" + }, + "validation": { + "check_config": "구성 내용 확인", + "heading": "구성 내용 유효성 검사", + "introduction": "최근에 구성 내용을 추가 혹은 변경하셨다면, 구성 내용 확인 버튼을 눌러 구성 내용이 올바른지 검사하고 Home Assistant 가 정상 작동 되는지 확인하실 수 있습니다.", + "invalid": "구성 내용이 잘못되었습니다", + "valid": "구성 내용이 모두 올바릅니다!" } } } @@ -487,507 +1111,69 @@ "introduction": "구성요소의 속성값을 입맛에 맞게 변경할 수 있습니다. 추가 혹은 수정된 사용자 정의 내용은 즉시 적용되지만, 제거된 내용은 구성요소가 업데이트 될 때 적용됩니다." } }, - "automation": { - "caption": "자동화", - "description": "자동화를 만들고 편집합니다", - "picker": { - "header": "자동화 편집", - "introduction": "자동화 편집기를 사용하여 자동화를 작성하고 편집할 수 있습니다. 아래 링크를 따라 안내사항을 읽고 Home Assistant 를 올바르게 구성했는지 확인해보세요.", - "pick_automation": "편집할 자동화 선택", - "no_automations": "편집 가능한 자동화를 찾을 수 없습니다", - "add_automation": "자동화 추가하기", - "learn_more": "자동화에 대해 더 알아보기" - }, - "editor": { - "introduction": "자동화를 사용하여 집에 생기를 불어넣으세요", - "default_name": "새로운 자동화", - "save": "저장하기", - "unsaved_confirm": "변경된 내용을 저장하지 않았습니다. 정말 이 페이지를 떠나시겠습니까?", - "alias": "이름", - "triggers": { - "header": "트리거", - "introduction": "트리거는 자동화 규칙을 처리하는 시작점 입니다. 같은 자동화 규칙에 여러 개의 트리거를 지정할 수 있습니다. 트리거가 발동되면 Home Assistant 는 조건을 확인하고 동작을 호출합니다.", - "add": "트리거 추가", - "duplicate": "복제", - "delete": "삭제", - "delete_confirm": "정말 삭제하시겠습니까?", - "unsupported_platform": "미지원 플랫폼: {platform}", - "type_select": "트리거 유형", - "type": { - "event": { - "label": "이벤트", - "event_type": "이벤트 유형", - "event_data": "이벤트 데이터" - }, - "state": { - "label": "상태", - "from": "이전", - "to": "이후", - "for": "경과 시간" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "이벤트:", - "start": "시작", - "shutdown": "종료" - }, - "mqtt": { - "label": "MQTT", - "topic": "토픽", - "payload": "페이로드 (선택 사항)" - }, - "numeric_state": { - "label": "수치 상태", - "above": "이상", - "below": "이하", - "value_template": "값 템플릿 (선택 사항)" - }, - "sun": { - "label": "태양", - "event": "이벤트:", - "sunrise": "해돋이", - "sunset": "해넘이", - "offset": "오프셋 (선택 사항)" - }, - "template": { - "label": "템플릿", - "value_template": "값 템플릿" - }, - "time": { - "label": "시간", - "at": "시각" - }, - "zone": { - "label": "구역", - "entity": "위치기반 구성요소", - "zone": "구역", - "event": "이벤트:", - "enter": "입장", - "leave": "퇴장" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook ID" - }, - "time_pattern": { - "label": "시간 패턴", - "hours": "시", - "minutes": "분", - "seconds": "초" - }, - "geo_location": { - "label": "위치정보", - "source": "소스", - "zone": "구역", - "event": "이벤트:", - "enter": "입장", - "leave": "퇴장" - }, - "device": { - "label": "기기", - "extra_fields": { - "above": "이상", - "below": "이하", - "for": "동안" - } - } - }, - "learn_more": "트리거에 대해 더 알아보기" + "devices": { + "automation": { + "actions": { + "caption": "뭔가 트리거 되었을 때...." }, "conditions": { - "header": "조건", - "introduction": "조건은 자동화 규칙의 선택사항이며 트리거 될 때 발생하는 동작을 방지하는 데 사용할 수 있습니다. 조건은 트리거와 비슷해 보이지만 매우 다릅니다. 트리거는 시스템에서 발생하는 이벤트를 검사하고 조건은 시스템의 현재 상태를 검사합니다. 스위치를 예로 들면, 트리거는 스위치가 켜지는 것(이벤트)을, 조건은 스위치가 현재 켜져 있는지 혹은 꺼져 있는지(상태)를 검사합니다.", - "add": "조건 추가", - "duplicate": "복제", - "delete": "삭제", - "delete_confirm": "정말 삭제하시겠습니까?", - "unsupported_condition": "미지원 조건: {condition}", - "type_select": "조건 유형", - "type": { - "state": { - "label": "상태", - "state": "상태" - }, - "numeric_state": { - "label": "수치 상태", - "above": "이상", - "below": "이하", - "value_template": "값 템플릿 (선택 사항)" - }, - "sun": { - "label": "태양", - "before": "이전:", - "after": "이후:", - "before_offset": "이전 오프셋 (선택 사항)", - "after_offset": "이후 오프셋 (선택 사항)", - "sunrise": "해돋이", - "sunset": "해넘이" - }, - "template": { - "label": "템플릿", - "value_template": "값 템플릿" - }, - "time": { - "label": "시간", - "after": "이후", - "before": "이전" - }, - "zone": { - "label": "구역", - "entity": "위치기반 구성요소", - "zone": "구역" - }, - "device": { - "label": "기기", - "extra_fields": { - "above": "이상", - "below": "이하", - "for": "동안" - } - }, - "and": { - "label": "다중조건 (그리고)" - }, - "or": { - "label": "다중조건 (또는)" - } - }, - "learn_more": "조건에 대해 더 알아보기" + "caption": "...인 경우 뭔가를 실행" }, - "actions": { - "header": "동작", - "introduction": "동작은 자동화가 트리거 될 때 Home Assistant 가 수행할 작업입니다.", - "add": "동작 추가", - "duplicate": "복제", - "delete": "삭제", - "delete_confirm": "정말 삭제하시겠습니까?", - "unsupported_action": "미지원 동작: {action}", - "type_select": "동작 유형", - "type": { - "service": { - "label": "서비스 호출", - "service_data": "서비스 데이터" - }, - "delay": { - "label": "지연", - "delay": "지연" - }, - "wait_template": { - "label": "대기", - "wait_template": "대기 템플릿", - "timeout": "제한 시간 (선택 사항)" - }, - "condition": { - "label": "조건" - }, - "event": { - "label": "이벤트 발생", - "event": "이벤트:", - "service_data": "서비스 데이터" - }, - "device_id": { - "label": "기기", - "extra_fields": { - "code": "코드" - } - }, - "scene": { - "label": "씬 활성화" - } - }, - "learn_more": "동작에 대해 더 알아보기" - }, - "load_error_not_editable": "automations.yaml 의 자동화만 편집할 수 있습니다.", - "load_error_unknown": "자동화를 읽어오는 도중 오류가 발생했습니다 ({err_no}).", - "description": { - "label": "설명", - "placeholder": "부가 설명" - } - } - }, - "script": { - "caption": "스크립트", - "description": "스크립트를 만들고 편집합니다", - "picker": { - "header": "스크립트 편집기", - "introduction": "스크립트 편집기를 사용하여 스크립트를 작성하고 편집 할 수 있습니다. 아래 링크를 따라 안내사항을 읽고 Home Assistant 를 올바르게 구성했는지 확인해보세요.", - "learn_more": "스크립트에 대해 더 알아보기", - "no_scripts": "편집 가능한 스크립트를 찾을 수 없습니다", - "add_script": "스크립트 추가" - }, - "editor": { - "header": "스크립트: {name}", - "default_name": "새로운 스크립트", - "load_error_not_editable": "scripts.yaml 의 스크립트만 편집할 수 있습니다.", - "delete_confirm": "이 스크립트를 삭제 하시겠습니까?" - } - }, - "zwave": { - "caption": "Z-Wave", - "description": "Z-Wave 네트워크를 관리합니다", - "network_management": { - "header": "Z-Wave 네트워크 관리", - "introduction": "Z-Wave 네트워크에 명령을 실행해주세요. 대부분의 명령이 성공했는지에 대한 피드백은 받을 수 없지만, OZW 로그를 통해 확인해 볼 수 있습니다." - }, - "network_status": { - "network_stopped": "Z-Wave 네트워크 중지됨", - "network_starting": "Z-Wave 네트워크 시작 중...", - "network_starting_note": "네트워크 규모에 따라 다소 시간이 걸릴 수 있습니다.", - "network_started": "Z-Wave 네트워크 시작됨", - "network_started_note_some_queried": "절전모드 해제 노드가 쿼리되었습니다. 절전모드 노드는 절전모드 해제 상태일 때 쿼리됩니다.", - "network_started_note_all_queried": "모든 노드가 쿼리되었습니다." - }, - "services": { - "start_network": "네트워크 시작", - "stop_network": "네트워크 중지", - "heal_network": "네트워크 새로고침", - "test_network": "네트워크 테스트", - "soft_reset": "소프트 리셋", - "save_config": "설정 저장", - "add_node_secure": "노드 보안 추가", - "add_node": "노드 추가", - "remove_node": "노드 제거", - "cancel_command": "명령 취소" - }, - "common": { - "value": "값", - "instance": "인스턴스", - "index": "색인", - "unknown": "알 수 없음", - "wakeup_interval": "절전모드 해제 간격" - }, - "values": { - "header": "노드 값" - }, - "node_config": { - "header": "노드 구성 옵션", - "seconds": "초", - "set_wakeup": "절전모드 해제 간격 설정", - "config_parameter": "구성 파라메터", - "config_value": "구성 값", - "true": "참", - "false": "거짓", - "set_config_parameter": "구성 파라메터 설정" - }, - "learn_more": "Z-Wave 에 대해 더 알아보기", - "ozw_log": { - "header": "OZW 로그", - "introduction": "로그를 봐주세요. 최소값은 0(전체 로그를 불러올 때)이고 최대값은 1000 입니다. 로드된 로그는 정적 로그를 보여주며 로그의 끝 부분은 최근 기록된 로그의 행으로 자동으로 업데이트됩니다." - } - }, - "users": { - "caption": "사용자", - "description": "사용자를 관리합니다", - "picker": { - "title": "사용자", - "system_generated": "시스템 자동 생성" - }, - "editor": { - "rename_user": "사용자 이름 변경", - "change_password": "비밀번호 변경", - "activate_user": "사용자 활성화", - "deactivate_user": "사용자 비활성화", - "delete_user": "사용자 삭제", - "caption": "사용자 보기", - "id": "ID", - "owner": "소유자", - "group": "그룹", - "active": "활성화", - "system_generated": "시스템 자동 생성", - "system_generated_users_not_removable": "시스템 자동 생성 사용자는 제거 할 수 없습니다.", - "unnamed_user": "이름이 없는 사용자", - "enter_new_name": "새로운 이름을 입력해주세요", - "user_rename_failed": "사용자 이름 변경이 실패했습니다:", - "group_update_failed": "그룹 업데이트가 실패했습니다:", - "confirm_user_deletion": "{name} 을(를) 삭제 하시겠습니까?" - }, - "add_user": { - "caption": "사용자 계정 만들기", - "name": "이름", - "username": "사용자 이름 (계정명)", - "password": "비밀번호", - "create": "만들기" - } - }, - "cloud": { - "caption": "Home Assistant Cloud", - "description_login": "{email} 로(으로) 로그인 되어있습니다", - "description_not_login": "로그인이 되어있지 않습니다", - "description_features": "Alexa 및 Google 어시스턴트를 통해 집 밖에서도 집을 관리하세요.", - "login": { - "title": "클라우드 로그인", - "introduction": "Home Assistant Cloud 는 집 밖에서도 구성요소에 대한 안전한 원격 연결을 제공해드립니다. 또한 Amazon Alexa 및 Google 어시스턴트와 같은 클라우드 전용 서비스에 연결할 수 있습니다.", - "introduction2": "이 서비스는 Home Assistant 와 Hass.io 의 설립자가 설립한 회사인 ", - "introduction2a": " 에 의해 운영되고 있습니다.", - "introduction3": "Home Assistant Cloud 는 1개월 무료 평가판이 포함된 구독 서비스입니다. 결제 정보는 필요하지 않습니다.", - "learn_more_link": "Home Assistant Cloud 에 대해 더 알아보기", - "dismiss": "로그인 취소", - "sign_in": "로그인", - "email": "이메일", - "email_error_msg": "잘못된 이메일 형식", - "password": "비밀번호", - "password_error_msg": "비밀번호는 최소 8자 이상입니다", - "forgot_password": "비밀번호가 기억나지 않으세요?", - "start_trial": "1개월 무료 평가판 사용해 보기", - "trial_info": "결제 정보는 필요하지 않습니다", - "alert_password_change_required": "로그인하기 전에 비밀번호를 변경해야 합니다.", - "alert_email_confirm_necessary": "로그인하기 전에 검증 이메일을 확인해야 합니다." - }, - "forgot_password": { - "title": "비밀번호 찾기", - "subtitle": "비밀번호 재설정 하기", - "instructions": "이메일 주소를 입력하시면 비밀번호를 재설정 할 수 있는 링크를 보내드립니다.", - "email": "이메일", - "email_error_msg": "잘못된 이메일 형식", - "send_reset_email": "재설정 이메일 보내기", - "check_your_email": "비밀번호를 재설정하는 방법은 보내드린 이메일을 확인해주세요." - }, - "register": { - "title": "계정 만들기", - "headline": "1개월 무료 평가판 사용해 보기", - "information": "1개월간 무료로 사용해 볼 수 있는 Home Assistant Cloud 계정을 만들어보세요. 결제 정보는 필요하지 않습니다.", - "information2": "평가판을 사용하면 다음을 포함하는 Home Assistant Cloud 의 모든 기능을 이용해 볼 수 있습니다:", - "feature_remote_control": "집 밖에서 Home Assistant 를 제어", - "feature_google_home": "Google 어시스턴트 연동", - "feature_amazon_alexa": "Amazon Alexa 연동", - "feature_webhook_apps": "OwnTracks 와 같은 Webhook 기반 앱과 쉬운 연동", - "information3": "이 서비스는 Home Assistant 와 Hass.io 의 설립자가 설립한 회사인 ", - "information3a": " 에 의해 운영되고 있습니다.", - "information4": "계정 등록은 다음 이용 약관의 동의를 포함합니다.", - "link_terms_conditions": "이용 약관", - "link_privacy_policy": "개인 정보 정책", - "create_account": "계정 만들기", - "email_address": "이메일 주소", - "email_error_msg": "잘못된 이메일 형식", - "password": "비밀번호", - "password_error_msg": "비밀번호는 최소 8자 이상입니다", - "start_trial": "무료 평가판 시작", - "resend_confirm_email": "검증 이메일 다시보내기", - "account_created": "계정이 생성되었습니다! 계정을 활성화 하는 방법은 보내드린 이메일을 확인해주세요." - }, - "account": { - "thank_you_note": "Home Assistant Cloud 를 이용해주셔서 감사합니다. 여러분 덕분에 저희는 모든 분들에게 더 나은 홈 자동화를 제공해드릴 수 있습니다. 감사합니다!", - "nabu_casa_account": "Nabu Casa 계정", - "connection_status": "클라우드 연결 상태", - "manage_account": "계정 관리", - "sign_out": "로그 아웃", - "integrations": "서비스 연동", - "integrations_introduction": "Home Assistant Cloud 연동을 통해 Home Assistant 구성요소를 인터넷상에 공개 노출시키지 않고도 클라우드의 서비스에 연결시킬 수 있습니다.", - "integrations_introduction2": "웹사이트를 방문하여 다음을 확인해보세요. ", - "integrations_link_all_features": "사용 가능한 모든 기능", - "connected": "연결됨", - "not_connected": "연결되지 않음", - "fetching_subscription": "구독 정보를 가져오는 중…", - "remote": { - "title": "원격 제어", - "access_is_being_prepared": "원격 액세스가 준비 중입니다. 준비가 되면 알려드리겠습니다.", - "info": "Home Assistant Cloud 는 집 밖에서도 구성요소에 대한 안전한 원격 연결을 제공해드립니다.", - "instance_is_available": "구성요소는 다음의 주소에서 사용할 수 있습니다.", - "instance_will_be_available": "토글을 활성화하여 다음의 주소에서 구성요소를 사용해보세요.", - "link_learn_how_it_works": "작동 방식에 대해 알아보기", - "certificate_info": "인증서 정보" - }, - "alexa": { - "title": "Alexa", - "info": "Home Assistant Cloud 의 Alexa 연동 기능으로 Alexa 가 지원하는 기기로서 Home Assistant 기기를 제어 할 수 있습니다.", - "enable_ha_skill": "Alexa 에 Home Assistant 스킬 사용하기", - "config_documentation": "설정 문서 보기", - "enable_state_reporting": "상태 보고 활성화", - "info_state_reporting": "상태 보고를 활성화하면 Home Assistant 는 노출된 구성요소의 모든 상태 변경 사항을 Amazon 에 보냅니다. 이를 통해 Alexa 앱에서 언제든지 구성요소의 최신 상태를 확인할 수 있으며, 상태 변경을 사용하여 루틴을 만들 수 있습니다.", - "sync_entities": "구성요소 동기화", - "manage_entities": "구성요소 관리", - "sync_entities_error": "구성요소 동기화를 하지 못했습니다:", - "state_reporting_error": "상태 보고를 {enable_disable}할 수 없습니다.", - "enable": "활성화", - "disable": "비활성화" - }, - "google": { - "title": "Google 어시스턴트", - "info": "Home Assistant Cloud 의 Google 어시스턴트 연동 기능으로 Google 어시스턴트가 지원하는 기기로서 Home Assistant 기기를 제어 할 수 있습니다.", - "enable_ha_skill": "Google 어시스턴트에 Home Assistant 스킬 사용하기", - "config_documentation": "설정 문서 보기", - "enable_state_reporting": "상태 보고 활성화", - "info_state_reporting": "상태 보고를 활성화하면 Home Assistant 는 노출된 구성요소의 모든 상태 변경 사항을 Google 에 보냅니다. 이를 통해 Google 앱에서 언제든지 구성요소의 최신 상태를 확인할 수 있습니다.", - "security_devices": "보안 기기", - "enter_pin_info": "보안 기기를 제어하기 위한 PIN 을 설정해주세요. 보안 기기란 현관문, 차고문, 도어락과 같은 기기입니다. Google 어시스턴트를 통해 이러한 기기를 제어할 때 PIN 을 입력하거나 말씀해주셔야 합니다.", - "devices_pin": "보안 기기 PIN", - "enter_pin_hint": "보안 기기 사용 PIN 입력", - "sync_entities": "구성요소를 Google 에 동기화", - "manage_entities": "구성요소 관리", - "enter_pin_error": "PIN 을 저장할 수 없습니다:" - }, - "webhooks": { - "title": "Webhooks", - "info": "Webhook 에 의해 트리거 되도록 구성된 모든 구성요소를 인터넷상에 공개 노출시키지 않고도 어디서나 Home Assistant 로 데이터를 보낼 수 있는 공개된 액세스가 가능한 URL 을 제공해드립니다.", - "no_hooks_yet": "아직 Webhook 가 없는 것 같습니다. 다음을 구성하여 시작하실 수 있습니다. ", - "no_hooks_yet_link_integration": "Webhook 기반 연동", - "no_hooks_yet2": " 또는 다음을 작성할 수 있습니다. ", - "no_hooks_yet_link_automation": "Webhook 자동화", - "link_learn_more": "Webhook 기반 자동화 생성에 대해 더 알아보기.", - "loading": "읽는 중 ...", - "manage": "관리", - "disable_hook_error_msg": "Webhook 를 비활성화하지 못했습니다:" + "triggers": { + "caption": "...일 때 뭔가를 실행" } }, - "alexa": { - "title": "Alexa", - "banner": "configuration.yaml 에서 구성요소 필터를 구성했기 때문에 UI 를 통해 노출된 구성요소를 편집 할 수 없습니다.", - "exposed_entities": "노출된 구성요소", - "not_exposed_entities": "노출되지 않은 구성요소", - "expose": "Alexa 에 노출" + "caption": "기기", + "description": "연결된 기기를 관리합니다" + }, + "entity_registry": { + "caption": "구성요소", + "description": "등록된 구성요소를 편집합니다", + "editor": { + "confirm_delete": "이 구성요소를 제거 하시겠습니까?", + "confirm_delete2": "구성요소 항목을 제거해도 Home Assistant 에서 실제로 구성요소가 제거되는것은 아닙니다. 완전히 제거하려면, Home Assistant 에서 '{platform}' 통합 구성요소를 제거해주세요.", + "default_name": "새로운 영역", + "delete": "삭제", + "enabled_cause": "{cause} 에 의해 비활성화 되었습니다.", + "enabled_description": "비활성화 된 구성요소는 Home Assistant 에 추가되지 않습니다.", + "enabled_label": "구성요소 활성화", + "unavailable": "이 구성요소는 현재 사용할 수 없습니다.", + "update": "업데이트" }, - "dialog_certificate": { - "certificate_information": "인증서 정보", - "certificate_expiration_date": "인증서 만료 날짜", - "will_be_auto_renewed": "인증서는 자동으로 갱신됩니다", - "fingerprint": "인증서 지문:", - "close": "닫기" - }, - "google": { - "title": "Google 어시스턴트", - "expose": "Google 어시스턴트에 노출", - "disable_2FA": "2단계 인증 비활성화", - "banner": "configuration.yaml 에서 구성요소 필터를 구성했기 때문에 UI 를 통해 노출된 구성요소를 편집 할 수 없습니다.", - "exposed_entities": "노출된 구성요소", - "not_exposed_entities": "노출되지 않은 구성요소", - "sync_to_google": "변경 사항을 Google 에 동기화하는 중." - }, - "dialog_cloudhook": { - "webhook_for": "{name} Webhook", - "available_at": "Webhook 는 다음의 URL 을 사용해 주세요:", - "managed_by_integration": "이 Webhook 는 통합 구성요소에 의해 관리되고 있어 비활성화할 수 없습니다.", - "info_disable_webhook": "이 Webhook 를 더 이상 사용하지 않으려면, 다음을 해보세요: ", - "link_disable_webhook": "비활성화", - "view_documentation": "관련문서 보기", - "close": "닫기", - "confirm_disable": "이 Webhook 를 비활성화 하시겠습니까?", - "copied_to_clipboard": "클립보드에 복사됨" + "picker": { + "header": "구성요소", + "headers": { + "enabled": "활성화됨", + "entity_id": "구성요소 ID", + "integration": "통합 구성요소", + "name": "이름" + }, + "integrations_page": "통합 구성요소 페이지", + "introduction": "Home Assistant 는 구성요소의 식별을 위해 모든 구성요소에 고유한 레지스트리를 부여합니다. 각각의 구성요소들은 자신만의 고유한 구성요소 ID 를 가집니다.", + "introduction2": "구성요소를 편집하여 이름을 대체하거나 구성요소 ID를 변경하고 Home Assistant 에서 항목을 제거할 수 있습니다. 단, 구성요소 편집창에서 구성요소를 삭제해도 구성요소가 완전히 제거되는 것은 아닙니다. 완전히 제거하려면, 아래 링크를 따라 통합 구성요소 페이지에서 제거해주세요.", + "show_disabled": "비활성화 된 구성요소 표시", + "unavailable": "(사용불가)" } }, + "header": "Home Assistant 설정", "integrations": { "caption": "통합 구성요소", - "description": "통합 구성요소를 관리하고 설정합니다", - "discovered": "발견된 구성요소", - "configured": "설정된 구성요소", - "new": "새로운 통합 구성요소 설정", - "configure": "설정하기", - "none": "설정된 구성요소가 없습니다", "config_entry": { - "no_devices": "이 통합 구성요소는 설정해야 할 기기가 없습니다.", - "no_device": "기기가 없는 구성요소", + "area": "{area}에 위치", + "delete_button": "{integration} 삭제", "delete_confirm": "이 통합 구성요소를 제거 하시겠습니까?", - "restart_confirm": "통합 구성요소 제거 완료를 위해 Home Assistant 웹 페이지를 다시 불러옵니다", - "manuf": "{manufacturer} 제조", - "via": "연결 경유 대상", - "firmware": "펌웨어: {version}", "device_unavailable": "기기 사용불가", "entity_unavailable": "구성요소 사용불가", - "no_area": "영역 없음", + "firmware": "펌웨어: {version}", "hub": "연결 경유 대상", + "manuf": "{manufacturer} 제조", + "no_area": "영역 없음", + "no_device": "기기가 없는 구성요소", + "no_devices": "이 통합 구성요소는 설정해야 할 기기가 없습니다.", + "restart_confirm": "통합 구성요소 제거 완료를 위해 Home Assistant 웹 페이지를 다시 불러옵니다", "settings_button": "{integration} 설정 편집", "system_options_button": "{integration} 시스템 옵션", - "delete_button": "{integration} 삭제", - "area": "{area}에 위치" + "via": "연결 경유 대상" }, "config_flow": { "external_step": { @@ -995,28 +1181,151 @@ "open_site": "웹사이트 열기" } }, + "configure": "설정하기", + "configured": "설정된 구성요소", + "description": "통합 구성요소를 관리하고 설정합니다", + "discovered": "발견된 구성요소", + "home_assistant_website": "Home Assistant 웹 사이트", + "new": "새로운 통합 구성요소 설정", + "none": "설정된 구성요소가 없습니다", "note_about_integrations": "아직 UI 에서 모든 통합 구성요소를 구성할 수 있는것은 아닙니다.", - "note_about_website_reference": "더 많은 구성요소는 다음에서 살펴 봐주세요. ", - "home_assistant_website": "Home Assistant 웹 사이트" + "note_about_website_reference": "더 많은 구성요소는 다음에서 살펴 봐주세요. " + }, + "introduction": "여기에서 구성요소와 Home Assistant 를 설정 할 수 있습니다. 아직 여기서 모두 설정 할 수는 없지만, 모든 내용을 설정 할 수 있도록 작업 중입니다.", + "person": { + "add_person": "구성원 추가하기", + "caption": "구성원", + "confirm_delete": "이 구성원을 삭제 하시겠습니까?", + "confirm_delete2": "이 구성원에게 속한 모든 기기는 비할당 상태로 남게됩니다.", + "create_person": "구성원 만들기", + "description": "Home Assistant 가 추적하는 구성원을 관리합니다", + "detail": { + "create": "만들기", + "delete": "삭제", + "device_tracker_intro": "이 구성원에게 속한 기기를 선택해주세요.", + "device_tracker_pick": "추적 할 기기 선택", + "device_tracker_picked": "추적 대상 기기", + "link_integrations_page": "통합 구성요소 페이지", + "link_presence_detection_integrations": "재실 감지 통합 구성요소", + "linked_user": "사용자 계정 연결", + "name": "이름", + "name_error_msg": "이름은 필수 요소입니다", + "new_person": "새로운 구성원", + "no_device_tracker_available_intro": "구성원의 재실 여부를 알려주는 기기가 있다면 구성원을 해당 기기에 할당할 수 있습니다. 통합 구성요소 페이지에서 재실 감지 통합 구성요소를 추가해서 기기를 구성해보세요.", + "update": "업데이트" + }, + "introduction": "Home Assistant 에서 추적 할 구성원을 정의 할 수 있습니다.", + "no_persons_created_yet": "아직 생성된 구성원이 없는 것 같습니다.", + "note_about_persons_configured_in_yaml": "참고: configuration.yaml 에서 구성된 구성원은 UI 를 통해 편집 할 수 없습니다." + }, + "script": { + "caption": "스크립트", + "description": "스크립트를 만들고 편집합니다", + "editor": { + "default_name": "새로운 스크립트", + "delete_confirm": "이 스크립트를 삭제 하시겠습니까?", + "header": "스크립트: {name}", + "load_error_not_editable": "scripts.yaml 의 스크립트만 편집할 수 있습니다." + }, + "picker": { + "add_script": "스크립트 추가", + "header": "스크립트 편집기", + "introduction": "스크립트 편집기를 사용하여 스크립트를 작성하고 편집 할 수 있습니다. 아래 링크를 따라 안내사항을 읽고 Home Assistant 를 올바르게 구성했는지 확인해보세요.", + "learn_more": "스크립트에 대해 더 알아보기", + "no_scripts": "편집 가능한 스크립트를 찾을 수 없습니다" + } + }, + "server_control": { + "caption": "서버 제어", + "description": "Home Assistant 서버를 재시작 또는 중지합니다", + "section": { + "reloading": { + "automation": "자동화 새로고침", + "core": "코어 새로고침", + "group": "그룹 새로고침", + "heading": "구성 내용 새로고침", + "introduction": "Home Assistant 의 일부 구성 내용은 재시작 없이 다시 읽어들일 수 있습니다. 새로고침을 누르면 현재 구성 내용을 내리고 새로운 구성 내용을 읽어들입니다.", + "scene": "씬 다시읽기", + "script": "스크립트 새로고침" + }, + "server_management": { + "confirm_restart": "Home Assistant 를 재시작 하시겠습니까?", + "confirm_stop": "Home Assistant 를 중지 하시겠습니까?", + "heading": "서버 관리", + "introduction": "Home Assistant 서버를 제어합니다.", + "restart": "재시작", + "stop": "중지" + }, + "validation": { + "check_config": "구성 내용 확인", + "heading": "구성 내용 유효성 검사", + "introduction": "최근에 구성 내용을 추가 혹은 변경하셨다면, 구성 내용 확인 버튼을 눌러 구성 내용이 올바른지 검사하고 Home Assistant 가 정상 작동 되는지 확인하실 수 있습니다.", + "invalid": "구성 내용이 잘못되었습니다", + "valid": "구성 내용이 모두 올바릅니다!" + } + } + }, + "users": { + "add_user": { + "caption": "사용자 계정 만들기", + "create": "만들기", + "name": "이름", + "password": "비밀번호", + "username": "사용자 이름 (계정명)" + }, + "caption": "사용자", + "description": "사용자를 관리합니다", + "editor": { + "activate_user": "사용자 활성화", + "active": "활성화", + "caption": "사용자 보기", + "change_password": "비밀번호 변경", + "confirm_user_deletion": "{name} 을(를) 삭제 하시겠습니까?", + "deactivate_user": "사용자 비활성화", + "delete_user": "사용자 삭제", + "enter_new_name": "새로운 이름을 입력해주세요", + "group": "그룹", + "group_update_failed": "그룹 업데이트가 실패했습니다:", + "id": "ID", + "owner": "소유자", + "rename_user": "사용자 이름 변경", + "system_generated": "시스템 자동 생성", + "system_generated_users_not_removable": "시스템 자동 생성 사용자는 제거 할 수 없습니다.", + "unnamed_user": "이름이 없는 사용자", + "user_rename_failed": "사용자 이름 변경이 실패했습니다:" + }, + "picker": { + "system_generated": "시스템 자동 생성", + "title": "사용자" + } }, "zha": { - "caption": "ZHA", - "description": "Zigbee 홈 자동화 네트워크 관리", - "services": { - "reconfigure": "ZHA 기기를 다시 구성 합니다. (기기 복구). 기기에 문제가 있는 경우 사용해주세요. 기기가 배터리로 작동하는 경우, 이 서비스를 사용할 때 기기가 켜져있고 통신이 가능한 상태인지 확인해주세요.", - "updateDeviceName": "이 기기의 사용자 정의 이름을 기기 레지스트리에 설정합니다.", - "remove": "Zigbee 네트워크에서 기기 제거" - }, - "device_card": { - "device_name_placeholder": "사용자 지정 이름", - "area_picker_label": "영역", - "update_name_button": "이름 업데이트" - }, "add_device_page": { - "header": "Zigbee 홈 자동화 - 기기 추가", - "spinner": "ZHA Zigbee 기기를 찾고있습니다...", "discovery_text": "발견된 기기가 여기에 표시됩니다. 기기의 설명서를 참고하여 기기를 페어링 모드로 설정해주세요.", - "search_again": "다시 검색" + "header": "Zigbee 홈 자동화 - 기기 추가", + "search_again": "다시 검색", + "spinner": "ZHA Zigbee 기기를 찾고있습니다..." + }, + "caption": "ZHA", + "cluster_attributes": { + "attributes_of_cluster": "선택된 클러스터의 속성", + "get_zigbee_attribute": "Zigbee 속성 가져오기", + "header": "클러스터 속성", + "help_attribute_dropdown": "설정된 값을 보거나 설정하려면 속성을 선택해주세요.", + "help_get_zigbee_attribute": "선택한 속성의 값을 가져옵니다.", + "help_set_zigbee_attribute": "지정된 구성요소에서 지정된 클러스터의 속성 값을 설정합니다.", + "introduction": "클러스터 속성을 보고 편집합니다.", + "set_zigbee_attribute": "Zigbee 속성 설정하기" + }, + "cluster_commands": { + "commands_of_cluster": "선택된 클러스터의 명령", + "header": "클러스터 명령", + "help_command_dropdown": "제어할 명령을 선택합니다.", + "introduction": "클러스터 명령을 보고 실행합니다.", + "issue_zigbee_command": "Zigbee 명령 실행" + }, + "clusters": { + "help_cluster_dropdown": "속성과 명령을 보려면 클러스터를 선택해주세요." }, "common": { "add_devices": "기기 추가", @@ -1025,472 +1334,258 @@ "manufacturer_code_override": "제조업체 코드 재정의", "value": "값" }, + "description": "Zigbee 홈 자동화 네트워크 관리", + "device_card": { + "area_picker_label": "영역", + "device_name_placeholder": "사용자 지정 이름", + "update_name_button": "이름 업데이트" + }, "network_management": { "header": "네트워크 관리", "introduction": "전체 네트워크에 영향을 미치는 명령" }, "node_management": { "header": "기기 관리", - "introduction": "단일 기기에 영향을 주는 ZHA 명령을 실행합니다. 사용 가능한 명령 목록을 보려면 기기를 선택해주세요.", + "help_node_dropdown": "기기별 옵션을 보려면 기기를 선택해주세요.", "hint_battery_devices": "참고: 절전(배터리 구동) 기기는 명령을 실행할 때 절전 모드가 해제되어 있어야 합니다. 일반적으로 절전 기기는 트리거해서 절전 모드를 해제할 수 있습니다.", "hint_wakeup": "Xiaomi 센서와 같은 일부 기기는 상호 작용하는 동안 기기의 절전 모드 해제가 가능한 약 5초 동안 누를 수 있는 절전 해제 버튼이 있습니다.", - "help_node_dropdown": "기기별 옵션을 보려면 기기를 선택해주세요." + "introduction": "단일 기기에 영향을 주는 ZHA 명령을 실행합니다. 사용 가능한 명령 목록을 보려면 기기를 선택해주세요." }, - "clusters": { - "help_cluster_dropdown": "속성과 명령을 보려면 클러스터를 선택해주세요." - }, - "cluster_attributes": { - "header": "클러스터 속성", - "introduction": "클러스터 속성을 보고 편집합니다.", - "attributes_of_cluster": "선택된 클러스터의 속성", - "get_zigbee_attribute": "Zigbee 속성 가져오기", - "set_zigbee_attribute": "Zigbee 속성 설정하기", - "help_attribute_dropdown": "설정된 값을 보거나 설정하려면 속성을 선택해주세요.", - "help_get_zigbee_attribute": "선택한 속성의 값을 가져옵니다.", - "help_set_zigbee_attribute": "지정된 구성요소에서 지정된 클러스터의 속성 값을 설정합니다." - }, - "cluster_commands": { - "header": "클러스터 명령", - "introduction": "클러스터 명령을 보고 실행합니다.", - "commands_of_cluster": "선택된 클러스터의 명령", - "issue_zigbee_command": "Zigbee 명령 실행", - "help_command_dropdown": "제어할 명령을 선택합니다." + "services": { + "reconfigure": "ZHA 기기를 다시 구성 합니다. (기기 복구). 기기에 문제가 있는 경우 사용해주세요. 기기가 배터리로 작동하는 경우, 이 서비스를 사용할 때 기기가 켜져있고 통신이 가능한 상태인지 확인해주세요.", + "remove": "Zigbee 네트워크에서 기기 제거", + "updateDeviceName": "이 기기의 사용자 정의 이름을 기기 레지스트리에 설정합니다." } }, - "area_registry": { - "caption": "영역", - "description": "영역을 만들고 편집합니다", - "picker": { - "header": "영역 등록", - "introduction": "영역은 기기가 있는 위치를 설정하는데 사용합니다. 이 정보는 인터페이스와 권한 그리고 다른 시스템과의 연동을 구성하는 데 도움이 되도록 Home Assistant 에 사용됩니다.", - "introduction2": "특정 영역에 기기를 배치하려면 아래 링크를 따라 통합 구성요소 페이지로 이동 한 다음, 설정된 구성요소의 기기를 클릭하여 영역을 설정해주세요.", - "integrations_page": "통합 구성요소 페이지", - "no_areas": "등록된 영역이 없습니다. 거실, 침실과 같이 영역을 등록해보세요!", - "create_area": "영역 만들기" + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "색인", + "instance": "인스턴스", + "unknown": "알 수 없음", + "value": "값", + "wakeup_interval": "절전모드 해제 간격" }, - "no_areas": "등록된 영역이 없습니다. 거실, 침실과 같이 영역을 등록해보세요!", - "create_area": "영역 만들기", - "editor": { - "default_name": "새로운 영역", - "delete": "삭제", - "update": "업데이트", - "create": "만들기" - } - }, - "entity_registry": { - "caption": "구성요소", - "description": "등록된 구성요소를 편집합니다", - "picker": { - "header": "구성요소", - "unavailable": "(사용불가)", - "introduction": "Home Assistant 는 구성요소의 식별을 위해 모든 구성요소에 고유한 레지스트리를 부여합니다. 각각의 구성요소들은 자신만의 고유한 구성요소 ID 를 가집니다.", - "introduction2": "구성요소를 편집하여 이름을 대체하거나 구성요소 ID를 변경하고 Home Assistant 에서 항목을 제거할 수 있습니다. 단, 구성요소 편집창에서 구성요소를 삭제해도 구성요소가 완전히 제거되는 것은 아닙니다. 완전히 제거하려면, 아래 링크를 따라 통합 구성요소 페이지에서 제거해주세요.", - "integrations_page": "통합 구성요소 페이지", - "show_disabled": "비활성화 된 구성요소 표시", - "headers": { - "name": "이름", - "entity_id": "구성요소 ID", - "integration": "통합 구성요소", - "enabled": "활성화됨" - } + "description": "Z-Wave 네트워크를 관리합니다", + "learn_more": "Z-Wave 에 대해 더 알아보기", + "network_management": { + "header": "Z-Wave 네트워크 관리", + "introduction": "Z-Wave 네트워크에 명령을 실행해주세요. 대부분의 명령이 성공했는지에 대한 피드백은 받을 수 없지만, OZW 로그를 통해 확인해 볼 수 있습니다." }, - "editor": { - "unavailable": "이 구성요소는 현재 사용할 수 없습니다.", - "default_name": "새로운 영역", - "delete": "삭제", - "update": "업데이트", - "enabled_label": "구성요소 활성화", - "enabled_cause": "{cause} 에 의해 비활성화 되었습니다.", - "enabled_description": "비활성화 된 구성요소는 Home Assistant 에 추가되지 않습니다.", - "confirm_delete": "이 구성요소를 제거 하시겠습니까?", - "confirm_delete2": "구성요소 항목을 제거해도 Home Assistant 에서 실제로 구성요소가 제거되는것은 아닙니다. 완전히 제거하려면, Home Assistant 에서 '{platform}' 통합 구성요소를 제거해주세요." - } - }, - "person": { - "caption": "구성원", - "description": "Home Assistant 가 추적하는 구성원을 관리합니다", - "detail": { - "name": "이름", - "device_tracker_intro": "이 구성원에게 속한 기기를 선택해주세요.", - "device_tracker_picked": "추적 대상 기기", - "device_tracker_pick": "추적 할 기기 선택", - "new_person": "새로운 구성원", - "name_error_msg": "이름은 필수 요소입니다", - "linked_user": "사용자 계정 연결", - "no_device_tracker_available_intro": "구성원의 재실 여부를 알려주는 기기가 있다면 구성원을 해당 기기에 할당할 수 있습니다. 통합 구성요소 페이지에서 재실 감지 통합 구성요소를 추가해서 기기를 구성해보세요.", - "link_presence_detection_integrations": "재실 감지 통합 구성요소", - "link_integrations_page": "통합 구성요소 페이지", - "delete": "삭제", - "create": "만들기", - "update": "업데이트" + "network_status": { + "network_started": "Z-Wave 네트워크 시작됨", + "network_started_note_all_queried": "모든 노드가 쿼리되었습니다.", + "network_started_note_some_queried": "절전모드 해제 노드가 쿼리되었습니다. 절전모드 노드는 절전모드 해제 상태일 때 쿼리됩니다.", + "network_starting": "Z-Wave 네트워크 시작 중...", + "network_starting_note": "네트워크 규모에 따라 다소 시간이 걸릴 수 있습니다.", + "network_stopped": "Z-Wave 네트워크 중지됨" }, - "introduction": "Home Assistant 에서 추적 할 구성원을 정의 할 수 있습니다.", - "note_about_persons_configured_in_yaml": "참고: configuration.yaml 에서 구성된 구성원은 UI 를 통해 편집 할 수 없습니다.", - "no_persons_created_yet": "아직 생성된 구성원이 없는 것 같습니다.", - "create_person": "구성원 만들기", - "add_person": "구성원 추가하기", - "confirm_delete": "이 구성원을 삭제 하시겠습니까?", - "confirm_delete2": "이 구성원에게 속한 모든 기기는 비할당 상태로 남게됩니다." - }, - "server_control": { - "caption": "서버 제어", - "description": "Home Assistant 서버를 재시작 또는 중지합니다", - "section": { - "validation": { - "heading": "구성 내용 유효성 검사", - "introduction": "최근에 구성 내용을 추가 혹은 변경하셨다면, 구성 내용 확인 버튼을 눌러 구성 내용이 올바른지 검사하고 Home Assistant 가 정상 작동 되는지 확인하실 수 있습니다.", - "check_config": "구성 내용 확인", - "valid": "구성 내용이 모두 올바릅니다!", - "invalid": "구성 내용이 잘못되었습니다" - }, - "reloading": { - "heading": "구성 내용 새로고침", - "introduction": "Home Assistant 의 일부 구성 내용은 재시작 없이 다시 읽어들일 수 있습니다. 새로고침을 누르면 현재 구성 내용을 내리고 새로운 구성 내용을 읽어들입니다.", - "core": "코어 새로고침", - "group": "그룹 새로고침", - "automation": "자동화 새로고침", - "script": "스크립트 새로고침", - "scene": "씬 다시읽기" - }, - "server_management": { - "heading": "서버 관리", - "introduction": "Home Assistant 서버를 제어합니다.", - "restart": "재시작", - "stop": "중지", - "confirm_restart": "Home Assistant 를 재시작 하시겠습니까?", - "confirm_stop": "Home Assistant 를 중지 하시겠습니까?" - } - } - }, - "devices": { - "caption": "기기", - "description": "연결된 기기를 관리합니다", - "automation": { - "triggers": { - "caption": "...일 때 뭔가를 실행" - }, - "conditions": { - "caption": "...인 경우 뭔가를 실행" - }, - "actions": { - "caption": "뭔가 트리거 되었을 때...." - } - } - }, - "common": { - "editor": { - "confirm_unsaved": "변경된 내용을 저장하지 않았습니다. 정말로 이 페이지를 떠나시겠습니까?" + "node_config": { + "config_parameter": "구성 파라메터", + "config_value": "구성 값", + "false": "거짓", + "header": "노드 구성 옵션", + "seconds": "초", + "set_config_parameter": "구성 파라메터 설정", + "set_wakeup": "절전모드 해제 간격 설정", + "true": "참" + }, + "ozw_log": { + "header": "OZW 로그", + "introduction": "로그를 봐주세요. 최소값은 0(전체 로그를 불러올 때)이고 최대값은 1000 입니다. 로드된 로그는 정적 로그를 보여주며 로그의 끝 부분은 최근 기록된 로그의 행으로 자동으로 업데이트됩니다." + }, + "services": { + "add_node": "노드 추가", + "add_node_secure": "노드 보안 추가", + "cancel_command": "명령 취소", + "heal_network": "네트워크 새로고침", + "remove_node": "노드 제거", + "save_config": "설정 저장", + "soft_reset": "소프트 리셋", + "start_network": "네트워크 시작", + "stop_network": "네트워크 중지", + "test_network": "네트워크 테스트" + }, + "values": { + "header": "노드 값" } } }, - "profile": { - "push_notifications": { - "header": "푸시 알림", - "description": "이 기기에 알림을 보냅니다.", - "error_load_platform": "notify.html5 를 구성해주세요.", - "error_use_https": "SSL 을 통한 보안 연결된 환경이 필요합니다.", - "push_notifications": "푸시 알림", - "link_promo": "알림에 대해 더 알아보기" - }, - "language": { - "header": "언어", - "link_promo": "번역 도와주기", - "dropdown_label": "언어" - }, - "themes": { - "header": "테마", - "error_no_theme": "사용할 수 있는 테마가 없습니다.", - "link_promo": "테마에 대해 더 알아보기", - "dropdown_label": "테마" - }, - "refresh_tokens": { - "header": "리프레시 토큰", - "description": "각 리프레시 토큰은 로그인 세션을 나타냅니다. 로그아웃을 클릭하면 리프레시 토큰은 자동으로 제거됩니다. 다음의 리프레시 토큰이 현재 접속한 계정에 대해 활성화 되어 있습니다.", - "token_title": "{clientId} 의 리프레시 토큰", - "created_at": "{date} 에 생성 됨", - "confirm_delete": "{name} 의 리프레시 토큰을 삭제 하시겠습니까?", - "delete_failed": "리프레시 토큰을 삭제할 수 없습니다.", - "last_used": "{date} 에 {location} 에서 마지막으로 사용됨", - "not_used": "사용된 적이 없음", - "current_token_tooltip": "현재 리프레시 토큰을 삭제할 수 없음" - }, - "long_lived_access_tokens": { - "header": "장기 액세스 토큰", - "description": "스크립트가 Home Assistant 구성요소와 상호 작용할 수 있도록 장기 액세스 토큰을 생성하세요. 각 토큰은 생성 후 10년 동안 유효합니다. 현재 활성 상태인 장기 액세스 토큰은 다음과 같습니다.", - "learn_auth_requests": "인증 요청을 생성하는 방법에 대해 알아 보세요.", - "created_at": "{date} 에 생성 됨", - "confirm_delete": "{name} 액세스 토큰을 삭제 하시겠습니까?", - "delete_failed": "액세스 토큰을 삭제할 수 없습니다.", - "create": "토큰 만들기", - "create_failed": "액세스 토큰을 생성을 할 수 없습니다.", - "prompt_name": "토큰 이름을 지어주세요.", - "prompt_copy_token": "Ctrl + C 를 눌러 액세스 토큰을 복사하세요. 이 안내는 다시 표시되지 않습니다.", - "empty_state": "장기 액세스 토큰이 없습니다.", - "last_used": "{date} 에 {location} 에서 마지막으로 사용됨", - "not_used": "사용된 적이 없음" - }, - "current_user": "현재 {fullName} 로(으로) 로그인 한 상태 입니다.", - "is_owner": "관리자 계정 입니다.", - "change_password": { - "header": "비밀번호 변경", - "current_password": "현재 비밀번호", - "new_password": "새 비밀번호", - "confirm_new_password": "새 비밀번호 확인", - "error_required": "필수 요소", - "submit": "변경하기" - }, - "mfa": { - "header": "다단계 인증 모듈", - "disable": "비활성화", - "enable": "활성화", - "confirm_disable": "{name} 을(를) 비활성화 하시겠습니까?" - }, - "mfa_setup": { - "title_aborted": "취소됨", - "title_success": "성공!", - "step_done": "{step} 설정 완료", - "close": "닫기", - "submit": "구성하기" - }, - "logout": "로그아웃", - "force_narrow": { - "header": "항상 사이드바 숨기기", - "description": "모바일 환경과 마찬가지로 기본적으로 사이드 바가 숨겨집니다." - }, - "vibrate": { - "header": "진동효과", - "description": "기기를 제어 할 때 이 기기에서 진동을 활성화 또는 비활성화합니다." - }, - "advanced_mode": { - "title": "고급 모드", - "description": "Home Assistant 의 고급 기능과 옵션은 기본적으로 숨겨져 있으며 토글을 활성화하여 이러한 기능을 사용하실 수 있습니다. 이 설정은 사용자별 설정이며 Home Assistant 를 사용하는 다른 사용자에게 영향을 미치지 않습니다." - } - }, - "page-authorize": { - "initializing": "초기화 중", - "authorizing_client": "{clientId} 에 Home Assistant 구성요소에 대한 액세스 권한을 부여하려고 합니다.", - "logging_in_with": "**{authProviderName}** 로(으로) 로그인 합니다.", - "pick_auth_provider": "또는 다음으로 로그인하세요", - "abort_intro": "로그인이 중단되었습니다", - "form": { - "working": "잠시 기다려주세요", - "unknown_error": "문제가 발생했습니다", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "사용자 이름", - "password": "비밀번호" - } - }, - "mfa": { - "data": { - "code": "2단계 인증 코드" - }, - "description": "2단계 인증 코드 및 신원을 확인하기 위해 기기에서 **{mfa_module_name}** 을(를) 열어주세요:" - } - }, - "error": { - "invalid_auth": "사용자 이름 또는 비밀번호가 잘못되었습니다", - "invalid_code": "잘못된 인증 코드" - }, - "abort": { - "login_expired": "세션이 만료되었습니다. 다시 로그인 해주세요." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "API 비밀번호" - }, - "description": "configuration.yaml 에 설정한 api_password 를 입력해주세요:" - }, - "mfa": { - "data": { - "code": "2단계 인증 코드" - }, - "description": "2단계 인증 코드 및 신원을 확인하기 위해 기기에서 **{mfa_module_name}** 을(를) 열어주세요:" - } - }, - "error": { - "invalid_auth": "API 비밀번호가 잘못되었습니다", - "invalid_code": "잘못된 인증 코드" - }, - "abort": { - "no_api_password_set": "API 비밀번호를 설정하지 않았습니다.", - "login_expired": "세션이 만료되었습니다. 다시 로그인 해주세요." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "사용자" - }, - "description": "로그인하려는 사용자를 선택해주세요:" - } - }, - "abort": { - "not_whitelisted": "이 컴퓨터는 허용 목록에 등록되어 있지 않습니다." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "사용자 이름", - "password": "비밀번호" - } - }, - "mfa": { - "data": { - "code": "2단계 인증 코드" - }, - "description": "2단계 인증 코드 및 신원을 확인하기 위해 기기에서 **{mfa_module_name}** 을(를) 열어주세요:" - } - }, - "error": { - "invalid_auth": "사용자 이름 또는 비밀번호가 잘못되었습니다", - "invalid_code": "잘못된 인증 코드" - }, - "abort": { - "login_expired": "세션이 만료되었습니다. 다시 로그인 해주세요." - } - } - } - } - }, - "page-onboarding": { - "intro": "잠들어 있는 집을 깨우고 개인정보를 보호하며 전세계의 공돌이 커뮤니티에 가입 할 준비가 되셨나요?", - "user": { - "intro": "사용자 계정을 만들어 시작합니다.", - "required_field": "필수 요소", - "data": { - "name": "이름", - "username": "사용자 이름", - "password": "비밀번호", - "password_confirm": "비밀번호 확인" + "developer-tools": { + "tabs": { + "events": { + "alert_event_type": "이벤트 유형은 필수 필드입니다", + "available_events": "사용 가능한 이벤트", + "count_listeners": " ({count} 청취객체)", + "data": "이벤트 데이터 (YAML, 선택 사항)", + "description": "이벤트 버스에서 이벤트를 발행합니다.", + "documentation": "이벤트 문서 보기.", + "event_fired": "{name} 이벤트가 발행됨", + "fire_event": "이벤트 발행", + "listen_to_events": "이벤트 내용 들어보기", + "listening_to": "이벤트 청취 중", + "notification_event_fired": "{type} 이벤트가 성공적으로 발행되었습니다!", + "start_listening": "청취 시작", + "stop_listening": "그만 듣기", + "subscribe_to": "청취할 이벤트", + "title": "이벤트", + "type": "이벤트 유형" }, - "create_account": "계정 만들기", - "error": { - "required_fields": "필수 입력란을 모두 채워주세요", - "password_not_match": "비밀번호가 일치하지 않습니다" + "info": { + "built_using": "다음을 사용하여 제작", + "custom_uis": "사용자 UI :", + "default_ui": "{name} 을(를) 이 기기에서 기본 UI 로 {action}", + "developed_by": "Home Assistant 는 수많은 멋진 사람들에 의해 개발되었습니다.", + "frontend": "프런트엔드-UI", + "frontend_version": "프런트엔드 버전: {version} - {type}", + "home_assistant_logo": "Home Assistant 로고", + "icons_by": "아이콘 출처", + "license": "Apache 2.0 License 에 따라 게시", + "lovelace_ui": "Lovelace UI 보러가기", + "path_configuration": "configuration.yaml 의 위치: {path}", + "remove": "설정 해제", + "server": "서버", + "set": "설정", + "source": "소스:", + "states_ui": "일반 UI 보러가기", + "system_health_error": "시스템 상태보기 구성요소가 로드되지 않았습니다. configuration.yaml 에 'system_health:' 를 추가해주세요.", + "title": "정보" + }, + "logs": { + "clear": "지우기", + "details": "로그 상세정보 ({level})", + "load_full_log": "Home Assistant 로그 전부 불러오기", + "loading_log": "오류 로그를 읽는 중...", + "multiple_messages": "{time} 에 처음 발생했으며, {counter} 번 발생했습니다.", + "no_errors": "보고된 오류가 없습니다.", + "no_issues": "새롭게 보고된 문제가 없습니다!", + "refresh": "새로고침", + "title": "로그" + }, + "mqtt": { + "description_listen": "토픽 내용 들어보기", + "description_publish": "패킷 발행", + "listening_to": "토픽 청취 중", + "message_received": "{time} 에 {id} 메시지가 {topic} 에 수신되었습니다.", + "payload": "페이로드 (템플릿 허용)", + "publish": "발행", + "start_listening": "청취 시작", + "stop_listening": "그만 듣기", + "subscribe_to": "청취할 토픽", + "title": "MQTT", + "topic": "토픽" + }, + "services": { + "alert_parsing_yaml": "YAML 구문 분석 오류: {data}", + "call_service": "서비스 호출", + "column_description": "상세정보", + "column_example": "예제", + "column_parameter": "파라메터", + "data": "서비스 데이터 (YAML, 선택 사항)", + "description": "서비스 개발 도구를 사용하면 Home Assistant 에서 사용 가능한 서비스를 호출할 수 있습니다.", + "fill_example_data": "예제 데이터를 필드에 넣기", + "no_description": "상세정보가 없습니다", + "no_parameters": "이 서비스에는 파라메터가 필요 없습니다.", + "select_service": "상세정보를 보려면 서비스를 선택해주세요", + "title": "서비스" + }, + "states": { + "alert_entity_field": "구성요소는 필수 필드입니다", + "attributes": "속성", + "current_entities": "구성요소 현재 상태", + "description1": "Home Assistant 구성요소의 상태를 설정합니다.", + "description2": "Home Assistant 내에서만 설정되며, 실제 장치와 통신하는것은 아닙니다.", + "entity": "구성요소", + "filter_attributes": "속성 필터", + "filter_entities": "구성요소 필터", + "filter_states": "상태 필터", + "more_info": "정보 더보기", + "no_entities": "구성요소가 없습니다", + "set_state": "상태 설정", + "state": "상태", + "state_attributes": "상태 속성 (YAML, 선택 사항)", + "title": "상태" + }, + "templates": { + "description": "템플릿은 Home Assistant 의 특정 확장기능의 일부로써, Jinja2 템플릿 엔진을 사용하여 구성됩니다.", + "editor": "템플릿 편집기", + "jinja_documentation": "Jinja2 템플릿 문서 보기", + "template_extensions": "Home Assistant 템플릿 확장기능 문서 보기", + "title": "템플릿", + "unknown_error_template": "템플릿 구성 중 알 수 없는 오류가 발생했습니다" } - }, - "integration": { - "intro": "기기 및 서비스는 Home Assistant 에서 통합 구성요소로 표시됩니다. 지금 구성하거나 나중에 설정 화면에서 구성할 수 있습니다.", - "more_integrations": "더보기", - "finish": "완료" - }, - "core-config": { - "intro": "{name} 님, 안녕하세요! Home Assistant 에 오신 것을 환영합니다. 집에 어떤 이름을 지어주시겠어요?", - "intro_location": "현재 살고 계시는 위치를 알려주세요. 이는 태양 위치를 기반으로 하는 자동화를 설정하는데 도움이 됩니다. 위치 정보는 외부 네트워크와 절대 공유되지 않습니다.", - "intro_location_detect": "외부 서비스에 일회성 요청을 해서 위치 정보를 넣는데 도움을 드릴 수 있습니다.", - "location_name_default": "집", - "button_detect": "탐색", - "finish": "다음" } }, + "history": { + "period": "기간", + "showing_entries": "다음 날짜의 항목을 표시" + }, + "logbook": { + "period": "기간", + "showing_entries": "다음 날짜의 항목을 표시" + }, "lovelace": { "cards": { - "shopping-list": { - "checked_items": "선택한 항목", - "clear_items": "선택한 항목 삭제", - "add_item": "항목 추가" - }, + "confirm_delete": "이 카드를 삭제 하시겠습니까?", "empty_state": { - "title": "집에 오신 것을 환영합니다", + "go_to_integrations_page": "통합 페이지로 이동하기.", "no_devices": "이 페이지에서 기기를 제어 할 수 있지만, 기기가 아직 설정되지 않은 것 같습니다. 시작하려면 통합 페이지로 이동해주세요.", - "go_to_integrations_page": "통합 페이지로 이동하기." + "title": "집에 오신 것을 환영합니다" }, "picture-elements": { - "hold": "누르고 있기:", - "tap": "탭:", - "navigate_to": "{location} 로(으로) 이동", - "toggle": "{name} 토글", "call_service": "{name} 서비스 호출", + "hold": "누르고 있기:", "more_info": "추가 정보 표시: {name}", + "navigate_to": "{location} 로(으로) 이동", + "tap": "탭:", + "toggle": "{name} 토글", "url": "{url_path} 창 열기" }, - "confirm_delete": "이 카드를 삭제 하시겠습니까?" + "shopping-list": { + "add_item": "항목 추가", + "checked_items": "선택한 항목", + "clear_items": "선택한 항목 삭제" + } + }, + "changed_toast": { + "message": "Lovelace 구성이 업데이트되었습니다. 새로고침 하시겠습니까?", + "refresh": "새로고침" }, "editor": { - "edit_card": { - "header": "카드 구성", - "save": "저장하기", - "toggle_editor": "에디터 전환", - "pick_card": "어떤 카드를 추가 하시겠습니까?", - "add": "카드 추가하기", - "edit": "편집", - "delete": "삭제", - "move": "이동", - "show_visual_editor": "비주얼 편집기 보기", - "show_code_editor": "코드 편집기 보기", - "pick_card_view_title": "{name} 뷰에 어떤 카드를 추가 하시겠습니까?", - "options": "옵션 더보기" - }, - "migrate": { - "header": "구성 내용이 호환되지 않습니다", - "para_no_id": "이 구성요소에는 ID가 없습니다. 'ui-lovelace.yaml' 에 구성요소의 ID를 추가해주세요.", - "para_migrate": "Home Assistant 는 '설정 마이그레이션' 버튼을 눌러 자동으로 모든 카드와 보기에 ID를 추가 할 수 있습니다.", - "migrate": "설정 마이그레이션" - }, - "header": "UI 편집", - "edit_view": { - "header": "구성 보기", - "add": "뷰 추가", - "edit": "뷰 편집", - "delete": "뷰 삭제", - "header_name": "{name} 뷰 구성" - }, - "save_config": { - "header": "Lovelace UI 직접 관리하기", - "para": "기본적으로 Home Assistant 는 사용자 인터페이스를 유지 관리하고, 사용할 수 있는 새로운 구성요소 또는 Lovelace 구성요소가 있을 때 업데이트를 합니다. 사용자가 직접 관리하는 경우 Home Assistant 는 더 이상 자동으로 변경하지 않습니다.", - "para_sure": "사용자 인터페이스를 직접 관리하시겠습니까?", - "cancel": "아닙니다", - "save": "직접 관리할게요" - }, - "menu": { - "raw_editor": "구성 코드 편집기", - "open": "Lovelace 메뉴 열기" - }, - "raw_editor": { - "header": "구성 코드 편집", - "save": "저장하기", - "unsaved_changes": "저장되지 않은 변경사항", - "saved": "저장되었습니다" - }, - "edit_lovelace": { - "header": "Lovelace UI 의 제목", - "explanation": "이 제목은 Lovelace 의 모든 화면의 상단에 표시됩니다." - }, "card": { "alarm_panel": { "available_states": "사용 가능한 상태요소" }, + "alarm-panel": { + "available_states": "사용 가능한 상태요소", + "name": "알람 패널" + }, + "conditional": { + "name": "조건부" + }, "config": { - "required": "필수 요소", - "optional": "선택 사항" + "optional": "선택 사항", + "required": "필수 요소" }, "entities": { - "show_header_toggle": "헤더 토글 표시", "name": "구성요소", + "show_header_toggle": "헤더 토글 표시", "toggle": "구성요소 토글" }, + "entity-button": { + "name": "구성요소 버튼" + }, + "entity-filter": { + "name": "구성요소 필터" + }, "gauge": { + "name": "게이지", "severity": { "define": "게이지 구간 정의하기", "green": "초록", "red": "빨강", "yellow": "노랑" - }, - "name": "게이지" - }, - "glance": { - "columns": "열", - "name": "한눈에 보기" + } }, "generic": { "aspect_ratio": "종횡비", @@ -1511,39 +1606,14 @@ "show_name": "이름 표시", "show_state": "상태 표시", "tap_action": "탭 동작", - "title": "제목", "theme": "테마", + "title": "제목", "unit": "단위", "url": "URL" }, - "map": { - "geo_location_sources": "위치정보 소스", - "dark_mode": "어둡게 표시", - "default_zoom": "기본 확대", - "source": "소스", - "name": "지도" - }, - "markdown": { - "content": "내용", - "name": "마크다운" - }, - "sensor": { - "graph_detail": "그래프 세부묘사 정도", - "graph_type": "그래프 유형", - "name": "센서" - }, - "alarm-panel": { - "name": "알람 패널", - "available_states": "사용 가능한 상태요소" - }, - "conditional": { - "name": "조건부" - }, - "entity-button": { - "name": "구성요소 버튼" - }, - "entity-filter": { - "name": "구성요소 필터" + "glance": { + "columns": "열", + "name": "한눈에 보기" }, "history-graph": { "name": "기록 그래프" @@ -1557,12 +1627,20 @@ "light": { "name": "조명" }, + "map": { + "dark_mode": "어둡게 표시", + "default_zoom": "기본 확대", + "geo_location_sources": "위치정보 소스", + "name": "지도", + "source": "소스" + }, + "markdown": { + "content": "내용", + "name": "마크다운" + }, "media-control": { "name": "미디어 컨트롤" }, - "picture": { - "name": "그림" - }, "picture-elements": { "name": "그림 복합요소" }, @@ -1572,9 +1650,17 @@ "picture-glance": { "name": "그림 한눈에 보기" }, + "picture": { + "name": "그림" + }, "plant-status": { "name": "식물 상태" }, + "sensor": { + "graph_detail": "그래프 세부묘사 정도", + "graph_type": "그래프 유형", + "name": "센서" + }, "shopping-list": { "name": "장보기목록" }, @@ -1588,434 +1674,348 @@ "name": "날씨 예보" } }, + "edit_card": { + "add": "카드 추가하기", + "delete": "삭제", + "edit": "편집", + "header": "카드 구성", + "move": "이동", + "options": "옵션 더보기", + "pick_card": "어떤 카드를 추가 하시겠습니까?", + "pick_card_view_title": "{name} 뷰에 어떤 카드를 추가 하시겠습니까?", + "save": "저장하기", + "show_code_editor": "코드 편집기 보기", + "show_visual_editor": "비주얼 편집기 보기", + "toggle_editor": "에디터 전환" + }, + "edit_lovelace": { + "explanation": "이 제목은 Lovelace 의 모든 화면의 상단에 표시됩니다.", + "header": "Lovelace UI 의 제목" + }, + "edit_view": { + "add": "뷰 추가", + "delete": "뷰 삭제", + "edit": "뷰 편집", + "header": "구성 보기", + "header_name": "{name} 뷰 구성" + }, + "header": "UI 편집", + "menu": { + "open": "Lovelace 메뉴 열기", + "raw_editor": "구성 코드 편집기" + }, + "migrate": { + "header": "구성 내용이 호환되지 않습니다", + "migrate": "설정 마이그레이션", + "para_migrate": "Home Assistant 는 '설정 마이그레이션' 버튼을 눌러 자동으로 모든 카드와 보기에 ID를 추가 할 수 있습니다.", + "para_no_id": "이 구성요소에는 ID가 없습니다. 'ui-lovelace.yaml' 에 구성요소의 ID를 추가해주세요." + }, + "raw_editor": { + "header": "구성 코드 편집", + "save": "저장하기", + "saved": "저장되었습니다", + "unsaved_changes": "저장되지 않은 변경사항" + }, + "save_config": { + "cancel": "아닙니다", + "header": "Lovelace UI 직접 관리하기", + "para": "기본적으로 Home Assistant 는 사용자 인터페이스를 유지 관리하고, 사용할 수 있는 새로운 구성요소 또는 Lovelace 구성요소가 있을 때 업데이트를 합니다. 사용자가 직접 관리하는 경우 Home Assistant 는 더 이상 자동으로 변경하지 않습니다.", + "para_sure": "사용자 인터페이스를 직접 관리하시겠습니까?", + "save": "직접 관리할게요" + }, "view": { "panel_mode": { - "title": "패널 모드", - "description": "패널 모드는 첫 번째 카드를 전체 너비로 보여줍니다. 이 뷰에서는 다른 카드는 보여지지 않습니다." + "description": "패널 모드는 첫 번째 카드를 전체 너비로 보여줍니다. 이 뷰에서는 다른 카드는 보여지지 않습니다.", + "title": "패널 모드" } } }, "menu": { "configure_ui": "UI 구성", - "unused_entities": "미사용 구성요소", "help": "도움말", - "refresh": "새로고침" - }, - "warning": { - "entity_not_found": "구성요소를 사용할 수 없습니다: {entity}", - "entity_non_numeric": "구성요소가 숫자형식이 아닙니다: {entity}" - }, - "changed_toast": { - "message": "Lovelace 구성이 업데이트되었습니다. 새로고침 하시겠습니까?", - "refresh": "새로고침" + "refresh": "새로고침", + "unused_entities": "미사용 구성요소" }, "reload_lovelace": "Lovelace 새로고침", "views": { "confirm_delete": "이 뷰를 삭제 하시겠습니까?", "existing_cards": "카드가 포함된 뷰는 삭제할 수 없습니다. 먼저 카드를 제거해주세요." + }, + "warning": { + "entity_non_numeric": "구성요소가 숫자형식이 아닙니다: {entity}", + "entity_not_found": "구성요소를 사용할 수 없습니다: {entity}" } }, + "mailbox": { + "delete_button": "삭제", + "delete_prompt": "이 메시지를 삭제 하시겠습니까?", + "empty": "메시지가 존재하지 않습니다", + "playback_title": "메시지 재생" + }, + "page-authorize": { + "abort_intro": "로그인이 중단되었습니다", + "authorizing_client": "{clientId} 에 Home Assistant 구성요소에 대한 액세스 권한을 부여하려고 합니다.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "세션이 만료되었습니다. 다시 로그인 해주세요." + }, + "error": { + "invalid_auth": "사용자 이름 또는 비밀번호가 잘못되었습니다", + "invalid_code": "잘못된 인증 코드" + }, + "step": { + "init": { + "data": { + "password": "비밀번호", + "username": "사용자 이름" + } + }, + "mfa": { + "data": { + "code": "2단계 인증 코드" + }, + "description": "2단계 인증 코드 및 신원을 확인하기 위해 기기에서 **{mfa_module_name}** 을(를) 열어주세요:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "세션이 만료되었습니다. 다시 로그인 해주세요." + }, + "error": { + "invalid_auth": "사용자 이름 또는 비밀번호가 잘못되었습니다", + "invalid_code": "잘못된 인증 코드" + }, + "step": { + "init": { + "data": { + "password": "비밀번호", + "username": "사용자 이름" + } + }, + "mfa": { + "data": { + "code": "2단계 인증 코드" + }, + "description": "2단계 인증 코드 및 신원을 확인하기 위해 기기에서 **{mfa_module_name}** 을(를) 열어주세요:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "세션이 만료되었습니다. 다시 로그인 해주세요.", + "no_api_password_set": "API 비밀번호를 설정하지 않았습니다." + }, + "error": { + "invalid_auth": "API 비밀번호가 잘못되었습니다", + "invalid_code": "잘못된 인증 코드" + }, + "step": { + "init": { + "data": { + "password": "API 비밀번호" + }, + "description": "configuration.yaml 에 설정한 api_password 를 입력해주세요:" + }, + "mfa": { + "data": { + "code": "2단계 인증 코드" + }, + "description": "2단계 인증 코드 및 신원을 확인하기 위해 기기에서 **{mfa_module_name}** 을(를) 열어주세요:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "이 컴퓨터는 허용 목록에 등록되어 있지 않습니다." + }, + "step": { + "init": { + "data": { + "user": "사용자" + }, + "description": "로그인하려는 사용자를 선택해주세요:" + } + } + } + }, + "unknown_error": "문제가 발생했습니다", + "working": "잠시 기다려주세요" + }, + "initializing": "초기화 중", + "logging_in_with": "**{authProviderName}** 로(으로) 로그인 합니다.", + "pick_auth_provider": "또는 다음으로 로그인하세요" + }, "page-demo": { "cards": { "demo": { "demo_by": "{name} 님이 만듦", - "next_demo": "다음 데모", "introduction": "집에 오신 것을 환영합니다! 커뮤니티에서 만든 최고의 UI 가 적용된 Home Assistant 를 소개합니다.", - "learn_more": "Home Assistant 에 대해 더 알아보기" + "learn_more": "Home Assistant 에 대해 더 알아보기", + "next_demo": "다음 데모" } }, "config": { "arsaboo": { - "names": { - "upstairs": "위층", - "family_room": "가족실", - "kitchen": "주방", - "patio": "마당", - "hallway": "현관", - "master_bedroom": "안방", - "left": "왼쪽", - "right": "오른쪽", - "mirror": "거울", - "temperature_study": "온도 학습" - }, "labels": { - "lights": "조명", - "information": "정보", - "morning_commute": "아침 출근", + "activity": "활동", + "air": "공조기", "commute_home": "집으로 퇴근", "entertainment": "엔터테인먼트", - "activity": "활동", "hdmi_input": "HDMI 입력", "hdmi_switcher": "HDMI 선택기", - "volume": "음량", + "information": "정보", + "lights": "조명", + "morning_commute": "아침 출근", "total_tv_time": "총 TV 시청", "turn_tv_off": "TV 끄기", - "air": "공조기" + "volume": "음량" + }, + "names": { + "family_room": "가족실", + "hallway": "현관", + "kitchen": "주방", + "left": "왼쪽", + "master_bedroom": "안방", + "mirror": "거울", + "patio": "마당", + "right": "오른쪽", + "temperature_study": "온도 학습", + "upstairs": "위층" }, "unit": { - "watching": "시청중", - "minutes_abbr": "분" + "minutes_abbr": "분", + "watching": "시청중" } } } + }, + "page-onboarding": { + "core-config": { + "button_detect": "탐색", + "finish": "다음", + "intro": "{name} 님, 안녕하세요! Home Assistant 에 오신 것을 환영합니다. 집에 어떤 이름을 지어주시겠어요?", + "intro_location": "현재 살고 계시는 위치를 알려주세요. 이는 태양 위치를 기반으로 하는 자동화를 설정하는데 도움이 됩니다. 위치 정보는 외부 네트워크와 절대 공유되지 않습니다.", + "intro_location_detect": "외부 서비스에 일회성 요청을 해서 위치 정보를 넣는데 도움을 드릴 수 있습니다.", + "location_name_default": "집" + }, + "integration": { + "finish": "완료", + "intro": "기기 및 서비스는 Home Assistant 에서 통합 구성요소로 표시됩니다. 지금 구성하거나 나중에 설정 화면에서 구성할 수 있습니다.", + "more_integrations": "더보기" + }, + "intro": "잠들어 있는 집을 깨우고 개인정보를 보호하며 전세계의 공돌이 커뮤니티에 가입 할 준비가 되셨나요?", + "user": { + "create_account": "계정 만들기", + "data": { + "name": "이름", + "password": "비밀번호", + "password_confirm": "비밀번호 확인", + "username": "사용자 이름" + }, + "error": { + "password_not_match": "비밀번호가 일치하지 않습니다", + "required_fields": "필수 입력란을 모두 채워주세요" + }, + "intro": "사용자 계정을 만들어 시작합니다.", + "required_field": "필수 요소" + } + }, + "profile": { + "advanced_mode": { + "description": "Home Assistant 의 고급 기능과 옵션은 기본적으로 숨겨져 있으며 토글을 활성화하여 이러한 기능을 사용하실 수 있습니다. 이 설정은 사용자별 설정이며 Home Assistant 를 사용하는 다른 사용자에게 영향을 미치지 않습니다.", + "title": "고급 모드" + }, + "change_password": { + "confirm_new_password": "새 비밀번호 확인", + "current_password": "현재 비밀번호", + "error_required": "필수 요소", + "header": "비밀번호 변경", + "new_password": "새 비밀번호", + "submit": "변경하기" + }, + "current_user": "현재 {fullName} 로(으로) 로그인 한 상태 입니다.", + "force_narrow": { + "description": "모바일 환경과 마찬가지로 기본적으로 사이드 바가 숨겨집니다.", + "header": "항상 사이드바 숨기기" + }, + "is_owner": "관리자 계정 입니다.", + "language": { + "dropdown_label": "언어", + "header": "언어", + "link_promo": "번역 도와주기" + }, + "logout": "로그아웃", + "long_lived_access_tokens": { + "confirm_delete": "{name} 액세스 토큰을 삭제 하시겠습니까?", + "create": "토큰 만들기", + "create_failed": "액세스 토큰을 생성을 할 수 없습니다.", + "created_at": "{date} 에 생성 됨", + "delete_failed": "액세스 토큰을 삭제할 수 없습니다.", + "description": "스크립트가 Home Assistant 구성요소와 상호 작용할 수 있도록 장기 액세스 토큰을 생성하세요. 각 토큰은 생성 후 10년 동안 유효합니다. 현재 활성 상태인 장기 액세스 토큰은 다음과 같습니다.", + "empty_state": "장기 액세스 토큰이 없습니다.", + "header": "장기 액세스 토큰", + "last_used": "{date} 에 {location} 에서 마지막으로 사용됨", + "learn_auth_requests": "인증 요청을 생성하는 방법에 대해 알아 보세요.", + "not_used": "사용된 적이 없음", + "prompt_copy_token": "Ctrl + C 를 눌러 액세스 토큰을 복사하세요. 이 안내는 다시 표시되지 않습니다.", + "prompt_name": "토큰 이름을 지어주세요." + }, + "mfa_setup": { + "close": "닫기", + "step_done": "{step} 설정 완료", + "submit": "구성하기", + "title_aborted": "취소됨", + "title_success": "성공!" + }, + "mfa": { + "confirm_disable": "{name} 을(를) 비활성화 하시겠습니까?", + "disable": "비활성화", + "enable": "활성화", + "header": "다단계 인증 모듈" + }, + "push_notifications": { + "description": "이 기기에 알림을 보냅니다.", + "error_load_platform": "notify.html5 를 구성해주세요.", + "error_use_https": "SSL 을 통한 보안 연결된 환경이 필요합니다.", + "header": "푸시 알림", + "link_promo": "알림에 대해 더 알아보기", + "push_notifications": "푸시 알림" + }, + "refresh_tokens": { + "confirm_delete": "{name} 의 리프레시 토큰을 삭제 하시겠습니까?", + "created_at": "{date} 에 생성 됨", + "current_token_tooltip": "현재 리프레시 토큰을 삭제할 수 없음", + "delete_failed": "리프레시 토큰을 삭제할 수 없습니다.", + "description": "각 리프레시 토큰은 로그인 세션을 나타냅니다. 로그아웃을 클릭하면 리프레시 토큰은 자동으로 제거됩니다. 다음의 리프레시 토큰이 현재 접속한 계정에 대해 활성화 되어 있습니다.", + "header": "리프레시 토큰", + "last_used": "{date} 에 {location} 에서 마지막으로 사용됨", + "not_used": "사용된 적이 없음", + "token_title": "{clientId} 의 리프레시 토큰" + }, + "themes": { + "dropdown_label": "테마", + "error_no_theme": "사용할 수 있는 테마가 없습니다.", + "header": "테마", + "link_promo": "테마에 대해 더 알아보기" + }, + "vibrate": { + "description": "기기를 제어 할 때 이 기기에서 진동을 활성화 또는 비활성화합니다.", + "header": "진동효과" + } + }, + "shopping-list": { + "add_item": "항목추가", + "clear_completed": "완료항목삭제", + "microphone_tip": "우상단 마이크를 탭하고 \"Add candy to my shopping list\"라고 말해보세요" } }, "sidebar": { - "log_out": "로그아웃", "external_app_configuration": "앱 구성", + "log_out": "로그아웃", "sidebar_toggle": "사이드바 토글" - }, - "common": { - "loading": "읽는 중", - "cancel": "취소", - "save": "저장", - "successfully_saved": "성공적으로 저장되었습니다" - }, - "duration": { - "day": "{count} {count, plural,\none {일}\nother {일}\n}", - "week": "{count} {count, plural,\none {주}\nother {주}\n}", - "second": "{count} {count, plural,\none {초}\nother {초}\n}", - "minute": "{count} {count, plural,\none {분}\nother {분}\n}", - "hour": "{count} {count, plural,\none {시간}\nother {시간}\n}" - }, - "login-form": { - "password": "비밀번호", - "remember": "자동로그인", - "log_in": "로그인" - }, - "card": { - "camera": { - "not_available": "이미지 사용 불가" - }, - "persistent_notification": { - "dismiss": "해제" - }, - "scene": { - "activate": "활성화" - }, - "script": { - "execute": "실행" - }, - "weather": { - "attributes": { - "air_pressure": "기압", - "humidity": "습도", - "temperature": "기온", - "visibility": "시정", - "wind_speed": "풍속" - }, - "cardinal_direction": { - "e": "동", - "ene": "동북동", - "ese": "동남동", - "n": "북", - "ne": "북동", - "nne": "북북동", - "nw": "북서", - "nnw": "북북서", - "s": "남", - "se": "남동", - "sse": "남남동", - "ssw": "남남서", - "sw": "남서", - "w": "서", - "wnw": "서북서", - "wsw": "서남서" - }, - "forecast": "일기 예보" - }, - "alarm_control_panel": { - "code": "비밀번호", - "clear_code": "지움", - "disarm": "경비 해제", - "arm_home": "재실 경비", - "arm_away": "외출 경비", - "arm_night": "야간 경비", - "armed_custom_bypass": "사용자 우회", - "arm_custom_bypass": "사용자 우회" - }, - "automation": { - "last_triggered": "최근 트리거 됨", - "trigger": "트리거" - }, - "cover": { - "position": "위치", - "tilt_position": "기울기" - }, - "fan": { - "speed": "속도", - "oscillate": "회전", - "direction": "방향", - "forward": "앞으로", - "reverse": "뒤로" - }, - "light": { - "brightness": "밝기", - "color_temperature": "색온도", - "white_value": "흰색 값", - "effect": "효과" - }, - "media_player": { - "text_to_speak": "음성합성 내용 입력 (TTS)", - "source": "입력 소스", - "sound_mode": "사운드 모드" - }, - "climate": { - "currently": "현재 온도", - "on_off": "켜기 \/ 끄기", - "target_temperature": "희망 온도", - "target_humidity": "희망 습도", - "operation": "운전 모드", - "fan_mode": "송풍 모드", - "swing_mode": "회전 모드", - "away_mode": "외출 모드", - "aux_heat": "보조 히터", - "preset_mode": "프리셋", - "target_temperature_entity": "{name} 희망 온도", - "target_temperature_mode": "{name} 희망 온도 {mode}", - "current_temperature": "{name} 현재 온도", - "heating": "{name} 난방중", - "cooling": "{name} 냉방중", - "high": "높음", - "low": "낮음" - }, - "lock": { - "code": "비밀번호", - "lock": "잠금", - "unlock": "잠금 해제" - }, - "vacuum": { - "actions": { - "resume_cleaning": "청소 재개", - "return_to_base": "충전 복귀", - "start_cleaning": "청소 시작", - "turn_on": "끄기", - "turn_off": "켜기" - } - }, - "water_heater": { - "currently": "현재 온도", - "on_off": "켜기 \/ 끄기", - "target_temperature": "희망 온도", - "operation": "운전", - "away_mode": "외출 모드" - }, - "timer": { - "actions": { - "start": "시작", - "pause": "일시정지", - "cancel": "취소", - "finish": "완료" - } - }, - "counter": { - "actions": { - "increment": "증가", - "decrement": "감소", - "reset": "초기화" - } - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "구성요소", - "clear": "지우기", - "show_entities": "구성요소 표시" - } - }, - "service-picker": { - "service": "서비스" - }, - "relative_time": { - "past": "{time} 전", - "future": "{time} 후", - "never": "해당없음", - "duration": { - "second": "{count} {count, plural,\none {초}\nother {초}\n}", - "minute": "{count} {count, plural,\none {분}\nother {분}\n}", - "hour": "{count} {count, plural,\none {시간}\nother {시간}\n}", - "day": "{count} {count, plural,\none {일}\nother {일}\n}", - "week": "{count} {count, plural,\none {주}\nother {주}\n}" - } - }, - "history_charts": { - "loading_history": "상태 기록 내용 읽는 중...", - "no_history_found": "상태 기록 내용이 없습니다." - }, - "device-picker": { - "clear": "지우기", - "show_devices": "기기 표시" - } - }, - "notification_toast": { - "entity_turned_on": "{entity} 이(가) 켜졌습니다.", - "entity_turned_off": "{entity} 이(가) 꺼졌습니다.", - "service_called": "{service} 서비스가 호출되었습니다.", - "service_call_failed": "{service} 서비스를 호출하지 못했습니다.", - "connection_lost": "서버와 연결이 끊어졌습니다. 다시 연결 중...", - "triggered": "{name} 트리거됨" - }, - "dialogs": { - "more_info_settings": { - "save": "저장", - "name": "대체 이름", - "entity_id": "구성요소 ID" - }, - "more_info_control": { - "script": { - "last_action": "최근 동작" - }, - "sun": { - "elevation": "고도", - "rising": "해돋이", - "setting": "해넘이" - }, - "updater": { - "title": "업데이트 방법" - } - }, - "options_flow": { - "form": { - "header": "옵션" - }, - "success": { - "description": "옵션이 성공적으로 저장되었습니다." - } - }, - "config_entry_system_options": { - "title": "{integration} 시스템 옵션", - "enable_new_entities_label": "새로 추가된 구성요소를 활성화합니다.", - "enable_new_entities_description": "비활성화한 경우 새로 검색된 {integration} 구성요소는 Home Assistant 에 자동으로 추가되지 않습니다." - }, - "zha_device_info": { - "manuf": "{manufacturer} 제조", - "no_area": "영역 없음", - "services": { - "reconfigure": "ZHA 기기를 다시 구성 합니다. (기기 복구). 기기에 문제가 있는 경우 사용해주세요. 기기가 배터리로 작동하는 경우, 이 서비스를 사용할 때 기기가 켜져있고 통신이 가능한 상태인지 확인해주세요.", - "updateDeviceName": "이 기기의 사용자 정의 이름을 기기 레지스트리에 설정합니다.", - "remove": "Zigbee 네트워크에서 기기를 제거해주세요." - }, - "zha_device_card": { - "device_name_placeholder": "사용자 지정 이름", - "area_picker_label": "영역", - "update_name_button": "이름 업데이트" - }, - "buttons": { - "add": "기기 추가", - "remove": "기기 제거", - "reconfigure": "기기 재설정" - }, - "quirk": "규격외 사양 표준화(Quirk)", - "last_seen": "마지막 확인", - "power_source": "전원", - "unknown": "알 수 없슴" - }, - "confirmation": { - "cancel": "취소", - "ok": "확인", - "title": "다시 한번 확인해주세요" - } - }, - "auth_store": { - "ask": "현재 로그인을 저장 하시겠습니까?", - "decline": "아니요, 괜찮습니다", - "confirm": "로그인 저장하기" - }, - "notification_drawer": { - "click_to_configure": "버튼을 클릭하여 {entity} 을(를) 구성", - "empty": "알림 내용이 없습니다.", - "title": "알림" - } - }, - "domain": { - "alarm_control_panel": "알람제어판", - "automation": "자동화", - "binary_sensor": "이진센서", - "calendar": "일정", - "camera": "카메라", - "climate": "공조기기", - "configurator": "구성", - "conversation": "대화", - "cover": "여닫이", - "device_tracker": "추적 기기", - "fan": "송풍기", - "history_graph": "기록 그래프", - "group": "그룹", - "image_processing": "이미지처리", - "input_boolean": "논리입력", - "input_datetime": "날짜\/시간입력", - "input_select": "선택입력", - "input_number": "숫자입력", - "input_text": "문자입력", - "light": "전등", - "lock": "잠김", - "mailbox": "메일함", - "media_player": "미디어재생기", - "notify": "알림", - "plant": "식물", - "proximity": "근접", - "remote": "원격", - "scene": "씬", - "script": "스크립트", - "sensor": "센서", - "sun": "태양", - "switch": "스위치", - "updater": "업데이터", - "weblink": "웹링크", - "zwave": "Z-Wave", - "vacuum": "청소기", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "시스템 상태", - "person": "구성원" - }, - "attribute": { - "weather": { - "humidity": "습도", - "visibility": "시정", - "wind_speed": "풍속" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "꺼짐", - "on": "켜짐", - "auto": "자동" - }, - "preset_mode": { - "none": "없음", - "eco": "절전", - "away": "외출", - "boost": "쾌속", - "comfort": "쾌적", - "home": "재실", - "sleep": "취침", - "activity": "활동" - }, - "hvac_action": { - "off": "전원 끄기", - "heating": "난방", - "cooling": "냉방", - "drying": "제습", - "idle": "대기", - "fan": "송풍" - } - } - }, - "groups": { - "system-admin": "관리자", - "system-users": "사용자", - "system-read-only": "읽기 전용 사용자" - }, - "config_entry": { - "disabled_by": { - "user": "사용자", - "integration": "통합 구성요소", - "config_entry": "구성 항목" } } } \ No newline at end of file diff --git a/translations/lb.json b/translations/lb.json index 819956f9bb..46d2d86978 100644 --- a/translations/lb.json +++ b/translations/lb.json @@ -1,53 +1,193 @@ { - "panel": { - "config": "Astellungen", - "states": "Iwwersiicht", - "map": "Kaart", - "logbook": "Journal", - "history": "Verlaf", + "attribute": { + "weather": { + "humidity": "Loftfiichtegkeet", + "visibility": "Visibilitéit", + "wind_speed": "Wand Vitesse" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Konfiguratioun's Entrée", + "integration": "Integratioun", + "user": "Benotzer" + } + }, + "domain": { + "alarm_control_panel": "Kontroll Feld Alarm", + "automation": "Automatismen", + "binary_sensor": "Binären Sensor", + "calendar": "Kalenner", + "camera": "Kamera", + "climate": "Klima", + "configurator": "Konfiguréieren", + "conversation": "Ënnerhalung", + "cover": "Paart", + "device_tracker": "Apparat Verfolgung", + "fan": "Ventilator", + "group": "Gruppe", + "hassio": "Hass.io", + "history_graph": "Verlafs Grafik", + "homeassistant": "Home Assistant", + "image_processing": "Bildveraarbechtung", + "input_boolean": "Boolean-Agab", + "input_datetime": "Datum-\/Zäit-Agab", + "input_number": "Zuelen-Agab", + "input_select": "Auswiel-Agab", + "input_text": "Text-Agab", + "light": "Luucht", + "lock": "Schlass", + "lovelace": "Lovelace", "mailbox": "Bréifkëscht", - "shopping_list": "Akafslëscht", + "media_player": "Medie Spiller", + "notify": "Notifikatioun", + "person": "Persoun", + "plant": "Planz", + "proximity": "Ëmgéigend", + "remote": "Télécommande", + "scene": "Zeen", + "script": "Script", + "sensor": "Sensor", + "sun": "Sonn", + "switch": "Schalter", + "system_health": "System Zoustand", + "updater": "Aktualiséierung", + "vacuum": "Staubsauger", + "weblink": "Weblink", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Administrateuren", + "system-read-only": "Benotzer mat nëmmen Lies Rechter", + "system-users": "Benotzer" + }, + "panel": { + "calendar": "Kalenner", + "config": "Astellungen", "dev-info": "Info", "developer_tools": "Entwécklungsgeschir", - "calendar": "Kalenner", - "profile": "Profil" + "history": "Verlaf", + "logbook": "Journal", + "mailbox": "Bréifkëscht", + "map": "Kaart", + "profile": "Profil", + "shopping_list": "Akafslëscht", + "states": "Iwwersiicht" }, - "state": { - "default": { - "off": "Aus", - "on": "Un", - "unknown": "Onbekannt", - "unavailable": "Net erreechbar" - }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Autmatesch", + "off": "Aus", + "on": "Un" + }, + "hvac_action": { + "cooling": "Ofkillen", + "drying": "Dréchnen", + "fan": "Ventilator", + "heating": "Hëtzen", + "idle": "Waart", + "off": "Aus" + }, + "preset_mode": { + "activity": "Aktivitéit", + "away": "Ënnerwee", + "boost": "Boost", + "comfort": "Bequem", + "eco": "Eco", + "home": "Doheem", + "none": "Keen", + "sleep": "Schlofen" + } + } + }, + "state_badge": { "alarm_control_panel": { "armed": "Aktivéiert", - "disarmed": "Desaktivéiert", - "armed_home": "Aktivéiert Doheem", - "armed_away": "Aktivéiert Ënnerwee", - "armed_night": "Aktivéiert Nuecht", - "pending": "Ustoend", + "armed_away": "Aktivéiert", + "armed_custom_bypass": "Aktivéiert", + "armed_home": "Aktivéiert", + "armed_night": "Aktivéiert", "arming": "Aktivéieren", + "disarmed": "Desaktivéieren", "disarming": "Desaktivéieren", - "triggered": "Ausgeléist", - "armed_custom_bypass": "Aktiv, Benotzerdefinéiert" + "pending": "Ustoend", + "triggered": "Ausgeléist" + }, + "default": { + "entity_not_found": "Entitéit net fonnt", + "error": "Feeler", + "unavailable": "Net Verfügbar", + "unknown": "Onbekannt" + }, + "device_tracker": { + "home": "Doheem", + "not_home": "Ënnerwee" + }, + "person": { + "home": "Doheem", + "not_home": "Ënnerwee" + } + }, + "state": { + "alarm_control_panel": { + "armed": "Aktivéiert", + "armed_away": "Aktivéiert Ënnerwee", + "armed_custom_bypass": "Aktiv, Benotzerdefinéiert", + "armed_home": "Aktivéiert Doheem", + "armed_night": "Aktivéiert Nuecht", + "arming": "Aktivéieren", + "disarmed": "Desaktivéiert", + "disarming": "Desaktivéieren", + "pending": "Ustoend", + "triggered": "Ausgeléist" }, "automation": { "off": "Aus", "on": "Un" }, "binary_sensor": { + "battery": { + "off": "Normal", + "on": "Niddreg" + }, + "cold": { + "off": "Normal", + "on": "Kal" + }, + "connectivity": { + "off": "Net Verbonnen", + "on": "Verbonnen" + }, "default": { "off": "Aus", "on": "Un" }, - "moisture": { - "off": "Dréchen", - "on": "Naass" + "door": { + "off": "Zou", + "on": "Op" + }, + "garage_door": { + "off": "Zou", + "on": "Op" }, "gas": { "off": "Kloer", "on": "Detektéiert" }, + "heat": { + "off": "Normal", + "on": "Waarm" + }, + "lock": { + "off": "Gespaart", + "on": "Net gespaart" + }, + "moisture": { + "off": "Dréchen", + "on": "Naass" + }, "motion": { "off": "Roueg", "on": "Detektéiert" @@ -56,6 +196,22 @@ "off": "Kloer", "on": "Detektéiert" }, + "opening": { + "off": "Zou", + "on": "Op" + }, + "presence": { + "off": "Ënnerwee", + "on": "Doheem" + }, + "problem": { + "off": "OK", + "on": "Problem" + }, + "safety": { + "off": "Sécher", + "on": "Onsécher" + }, "smoke": { "off": "Kloer", "on": "Detektéiert" @@ -68,53 +224,9 @@ "off": "Kloer", "on": "Detektéiert" }, - "opening": { - "off": "Zou", - "on": "Op" - }, - "safety": { - "off": "Sécher", - "on": "Onsécher" - }, - "presence": { - "off": "Ënnerwee", - "on": "Doheem" - }, - "battery": { - "off": "Normal", - "on": "Niddreg" - }, - "problem": { - "off": "OK", - "on": "Problem" - }, - "connectivity": { - "off": "Net Verbonnen", - "on": "Verbonnen" - }, - "cold": { - "off": "Normal", - "on": "Kal" - }, - "door": { - "off": "Zou", - "on": "Op" - }, - "garage_door": { - "off": "Zou", - "on": "Op" - }, - "heat": { - "off": "Normal", - "on": "Waarm" - }, "window": { "off": "Zou", "on": "Op" - }, - "lock": { - "off": "Gespaart", - "on": "Net gespaart" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "Un" }, "camera": { + "idle": "Roueg", "recording": "Hëlt Op", - "streaming": "Streamt", - "idle": "Roueg" + "streaming": "Streamt" }, "climate": { - "off": "Aus", - "on": "Un", - "heat": "Heizen", - "cool": "Kill", - "idle": "Leerlauf", "auto": "Auto", + "cool": "Kill", "dry": "Dréchen", - "fan_only": "Nëmme Ventilator", "eco": "Eco", "electric": "Elektresch", - "performance": "Leeschtung", - "high_demand": "Héich Ufro", - "heat_pump": "Heizung", + "fan_only": "Nëmme Ventilator", "gas": "Gas", + "heat": "Heizen", + "heat_cool": "Hëtzen\/Ofkillen", + "heat_pump": "Heizung", + "high_demand": "Héich Ufro", + "idle": "Leerlauf", "manual": "Manuell", - "heat_cool": "Hëtzen\/Ofkillen" + "off": "Aus", + "on": "Un", + "performance": "Leeschtung" }, "configurator": { "configure": "Astellen", "configured": "Agestallt" }, "cover": { - "open": "Op", - "opening": "Gëtt opgemaach", "closed": "Zou", "closing": "Gëtt zougemaach", + "open": "Op", + "opening": "Gëtt opgemaach", "stopped": "Gestoppt" }, + "default": { + "off": "Aus", + "on": "Un", + "unavailable": "Net erreechbar", + "unknown": "Onbekannt" + }, "device_tracker": { "home": "Doheem", "not_home": "Ënnerwee" @@ -164,19 +282,19 @@ "on": "Un" }, "group": { - "off": "Aus", - "on": "Un", - "home": "Doheem", - "not_home": "Ënnerwee", - "open": "Op", - "opening": "Gëtt opgemaach", "closed": "Zou", "closing": "Gëtt zougemaach", - "stopped": "Gestoppt", + "home": "Doheem", "locked": "Gespaart", - "unlocked": "Net gespaart", + "not_home": "Ënnerwee", + "off": "Aus", "ok": "OK", - "problem": "Problem" + "on": "Un", + "open": "Op", + "opening": "Gëtt opgemaach", + "problem": "Problem", + "stopped": "Gestoppt", + "unlocked": "Net gespaart" }, "input_boolean": { "off": "Aus", @@ -191,13 +309,17 @@ "unlocked": "Net gespaart" }, "media_player": { + "idle": "Waart", "off": "Aus", "on": "Un", - "playing": "Spillt", "paused": "Pauseiert", - "idle": "Waart", + "playing": "Spillt", "standby": "Standby" }, + "person": { + "home": "Doheem", + "not_home": "Ënnerwee" + }, "plant": { "ok": "OK", "problem": "Problem" @@ -225,34 +347,10 @@ "off": "Aus", "on": "Un" }, - "zwave": { - "default": { - "initializing": "Initialiséiert", - "dead": "Net Ereechbar", - "sleeping": "Schléift", - "ready": "Bereet" - }, - "query_stage": { - "initializing": "Initialiséiert ( {query_stage} )", - "dead": "Net Ereechbar ({query_stage})" - } - }, - "weather": { - "clear-night": "Kloer, Nuecht", - "cloudy": "Wollekeg", - "fog": "Niwwel", - "hail": "Knëppelsteng", - "lightning": "Blëtz", - "lightning-rainy": "Blëtz, Reen", - "partlycloudy": "Liicht wollekeg", - "pouring": "Schloreen", - "rainy": "Reen", - "snowy": "Schnéi", - "snowy-rainy": "Schnéi, Reen", - "sunny": "Sonneg", - "windy": "Lëfteg", - "windy-variant": "Lëfteg", - "exceptional": "Aussergewéinlech" + "timer": { + "active": "Aktiv", + "idle": "Waart", + "paused": "Pauseiert" }, "vacuum": { "cleaning": "Botzt", @@ -264,210 +362,729 @@ "paused": "Pauseiert", "returning": "Kënnt zur Statioun zeréck" }, - "timer": { - "active": "Aktiv", - "idle": "Waart", - "paused": "Pauseiert" + "weather": { + "clear-night": "Kloer, Nuecht", + "cloudy": "Wollekeg", + "exceptional": "Aussergewéinlech", + "fog": "Niwwel", + "hail": "Knëppelsteng", + "lightning": "Blëtz", + "lightning-rainy": "Blëtz, Reen", + "partlycloudy": "Liicht wollekeg", + "pouring": "Schloreen", + "rainy": "Reen", + "snowy": "Schnéi", + "snowy-rainy": "Schnéi, Reen", + "sunny": "Sonneg", + "windy": "Lëfteg", + "windy-variant": "Lëfteg" }, - "person": { - "home": "Doheem", - "not_home": "Ënnerwee" - } - }, - "state_badge": { - "default": { - "unknown": "Onbekannt", - "unavailable": "Net Verfügbar", - "error": "Feeler", - "entity_not_found": "Entitéit net fonnt" - }, - "alarm_control_panel": { - "armed": "Aktivéiert", - "disarmed": "Desaktivéieren", - "armed_home": "Aktivéiert", - "armed_away": "Aktivéiert", - "armed_night": "Aktivéiert", - "pending": "Ustoend", - "arming": "Aktivéieren", - "disarming": "Desaktivéieren", - "triggered": "Ausgeléist", - "armed_custom_bypass": "Aktivéiert" - }, - "device_tracker": { - "home": "Doheem", - "not_home": "Ënnerwee" - }, - "person": { - "home": "Doheem", - "not_home": "Ënnerwee" + "zwave": { + "default": { + "dead": "Net Ereechbar", + "initializing": "Initialiséiert", + "ready": "Bereet", + "sleeping": "Schléift" + }, + "query_stage": { + "dead": "Net Ereechbar ({query_stage})", + "initializing": "Initialiséiert ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Fäerdeg Elementer ewechhuelen", - "add_item": "Objet dobäisetze", - "microphone_tip": "Tipp uewe riets op de Mikro a so “Add candy to my shopping list”" + "auth_store": { + "ask": "Soll dëse Login gespäichert ginn?", + "confirm": "Login späicheren", + "decline": "Nee Merci" + }, + "card": { + "alarm_control_panel": { + "arm_away": "Aktivéiert Ënnerwee", + "arm_custom_bypass": "Personaliséierte Bypass", + "arm_home": "Aktivéiert Doheem", + "arm_night": "Aktivéiert Nuecht", + "armed_custom_bypass": "Personaliséierte Bypass", + "clear_code": "Kloer", + "code": "Code", + "disarm": "Desaktivéieren" }, - "developer-tools": { - "tabs": { - "services": { - "title": "Servicen", - "description": "De Service am Entwécklungsgeschir erlaabt Iech e verfügbare Service am Home Assistant opzeruffen.", - "data": "Service Donnéeë (YAML, fakultativ)", - "call_service": "Service opruffen", - "select_service": "Wielt ee Service aus fir d'Beschreiwung ze gesinn", - "no_description": "Keng Beschreiwung verfügbar", - "no_parameters": "Dëse Service huet keng Parameteren.", - "column_parameter": "Parameter", - "column_description": "Beschreiwung", - "column_example": "Beispill", - "fill_example_data": "Gitt Beispill Donnéeën un", - "alert_parsing_yaml": "Feeler beim Parse vum YAML: {data}" - }, - "states": { - "title": "Zoustänn", - "description1": "Setzt d'Representatioun vun engem Apparat am Home Assistant.", - "description2": "Dëst wäert net mam aktuellen Apparat kommunizéieren.", - "entity": "Entitéit", - "state": "Zoustand", - "attributes": "Attributer", - "state_attributes": "Atrributer vum Zoustand (YAML, fakultativ)", - "set_state": "Zoustand setzen", - "current_entities": "Aktuell Entitéiten", - "filter_entities": "Entitéite filteren", - "filter_states": "Zoustänn filteren", - "filter_attributes": "Attributer filteren", - "no_entities": "Keng Entitéiten", - "more_info": "Méi Info", - "alert_entity_field": "Entitéit ass e obligatorescht Feld" - }, - "events": { - "title": "Evenementer", - "description": "Een Evenement um Evenement Bus starten", - "documentation": "Dokumentatioun iwwert d'Evenementer", - "type": "Typ vun Evenement", - "data": "Evenement Donnéeë (YAML, fakultativ)", - "fire_event": "Evenement starten", - "event_fired": "Evenement {name} gestart", - "available_events": "Verfügbar Evenementer", - "count_listeners": " ({count} gelauschtert)", - "listen_to_events": "Op Evenementer lauschteren", - "listening_to": "Lauschtert op", - "subscribe_to": "Evenement fir unzemellen", - "start_listening": "Fänk un mam lauschteren", - "stop_listening": "Hal op mam lauschteren", - "alert_event_type": "Type vun Evenement ass obligatorescht", - "notification_event_fired": "Event {type} erfollegräich gestart" - }, - "templates": { - "title": "Modeller", - "description": "Modeller ginn mëttels Jinja2 template engine duergestallt mat e puer Home Assistant spezifesch Erweiderungen.", - "editor": "Modell Editeur", - "jinja_documentation": "Jinja2 Modell Dokumentatioun", - "template_extensions": "Home Assistant Modell Erweiderungen", - "unknown_error_template": "Onbekannte Feeler beim duerstelle vum Modell" - }, - "mqtt": { - "title": "MQTT", - "description_publish": "Ee Pak publizéieren", - "topic": "Sujet", - "payload": "Payload (Modell erlaabt)", - "publish": "Publizéieren", - "description_listen": "Sujet lauschteren", - "listening_to": "Lauschtert op", - "subscribe_to": "Sujet fir unzemellen", - "start_listening": "Fänk un mam lauschteren", - "stop_listening": "Hal op mam lauschteren", - "message_received": "Noriicht {id} empfaangen am {topic} um {time}:" - }, - "info": { - "title": "Info", - "remove": "Läschen", - "set": "Définéier", - "default_ui": "{action} {name} als Standard Säit op dësem Apparat", - "lovelace_ui": "Zum Lovelace Benotzer Interface wiesselen", - "states_ui": "Zum Zoustänn Benotzer Interface wiesselen", - "home_assistant_logo": "Home Assistant logo", - "path_configuration": "Pad zur configuration.yaml: {path}", - "developed_by": "Entwéckelt vun enger ganzer Rei fantastesche Leit.", - "license": "Verëffentlecht ënnert der Apache 2.0 Lizenz", - "source": "Quell:", - "server": "server", - "frontend": "frontend-ui", - "built_using": "Gebaut mat", - "icons_by": "Ikoner vun", - "frontend_version": "Frontend Versioun: {version} - {type}", - "custom_uis": "Personaliséierte Benotzer Interface:", - "system_health_error": "System Gesondheet Komponent net gelueden. Setz 'system_health:' zur configuration.yaml dobäi" - }, - "logs": { - "title": "Logbicher", - "details": "Detailler vum Log ({level})", - "load_full_log": "Kompletten Home Assistant Log lueden", - "loading_log": "Feeler Log gëtt gelueden...", - "no_errors": "Et gouf kee Feeler gemellt.", - "no_issues": "Keng nei Problemer!", - "clear": "Läschen", - "refresh": "Aktualiséieren", - "multiple_messages": "Noriicht als éischt opgetrueden um {time} a säit deem {counter} mol opgetrueden" - } + "automation": { + "last_triggered": "Läscht ausgeléist", + "trigger": "Ausléiser" + }, + "camera": { + "not_available": "Bild net disponibel" + }, + "climate": { + "aux_heat": "Zousätzlech Heizung", + "away_mode": "Modus Keen Doheem", + "cooling": "{name} killen", + "current_temperature": "{name} aktuell Temperatur", + "currently": "Momentan", + "fan_mode": "Ventilatioun Modus", + "heating": "{name} hëtzen", + "high": "héich", + "low": "niddreg", + "on_off": "Un \/ Aus", + "operation": "Aktioun", + "preset_mode": "Virastellung", + "swing_mode": "Schwenk Modus", + "target_humidity": "Zielfiichtegkeet", + "target_temperature": "Zieltemperatur", + "target_temperature_entity": "{name} Zieltemperatur", + "target_temperature_mode": "{name} Zieltemperatur {mode}" + }, + "counter": { + "actions": { + "decrement": "Dekremental", + "increment": "Inkremental", + "reset": "reset" } }, - "history": { - "showing_entries": "Weist Beiträg fir", - "period": "Zäitraum" + "cover": { + "position": "Positioun", + "tilt_position": "Kippestellung" }, - "logbook": { - "showing_entries": "Weist Beiträg fir", - "period": "Zäitraum" + "fan": { + "direction": "Richtung", + "forward": "Vir", + "oscillate": "Pendele", + "reverse": "Hannerzeg", + "speed": "Vitesse" }, - "mailbox": { - "empty": "Dir hutt keng Noriicht", - "playback_title": "Noriicht ofspillen", - "delete_prompt": "Dës Noriicht löschen?", - "delete_button": "Löschen" + "light": { + "brightness": "Hellegkeet", + "color_temperature": "Faarf Temperatur", + "effect": "Effekt", + "white_value": "Wäisse Wäert" }, + "lock": { + "code": "Code", + "lock": "Spären", + "unlock": "Entspären" + }, + "media_player": { + "sound_mode": "Toun Modus", + "source": "Quell", + "text_to_speak": "Text zu Sprooch" + }, + "persistent_notification": { + "dismiss": "Verwerfen" + }, + "scene": { + "activate": "Aktivéieren" + }, + "script": { + "execute": "Ausféieren" + }, + "timer": { + "actions": { + "cancel": "Ofbriechen", + "finish": "Ofschléissen", + "pause": "Pause", + "start": "Start" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Fuer mam botzen weider", + "return_to_base": "Zeréck zur Statioun kommen", + "start_cleaning": "Fänk mam botzen un", + "turn_off": "Ausschalten", + "turn_on": "Uschalten" + } + }, + "water_heater": { + "away_mode": "Modus Keen Doheem", + "currently": "Momentan", + "on_off": "Un \/ Aus", + "operation": "Aktioun", + "target_temperature": "Zieltemperatur" + }, + "weather": { + "attributes": { + "air_pressure": "Loftdrock", + "humidity": "Fiichtegkeet", + "temperature": "Temperatur", + "visibility": "Visibilitéit", + "wind_speed": "Wandvitesse" + }, + "cardinal_direction": { + "e": "O", + "ene": "ONO", + "ese": "OSO", + "n": "N", + "ne": "NO", + "nne": "NNO", + "nnw": "NNW", + "nw": "NW", + "s": "S", + "se": "SO", + "sse": "SSO", + "ssw": "SSW", + "sw": "SW", + "w": "W", + "wnw": "WNW", + "wsw": "WSW" + }, + "forecast": "Prognose" + } + }, + "common": { + "cancel": "Ofbriechen", + "loading": "Lued", + "save": "Späicheren", + "successfully_saved": "Erfollegräich gespäichert." + }, + "components": { + "device-picker": { + "clear": "Läschen", + "show_devices": "Apparater uweisen" + }, + "entity": { + "entity-picker": { + "clear": "Läschen", + "entity": "Entitéit", + "show_entities": "Entitéite uweisen" + } + }, + "history_charts": { + "loading_history": "Lued Status Verlaaf", + "no_history_found": "Keen Status Verlaaf fonnt" + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\none {Dag}\\nother {Deeg}\\n}", + "hour": "{count} {count, plural,\\n one {Stonn}\\n other {Stonnen}\\n}", + "minute": "{count} {count, plural,\\n one {Minutt}\\n other {Minutten}\\n}", + "second": "{count} {count, plural,\\none {Sekonn}\\nother {Sekonnen}\\n}", + "week": "{count} {count, plural,\\none {Woch}\\nother {Wochen}\\n}" + }, + "future": "An {time}", + "never": "Nie", + "past": "virun {time}" + }, + "service-picker": { + "service": "Service" + } + }, + "dialogs": { + "config_entry_system_options": { + "enable_new_entities_description": "Falls desaktivéiert, ginn nei entdeckten Entitéiten net automatesch zu Home Assistant dobäigesat.", + "enable_new_entities_label": "Aktivéiert nei dobäigesate Entitéiten.", + "title": "System Optiounen" + }, + "confirmation": { + "cancel": "Ofbriechen", + "ok": "OK", + "title": "Sécher?" + }, + "more_info_control": { + "script": { + "last_action": "Läscht Aktioun" + }, + "sun": { + "elevation": "Héicht", + "rising": "Sonnenopgank", + "setting": "Sonnenënnergang" + }, + "updater": { + "title": "Instruktioune fir d'Mise à jour" + } + }, + "more_info_settings": { + "entity_id": "Entitéit ID", + "name": "Numm iwwerschreiwen", + "save": "Späicheren" + }, + "options_flow": { + "form": { + "header": "Optiounen" + }, + "success": { + "description": "Optiounen erfollegräich gespäichert." + } + }, + "zha_device_info": { + "buttons": { + "add": "Apparater dobäisetzen", + "reconfigure": "Apparat frësch konfiguréieren", + "remove": "Apparat läschen" + }, + "last_seen": "Fir d'läscht gesinn", + "manuf": "vun {manufacturer}", + "no_area": "Kee Beräich", + "power_source": "Energie Quell", + "quirk": "Quirk", + "services": { + "reconfigure": "ZHA Apparat rekonfiguréieren (Apparat heelen). Benotzt dëst am Fall vu Problemer mam Apparat. Falls den Apparat duerch eng Batterie gespeist gëtt stellt sécher dass en un ass a Befeeler entgéint kann huelen", + "remove": "Een Apparat vum Zigbee Reseau läschen.", + "updateDeviceName": "Personaliséiert den Numm fir dësen Apparat an der Iwwersiicht vun den Apparaten." + }, + "unknown": "Onbekannt", + "zha_device_card": { + "area_picker_label": "Beräich", + "device_name_placeholder": "Virnumm", + "update_name_button": "Numm änneren" + } + } + }, + "duration": { + "day": "{count} {count, plural,\\none {Dag}\\nother {Deeg}\\n}", + "hour": "{count} {count, plural,\\n one {Stonn}\\n other {Stonnen}\\n}", + "minute": "{count} {count, plural,\\n one {Minutt}\\n other {Minutten}\\n}", + "second": "{count} {count, plural,\\none {Sekonn}\\nother {Sekonnen}\\n}", + "week": "{count} {count, plural,\\none {Woch}\\nother {Wochen}\\n}" + }, + "login-form": { + "log_in": "Aloggen", + "password": "Passwuert", + "remember": "Verhalen" + }, + "notification_drawer": { + "click_to_configure": "Dréck de Knäppchen fir {entity} ze konfiguréieren", + "empty": "Keng Notifikatioune", + "title": "Notifikatioune" + }, + "notification_toast": { + "connection_lost": "Verbindung verluer. Verbindung gëtt nees opgebaut...", + "entity_turned_off": "{entity} gouf ausgeschalt", + "entity_turned_on": "{entity} gouf ugeschalt", + "service_call_failed": "Feeler beim opruffen vun {service}", + "service_called": "Service {service} operuff", + "triggered": "{name} ausgeléist" + }, + "panel": { "config": { - "header": "Home Assistant astellen", - "introduction": "Hei ass et méiglech är Komponenten vum Home Assistant ze konfiguréieren. Net alles ass méiglech fir iwwert den Interface anzestellen, mee mir schaffen drun.", + "area_registry": { + "caption": "Lëscht vun de Beräicher", + "create_area": "Beräich erstellen", + "description": "Iwwersiicht vun de Beräicher am Haus", + "editor": { + "create": "Erstellen", + "default_name": "Neie Beräich", + "delete": "Läschen", + "update": "Aktualiséieren" + }, + "no_areas": "Et sinn nach keng Beräicher do!", + "picker": { + "create_area": "Beräich erstellen", + "header": "Lëscht vun de Beräicher", + "integrations_page": "Integratiouns Säit", + "introduction": "Beräicher gi benotzt fir d'Organisatioun vum Standuert vun den Apparater. Dës Informatioun gëtt vum Home Assistant benotzt fir iech ze hëllefe fir den Interface, Berechtegungen an Integratioune mat aner Systemer ze geréieren.", + "introduction2": "Fir Apparater an e Beräich ze setzen, benotzt de Link ënne fir op d'Integratiouns Säit ze kommen a klickt do op eng konfiguréiert Integratioun fir d'Kaart vum Apparat unzeweisen.", + "no_areas": "Et sinn nach keng Beräicher do!" + } + }, + "automation": { + "caption": "Automatismen", + "description": "Automatismen erstellen an änneren", + "editor": { + "actions": { + "add": "Aktioun dobäisetzen", + "delete": "Läschen", + "delete_confirm": "Element sécher läschen?", + "duplicate": "Duplikéiere", + "header": "Aktiounen", + "introduction": "Aktioune déi den Home Assistant ausféiert wann den Automatismus ausgeléist gouf.\\n[Léier méi iwwert Aktiounen.](https:\/\/home-assistant.io\/docs\/automation\/action\/)", + "learn_more": "Méi iwwert Aktioune liesen", + "type_select": "Aktioun Typ", + "type": { + "condition": { + "label": "Konditioun" + }, + "delay": { + "delay": "Délai", + "label": "Delai" + }, + "device_id": { + "extra_fields": { + "code": "Code" + }, + "label": "Apparat" + }, + "event": { + "event": "Evenement:", + "label": "Evenement starten", + "service_data": "Service-Donnéeën" + }, + "scene": { + "label": "Zeen aktivéieren" + }, + "service": { + "label": "Service opruffen", + "service_data": "Service-Donnéeën" + }, + "wait_template": { + "label": "Waart", + "timeout": "Zäitiwwerschreidung (optional)", + "wait_template": "Waardenzäit Modell" + } + }, + "unsupported_action": "Net ënnerstëtzten Aktioun: {action}" + }, + "alias": "Numm", + "conditions": { + "add": "Konditioun dobäisetzen", + "delete": "Läschen", + "delete_confirm": "Sëcher fir ze läschen?", + "duplicate": "Duplikéiere", + "header": "Konditiounen", + "introduction": "Konditioune sinn een optionalen Deel vun engem Automatismus a kënne benotzt gi fir ze bestëmme wann eng Aktioun ausgeféiert gëtt. Konditioune gläichen den Ausléiser mee sinn awer ganz ënnerschiddlech. Een Ausléiser iwwerwaacht d'Evenementer am System, an eng Konditioun iwwerwaacht de Status vum System. Een Ausléiser gesäit wann ee Schalter ugeschalt gëtt. Eng Konditioun gesäit nëmmen op de Schalter un oder aus ass.\\n\\n[Léier méi iwwer Konditioune.](https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", + "learn_more": "Méi iwwert Konditioune liesen", + "type_select": "Typ vun Konditioun", + "type": { + "and": { + "label": "An" + }, + "device": { + "extra_fields": { + "above": "Iwwert", + "below": "Ënnert", + "for": "Dauer" + }, + "label": "Apparat" + }, + "numeric_state": { + "above": "Iwwert", + "below": "Ënnert", + "label": "Numereschen Zoustand", + "value_template": "Wäerte Modell (optional)" + }, + "or": { + "label": "Oder" + }, + "state": { + "label": "Zoustand", + "state": "Zoustand" + }, + "sun": { + "after": "No:", + "after_offset": "No versat (optional)", + "before": "Virdrun:", + "before_offset": "Virdrun versat (optional)", + "label": "Sonn", + "sunrise": "Sonnenopgank", + "sunset": "Sonnenënnergank" + }, + "template": { + "label": "Modell", + "value_template": "Wäerte Modell" + }, + "time": { + "after": "Duerno", + "before": "Virdrun", + "label": "Zäit" + }, + "zone": { + "entity": "Entitéit mam Standuert", + "label": "Zon", + "zone": "Zon" + } + }, + "unsupported_condition": "Net ënnerstëtzte Konditioun: {condition}" + }, + "default_name": "Néien Automatismus", + "description": { + "label": "Beschreiwung", + "placeholder": "Optional Beschreiwung" + }, + "introduction": "Benotzt Automatismen fir däin Haus zum Liewen ze bréngen", + "load_error_not_editable": "Nëmmen Automatiounen am automations.yaml kënnen editéiert ginn.", + "load_error_unknown": "Feeler beim luede vun der Automatioun ({err_no}).", + "save": "Späicheren", + "triggers": { + "add": "Ausléiser dobäisetzen", + "delete": "Läschen", + "delete_confirm": "Sëcher fir ze läschen?", + "duplicate": "Replikéieren", + "header": "Ausléiser", + "introduction": "Een Ausléiser start de Prozess vun engem Automatismus. Et ass méiglech méi wéi een Ausléiser fir een Automatismus unzeginn. Wann een Ausléiser start validéiert Home Assistant d'Konditiounen a féiert - de Fall gesat - eng Aktioun aus.\\n\\n[Léier méi iwwert Ausléiser.](https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", + "learn_more": "Méi iwwert Ausléiser liesen", + "type_select": "Typ vun Ausléiser", + "type": { + "device": { + "extra_fields": { + "above": "Iwwert", + "below": "Ënnert", + "for": "Dauer" + }, + "label": "Apparat" + }, + "event": { + "event_data": "Evenement Donnée", + "event_type": "Typ vun Evenement", + "label": "Evenement" + }, + "geo_location": { + "enter": "Betrieden", + "event": "Evenement", + "label": "Geolokalisatioun", + "leave": "Verloossen", + "source": "Quell", + "zone": "Zone" + }, + "homeassistant": { + "event": "Evenement:", + "label": "Home Assistant", + "shutdown": "Ausmaachen", + "start": "Starten" + }, + "mqtt": { + "label": "MQTT", + "payload": "Payload (optional)", + "topic": "Sujet" + }, + "numeric_state": { + "above": "Iwwert", + "below": "Ënnert", + "label": "Numereschen Zoustand", + "value_template": "Wäerte Modell (optional)" + }, + "state": { + "for": "Fir", + "from": "Vun", + "label": "Zoustand", + "to": "Op" + }, + "sun": { + "event": "Evenement:", + "label": "Sonn", + "offset": "Versat (optional)", + "sunrise": "Sonnenopgank", + "sunset": "Sonnenënnergank" + }, + "template": { + "label": "Modell", + "value_template": "Wäerte Modell" + }, + "time_pattern": { + "hours": "Stonnen", + "label": "Zäit Muster", + "minutes": "Minutten", + "seconds": "Sekonnen" + }, + "time": { + "at": "Um", + "label": "Zäit" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook ID" + }, + "zone": { + "enter": "Eran", + "entity": "Entitéit mam Standuert", + "event": "Evenement:", + "label": "Zone", + "leave": "Verloossen", + "zone": "Zon" + } + }, + "unsupported_platform": "Net ënnerstëtzte Plattform: {platform}" + }, + "unsaved_confirm": "Net gespäichert Ännerungen. Trotzdeem verloossen?" + }, + "picker": { + "add_automation": "Automatismus dobäisetzen", + "header": "Automatismen editéieren", + "introduction": "Den Automatismen-Editor erméiglecht et fir Automatismen z'erstellen an ze änneren. Lies w.e.g. [d'Instruktioune](https:\/\/home-assistant.io\/docs\/automation\/editor\/) fir sécher ze stellen dass den Home Assistant richteg agestallt ass.", + "learn_more": "Méi iwwert Automatioune liesen", + "no_automations": "Keen Automatismus fir ze ännere fonnt", + "pick_automation": "Automatismus fir ze änneren auswielen" + } + }, + "cloud": { + "account": { + "alexa": { + "config_documentation": "Dokumentatioun iwwert d'Konfiguration", + "disable": "Desaktivéieren", + "enable": "Aktivéieren", + "enable_ha_skill": "Aktivéiert Home Assistant Fäegkeet fir Alexa", + "enable_state_reporting": "Zostand Berichterstattung aktivéieren", + "info": "Mat der Alexa Integratioun fir Home Assistant Cloud könnt dir all är Home Assistant Apparater via Alexa supportéiert Apparater steieren.", + "info_state_reporting": "Wann dir de Rapport vun den Zoustänn aktivéiert schéckt Home Assistant all Ännerung vum Zoustand vun exposéierten Entitéiten op Amazon. Dës erlaabt iech ëmmer déi leschten Zoustänn an der Alexa App ze gesinn an d'Ännerunge vun den Zoustänn ze benotze fir Ofleef z'erstellen.", + "manage_entities": "Entitéite verwalten", + "state_reporting_error": "Kann net den Rapport vum Zoustand {enable_disable}", + "sync_entities": "Entitéite synchroniséieren", + "sync_entities_error": "Feeler beim synchroniséieren vun den Entitéite:", + "title": "Alexa" + }, + "connected": "Verbonnen", + "connection_status": "Cloud Verbindungs Status", + "fetching_subscription": "Abonnement gëtt ausgelies...", + "google": { + "config_documentation": "Dokumentatioun iwwert d'Konfiguration", + "devices_pin": "Sécherheets Apparater Pin", + "enable_ha_skill": "Aktivéiert Home Assistant Fäegkeet fir Google Assistant", + "enable_state_reporting": "Zostand Berichterstattung aktivéieren", + "enter_pin_error": "Kann net de Pin späicheren:", + "enter_pin_hint": "Gitt ee Pin an fir Sécherheets Apparater ze benotzen", + "enter_pin_info": "Gitt w.e.g en Pin un fir d'Interaktioun mat Sécherheets Apparater. Sécherheets Apparater kënnen Dieren, Garagen a Schlässer sinn. Dir gitt de PIN gefrot fir ze soen oder anzegi fir d'Interaktioun mat Service wéi Google Assistant.", + "info": "Mat der Google Assistant Integratioun fir Home Assistant Cloud könnt dir all är Home Assistant Apparater via Google Assistant supportéiert Apparater steieren.", + "info_state_reporting": "Wann dir de Rapport vun den Zoustänn aktivéiert schéckt Home Assistant all Ännerung vum Zoustand vun exposéierten Entitéiten op Google. Dës erlaabt iech ëmmer déi leschten Zoustänn an der Google App ze gesinn.", + "manage_entities": "Entitéiten verwalten", + "security_devices": "Sécherheets Apparater", + "sync_entities": "Entitéiten mat Google synchroniséieren", + "title": "Google Assistant" + }, + "integrations": "Integratioune", + "integrations_introduction": "Integratioune fir Home Assistant Cloud erlaben iech mat Servicer an der Cloud ze verbannen ouni dass är Home Assistant Instanz ëffentlech um Internet ass.", + "integrations_introduction2": "Kuckt d'Websäit fir ", + "integrations_link_all_features": " all verfügbar Eegeschafte", + "manage_account": "Kont verwalten", + "nabu_casa_account": "Nabu Casa Kont", + "not_connected": "Net verbonnen", + "remote": { + "access_is_being_prepared": "Remote Accès gëtt virbereet. Mir ginn iech Bescheed wann et prett ass.", + "certificate_info": "Zertifikat Informatiounen", + "info": "Home Assistant Cloud stellt eng sécher Verbindung zu ärer Instanz bereet wann dir ënnerwee sidd.", + "instance_is_available": "Är Instanz ass disponibel op", + "instance_will_be_available": "Är Instanz gëtt disponibel op", + "link_learn_how_it_works": "Léier wéi et funktionéiert", + "title": "Fernsteierung" + }, + "sign_out": "Ofmellen", + "thank_you_note": "Merci dass dir Deel sidd vun der Home Assistant Cloud. Et ass wéinst iech dass mir sou eng groussaarteg Home Automation Erfarung fir jiddweree kënne maachen. Villmools Merci!", + "webhooks": { + "disable_hook_error_msg": "Feeler beim désaktivéieren vum Webhook:", + "info": "Alles wat konfiguréiert ass fir duerch e Webhook ausgeléist ze ginn, kann eng ëffentlech zougänglech URL kréien, fir datt Dir Är Donnéeën zréck un den Home Assistant vun iergendwou kënnt zréckschécken, ouni Är Instanz um Internet z'exposéieren", + "link_learn_more": "Méi iwwert wéi ee webhook-baséiert Automatismen erstellt léieren", + "loading": "Lued ...", + "manage": "Verwalten", + "no_hooks_yet": "Et gesäit sou aus wéi wann nach keng webhooks benotzt ginn. Fänkt mam erstellen vun enger ", + "no_hooks_yet_link_automation": "Webhook Automatisme", + "no_hooks_yet_link_integration": "webhook baséierter Integratioun", + "no_hooks_yet2": " oder via erstellen vun ", + "title": "Webhooks" + } + }, + "alexa": { + "banner": "D'Ännere vun den Entitéiten déi iwwert dës UI exposéiert sinn ass desaktivéiert well Entitéite Filter an der configuration.yaml konfiguréiert sinn.", + "expose": "Op Alexa exposéieren", + "exposed_entities": "Exposéiert Entitéiten", + "not_exposed_entities": "Keng exposéiert Entitéiten", + "title": "Alexa" + }, + "caption": "Home Assistant Cloud", + "description_features": "Steiert vun ënnerwee aus, integréiert mam Alexa an Google Assistant.", + "description_login": "Ageloggt als {email}", + "description_not_login": "Net ageloggt", + "dialog_certificate": { + "certificate_expiration_date": "Zertifikat Verfallsdatum", + "certificate_information": "Zertifikat Informatiounen", + "close": "Zoumaachen", + "fingerprint": "Zertifikat Fanger Ofdrock", + "will_be_auto_renewed": "Gëtt automatesch verlängert" + }, + "dialog_cloudhook": { + "available_at": "De Webhook ass disponibel op der folgender url:", + "close": "Zoumaachen", + "confirm_disable": "Sécher fir dëse Webhook ze desaktivéieren?", + "copied_to_clipboard": "An de Tëschespäicher kopéiert", + "info_disable_webhook": "Wann dir dëse Webhook net wëllt länger benotzen, kënnt dir", + "link_disable_webhook": "Desaktivéieren", + "managed_by_integration": "Dëse Webhook gëtt vun enger Integratioun verwalt a kann net desaktivéiert ginn.", + "view_documentation": "Dokumentatioun kucken", + "webhook_for": "Webhook fir {name}" + }, + "forgot_password": { + "check_your_email": "Kuckt är E-Maile fir Uweisunge wéi d'Passwuert zeréckgesat gëtt.", + "email": "E-Mail", + "email_error_msg": "Ongëlteg E-Mail", + "instructions": "Gitt är E-Mail Adress un a mir schécken iech e Link fir äert Passwuert zeréck ze setzen.", + "send_reset_email": "Reset E-Mail schécken", + "subtitle": "Passwuert vergiess", + "title": "Passwuert vergiess" + }, + "google": { + "banner": "D'Ännere vun den Entitéiten déi iwwert dës UI exposéiert sinn ass desaktivéiert well Entitéite Filter an der configuration.yaml konfiguréiert sinn.", + "disable_2FA": "2-Faktor-Authentifikatioun désaktivéieren", + "expose": "Op Google Assistant exposéieren", + "exposed_entities": "Exposéiert Entitéiten", + "not_exposed_entities": "Keng exposéiert Entitéiten", + "sync_to_google": "Ännerungen ginn mat Google synchroniséiert", + "title": "Google Assistant" + }, + "login": { + "alert_email_confirm_necessary": "Dir musst är E-Mail confirméieren ier dir iech verbanne kënnt.", + "alert_password_change_required": "Dir musst ärt Passwuert ännere ier dir iech verbanne kënnt.", + "dismiss": "Verwerfen", + "email": "E-Mail", + "email_error_msg": "Ongëlteg E-Mail", + "forgot_password": "Passwuert vergiess?", + "introduction": "Home Assistant Cloud liwwert Iech eng sécher Fernverbindung op Är Instanz wann Dir ënnerwee sidd. Et erlaabt Iech och mat Cloud Servicer ze verbannen: Amazon Alexa a Google Assistant.", + "introduction2": "Dëse Service gëtt vun eisem Partner geleet ", + "introduction2a": ", eng Firma gegrënnt vun de Grënner vun Home Assistant an Hass.io.", + "introduction3": "Home Assistant Cloud ass een Abonnement Service mat engem Mount gratis Testperiod. Keng Paiement Informatiounen néideg", + "learn_more_link": "Léier méi iwwert Home Assistant Cloud", + "password": "Passwuert", + "password_error_msg": "Passwierder hunn op mannst 8 Charakteren", + "sign_in": "Umellen", + "start_trial": "Start är gratis 1 Mount Testperiod", + "title": "Cloud Login", + "trial_info": "Keng Paiement Informatiounen néideg" + }, + "register": { + "account_created": "Kont erstallt! Kuckt är E-Mailen fir Uweisungen wéi den Kont aktivéiert gëtt.", + "create_account": "Kont erstellen", + "email_address": "E-Mail Adresse", + "email_error_msg": "Ongëlteg E-Mail", + "feature_amazon_alexa": "Integratioun mat Amazon Alexa", + "feature_google_home": "Integratioun mat Google Assistant", + "feature_remote_control": "Kontrolléiert ären Home Assistant vun ënnerwee", + "feature_webhook_apps": "Einfach Integratioun mat webhook-baséierten Apps wéi OwnTracks", + "headline": "Start är gratis Testperiod", + "information": "Erstellt ee Kont fir mat ärer Gratis 1 Mount Test Period unzefänken. Keng Paiement Informatiounen néideg.", + "information2": "Testversioun gëtt iech Accès op all Beneficer vun der Home Assistant Cloud, inklusive:", + "information3": "Dëse Service gëtt vun eisem Partner geleet ", + "information3a": ", eng Firma gegrënnt vun de Grënner vun Home Assistant an Hass.io.", + "information4": "Andeems Dir Iech fir e Kont ugemellt hutt, akzeptéiert Dir déi folgend Bedéngungen.", + "link_privacy_policy": "Dateschutz Bestëmmungen", + "link_terms_conditions": "Konditioune", + "password": "Passwuert", + "password_error_msg": "Passwierder hunn op mannst 8 Charakteren", + "resend_confirm_email": "Bestätegung's E-Mail nach emol verschécken", + "start_trial": "Testperiod starten", + "title": "Kont registréieren" + } + }, + "common": { + "editor": { + "confirm_unsaved": "Net gespäichert Ännerungen. Trotzdeem verloossen?" + } + }, "core": { "caption": "Generell", "description": "Ännert är generell Home Assistant Konfiguratioun", "section": { "core": { - "header": "Konfiguratioun an Server Kontroll", - "introduction": "D'Ännere vun der Konfiguratioun kann e lästege Prozess sinn. Mir wëssen dat. Dës Sektioun probéiert fir Äert Liewen e bësse méi einfach ze maachen.", "core_config": { "edit_requires_storage": "Editeur ass desaktivéiert well d'Konfiguratioun an der configuration.yaml gespäichert ass.", - "location_name": "Numm vun der Home Assistant Installatioun", - "latitude": "Breedegrad", - "longitude": "Längegrad", "elevation": "Héicht", "elevation_meters": "Meter", + "imperial_example": "Fahrenheit, Pënner", + "latitude": "Breedegrad", + "location_name": "Numm vun der Home Assistant Installatioun", + "longitude": "Längegrad", + "metric_example": "Celsius, Kilogramm", + "save_button": "Späicheren", "time_zone": "Zäitzone", "unit_system": "Eenheetesystem", "unit_system_imperial": "Imperial", - "unit_system_metric": "Metresch", - "imperial_example": "Fahrenheit, Pënner", - "metric_example": "Celsius, Kilogramm", - "save_button": "Späicheren" - } + "unit_system_metric": "Metresch" + }, + "header": "Konfiguratioun an Server Kontroll", + "introduction": "D'Ännere vun der Konfiguratioun kann e lästege Prozess sinn. Mir wëssen dat. Dës Sektioun probéiert fir Äert Liewen e bësse méi einfach ze maachen." }, "server_control": { - "validation": { - "heading": "Validatioun vun der Konfiguratioun", - "introduction": "Validéiert är Konfiguratioun wann Dir viru kuerzem e puer Ännerungen an ärer Konfiguratioun gemaacht hutt a wëllt sécher sinn datt alles gëlteg ass", - "check_config": "Konfiguratioun iwwerpréiwen", - "valid": "Konfiguratioun gëlteg!", - "invalid": "Konfiguratioun ongëlteg" - }, "reloading": { - "heading": "Konfiguratioun gëtt frësch gelueden", - "introduction": "E puer Deeler vum Home Assistant kënne frësch geluede ginn ouni datt een Neistart néideg ass. Klick op nei luede fir di aktuell Konfiguratioun z'entlueden an di nei Konfiguratioun ze lueden.", + "automation": "Automatismen nei lueden", "core": "Kär nei lueden", "group": "Gruppe nei lueden", - "automation": "Automatismen nei lueden", + "heading": "Konfiguratioun gëtt frësch gelueden", + "introduction": "E puer Deeler vum Home Assistant kënne frësch geluede ginn ouni datt een Neistart néideg ass. Klick op nei luede fir di aktuell Konfiguratioun z'entlueden an di nei Konfiguratioun ze lueden.", "script": "Skripte nei lueden" }, "server_management": { @@ -475,6 +1092,13 @@ "introduction": "Kontrolléiert ären Home Assistant Server ... vun Home Assistant aus.", "restart": "Neistart", "stop": "Stop" + }, + "validation": { + "check_config": "Konfiguratioun iwwerpréiwen", + "heading": "Validatioun vun der Konfiguratioun", + "introduction": "Validéiert är Konfiguratioun wann Dir viru kuerzem e puer Ännerungen an ärer Konfiguratioun gemaacht hutt a wëllt sécher sinn datt alles gëlteg ass", + "invalid": "Konfiguratioun ongëlteg", + "valid": "Konfiguratioun gëlteg!" } } } @@ -487,507 +1111,69 @@ "introduction": "Manipulatioun vun den Attributen pro Entitéit. Nei\/geännert Personlisatiounen sinn direkt effektiv. Geläschte Personalisatioune ginn effektiv wann d'Entitéit sech aktualiséiert." } }, - "automation": { - "caption": "Automatismen", - "description": "Automatismen erstellen an änneren", - "picker": { - "header": "Automatismen editéieren", - "introduction": "Den Automatismen-Editor erméiglecht et fir Automatismen z'erstellen an ze änneren. Lies w.e.g. [d'Instruktioune](https:\/\/home-assistant.io\/docs\/automation\/editor\/) fir sécher ze stellen dass den Home Assistant richteg agestallt ass.", - "pick_automation": "Automatismus fir ze änneren auswielen", - "no_automations": "Keen Automatismus fir ze ännere fonnt", - "add_automation": "Automatismus dobäisetzen", - "learn_more": "Méi iwwert Automatioune liesen" - }, - "editor": { - "introduction": "Benotzt Automatismen fir däin Haus zum Liewen ze bréngen", - "default_name": "Néien Automatismus", - "save": "Späicheren", - "unsaved_confirm": "Net gespäichert Ännerungen. Trotzdeem verloossen?", - "alias": "Numm", - "triggers": { - "header": "Ausléiser", - "introduction": "Een Ausléiser start de Prozess vun engem Automatismus. Et ass méiglech méi wéi een Ausléiser fir een Automatismus unzeginn. Wann een Ausléiser start validéiert Home Assistant d'Konditiounen a féiert - de Fall gesat - eng Aktioun aus.\n\n[Léier méi iwwert Ausléiser.](https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", - "add": "Ausléiser dobäisetzen", - "duplicate": "Replikéieren", - "delete": "Läschen", - "delete_confirm": "Sëcher fir ze läschen?", - "unsupported_platform": "Net ënnerstëtzte Plattform: {platform}", - "type_select": "Typ vun Ausléiser", - "type": { - "event": { - "label": "Evenement", - "event_type": "Typ vun Evenement", - "event_data": "Evenement Donnée" - }, - "state": { - "label": "Zoustand", - "from": "Vun", - "to": "Op", - "for": "Fir" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Evenement:", - "start": "Starten", - "shutdown": "Ausmaachen" - }, - "mqtt": { - "label": "MQTT", - "topic": "Sujet", - "payload": "Payload (optional)" - }, - "numeric_state": { - "label": "Numereschen Zoustand", - "above": "Iwwert", - "below": "Ënnert", - "value_template": "Wäerte Modell (optional)" - }, - "sun": { - "label": "Sonn", - "event": "Evenement:", - "sunrise": "Sonnenopgank", - "sunset": "Sonnenënnergank", - "offset": "Versat (optional)" - }, - "template": { - "label": "Modell", - "value_template": "Wäerte Modell" - }, - "time": { - "label": "Zäit", - "at": "Um" - }, - "zone": { - "label": "Zone", - "entity": "Entitéit mam Standuert", - "zone": "Zon", - "event": "Evenement:", - "enter": "Eran", - "leave": "Verloossen" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook ID" - }, - "time_pattern": { - "label": "Zäit Muster", - "hours": "Stonnen", - "minutes": "Minutten", - "seconds": "Sekonnen" - }, - "geo_location": { - "label": "Geolokalisatioun", - "source": "Quell", - "zone": "Zone", - "event": "Evenement", - "enter": "Betrieden", - "leave": "Verloossen" - }, - "device": { - "label": "Apparat", - "extra_fields": { - "above": "Iwwert", - "below": "Ënnert", - "for": "Dauer" - } - } - }, - "learn_more": "Méi iwwert Ausléiser liesen" + "devices": { + "automation": { + "actions": { + "caption": "Wann eppes ausgeléist gëtt" }, "conditions": { - "header": "Konditiounen", - "introduction": "Konditioune sinn een optionalen Deel vun engem Automatismus a kënne benotzt gi fir ze bestëmme wann eng Aktioun ausgeféiert gëtt. Konditioune gläichen den Ausléiser mee sinn awer ganz ënnerschiddlech. Een Ausléiser iwwerwaacht d'Evenementer am System, an eng Konditioun iwwerwaacht de Status vum System. Een Ausléiser gesäit wann ee Schalter ugeschalt gëtt. Eng Konditioun gesäit nëmmen op de Schalter un oder aus ass.\n\n[Léier méi iwwer Konditioune.](https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", - "add": "Konditioun dobäisetzen", - "duplicate": "Duplikéiere", - "delete": "Läschen", - "delete_confirm": "Sëcher fir ze läschen?", - "unsupported_condition": "Net ënnerstëtzte Konditioun: {condition}", - "type_select": "Typ vun Konditioun", - "type": { - "state": { - "label": "Zoustand", - "state": "Zoustand" - }, - "numeric_state": { - "label": "Numereschen Zoustand", - "above": "Iwwert", - "below": "Ënnert", - "value_template": "Wäerte Modell (optional)" - }, - "sun": { - "label": "Sonn", - "before": "Virdrun:", - "after": "No:", - "before_offset": "Virdrun versat (optional)", - "after_offset": "No versat (optional)", - "sunrise": "Sonnenopgank", - "sunset": "Sonnenënnergank" - }, - "template": { - "label": "Modell", - "value_template": "Wäerte Modell" - }, - "time": { - "label": "Zäit", - "after": "Duerno", - "before": "Virdrun" - }, - "zone": { - "label": "Zon", - "entity": "Entitéit mam Standuert", - "zone": "Zon" - }, - "device": { - "label": "Apparat", - "extra_fields": { - "above": "Iwwert", - "below": "Ënnert", - "for": "Dauer" - } - }, - "and": { - "label": "An" - }, - "or": { - "label": "Oder" - } - }, - "learn_more": "Méi iwwert Konditioune liesen" + "caption": "Nëmmen eppes maachen wann..." }, - "actions": { - "header": "Aktiounen", - "introduction": "Aktioune déi den Home Assistant ausféiert wann den Automatismus ausgeléist gouf.\n[Léier méi iwwert Aktiounen.](https:\/\/home-assistant.io\/docs\/automation\/action\/)", - "add": "Aktioun dobäisetzen", - "duplicate": "Duplikéiere", - "delete": "Läschen", - "delete_confirm": "Element sécher läschen?", - "unsupported_action": "Net ënnerstëtzten Aktioun: {action}", - "type_select": "Aktioun Typ", - "type": { - "service": { - "label": "Service opruffen", - "service_data": "Service-Donnéeën" - }, - "delay": { - "label": "Delai", - "delay": "Délai" - }, - "wait_template": { - "label": "Waart", - "wait_template": "Waardenzäit Modell", - "timeout": "Zäitiwwerschreidung (optional)" - }, - "condition": { - "label": "Konditioun" - }, - "event": { - "label": "Evenement starten", - "event": "Evenement:", - "service_data": "Service-Donnéeën" - }, - "device_id": { - "label": "Apparat", - "extra_fields": { - "code": "Code" - } - }, - "scene": { - "label": "Zeen aktivéieren" - } - }, - "learn_more": "Méi iwwert Aktioune liesen" - }, - "load_error_not_editable": "Nëmmen Automatiounen am automations.yaml kënnen editéiert ginn.", - "load_error_unknown": "Feeler beim luede vun der Automatioun ({err_no}).", - "description": { - "label": "Beschreiwung", - "placeholder": "Optional Beschreiwung" - } - } - }, - "script": { - "caption": "Skript", - "description": "Skript erstellen an änneren", - "picker": { - "header": "Skript Editeur", - "introduction": "De Skript Editeur erlaabt Iech Skripten ze erstellen an z'änneren. Follegt de Link hei ënnendrënner fir d'Instruktiounen ze liese fir sécher ze stellen, datt Dir den Home Assistant richteg konfiguréiert hutt", - "learn_more": "Méi iwwert Skripten léieren", - "no_scripts": "Keng Skripte fir ze ännere fonnt", - "add_script": "Skript dobäisetze" - }, - "editor": { - "header": "Skript: {name}", - "default_name": "Neie Skript", - "load_error_not_editable": "Nëmme Skripten am scripts.yaml kënnen editéiert ginn.", - "delete_confirm": "Sécher fir dësen Skript ze läsche?" - } - }, - "zwave": { - "caption": "Z-Wave", - "description": "Verwalt är Z-Wave Netzwierk", - "network_management": { - "header": "Z-Wave Netzwierk Verwaltung", - "introduction": "Féiert Commande aus am Z-Wave Netzwierk. Di kritt kee Feedback op déi meeschte Commande erfollegräich ausgeféiert goufen, mee dir kënnt de OZW Log ënnersiche fir weider Detailer" - }, - "network_status": { - "network_stopped": "Z-Wave Netzwierk gestoppt", - "network_starting": "Z-Wave Netzwierk start", - "network_starting_note": "Dës kann eng Weil dauere jee no gréisst vum Netzwierk.", - "network_started": "Z-Wave Netzwierk gestart", - "network_started_note_some_queried": "Aktiv Apparater sinn ofgefrot. Inaktiv Apparater ginn ofgefrot soubal sie aktiv sinn.", - "network_started_note_all_queried": "All Apparater sinn ofgefrot" - }, - "services": { - "start_network": "Netzwierk starten", - "stop_network": "Netzwierk stoppen", - "heal_network": "Netzwierk heelen", - "test_network": "Netzwierk testen", - "soft_reset": "Soft Reset", - "save_config": "Konfiguratioun späicheren", - "add_node_secure": "Sëcheren Apparat dobäisetzen", - "add_node": "Apparat dobäisetzen", - "remove_node": "Apparat läschen", - "cancel_command": "Commande ofbriechen" - }, - "common": { - "value": "Wäert", - "instance": "Instanz", - "index": "Index", - "unknown": "Onbekannt", - "wakeup_interval": "Intervall fir z'erwächen" - }, - "values": { - "header": "Wäerter vum Apparat" - }, - "node_config": { - "header": "Node Konfiguratioun Optiounen", - "seconds": "Sekonnen", - "set_wakeup": "Intervall fir z'erwächen définéieren", - "config_parameter": "Konfiguratioun's Parameter", - "config_value": "Konfiguratioun's Wäert", - "true": "Richteg", - "false": "Falsch", - "set_config_parameter": "Konfiguratioun's Parameter setzen" - }, - "learn_more": "Méi iwwert Z-Wave léieren", - "ozw_log": { - "header": "OZW Log", - "introduction": "Logbicher kucken. 0 ass de minimum (luet de ganze Log) an 1000 ass de maximum. Luede weist ee statesche Log an \"tail\" aktualiséiert de Log automatesch mat de leschten Zeile vum Log." - } - }, - "users": { - "caption": "Benotzer", - "description": "Benotzer verwalten", - "picker": { - "title": "Benotzer", - "system_generated": "Vum System generéiert" - }, - "editor": { - "rename_user": "Benotzer ëmbenennen", - "change_password": "Passwuert änneren", - "activate_user": "Benotzer aktivéieren", - "deactivate_user": "Benotzer déaktivéieren", - "delete_user": "Benotzer läschen", - "caption": "Benotzer kucken", - "id": "ID", - "owner": "Proprietär", - "group": "Gruppe", - "active": "Aktiv", - "system_generated": "Vum System generéiert", - "system_generated_users_not_removable": "Ka keng System generéiert Benotzer läschen.", - "unnamed_user": "Benotzer ouni Numm", - "enter_new_name": "Neie Numm aginn", - "user_rename_failed": "Feeler beim ëmbenennen vum Benotzer:", - "group_update_failed": "Feeler bei der aktualiséiereung vum Gruppe", - "confirm_user_deletion": "Sécher fir {name} ze läsche?" - }, - "add_user": { - "caption": "Benotzer erstellen", - "name": "Numm", - "username": "Benotzernumm", - "password": "Passwuert", - "create": "Erstellen" - } - }, - "cloud": { - "caption": "Home Assistant Cloud", - "description_login": "Ageloggt als {email}", - "description_not_login": "Net ageloggt", - "description_features": "Steiert vun ënnerwee aus, integréiert mam Alexa an Google Assistant.", - "login": { - "title": "Cloud Login", - "introduction": "Home Assistant Cloud liwwert Iech eng sécher Fernverbindung op Är Instanz wann Dir ënnerwee sidd. Et erlaabt Iech och mat Cloud Servicer ze verbannen: Amazon Alexa a Google Assistant.", - "introduction2": "Dëse Service gëtt vun eisem Partner geleet ", - "introduction2a": ", eng Firma gegrënnt vun de Grënner vun Home Assistant an Hass.io.", - "introduction3": "Home Assistant Cloud ass een Abonnement Service mat engem Mount gratis Testperiod. Keng Paiement Informatiounen néideg", - "learn_more_link": "Léier méi iwwert Home Assistant Cloud", - "dismiss": "Verwerfen", - "sign_in": "Umellen", - "email": "E-Mail", - "email_error_msg": "Ongëlteg E-Mail", - "password": "Passwuert", - "password_error_msg": "Passwierder hunn op mannst 8 Charakteren", - "forgot_password": "Passwuert vergiess?", - "start_trial": "Start är gratis 1 Mount Testperiod", - "trial_info": "Keng Paiement Informatiounen néideg", - "alert_password_change_required": "Dir musst ärt Passwuert ännere ier dir iech verbanne kënnt.", - "alert_email_confirm_necessary": "Dir musst är E-Mail confirméieren ier dir iech verbanne kënnt." - }, - "forgot_password": { - "title": "Passwuert vergiess", - "subtitle": "Passwuert vergiess", - "instructions": "Gitt är E-Mail Adress un a mir schécken iech e Link fir äert Passwuert zeréck ze setzen.", - "email": "E-Mail", - "email_error_msg": "Ongëlteg E-Mail", - "send_reset_email": "Reset E-Mail schécken", - "check_your_email": "Kuckt är E-Maile fir Uweisunge wéi d'Passwuert zeréckgesat gëtt." - }, - "register": { - "title": "Kont registréieren", - "headline": "Start är gratis Testperiod", - "information": "Erstellt ee Kont fir mat ärer Gratis 1 Mount Test Period unzefänken. Keng Paiement Informatiounen néideg.", - "information2": "Testversioun gëtt iech Accès op all Beneficer vun der Home Assistant Cloud, inklusive:", - "feature_remote_control": "Kontrolléiert ären Home Assistant vun ënnerwee", - "feature_google_home": "Integratioun mat Google Assistant", - "feature_amazon_alexa": "Integratioun mat Amazon Alexa", - "feature_webhook_apps": "Einfach Integratioun mat webhook-baséierten Apps wéi OwnTracks", - "information3": "Dëse Service gëtt vun eisem Partner geleet ", - "information3a": ", eng Firma gegrënnt vun de Grënner vun Home Assistant an Hass.io.", - "information4": "Andeems Dir Iech fir e Kont ugemellt hutt, akzeptéiert Dir déi folgend Bedéngungen.", - "link_terms_conditions": "Konditioune", - "link_privacy_policy": "Dateschutz Bestëmmungen", - "create_account": "Kont erstellen", - "email_address": "E-Mail Adresse", - "email_error_msg": "Ongëlteg E-Mail", - "password": "Passwuert", - "password_error_msg": "Passwierder hunn op mannst 8 Charakteren", - "start_trial": "Testperiod starten", - "resend_confirm_email": "Bestätegung's E-Mail nach emol verschécken", - "account_created": "Kont erstallt! Kuckt är E-Mailen fir Uweisungen wéi den Kont aktivéiert gëtt." - }, - "account": { - "thank_you_note": "Merci dass dir Deel sidd vun der Home Assistant Cloud. Et ass wéinst iech dass mir sou eng groussaarteg Home Automation Erfarung fir jiddweree kënne maachen. Villmools Merci!", - "nabu_casa_account": "Nabu Casa Kont", - "connection_status": "Cloud Verbindungs Status", - "manage_account": "Kont verwalten", - "sign_out": "Ofmellen", - "integrations": "Integratioune", - "integrations_introduction": "Integratioune fir Home Assistant Cloud erlaben iech mat Servicer an der Cloud ze verbannen ouni dass är Home Assistant Instanz ëffentlech um Internet ass.", - "integrations_introduction2": "Kuckt d'Websäit fir ", - "integrations_link_all_features": " all verfügbar Eegeschafte", - "connected": "Verbonnen", - "not_connected": "Net verbonnen", - "fetching_subscription": "Abonnement gëtt ausgelies...", - "remote": { - "title": "Fernsteierung", - "access_is_being_prepared": "Remote Accès gëtt virbereet. Mir ginn iech Bescheed wann et prett ass.", - "info": "Home Assistant Cloud stellt eng sécher Verbindung zu ärer Instanz bereet wann dir ënnerwee sidd.", - "instance_is_available": "Är Instanz ass disponibel op", - "instance_will_be_available": "Är Instanz gëtt disponibel op", - "link_learn_how_it_works": "Léier wéi et funktionéiert", - "certificate_info": "Zertifikat Informatiounen" - }, - "alexa": { - "title": "Alexa", - "info": "Mat der Alexa Integratioun fir Home Assistant Cloud könnt dir all är Home Assistant Apparater via Alexa supportéiert Apparater steieren.", - "enable_ha_skill": "Aktivéiert Home Assistant Fäegkeet fir Alexa", - "config_documentation": "Dokumentatioun iwwert d'Konfiguration", - "enable_state_reporting": "Zostand Berichterstattung aktivéieren", - "info_state_reporting": "Wann dir de Rapport vun den Zoustänn aktivéiert schéckt Home Assistant all Ännerung vum Zoustand vun exposéierten Entitéiten op Amazon. Dës erlaabt iech ëmmer déi leschten Zoustänn an der Alexa App ze gesinn an d'Ännerunge vun den Zoustänn ze benotze fir Ofleef z'erstellen.", - "sync_entities": "Entitéite synchroniséieren", - "manage_entities": "Entitéite verwalten", - "sync_entities_error": "Feeler beim synchroniséieren vun den Entitéite:", - "state_reporting_error": "Kann net den Rapport vum Zoustand {enable_disable}", - "enable": "Aktivéieren", - "disable": "Desaktivéieren" - }, - "google": { - "title": "Google Assistant", - "info": "Mat der Google Assistant Integratioun fir Home Assistant Cloud könnt dir all är Home Assistant Apparater via Google Assistant supportéiert Apparater steieren.", - "enable_ha_skill": "Aktivéiert Home Assistant Fäegkeet fir Google Assistant", - "config_documentation": "Dokumentatioun iwwert d'Konfiguration", - "enable_state_reporting": "Zostand Berichterstattung aktivéieren", - "info_state_reporting": "Wann dir de Rapport vun den Zoustänn aktivéiert schéckt Home Assistant all Ännerung vum Zoustand vun exposéierten Entitéiten op Google. Dës erlaabt iech ëmmer déi leschten Zoustänn an der Google App ze gesinn.", - "security_devices": "Sécherheets Apparater", - "enter_pin_info": "Gitt w.e.g en Pin un fir d'Interaktioun mat Sécherheets Apparater. Sécherheets Apparater kënnen Dieren, Garagen a Schlässer sinn. Dir gitt de PIN gefrot fir ze soen oder anzegi fir d'Interaktioun mat Service wéi Google Assistant.", - "devices_pin": "Sécherheets Apparater Pin", - "enter_pin_hint": "Gitt ee Pin an fir Sécherheets Apparater ze benotzen", - "sync_entities": "Entitéiten mat Google synchroniséieren", - "manage_entities": "Entitéiten verwalten", - "enter_pin_error": "Kann net de Pin späicheren:" - }, - "webhooks": { - "title": "Webhooks", - "info": "Alles wat konfiguréiert ass fir duerch e Webhook ausgeléist ze ginn, kann eng ëffentlech zougänglech URL kréien, fir datt Dir Är Donnéeën zréck un den Home Assistant vun iergendwou kënnt zréckschécken, ouni Är Instanz um Internet z'exposéieren", - "no_hooks_yet": "Et gesäit sou aus wéi wann nach keng webhooks benotzt ginn. Fänkt mam erstellen vun enger ", - "no_hooks_yet_link_integration": "webhook baséierter Integratioun", - "no_hooks_yet2": " oder via erstellen vun ", - "no_hooks_yet_link_automation": "Webhook Automatisme", - "link_learn_more": "Méi iwwert wéi ee webhook-baséiert Automatismen erstellt léieren", - "loading": "Lued ...", - "manage": "Verwalten", - "disable_hook_error_msg": "Feeler beim désaktivéieren vum Webhook:" + "triggers": { + "caption": "Maach eppes wann..." } }, - "alexa": { - "title": "Alexa", - "banner": "D'Ännere vun den Entitéiten déi iwwert dës UI exposéiert sinn ass desaktivéiert well Entitéite Filter an der configuration.yaml konfiguréiert sinn.", - "exposed_entities": "Exposéiert Entitéiten", - "not_exposed_entities": "Keng exposéiert Entitéiten", - "expose": "Op Alexa exposéieren" + "caption": "Apparater", + "description": "Verwalt verbonnen Apparater" + }, + "entity_registry": { + "caption": "Lëscht vun den Entitéiten", + "description": "Iwwersiicht vun all bekannten Entitéiten.", + "editor": { + "confirm_delete": "Sécher fir dës Entrée ze läsche?", + "confirm_delete2": "Beim Läsche vun enger Entrée gëtt dës Entitéit net aus dem Home Assistant erausgeholl. Fir dëst ze maache muss dir d'Integratioun '{platform}' aus dem Home Assistant ewech huelen.", + "default_name": "Neie Beräich", + "delete": "Läschen", + "enabled_cause": "Desaktivéiert duerch {cause}.", + "enabled_description": "Desaktivéiert Entitéiten ginn net am Home Assistant bäigesat.", + "enabled_label": "Entitéit aktivéieren", + "unavailable": "Dës Entitéit ass net erreechbar fir de Moment.", + "update": "Aktualiséieren" }, - "dialog_certificate": { - "certificate_information": "Zertifikat Informatiounen", - "certificate_expiration_date": "Zertifikat Verfallsdatum", - "will_be_auto_renewed": "Gëtt automatesch verlängert", - "fingerprint": "Zertifikat Fanger Ofdrock", - "close": "Zoumaachen" - }, - "google": { - "title": "Google Assistant", - "expose": "Op Google Assistant exposéieren", - "disable_2FA": "2-Faktor-Authentifikatioun désaktivéieren", - "banner": "D'Ännere vun den Entitéiten déi iwwert dës UI exposéiert sinn ass desaktivéiert well Entitéite Filter an der configuration.yaml konfiguréiert sinn.", - "exposed_entities": "Exposéiert Entitéiten", - "not_exposed_entities": "Keng exposéiert Entitéiten", - "sync_to_google": "Ännerungen ginn mat Google synchroniséiert" - }, - "dialog_cloudhook": { - "webhook_for": "Webhook fir {name}", - "available_at": "De Webhook ass disponibel op der folgender url:", - "managed_by_integration": "Dëse Webhook gëtt vun enger Integratioun verwalt a kann net desaktivéiert ginn.", - "info_disable_webhook": "Wann dir dëse Webhook net wëllt länger benotzen, kënnt dir", - "link_disable_webhook": "Desaktivéieren", - "view_documentation": "Dokumentatioun kucken", - "close": "Zoumaachen", - "confirm_disable": "Sécher fir dëse Webhook ze desaktivéieren?", - "copied_to_clipboard": "An de Tëschespäicher kopéiert" + "picker": { + "header": "Lëscht vun den Entitéiten", + "headers": { + "enabled": "Aktivéiert", + "entity_id": "ID vun der Entitéit", + "integration": "Integratioun", + "name": "Numm" + }, + "integrations_page": "Integratiouns Säit", + "introduction": "Home Assistant hält eng Lëscht vun all Entitéit's ID déi eenzel erkennbar ass a bis elo vum System erkannt gouf. All eenzel vun dësen Entitéite kritt eng ID zougewise welch nëmme fir dës Entitéit reservéiert ass.", + "introduction2": "Benotzt d'Lëscht vun den Entitéite fir d'Nimm z'änneren, d'Entitéits ID z'änneren oder d'Entrée aus dem Home Assistant ze läschen. Remarque: Läsche vun der Entitéit aus der Lëscht läscht d'Entitéit selwer net. Fir dës ze läsche follegt dem Link ënnen a läscht et op der Integratiouns Säit.", + "show_disabled": "Desaktivéiert Entitéiten uweisen", + "unavailable": "(net verfügbar)" } }, + "header": "Home Assistant astellen", "integrations": { "caption": "Integratiounen", - "description": "Verwalt verbonnen Apparater an Servicen", - "discovered": "Entdeckt", - "configured": "Konfiguréiert", - "new": "Eng nei Integratioun ariichten", - "configure": "Astellen", - "none": "Nach näischt konfiguréiert", "config_entry": { - "no_devices": "Dës Integratioun huet keng Apparater.", - "no_device": "Entitéiten ouni Apparater", + "area": "An {area}", + "delete_button": "{integration} läschen", "delete_confirm": "Sécher fir dës Integratioun ze läsche?", - "restart_confirm": "Start Home Assistant nei fir dës Integratioun ze läschen", - "manuf": "vun {manufacturer}", - "via": "Verbonnen via", - "firmware": "Firmware: {version}", "device_unavailable": "Apparat net erreechbar", "entity_unavailable": "Entitéit net erreechbar", - "no_area": "Kee Beräich", + "firmware": "Firmware: {version}", "hub": "Verbonnen via", + "manuf": "vun {manufacturer}", + "no_area": "Kee Beräich", + "no_device": "Entitéiten ouni Apparater", + "no_devices": "Dës Integratioun huet keng Apparater.", + "restart_confirm": "Start Home Assistant nei fir dës Integratioun ze läschen", "settings_button": "Astellungen ännere fir {integration}", "system_options_button": "System Optioune fir {integration}", - "delete_button": "{integration} läschen", - "area": "An {area}" + "via": "Verbonnen via" }, "config_flow": { "external_step": { @@ -995,28 +1181,151 @@ "open_site": "Internetsäit opmaachen" } }, + "configure": "Astellen", + "configured": "Konfiguréiert", + "description": "Verwalt verbonnen Apparater an Servicen", + "discovered": "Entdeckt", + "home_assistant_website": "Home Assistant Websäit", + "new": "Eng nei Integratioun ariichten", + "none": "Nach näischt konfiguréiert", "note_about_integrations": "Net all Integratioune könne nach via den Benotzer Interface konfiguréiert ginn.", - "note_about_website_reference": "Méi sin der disponibel op der ", - "home_assistant_website": "Home Assistant Websäit" + "note_about_website_reference": "Méi sin der disponibel op der " + }, + "introduction": "Hei ass et méiglech är Komponenten vum Home Assistant ze konfiguréieren. Net alles ass méiglech fir iwwert den Interface anzestellen, mee mir schaffen drun.", + "person": { + "add_person": "Persoun dobäisetzen", + "caption": "Persounen", + "confirm_delete": "Sécher fir dës Persoun ze läsche?", + "confirm_delete2": "All Apparater déi zu dëser Persoun gehéiere ginn néirens zougewisen", + "create_person": "Persoun erstellen", + "description": "Verwalt d'Persoune déi vum Home Assistant suivéiert ginn.", + "detail": { + "create": "Erstellen", + "delete": "Läschen", + "device_tracker_intro": "Wiel d'Apparater aus déi zu dëser Persoun gehéieren.", + "device_tracker_pick": "Wielt den Apparat aus fir ze suivéieren", + "device_tracker_picked": "Aparat suivéieren", + "link_integrations_page": "Integratiouns Säit", + "link_presence_detection_integrations": "Präsenz Detektioun Integratioune", + "linked_user": "Verbonne Benotzer", + "name": "Numm", + "name_error_msg": "Numm ass obligatoresch", + "new_person": "Nei Persoun", + "no_device_tracker_available_intro": "Wann dir Apparater hutt déi d'Präsenz vun enger Persoun uweisen, kënnt dir déi enger Persoun zouweisen. Dir kënnt ären éischten Apparat bäisetzen andeems dir eng Präsenz Detektioun Integratioun vun der Integratiouns Säit dobäisetzt.", + "update": "Aktualiséieren" + }, + "introduction": "Hei kënnt dir all wichteg Persoun am Home Assistant definéieren.", + "no_persons_created_yet": "Et gesäit sou aus wéi wann nach keng Persounen erstallt goufen.", + "note_about_persons_configured_in_yaml": "Note: Persounen konfiguréiert via configuration.yaml können net via den UI geännert ginn." + }, + "script": { + "caption": "Skript", + "description": "Skript erstellen an änneren", + "editor": { + "default_name": "Neie Skript", + "delete_confirm": "Sécher fir dësen Skript ze läsche?", + "header": "Skript: {name}", + "load_error_not_editable": "Nëmme Skripten am scripts.yaml kënnen editéiert ginn." + }, + "picker": { + "add_script": "Skript dobäisetze", + "header": "Skript Editeur", + "introduction": "De Skript Editeur erlaabt Iech Skripten ze erstellen an z'änneren. Follegt de Link hei ënnendrënner fir d'Instruktiounen ze liese fir sécher ze stellen, datt Dir den Home Assistant richteg konfiguréiert hutt", + "learn_more": "Méi iwwert Skripten léieren", + "no_scripts": "Keng Skripte fir ze ännere fonnt" + } + }, + "server_control": { + "caption": "Kontroll vum Server", + "description": "Start an Stop vum Home Assistant Server", + "section": { + "reloading": { + "automation": "Automatisme nei lueden", + "core": "Kär néi lueden", + "group": "Gruppe nei lueden", + "heading": "Konfiguratioun gëtt frësch gelueden", + "introduction": "E puer Deeler vum Home Assistant kënne frësch geluede ginn ouni datt een Neistart néideg ass. Klick op nei luede fir di aktuell Konfiguratioun z'entlueden an di nei Konfiguratioun ze lueden.", + "scene": "Szeene néi lueden", + "script": "Skripte nei lueden" + }, + "server_management": { + "confirm_restart": "Sécher fir Home Assistant frësch ze starten?", + "confirm_stop": "Sécher fir Home Assistant ze stoppen?", + "heading": "Serververwaltung", + "introduction": "Kontrolléiert ären Home Assistant Server ... vun Home Assistant aus.", + "restart": "Neistart", + "stop": "Stop" + }, + "validation": { + "check_config": "Konfiguratioun iwwerpréiwen", + "heading": "Validatioun vun der Konfiguratioun", + "introduction": "Validéiert är Konfiguratioun wann Dir viru kuerzem e puer Ännerungen an ärer Konfiguratioun gemaacht hutt a wëllt sécher sinn datt alles gëlteg ass", + "invalid": "Konfiguratioun ongëlteg", + "valid": "Konfiguratioun gëlteg!" + } + } + }, + "users": { + "add_user": { + "caption": "Benotzer erstellen", + "create": "Erstellen", + "name": "Numm", + "password": "Passwuert", + "username": "Benotzernumm" + }, + "caption": "Benotzer", + "description": "Benotzer verwalten", + "editor": { + "activate_user": "Benotzer aktivéieren", + "active": "Aktiv", + "caption": "Benotzer kucken", + "change_password": "Passwuert änneren", + "confirm_user_deletion": "Sécher fir {name} ze läsche?", + "deactivate_user": "Benotzer déaktivéieren", + "delete_user": "Benotzer läschen", + "enter_new_name": "Neie Numm aginn", + "group": "Gruppe", + "group_update_failed": "Feeler bei der aktualiséiereung vum Gruppe", + "id": "ID", + "owner": "Proprietär", + "rename_user": "Benotzer ëmbenennen", + "system_generated": "Vum System generéiert", + "system_generated_users_not_removable": "Ka keng System generéiert Benotzer läschen.", + "unnamed_user": "Benotzer ouni Numm", + "user_rename_failed": "Feeler beim ëmbenennen vum Benotzer:" + }, + "picker": { + "system_generated": "Vum System generéiert", + "title": "Benotzer" + } }, "zha": { - "caption": "ZHA", - "description": "Gestioun vum Zigbee Home Automation Reseau", - "services": { - "reconfigure": "ZHA Apparat rekonfiguréieren (Apparat heelen). Benotzt dëst am Fall vu Problemer mam Apparat. Falls den Apparat duerch eng Batterie gespeist gëtt stellt sécher dass en un ass a Befeeler entgéint kann huelen", - "updateDeviceName": "Personaliséiert den Numm fir dësen Apparat an der Iwwersiicht vun den Apparaten.", - "remove": "Een Apparat vum Zigbee Reseau läschen." - }, - "device_card": { - "device_name_placeholder": "Virnumm", - "area_picker_label": "Beräich", - "update_name_button": "Numm änneren" - }, "add_device_page": { - "header": "Zigbee Home Automation - Apparater dobäisetzen", - "spinner": "Sicht no ZHA Zigbee Apparater...", "discovery_text": "Entdeckten Apparater tauchen op dëser Platz op. Suivéiert d'Instruktiounen fir är Apparater an aktivéiert den Kupplung's Mod.", - "search_again": "Nach emol sichen" + "header": "Zigbee Home Automation - Apparater dobäisetzen", + "search_again": "Nach emol sichen", + "spinner": "Sicht no ZHA Zigbee Apparater..." + }, + "caption": "ZHA", + "cluster_attributes": { + "attributes_of_cluster": "Attributer vum ausgewielten Cluster", + "get_zigbee_attribute": "Zigbee Attribut liesen", + "header": "Cluster Attributer", + "help_attribute_dropdown": "Attribut auswielen fir säin Wärt ze kucken oder ze setzen.", + "help_get_zigbee_attribute": "Wäert fir dat gewielten Attribut liesen", + "help_set_zigbee_attribute": "Definéiert ee Wäert fir den Attribut fir de spezifizéierte Cluster op der spezifizéierter Entitéit.", + "introduction": "Cluster Attributer kucken an änneren.", + "set_zigbee_attribute": "Zigbee Attribut definéieren" + }, + "cluster_commands": { + "commands_of_cluster": "Kommandoe vum ausgewielten Cluster", + "header": "Cluster Kommandoe", + "help_command_dropdown": "Wielt ee Kommando eraus fir z'interagéieren.", + "introduction": "Cluster Kommandoe kucken an ausginn", + "issue_zigbee_command": "Zigbee Kommando ausginn" + }, + "clusters": { + "help_cluster_dropdown": "Wielt ee Cluster aus fir Attributer anKommandoe ze gesinn." }, "common": { "add_devices": "Apparater dobäisetzen", @@ -1025,472 +1334,258 @@ "manufacturer_code_override": "Hiersteller Code Override", "value": "Wäert" }, + "description": "Gestioun vum Zigbee Home Automation Reseau", + "device_card": { + "area_picker_label": "Beräich", + "device_name_placeholder": "Virnumm", + "update_name_button": "Numm änneren" + }, "network_management": { "header": "Verwaltung vum Netzwierk", "introduction": "Kommandoe mat Impakt op d'gesamt Netzwierk" }, "node_management": { "header": "Verwaltung vun den Apparaten", - "introduction": "ZHA Kommandoe ausféieren déi nëmmen een Apparat betreffen. Wielt een Apparat aus fir seng Lëscht vun verfügbare Kommandoe ze gesinn.", + "help_node_dropdown": "Wielt een Apparat aus fir seng spezifesch Optioune ze gesinn.", "hint_battery_devices": "Note: (Batterie gedriwwen) Apparater déi an de Stand-by gi mussen un si fir Kommandoen unzehuelen. Dir kënnt solch Apparater gewéinlech aus dem Stand-by huelen andeems se ausgeléist ginn.", "hint_wakeup": "Verschidden Apparater wéi Xiaomi Sensoren hunn ee klenge Knäppchen deen een an Intervalle vu ~5s drécke ka fir dass den Apparat un bléift wärend der Interaktioun.", - "help_node_dropdown": "Wielt een Apparat aus fir seng spezifesch Optioune ze gesinn." + "introduction": "ZHA Kommandoe ausféieren déi nëmmen een Apparat betreffen. Wielt een Apparat aus fir seng Lëscht vun verfügbare Kommandoe ze gesinn." }, - "clusters": { - "help_cluster_dropdown": "Wielt ee Cluster aus fir Attributer anKommandoe ze gesinn." - }, - "cluster_attributes": { - "header": "Cluster Attributer", - "introduction": "Cluster Attributer kucken an änneren.", - "attributes_of_cluster": "Attributer vum ausgewielten Cluster", - "get_zigbee_attribute": "Zigbee Attribut liesen", - "set_zigbee_attribute": "Zigbee Attribut definéieren", - "help_attribute_dropdown": "Attribut auswielen fir säin Wärt ze kucken oder ze setzen.", - "help_get_zigbee_attribute": "Wäert fir dat gewielten Attribut liesen", - "help_set_zigbee_attribute": "Definéiert ee Wäert fir den Attribut fir de spezifizéierte Cluster op der spezifizéierter Entitéit." - }, - "cluster_commands": { - "header": "Cluster Kommandoe", - "introduction": "Cluster Kommandoe kucken an ausginn", - "commands_of_cluster": "Kommandoe vum ausgewielten Cluster", - "issue_zigbee_command": "Zigbee Kommando ausginn", - "help_command_dropdown": "Wielt ee Kommando eraus fir z'interagéieren." + "services": { + "reconfigure": "ZHA Apparat rekonfiguréieren (Apparat heelen). Benotzt dëst am Fall vu Problemer mam Apparat. Falls den Apparat duerch eng Batterie gespeist gëtt stellt sécher dass en un ass a Befeeler entgéint kann huelen", + "remove": "Een Apparat vum Zigbee Reseau läschen.", + "updateDeviceName": "Personaliséiert den Numm fir dësen Apparat an der Iwwersiicht vun den Apparaten." } }, - "area_registry": { - "caption": "Lëscht vun de Beräicher", - "description": "Iwwersiicht vun de Beräicher am Haus", - "picker": { - "header": "Lëscht vun de Beräicher", - "introduction": "Beräicher gi benotzt fir d'Organisatioun vum Standuert vun den Apparater. Dës Informatioun gëtt vum Home Assistant benotzt fir iech ze hëllefe fir den Interface, Berechtegungen an Integratioune mat aner Systemer ze geréieren.", - "introduction2": "Fir Apparater an e Beräich ze setzen, benotzt de Link ënne fir op d'Integratiouns Säit ze kommen a klickt do op eng konfiguréiert Integratioun fir d'Kaart vum Apparat unzeweisen.", - "integrations_page": "Integratiouns Säit", - "no_areas": "Et sinn nach keng Beräicher do!", - "create_area": "Beräich erstellen" + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Index", + "instance": "Instanz", + "unknown": "Onbekannt", + "value": "Wäert", + "wakeup_interval": "Intervall fir z'erwächen" }, - "no_areas": "Et sinn nach keng Beräicher do!", - "create_area": "Beräich erstellen", - "editor": { - "default_name": "Neie Beräich", - "delete": "Läschen", - "update": "Aktualiséieren", - "create": "Erstellen" - } - }, - "entity_registry": { - "caption": "Lëscht vun den Entitéiten", - "description": "Iwwersiicht vun all bekannten Entitéiten.", - "picker": { - "header": "Lëscht vun den Entitéiten", - "unavailable": "(net verfügbar)", - "introduction": "Home Assistant hält eng Lëscht vun all Entitéit's ID déi eenzel erkennbar ass a bis elo vum System erkannt gouf. All eenzel vun dësen Entitéite kritt eng ID zougewise welch nëmme fir dës Entitéit reservéiert ass.", - "introduction2": "Benotzt d'Lëscht vun den Entitéite fir d'Nimm z'änneren, d'Entitéits ID z'änneren oder d'Entrée aus dem Home Assistant ze läschen. Remarque: Läsche vun der Entitéit aus der Lëscht läscht d'Entitéit selwer net. Fir dës ze läsche follegt dem Link ënnen a läscht et op der Integratiouns Säit.", - "integrations_page": "Integratiouns Säit", - "show_disabled": "Desaktivéiert Entitéiten uweisen", - "headers": { - "name": "Numm", - "entity_id": "ID vun der Entitéit", - "integration": "Integratioun", - "enabled": "Aktivéiert" - } + "description": "Verwalt är Z-Wave Netzwierk", + "learn_more": "Méi iwwert Z-Wave léieren", + "network_management": { + "header": "Z-Wave Netzwierk Verwaltung", + "introduction": "Féiert Commande aus am Z-Wave Netzwierk. Di kritt kee Feedback op déi meeschte Commande erfollegräich ausgeféiert goufen, mee dir kënnt de OZW Log ënnersiche fir weider Detailer" }, - "editor": { - "unavailable": "Dës Entitéit ass net erreechbar fir de Moment.", - "default_name": "Neie Beräich", - "delete": "Läschen", - "update": "Aktualiséieren", - "enabled_label": "Entitéit aktivéieren", - "enabled_cause": "Desaktivéiert duerch {cause}.", - "enabled_description": "Desaktivéiert Entitéiten ginn net am Home Assistant bäigesat.", - "confirm_delete": "Sécher fir dës Entrée ze läsche?", - "confirm_delete2": "Beim Läsche vun enger Entrée gëtt dës Entitéit net aus dem Home Assistant erausgeholl. Fir dëst ze maache muss dir d'Integratioun '{platform}' aus dem Home Assistant ewech huelen." - } - }, - "person": { - "caption": "Persounen", - "description": "Verwalt d'Persoune déi vum Home Assistant suivéiert ginn.", - "detail": { - "name": "Numm", - "device_tracker_intro": "Wiel d'Apparater aus déi zu dëser Persoun gehéieren.", - "device_tracker_picked": "Aparat suivéieren", - "device_tracker_pick": "Wielt den Apparat aus fir ze suivéieren", - "new_person": "Nei Persoun", - "name_error_msg": "Numm ass obligatoresch", - "linked_user": "Verbonne Benotzer", - "no_device_tracker_available_intro": "Wann dir Apparater hutt déi d'Präsenz vun enger Persoun uweisen, kënnt dir déi enger Persoun zouweisen. Dir kënnt ären éischten Apparat bäisetzen andeems dir eng Präsenz Detektioun Integratioun vun der Integratiouns Säit dobäisetzt.", - "link_presence_detection_integrations": "Präsenz Detektioun Integratioune", - "link_integrations_page": "Integratiouns Säit", - "delete": "Läschen", - "create": "Erstellen", - "update": "Aktualiséieren" + "network_status": { + "network_started": "Z-Wave Netzwierk gestart", + "network_started_note_all_queried": "All Apparater sinn ofgefrot", + "network_started_note_some_queried": "Aktiv Apparater sinn ofgefrot. Inaktiv Apparater ginn ofgefrot soubal sie aktiv sinn.", + "network_starting": "Z-Wave Netzwierk start", + "network_starting_note": "Dës kann eng Weil dauere jee no gréisst vum Netzwierk.", + "network_stopped": "Z-Wave Netzwierk gestoppt" }, - "introduction": "Hei kënnt dir all wichteg Persoun am Home Assistant definéieren.", - "note_about_persons_configured_in_yaml": "Note: Persounen konfiguréiert via configuration.yaml können net via den UI geännert ginn.", - "no_persons_created_yet": "Et gesäit sou aus wéi wann nach keng Persounen erstallt goufen.", - "create_person": "Persoun erstellen", - "add_person": "Persoun dobäisetzen", - "confirm_delete": "Sécher fir dës Persoun ze läsche?", - "confirm_delete2": "All Apparater déi zu dëser Persoun gehéiere ginn néirens zougewisen" - }, - "server_control": { - "caption": "Kontroll vum Server", - "description": "Start an Stop vum Home Assistant Server", - "section": { - "validation": { - "heading": "Validatioun vun der Konfiguratioun", - "introduction": "Validéiert är Konfiguratioun wann Dir viru kuerzem e puer Ännerungen an ärer Konfiguratioun gemaacht hutt a wëllt sécher sinn datt alles gëlteg ass", - "check_config": "Konfiguratioun iwwerpréiwen", - "valid": "Konfiguratioun gëlteg!", - "invalid": "Konfiguratioun ongëlteg" - }, - "reloading": { - "heading": "Konfiguratioun gëtt frësch gelueden", - "introduction": "E puer Deeler vum Home Assistant kënne frësch geluede ginn ouni datt een Neistart néideg ass. Klick op nei luede fir di aktuell Konfiguratioun z'entlueden an di nei Konfiguratioun ze lueden.", - "core": "Kär néi lueden", - "group": "Gruppe nei lueden", - "automation": "Automatisme nei lueden", - "script": "Skripte nei lueden", - "scene": "Szeene néi lueden" - }, - "server_management": { - "heading": "Serververwaltung", - "introduction": "Kontrolléiert ären Home Assistant Server ... vun Home Assistant aus.", - "restart": "Neistart", - "stop": "Stop", - "confirm_restart": "Sécher fir Home Assistant frësch ze starten?", - "confirm_stop": "Sécher fir Home Assistant ze stoppen?" - } - } - }, - "devices": { - "caption": "Apparater", - "description": "Verwalt verbonnen Apparater", - "automation": { - "triggers": { - "caption": "Maach eppes wann..." - }, - "conditions": { - "caption": "Nëmmen eppes maachen wann..." - }, - "actions": { - "caption": "Wann eppes ausgeléist gëtt" - } - } - }, - "common": { - "editor": { - "confirm_unsaved": "Net gespäichert Ännerungen. Trotzdeem verloossen?" + "node_config": { + "config_parameter": "Konfiguratioun's Parameter", + "config_value": "Konfiguratioun's Wäert", + "false": "Falsch", + "header": "Node Konfiguratioun Optiounen", + "seconds": "Sekonnen", + "set_config_parameter": "Konfiguratioun's Parameter setzen", + "set_wakeup": "Intervall fir z'erwächen définéieren", + "true": "Richteg" + }, + "ozw_log": { + "header": "OZW Log", + "introduction": "Logbicher kucken. 0 ass de minimum (luet de ganze Log) an 1000 ass de maximum. Luede weist ee statesche Log an \"tail\" aktualiséiert de Log automatesch mat de leschten Zeile vum Log." + }, + "services": { + "add_node": "Apparat dobäisetzen", + "add_node_secure": "Sëcheren Apparat dobäisetzen", + "cancel_command": "Commande ofbriechen", + "heal_network": "Netzwierk heelen", + "remove_node": "Apparat läschen", + "save_config": "Konfiguratioun späicheren", + "soft_reset": "Soft Reset", + "start_network": "Netzwierk starten", + "stop_network": "Netzwierk stoppen", + "test_network": "Netzwierk testen" + }, + "values": { + "header": "Wäerter vum Apparat" } } }, - "profile": { - "push_notifications": { - "header": "Push-Noriichte", - "description": "Noriichten op dësen Apparat schécken", - "error_load_platform": "Notifiy.html5 konfiguréieren.", - "error_use_https": "Benéidegt SSL fir de Frontend", - "push_notifications": "Push-Noriichte", - "link_promo": "Méi liesen" - }, - "language": { - "header": "Sproochen", - "link_promo": "Hëllef beim Iwwersetzen", - "dropdown_label": "Sprooch" - }, - "themes": { - "header": "Thema", - "error_no_theme": "Keen Thema disponibel", - "link_promo": "Méi iwwert Thema liesen", - "dropdown_label": "Thema" - }, - "refresh_tokens": { - "header": "Jeton erneieren", - "description": "All Sessioun's Jeton representéiert eng Login Sessioun. Sessioun's Jetone ginn automatesch geläscht wann dir op auslogge klickt. Folgend Sessioun's Jetone si fir de Moment fir Ären Account aktiv.", - "token_title": "Jeton erneiren fir {clientId}", - "created_at": "Erstallt um {date}", - "confirm_delete": "Sécher fir den Erneierungs Jeton fir {name} ze läsche?", - "delete_failed": "Feeler beim läschen vum Erneierungs Jeton.", - "last_used": "Fir d'Läscht benotzt um {date} vun {location}", - "not_used": "Nach nie benotzt ginn", - "current_token_tooltip": "Feeler beim läschen vum aktuellen Erneierungs Jeton" - }, - "long_lived_access_tokens": { - "header": "Lang gëlteg Accèss Jetone", - "description": "Erstellt laang gëlteg Accèss Jetone déi et äre Skripten erlabe mat ärem Home Assistant z'interagéieren. All eenzelen Jeton ass gëlteg fir 10 Joer. Folgend Accèss Jeton sinn am Moment aktiv.", - "learn_auth_requests": "Leiert wéi een \"authenticated requests\" erstellt.", - "created_at": "Erstallt um {date}", - "confirm_delete": "Sécher fir den Accèss Jeton fir {name} ze läsche?", - "delete_failed": "Feeler beim läschen vum Accèss Jeton", - "create": "Jeton erstellen", - "create_failed": "Feeler beim erstellen vum Accèss Jeton", - "prompt_name": "Numm?", - "prompt_copy_token": "Kopéiert den Accèss Jeton. E gëtt nie méi ugewisen.", - "empty_state": "Et ginn nach keng laang gëlteg Accèss Jeton.", - "last_used": "Fir d'Läscht benotzt um {date} vun {location}", - "not_used": "Nach nie benotzt ginn" - }, - "current_user": "Dir sidd aktuell ageloggt als {fullName}.", - "is_owner": "Dir sidd Proprietär.", - "change_password": { - "header": "Passwuert änneren", - "current_password": "Aktuellt Passwuert", - "new_password": "Neit Passwuert", - "confirm_new_password": "Neit Passwuert confirméieren", - "error_required": "Obligatoresch", - "submit": "Ofschécken" - }, - "mfa": { - "header": "Multi-Faktor Authentifikatioun's Module", - "disable": "Desaktivéieren", - "enable": "Aktivéieren", - "confirm_disable": "Sécher fir {name} ze desaktivéieren?" - }, - "mfa_setup": { - "title_aborted": "Ofgebrach", - "title_success": "Succès!", - "step_done": "Konfiguratioun ofgeschloss fir {step}", - "close": "Zoumaachen", - "submit": "Ofschécken" - }, - "logout": "Ausloggen", - "force_narrow": { - "header": "Säiteleescht ëmmer verstoppen", - "description": "Dës Optioun verstoppt d'Säiteleescht, esou wéi op engem mobillen Apparat." - }, - "vibrate": { - "header": "Vibréieren", - "description": "Vibratioun op dësem Apparat un oder ausschalte wann aner Apparater gesteiert ginn." - }, - "advanced_mode": { - "title": "Avancéierte Modus", - "description": "Home Assistant verstoppt standardméisseg avancéiert Features an Optiounen. Dir kënnt dës Funktiounen zougänglech maachen andeems Dir dës Optioun aktivéiert. Dës ass eng Benotzer spezifesch Astellung an huet keen Impakt op aner Home Assistant Benotzer." - } - }, - "page-authorize": { - "initializing": "Initialiséiert", - "authorizing_client": "Dir gitt elo {clientId} Zougang zu ärem Home Assistant.", - "logging_in_with": "Verbannt iech mat **{authProviderName}**.", - "pick_auth_provider": "Oder verbannt iech mat", - "abort_intro": "Login ofgebrach", - "form": { - "working": "W.e.g. waarden", - "unknown_error": "Eppes ass schifgaange", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Benotzernumm", - "password": "Passwuert" - } - }, - "mfa": { - "data": { - "code": "2-Faktor-Authentifikatiouns Code" - }, - "description": "Maacht **{mfa_module_name}** op Ärem Apparat op, fir ären 2-Faktor-Authentifikatiouns Code ze kucken an Är Identitéit z'iwwerpréiwen:" - } - }, - "error": { - "invalid_auth": "Ongëltege Benotzernumm oder Passwuert", - "invalid_code": "Ongëlte Authentifikatiouns Code" - }, - "abort": { - "login_expired": "Sessioun ofgelaaf, log dech rëm frësch an w.e.g." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "API Passwuert" - }, - "description": "Gitt d'API Passwuert vun ärer http Konfiguratioun an:" - }, - "mfa": { - "data": { - "code": "2-Faktor-Authentifikatiouns Code" - }, - "description": "Maacht **{mfa_module_name}** op Ärem Apparat op, fir ären 2-Faktor-Authentifikatiouns Code ze kucken an Är Identitéit z'iwwerpréiwen:" - } - }, - "error": { - "invalid_auth": "Ongëltegt API Passwuert", - "invalid_code": "Ongëlte Authentifikatiouns Code" - }, - "abort": { - "no_api_password_set": "Dir hutt nach keen API Passwuert definéiert.", - "login_expired": "Sessioun ofgelaaf, log dech rëm frësch an w.e.g." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Benotzer" - }, - "description": "Wielt den User aus mat deem dir iech wëllt aloggen:" - } - }, - "abort": { - "not_whitelisted": "Äre Computer ass net fräigeschalt." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Benotzernumm", - "password": "Passwuert" - } - }, - "mfa": { - "data": { - "code": "Zwee-Faktor Authentifikatiouns Code" - }, - "description": "Maacht **{mfa_module_name}** op Ärem Apparat op, fir ären 2-Faktor-Authentifikatiouns Code ze kucken an Är Identitéit z'iwwerpréiwen:" - } - }, - "error": { - "invalid_auth": "Ongëltege Benotzernumm oder Passwuert", - "invalid_code": "Ongëlten Authentifizéierungs Code" - }, - "abort": { - "login_expired": "Sessioun ofgelaaf, log dech rëm frësch an w.e.g." - } - } - } - } - }, - "page-onboarding": { - "intro": "Sidd Dir prett fir Äert Heem interessant ze maachen, Är Privatsphär ze garantéieren an enger weltwäiter Gemeinschaft bei ze trieden?", - "user": { - "intro": "Looss eis ufänken andeems en e Benotzerkont erstellt.", - "required_field": "Néideg", - "data": { - "name": "Numm", - "username": "Benotzernumm", - "password": "Passwuert", - "password_confirm": "Passwuert bestätegen" + "developer-tools": { + "tabs": { + "events": { + "alert_event_type": "Type vun Evenement ass obligatorescht", + "available_events": "Verfügbar Evenementer", + "count_listeners": " ({count} gelauschtert)", + "data": "Evenement Donnéeë (YAML, fakultativ)", + "description": "Een Evenement um Evenement Bus starten", + "documentation": "Dokumentatioun iwwert d'Evenementer", + "event_fired": "Evenement {name} gestart", + "fire_event": "Evenement starten", + "listen_to_events": "Op Evenementer lauschteren", + "listening_to": "Lauschtert op", + "notification_event_fired": "Event {type} erfollegräich gestart", + "start_listening": "Fänk un mam lauschteren", + "stop_listening": "Hal op mam lauschteren", + "subscribe_to": "Evenement fir unzemellen", + "title": "Evenementer", + "type": "Typ vun Evenement" }, - "create_account": "Kont erstellen", - "error": { - "required_fields": "Fëllt all néideg Felder aus", - "password_not_match": "Passwierder stëmmen net iwwereneen" + "info": { + "built_using": "Gebaut mat", + "custom_uis": "Personaliséierte Benotzer Interface:", + "default_ui": "{action} {name} als Standard Säit op dësem Apparat", + "developed_by": "Entwéckelt vun enger ganzer Rei fantastesche Leit.", + "frontend": "frontend-ui", + "frontend_version": "Frontend Versioun: {version} - {type}", + "home_assistant_logo": "Home Assistant logo", + "icons_by": "Ikoner vun", + "license": "Verëffentlecht ënnert der Apache 2.0 Lizenz", + "lovelace_ui": "Zum Lovelace Benotzer Interface wiesselen", + "path_configuration": "Pad zur configuration.yaml: {path}", + "remove": "Läschen", + "server": "server", + "set": "Définéier", + "source": "Quell:", + "states_ui": "Zum Zoustänn Benotzer Interface wiesselen", + "system_health_error": "System Gesondheet Komponent net gelueden. Setz 'system_health:' zur configuration.yaml dobäi", + "title": "Info" + }, + "logs": { + "clear": "Läschen", + "details": "Detailler vum Log ({level})", + "load_full_log": "Kompletten Home Assistant Log lueden", + "loading_log": "Feeler Log gëtt gelueden...", + "multiple_messages": "Noriicht als éischt opgetrueden um {time} a säit deem {counter} mol opgetrueden", + "no_errors": "Et gouf kee Feeler gemellt.", + "no_issues": "Keng nei Problemer!", + "refresh": "Aktualiséieren", + "title": "Logbicher" + }, + "mqtt": { + "description_listen": "Sujet lauschteren", + "description_publish": "Ee Pak publizéieren", + "listening_to": "Lauschtert op", + "message_received": "Noriicht {id} empfaangen am {topic} um {time}:", + "payload": "Payload (Modell erlaabt)", + "publish": "Publizéieren", + "start_listening": "Fänk un mam lauschteren", + "stop_listening": "Hal op mam lauschteren", + "subscribe_to": "Sujet fir unzemellen", + "title": "MQTT", + "topic": "Sujet" + }, + "services": { + "alert_parsing_yaml": "Feeler beim Parse vum YAML: {data}", + "call_service": "Service opruffen", + "column_description": "Beschreiwung", + "column_example": "Beispill", + "column_parameter": "Parameter", + "data": "Service Donnéeë (YAML, fakultativ)", + "description": "De Service am Entwécklungsgeschir erlaabt Iech e verfügbare Service am Home Assistant opzeruffen.", + "fill_example_data": "Gitt Beispill Donnéeën un", + "no_description": "Keng Beschreiwung verfügbar", + "no_parameters": "Dëse Service huet keng Parameteren.", + "select_service": "Wielt ee Service aus fir d'Beschreiwung ze gesinn", + "title": "Servicen" + }, + "states": { + "alert_entity_field": "Entitéit ass e obligatorescht Feld", + "attributes": "Attributer", + "current_entities": "Aktuell Entitéiten", + "description1": "Setzt d'Representatioun vun engem Apparat am Home Assistant.", + "description2": "Dëst wäert net mam aktuellen Apparat kommunizéieren.", + "entity": "Entitéit", + "filter_attributes": "Attributer filteren", + "filter_entities": "Entitéite filteren", + "filter_states": "Zoustänn filteren", + "more_info": "Méi Info", + "no_entities": "Keng Entitéiten", + "set_state": "Zoustand setzen", + "state": "Zoustand", + "state_attributes": "Atrributer vum Zoustand (YAML, fakultativ)", + "title": "Zoustänn" + }, + "templates": { + "description": "Modeller ginn mëttels Jinja2 template engine duergestallt mat e puer Home Assistant spezifesch Erweiderungen.", + "editor": "Modell Editeur", + "jinja_documentation": "Jinja2 Modell Dokumentatioun", + "template_extensions": "Home Assistant Modell Erweiderungen", + "title": "Modeller", + "unknown_error_template": "Onbekannte Feeler beim duerstelle vum Modell" } - }, - "integration": { - "intro": "Apparaten a Servicë ginn am Home Assistant als Integratioune representéiert. Dir kënnt si elo astellen, oder méi spéit vun der Konfiguratioun's Säit aus.", - "more_integrations": "Méi", - "finish": "Ofschléissen" - }, - "core-config": { - "intro": "Hallo {name}, wëllkomm zu Home Assistant. Wéi wëllt dir äert Doheem benennen?", - "intro_location": "Mir wëlle wësse wou dir wunnt. Dës Informatioun hëlleft fir Informatiounen unzeweisen an Automatiounen anzeriichten déi op d'Sonne baséieren. Dës Donnéeë ginn nimools ausserhalb vun ärem Netzwierk gedeelt.", - "intro_location_detect": "Mir kënne beim Ausfëlle vun dësen Informatiounen hëllefen andeems eng eemoleg Demande bei engem externe Service ugefrot gëtt.", - "location_name_default": "Doheem", - "button_detect": "Entdecken", - "finish": "Nächst" } }, + "history": { + "period": "Zäitraum", + "showing_entries": "Weist Beiträg fir" + }, + "logbook": { + "period": "Zäitraum", + "showing_entries": "Weist Beiträg fir" + }, "lovelace": { "cards": { - "shopping-list": { - "checked_items": "Markéiert Elementer", - "clear_items": "Markéiert Elementer läschen", - "add_item": "Element dobäisetzen" - }, + "confirm_delete": "Sécher fir dës Kaart ze läschen?", "empty_state": { - "title": "Wëllkomm Doheem", + "go_to_integrations_page": "Zur Integratiouns Säit goen", "no_devices": "Dës Säit erlaabt et iech är Apparater ze kontrolléiere, awer wéi et schéngt sinn nach keng Apparater ageriicht. Gitt op d'Integratioun's Säit fir unzefänken.", - "go_to_integrations_page": "Zur Integratiouns Säit goen" + "title": "Wëllkomm Doheem" }, "picture-elements": { - "hold": "Gedréckt halen:", - "tap": "Tippen:", - "navigate_to": "Navigéieren zu {location}", - "toggle": "{name} ëmschalten", "call_service": "Service {name} opruffen", + "hold": "Gedréckt halen:", "more_info": "méi Informatiounen: {name}", + "navigate_to": "Navigéieren zu {location}", + "tap": "Tippen:", + "toggle": "{name} ëmschalten", "url": "Fënster opmaachen mat {url_path}" }, - "confirm_delete": "Sécher fir dës Kaart ze läschen?" + "shopping-list": { + "add_item": "Element dobäisetzen", + "checked_items": "Markéiert Elementer", + "clear_items": "Markéiert Elementer läschen" + } + }, + "changed_toast": { + "message": "Lovelace Konfiguratioun gouf geännert, soll frësch geluede ginn?", + "refresh": "Frësch lueden" }, "editor": { - "edit_card": { - "header": "Kaart Konfiguratioun", - "save": "Späicheren", - "toggle_editor": "Editeur ëmschalten", - "pick_card": "Wielt d'Kaart aus déi soll dobäigesat ginn.", - "add": "Kaart dobäisetzen", - "edit": "Änneren", - "delete": "Läschen", - "move": "Réckelen", - "show_visual_editor": "Visuellen Editeur uweisen", - "show_code_editor": "Code Editeur uweisen", - "pick_card_view_title": "Wéieng Kaart wëllt dir zu ärer {name] Usiicht dobäisetzen?", - "options": "Méi Optiounen" - }, - "migrate": { - "header": "Konfiguratioun net kompatibel", - "para_no_id": "Dëst Element huet keng ID. Definéiert w.e.g. eng ID fir dëst Element am 'ui-lovelace.yaml'.", - "para_migrate": "Home Assistant kann ID's zu all äre Kaarten automatesch dobäisetzen andeem dir de Knäppche 'Konfiguratioun migréieren' dréckt.", - "migrate": "Konfiguratioun migréieren" - }, - "header": "UI änneren", - "edit_view": { - "header": "Konfiguratioun kucken", - "add": "Vue dobäisetzen", - "edit": "Vue änneren", - "delete": "Vue läschen", - "header_name": "{name} Konfiguratioun kucken" - }, - "save_config": { - "header": "Kontroll iwwert Loveloce UI iwwerhuelen", - "para": "Standardméisseg verwalt Home Assistant de Benotzer Interface an aktualiséiert en soubal nei Entitéiten oder Lovelace-Komponenten disponibel sinn. Wann dir d'Kontrolle iwwerhuelt, kënne mir keng automatesch Ännerung méi fir iech maachen.", - "para_sure": "Sécher fir d'Kontrolle iwwert de Benotzer Interface z'iwwerhuelen?", - "cancel": "Vergiess et", - "save": "Kontroll iwwerhuelen" - }, - "menu": { - "raw_editor": "Editeur fir déi reng Konfiguratioun", - "open": "Lovelace Menu opmaachen" - }, - "raw_editor": { - "header": "Konfiguratioun änneren", - "save": "Späicheren", - "unsaved_changes": "Net gespäicherten Ännerungen", - "saved": "Gespäichert" - }, - "edit_lovelace": { - "header": "Titel vun ärem Lovelace Benotzer Interface", - "explanation": "Dësen Titel gëtt iwwert den Usiichte vu Lovelace ugewisen." - }, "card": { "alarm_panel": { "available_states": "Verfügbar Zoustänn" }, + "alarm-panel": { + "available_states": "Verfügbar Zoustänn", + "name": "Alarm Zentral" + }, + "conditional": { + "name": "Bedingungen" + }, "config": { - "required": "Obligatoresch", - "optional": "Optional" + "optional": "Optional", + "required": "Obligatoresch" }, "entities": { - "show_header_toggle": "Titel Schalter uweisen?", "name": "Entitéiten", + "show_header_toggle": "Titel Schalter uweisen?", "toggle": "Entitéiten ëmschalten" }, + "entity-button": { + "name": "Entitéite Knäppchen" + }, + "entity-filter": { + "name": "Entitéite Filter" + }, "gauge": { + "name": "Skala", "severity": { "define": "Schwieregkeetsgrad definéieren?", "green": "Gréng", "red": "Roud", "yellow": "Giel" - }, - "name": "Skala" - }, - "glance": { - "columns": "Kolonnen", - "name": "Usiicht" + } }, "generic": { "aspect_ratio": "Säiteverhältnis", @@ -1511,39 +1606,14 @@ "show_name": "Numm uweisen?", "show_state": "Zoustand uweisen?", "tap_action": "Aktioun beim tippen", - "title": "Titel", "theme": "Thema", + "title": "Titel", "unit": "Eenheet", "url": "Url" }, - "map": { - "geo_location_sources": "Quell vun der Geolokalisatioun", - "dark_mode": "Däischteren Modus", - "default_zoom": "Standard Zoom", - "source": "Quell", - "name": "Kaart" - }, - "markdown": { - "content": "Contenu", - "name": "Markdown" - }, - "sensor": { - "graph_detail": "Detail Diagramm", - "graph_type": "Typ vun Graph.", - "name": "Sensor" - }, - "alarm-panel": { - "name": "Alarm Zentral", - "available_states": "Verfügbar Zoustänn" - }, - "conditional": { - "name": "Bedingungen" - }, - "entity-button": { - "name": "Entitéite Knäppchen" - }, - "entity-filter": { - "name": "Entitéite Filter" + "glance": { + "columns": "Kolonnen", + "name": "Usiicht" }, "history-graph": { "name": "Verlaf Diagramm" @@ -1557,12 +1627,20 @@ "light": { "name": "Luucht" }, + "map": { + "dark_mode": "Däischteren Modus", + "default_zoom": "Standard Zoom", + "geo_location_sources": "Quell vun der Geolokalisatioun", + "name": "Kaart", + "source": "Quell" + }, + "markdown": { + "content": "Contenu", + "name": "Markdown" + }, "media-control": { "name": "Medie Kontroll" }, - "picture": { - "name": "Bild" - }, "picture-elements": { "name": "Biller Elementer" }, @@ -1572,9 +1650,17 @@ "picture-glance": { "name": "Biller Usiicht" }, + "picture": { + "name": "Bild" + }, "plant-status": { "name": "Status vun der Planz" }, + "sensor": { + "graph_detail": "Detail Diagramm", + "graph_type": "Typ vun Graph.", + "name": "Sensor" + }, "shopping-list": { "name": "Akafslëscht" }, @@ -1588,434 +1674,348 @@ "name": "Wiederprevisioune" } }, + "edit_card": { + "add": "Kaart dobäisetzen", + "delete": "Läschen", + "edit": "Änneren", + "header": "Kaart Konfiguratioun", + "move": "Réckelen", + "options": "Méi Optiounen", + "pick_card": "Wielt d'Kaart aus déi soll dobäigesat ginn.", + "pick_card_view_title": "Wéieng Kaart wëllt dir zu ärer {name] Usiicht dobäisetzen?", + "save": "Späicheren", + "show_code_editor": "Code Editeur uweisen", + "show_visual_editor": "Visuellen Editeur uweisen", + "toggle_editor": "Editeur ëmschalten" + }, + "edit_lovelace": { + "explanation": "Dësen Titel gëtt iwwert den Usiichte vu Lovelace ugewisen.", + "header": "Titel vun ärem Lovelace Benotzer Interface" + }, + "edit_view": { + "add": "Vue dobäisetzen", + "delete": "Vue läschen", + "edit": "Vue änneren", + "header": "Konfiguratioun kucken", + "header_name": "{name} Konfiguratioun kucken" + }, + "header": "UI änneren", + "menu": { + "open": "Lovelace Menu opmaachen", + "raw_editor": "Editeur fir déi reng Konfiguratioun" + }, + "migrate": { + "header": "Konfiguratioun net kompatibel", + "migrate": "Konfiguratioun migréieren", + "para_migrate": "Home Assistant kann ID's zu all äre Kaarten automatesch dobäisetzen andeem dir de Knäppche 'Konfiguratioun migréieren' dréckt.", + "para_no_id": "Dëst Element huet keng ID. Definéiert w.e.g. eng ID fir dëst Element am 'ui-lovelace.yaml'." + }, + "raw_editor": { + "header": "Konfiguratioun änneren", + "save": "Späicheren", + "saved": "Gespäichert", + "unsaved_changes": "Net gespäicherten Ännerungen" + }, + "save_config": { + "cancel": "Vergiess et", + "header": "Kontroll iwwert Loveloce UI iwwerhuelen", + "para": "Standardméisseg verwalt Home Assistant de Benotzer Interface an aktualiséiert en soubal nei Entitéiten oder Lovelace-Komponenten disponibel sinn. Wann dir d'Kontrolle iwwerhuelt, kënne mir keng automatesch Ännerung méi fir iech maachen.", + "para_sure": "Sécher fir d'Kontrolle iwwert de Benotzer Interface z'iwwerhuelen?", + "save": "Kontroll iwwerhuelen" + }, "view": { "panel_mode": { - "title": "Panel Modus?", - "description": "Dëst stellt déi éischt Kaart op voller Breet duer; aner Kaarte ginn net duergestallt." + "description": "Dëst stellt déi éischt Kaart op voller Breet duer; aner Kaarte ginn net duergestallt.", + "title": "Panel Modus?" } } }, "menu": { "configure_ui": "UI konfiguréieren", - "unused_entities": "Onbenotzt Entitéiten", "help": "Hëllef", - "refresh": "Erneieren" - }, - "warning": { - "entity_not_found": "Entitéit net erreechbar: {entity}", - "entity_non_numeric": "Entitéit ass net numerescher Natur: {entity}" - }, - "changed_toast": { - "message": "Lovelace Konfiguratioun gouf geännert, soll frësch geluede ginn?", - "refresh": "Frësch lueden" + "refresh": "Erneieren", + "unused_entities": "Onbenotzt Entitéiten" }, "reload_lovelace": "Lovelace frësch lueden", "views": { "confirm_delete": "Sécher fir dës Usiicht ze läsche?", "existing_cards": "Dir kënnt keng Usiicht mat Kaarten läschen. Läscht d'Kaarten fir d'éischt." + }, + "warning": { + "entity_non_numeric": "Entitéit ass net numerescher Natur: {entity}", + "entity_not_found": "Entitéit net erreechbar: {entity}" } }, + "mailbox": { + "delete_button": "Löschen", + "delete_prompt": "Dës Noriicht löschen?", + "empty": "Dir hutt keng Noriicht", + "playback_title": "Noriicht ofspillen" + }, + "page-authorize": { + "abort_intro": "Login ofgebrach", + "authorizing_client": "Dir gitt elo {clientId} Zougang zu ärem Home Assistant.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Sessioun ofgelaaf, log dech rëm frësch an w.e.g." + }, + "error": { + "invalid_auth": "Ongëltege Benotzernumm oder Passwuert", + "invalid_code": "Ongëlten Authentifizéierungs Code" + }, + "step": { + "init": { + "data": { + "password": "Passwuert", + "username": "Benotzernumm" + } + }, + "mfa": { + "data": { + "code": "Zwee-Faktor Authentifikatiouns Code" + }, + "description": "Maacht **{mfa_module_name}** op Ärem Apparat op, fir ären 2-Faktor-Authentifikatiouns Code ze kucken an Är Identitéit z'iwwerpréiwen:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Sessioun ofgelaaf, log dech rëm frësch an w.e.g." + }, + "error": { + "invalid_auth": "Ongëltege Benotzernumm oder Passwuert", + "invalid_code": "Ongëlte Authentifikatiouns Code" + }, + "step": { + "init": { + "data": { + "password": "Passwuert", + "username": "Benotzernumm" + } + }, + "mfa": { + "data": { + "code": "2-Faktor-Authentifikatiouns Code" + }, + "description": "Maacht **{mfa_module_name}** op Ärem Apparat op, fir ären 2-Faktor-Authentifikatiouns Code ze kucken an Är Identitéit z'iwwerpréiwen:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Sessioun ofgelaaf, log dech rëm frësch an w.e.g.", + "no_api_password_set": "Dir hutt nach keen API Passwuert definéiert." + }, + "error": { + "invalid_auth": "Ongëltegt API Passwuert", + "invalid_code": "Ongëlte Authentifikatiouns Code" + }, + "step": { + "init": { + "data": { + "password": "API Passwuert" + }, + "description": "Gitt d'API Passwuert vun ärer http Konfiguratioun an:" + }, + "mfa": { + "data": { + "code": "2-Faktor-Authentifikatiouns Code" + }, + "description": "Maacht **{mfa_module_name}** op Ärem Apparat op, fir ären 2-Faktor-Authentifikatiouns Code ze kucken an Är Identitéit z'iwwerpréiwen:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Äre Computer ass net fräigeschalt." + }, + "step": { + "init": { + "data": { + "user": "Benotzer" + }, + "description": "Wielt den User aus mat deem dir iech wëllt aloggen:" + } + } + } + }, + "unknown_error": "Eppes ass schifgaange", + "working": "W.e.g. waarden" + }, + "initializing": "Initialiséiert", + "logging_in_with": "Verbannt iech mat **{authProviderName}**.", + "pick_auth_provider": "Oder verbannt iech mat" + }, "page-demo": { "cards": { "demo": { "demo_by": "vun {name}", - "next_demo": "Nächst Demo", "introduction": "Wëllkomm doheem! Dir hutt d'Demo vum Home Assistant erreecht wou mir iech déi Bescht Benotzer Interfacen déi vun onser Gemeinschaft erstallt goufen.", - "learn_more": "Méi iwwert Home Assistant liesen" + "learn_more": "Méi iwwert Home Assistant liesen", + "next_demo": "Nächst Demo" } }, "config": { "arsaboo": { - "names": { - "upstairs": "Uewenop", - "family_room": "Stuff", - "kitchen": "Kichen", - "patio": "Veranda", - "hallway": "Gang", - "master_bedroom": "Schlofkummer", - "left": "Lénks", - "right": "Riets", - "mirror": "Spigel", - "temperature_study": "Edude vun der Temperatur" - }, "labels": { - "lights": "Luuchten", - "information": "Informatioun", - "morning_commute": "Moies Trajet", + "activity": "Aktivitéit", + "air": "Loft", "commute_home": "Heem fueren", "entertainment": "Ënnerhalung", - "activity": "Aktivitéit", "hdmi_input": "HDMI Agang", "hdmi_switcher": "HDMI Ëmschalter", - "volume": "Volume", + "information": "Informatioun", + "lights": "Luuchten", + "morning_commute": "Moies Trajet", "total_tv_time": "Gesamt Fernseh Zäit", "turn_tv_off": "Fernseher ausschalten", - "air": "Loft" + "volume": "Volume" + }, + "names": { + "family_room": "Stuff", + "hallway": "Gang", + "kitchen": "Kichen", + "left": "Lénks", + "master_bedroom": "Schlofkummer", + "mirror": "Spigel", + "patio": "Veranda", + "right": "Riets", + "temperature_study": "Edude vun der Temperatur", + "upstairs": "Uewenop" }, "unit": { - "watching": "kucken", - "minutes_abbr": "Min." + "minutes_abbr": "Min.", + "watching": "kucken" } } } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Entdecken", + "finish": "Nächst", + "intro": "Hallo {name}, wëllkomm zu Home Assistant. Wéi wëllt dir äert Doheem benennen?", + "intro_location": "Mir wëlle wësse wou dir wunnt. Dës Informatioun hëlleft fir Informatiounen unzeweisen an Automatiounen anzeriichten déi op d'Sonne baséieren. Dës Donnéeë ginn nimools ausserhalb vun ärem Netzwierk gedeelt.", + "intro_location_detect": "Mir kënne beim Ausfëlle vun dësen Informatiounen hëllefen andeems eng eemoleg Demande bei engem externe Service ugefrot gëtt.", + "location_name_default": "Doheem" + }, + "integration": { + "finish": "Ofschléissen", + "intro": "Apparaten a Servicë ginn am Home Assistant als Integratioune representéiert. Dir kënnt si elo astellen, oder méi spéit vun der Konfiguratioun's Säit aus.", + "more_integrations": "Méi" + }, + "intro": "Sidd Dir prett fir Äert Heem interessant ze maachen, Är Privatsphär ze garantéieren an enger weltwäiter Gemeinschaft bei ze trieden?", + "user": { + "create_account": "Kont erstellen", + "data": { + "name": "Numm", + "password": "Passwuert", + "password_confirm": "Passwuert bestätegen", + "username": "Benotzernumm" + }, + "error": { + "password_not_match": "Passwierder stëmmen net iwwereneen", + "required_fields": "Fëllt all néideg Felder aus" + }, + "intro": "Looss eis ufänken andeems en e Benotzerkont erstellt.", + "required_field": "Néideg" + } + }, + "profile": { + "advanced_mode": { + "description": "Home Assistant verstoppt standardméisseg avancéiert Features an Optiounen. Dir kënnt dës Funktiounen zougänglech maachen andeems Dir dës Optioun aktivéiert. Dës ass eng Benotzer spezifesch Astellung an huet keen Impakt op aner Home Assistant Benotzer.", + "title": "Avancéierte Modus" + }, + "change_password": { + "confirm_new_password": "Neit Passwuert confirméieren", + "current_password": "Aktuellt Passwuert", + "error_required": "Obligatoresch", + "header": "Passwuert änneren", + "new_password": "Neit Passwuert", + "submit": "Ofschécken" + }, + "current_user": "Dir sidd aktuell ageloggt als {fullName}.", + "force_narrow": { + "description": "Dës Optioun verstoppt d'Säiteleescht, esou wéi op engem mobillen Apparat.", + "header": "Säiteleescht ëmmer verstoppen" + }, + "is_owner": "Dir sidd Proprietär.", + "language": { + "dropdown_label": "Sprooch", + "header": "Sproochen", + "link_promo": "Hëllef beim Iwwersetzen" + }, + "logout": "Ausloggen", + "long_lived_access_tokens": { + "confirm_delete": "Sécher fir den Accèss Jeton fir {name} ze läsche?", + "create": "Jeton erstellen", + "create_failed": "Feeler beim erstellen vum Accèss Jeton", + "created_at": "Erstallt um {date}", + "delete_failed": "Feeler beim läschen vum Accèss Jeton", + "description": "Erstellt laang gëlteg Accèss Jetone déi et äre Skripten erlabe mat ärem Home Assistant z'interagéieren. All eenzelen Jeton ass gëlteg fir 10 Joer. Folgend Accèss Jeton sinn am Moment aktiv.", + "empty_state": "Et ginn nach keng laang gëlteg Accèss Jeton.", + "header": "Lang gëlteg Accèss Jetone", + "last_used": "Fir d'Läscht benotzt um {date} vun {location}", + "learn_auth_requests": "Leiert wéi een \"authenticated requests\" erstellt.", + "not_used": "Nach nie benotzt ginn", + "prompt_copy_token": "Kopéiert den Accèss Jeton. E gëtt nie méi ugewisen.", + "prompt_name": "Numm?" + }, + "mfa_setup": { + "close": "Zoumaachen", + "step_done": "Konfiguratioun ofgeschloss fir {step}", + "submit": "Ofschécken", + "title_aborted": "Ofgebrach", + "title_success": "Succès!" + }, + "mfa": { + "confirm_disable": "Sécher fir {name} ze desaktivéieren?", + "disable": "Desaktivéieren", + "enable": "Aktivéieren", + "header": "Multi-Faktor Authentifikatioun's Module" + }, + "push_notifications": { + "description": "Noriichten op dësen Apparat schécken", + "error_load_platform": "Notifiy.html5 konfiguréieren.", + "error_use_https": "Benéidegt SSL fir de Frontend", + "header": "Push-Noriichte", + "link_promo": "Méi liesen", + "push_notifications": "Push-Noriichte" + }, + "refresh_tokens": { + "confirm_delete": "Sécher fir den Erneierungs Jeton fir {name} ze läsche?", + "created_at": "Erstallt um {date}", + "current_token_tooltip": "Feeler beim läschen vum aktuellen Erneierungs Jeton", + "delete_failed": "Feeler beim läschen vum Erneierungs Jeton.", + "description": "All Sessioun's Jeton representéiert eng Login Sessioun. Sessioun's Jetone ginn automatesch geläscht wann dir op auslogge klickt. Folgend Sessioun's Jetone si fir de Moment fir Ären Account aktiv.", + "header": "Jeton erneieren", + "last_used": "Fir d'Läscht benotzt um {date} vun {location}", + "not_used": "Nach nie benotzt ginn", + "token_title": "Jeton erneiren fir {clientId}" + }, + "themes": { + "dropdown_label": "Thema", + "error_no_theme": "Keen Thema disponibel", + "header": "Thema", + "link_promo": "Méi iwwert Thema liesen" + }, + "vibrate": { + "description": "Vibratioun op dësem Apparat un oder ausschalte wann aner Apparater gesteiert ginn.", + "header": "Vibréieren" + } + }, + "shopping-list": { + "add_item": "Objet dobäisetze", + "clear_completed": "Fäerdeg Elementer ewechhuelen", + "microphone_tip": "Tipp uewe riets op de Mikro a so “Add candy to my shopping list”" } }, "sidebar": { - "log_out": "Ausloggen", "external_app_configuration": "App Konfiguratioun", + "log_out": "Ausloggen", "sidebar_toggle": "Säite Kolonne ëmschalten" - }, - "common": { - "loading": "Lued", - "cancel": "Ofbriechen", - "save": "Späicheren", - "successfully_saved": "Erfollegräich gespäichert." - }, - "duration": { - "day": "{count} {count, plural,\none {Dag}\nother {Deeg}\n}", - "week": "{count} {count, plural,\none {Woch}\nother {Wochen}\n}", - "second": "{count} {count, plural,\none {Sekonn}\nother {Sekonnen}\n}", - "minute": "{count} {count, plural,\n one {Minutt}\n other {Minutten}\n}", - "hour": "{count} {count, plural,\n one {Stonn}\n other {Stonnen}\n}" - }, - "login-form": { - "password": "Passwuert", - "remember": "Verhalen", - "log_in": "Aloggen" - }, - "card": { - "camera": { - "not_available": "Bild net disponibel" - }, - "persistent_notification": { - "dismiss": "Verwerfen" - }, - "scene": { - "activate": "Aktivéieren" - }, - "script": { - "execute": "Ausféieren" - }, - "weather": { - "attributes": { - "air_pressure": "Loftdrock", - "humidity": "Fiichtegkeet", - "temperature": "Temperatur", - "visibility": "Visibilitéit", - "wind_speed": "Wandvitesse" - }, - "cardinal_direction": { - "e": "O", - "ene": "ONO", - "ese": "OSO", - "n": "N", - "ne": "NO", - "nne": "NNO", - "nw": "NW", - "nnw": "NNW", - "s": "S", - "se": "SO", - "sse": "SSO", - "ssw": "SSW", - "sw": "SW", - "w": "W", - "wnw": "WNW", - "wsw": "WSW" - }, - "forecast": "Prognose" - }, - "alarm_control_panel": { - "code": "Code", - "clear_code": "Kloer", - "disarm": "Desaktivéieren", - "arm_home": "Aktivéiert Doheem", - "arm_away": "Aktivéiert Ënnerwee", - "arm_night": "Aktivéiert Nuecht", - "armed_custom_bypass": "Personaliséierte Bypass", - "arm_custom_bypass": "Personaliséierte Bypass" - }, - "automation": { - "last_triggered": "Läscht ausgeléist", - "trigger": "Ausléiser" - }, - "cover": { - "position": "Positioun", - "tilt_position": "Kippestellung" - }, - "fan": { - "speed": "Vitesse", - "oscillate": "Pendele", - "direction": "Richtung", - "forward": "Vir", - "reverse": "Hannerzeg" - }, - "light": { - "brightness": "Hellegkeet", - "color_temperature": "Faarf Temperatur", - "white_value": "Wäisse Wäert", - "effect": "Effekt" - }, - "media_player": { - "text_to_speak": "Text zu Sprooch", - "source": "Quell", - "sound_mode": "Toun Modus" - }, - "climate": { - "currently": "Momentan", - "on_off": "Un \/ Aus", - "target_temperature": "Zieltemperatur", - "target_humidity": "Zielfiichtegkeet", - "operation": "Aktioun", - "fan_mode": "Ventilatioun Modus", - "swing_mode": "Schwenk Modus", - "away_mode": "Modus Keen Doheem", - "aux_heat": "Zousätzlech Heizung", - "preset_mode": "Virastellung", - "target_temperature_entity": "{name} Zieltemperatur", - "target_temperature_mode": "{name} Zieltemperatur {mode}", - "current_temperature": "{name} aktuell Temperatur", - "heating": "{name} hëtzen", - "cooling": "{name} killen", - "high": "héich", - "low": "niddreg" - }, - "lock": { - "code": "Code", - "lock": "Spären", - "unlock": "Entspären" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Fuer mam botzen weider", - "return_to_base": "Zeréck zur Statioun kommen", - "start_cleaning": "Fänk mam botzen un", - "turn_on": "Uschalten", - "turn_off": "Ausschalten" - } - }, - "water_heater": { - "currently": "Momentan", - "on_off": "Un \/ Aus", - "target_temperature": "Zieltemperatur", - "operation": "Aktioun", - "away_mode": "Modus Keen Doheem" - }, - "timer": { - "actions": { - "start": "Start", - "pause": "Pause", - "cancel": "Ofbriechen", - "finish": "Ofschléissen" - } - }, - "counter": { - "actions": { - "increment": "Inkremental", - "decrement": "Dekremental", - "reset": "reset" - } - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "Entitéit", - "clear": "Läschen", - "show_entities": "Entitéite uweisen" - } - }, - "service-picker": { - "service": "Service" - }, - "relative_time": { - "past": "virun {time}", - "future": "An {time}", - "never": "Nie", - "duration": { - "second": "{count} {count, plural,\none {Sekonn}\nother {Sekonnen}\n}", - "minute": "{count} {count, plural,\n one {Minutt}\n other {Minutten}\n}", - "hour": "{count} {count, plural,\n one {Stonn}\n other {Stonnen}\n}", - "day": "{count} {count, plural,\none {Dag}\nother {Deeg}\n}", - "week": "{count} {count, plural,\none {Woch}\nother {Wochen}\n}" - } - }, - "history_charts": { - "loading_history": "Lued Status Verlaaf", - "no_history_found": "Keen Status Verlaaf fonnt" - }, - "device-picker": { - "clear": "Läschen", - "show_devices": "Apparater uweisen" - } - }, - "notification_toast": { - "entity_turned_on": "{entity} gouf ugeschalt", - "entity_turned_off": "{entity} gouf ausgeschalt", - "service_called": "Service {service} operuff", - "service_call_failed": "Feeler beim opruffen vun {service}", - "connection_lost": "Verbindung verluer. Verbindung gëtt nees opgebaut...", - "triggered": "{name} ausgeléist" - }, - "dialogs": { - "more_info_settings": { - "save": "Späicheren", - "name": "Numm iwwerschreiwen", - "entity_id": "Entitéit ID" - }, - "more_info_control": { - "script": { - "last_action": "Läscht Aktioun" - }, - "sun": { - "elevation": "Héicht", - "rising": "Sonnenopgank", - "setting": "Sonnenënnergang" - }, - "updater": { - "title": "Instruktioune fir d'Mise à jour" - } - }, - "options_flow": { - "form": { - "header": "Optiounen" - }, - "success": { - "description": "Optiounen erfollegräich gespäichert." - } - }, - "config_entry_system_options": { - "title": "System Optiounen", - "enable_new_entities_label": "Aktivéiert nei dobäigesate Entitéiten.", - "enable_new_entities_description": "Falls desaktivéiert, ginn nei entdeckten Entitéiten net automatesch zu Home Assistant dobäigesat." - }, - "zha_device_info": { - "manuf": "vun {manufacturer}", - "no_area": "Kee Beräich", - "services": { - "reconfigure": "ZHA Apparat rekonfiguréieren (Apparat heelen). Benotzt dëst am Fall vu Problemer mam Apparat. Falls den Apparat duerch eng Batterie gespeist gëtt stellt sécher dass en un ass a Befeeler entgéint kann huelen", - "updateDeviceName": "Personaliséiert den Numm fir dësen Apparat an der Iwwersiicht vun den Apparaten.", - "remove": "Een Apparat vum Zigbee Reseau läschen." - }, - "zha_device_card": { - "device_name_placeholder": "Virnumm", - "area_picker_label": "Beräich", - "update_name_button": "Numm änneren" - }, - "buttons": { - "add": "Apparater dobäisetzen", - "remove": "Apparat läschen", - "reconfigure": "Apparat frësch konfiguréieren" - }, - "quirk": "Quirk", - "last_seen": "Fir d'läscht gesinn", - "power_source": "Energie Quell", - "unknown": "Onbekannt" - }, - "confirmation": { - "cancel": "Ofbriechen", - "ok": "OK", - "title": "Sécher?" - } - }, - "auth_store": { - "ask": "Soll dëse Login gespäichert ginn?", - "decline": "Nee Merci", - "confirm": "Login späicheren" - }, - "notification_drawer": { - "click_to_configure": "Dréck de Knäppchen fir {entity} ze konfiguréieren", - "empty": "Keng Notifikatioune", - "title": "Notifikatioune" - } - }, - "domain": { - "alarm_control_panel": "Kontroll Feld Alarm", - "automation": "Automatismen", - "binary_sensor": "Binären Sensor", - "calendar": "Kalenner", - "camera": "Kamera", - "climate": "Klima", - "configurator": "Konfiguréieren", - "conversation": "Ënnerhalung", - "cover": "Paart", - "device_tracker": "Apparat Verfolgung", - "fan": "Ventilator", - "history_graph": "Verlafs Grafik", - "group": "Gruppe", - "image_processing": "Bildveraarbechtung", - "input_boolean": "Boolean-Agab", - "input_datetime": "Datum-\/Zäit-Agab", - "input_select": "Auswiel-Agab", - "input_number": "Zuelen-Agab", - "input_text": "Text-Agab", - "light": "Luucht", - "lock": "Schlass", - "mailbox": "Bréifkëscht", - "media_player": "Medie Spiller", - "notify": "Notifikatioun", - "plant": "Planz", - "proximity": "Ëmgéigend", - "remote": "Télécommande", - "scene": "Zeen", - "script": "Script", - "sensor": "Sensor", - "sun": "Sonn", - "switch": "Schalter", - "updater": "Aktualiséierung", - "weblink": "Weblink", - "zwave": "Z-Wave", - "vacuum": "Staubsauger", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "System Zoustand", - "person": "Persoun" - }, - "attribute": { - "weather": { - "humidity": "Loftfiichtegkeet", - "visibility": "Visibilitéit", - "wind_speed": "Wand Vitesse" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Aus", - "on": "Un", - "auto": "Autmatesch" - }, - "preset_mode": { - "none": "Keen", - "eco": "Eco", - "away": "Ënnerwee", - "boost": "Boost", - "comfort": "Bequem", - "home": "Doheem", - "sleep": "Schlofen", - "activity": "Aktivitéit" - }, - "hvac_action": { - "off": "Aus", - "heating": "Hëtzen", - "cooling": "Ofkillen", - "drying": "Dréchnen", - "idle": "Waart", - "fan": "Ventilator" - } - } - }, - "groups": { - "system-admin": "Administrateuren", - "system-users": "Benotzer", - "system-read-only": "Benotzer mat nëmmen Lies Rechter" - }, - "config_entry": { - "disabled_by": { - "user": "Benotzer", - "integration": "Integratioun", - "config_entry": "Konfiguratioun's Entrée" } } } \ No newline at end of file diff --git a/translations/lt.json b/translations/lt.json index 0a9836bce4..56c6c7936e 100644 --- a/translations/lt.json +++ b/translations/lt.json @@ -1,28 +1,70 @@ { + "domain": { + "hassio": "Hass.io", + "homeassistant": "Home Assistant", + "lovelace": "Lovelace", + "person": "Asmuo", + "system_health": "Sistemos sveikata", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Administratoriai", + "system-read-only": "Tik skaitymo privilegija", + "system-users": "Vartotojai" + }, "panel": { "config": "Konfigūracija", - "states": "Valdymas", - "map": "Žemėlapis", - "logbook": "Veiksmų žurnalas", "history": "Istorija", + "logbook": "Veiksmų žurnalas", "mailbox": "Pašto dėžutė", + "map": "Žemėlapis", + "profile": "Vartotojo profilis", "shopping_list": "Pirkinių sąrašas", - "profile": "Vartotojo profilis" + "states": "Valdymas" }, - "state": { - "default": { - "off": "Išjungta", - "on": "Įjungta", - "unknown": "Nežinoma", - "unavailable": "(nepasiekiamas)" - }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Automatinis", + "off": "Išjungta", + "on": "Įjungta" + } + } + }, + "state_badge": { "alarm_control_panel": { "armed": "Užrakinta", + "armed_away": "Užrakinta", + "armed_custom_bypass": "Užrakinta", + "armed_home": "Užrakinta", + "armed_night": "Užrakinta", + "arming": "Užrakinama", "disarmed": "Atrakinta", + "disarming": "Atrakinti" + }, + "default": { + "entity_not_found": "Objektas nerastas", + "error": "Klaida", + "unavailable": "Nežin", + "unknown": "Nžn" + }, + "device_tracker": { + "home": "Namie", + "not_home": "Išvykęs" + }, + "person": { + "home": "Namuose", + "not_home": "Išvykęs" + } + }, + "state": { + "alarm_control_panel": { + "armed": "Užrakinta", "armed_home": "Namų apsauga įjungta", - "pending": "Laukiama", "arming": "Saugojimo režimo įjungimas", + "disarmed": "Atrakinta", "disarming": "Saugojimo režimo išjungimas", + "pending": "Laukiama", "triggered": "Aktyvinta" }, "automation": { @@ -34,14 +76,22 @@ "off": "Išjungta", "on": "Įjungta" }, - "moisture": { - "off": "Sausa", - "on": "Šlapia" + "door": { + "off": "Uždaryta", + "on": "Atidaryta" + }, + "garage_door": { + "off": "Uždaryta", + "on": "Atidaryta" }, "gas": { "off": "Neaptikta", "on": "Aptikta" }, + "moisture": { + "off": "Sausa", + "on": "Šlapia" + }, "motion": { "off": "Nejuda", "on": "Aptiktas judesys" @@ -50,6 +100,14 @@ "off": "Laisva", "on": "Užimta" }, + "opening": { + "off": "Uždaryta", + "on": "Atidaryta" + }, + "safety": { + "off": "Saugu", + "on": "Nesaugu" + }, "smoke": { "off": "Neaptikta", "on": "Aptikta" @@ -62,22 +120,6 @@ "off": "Neaptikta", "on": "Aptikta" }, - "opening": { - "off": "Uždaryta", - "on": "Atidaryta" - }, - "safety": { - "off": "Saugu", - "on": "Nesaugu" - }, - "door": { - "off": "Uždaryta", - "on": "Atidaryta" - }, - "garage_door": { - "off": "Uždaryta", - "on": "Atidaryta" - }, "window": { "off": "Uždaryta", "on": "Atidaryta" @@ -88,14 +130,20 @@ "on": "Įjungta" }, "camera": { + "idle": "Laukimo režimas", "recording": "Įrašymas", - "streaming": "Transliuojama", - "idle": "Laukimo režimas" + "streaming": "Transliuojama" }, "climate": { + "manual": "Rankinis", + "off": "Išjungta", + "on": "Įjungta" + }, + "default": { "off": "Išjungta", "on": "Įjungta", - "manual": "Rankinis" + "unavailable": "(nepasiekiamas)", + "unknown": "Nežinoma" }, "fan": { "off": "Išjungta", @@ -103,8 +151,8 @@ }, "group": { "off": "Išjungta", - "on": "Įjungta", - "ok": "Ok" + "ok": "Ok", + "on": "Įjungta" }, "input_boolean": { "on": "Įjungta" @@ -112,6 +160,10 @@ "media_player": { "on": "Įjungta" }, + "person": { + "home": "Namuose", + "not_home": "Išvykęs" + }, "remote": { "off": "Išjungta", "on": "Įjungta" @@ -128,350 +180,23 @@ "off": "Išjungta", "on": "Įjungta" }, - "zwave": { - "query_stage": { - "initializing": " ( {query_stage} )", - "dead": " ({query_stage})" - } - }, "timer": { "active": "aktyvus", "paused": "pristabdytas" }, - "person": { - "home": "Namuose", - "not_home": "Išvykęs" - } - }, - "state_badge": { - "default": { - "unknown": "Nžn", - "unavailable": "Nežin", - "error": "Klaida", - "entity_not_found": "Objektas nerastas" - }, - "alarm_control_panel": { - "armed": "Užrakinta", - "disarmed": "Atrakinta", - "armed_home": "Užrakinta", - "armed_away": "Užrakinta", - "armed_night": "Užrakinta", - "arming": "Užrakinama", - "disarming": "Atrakinti", - "armed_custom_bypass": "Užrakinta" - }, - "device_tracker": { - "home": "Namie", - "not_home": "Išvykęs" - }, - "person": { - "home": "Namuose", - "not_home": "Išvykęs" + "zwave": { + "query_stage": { + "dead": " ({query_stage})", + "initializing": " ( {query_stage} )" + } } }, "ui": { - "sidebar": { - "log_out": "Atsijungti" - }, - "panel": { - "developer-tools": { - "tabs": { - "mqtt": { - "title": "MQTT" - } - } - }, - "config": { - "zwave": { - "caption": "Z-Wave", - "node_config": { - "set_config_parameter": "Nustatykite parametrą „Config“" - } - }, - "automation": { - "editor": { - "triggers": { - "delete": "Ištrinti", - "type": { - "sun": { - "event": "Ivykis" - }, - "zone": { - "zone": "Vieta", - "event": "Įvykis" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook ID" - }, - "time_pattern": { - "label": "Laiko modelis", - "hours": "Valandos", - "minutes": "Minutes", - "seconds": "Sekundės" - }, - "geo_location": { - "label": "Geolokacija", - "source": "Šaltinis", - "zone": "Zona", - "event": "Įvykis:", - "enter": "Įveskite", - "leave": "Palikite" - } - }, - "learn_more": "Sužinokite daugiau apie trigerius" - }, - "conditions": { - "duplicate": "Dubliuoti", - "delete": "Ištrinti", - "type": { - "numeric_state": { - "below": "žemiau" - }, - "sun": { - "label": "Saulė", - "before": "Prieš:", - "after": "Po:", - "sunrise": "Saulėtekis", - "sunset": "Saulėlydis" - }, - "template": { - "label": "Šablonas" - }, - "time": { - "label": "Laikas", - "after": "Po", - "before": "Prieš" - }, - "zone": { - "label": "Vieta", - "zone": "Vieta" - } - }, - "learn_more": "Sužinokite daugiau apie sąlygas" - }, - "actions": { - "header": "Veiksmai", - "add": "Pridėti veiksmą", - "duplicate": "Dublikuoti", - "delete": "Trinti", - "delete_confirm": "Ar tikrai norite ištrinti?", - "type": { - "delay": { - "delay": "Uždelsta" - }, - "wait_template": { - "label": "Laukti" - }, - "event": { - "label": "Sukurti įvykį", - "event": "Įvykiai" - } - }, - "learn_more": "Sužinokite daugiau apie veiksmus" - } - }, - "picker": { - "learn_more": "Sužinokite daugiau apie automatizavimą" - } - }, - "cloud": { - "caption": "Home Assistant Cloud" - }, - "zha": { - "description": "„Zigbee Home Automation“ tinklo valdymas", - "services": { - "updateDeviceName": "Nustatyti pasirinktinį pavadinimą šiam įrenginiu, prietaisų registre.", - "remove": "Pašalinkite įrenginį iš „Zigbee“ tinklo." - }, - "device_card": { - "device_name_placeholder": "Vartotojo suteiktas vardas", - "area_picker_label": "Sritis", - "update_name_button": "Atnaujinti pavadinimą" - }, - "add_device_page": { - "header": "„Zigbee“ namų automatika - pridėti įrenginių", - "spinner": "Ieškoma ZHA Zigbee įrenginių...", - "discovery_text": "Čia bus rodomi atrasti įrenginiai. Vadovaukitės jūsų įtaiso instrukcijomis ir nustatykite jį suporavimo režimui." - } - }, - "area_registry": { - "caption": "Sričių registras", - "description": "Visų jūsų namų sričių apžvalga.", - "picker": { - "header": "Sričių registras", - "integrations_page": "Integracijų puslapis", - "no_areas": "Atrodo, kad dar neturite registruotų erdvių!", - "create_area": "SUKURTI ERDVĘ" - }, - "no_areas": "Atrodo, kad dar neturite registruotų sričių!", - "create_area": "SUKURTI SRITĮ", - "editor": { - "default_name": "Nauja sritis", - "delete": "IŠTRINTI", - "update": "ATNAUJINTI", - "create": "SUKURTI" - } - }, - "entity_registry": { - "caption": "Subjektų registras", - "description": "Visų žinomų subjektų apžvalga.", - "picker": { - "header": "Subjektų registras", - "unavailable": "(nepasiekiamas)", - "introduction2": "Naudokite subjekto registrą, kad perrašytumėte pavadinimą, pakeiskite subjekto ID arba pašalintumėte įrašą iš namų asistento. Atminkite, kad pašalindami registro įrašą tai nepanaikins pačio subjekto. Norėdami tai padaryti, sekite toliau pateiktą nuorodą ir pašalinkite ją iš integracijos puslapio.", - "integrations_page": "Integracijų puslapis" - }, - "editor": { - "unavailable": "Šiuo metu šis subjektas nepasiekiamas.", - "default_name": "Nauja sritis", - "delete": "IŠTRINTI", - "update": "ATNAUJINTI" - } - }, - "customize": { - "picker": { - "header": "Pritaikymas" - } - }, - "person": { - "caption": "Asmenys", - "detail": { - "name": "Vardas", - "device_tracker_intro": "Pasirinkite įrenginius, priklausančius šiam asmeniui.", - "device_tracker_picked": "Stebėti įrenginį", - "device_tracker_pick": "Pasirinkite įrenginį, kurį norite stebėti" - } - }, - "integrations": { - "config_entry": { - "no_area": "Nėra srities" - } - }, - "users": { - "editor": { - "caption": "Peržiūrėti vartotoją" - }, - "add_user": { - "caption": "Pridėti vartotoją", - "name": "Vardas", - "username": "Vartotojo vardas", - "password": "Slaptažodis", - "create": "Sukurti" - } - } - }, - "profile": { - "push_notifications": { - "description": "Siųsti pranešimus į šį įrenginį." - }, - "change_password": { - "header": "Keisti slaptažodį", - "current_password": "Dabartinis slaptažodis", - "new_password": "Naujas slaptažodis" - }, - "mfa_setup": { - "title_aborted": "Nutraukta", - "close": "Uždaryti" - } - }, - "lovelace": { - "editor": { - "edit_card": { - "save": "Išsaugoti", - "pick_card": "Pasirinkite kortelę, kurią norite pridėti.", - "add": "Pridėti kortelę", - "edit": "Redaguoti", - "delete": "Ištrinti", - "move": "Perkelti" - }, - "migrate": { - "migrate": "Perkelti konfigūraciją" - }, - "header": "Redaguoti UI", - "edit_view": { - "header": "Peržiūrėti konfigūraciją", - "add": "Pridėti rodinį", - "edit": "Redaguoti rodinį", - "delete": "Ištrinti rodinį" - }, - "save_config": { - "header": "Valdykite savo „Lovelace“ vartotojo sąsają", - "para_sure": "Ar tikrai norite kontroliuoti savo vartotojo sąsają?", - "cancel": "Nesvarbu", - "save": "Kontroliuoti" - }, - "menu": { - "raw_editor": "Konfigūracijos redaktorius" - }, - "raw_editor": { - "header": "Redaguoti konfigūraciją", - "save": "Išsaugoti", - "unsaved_changes": "Neišsaugoti pakeitimai", - "saved": "Išsaugota" - } - }, - "menu": { - "configure_ui": "Konfigūruoti UI", - "unused_entities": "Nepanaudoti elementai", - "help": "Pagalba", - "refresh": "Atnaujinti" - }, - "cards": { - "empty_state": { - "title": "Sveiki sugrįžę namo", - "go_to_integrations_page": "Į integracijų puslapį" - } - }, - "warning": { - "entity_not_found": "Subjektas nepasiekiamas: {entity}", - "entity_non_numeric": "Subjektas nėra skaitinis: {entity}" - } - }, - "logbook": { - "period": "Laikotarpis" - }, - "page-authorize": { - "form": { - "providers": { - "command_line": { - "step": { - "init": { - "data": { - "username": "Vartotojo vardas", - "password": "Slaptažodis" - } - }, - "mfa": { - "data": { - "code": "Dvieju lygiu autentifikacija" - } - } - }, - "error": { - "invalid_auth": "Netinkamas vartotojo vardas arba slaptažodis", - "invalid_code": "Netinkamas autentifikacijos kodas" - } - } - } - } - }, - "page-onboarding": { - "user": { - "data": { - "password_confirm": "Patvirtinti slaptažodį" - }, - "error": { - "password_not_match": "Slaptažodžiai nesutampa" - } - } + "card": { + "alarm_control_panel": { + "arm_custom_bypass": "Individualizuotas apėjimas" } }, - "duration": { - "day": "{count} {count, plural,\n one {diena}\n other {dienos}\n}", - "week": "{count} {count, plural,\n one {savaitė}\n other {savaitės}\n}", - "second": "{count} {count, plural,\n one {sekundė}\n other {sekundės}\n}" - }, "common": { "save": "Išsaugoti" }, @@ -490,32 +215,307 @@ } } }, - "card": { - "alarm_control_panel": { - "arm_custom_bypass": "Individualizuotas apėjimas" + "duration": { + "day": "{count} {count, plural,\\n one {diena}\\n other {dienos}\\n}", + "second": "{count} {count, plural,\\n one {sekundė}\\n other {sekundės}\\n}", + "week": "{count} {count, plural,\\n one {savaitė}\\n other {savaitės}\\n}" + }, + "panel": { + "config": { + "area_registry": { + "caption": "Sričių registras", + "create_area": "SUKURTI SRITĮ", + "description": "Visų jūsų namų sričių apžvalga.", + "editor": { + "create": "SUKURTI", + "default_name": "Nauja sritis", + "delete": "IŠTRINTI", + "update": "ATNAUJINTI" + }, + "no_areas": "Atrodo, kad dar neturite registruotų sričių!", + "picker": { + "create_area": "SUKURTI ERDVĘ", + "header": "Sričių registras", + "integrations_page": "Integracijų puslapis", + "no_areas": "Atrodo, kad dar neturite registruotų erdvių!" + } + }, + "automation": { + "editor": { + "actions": { + "add": "Pridėti veiksmą", + "delete": "Trinti", + "delete_confirm": "Ar tikrai norite ištrinti?", + "duplicate": "Dublikuoti", + "header": "Veiksmai", + "learn_more": "Sužinokite daugiau apie veiksmus", + "type": { + "delay": { + "delay": "Uždelsta" + }, + "event": { + "event": "Įvykiai", + "label": "Sukurti įvykį" + }, + "wait_template": { + "label": "Laukti" + } + } + }, + "conditions": { + "delete": "Ištrinti", + "duplicate": "Dubliuoti", + "learn_more": "Sužinokite daugiau apie sąlygas", + "type": { + "numeric_state": { + "below": "žemiau" + }, + "sun": { + "after": "Po:", + "before": "Prieš:", + "label": "Saulė", + "sunrise": "Saulėtekis", + "sunset": "Saulėlydis" + }, + "template": { + "label": "Šablonas" + }, + "time": { + "after": "Po", + "before": "Prieš", + "label": "Laikas" + }, + "zone": { + "label": "Vieta", + "zone": "Vieta" + } + } + }, + "triggers": { + "delete": "Ištrinti", + "learn_more": "Sužinokite daugiau apie trigerius", + "type": { + "geo_location": { + "enter": "Įveskite", + "event": "Įvykis:", + "label": "Geolokacija", + "leave": "Palikite", + "source": "Šaltinis", + "zone": "Zona" + }, + "sun": { + "event": "Ivykis" + }, + "time_pattern": { + "hours": "Valandos", + "label": "Laiko modelis", + "minutes": "Minutes", + "seconds": "Sekundės" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook ID" + }, + "zone": { + "event": "Įvykis", + "zone": "Vieta" + } + } + } + }, + "picker": { + "learn_more": "Sužinokite daugiau apie automatizavimą" + } + }, + "cloud": { + "caption": "Home Assistant Cloud" + }, + "customize": { + "picker": { + "header": "Pritaikymas" + } + }, + "entity_registry": { + "caption": "Subjektų registras", + "description": "Visų žinomų subjektų apžvalga.", + "editor": { + "default_name": "Nauja sritis", + "delete": "IŠTRINTI", + "unavailable": "Šiuo metu šis subjektas nepasiekiamas.", + "update": "ATNAUJINTI" + }, + "picker": { + "header": "Subjektų registras", + "integrations_page": "Integracijų puslapis", + "introduction2": "Naudokite subjekto registrą, kad perrašytumėte pavadinimą, pakeiskite subjekto ID arba pašalintumėte įrašą iš namų asistento. Atminkite, kad pašalindami registro įrašą tai nepanaikins pačio subjekto. Norėdami tai padaryti, sekite toliau pateiktą nuorodą ir pašalinkite ją iš integracijos puslapio.", + "unavailable": "(nepasiekiamas)" + } + }, + "integrations": { + "config_entry": { + "no_area": "Nėra srities" + } + }, + "person": { + "caption": "Asmenys", + "detail": { + "device_tracker_intro": "Pasirinkite įrenginius, priklausančius šiam asmeniui.", + "device_tracker_pick": "Pasirinkite įrenginį, kurį norite stebėti", + "device_tracker_picked": "Stebėti įrenginį", + "name": "Vardas" + } + }, + "users": { + "add_user": { + "caption": "Pridėti vartotoją", + "create": "Sukurti", + "name": "Vardas", + "password": "Slaptažodis", + "username": "Vartotojo vardas" + }, + "editor": { + "caption": "Peržiūrėti vartotoją" + } + }, + "zha": { + "add_device_page": { + "discovery_text": "Čia bus rodomi atrasti įrenginiai. Vadovaukitės jūsų įtaiso instrukcijomis ir nustatykite jį suporavimo režimui.", + "header": "„Zigbee“ namų automatika - pridėti įrenginių", + "spinner": "Ieškoma ZHA Zigbee įrenginių..." + }, + "description": "„Zigbee Home Automation“ tinklo valdymas", + "device_card": { + "area_picker_label": "Sritis", + "device_name_placeholder": "Vartotojo suteiktas vardas", + "update_name_button": "Atnaujinti pavadinimą" + }, + "services": { + "remove": "Pašalinkite įrenginį iš „Zigbee“ tinklo.", + "updateDeviceName": "Nustatyti pasirinktinį pavadinimą šiam įrenginiu, prietaisų registre." + } + }, + "zwave": { + "caption": "Z-Wave", + "node_config": { + "set_config_parameter": "Nustatykite parametrą „Config“" + } + } + }, + "developer-tools": { + "tabs": { + "mqtt": { + "title": "MQTT" + } + } + }, + "logbook": { + "period": "Laikotarpis" + }, + "lovelace": { + "cards": { + "empty_state": { + "go_to_integrations_page": "Į integracijų puslapį", + "title": "Sveiki sugrįžę namo" + } + }, + "editor": { + "edit_card": { + "add": "Pridėti kortelę", + "delete": "Ištrinti", + "edit": "Redaguoti", + "move": "Perkelti", + "pick_card": "Pasirinkite kortelę, kurią norite pridėti.", + "save": "Išsaugoti" + }, + "edit_view": { + "add": "Pridėti rodinį", + "delete": "Ištrinti rodinį", + "edit": "Redaguoti rodinį", + "header": "Peržiūrėti konfigūraciją" + }, + "header": "Redaguoti UI", + "menu": { + "raw_editor": "Konfigūracijos redaktorius" + }, + "migrate": { + "migrate": "Perkelti konfigūraciją" + }, + "raw_editor": { + "header": "Redaguoti konfigūraciją", + "save": "Išsaugoti", + "saved": "Išsaugota", + "unsaved_changes": "Neišsaugoti pakeitimai" + }, + "save_config": { + "cancel": "Nesvarbu", + "header": "Valdykite savo „Lovelace“ vartotojo sąsają", + "para_sure": "Ar tikrai norite kontroliuoti savo vartotojo sąsają?", + "save": "Kontroliuoti" + } + }, + "menu": { + "configure_ui": "Konfigūruoti UI", + "help": "Pagalba", + "refresh": "Atnaujinti", + "unused_entities": "Nepanaudoti elementai" + }, + "warning": { + "entity_non_numeric": "Subjektas nėra skaitinis: {entity}", + "entity_not_found": "Subjektas nepasiekiamas: {entity}" + } + }, + "page-authorize": { + "form": { + "providers": { + "command_line": { + "error": { + "invalid_auth": "Netinkamas vartotojo vardas arba slaptažodis", + "invalid_code": "Netinkamas autentifikacijos kodas" + }, + "step": { + "init": { + "data": { + "password": "Slaptažodis", + "username": "Vartotojo vardas" + } + }, + "mfa": { + "data": { + "code": "Dvieju lygiu autentifikacija" + } + } + } + } + } + } + }, + "page-onboarding": { + "user": { + "data": { + "password_confirm": "Patvirtinti slaptažodį" + }, + "error": { + "password_not_match": "Slaptažodžiai nesutampa" + } + } + }, + "profile": { + "change_password": { + "current_password": "Dabartinis slaptažodis", + "header": "Keisti slaptažodį", + "new_password": "Naujas slaptažodis" + }, + "mfa_setup": { + "close": "Uždaryti", + "title_aborted": "Nutraukta" + }, + "push_notifications": { + "description": "Siųsti pranešimus į šį įrenginį." + } } + }, + "sidebar": { + "log_out": "Atsijungti" } - }, - "domain": { - "zwave": "Z-Wave", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Sistemos sveikata", - "person": "Asmuo" - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Išjungta", - "on": "Įjungta", - "auto": "Automatinis" - } - } - }, - "groups": { - "system-admin": "Administratoriai", - "system-users": "Vartotojai", - "system-read-only": "Tik skaitymo privilegija" } } \ No newline at end of file diff --git a/translations/lv.json b/translations/lv.json index 23cff776aa..70c19f8e28 100644 --- a/translations/lv.json +++ b/translations/lv.json @@ -1,53 +1,193 @@ { + "attribute": { + "weather": { + "humidity": "Gaisa mitrums", + "visibility": "Redzamība", + "wind_speed": "Vēja ātrums" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Konfigurēt Ierakstu", + "integration": "Integrācija", + "user": "Lietotājs" + } + }, + "domain": { + "alarm_control_panel": "Signalizācijas vadības panelis", + "automation": "Automatizācija", + "binary_sensor": "Binārais sensors", + "calendar": "Kalendārs", + "camera": "Kamera", + "climate": "Klimats", + "configurator": "Konfigurētājs", + "conversation": "Saruna", + "cover": "Nosegi", + "device_tracker": "Ierīču izsekotājs", + "fan": "Ventilators", + "group": "Grupa", + "hassio": "Hass.io", + "history_graph": "Vēstures grafiks", + "homeassistant": "Home Assistant", + "image_processing": "Attēlu apstrāde", + "input_boolean": "Ieejas boolean", + "input_datetime": "Ievades datuma laiks", + "input_number": "Ievades numurs", + "input_select": "Ievades izvēle", + "input_text": "Ievades teksts", + "light": "Gaisma", + "lock": "Slēdzene", + "lovelace": "Lovelace", + "mailbox": "Pastkastīte", + "media_player": "Multivides atskaņotājs", + "notify": "Paziņot", + "person": "Persona", + "plant": "Augs", + "proximity": "Tuvums", + "remote": "Tālvadība", + "scene": "Sižets", + "script": "Skripts", + "sensor": "Sensors", + "sun": "Saule", + "switch": "Slēdzis", + "system_health": "Sistēmas Veselība", + "updater": "Atjauninātājs", + "vacuum": "Putekļsūcējs", + "weblink": "Weblink", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Administratori", + "system-read-only": "Tikai-Lasīt Lietotāji", + "system-users": "Lietotāji" + }, "panel": { + "calendar": "Kalendārs", "config": "Konfigurācija", - "states": "Pārskats", - "map": "Karte", - "logbook": "Žurnāls", - "history": "Vēsture", - "mailbox": "Pastkaste", - "shopping_list": "Iepirkumu saraksts", "dev-info": "Info", "developer_tools": "Izstrādātāju rīki", - "calendar": "Kalendārs", - "profile": "Profils" + "history": "Vēsture", + "logbook": "Žurnāls", + "mailbox": "Pastkaste", + "map": "Karte", + "profile": "Profils", + "shopping_list": "Iepirkumu saraksts", + "states": "Pārskats" + }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Automātisks", + "off": "Izslēgts", + "on": "Ieslēgts" + }, + "hvac_action": { + "cooling": "Dzesēšana", + "drying": "Žāvēšana", + "fan": "Ventilators", + "heating": "Sildīšana", + "idle": "Dīkstāve", + "off": "Izslēgts" + }, + "preset_mode": { + "activity": "Aktivitāte", + "away": "Prombūtne", + "boost": "Palielināt", + "comfort": "Komforts", + "eco": "Eko", + "home": "Mājās", + "none": "Nav", + "sleep": "Miega" + } + } + }, + "state_badge": { + "alarm_control_panel": { + "armed": "Pieslēgta", + "armed_away": "Pieslēgta", + "armed_custom_bypass": "Pieslēgta", + "armed_home": "Piesl.", + "armed_night": "Pieslēgta", + "arming": "Pieslēdz", + "disarmed": "Atslēgt", + "disarming": "Atslēgt", + "pending": "Gaida", + "triggered": "Trig" + }, + "default": { + "entity_not_found": "Vienība Nav Atrasta", + "error": "Kļūda", + "unavailable": "Nepie", + "unknown": "Nez" + }, + "device_tracker": { + "home": "Mājās", + "not_home": "Prom" + }, + "person": { + "home": "Mājas", + "not_home": "Prombūtne" + } }, "state": { - "default": { - "off": "Izslēgts", - "on": "Ieslēgts", - "unknown": "Nezināms", - "unavailable": "Nepieejams" - }, "alarm_control_panel": { "armed": "Pieslēgts", - "disarmed": "Atslēgts", - "armed_home": "Pieslēgts mājās", "armed_away": "Pieslēgts uz prombūtni", + "armed_custom_bypass": "Pieslēgts pielāgots apvedceļš", + "armed_home": "Pieslēgts mājās", "armed_night": "Pieslēgts uz nakti", - "pending": "Gaida", "arming": "Pieslēdzu", + "disarmed": "Atslēgts", "disarming": "Atslēdzu", - "triggered": "Aktivizēts", - "armed_custom_bypass": "Pieslēgts pielāgots apvedceļš" + "pending": "Gaida", + "triggered": "Aktivizēts" }, "automation": { "off": "Izslēgts", "on": "Ieslēgts" }, "binary_sensor": { + "battery": { + "off": "Normāls", + "on": "Zems" + }, + "cold": { + "off": "Normāls", + "on": "Auksts" + }, + "connectivity": { + "off": "Atvienots", + "on": "Pieslēdzies" + }, "default": { "off": "Izslēgts", "on": "Ieslēgts" }, - "moisture": { - "off": "Sauss", - "on": "Slapjš" + "door": { + "off": "Aizvērtas", + "on": "Atvērtas" + }, + "garage_door": { + "off": "Aizvērtas", + "on": "Atvērtas" }, "gas": { "off": "Brīvs", "on": "Sajusta" }, + "heat": { + "off": "Normāls", + "on": "Karsts" + }, + "lock": { + "off": "Slēgts", + "on": "Atslēgts" + }, + "moisture": { + "off": "Sauss", + "on": "Slapjš" + }, "motion": { "off": "Brīvs", "on": "Sajusta" @@ -56,6 +196,22 @@ "off": "Brīvs", "on": "Aizņemts" }, + "opening": { + "off": "Aizvērts", + "on": "Atvērts" + }, + "presence": { + "off": "Prombūtne", + "on": "Mājās" + }, + "problem": { + "off": "OK", + "on": "Problēma" + }, + "safety": { + "off": "Droši", + "on": "Nedroši" + }, "smoke": { "off": "Brīvs", "on": "Sajusta" @@ -68,53 +224,9 @@ "off": "Brīvs", "on": "Sajusts" }, - "opening": { - "off": "Aizvērts", - "on": "Atvērts" - }, - "safety": { - "off": "Droši", - "on": "Nedroši" - }, - "presence": { - "off": "Prombūtne", - "on": "Mājās" - }, - "battery": { - "off": "Normāls", - "on": "Zems" - }, - "problem": { - "off": "OK", - "on": "Problēma" - }, - "connectivity": { - "off": "Atvienots", - "on": "Pieslēdzies" - }, - "cold": { - "off": "Normāls", - "on": "Auksts" - }, - "door": { - "off": "Aizvērtas", - "on": "Atvērtas" - }, - "garage_door": { - "off": "Aizvērtas", - "on": "Atvērtas" - }, - "heat": { - "off": "Normāls", - "on": "Karsts" - }, "window": { "off": "Aizvērts", "on": "Atvērts" - }, - "lock": { - "off": "Slēgts", - "on": "Atslēgts" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "Ieslēgts" }, "camera": { + "idle": "Dīkstāve", "recording": "Ieraksta", - "streaming": "Straumē", - "idle": "Dīkstāve" + "streaming": "Straumē" }, "climate": { - "off": "Izslēgts", - "on": "Ieslēgts", - "heat": "Sildīšana", - "cool": "Dzesēšana", - "idle": "Dīkstāve", "auto": "Auto", + "cool": "Dzesēšana", "dry": "Sauss", - "fan_only": "Tikai ventilators", "eco": "Eko", "electric": "Elektriska", - "performance": "Veiktspēja", - "high_demand": "Augsts pieprasījums", - "heat_pump": "Siltumsūknis", + "fan_only": "Tikai ventilators", "gas": "Gāze", + "heat": "Sildīšana", + "heat_cool": "Sildīt \/ Atdzesēt", + "heat_pump": "Siltumsūknis", + "high_demand": "Augsts pieprasījums", + "idle": "Dīkstāve", "manual": "Rokasgrāmata", - "heat_cool": "Sildīt \/ Atdzesēt" + "off": "Izslēgts", + "on": "Ieslēgts", + "performance": "Veiktspēja" }, "configurator": { "configure": "Konfigurēt", "configured": "Konfigurēts" }, "cover": { - "open": "Atvērts", - "opening": "Atveras", "closed": "Slēgts", "closing": "Slēdzas", + "open": "Atvērts", + "opening": "Atveras", "stopped": "Apturēts" }, + "default": { + "off": "Izslēgts", + "on": "Ieslēgts", + "unavailable": "Nepieejams", + "unknown": "Nezināms" + }, "device_tracker": { "home": "Mājās", "not_home": "Prom" @@ -164,19 +282,19 @@ "on": "Ieslēgts" }, "group": { - "off": "Izslēgta", - "on": "Ieslēgta", - "home": "Mājās", - "not_home": "Prombūtnē", - "open": "Atvērta", - "opening": "Atveras", "closed": "Slēgta", "closing": "Slēdzas", - "stopped": "Apturēta", + "home": "Mājās", "locked": "Bloķēta", - "unlocked": "Atbloķēta", + "not_home": "Prombūtnē", + "off": "Izslēgta", "ok": "OK", - "problem": "Problēma" + "on": "Ieslēgta", + "open": "Atvērta", + "opening": "Atveras", + "problem": "Problēma", + "stopped": "Apturēta", + "unlocked": "Atbloķēta" }, "input_boolean": { "off": "Izslēgta", @@ -191,13 +309,17 @@ "unlocked": "Atslēgts" }, "media_player": { + "idle": "Dīkstāvē", "off": "Izslēgts", "on": "Ieslēgts", - "playing": "Atskaņo", "paused": "Apturēts", - "idle": "Dīkstāvē", + "playing": "Atskaņo", "standby": "Gaidīšanas režīmā" }, + "person": { + "home": "Mājās", + "not_home": "Prombūtne" + }, "plant": { "ok": "Labi", "problem": "Problēma" @@ -225,34 +347,10 @@ "off": "Izslēgts", "on": "Ieslēgts" }, - "zwave": { - "default": { - "initializing": "Inicializē", - "dead": "Beigta", - "sleeping": "Guļ", - "ready": "Gatavs" - }, - "query_stage": { - "initializing": "Inicializē ( {query_stage} )", - "dead": "Beigta ({query_stage})" - } - }, - "weather": { - "clear-night": "Skaidrs, nakts", - "cloudy": "Mākoņains", - "fog": "Migla", - "hail": "Krusa", - "lightning": "Zibens", - "lightning-rainy": "Zibens, lietus", - "partlycloudy": "Daļēji apmācies", - "pouring": "Lietusgāze", - "rainy": "Lietains", - "snowy": "Sniegs", - "snowy-rainy": "Sniegs, lietus", - "sunny": "Saulains", - "windy": "Vējains", - "windy-variant": "Vējains", - "exceptional": "Izņēmuma kārtā" + "timer": { + "active": "aktīvs", + "idle": "dīkstāve", + "paused": "apturēta" }, "vacuum": { "cleaning": "Notiek uzkopšana", @@ -264,907 +362,99 @@ "paused": "Apturēts", "returning": "Ceļā pie doka" }, - "timer": { - "active": "aktīvs", - "idle": "dīkstāve", - "paused": "apturēta" + "weather": { + "clear-night": "Skaidrs, nakts", + "cloudy": "Mākoņains", + "exceptional": "Izņēmuma kārtā", + "fog": "Migla", + "hail": "Krusa", + "lightning": "Zibens", + "lightning-rainy": "Zibens, lietus", + "partlycloudy": "Daļēji apmācies", + "pouring": "Lietusgāze", + "rainy": "Lietains", + "snowy": "Sniegs", + "snowy-rainy": "Sniegs, lietus", + "sunny": "Saulains", + "windy": "Vējains", + "windy-variant": "Vējains" }, - "person": { - "home": "Mājās", - "not_home": "Prombūtne" - } - }, - "state_badge": { - "default": { - "unknown": "Nez", - "unavailable": "Nepie", - "error": "Kļūda", - "entity_not_found": "Vienība Nav Atrasta" - }, - "alarm_control_panel": { - "armed": "Pieslēgta", - "disarmed": "Atslēgt", - "armed_home": "Piesl.", - "armed_away": "Pieslēgta", - "armed_night": "Pieslēgta", - "pending": "Gaida", - "arming": "Pieslēdz", - "disarming": "Atslēgt", - "triggered": "Trig", - "armed_custom_bypass": "Pieslēgta" - }, - "device_tracker": { - "home": "Mājās", - "not_home": "Prom" - }, - "person": { - "home": "Mājas", - "not_home": "Prombūtne" + "zwave": { + "default": { + "dead": "Beigta", + "initializing": "Inicializē", + "ready": "Gatavs", + "sleeping": "Guļ" + }, + "query_stage": { + "dead": "Beigta ({query_stage})", + "initializing": "Inicializē ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Noņemt izpildītos", - "add_item": "Pievienot vienumu", - "microphone_tip": "Pieskarieties mikrofonam augšējā labajā stūrī un sakiet \"Pievienojiet konfektes manam iepirkumu sarakstam\"" - }, - "developer-tools": { - "tabs": { - "services": { - "title": "Pakalpojumi" - }, - "states": { - "title": "Stāvokļi" - }, - "events": { - "title": "Notikumi" - }, - "templates": { - "title": "Veidne" - }, - "mqtt": { - "title": "MQTT" - }, - "info": { - "title": "Informācija" - }, - "logs": { - "title": "Žurnāli" - } - } - }, - "history": { - "showing_entries": "Rāda ierakstus par", - "period": "Periods" - }, - "logbook": { - "showing_entries": "Ieraksti par", - "period": "Periods" - }, - "mailbox": { - "empty": "Jums nav ziņu", - "playback_title": "Ziņu atskaņošana", - "delete_prompt": "Vai dzēst šo ziņojumu?", - "delete_button": "Dzēst" - }, - "config": { - "header": "Home Assistant konfigurēšana", - "introduction": "Šeit iespējams konfigurēt Jūsu komponentus un pašu Home Assistant. Pagaidām ne visu ir iespējams konfigurēt no lietotāja saskarnes, bet mēs strādājam pie tā.", - "core": { - "caption": "Vispārīgi", - "description": "Mainiet vispārējo Home Assistant konfigurāciju", - "section": { - "core": { - "header": "Vispārējā konfigurācija", - "introduction": "Izmaiņas konfigurācijā var būt nogurdinošs process. Mēs zinām. Šai sadaļai vajadzētu padarīt dzīvi mazliet vieglāku.", - "core_config": { - "edit_requires_storage": "Redaktors ir atspējots, jo konfigurācija ir definēta configuration.yaml.", - "location_name": "Jūsu Home Assistant instalācijas nosaukums", - "latitude": "Platums", - "longitude": "Garums", - "elevation": "Augstums", - "elevation_meters": "metri", - "time_zone": "Laika josla", - "unit_system": "Mērvienību sistēma", - "unit_system_imperial": "Imperiālā", - "unit_system_metric": "Metriskā", - "imperial_example": "Fārenheita, mārciņas", - "metric_example": "Celsija, kilogrami", - "save_button": "Saglabāt" - } - }, - "server_control": { - "validation": { - "heading": "Konfigurācijas pārbaude", - "introduction": "Veiciet konfigurācijas pārbaudi, ja nesen esat veicis izmaiņas konfigurācijā un vēlaties pārliecināties, ka tā ir korekta.", - "check_config": "Pārbaudīt", - "valid": "Konfigurācija korekta!", - "invalid": "Konfigurācija kļūdaina" - }, - "reloading": { - "heading": "Konfigurācijas pārlādēšana", - "introduction": "Atsevišķas Home Assistant daļas var pārlādēt bez nepieciešamības restartēt. Veicot pārlādēšanu iepriekšējā konfigurācija tiks atiestatīta un tiks ielādēta jaunā.", - "core": "Pārlādēt kodolu", - "group": "Pārlādēt grupas", - "automation": "Pārlādēt automatizācijas", - "script": "Pārlādēt skriptus" - }, - "server_management": { - "heading": "Servera pārvaldība", - "introduction": "Pārvaldiet Home Assistant serveri no Home Assistant saskarnes.", - "restart": "Restartēt", - "stop": "Apturēt" - } - } - } - }, - "customize": { - "caption": "Pielāgošana", - "description": "Pielāgojiet jūsu iekārtas", - "picker": { - "header": "Pielāgošana", - "introduction": "Korekcijas atribūti vienai vienībai. Pievienotās \/ labotās pielāgošanas stāsies spēkā nekavējoties. Noņemtie pielāgojumi stāsies spēkā, kad vienība tiks atjaunināta." - } - }, - "automation": { - "caption": "Automatizācija", - "description": "Veidojiet un rediģējiet automatizācijas", - "picker": { - "header": "Automatizāciju redaktors", - "introduction": "Automatizācijas redaktors ļauj jums izveidot un rediģēt automatizācijas. Lūdzu, sekojiet saitei zemāk, lai pārliecinātos, ka esat pareizi konfigurējis Home Assistant.", - "pick_automation": "Izvēlieties automatizāciju rediģēšanai", - "no_automations": "Mēs nevarējām atrast rediģējamas automatizācijas", - "add_automation": "Pievienot automatizāciju", - "learn_more": "Uzziniet vairāk par automatizācijām" - }, - "editor": { - "introduction": "Lietojiet automatizācijas, lai iedzīvinātu Jūsu mājās", - "default_name": "Jauna automatizācija", - "save": "Saglabāt", - "unsaved_confirm": "Jums ir nesaglabātas izmaiņas. Vai tiešām vēlaties pamest?", - "alias": "Nosaukums", - "triggers": { - "header": "Trigeri", - "introduction": "Trigeri ir tas, kas sāk automatizācijas noteikuma apstrādi. Vienam noteikumam ir iespējams norādīt vairākus trigerus. Kad trigeris sāk, Home Assistant apstiprina nosacījumus, ja tādi ir, un izsauc darbību.", - "add": "Pievienot trigeri", - "duplicate": "Dublicēt", - "delete": "Dzēst", - "delete_confirm": "Vai tiešām vēlaties dzēst?", - "unsupported_platform": "Neatbalstīta platforma: {platform}", - "type_select": "Trigera veids", - "type": { - "event": { - "label": "Notikums", - "event_type": "Notikuma tips", - "event_data": "Notikuma dati" - }, - "state": { - "label": "Stāvoklis", - "from": "No", - "to": "Uz", - "for": "Uz" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Notikums:", - "start": "Sākt", - "shutdown": "Izslēgt" - }, - "mqtt": { - "label": "MQTT", - "topic": "Temats", - "payload": "Vērtība (pēc izvēles)" - }, - "numeric_state": { - "label": "Skaitliskais stāvoklis", - "above": "Virs", - "below": "Zem", - "value_template": "Vērtības veidne (nav obligāta)" - }, - "sun": { - "label": "Saule", - "event": "Notikums:", - "sunrise": "Saullēkts", - "sunset": "Saulriets", - "offset": "Nobīde (pēc izvēles)" - }, - "template": { - "label": "Veidne", - "value_template": "Vērtības veidne" - }, - "time": { - "label": "Laiks", - "at": "Pie" - }, - "zone": { - "label": "Zona", - "entity": "Vienība ar atrašanās vietu", - "zone": "Zona", - "event": "Notikums:", - "enter": "Ieiet", - "leave": "Iziet" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook ID" - }, - "time_pattern": { - "label": "Laika Modelis", - "hours": "Stundas", - "minutes": "Minūtes", - "seconds": "Sekundes" - }, - "geo_location": { - "label": "Ģeogrāfiskā atrašanās vieta", - "source": "Avots", - "zone": "Zona", - "event": "Notikums:", - "enter": "Ieiet", - "leave": "Iziet" - }, - "device": { - "label": "Ierīce" - } - }, - "learn_more": "Uzziniet vairāk par trigeriem" - }, - "conditions": { - "header": "Nosacījumi", - "introduction": "Nosacījumi ir automatizācijas noteikuma izvēles daļa, un to var izmantot, lai novērstu darbību rašanos. Nosacījumi izskatās ļoti līdzīgi trigeriem, taču tie ir ļoti atšķirīgi. Trigeri izskatīs notikumus, kas notiek sistēmā, bet nosacījums tikai aplūko, kā sistēma šobrīd izskatās. Trigeri var novērot, ka slēdzis tiek ieslēgts. Nosacījums var redzēt tikai to, vai slēdzis pašlaik ir ieslēgts vai izslēgts.", - "add": "Pievienot nosacījumu", - "duplicate": "Duplicēt", - "delete": "Dzēst", - "delete_confirm": "Vai tiešām vēlaties dzēst?", - "unsupported_condition": "Neatbalstīts nosacījums: {condition}", - "type_select": "Nosacījuma tips", - "type": { - "state": { - "label": "Stāvoklis", - "state": "Stāvoklis" - }, - "numeric_state": { - "label": "Skaitliskais stāvoklis", - "above": "Virs", - "below": "Zem", - "value_template": "Vērtības veidne (neobligāti)" - }, - "sun": { - "label": "Saule", - "before": "Pirms:", - "after": "Pēc:", - "before_offset": "Pirms nobīdes (neobligāti)", - "after_offset": "Pēc nobīdes (neobligāti)", - "sunrise": "Saullēkts", - "sunset": "Saulriets" - }, - "template": { - "label": "Veidne", - "value_template": "Vērtības veidne" - }, - "time": { - "label": "Laiks", - "after": "Pēc", - "before": "Pirms" - }, - "zone": { - "label": "Zona", - "entity": "Vienība ar atrašanos vietu", - "zone": "Zona" - }, - "device": { - "label": "Ierīce" - } - }, - "learn_more": "Uzziniet vairāk par nosacījumiem" - }, - "actions": { - "header": "Darbības", - "introduction": "Darbības nosaka, ko Home Assistant darīs, kad tiks aktivizēta automatizācija.", - "add": "Pievienot darbību", - "duplicate": "Dublicēt", - "delete": "Dzēst", - "delete_confirm": "Vai tiešām vēlaties dzēst?", - "unsupported_action": "Neatbalstīta darbība: {action}", - "type_select": "Darbības tips", - "type": { - "service": { - "label": "Izsaukt pakalpojumu", - "service_data": "Pakalpojuma dati" - }, - "delay": { - "label": "Atlikt", - "delay": "Atlikt" - }, - "wait_template": { - "label": "Pagaidīt", - "wait_template": "Pagaidīt Veidne", - "timeout": "Taimauts (pēc izvēles)" - }, - "condition": { - "label": "Nosacījums" - }, - "event": { - "label": "Palaist notikumu:", - "event": "Notikums:", - "service_data": "Pakalpojuma dati" - }, - "device_id": { - "label": "Ierīce" - } - }, - "learn_more": "Uzziniet vairāk par darbībām" - }, - "load_error_not_editable": "Automatizācijas ir rediģējamas tikai \"automations.yaml\" failā.", - "load_error_unknown": "Kļūda ielādējot automatizāciju ({err_no})" - } - }, - "script": { - "caption": "Skripti", - "description": "Veidojiet un rediģējiet skriptus" - }, - "zwave": { - "caption": "Z-Wave", - "description": "Pārvaldiet Z-Wave tīklu", - "network_management": { - "header": "Z-Wave Tīkla Pārvaldība", - "introduction": "Palaist komandas, kas ietekmē Z-Wave tīklu. Jūs nesaņemsit atpakaļsaiti par to, vai vairums komandu ir izdevušās, taču varat pārbaudīt OZW žurnālu, lai mēģinātu to uzzināt." - }, - "network_status": { - "network_stopped": "Z-Wave Tīkls Apturēts", - "network_starting": "Z-Wave tīkla startēšana...", - "network_starting_note": "Tas var aizņemt kādu laiku atkarībā no Jūsu tīkla lieluma.", - "network_started": "Z-Wave Tīkls Sākts", - "network_started_note_some_queried": "Nomodā esoši megli ir ierindoti. Miega režimā esoši mezgli tiks ierindoti tiklīdz tie būs nomodā.", - "network_started_note_all_queried": "Visi mezgli ir ierindoti." - }, - "services": { - "start_network": "Sākt Tīklu", - "stop_network": "Apturēt Tīklu", - "heal_network": "Labot Tīklu", - "test_network": "Pārbaudīt Tīklu", - "soft_reset": "Vieglā Atiestatīšana", - "save_config": "Saglabāt konfigurāciju", - "add_node_secure": "Pievienot Drošo Mezglu", - "add_node": "Pievienot Mezglu", - "remove_node": "Noņemt Mezglu", - "cancel_command": "Atcelt Komandu" - }, - "common": { - "value": "Vērtība", - "instance": "Instance", - "index": "Indekss", - "unknown": "nezināms", - "wakeup_interval": "Wakeup intervāls" - }, - "values": { - "header": "Mezglu vērtības" - }, - "node_config": { - "header": "Mezgla konfigurēšanas opcijas", - "seconds": "sekundes", - "set_wakeup": "Wakeup intervāla iestatīšana", - "config_parameter": "Konfigurācijas parametrs", - "config_value": "Konfigurētā vērtība", - "true": "Patiess", - "false": "Nepatiess", - "set_config_parameter": "Iestatīt konfigurācijas parametru" - } - }, - "users": { - "caption": "Lietotāji", - "description": "Pārvaldīt lietotājus", - "picker": { - "title": "Lietotāji" - }, - "editor": { - "rename_user": "Pārdēvēt lietotāju", - "change_password": "Mainīt paroli", - "activate_user": "Aktivizēt lietotāju", - "deactivate_user": "Deaktivizēt lietotāju", - "delete_user": "Dzēst lietotāju", - "caption": "Skatīt lietotāju" - }, - "add_user": { - "caption": "Lietotāja pievienošana", - "name": "Vārds", - "username": "Lietotājvārds", - "password": "Parole", - "create": "Izveidot" - } - }, - "cloud": { - "caption": "Home Assistant Cloud", - "description_login": "Pieteikts kā {email}", - "description_not_login": "Neesat pieteicies", - "description_features": "Kontrolējiet prom no mājām, integrējieties ar Alexa un Google Assistant." - }, - "integrations": { - "caption": "Integrācijas", - "description": "Pārvaldīt un iestatīt integrācijas", - "discovered": "Atklāts", - "configured": "Konfigurēts", - "new": "Izveidot jaunu integrāciju", - "configure": "Konfigurēt", - "none": "Nekas vēl nav konfigurēts", - "config_entry": { - "no_devices": "Šai integrācijai nav ierīču.", - "no_device": "Vienības, bez ierīcēm", - "delete_confirm": "Vai tiešām vēlaties dzēst šo integrāciju?", - "restart_confirm": "Restartēt Home Assistant, lai pabeigtu šīs integrācijas noņemšanu", - "manuf": "{manufacturer}", - "via": "Savienots ar", - "firmware": "Programmaparatūra: {version}", - "device_unavailable": "ierīce nav pieejama", - "entity_unavailable": "vienība nav pieejama", - "no_area": "Nav Apgabala", - "hub": "Savienots caur" - }, - "config_flow": { - "external_step": { - "description": "Šajā solī ir nepieciešams, lai jūs apmeklētu ārēju tīmekļa vietni, lai pabeigtu.", - "open_site": "Atvērt tīmekļa vietni" - } - } - }, - "zha": { - "caption": "ZHA", - "description": "Zigbee Home Automation tīkla pārvaldība", - "services": { - "reconfigure": "Pārkonfigurējiet ZHA ierīci (heal device). Izmantojiet to, ja rodas problēmas ar ierīci. Ja attiecīgā ierīce ir ar akumulatoru darbināma ierīce, lūdzu, pārliecinieties, ka tā ir nomodā un pieņem komandas, kad izmantojat šo pakalpojumu.", - "updateDeviceName": "Ierīču reģistrā iestatiet šai ierīcei pielāgotu nosaukumu.", - "remove": "Noņemt ierīci no Zigbee tīkla." - }, - "device_card": { - "device_name_placeholder": "Lietotāja dots nosaukums", - "area_picker_label": "Apgabals", - "update_name_button": "Atjaunināt Nosaukumu" - }, - "add_device_page": { - "header": "Zigbee Home Automation - Pievienot ierīces", - "spinner": "Meklē ZHA Zigbee ierīces...", - "discovery_text": "Šeit tiks parādītas atklātās ierīces. Izpildiet ierīces (-ču) instrukcijas un iestatiet ierīci (-es) pārī savienošanas režīmā." - } - }, - "area_registry": { - "caption": "Apgabala Reģistrs", - "description": "Pārskats par visām vietām jūsu mājās.", - "picker": { - "header": "Apgabala Reģistrs", - "introduction": "Apgabali tiek izmantoti, lai organizētu ierīces atrašanās vietu. Šī informācija tiks izmantota visā Home Assistant, lai palīdzētu organizēt Jūsu saskarni, atļaujas un integrāciju ar citām sistēmām.", - "introduction2": "Lai novietotu ierīces apgabalā, izmantojiet zemāk esošo saiti, lai pārietu uz integrācijas lapu un pēc tam noklikšķiniet uz konfigurētas integrācijas, lai iegūtu ierīces kartiņu.", - "integrations_page": "Integrāciju lapa", - "no_areas": "Izskatās, ka jums vēl nav apgabalu!", - "create_area": "IZVEIDOT APGABALU" - }, - "no_areas": "Izskatās, ka jums vēl nav apgabalu!", - "create_area": "IZVEIDOT APGABALU", - "editor": { - "default_name": "Jauns Apgabals", - "delete": "DZĒST", - "update": "ATJAUNINĀT", - "create": "IZVEIDOT" - } - }, - "entity_registry": { - "caption": "Vienību Reģistrs", - "description": "Pārskats par visām zināmajām vienībām.", - "picker": { - "header": "Vienību Reģistrs", - "unavailable": "(nav pieejams)", - "introduction": "Home Assistant uztur katras vienības reģistru, kuru var unikāli identificēt. Katrai no šīm vienībām tiks piešķirts vienības ID, kas tiks rezervēts tikai šai vienībai.", - "introduction2": "Izmantojiet vienību reģistru, lai piešķirtu vārdu, mainītu vienību ID vai noņemtu ierakstu no Home Assistant. Ņemiet vērā: noņemot vienības reģistra ierakstu, vienība netiks noņemta. Lai to izdarītu, sekojiet zemāk esošajai saitei un noņemiet to no integrācijas lapas.", - "integrations_page": "Integrāciju lapa" - }, - "editor": { - "unavailable": "Šī vienība pašlaik nav pieejama.", - "default_name": "Jauns Apgabals", - "delete": "DZĒST", - "update": "ATJAUNINĀT", - "enabled_label": "Iespējot vienību", - "enabled_cause": "Atspējots dēļ {cause}.", - "enabled_description": "Atspējotās vienības netiks pievienotas Home Assistant." - } - }, - "person": { - "caption": "Personas", - "description": "Pārvaldīt personas, kuras izseko Home Assistant.", - "detail": { - "name": "Nosaukums", - "device_tracker_intro": "Atlasiet ierīces, kas pieder šai personai.", - "device_tracker_picked": "Izsekot Ierīci", - "device_tracker_pick": "Izvēlieties izsekojamo ierīci" - } - }, - "server_control": { - "caption": "Servera vadība", - "description": "Restartēt un apturēt Home Assistant serveri", - "section": { - "validation": { - "heading": "Konfigurācijas pārbaude", - "introduction": "Veiciet konfigurācijas pārbaudi, ja nesen esat veicis izmaiņas konfigurācijā un vēlaties pārliecināties, ka tā ir korekta", - "check_config": "Pārbaudīt konfigurāciju", - "valid": "Konfigurācija korekta!", - "invalid": "Konfigurācija kļūdaina" - }, - "reloading": { - "heading": "Konfigurācijas pārlādēšana", - "introduction": "Atsevišķas Home Assistant daļas var pārlādēt bez nepieciešamības restartēt. Veicot pārlādēšanu iepriekšējā konfigurācija tiks atiestatīta un tiks ielādēta jaunā.", - "core": "Pārlādēt kodolu", - "group": "Pārlādēt grupas", - "automation": "Pārlādēt automatizācijas", - "script": "Pārlādēt skriptus", - "scene": "Pārlādēt ainas" - }, - "server_management": { - "heading": "Servera pārvaldība", - "introduction": "Kontrolējiet savu Home Assistant serveri… no Home Assistant.", - "restart": "Restartēt", - "stop": "Apturēt", - "confirm_restart": "Vai tiešām vēlaties restartēt Home Assistant?", - "confirm_stop": "Vai tiešām vēlaties apturēt Home Assistant?" - } - } - }, - "devices": { - "caption": "Ierīces", - "description": "Pievienoto ierīču pārvaldība" - } - }, - "profile": { - "push_notifications": { - "header": "Pašpiegādes paziņojumi", - "description": "Sūtīt paziņojumus uz šo ierīci.", - "error_load_platform": "Konfigurēt notify.html5.", - "error_use_https": "Nepieciešama SSL iespējošana priekšpusei.", - "push_notifications": "Pašpiegādes paziņojumi", - "link_promo": "Uzziniet vairāk" - }, - "language": { - "header": "Valoda", - "link_promo": "Palīdziet tulkot", - "dropdown_label": "Valoda" - }, - "themes": { - "header": "Tēma", - "error_no_theme": "Nav nevienas tēmas", - "link_promo": "Uzziniet par tēmām", - "dropdown_label": "Tēma" - }, - "refresh_tokens": { - "header": "Atsvaidzināšanas pilnvaras", - "description": "Katra atsvaidzināšanas pilvara pārstāv pieteikšanās sesiju. Atsvaidzināšanas pilvaras tiks automātiski noņemtas, kad Jūs izrakstīsieties. Šāda atsvaidzināšanas pilvaras ir pašreiz aktīvas Jūsu kontā.", - "token_title": "{clientId} atsvaidzināšanas pilnvara", - "created_at": "Izveidots {date}", - "confirm_delete": "Vai tiešām vēlaties dzēst piekļuves pilnvaru {name}?", - "delete_failed": "Neizdevās dzēst atsvaidzināšanas pilnvaru.", - "last_used": "Pēdējoreiz izmantots {date} no {location}", - "not_used": "Nekad nav izmantots", - "current_token_tooltip": "Nevar izdzēst pašreizējo atsvaidzināšanas pilnvaru" - }, - "long_lived_access_tokens": { - "header": "Ilgtermiņas piekļuves pilnvaras", - "description": "Izveidojiet ilgtermiņa piekļuves pilnvaras, lai ļautu jūsu skriptiem mijiedarboties ar jūsu Home Assistant instanci. Katra pilnvara būs derīga 10 gadus pēc tās radīšanas. Pašlaik ir aktīvas sekojošas ilgstošas piekļuves pilvaras.", - "learn_auth_requests": "Uzziniet, kā veikt autentificētus pieprasījumus.", - "created_at": "Izveidots {date}", - "confirm_delete": "Vai tiešām vēlaties dzēst piekļuves pilnvaru {name}?", - "delete_failed": "Neizdevās dzēst piekļuves pilnvaru.", - "create": "Izveidot pilnvaru", - "create_failed": "Neizdevās izveidot piekļuves pilnvaru.", - "prompt_name": "Vārds?", - "prompt_copy_token": "Kopējiet savu piekļuves pilnvaru. Tas vairs netiks rādīts.", - "empty_state": "Jums vēl nav ilgtermiņa piekļuves pilnvaru.", - "last_used": "Pēdējoreiz izmantots {date} no {location}", - "not_used": "Nekad nav izmantots" - }, - "current_user": "Jūs šobrīd esat pieteicies kā {fullName}.", - "is_owner": "Jūs esat īpašnieks.", - "change_password": { - "header": "Mainīt paroli", - "current_password": "Pašreizējā parole", - "new_password": "Jauna parole", - "confirm_new_password": "Apstipriniet jauno paroli", - "error_required": "Obligāts", - "submit": "Iesniegt" - }, - "mfa": { - "header": "Daudzfaktoru autentifikācijas moduļi", - "disable": "Atspējot", - "enable": "Iespējot", - "confirm_disable": "Vai tiešām vēlaties atspējot {name}?" - }, - "mfa_setup": { - "title_aborted": "Priekšlaikus pārtraukta", - "title_success": "Veiksmīgi!", - "step_done": "Iestatīšana ir pabeigta {step}", - "close": "Aizvērt", - "submit": "Iesniegt" - }, - "logout": "Iziet", - "force_narrow": { - "header": "Vienmēr slēpt sānjoslu", - "description": "Tas pēc noklusējuma slēps sānjoslu, līdzīgi kā mobilajās ierīcēs." - } - }, - "page-authorize": { - "initializing": "Inicializēšana", - "authorizing_client": "Jūs gatavojaties piešķirt {clientId} piekļuvi jūsu Home Assistant.", - "logging_in_with": "Pieteikšanās ar ** {authProviderName} **.", - "pick_auth_provider": "Vai pieteikties, izmantojot", - "abort_intro": "Pieteikšanās priekšlaikus pārtraukta", - "form": { - "working": "Lūdzu uzgaidiet", - "unknown_error": "Kaut kas nogāja greizi", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Lietotājvārds", - "password": "Parole" - } - }, - "mfa": { - "data": { - "code": "Divu faktoru autentifikācijas kods" - }, - "description": "Savā ierīcē atveriet ** {mfa_module_name} **, lai skatītu divu faktoru autentifikācijas kodu un verificētu savu identitāti:" - } - }, - "error": { - "invalid_auth": "Nederīgs lietotājvārds vai parole", - "invalid_code": "Nederīgs autentifikācijas kods" - }, - "abort": { - "login_expired": "Sesija beidzās, lūdzu, piesakieties vēlreiz." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "API parole" - }, - "description": "Lūdzu, ievadiet API paroli savā http config:" - }, - "mfa": { - "data": { - "code": "Divu faktoru autentifikācijas kods" - }, - "description": "Savā ierīcē atveriet ** {mfa_module_name} **, lai skatītu divu faktoru autentifikācijas kodu un verificētu savu identitāti:" - } - }, - "error": { - "invalid_auth": "Nederīga API parole", - "invalid_code": "Nederīgs autentifikācijas kods" - }, - "abort": { - "no_api_password_set": "Jums nav konfigurēta API parole.", - "login_expired": "Sesija beigusies, lūdzu piesakaties vēlreiz." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Lietotājs" - }, - "description": "Lūdzu, atlasiet lietotāju, kuru vēlaties pieteikties kā:" - } - }, - "abort": { - "not_whitelisted": "Jūsu dators nav iekļauts baltajā sarakstā." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Lietotājvārds", - "password": "Parole" - } - }, - "mfa": { - "data": { - "code": "Divpakāpju Autorizācijas Kods" - }, - "description": "Savā ierīcē atveriet ** {mfa_module_name} **, lai skatītu divu faktoru autentifikācijas kodu un verificētu savu identitāti:" - } - }, - "error": { - "invalid_auth": "Nederīgs lietotājvārds vai parole", - "invalid_code": "Nepareizs autorizācijas kods" - }, - "abort": { - "login_expired": "Sesija ir beigusies, lūdzu, ielogojaties vēlreiz." - } - } - } - } - }, - "page-onboarding": { - "intro": "Vai esat gatavs pamodināt savu māju, atgūt savu konfidencialitāti un pievienoties pasaules mēroga kopienai?", - "user": { - "intro": "Sāksim ar lietotāja konta izveidi.", - "required_field": "Obligāts", - "data": { - "name": "Vārds", - "username": "Lietotājvārds", - "password": "Parole", - "password_confirm": "Apstipriniet Paroli" - }, - "create_account": "Izveidot Kontu", - "error": { - "required_fields": "Aizpildiet visus obligātos laukus", - "password_not_match": "Paroles nesakrīt" - } - }, - "integration": { - "intro": "Home Assistant ierīces un pakalpojumi tiek parādītas kā integrācijas. Tos var iestatīt tūlīt vai izdarīt vēlāk konfigurācijas ekrānā.", - "more_integrations": "Vairāk", - "finish": "Pabeigt" - }, - "core-config": { - "intro": "Sveiki {name}! Laipni lūdzam Home Assistant. Kā jūs vēlētos nosaukt savas mājas?", - "intro_location": "Mēs gribētu zināt, kur tu dzīvo. Šī informācija palīdzēs parādīt informāciju un iestatīt uz saules bāzes balstītas automātikas. Šie dati nekad netiek koplietoti ārpus jūsu tīkla.", - "intro_location_detect": "Mēs varam palīdzēt jums aizpildīt šo informāciju, iesniedzot vienreizēju pieprasījumu ārējam pakalpojumam.", - "location_name_default": "Mājas", - "button_detect": "Noteikt", - "finish": "Nākamais" - } - }, - "lovelace": { - "cards": { - "shopping-list": { - "checked_items": "Atzīmētie vienumi", - "clear_items": "Notīrīt atzīmētos vienumus", - "add_item": "Pievienot vienumu" - }, - "empty_state": { - "title": "Laipni lūgti mājās", - "no_devices": "Šī lapa ļauj jums kontrolēt savas ierīces, tomēr izskatās, ka vēl nav izveidotas ierīces. Lai sāktu darbu, dodieties uz integrācijas lapu.", - "go_to_integrations_page": "Dodieties uz integrācijas lapu." - }, - "picture-elements": { - "hold": "Turēt:", - "tap": "Pieskarties:", - "navigate_to": "Dodieties uz {location}", - "toggle": "Pārslēgt {name}", - "call_service": "Izsaukt pakalpojumu {name}", - "more_info": "Rādīt vairāk informācijas: {name}" - } - }, - "editor": { - "edit_card": { - "header": "Kartītes konfigurācija", - "save": "Saglabāt", - "toggle_editor": "Pārslēgt redaktoru", - "pick_card": "Izvēlieties kartīti, kuru vēlaties pievienot.", - "add": "Pievienot kartīti", - "edit": "Rediģēt", - "delete": "Dzēst", - "move": "Pārvietot" - }, - "migrate": { - "header": "Nesaderīga konfigurācija", - "para_no_id": "Šim elementam nav ID. Lūdzu, pievienojiet ID šim elementam 'ui-lovelace.yaml' failā.", - "para_migrate": "Home Assistant var automātiski pievienot ID visām kartītēm un skatiem, nospiežot pogu \"Pārvietot konfigurāciju\".", - "migrate": "Pārvietot konfigurāciju" - }, - "header": "Rediģēt lietotāja saskarni", - "edit_view": { - "header": "Skatīt konfigurāciju", - "add": "Pievienot skatu", - "edit": "Rediģēt skatu", - "delete": "Dzēst skatu" - }, - "save_config": { - "header": "Pārņemt kontroli pār savu Lovelace lietotāja saskarni", - "para": "Pēc noklusējuma Home Assistant uzturēs jūsu lietotāja saskarni, atjauninot to, kad būs pieejami jauni objekti vai Lovelace komponenti. Ja jūs uzņematies kontroli, mēs jums vairs neveiksim izmaiņas automātiski jūsu vietā.", - "para_sure": "Vai tiešām vēlaties pārņemt kontroli pār lietotāja saskarni?", - "cancel": "Atcelt", - "save": "Pārņemt kontroli" - }, - "menu": { - "raw_editor": "Konfigurācijas teksta redaktors" - }, - "raw_editor": { - "header": "Konfigurācijas redaktors", - "save": "Saglabāt", - "unsaved_changes": "Nesaglabātās izmaiņas", - "saved": "Saglabāts" - }, - "edit_lovelace": { - "header": "Jūsu Lovelace UI virsraksts", - "explanation": "Šis nosaukums tiek parādīts virs visiem Jūsu Lovelace skatiem." - } - }, - "menu": { - "configure_ui": "Konfigurēt lietotāja saskarni", - "unused_entities": "Neizmantotās vienības", - "help": "Palīdzība", - "refresh": "Atsvaidzināt" - }, - "warning": { - "entity_not_found": "Vienība nav pieejama: {entity}", - "entity_non_numeric": "Vienībai nav skaitļu: {entity}" - }, - "changed_toast": { - "message": "Lovelace konfigurācija tika atjaunināta. Vai vēlaties atsvaidzināt?", - "refresh": "Atsvaidzināt" - }, - "reload_lovelace": "Pārlādēt Lovelace" - }, - "page-demo": { - "cards": { - "demo": { - "demo_by": "{name}", - "next_demo": "Nākamā demonstrācija", - "introduction": "Laipni lūgts mājās! Jūs esat sasniedzis Home Assistant demonstrāciju, kurā mēs parādām labākos lietotāja kopienas izveidotos lietotāja interfeisus.", - "learn_more": "Uzziniet vairāk par Home Assistant" - } - }, - "config": { - "arsaboo": { - "names": { - "upstairs": "Augšstāvs", - "family_room": "Ģimenes Istaba", - "kitchen": "Virtuve", - "patio": "Terase", - "hallway": "Gaitenis", - "master_bedroom": "Galvenā Guļamistaba", - "left": "Pa kreisi", - "right": "Pa labi", - "mirror": "Spogulis" - }, - "labels": { - "lights": "Gaismas", - "information": "Informācija", - "morning_commute": "Rīta Brauciens", - "commute_home": "Brauciens uz Mājām", - "entertainment": "Izklaide", - "activity": "Aktivitāte", - "hdmi_input": "HDMI Ievade", - "hdmi_switcher": "HDMI Pārslēdzējs", - "volume": "Skaļums", - "total_tv_time": "Kopējais TV Laiks", - "turn_tv_off": "Izslēgt Televizoru", - "air": "Gaiss" - }, - "unit": { - "watching": "skatotās", - "minutes_abbr": "min" - } - } - } - } - }, - "sidebar": { - "log_out": "Iziet", - "external_app_configuration": "Lietotņu Konfigurēšana" - }, - "common": { - "loading": "Ielāde", - "cancel": "Atcelt", - "save": "Saglabāt", - "successfully_saved": "Veiksmīgi saglabāts" - }, - "duration": { - "day": "{count} {count, plural,\none {diena}\nother {dienas}\n}", - "week": "{count} {count, plural,\n one {nedēļa}\n other {nedēļas}\n}", - "second": "{count} {count, plural,\n one {sekunde}\n other {sekundes}\n}", - "minute": "{count} {count, plural,\n one {minūte}\n other {minūtes}\n}", - "hour": "{count} {count, plural,\n one {stunda}\n other {stundas}\n}" - }, - "login-form": { - "password": "Parole", - "remember": "Atcerēties", - "log_in": "Pieslēgties" + "auth_store": { + "ask": "Vai vēlaties saglabāt šo pieteikšanos?", + "confirm": "Saglabāt pieteikšanos", + "decline": "Nē paldies" }, "card": { + "alarm_control_panel": { + "arm_away": "Pieslēgt prombūtni", + "arm_custom_bypass": "Pielāgots apvedceļš", + "arm_home": "Pieslēgt mājas", + "arm_night": "Pieslēgts uz nakti", + "armed_custom_bypass": "Pielāgots apvedceļš", + "clear_code": "Notīrīt", + "code": "Kods", + "disarm": "Atslēgt" + }, + "automation": { + "last_triggered": "Pēdējais izsaukums", + "trigger": "Izsaukt" + }, "camera": { "not_available": "Attēls nav pieejams" }, + "climate": { + "aux_heat": "Ārējais sildītājs", + "away_mode": "Prombūtnes režīms", + "currently": "Pašlaik", + "fan_mode": "Ventilatora režīms", + "on_off": "Ieslēgts \/ Izslēgts", + "operation": "Darbība", + "preset_mode": "Iestatījums", + "swing_mode": "Šūpošanas režīms", + "target_humidity": "Mērķa mitrums", + "target_temperature": "Mērķa temperatūra" + }, + "cover": { + "position": "Pozīcija", + "tilt_position": "Slīpuma pozīcija" + }, + "fan": { + "direction": "Virziens", + "forward": "Uz priekšu", + "oscillate": "Svārstīties", + "reverse": "Uz atpakaļu", + "speed": "Ātrums" + }, + "light": { + "brightness": "Spilgtums", + "color_temperature": "Krāsu temperatūra", + "effect": "Efekts", + "white_value": "Baltā vērtība" + }, + "lock": { + "code": "Kods", + "lock": "Aizslēgt", + "unlock": "Atslēgt" + }, + "media_player": { + "sound_mode": "Skaņas režīms", + "source": "Avots", + "text_to_speak": "Teksts, ko izrunāt" + }, "persistent_notification": { "dismiss": "Aizvērt" }, @@ -1174,6 +464,30 @@ "script": { "execute": "Izpildīt" }, + "timer": { + "actions": { + "cancel": "atcelt", + "finish": "pabeigt", + "pause": "pauze", + "start": "sākt" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Atsākt uzkopšanu", + "return_to_base": "Atgriezties pie doka", + "start_cleaning": "Sākt uzkopšanu", + "turn_off": "Izslēgt", + "turn_on": "Ieslēgt" + } + }, + "water_heater": { + "away_mode": "Prombūtnes režīms", + "currently": "Pašlaik", + "on_off": "Ieslēgts \/ Izslēgts", + "operation": "Darbība", + "target_temperature": "Mērķa temperatūra" + }, "weather": { "attributes": { "air_pressure": "Gaisa spiediens", @@ -1189,8 +503,8 @@ "n": "Z", "ne": "ZA", "nne": "ZA", - "nw": "ZR", "nnw": "ZZR", + "nw": "ZR", "s": "D", "se": "DA", "sse": "DDA", @@ -1201,123 +515,45 @@ "wsw": "RDR" }, "forecast": "Prognoze" - }, - "alarm_control_panel": { - "code": "Kods", - "clear_code": "Notīrīt", - "disarm": "Atslēgt", - "arm_home": "Pieslēgt mājas", - "arm_away": "Pieslēgt prombūtni", - "arm_night": "Pieslēgts uz nakti", - "armed_custom_bypass": "Pielāgots apvedceļš", - "arm_custom_bypass": "Pielāgots apvedceļš" - }, - "automation": { - "last_triggered": "Pēdējais izsaukums", - "trigger": "Izsaukt" - }, - "cover": { - "position": "Pozīcija", - "tilt_position": "Slīpuma pozīcija" - }, - "fan": { - "speed": "Ātrums", - "oscillate": "Svārstīties", - "direction": "Virziens", - "forward": "Uz priekšu", - "reverse": "Uz atpakaļu" - }, - "light": { - "brightness": "Spilgtums", - "color_temperature": "Krāsu temperatūra", - "white_value": "Baltā vērtība", - "effect": "Efekts" - }, - "media_player": { - "text_to_speak": "Teksts, ko izrunāt", - "source": "Avots", - "sound_mode": "Skaņas režīms" - }, - "climate": { - "currently": "Pašlaik", - "on_off": "Ieslēgts \/ Izslēgts", - "target_temperature": "Mērķa temperatūra", - "target_humidity": "Mērķa mitrums", - "operation": "Darbība", - "fan_mode": "Ventilatora režīms", - "swing_mode": "Šūpošanas režīms", - "away_mode": "Prombūtnes režīms", - "aux_heat": "Ārējais sildītājs", - "preset_mode": "Iestatījums" - }, - "lock": { - "code": "Kods", - "lock": "Aizslēgt", - "unlock": "Atslēgt" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Atsākt uzkopšanu", - "return_to_base": "Atgriezties pie doka", - "start_cleaning": "Sākt uzkopšanu", - "turn_on": "Ieslēgt", - "turn_off": "Izslēgt" - } - }, - "water_heater": { - "currently": "Pašlaik", - "on_off": "Ieslēgts \/ Izslēgts", - "target_temperature": "Mērķa temperatūra", - "operation": "Darbība", - "away_mode": "Prombūtnes režīms" - }, - "timer": { - "actions": { - "start": "sākt", - "pause": "pauze", - "cancel": "atcelt", - "finish": "pabeigt" - } } }, + "common": { + "cancel": "Atcelt", + "loading": "Ielāde", + "save": "Saglabāt", + "successfully_saved": "Veiksmīgi saglabāts" + }, "components": { "entity": { "entity-picker": { "entity": "Vienība" } }, - "service-picker": { - "service": "Pakalpojums" - }, - "relative_time": { - "past": "{time} atpakaļ", - "future": "Pēc {time}", - "never": "Nekad", - "duration": { - "second": "{count} {count, plural,\n one {sekunde}\n other {sekundes}\n}", - "minute": "{count} {count, plural,\n one {minūte}\n other {minūtes}\n}", - "hour": "{count} {count, plural,\n one {stunda}\n other {stundas}\n}", - "day": "{count} {count, plural,\n one {diena}\n other {dienas}\n}", - "week": "{count} {count, plural,\n one {nedēļa}\n other {nedēļas}\n}" - } - }, "history_charts": { "loading_history": "Vēsturiskie ieraksti par stāvokli tiek ielādēti.", "no_history_found": "Vēsturiskie ieraksti par stāvokli netika atrasti." + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\n one {diena}\\n other {dienas}\\n}", + "hour": "{count} {count, plural,\\n one {stunda}\\n other {stundas}\\n}", + "minute": "{count} {count, plural,\\n one {minūte}\\n other {minūtes}\\n}", + "second": "{count} {count, plural,\\n one {sekunde}\\n other {sekundes}\\n}", + "week": "{count} {count, plural,\\n one {nedēļa}\\n other {nedēļas}\\n}" + }, + "future": "Pēc {time}", + "never": "Nekad", + "past": "{time} atpakaļ" + }, + "service-picker": { + "service": "Pakalpojums" } }, - "notification_toast": { - "entity_turned_on": "{entity} ieslēgta.", - "entity_turned_off": "{entity} izslēgta.", - "service_called": "Serviss {service} izsaukts.", - "service_call_failed": "Neizdevās izsaukt servisu {service}.", - "connection_lost": "Savienojums zaudēts. Atkārtota savienošanās ..." - }, "dialogs": { - "more_info_settings": { - "save": "Saglabāt", - "name": "Piesķirt nosaukumu", - "entity_id": "Vienības ID" + "config_entry_system_options": { + "enable_new_entities_description": "Ja atspējots, jaunatklātās vienības netiks automātiski pievienotas Home Assistant.", + "enable_new_entities_label": "Iespējot tikko pievienotās vienības.", + "title": "Sistēmas Opcijas" }, "more_info_control": { "script": { @@ -1332,6 +568,11 @@ "title": "Atjaunināt Instrukcijas" } }, + "more_info_settings": { + "entity_id": "Vienības ID", + "name": "Piesķirt nosaukumu", + "save": "Saglabāt" + }, "options_flow": { "form": { "header": "Opcijas" @@ -1340,125 +581,884 @@ "description": "Opcijas ir veiksmīgi saglabātas." } }, - "config_entry_system_options": { - "title": "Sistēmas Opcijas", - "enable_new_entities_label": "Iespējot tikko pievienotās vienības.", - "enable_new_entities_description": "Ja atspējots, jaunatklātās vienības netiks automātiski pievienotas Home Assistant." - }, "zha_device_info": { "manuf": "autors {manufacturer}", "no_area": "Nav Apgabala", "services": { "reconfigure": "Pārkonfigurējiet ZHA ierīci ( labot ierīci). Izmantojiet to, ja rodas problēmas ar ierīci. Ja attiecīgā ierīce ir ar akumulatoru darbināma ierīce, lūdzu, pārliecinieties, ka tā ir nomodā un pieņem komandas, kad izmantojat šo pakalpojumu.", - "updateDeviceName": "Ierīču reģistrā iestatiet šai ierīcei pielāgotu nosaukumu.", - "remove": "Noņemt ierīci no Zigbee tīkla." + "remove": "Noņemt ierīci no Zigbee tīkla.", + "updateDeviceName": "Ierīču reģistrā iestatiet šai ierīcei pielāgotu nosaukumu." }, "zha_device_card": { - "device_name_placeholder": "Lietotāja dots vārds", "area_picker_label": "Apgabals", + "device_name_placeholder": "Lietotāja dots vārds", "update_name_button": "Atjaunināt Vārdu" } } }, - "auth_store": { - "ask": "Vai vēlaties saglabāt šo pieteikšanos?", - "decline": "Nē paldies", - "confirm": "Saglabāt pieteikšanos" + "duration": { + "day": "{count} {count, plural,\\none {diena}\\nother {dienas}\\n}", + "hour": "{count} {count, plural,\\n one {stunda}\\n other {stundas}\\n}", + "minute": "{count} {count, plural,\\n one {minūte}\\n other {minūtes}\\n}", + "second": "{count} {count, plural,\\n one {sekunde}\\n other {sekundes}\\n}", + "week": "{count} {count, plural,\\n one {nedēļa}\\n other {nedēļas}\\n}" + }, + "login-form": { + "log_in": "Pieslēgties", + "password": "Parole", + "remember": "Atcerēties" }, "notification_drawer": { "click_to_configure": "Noklikšķiniet uz pogas, lai konfigurētu {entity}", "empty": "Nav paziņojumu", "title": "Paziņojumi" - } - }, - "domain": { - "alarm_control_panel": "Signalizācijas vadības panelis", - "automation": "Automatizācija", - "binary_sensor": "Binārais sensors", - "calendar": "Kalendārs", - "camera": "Kamera", - "climate": "Klimats", - "configurator": "Konfigurētājs", - "conversation": "Saruna", - "cover": "Nosegi", - "device_tracker": "Ierīču izsekotājs", - "fan": "Ventilators", - "history_graph": "Vēstures grafiks", - "group": "Grupa", - "image_processing": "Attēlu apstrāde", - "input_boolean": "Ieejas boolean", - "input_datetime": "Ievades datuma laiks", - "input_select": "Ievades izvēle", - "input_number": "Ievades numurs", - "input_text": "Ievades teksts", - "light": "Gaisma", - "lock": "Slēdzene", - "mailbox": "Pastkastīte", - "media_player": "Multivides atskaņotājs", - "notify": "Paziņot", - "plant": "Augs", - "proximity": "Tuvums", - "remote": "Tālvadība", - "scene": "Sižets", - "script": "Skripts", - "sensor": "Sensors", - "sun": "Saule", - "switch": "Slēdzis", - "updater": "Atjauninātājs", - "weblink": "Weblink", - "zwave": "Z-Wave", - "vacuum": "Putekļsūcējs", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Sistēmas Veselība", - "person": "Persona" - }, - "attribute": { - "weather": { - "humidity": "Gaisa mitrums", - "visibility": "Redzamība", - "wind_speed": "Vēja ātrums" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Izslēgts", - "on": "Ieslēgts", - "auto": "Automātisks" + }, + "notification_toast": { + "connection_lost": "Savienojums zaudēts. Atkārtota savienošanās ...", + "entity_turned_off": "{entity} izslēgta.", + "entity_turned_on": "{entity} ieslēgta.", + "service_call_failed": "Neizdevās izsaukt servisu {service}.", + "service_called": "Serviss {service} izsaukts." + }, + "panel": { + "config": { + "area_registry": { + "caption": "Apgabala Reģistrs", + "create_area": "IZVEIDOT APGABALU", + "description": "Pārskats par visām vietām jūsu mājās.", + "editor": { + "create": "IZVEIDOT", + "default_name": "Jauns Apgabals", + "delete": "DZĒST", + "update": "ATJAUNINĀT" + }, + "no_areas": "Izskatās, ka jums vēl nav apgabalu!", + "picker": { + "create_area": "IZVEIDOT APGABALU", + "header": "Apgabala Reģistrs", + "integrations_page": "Integrāciju lapa", + "introduction": "Apgabali tiek izmantoti, lai organizētu ierīces atrašanās vietu. Šī informācija tiks izmantota visā Home Assistant, lai palīdzētu organizēt Jūsu saskarni, atļaujas un integrāciju ar citām sistēmām.", + "introduction2": "Lai novietotu ierīces apgabalā, izmantojiet zemāk esošo saiti, lai pārietu uz integrācijas lapu un pēc tam noklikšķiniet uz konfigurētas integrācijas, lai iegūtu ierīces kartiņu.", + "no_areas": "Izskatās, ka jums vēl nav apgabalu!" + } + }, + "automation": { + "caption": "Automatizācija", + "description": "Veidojiet un rediģējiet automatizācijas", + "editor": { + "actions": { + "add": "Pievienot darbību", + "delete": "Dzēst", + "delete_confirm": "Vai tiešām vēlaties dzēst?", + "duplicate": "Dublicēt", + "header": "Darbības", + "introduction": "Darbības nosaka, ko Home Assistant darīs, kad tiks aktivizēta automatizācija.", + "learn_more": "Uzziniet vairāk par darbībām", + "type_select": "Darbības tips", + "type": { + "condition": { + "label": "Nosacījums" + }, + "delay": { + "delay": "Atlikt", + "label": "Atlikt" + }, + "device_id": { + "label": "Ierīce" + }, + "event": { + "event": "Notikums:", + "label": "Palaist notikumu:", + "service_data": "Pakalpojuma dati" + }, + "service": { + "label": "Izsaukt pakalpojumu", + "service_data": "Pakalpojuma dati" + }, + "wait_template": { + "label": "Pagaidīt", + "timeout": "Taimauts (pēc izvēles)", + "wait_template": "Pagaidīt Veidne" + } + }, + "unsupported_action": "Neatbalstīta darbība: {action}" + }, + "alias": "Nosaukums", + "conditions": { + "add": "Pievienot nosacījumu", + "delete": "Dzēst", + "delete_confirm": "Vai tiešām vēlaties dzēst?", + "duplicate": "Duplicēt", + "header": "Nosacījumi", + "introduction": "Nosacījumi ir automatizācijas noteikuma izvēles daļa, un to var izmantot, lai novērstu darbību rašanos. Nosacījumi izskatās ļoti līdzīgi trigeriem, taču tie ir ļoti atšķirīgi. Trigeri izskatīs notikumus, kas notiek sistēmā, bet nosacījums tikai aplūko, kā sistēma šobrīd izskatās. Trigeri var novērot, ka slēdzis tiek ieslēgts. Nosacījums var redzēt tikai to, vai slēdzis pašlaik ir ieslēgts vai izslēgts.", + "learn_more": "Uzziniet vairāk par nosacījumiem", + "type_select": "Nosacījuma tips", + "type": { + "device": { + "label": "Ierīce" + }, + "numeric_state": { + "above": "Virs", + "below": "Zem", + "label": "Skaitliskais stāvoklis", + "value_template": "Vērtības veidne (neobligāti)" + }, + "state": { + "label": "Stāvoklis", + "state": "Stāvoklis" + }, + "sun": { + "after": "Pēc:", + "after_offset": "Pēc nobīdes (neobligāti)", + "before": "Pirms:", + "before_offset": "Pirms nobīdes (neobligāti)", + "label": "Saule", + "sunrise": "Saullēkts", + "sunset": "Saulriets" + }, + "template": { + "label": "Veidne", + "value_template": "Vērtības veidne" + }, + "time": { + "after": "Pēc", + "before": "Pirms", + "label": "Laiks" + }, + "zone": { + "entity": "Vienība ar atrašanos vietu", + "label": "Zona", + "zone": "Zona" + } + }, + "unsupported_condition": "Neatbalstīts nosacījums: {condition}" + }, + "default_name": "Jauna automatizācija", + "introduction": "Lietojiet automatizācijas, lai iedzīvinātu Jūsu mājās", + "load_error_not_editable": "Automatizācijas ir rediģējamas tikai \"automations.yaml\" failā.", + "load_error_unknown": "Kļūda ielādējot automatizāciju ({err_no})", + "save": "Saglabāt", + "triggers": { + "add": "Pievienot trigeri", + "delete": "Dzēst", + "delete_confirm": "Vai tiešām vēlaties dzēst?", + "duplicate": "Dublicēt", + "header": "Trigeri", + "introduction": "Trigeri ir tas, kas sāk automatizācijas noteikuma apstrādi. Vienam noteikumam ir iespējams norādīt vairākus trigerus. Kad trigeris sāk, Home Assistant apstiprina nosacījumus, ja tādi ir, un izsauc darbību.", + "learn_more": "Uzziniet vairāk par trigeriem", + "type_select": "Trigera veids", + "type": { + "device": { + "label": "Ierīce" + }, + "event": { + "event_data": "Notikuma dati", + "event_type": "Notikuma tips", + "label": "Notikums" + }, + "geo_location": { + "enter": "Ieiet", + "event": "Notikums:", + "label": "Ģeogrāfiskā atrašanās vieta", + "leave": "Iziet", + "source": "Avots", + "zone": "Zona" + }, + "homeassistant": { + "event": "Notikums:", + "label": "Home Assistant", + "shutdown": "Izslēgt", + "start": "Sākt" + }, + "mqtt": { + "label": "MQTT", + "payload": "Vērtība (pēc izvēles)", + "topic": "Temats" + }, + "numeric_state": { + "above": "Virs", + "below": "Zem", + "label": "Skaitliskais stāvoklis", + "value_template": "Vērtības veidne (nav obligāta)" + }, + "state": { + "for": "Uz", + "from": "No", + "label": "Stāvoklis", + "to": "Uz" + }, + "sun": { + "event": "Notikums:", + "label": "Saule", + "offset": "Nobīde (pēc izvēles)", + "sunrise": "Saullēkts", + "sunset": "Saulriets" + }, + "template": { + "label": "Veidne", + "value_template": "Vērtības veidne" + }, + "time_pattern": { + "hours": "Stundas", + "label": "Laika Modelis", + "minutes": "Minūtes", + "seconds": "Sekundes" + }, + "time": { + "at": "Pie", + "label": "Laiks" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook ID" + }, + "zone": { + "enter": "Ieiet", + "entity": "Vienība ar atrašanās vietu", + "event": "Notikums:", + "label": "Zona", + "leave": "Iziet", + "zone": "Zona" + } + }, + "unsupported_platform": "Neatbalstīta platforma: {platform}" + }, + "unsaved_confirm": "Jums ir nesaglabātas izmaiņas. Vai tiešām vēlaties pamest?" + }, + "picker": { + "add_automation": "Pievienot automatizāciju", + "header": "Automatizāciju redaktors", + "introduction": "Automatizācijas redaktors ļauj jums izveidot un rediģēt automatizācijas. Lūdzu, sekojiet saitei zemāk, lai pārliecinātos, ka esat pareizi konfigurējis Home Assistant.", + "learn_more": "Uzziniet vairāk par automatizācijām", + "no_automations": "Mēs nevarējām atrast rediģējamas automatizācijas", + "pick_automation": "Izvēlieties automatizāciju rediģēšanai" + } + }, + "cloud": { + "caption": "Home Assistant Cloud", + "description_features": "Kontrolējiet prom no mājām, integrējieties ar Alexa un Google Assistant.", + "description_login": "Pieteikts kā {email}", + "description_not_login": "Neesat pieteicies" + }, + "core": { + "caption": "Vispārīgi", + "description": "Mainiet vispārējo Home Assistant konfigurāciju", + "section": { + "core": { + "core_config": { + "edit_requires_storage": "Redaktors ir atspējots, jo konfigurācija ir definēta configuration.yaml.", + "elevation": "Augstums", + "elevation_meters": "metri", + "imperial_example": "Fārenheita, mārciņas", + "latitude": "Platums", + "location_name": "Jūsu Home Assistant instalācijas nosaukums", + "longitude": "Garums", + "metric_example": "Celsija, kilogrami", + "save_button": "Saglabāt", + "time_zone": "Laika josla", + "unit_system": "Mērvienību sistēma", + "unit_system_imperial": "Imperiālā", + "unit_system_metric": "Metriskā" + }, + "header": "Vispārējā konfigurācija", + "introduction": "Izmaiņas konfigurācijā var būt nogurdinošs process. Mēs zinām. Šai sadaļai vajadzētu padarīt dzīvi mazliet vieglāku." + }, + "server_control": { + "reloading": { + "automation": "Pārlādēt automatizācijas", + "core": "Pārlādēt kodolu", + "group": "Pārlādēt grupas", + "heading": "Konfigurācijas pārlādēšana", + "introduction": "Atsevišķas Home Assistant daļas var pārlādēt bez nepieciešamības restartēt. Veicot pārlādēšanu iepriekšējā konfigurācija tiks atiestatīta un tiks ielādēta jaunā.", + "script": "Pārlādēt skriptus" + }, + "server_management": { + "heading": "Servera pārvaldība", + "introduction": "Pārvaldiet Home Assistant serveri no Home Assistant saskarnes.", + "restart": "Restartēt", + "stop": "Apturēt" + }, + "validation": { + "check_config": "Pārbaudīt", + "heading": "Konfigurācijas pārbaude", + "introduction": "Veiciet konfigurācijas pārbaudi, ja nesen esat veicis izmaiņas konfigurācijā un vēlaties pārliecināties, ka tā ir korekta.", + "invalid": "Konfigurācija kļūdaina", + "valid": "Konfigurācija korekta!" + } + } + } + }, + "customize": { + "caption": "Pielāgošana", + "description": "Pielāgojiet jūsu iekārtas", + "picker": { + "header": "Pielāgošana", + "introduction": "Korekcijas atribūti vienai vienībai. Pievienotās \/ labotās pielāgošanas stāsies spēkā nekavējoties. Noņemtie pielāgojumi stāsies spēkā, kad vienība tiks atjaunināta." + } + }, + "devices": { + "caption": "Ierīces", + "description": "Pievienoto ierīču pārvaldība" + }, + "entity_registry": { + "caption": "Vienību Reģistrs", + "description": "Pārskats par visām zināmajām vienībām.", + "editor": { + "default_name": "Jauns Apgabals", + "delete": "DZĒST", + "enabled_cause": "Atspējots dēļ {cause}.", + "enabled_description": "Atspējotās vienības netiks pievienotas Home Assistant.", + "enabled_label": "Iespējot vienību", + "unavailable": "Šī vienība pašlaik nav pieejama.", + "update": "ATJAUNINĀT" + }, + "picker": { + "header": "Vienību Reģistrs", + "integrations_page": "Integrāciju lapa", + "introduction": "Home Assistant uztur katras vienības reģistru, kuru var unikāli identificēt. Katrai no šīm vienībām tiks piešķirts vienības ID, kas tiks rezervēts tikai šai vienībai.", + "introduction2": "Izmantojiet vienību reģistru, lai piešķirtu vārdu, mainītu vienību ID vai noņemtu ierakstu no Home Assistant. Ņemiet vērā: noņemot vienības reģistra ierakstu, vienība netiks noņemta. Lai to izdarītu, sekojiet zemāk esošajai saitei un noņemiet to no integrācijas lapas.", + "unavailable": "(nav pieejams)" + } + }, + "header": "Home Assistant konfigurēšana", + "integrations": { + "caption": "Integrācijas", + "config_entry": { + "delete_confirm": "Vai tiešām vēlaties dzēst šo integrāciju?", + "device_unavailable": "ierīce nav pieejama", + "entity_unavailable": "vienība nav pieejama", + "firmware": "Programmaparatūra: {version}", + "hub": "Savienots caur", + "manuf": "{manufacturer}", + "no_area": "Nav Apgabala", + "no_device": "Vienības, bez ierīcēm", + "no_devices": "Šai integrācijai nav ierīču.", + "restart_confirm": "Restartēt Home Assistant, lai pabeigtu šīs integrācijas noņemšanu", + "via": "Savienots ar" + }, + "config_flow": { + "external_step": { + "description": "Šajā solī ir nepieciešams, lai jūs apmeklētu ārēju tīmekļa vietni, lai pabeigtu.", + "open_site": "Atvērt tīmekļa vietni" + } + }, + "configure": "Konfigurēt", + "configured": "Konfigurēts", + "description": "Pārvaldīt un iestatīt integrācijas", + "discovered": "Atklāts", + "new": "Izveidot jaunu integrāciju", + "none": "Nekas vēl nav konfigurēts" + }, + "introduction": "Šeit iespējams konfigurēt Jūsu komponentus un pašu Home Assistant. Pagaidām ne visu ir iespējams konfigurēt no lietotāja saskarnes, bet mēs strādājam pie tā.", + "person": { + "caption": "Personas", + "description": "Pārvaldīt personas, kuras izseko Home Assistant.", + "detail": { + "device_tracker_intro": "Atlasiet ierīces, kas pieder šai personai.", + "device_tracker_pick": "Izvēlieties izsekojamo ierīci", + "device_tracker_picked": "Izsekot Ierīci", + "name": "Nosaukums" + } + }, + "script": { + "caption": "Skripti", + "description": "Veidojiet un rediģējiet skriptus" + }, + "server_control": { + "caption": "Servera vadība", + "description": "Restartēt un apturēt Home Assistant serveri", + "section": { + "reloading": { + "automation": "Pārlādēt automatizācijas", + "core": "Pārlādēt kodolu", + "group": "Pārlādēt grupas", + "heading": "Konfigurācijas pārlādēšana", + "introduction": "Atsevišķas Home Assistant daļas var pārlādēt bez nepieciešamības restartēt. Veicot pārlādēšanu iepriekšējā konfigurācija tiks atiestatīta un tiks ielādēta jaunā.", + "scene": "Pārlādēt ainas", + "script": "Pārlādēt skriptus" + }, + "server_management": { + "confirm_restart": "Vai tiešām vēlaties restartēt Home Assistant?", + "confirm_stop": "Vai tiešām vēlaties apturēt Home Assistant?", + "heading": "Servera pārvaldība", + "introduction": "Kontrolējiet savu Home Assistant serveri… no Home Assistant.", + "restart": "Restartēt", + "stop": "Apturēt" + }, + "validation": { + "check_config": "Pārbaudīt konfigurāciju", + "heading": "Konfigurācijas pārbaude", + "introduction": "Veiciet konfigurācijas pārbaudi, ja nesen esat veicis izmaiņas konfigurācijā un vēlaties pārliecināties, ka tā ir korekta", + "invalid": "Konfigurācija kļūdaina", + "valid": "Konfigurācija korekta!" + } + } + }, + "users": { + "add_user": { + "caption": "Lietotāja pievienošana", + "create": "Izveidot", + "name": "Vārds", + "password": "Parole", + "username": "Lietotājvārds" + }, + "caption": "Lietotāji", + "description": "Pārvaldīt lietotājus", + "editor": { + "activate_user": "Aktivizēt lietotāju", + "caption": "Skatīt lietotāju", + "change_password": "Mainīt paroli", + "deactivate_user": "Deaktivizēt lietotāju", + "delete_user": "Dzēst lietotāju", + "rename_user": "Pārdēvēt lietotāju" + }, + "picker": { + "title": "Lietotāji" + } + }, + "zha": { + "add_device_page": { + "discovery_text": "Šeit tiks parādītas atklātās ierīces. Izpildiet ierīces (-ču) instrukcijas un iestatiet ierīci (-es) pārī savienošanas režīmā.", + "header": "Zigbee Home Automation - Pievienot ierīces", + "spinner": "Meklē ZHA Zigbee ierīces..." + }, + "caption": "ZHA", + "description": "Zigbee Home Automation tīkla pārvaldība", + "device_card": { + "area_picker_label": "Apgabals", + "device_name_placeholder": "Lietotāja dots nosaukums", + "update_name_button": "Atjaunināt Nosaukumu" + }, + "services": { + "reconfigure": "Pārkonfigurējiet ZHA ierīci (heal device). Izmantojiet to, ja rodas problēmas ar ierīci. Ja attiecīgā ierīce ir ar akumulatoru darbināma ierīce, lūdzu, pārliecinieties, ka tā ir nomodā un pieņem komandas, kad izmantojat šo pakalpojumu.", + "remove": "Noņemt ierīci no Zigbee tīkla.", + "updateDeviceName": "Ierīču reģistrā iestatiet šai ierīcei pielāgotu nosaukumu." + } + }, + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Indekss", + "instance": "Instance", + "unknown": "nezināms", + "value": "Vērtība", + "wakeup_interval": "Wakeup intervāls" + }, + "description": "Pārvaldiet Z-Wave tīklu", + "network_management": { + "header": "Z-Wave Tīkla Pārvaldība", + "introduction": "Palaist komandas, kas ietekmē Z-Wave tīklu. Jūs nesaņemsit atpakaļsaiti par to, vai vairums komandu ir izdevušās, taču varat pārbaudīt OZW žurnālu, lai mēģinātu to uzzināt." + }, + "network_status": { + "network_started": "Z-Wave Tīkls Sākts", + "network_started_note_all_queried": "Visi mezgli ir ierindoti.", + "network_started_note_some_queried": "Nomodā esoši megli ir ierindoti. Miega režimā esoši mezgli tiks ierindoti tiklīdz tie būs nomodā.", + "network_starting": "Z-Wave tīkla startēšana...", + "network_starting_note": "Tas var aizņemt kādu laiku atkarībā no Jūsu tīkla lieluma.", + "network_stopped": "Z-Wave Tīkls Apturēts" + }, + "node_config": { + "config_parameter": "Konfigurācijas parametrs", + "config_value": "Konfigurētā vērtība", + "false": "Nepatiess", + "header": "Mezgla konfigurēšanas opcijas", + "seconds": "sekundes", + "set_config_parameter": "Iestatīt konfigurācijas parametru", + "set_wakeup": "Wakeup intervāla iestatīšana", + "true": "Patiess" + }, + "services": { + "add_node": "Pievienot Mezglu", + "add_node_secure": "Pievienot Drošo Mezglu", + "cancel_command": "Atcelt Komandu", + "heal_network": "Labot Tīklu", + "remove_node": "Noņemt Mezglu", + "save_config": "Saglabāt konfigurāciju", + "soft_reset": "Vieglā Atiestatīšana", + "start_network": "Sākt Tīklu", + "stop_network": "Apturēt Tīklu", + "test_network": "Pārbaudīt Tīklu" + }, + "values": { + "header": "Mezglu vērtības" + } + } }, - "preset_mode": { - "none": "Nav", - "eco": "Eko", - "away": "Prombūtne", - "boost": "Palielināt", - "comfort": "Komforts", - "home": "Mājās", - "sleep": "Miega", - "activity": "Aktivitāte" + "developer-tools": { + "tabs": { + "events": { + "title": "Notikumi" + }, + "info": { + "title": "Informācija" + }, + "logs": { + "title": "Žurnāli" + }, + "mqtt": { + "title": "MQTT" + }, + "services": { + "title": "Pakalpojumi" + }, + "states": { + "title": "Stāvokļi" + }, + "templates": { + "title": "Veidne" + } + } }, - "hvac_action": { - "off": "Izslēgts", - "heating": "Sildīšana", - "cooling": "Dzesēšana", - "drying": "Žāvēšana", - "idle": "Dīkstāve", - "fan": "Ventilators" + "history": { + "period": "Periods", + "showing_entries": "Rāda ierakstus par" + }, + "logbook": { + "period": "Periods", + "showing_entries": "Ieraksti par" + }, + "lovelace": { + "cards": { + "empty_state": { + "go_to_integrations_page": "Dodieties uz integrācijas lapu.", + "no_devices": "Šī lapa ļauj jums kontrolēt savas ierīces, tomēr izskatās, ka vēl nav izveidotas ierīces. Lai sāktu darbu, dodieties uz integrācijas lapu.", + "title": "Laipni lūgti mājās" + }, + "picture-elements": { + "call_service": "Izsaukt pakalpojumu {name}", + "hold": "Turēt:", + "more_info": "Rādīt vairāk informācijas: {name}", + "navigate_to": "Dodieties uz {location}", + "tap": "Pieskarties:", + "toggle": "Pārslēgt {name}" + }, + "shopping-list": { + "add_item": "Pievienot vienumu", + "checked_items": "Atzīmētie vienumi", + "clear_items": "Notīrīt atzīmētos vienumus" + } + }, + "changed_toast": { + "message": "Lovelace konfigurācija tika atjaunināta. Vai vēlaties atsvaidzināt?", + "refresh": "Atsvaidzināt" + }, + "editor": { + "edit_card": { + "add": "Pievienot kartīti", + "delete": "Dzēst", + "edit": "Rediģēt", + "header": "Kartītes konfigurācija", + "move": "Pārvietot", + "pick_card": "Izvēlieties kartīti, kuru vēlaties pievienot.", + "save": "Saglabāt", + "toggle_editor": "Pārslēgt redaktoru" + }, + "edit_lovelace": { + "explanation": "Šis nosaukums tiek parādīts virs visiem Jūsu Lovelace skatiem.", + "header": "Jūsu Lovelace UI virsraksts" + }, + "edit_view": { + "add": "Pievienot skatu", + "delete": "Dzēst skatu", + "edit": "Rediģēt skatu", + "header": "Skatīt konfigurāciju" + }, + "header": "Rediģēt lietotāja saskarni", + "menu": { + "raw_editor": "Konfigurācijas teksta redaktors" + }, + "migrate": { + "header": "Nesaderīga konfigurācija", + "migrate": "Pārvietot konfigurāciju", + "para_migrate": "Home Assistant var automātiski pievienot ID visām kartītēm un skatiem, nospiežot pogu \"Pārvietot konfigurāciju\".", + "para_no_id": "Šim elementam nav ID. Lūdzu, pievienojiet ID šim elementam 'ui-lovelace.yaml' failā." + }, + "raw_editor": { + "header": "Konfigurācijas redaktors", + "save": "Saglabāt", + "saved": "Saglabāts", + "unsaved_changes": "Nesaglabātās izmaiņas" + }, + "save_config": { + "cancel": "Atcelt", + "header": "Pārņemt kontroli pār savu Lovelace lietotāja saskarni", + "para": "Pēc noklusējuma Home Assistant uzturēs jūsu lietotāja saskarni, atjauninot to, kad būs pieejami jauni objekti vai Lovelace komponenti. Ja jūs uzņematies kontroli, mēs jums vairs neveiksim izmaiņas automātiski jūsu vietā.", + "para_sure": "Vai tiešām vēlaties pārņemt kontroli pār lietotāja saskarni?", + "save": "Pārņemt kontroli" + } + }, + "menu": { + "configure_ui": "Konfigurēt lietotāja saskarni", + "help": "Palīdzība", + "refresh": "Atsvaidzināt", + "unused_entities": "Neizmantotās vienības" + }, + "reload_lovelace": "Pārlādēt Lovelace", + "warning": { + "entity_non_numeric": "Vienībai nav skaitļu: {entity}", + "entity_not_found": "Vienība nav pieejama: {entity}" + } + }, + "mailbox": { + "delete_button": "Dzēst", + "delete_prompt": "Vai dzēst šo ziņojumu?", + "empty": "Jums nav ziņu", + "playback_title": "Ziņu atskaņošana" + }, + "page-authorize": { + "abort_intro": "Pieteikšanās priekšlaikus pārtraukta", + "authorizing_client": "Jūs gatavojaties piešķirt {clientId} piekļuvi jūsu Home Assistant.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Sesija ir beigusies, lūdzu, ielogojaties vēlreiz." + }, + "error": { + "invalid_auth": "Nederīgs lietotājvārds vai parole", + "invalid_code": "Nepareizs autorizācijas kods" + }, + "step": { + "init": { + "data": { + "password": "Parole", + "username": "Lietotājvārds" + } + }, + "mfa": { + "data": { + "code": "Divpakāpju Autorizācijas Kods" + }, + "description": "Savā ierīcē atveriet ** {mfa_module_name} **, lai skatītu divu faktoru autentifikācijas kodu un verificētu savu identitāti:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Sesija beidzās, lūdzu, piesakieties vēlreiz." + }, + "error": { + "invalid_auth": "Nederīgs lietotājvārds vai parole", + "invalid_code": "Nederīgs autentifikācijas kods" + }, + "step": { + "init": { + "data": { + "password": "Parole", + "username": "Lietotājvārds" + } + }, + "mfa": { + "data": { + "code": "Divu faktoru autentifikācijas kods" + }, + "description": "Savā ierīcē atveriet ** {mfa_module_name} **, lai skatītu divu faktoru autentifikācijas kodu un verificētu savu identitāti:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Sesija beigusies, lūdzu piesakaties vēlreiz.", + "no_api_password_set": "Jums nav konfigurēta API parole." + }, + "error": { + "invalid_auth": "Nederīga API parole", + "invalid_code": "Nederīgs autentifikācijas kods" + }, + "step": { + "init": { + "data": { + "password": "API parole" + }, + "description": "Lūdzu, ievadiet API paroli savā http config:" + }, + "mfa": { + "data": { + "code": "Divu faktoru autentifikācijas kods" + }, + "description": "Savā ierīcē atveriet ** {mfa_module_name} **, lai skatītu divu faktoru autentifikācijas kodu un verificētu savu identitāti:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Jūsu dators nav iekļauts baltajā sarakstā." + }, + "step": { + "init": { + "data": { + "user": "Lietotājs" + }, + "description": "Lūdzu, atlasiet lietotāju, kuru vēlaties pieteikties kā:" + } + } + } + }, + "unknown_error": "Kaut kas nogāja greizi", + "working": "Lūdzu uzgaidiet" + }, + "initializing": "Inicializēšana", + "logging_in_with": "Pieteikšanās ar ** {authProviderName} **.", + "pick_auth_provider": "Vai pieteikties, izmantojot" + }, + "page-demo": { + "cards": { + "demo": { + "demo_by": "{name}", + "introduction": "Laipni lūgts mājās! Jūs esat sasniedzis Home Assistant demonstrāciju, kurā mēs parādām labākos lietotāja kopienas izveidotos lietotāja interfeisus.", + "learn_more": "Uzziniet vairāk par Home Assistant", + "next_demo": "Nākamā demonstrācija" + } + }, + "config": { + "arsaboo": { + "labels": { + "activity": "Aktivitāte", + "air": "Gaiss", + "commute_home": "Brauciens uz Mājām", + "entertainment": "Izklaide", + "hdmi_input": "HDMI Ievade", + "hdmi_switcher": "HDMI Pārslēdzējs", + "information": "Informācija", + "lights": "Gaismas", + "morning_commute": "Rīta Brauciens", + "total_tv_time": "Kopējais TV Laiks", + "turn_tv_off": "Izslēgt Televizoru", + "volume": "Skaļums" + }, + "names": { + "family_room": "Ģimenes Istaba", + "hallway": "Gaitenis", + "kitchen": "Virtuve", + "left": "Pa kreisi", + "master_bedroom": "Galvenā Guļamistaba", + "mirror": "Spogulis", + "patio": "Terase", + "right": "Pa labi", + "upstairs": "Augšstāvs" + }, + "unit": { + "minutes_abbr": "min", + "watching": "skatotās" + } + } + } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Noteikt", + "finish": "Nākamais", + "intro": "Sveiki {name}! Laipni lūdzam Home Assistant. Kā jūs vēlētos nosaukt savas mājas?", + "intro_location": "Mēs gribētu zināt, kur tu dzīvo. Šī informācija palīdzēs parādīt informāciju un iestatīt uz saules bāzes balstītas automātikas. Šie dati nekad netiek koplietoti ārpus jūsu tīkla.", + "intro_location_detect": "Mēs varam palīdzēt jums aizpildīt šo informāciju, iesniedzot vienreizēju pieprasījumu ārējam pakalpojumam.", + "location_name_default": "Mājas" + }, + "integration": { + "finish": "Pabeigt", + "intro": "Home Assistant ierīces un pakalpojumi tiek parādītas kā integrācijas. Tos var iestatīt tūlīt vai izdarīt vēlāk konfigurācijas ekrānā.", + "more_integrations": "Vairāk" + }, + "intro": "Vai esat gatavs pamodināt savu māju, atgūt savu konfidencialitāti un pievienoties pasaules mēroga kopienai?", + "user": { + "create_account": "Izveidot Kontu", + "data": { + "name": "Vārds", + "password": "Parole", + "password_confirm": "Apstipriniet Paroli", + "username": "Lietotājvārds" + }, + "error": { + "password_not_match": "Paroles nesakrīt", + "required_fields": "Aizpildiet visus obligātos laukus" + }, + "intro": "Sāksim ar lietotāja konta izveidi.", + "required_field": "Obligāts" + } + }, + "profile": { + "change_password": { + "confirm_new_password": "Apstipriniet jauno paroli", + "current_password": "Pašreizējā parole", + "error_required": "Obligāts", + "header": "Mainīt paroli", + "new_password": "Jauna parole", + "submit": "Iesniegt" + }, + "current_user": "Jūs šobrīd esat pieteicies kā {fullName}.", + "force_narrow": { + "description": "Tas pēc noklusējuma slēps sānjoslu, līdzīgi kā mobilajās ierīcēs.", + "header": "Vienmēr slēpt sānjoslu" + }, + "is_owner": "Jūs esat īpašnieks.", + "language": { + "dropdown_label": "Valoda", + "header": "Valoda", + "link_promo": "Palīdziet tulkot" + }, + "logout": "Iziet", + "long_lived_access_tokens": { + "confirm_delete": "Vai tiešām vēlaties dzēst piekļuves pilnvaru {name}?", + "create": "Izveidot pilnvaru", + "create_failed": "Neizdevās izveidot piekļuves pilnvaru.", + "created_at": "Izveidots {date}", + "delete_failed": "Neizdevās dzēst piekļuves pilnvaru.", + "description": "Izveidojiet ilgtermiņa piekļuves pilnvaras, lai ļautu jūsu skriptiem mijiedarboties ar jūsu Home Assistant instanci. Katra pilnvara būs derīga 10 gadus pēc tās radīšanas. Pašlaik ir aktīvas sekojošas ilgstošas piekļuves pilvaras.", + "empty_state": "Jums vēl nav ilgtermiņa piekļuves pilnvaru.", + "header": "Ilgtermiņas piekļuves pilnvaras", + "last_used": "Pēdējoreiz izmantots {date} no {location}", + "learn_auth_requests": "Uzziniet, kā veikt autentificētus pieprasījumus.", + "not_used": "Nekad nav izmantots", + "prompt_copy_token": "Kopējiet savu piekļuves pilnvaru. Tas vairs netiks rādīts.", + "prompt_name": "Vārds?" + }, + "mfa_setup": { + "close": "Aizvērt", + "step_done": "Iestatīšana ir pabeigta {step}", + "submit": "Iesniegt", + "title_aborted": "Priekšlaikus pārtraukta", + "title_success": "Veiksmīgi!" + }, + "mfa": { + "confirm_disable": "Vai tiešām vēlaties atspējot {name}?", + "disable": "Atspējot", + "enable": "Iespējot", + "header": "Daudzfaktoru autentifikācijas moduļi" + }, + "push_notifications": { + "description": "Sūtīt paziņojumus uz šo ierīci.", + "error_load_platform": "Konfigurēt notify.html5.", + "error_use_https": "Nepieciešama SSL iespējošana priekšpusei.", + "header": "Pašpiegādes paziņojumi", + "link_promo": "Uzziniet vairāk", + "push_notifications": "Pašpiegādes paziņojumi" + }, + "refresh_tokens": { + "confirm_delete": "Vai tiešām vēlaties dzēst piekļuves pilnvaru {name}?", + "created_at": "Izveidots {date}", + "current_token_tooltip": "Nevar izdzēst pašreizējo atsvaidzināšanas pilnvaru", + "delete_failed": "Neizdevās dzēst atsvaidzināšanas pilnvaru.", + "description": "Katra atsvaidzināšanas pilvara pārstāv pieteikšanās sesiju. Atsvaidzināšanas pilvaras tiks automātiski noņemtas, kad Jūs izrakstīsieties. Šāda atsvaidzināšanas pilvaras ir pašreiz aktīvas Jūsu kontā.", + "header": "Atsvaidzināšanas pilnvaras", + "last_used": "Pēdējoreiz izmantots {date} no {location}", + "not_used": "Nekad nav izmantots", + "token_title": "{clientId} atsvaidzināšanas pilnvara" + }, + "themes": { + "dropdown_label": "Tēma", + "error_no_theme": "Nav nevienas tēmas", + "header": "Tēma", + "link_promo": "Uzziniet par tēmām" + } + }, + "shopping-list": { + "add_item": "Pievienot vienumu", + "clear_completed": "Noņemt izpildītos", + "microphone_tip": "Pieskarieties mikrofonam augšējā labajā stūrī un sakiet \"Pievienojiet konfektes manam iepirkumu sarakstam\"" } - } - }, - "groups": { - "system-admin": "Administratori", - "system-users": "Lietotāji", - "system-read-only": "Tikai-Lasīt Lietotāji" - }, - "config_entry": { - "disabled_by": { - "user": "Lietotājs", - "integration": "Integrācija", - "config_entry": "Konfigurēt Ierakstu" + }, + "sidebar": { + "external_app_configuration": "Lietotņu Konfigurēšana", + "log_out": "Iziet" } } } \ No newline at end of file diff --git a/translations/nb.json b/translations/nb.json index 8fb61a4b11..80f8cb0436 100644 --- a/translations/nb.json +++ b/translations/nb.json @@ -1,53 +1,193 @@ { - "panel": { - "config": "Konfigurasjon", - "states": "Oversikt", - "map": "Kart", - "logbook": "Loggbok", - "history": "Historie", + "attribute": { + "weather": { + "humidity": "Luftfuktighet", + "visibility": "Sikt", + "wind_speed": "Vindhastighet" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Konfigurer oppføring", + "integration": "Integrering", + "user": "Bruker" + } + }, + "domain": { + "alarm_control_panel": "Alarm kontrollpanel", + "automation": "Automatisering", + "binary_sensor": "Binær sensor", + "calendar": "Kalender", + "camera": "Kamera", + "climate": "Klima", + "configurator": "Konfigurator", + "conversation": "Samtale", + "cover": "Dekke", + "device_tracker": "Enhetssporing", + "fan": "Vifte", + "group": "Gruppe", + "hassio": "Hass.io", + "history_graph": "Historisk graf", + "homeassistant": "Home Assistant", + "image_processing": "Bildebehandling", + "input_boolean": "Angi boolsk", + "input_datetime": "Angi datotid", + "input_number": "Angi nummer", + "input_select": "Angi valg", + "input_text": "Angi tekst", + "light": "Lys", + "lock": "Lås", + "lovelace": "Lovelace", "mailbox": "Postkasse", - "shopping_list": "Handleliste", + "media_player": "Mediaspiller", + "notify": "Varsle", + "person": "Person", + "plant": "Plante", + "proximity": "Nærhet", + "remote": "Fjernkontroll", + "scene": "Scene", + "script": "Skript", + "sensor": "Sensor", + "sun": "Sol", + "switch": "Bryter", + "system_health": "Systemhelse", + "updater": "Oppdateringer", + "vacuum": "Støvsuger", + "weblink": "Lenke", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Administratorer", + "system-read-only": "Brukere med lesetilgang", + "system-users": "Brukere" + }, + "panel": { + "calendar": "Kalender", + "config": "Konfigurasjon", "dev-info": "Informasjon", "developer_tools": "Utviklerverktøy", - "calendar": "Kalender", - "profile": "Profil" + "history": "Historie", + "logbook": "Loggbok", + "mailbox": "Postkasse", + "map": "Kart", + "profile": "Profil", + "shopping_list": "Handleliste", + "states": "Oversikt" + }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Auto", + "off": "Av", + "on": "På" + }, + "hvac_action": { + "cooling": "Kjøling", + "drying": "Tørking", + "fan": "Vifte", + "heating": "Oppvarming", + "idle": "Inaktiv", + "off": "Av" + }, + "preset_mode": { + "activity": "Aktivitet", + "away": "Borte", + "boost": "Øke", + "comfort": "Komfort", + "eco": "Øko", + "home": "Hjem", + "none": "Ingen", + "sleep": "Sove" + } + } + }, + "state_badge": { + "alarm_control_panel": { + "armed": "Påslått", + "armed_away": "Påslått", + "armed_custom_bypass": "Påslått", + "armed_home": "Påslått", + "armed_night": "Påslått", + "arming": "Slår på", + "disarmed": "Deaktiver", + "disarming": "Slå av", + "pending": "Venter", + "triggered": "Utløs" + }, + "default": { + "entity_not_found": "Enhet ikke funnet", + "error": "Feil", + "unavailable": "Utilgj", + "unknown": "Ukjent" + }, + "device_tracker": { + "home": "Hjemme", + "not_home": "Borte" + }, + "person": { + "home": "Hjemme", + "not_home": "Borte" + } }, "state": { - "default": { - "off": "Av", - "on": "På", - "unknown": "Ukjent", - "unavailable": "Utilgjengelig" - }, "alarm_control_panel": { "armed": "Armert", - "disarmed": "Avslått", - "armed_home": "Armert hjemme", "armed_away": "Armert borte", + "armed_custom_bypass": "Armert tilpasset unntak", + "armed_home": "Armert hjemme", "armed_night": "Armert natt", - "pending": "Venter", "arming": "Armerer", + "disarmed": "Avslått", "disarming": "Skrur av", - "triggered": "Utløst", - "armed_custom_bypass": "Armert tilpasset unntak" + "pending": "Venter", + "triggered": "Utløst" }, "automation": { "off": "Av", "on": "På" }, "binary_sensor": { + "battery": { + "off": "Normalt", + "on": "Lavt" + }, + "cold": { + "off": "Normal", + "on": "Kald" + }, + "connectivity": { + "off": "Frakoblet", + "on": "Tilkoblet" + }, "default": { "off": "Av", "on": "På" }, - "moisture": { - "off": "Tørr", - "on": "Fuktig" + "door": { + "off": "Lukket", + "on": "Åpen" + }, + "garage_door": { + "off": "Lukket", + "on": "Åpen" }, "gas": { "off": "Klar", "on": "Oppdaget" }, + "heat": { + "off": "Normal", + "on": "Varm" + }, + "lock": { + "off": "Låst", + "on": "Ulåst" + }, + "moisture": { + "off": "Tørr", + "on": "Fuktig" + }, "motion": { "off": "Klar", "on": "Oppdaget" @@ -56,6 +196,22 @@ "off": "Klar", "on": "Oppdaget" }, + "opening": { + "off": "Lukket", + "on": "Åpen" + }, + "presence": { + "off": "Borte", + "on": "Hjemme" + }, + "problem": { + "off": "OK", + "on": "Problem" + }, + "safety": { + "off": "Sikker", + "on": "Usikker" + }, "smoke": { "off": "Klar", "on": "Oppdaget" @@ -68,53 +224,9 @@ "off": "Klar", "on": "Oppdaget" }, - "opening": { - "off": "Lukket", - "on": "Åpen" - }, - "safety": { - "off": "Sikker", - "on": "Usikker" - }, - "presence": { - "off": "Borte", - "on": "Hjemme" - }, - "battery": { - "off": "Normalt", - "on": "Lavt" - }, - "problem": { - "off": "OK", - "on": "Problem" - }, - "connectivity": { - "off": "Frakoblet", - "on": "Tilkoblet" - }, - "cold": { - "off": "Normal", - "on": "Kald" - }, - "door": { - "off": "Lukket", - "on": "Åpen" - }, - "garage_door": { - "off": "Lukket", - "on": "Åpen" - }, - "heat": { - "off": "Normal", - "on": "Varm" - }, "window": { "off": "Lukket", "on": "Åpent" - }, - "lock": { - "off": "Låst", - "on": "Ulåst" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "På" }, "camera": { + "idle": "Inaktiv", "recording": "Opptak", - "streaming": "Strømmer", - "idle": "Inaktiv" + "streaming": "Strømmer" }, "climate": { - "off": "Av", - "on": "På", - "heat": "Varme", - "cool": "Kjøling", - "idle": "Inaktiv", "auto": "Auto", + "cool": "Kjøling", "dry": "Tørr", - "fan_only": "Kun vifte", "eco": "Øko", "electric": "Elektrisk", - "performance": "Ytelse", - "high_demand": "Høy etterspørsel", - "heat_pump": "Varmepumpe", + "fan_only": "Kun vifte", "gas": "Gass", + "heat": "Varme", + "heat_cool": "Varme\/kjøling", + "heat_pump": "Varmepumpe", + "high_demand": "Høy etterspørsel", + "idle": "Inaktiv", "manual": "Manuell", - "heat_cool": "Varme\/kjøling" + "off": "Av", + "on": "På", + "performance": "Ytelse" }, "configurator": { "configure": "Konfigurer", "configured": "Konfigurert" }, "cover": { - "open": "Åpen", - "opening": "Åpner", "closed": "Lukket", "closing": "Lukker", + "open": "Åpen", + "opening": "Åpner", "stopped": "Stoppet" }, + "default": { + "off": "Av", + "on": "På", + "unavailable": "Utilgjengelig", + "unknown": "Ukjent" + }, "device_tracker": { "home": "Hjemme", "not_home": "Borte" @@ -164,19 +282,19 @@ "on": "På" }, "group": { - "off": "Av", - "on": "På", - "home": "Hjemme", - "not_home": "Borte", - "open": "Åpen", - "opening": "Åpner", "closed": "Lukket", "closing": "Lukker", - "stopped": "Stoppet", + "home": "Hjemme", "locked": "Låst", - "unlocked": "Ulåst", + "not_home": "Borte", + "off": "Av", "ok": "OK", - "problem": "Problem" + "on": "På", + "open": "Åpen", + "opening": "Åpner", + "problem": "Problem", + "stopped": "Stoppet", + "unlocked": "Ulåst" }, "input_boolean": { "off": "Av", @@ -191,13 +309,17 @@ "unlocked": "Ulåst" }, "media_player": { + "idle": "Inaktiv", "off": "Av", "on": "På", - "playing": "Spiller", "paused": "Pauset", - "idle": "Inaktiv", + "playing": "Spiller", "standby": "Avventer" }, + "person": { + "home": "Hjemme", + "not_home": "Borte" + }, "plant": { "ok": "OK", "problem": "Problem" @@ -225,34 +347,10 @@ "off": "Av", "on": "På" }, - "zwave": { - "default": { - "initializing": "Initialiserer", - "dead": "Død", - "sleeping": "Sover", - "ready": "Klar" - }, - "query_stage": { - "initializing": "Initialiserer ({query_stage})", - "dead": "Død ({query_stage})" - } - }, - "weather": { - "clear-night": "Klart, natt", - "cloudy": "Skyet", - "fog": "Tåke", - "hail": "Hagl", - "lightning": "Lyn", - "lightning-rainy": "Lyn, regn", - "partlycloudy": "Delvis skyet", - "pouring": "Kraftig nedbør", - "rainy": "Regn", - "snowy": "Snø", - "snowy-rainy": "Sludd", - "sunny": "Solfylt", - "windy": "Vind", - "windy-variant": "Vind", - "exceptional": "Eksepsjonell" + "timer": { + "active": "aktiv", + "idle": "inaktiv", + "paused": "pauset" }, "vacuum": { "cleaning": "Rengjør", @@ -264,362 +362,415 @@ "paused": "Pauset", "returning": "Returner til dokk" }, - "timer": { - "active": "aktiv", - "idle": "inaktiv", - "paused": "pauset" + "weather": { + "clear-night": "Klart, natt", + "cloudy": "Skyet", + "exceptional": "Eksepsjonell", + "fog": "Tåke", + "hail": "Hagl", + "lightning": "Lyn", + "lightning-rainy": "Lyn, regn", + "partlycloudy": "Delvis skyet", + "pouring": "Kraftig nedbør", + "rainy": "Regn", + "snowy": "Snø", + "snowy-rainy": "Sludd", + "sunny": "Solfylt", + "windy": "Vind", + "windy-variant": "Vind" }, - "person": { - "home": "Hjemme", - "not_home": "Borte" - } - }, - "state_badge": { - "default": { - "unknown": "Ukjent", - "unavailable": "Utilgj", - "error": "Feil", - "entity_not_found": "Enhet ikke funnet" - }, - "alarm_control_panel": { - "armed": "Påslått", - "disarmed": "Deaktiver", - "armed_home": "Påslått", - "armed_away": "Påslått", - "armed_night": "Påslått", - "pending": "Venter", - "arming": "Slår på", - "disarming": "Slå av", - "triggered": "Utløs", - "armed_custom_bypass": "Påslått" - }, - "device_tracker": { - "home": "Hjemme", - "not_home": "Borte" - }, - "person": { - "home": "Hjemme", - "not_home": "Borte" + "zwave": { + "default": { + "dead": "Død", + "initializing": "Initialiserer", + "ready": "Klar", + "sleeping": "Sover" + }, + "query_stage": { + "dead": "Død ({query_stage})", + "initializing": "Initialiserer ({query_stage})" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Fjerning fullført", - "add_item": "Legg til", - "microphone_tip": "Aktiver mikrofonen øverst til høyre og si “Add candy to my shopping list”" + "auth_store": { + "ask": "Ønsker du å lagre denne påloggingen?", + "confirm": "Lagre pålogging", + "decline": "Nei takk" + }, + "card": { + "alarm_control_panel": { + "arm_away": "Armer borte", + "arm_custom_bypass": "Tilpasset bypass", + "arm_home": "Armer hjemme", + "arm_night": "Aktiver natt", + "armed_custom_bypass": "Tilpasset bypass", + "clear_code": "Tøm", + "code": "Kode", + "disarm": "Deaktiver" }, - "developer-tools": { - "tabs": { - "services": { - "title": "Tjenester", - "description": "Med verktøyet for tjenesteutvikling kan du utføre alle tilgjengelige tjenester i Home Assistant.", - "data": "Tjenestedata (YAML, valgfritt)", - "call_service": "Utfør tjeneste", - "select_service": "Velg en tjeneste for å se beskrivelsen", - "no_description": "Ingen beskrivelse er tilgjengelig", - "no_parameters": "Denne tjenesten tar ingen parametere.", - "column_parameter": "Parameter", - "column_description": "Beskrivelse", - "column_example": "Eksempel", - "fill_example_data": "Fyll ut eksempeldata", - "alert_parsing_yaml": "Feil ved parsing av YAML: {data}" - }, - "states": { - "title": "Statuser", - "description1": "Angi representasjonen av en enhet i Home Assistant.", - "description2": "Dette vil ikke kommunisere med den faktiske enheten.", - "entity": "Enhet", - "state": "Tilstand", - "attributes": "Attributter", - "state_attributes": "Tilstands attributter (YAML, valgfritt)", - "set_state": "Sett tilstand", - "current_entities": "Gjeldende enheter", - "filter_entities": "Filtrer enheter", - "filter_states": "Filtrer tilstander", - "filter_attributes": "Filtrer attributter", - "no_entities": "Ingen enheter", - "more_info": "Mer info", - "alert_entity_field": "Enhet er et obligatorisk felt" - }, - "events": { - "title": "Hendelser", - "description": "Fire an event on the event bus.", - "documentation": "Hendelses dokumentasjon.", - "type": "Type hendelse", - "data": "Hendelses data (YAML, valgfritt)", - "fire_event": "Avfyr hendlese", - "event_fired": "Hendelse {name} avfyrt", - "available_events": "Tilgjengelige hendelser", - "count_listeners": " ({count} lyttere)", - "listen_to_events": "Lytt til hendelser", - "listening_to": "Lytte til", - "subscribe_to": "Hendelse for å abonnere på", - "start_listening": "Begynn å lytte", - "stop_listening": "Stopp lytting", - "alert_event_type": "Hendelsestype er et obligatorisk felt", - "notification_event_fired": "Hendelse {type} vellykket avfyrt!" - }, - "templates": { - "title": "Mal", - "description": "Maler blir rendret ved hjelp av Jinja2-malmotoren med noen spesifikke utvidelser for Home Assistant.", - "editor": "Maleditor", - "jinja_documentation": "Jinja2 mal dokumentasjon", - "template_extensions": "Mal utvidelser for Home Assistant", - "unknown_error_template": "Ukjent feil ved rendring av mal" - }, - "mqtt": { - "title": "MQTT", - "description_publish": "Publiser en pakke", - "topic": "emne", - "payload": "Payload (mal tillatt)", - "publish": "Publiser", - "description_listen": "Lytt til et emne", - "listening_to": "Lytte til", - "subscribe_to": "Emne å abonnere på", - "start_listening": "Begynn å lytte", - "stop_listening": "Stopp lytting", - "message_received": "Meldingen {ID} ble mottatt på {topic} klokken {time}:" - }, - "info": { - "title": "Info", - "remove": "Fjerne", - "set": "Angi", - "default_ui": "{action} {name} som standard side på denne enheten", - "lovelace_ui": "Gå til Lovelace UI", - "states_ui": "Gå til states UI", - "home_assistant_logo": "Logo for Home Assistant", - "path_configuration": "Sti til configurasjon.yaml: {path}", - "developed_by": "Utviklet av en gjeng med fantastiske mennesker.", - "license": "Publisert under Apache 2.0-lisensen", - "source": "Kilde:", - "server": "Server", - "frontend": "frontend-ui", - "built_using": "Bygget med", - "icons_by": "Ikoner av", - "frontend_version": "Frontend-versjon: {version} - {type}", - "custom_uis": "Tilpasset UIs:", - "system_health_error": "System Health-komponenten er ikke lastet. Legg til 'system_health:' til configurasjon.yaml" - }, - "logs": { - "title": "Logger", - "details": "Loggdetaljer ({level})", - "load_full_log": "Last inn fullstendig Home Assistant logg", - "loading_log": "Laster inn feillogg ...", - "no_errors": "Ingen feil er rapportert.", - "no_issues": "Det er ingen nye problemer!", - "clear": "Tøm", - "refresh": "Oppdater", - "multiple_messages": "meldingen oppstod først ved {time} og viser {teller} ganger" - } + "automation": { + "last_triggered": "Sist utløst", + "trigger": "Utløs" + }, + "camera": { + "not_available": "Bilde ikke tilgjengelig" + }, + "climate": { + "aux_heat": "Aux varme", + "away_mode": "Bortemodus", + "cooling": "{name} kjøling", + "current_temperature": "{name} nåværende temperatur", + "currently": "Er nå", + "fan_mode": "Viftemodus", + "heating": "{name} oppvarming", + "high": "høy", + "low": "lav", + "on_off": "På \/ av", + "operation": "Operasjon", + "preset_mode": "Preset", + "swing_mode": "Svingmodus", + "target_humidity": "Ønsket luftfuktighet", + "target_temperature": "Ønsket temperatur", + "target_temperature_entity": "{name} måltemperatur", + "target_temperature_mode": "{name} måltemperatur {mode}" + }, + "counter": { + "actions": { + "decrement": "redusere", + "increment": "øke", + "reset": "tilbakestille" } }, - "history": { - "showing_entries": "Viser oppføringer for", - "period": "Periode" + "cover": { + "position": "Posisjon", + "tilt_position": "Vend posisjon" }, - "logbook": { - "showing_entries": "Viser oppføringer for", - "period": "Periode" + "fan": { + "direction": "Retning", + "forward": "Framover", + "oscillate": "Vandring", + "reverse": "Omvendt", + "speed": "Hastighet" }, - "mailbox": { - "empty": "Du har ingen meldinger", - "playback_title": "Meldingsavspilling", - "delete_prompt": "Slette denne meldingen?", - "delete_button": "Slett" + "light": { + "brightness": "Lysstyrke", + "color_temperature": "Fargetemperatur", + "effect": "Effekt", + "white_value": "Hvit verdi" }, - "config": { - "header": "Konfigurer Home Assistant", - "introduction": "Her er det mulig å konfigurere dine komponenter og Home Assistant. Ikke alt er mulig å konfigurere fra brukergrensesnittet enda, men vi jobber med det.", - "core": { - "caption": "Generelt", - "description": "Endre den generelle konfigurasjonen for Home Assistant", - "section": { - "core": { - "header": "Generell konfigurasjon", - "introduction": "Endring av konfigurasjonen kan være en slitsom prosess, det vet vi. Denne delen vil forsøke å gjøre livet ditt litt lettere.", - "core_config": { - "edit_requires_storage": "Redigering deaktivert da konfigurasjonen er lagret i configuration.yaml.", - "location_name": "Navn på installasjonen av Home Assistant", - "latitude": "Breddegrad", - "longitude": "Lengdegrad", - "elevation": "Høyde", - "elevation_meters": "meter", - "time_zone": "Tidssone", - "unit_system": "Enhetssystem", - "unit_system_imperial": "Imperisk", - "unit_system_metric": "Metrisk", - "imperial_example": "Fahrenheit, pund", - "metric_example": "Celsius, kilogram", - "save_button": "Lagre" - } - }, - "server_control": { - "validation": { - "heading": "Konfigurasjonsvalidering", - "introduction": "Sjekk konfigurasjon din hvis du nylig har gjort noen endringer og ønsker å være sikker på at den er gyldig ved å kjøre en valideringstest", - "check_config": "Sjekk konfigurasjonen", - "valid": "Konfigurasjonen er gyldig!", - "invalid": "Ugyldig konfigurasjon" - }, - "reloading": { - "heading": "Laster konfigurasjon på nytt", - "introduction": "Enkelte deler av Home Assistant kan lastes inn på nytt uten å kreve en omstart. Trykk på oppdater for å laste inn den nye konfigurasjonen.", - "core": "Oppdater kjerne", - "group": "Oppdater grupper", - "automation": "Oppdater automasjoner", - "script": "Oppdater skript" - }, - "server_management": { - "heading": "Serveradministrasjon", - "introduction": "Kontroller din Home Assistant server... fra Home Assistant.", - "restart": "Start på nytt", - "stop": "Stopp" - } - } - } + "lock": { + "code": "Kode", + "lock": "Lås", + "unlock": "Lås opp" + }, + "media_player": { + "sound_mode": "Lydmodus", + "source": "Kilde", + "text_to_speak": "Tekst til tale" + }, + "persistent_notification": { + "dismiss": "Avvis" + }, + "scene": { + "activate": "Aktiver" + }, + "script": { + "execute": "Utfør" + }, + "timer": { + "actions": { + "cancel": "Avbryt", + "finish": "Ferdig", + "pause": "pause", + "start": "start" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Gjenoppta rengjøring", + "return_to_base": "Returner til dokken", + "start_cleaning": "Start rengjøring", + "turn_off": "Slå av", + "turn_on": "Slå på" + } + }, + "water_heater": { + "away_mode": "Bortemodus", + "currently": "Temperatur nå", + "on_off": "På \/ av", + "operation": "Drift", + "target_temperature": "Ønsket temperatur" + }, + "weather": { + "attributes": { + "air_pressure": "Lufttrykk", + "humidity": "Luftfuktighet", + "temperature": "Temperatur", + "visibility": "Sikt", + "wind_speed": "Vindstyrke" }, - "customize": { - "caption": "Tilpasning", - "description": "Tilpass dine oppføringer", + "cardinal_direction": { + "e": "Ø", + "ene": "ØNØ", + "ese": "ØSØ", + "n": "N", + "ne": "NØ", + "nne": "NNØ", + "nnw": "NNV", + "nw": "NV", + "s": "S", + "se": "SØ", + "sse": "SSØ", + "ssw": "SSV", + "sw": "SV", + "w": "V", + "wnw": "VNV", + "wsw": "VSV" + }, + "forecast": "Prognose" + } + }, + "common": { + "cancel": "Avbryt", + "loading": "Laster", + "no": "Nei", + "save": "Lagre", + "successfully_saved": "Vellykket lagring", + "yes": "Ja" + }, + "components": { + "device-picker": { + "clear": "Tøm", + "show_devices": "Vis enheter" + }, + "entity": { + "entity-picker": { + "clear": "Tøm", + "entity": "Oppføring", + "show_entities": "Vis enheter" + } + }, + "history_charts": { + "loading_history": "Laster statushistorikk...", + "no_history_found": "Ingen statushistorikk funnet." + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\n one {dag}\\n other {dager}\\n}", + "hour": "{count} {count, plural,\\n one {time}\\n other {timer}\\n}", + "minute": "{count} {count, plural,\\n one {minutt}\\n other {minutter}\\n}", + "second": "{count} {count, plural,\\n one {sekund}\\n other {sekunder}\\n}", + "week": "{count} {count, plural,\\n one {uke}\\n other {uker}\\n}" + }, + "future": "Om {time}", + "never": "Aldri", + "past": "{time} siden" + }, + "service-picker": { + "service": "Tjeneste" + } + }, + "dialogs": { + "config_entry_system_options": { + "enable_new_entities_description": "Hvis den er deaktivert, blir ikke nyoppdagede enheter for {integration} automatisk lagt til i Home Assistant.", + "enable_new_entities_label": "Aktiver enheter som nylig er lagt til.", + "title": "Systemalternativer for {integration}" + }, + "confirmation": { + "cancel": "Avbryt", + "ok": "OK", + "title": "Er du sikker?" + }, + "more_info_control": { + "script": { + "last_action": "Siste handling" + }, + "sun": { + "elevation": "Elevasjon", + "rising": "Soloppgang", + "setting": "Solnedgang" + }, + "updater": { + "title": "Oppdateringsanvisning" + } + }, + "more_info_settings": { + "entity_id": "Oppføring ID", + "name": "Navn", + "save": "Lagre" + }, + "options_flow": { + "form": { + "header": "Alternativer" + }, + "success": { + "description": "Alternativene er lagret." + } + }, + "voice_command": { + "error": "Beklager, det har oppstått en feil", + "how_can_i_help": "Hvordan kan jeg hjelpe?" + }, + "zha_device_info": { + "buttons": { + "add": "Legg til enheter", + "reconfigure": "Rekonfigurer enhet", + "remove": "Fjern enhet" + }, + "last_seen": "Sist sett", + "manuf": "av {manufacturer}", + "no_area": "Intet område", + "power_source": "Strømkilde", + "quirk": "Quirk", + "services": { + "reconfigure": "Rekonfigurer ZHA-enhet (heal enhet). Bruk dette hvis du har problemer med enheten. Hvis den aktuelle enheten er en batteridrevet enhet, sørg for at den er våken og aksepterer kommandoer når du bruker denne tjenesten.", + "remove": "Fjern en enhet fra Zigbee-nettverket.", + "updateDeviceName": "Angi et egendefinert navn for denne enheten i enhetsregisteret." + }, + "unknown": "Ukjent", + "zha_device_card": { + "area_picker_label": "Område", + "device_name_placeholder": "Brukers navn", + "update_name_button": "Oppdater navn" + } + } + }, + "duration": { + "day": "{count} {count, plural,\\none {dag}\\nother {dager}\\n}", + "hour": "{count} {count, plural,\\none {time}\\nother {timer}\\n}", + "minute": "{count} {count, plural,\\none {minutt}\\nother {minutter}\\n}", + "second": "{count} {count, plural,\\none {sekund}\\nother {sekunder}\\n}", + "week": "{count} {count, plural,\\none {uke}\\nother {uker}\\n}" + }, + "login-form": { + "log_in": "Logg inn", + "password": "Passord", + "remember": "Husk" + }, + "notification_drawer": { + "click_to_configure": "Klikk på knappen for å konfigurere {entity}", + "empty": "Ingen varsler", + "title": "Varsler" + }, + "notification_toast": { + "connection_lost": "Forbindelsen ble brutt. Kobler til på nytt...", + "entity_turned_off": "Slått av: {entity}", + "entity_turned_on": "Slått på: {entity}", + "service_call_failed": "Kunne ikke tilkalle tjenesten: {service}", + "service_called": "Tilkalte tjenesten: {service}", + "triggered": "Utløst {name}" + }, + "panel": { + "config": { + "area_registry": { + "caption": "Områderegister", + "create_area": "OPPRETT OMRÅDE", + "description": "Oversikt over alle områder i ditt hjem", + "editor": { + "create": "OPPRETT", + "default_name": "Nytt område", + "delete": "SLETT", + "update": "OPPDATER" + }, + "no_areas": "Det ser ikke ut som om du har noen områder ennå!", "picker": { - "header": "Tilpasning", - "introduction": "Juster per-enhet attributter. Lagt til\/redigert tilpasninger trer i kraft umiddelbart. Fjernede tilpasninger trer i kraft når enheten er oppdatert." + "create_area": "Opprett område", + "header": "Områderegister", + "integrations_page": "Integrasjonsside", + "introduction": "Områder brukes til å organisere hvor enheter er. Denne informasjonen vil bli brukt gjennomgående i Home Assistant for å hjelpe deg med å organisere grensesnittet, tillatelser og integrasjoner med andre systemer.", + "introduction2": "For å plassere enheter i et område, bruk linken under for å navigere til integrasjonssiden og klikk deretter på en konfigurert integrasjon for å komme til enhetskortene.", + "no_areas": "Det ser ikke ut som om du har noen områder enda!" } }, "automation": { "caption": "Automatisering", "description": "Opprett og rediger automasjoner", - "picker": { - "header": "Automasjonsredigering", - "introduction": "Automasjonsredigeringen lar deg lage og redigere automasjoner. Vennligst les [instruksjonene](https:\/\/home-assistant.io\/docs\/automation\/editor\/) for å forsikre deg om at du har konfigurert Home Assistant riktig.", - "pick_automation": "Velg automasjon for å redigere", - "no_automations": "Vi kunne ikke finne noen redigerbare automasjoner", - "add_automation": "Legg til automatisering", - "learn_more": "Lær mer om automatisering" - }, "editor": { - "introduction": "Bruk automatiseringer for å få liv i hjemmet ditt", - "default_name": "Ny automatisering", - "save": "Lagre", - "unsaved_confirm": "Du har endringer som ikke er lagret. Er du sikker på at du vil forlate?", - "alias": "Navn", - "triggers": { - "header": "Utløsere", - "introduction": "Utløsere er det som starter en automatiseringsregel. Det er mulig å spesifisere flere utløsere for samme regel. Når en utløser aktiveres, vil Home Assistant bekrefte vilkårene, hvis noen, og kjøre handlingen. \n\n[Lær mer om utløsere.](https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", - "add": "Legg til utløser", - "duplicate": "Dupliser", + "actions": { + "add": "Legg til handling", "delete": "Slett", - "delete_confirm": "Er du sikker på at du vil slette?", - "unsupported_platform": "Ikke-støttet plattform: {platform}", - "type_select": "Utløser type", + "delete_confirm": "Er du sikker på at du ønsker å slette?", + "duplicate": "Dupliser", + "header": "Handlinger", + "introduction": "Handling(ene) er hva Home Assistant vil utføre når en automasjon utløses.", + "learn_more": "Lær mer om handlinger", + "type_select": "Handlingstype", "type": { + "condition": { + "label": "Betingelse" + }, + "delay": { + "delay": "Forsinkelse", + "label": "Forsinkelse" + }, + "device_id": { + "extra_fields": { + "code": "Kode" + }, + "label": "Enhet" + }, "event": { - "label": "Hendelse", - "event_type": "Hendelse type", - "event_data": "Hendelse data" + "event": "Hendelse", + "label": "Kjør hendelse", + "service_data": "Tjenestedata" }, - "state": { - "label": "Tilstand", - "from": "Fra", - "to": "Til", - "for": "For" + "scene": { + "label": "Aktiver scene" }, - "homeassistant": { - "label": "Home Assistant", - "event": "Hendelse:", - "start": "Start", - "shutdown": "Slå av" + "service": { + "label": "Hent tjeneste", + "service_data": "Tjenestedata" }, - "mqtt": { - "label": "MQTT", - "topic": "Emne", - "payload": "Nyttelast (valgfritt)" - }, - "numeric_state": { - "label": "Numerisk tilstand", - "above": "Over", - "below": "Under", - "value_template": "Verdi mal (valgfritt)" - }, - "sun": { - "label": "Sol", - "event": "Hendelse:", - "sunrise": "Soloppgang", - "sunset": "Solnedgang", - "offset": "Forskyvning (valgfritt)" - }, - "template": { - "label": "Mal", - "value_template": "Verdi mal" - }, - "time": { - "label": "Tid", - "at": "Klokken" - }, - "zone": { - "label": "Sone", - "entity": "Oppføring med posisjon", - "zone": "Sone", - "event": "Hendelse:", - "enter": "Ankommer", - "leave": "Forlater" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook ID" - }, - "time_pattern": { - "label": "Tidsmønster", - "hours": "Timer", - "minutes": "Minutter", - "seconds": "Sekunder" - }, - "geo_location": { - "label": "Geolokasjon", - "source": "Kilde", - "zone": "Sone", - "event": "Hendelse:", - "enter": "Ankommer", - "leave": "Forlater" + "wait_template": { + "label": "Vent", + "timeout": "Tidsavbrudd (valgfritt)", + "wait_template": "Ventemal" + } + }, + "unsupported_action": "Ikke-støttet handling: {action}" + }, + "alias": "Navn", + "conditions": { + "add": "Legg til betingelse", + "delete": "Slett", + "delete_confirm": "Er du sikker på at du ønsker å slette?", + "duplicate": "Dupliser", + "header": "Betingelser", + "introduction": "Betingelser er en valgfri del av en automasjonsregel og kan brukes til å forhindre at en handling skjer når den blir aktivert. \\nBetingelsene ser veldig ut som utløsere, men er veldig forskjellige. \\nEn utløser vil se på hendelser som skjer i systemet, mens en betingelse bare ser på hvordan systemet ser ut akkurat nå. En utløser kan observere at en bryter er slått på. En betingelse kan bare se om en bryter for øyeblikket er på eller av.", + "learn_more": "Lær mer om betingelser", + "type_select": "Type Betingelse", + "type": { + "and": { + "label": "Og" }, "device": { - "label": "Enhet", "extra_fields": { "above": "Over", "below": "Under", "for": "Varighet" - } - } - }, - "learn_more": "Lær mer om utløsere" - }, - "conditions": { - "header": "Betingelser", - "introduction": "Betingelser er en valgfri del av en automasjonsregel og kan brukes til å forhindre at en handling skjer når den blir aktivert. \nBetingelsene ser veldig ut som utløsere, men er veldig forskjellige. \nEn utløser vil se på hendelser som skjer i systemet, mens en betingelse bare ser på hvordan systemet ser ut akkurat nå. En utløser kan observere at en bryter er slått på. En betingelse kan bare se om en bryter for øyeblikket er på eller av.", - "add": "Legg til betingelse", - "duplicate": "Dupliser", - "delete": "Slett", - "delete_confirm": "Er du sikker på at du ønsker å slette?", - "unsupported_condition": "Ikke-støttet tilstand: {condition}", - "type_select": "Type Betingelse", - "type": { + }, + "label": "Enhet" + }, + "numeric_state": { + "above": "Over", + "below": "Under", + "label": "Numerisk tilstand", + "value_template": "Verdi mal (valgfri)" + }, + "or": { + "label": "Eller" + }, "state": { "label": "Tilstand", "state": "Tilstand" }, - "numeric_state": { - "label": "Numerisk tilstand", - "above": "Over", - "below": "Under", - "value_template": "Verdi mal (valgfri)" - }, "sun": { - "label": "Sol", - "before": "Før:", "after": "Etter:", - "before_offset": "Fremskynde (valgfritt)", "after_offset": "Utsette (valgfritt)", + "before": "Før:", + "before_offset": "Fremskynde (valgfritt)", + "label": "Sol", "sunrise": "Soloppgang", "sunset": "Solnedgang" }, @@ -628,395 +779,619 @@ "value_template": "Verdi mal" }, "time": { - "label": "Tid", "after": "Etter", - "before": "Før" + "before": "Før", + "label": "Tid" }, "zone": { - "label": "Sone", "entity": "Enhet med posisjon", + "label": "Sone", "zone": "Sone" - }, + } + }, + "unsupported_condition": "Ikke-støttet tilstand: {condition}" + }, + "default_name": "Ny automatisering", + "description": { + "label": "Beskrivelse", + "placeholder": "Valgfri beskrivelse" + }, + "introduction": "Bruk automatiseringer for å få liv i hjemmet ditt", + "load_error_not_editable": "Kun automatiseringer i automations.yaml kan redigeres.", + "load_error_unknown": "Feil ved lasting av automasjon ({err_no}).", + "save": "Lagre", + "triggers": { + "add": "Legg til utløser", + "delete": "Slett", + "delete_confirm": "Er du sikker på at du vil slette?", + "duplicate": "Dupliser", + "header": "Utløsere", + "introduction": "Utløsere er det som starter en automatiseringsregel. Det er mulig å spesifisere flere utløsere for samme regel. Når en utløser aktiveres, vil Home Assistant bekrefte vilkårene, hvis noen, og kjøre handlingen. \\n\\n[Lær mer om utløsere.](https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", + "learn_more": "Lær mer om utløsere", + "type_select": "Utløser type", + "type": { "device": { - "label": "Enhet", "extra_fields": { "above": "Over", "below": "Under", "for": "Varighet" - } - }, - "and": { - "label": "Og" - }, - "or": { - "label": "Eller" - } - }, - "learn_more": "Lær mer om betingelser" - }, - "actions": { - "header": "Handlinger", - "introduction": "Handling(ene) er hva Home Assistant vil utføre når en automasjon utløses.", - "add": "Legg til handling", - "duplicate": "Dupliser", - "delete": "Slett", - "delete_confirm": "Er du sikker på at du ønsker å slette?", - "unsupported_action": "Ikke-støttet handling: {action}", - "type_select": "Handlingstype", - "type": { - "service": { - "label": "Hent tjeneste", - "service_data": "Tjenestedata" - }, - "delay": { - "label": "Forsinkelse", - "delay": "Forsinkelse" - }, - "wait_template": { - "label": "Vent", - "wait_template": "Ventemal", - "timeout": "Tidsavbrudd (valgfritt)" - }, - "condition": { - "label": "Betingelse" + }, + "label": "Enhet" }, "event": { - "label": "Kjør hendelse", - "event": "Hendelse", - "service_data": "Tjenestedata" + "event_data": "Hendelse data", + "event_type": "Hendelse type", + "label": "Hendelse" }, - "device_id": { - "label": "Enhet", - "extra_fields": { - "code": "Kode" - } + "geo_location": { + "enter": "Ankommer", + "event": "Hendelse:", + "label": "Geolokasjon", + "leave": "Forlater", + "source": "Kilde", + "zone": "Sone" }, - "scene": { - "label": "Aktiver scene" + "homeassistant": { + "event": "Hendelse:", + "label": "Home Assistant", + "shutdown": "Slå av", + "start": "Start" + }, + "mqtt": { + "label": "MQTT", + "payload": "Nyttelast (valgfritt)", + "topic": "Emne" + }, + "numeric_state": { + "above": "Over", + "below": "Under", + "label": "Numerisk tilstand", + "value_template": "Verdi mal (valgfritt)" + }, + "state": { + "for": "For", + "from": "Fra", + "label": "Tilstand", + "to": "Til" + }, + "sun": { + "event": "Hendelse:", + "label": "Sol", + "offset": "Forskyvning (valgfritt)", + "sunrise": "Soloppgang", + "sunset": "Solnedgang" + }, + "template": { + "label": "Mal", + "value_template": "Verdi mal" + }, + "time_pattern": { + "hours": "Timer", + "label": "Tidsmønster", + "minutes": "Minutter", + "seconds": "Sekunder" + }, + "time": { + "at": "Klokken", + "label": "Tid" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook ID" + }, + "zone": { + "enter": "Ankommer", + "entity": "Oppføring med posisjon", + "event": "Hendelse:", + "label": "Sone", + "leave": "Forlater", + "zone": "Sone" } }, - "learn_more": "Lær mer om handlinger" + "unsupported_platform": "Ikke-støttet plattform: {platform}" }, - "load_error_not_editable": "Kun automatiseringer i automations.yaml kan redigeres.", - "load_error_unknown": "Feil ved lasting av automasjon ({err_no}).", - "description": { - "label": "Beskrivelse", - "placeholder": "Valgfri beskrivelse" - } - } - }, - "script": { - "caption": "Skript", - "description": "Opprett og rediger skript", + "unsaved_confirm": "Du har endringer som ikke er lagret. Er du sikker på at du vil forlate?" + }, "picker": { - "header": "Skriptredigering", - "introduction": "Skripteditoren lar deg lage og redigere skript. Følg lenken nedenfor for å lese instruksjonene for å forsikre deg om at du har konfigurert Home Assistant riktig.", - "learn_more": "Lær mer om skript", - "no_scripts": "Vi kunne ikke finne noen redigerbare skript", - "add_script": "Legg til skript" - }, - "editor": { - "header": "Skript: {navn}", - "default_name": "Nytt skript", - "load_error_not_editable": "Bare skript inne i skript.yaml kan redigeres.", - "delete_confirm": "Er du sikker på at du vil slette dette skriptet?" - } - }, - "zwave": { - "caption": "Z-Wave", - "description": "Administrer ditt Z-Wave-nettverk", - "network_management": { - "header": "Z-Wave nettverksadministrasjon", - "introduction": "Kjør kommandoer som påvirker Z-Wave nettverket. Du får ikke tilbakemelding på om de fleste kommandoer lykkes, men du kan sjekke OZW-loggen for å prøve å finne det ut." - }, - "network_status": { - "network_stopped": "Z-Wave nettverket stoppet", - "network_starting": "Starter Z-Wave nettverk...", - "network_starting_note": "Dette kan ta en stund, avhengig av størrelsen på nettverket ditt.", - "network_started": "Z-Wave nettverk startet", - "network_started_note_some_queried": "Våkne noder har blitt forespurt. Sovende noder vil bli spurt når de våkner.", - "network_started_note_all_queried": "Alle noder er forespurt." - }, - "services": { - "start_network": "Start nettverk", - "stop_network": "Stopp nettverk", - "heal_network": "Helbrede nettverk", - "test_network": "Test nettverk", - "soft_reset": "Myk tilbakestilling", - "save_config": "Lagre konfigurasjon", - "add_node_secure": "Legg til sikker node", - "add_node": "Legg til node", - "remove_node": "Fjern node", - "cancel_command": "Avbryt kommando" - }, - "common": { - "value": "Verdi", - "instance": "Forekomst", - "index": "Indeks", - "unknown": "ukjent", - "wakeup_interval": "Våkningsintervall" - }, - "values": { - "header": "Nodeverdier" - }, - "node_config": { - "header": "Alternativer for nodekonfigurasjon", - "seconds": "sekunder", - "set_wakeup": "Angi vekkeintervall", - "config_parameter": "Konfigurasjon parameter", - "config_value": "Konfigurasjon verdi", - "true": "Sant", - "false": "Usant", - "set_config_parameter": "Angi konfigurasjons parameter" - }, - "learn_more": "Lær mer om Z-Wave", - "ozw_log": { - "header": "OZW-logg", - "introduction": "Vis loggen. 0 er minimum (laster hele loggen) og 1000 er maksimum. Load vil vise en statisk logg og halen vil automatisk oppdatere med det siste spesifiserte antall linjer av loggen." - } - }, - "users": { - "caption": "Brukere", - "description": "Administrer brukere", - "picker": { - "title": "Brukere", - "system_generated": "System generert" - }, - "editor": { - "rename_user": "Gi nytt navn til bruker", - "change_password": "Endre passord", - "activate_user": "Aktiver bruker", - "deactivate_user": "Deaktiver bruker", - "delete_user": "Slett bruker", - "caption": "Vis bruker", - "id": "ID", - "owner": "Eier", - "group": "Gruppe", - "active": "Aktiv", - "system_generated": "System generert", - "system_generated_users_not_removable": "Kan ikke fjerne systemgenererte brukere.", - "unnamed_user": "Bruker uten navn", - "enter_new_name": "Skriv inn nytt navn", - "user_rename_failed": "Brukernavn mislyktes:", - "group_update_failed": "Gruppeoppdatering mislyktes:", - "confirm_user_deletion": "Er du sikker på at du vil slette {name} ?" - }, - "add_user": { - "caption": "Legg til bruker", - "name": "Navn", - "username": "Brukernavn", - "password": "Passord", - "create": "Opprett" + "add_automation": "Legg til automatisering", + "delete_automation": "Slett automatisering", + "delete_confirm": "Er du sikker på at du vil slette denne automatiseringen?", + "edit_automation": "Rediger automatisering", + "header": "Automasjonsredigering", + "introduction": "Automasjonsredigeringen lar deg lage og redigere automasjoner. Vennligst les [instruksjonene](https:\/\/home-assistant.io\/docs\/automation\/editor\/) for å forsikre deg om at du har konfigurert Home Assistant riktig.", + "learn_more": "Lær mer om automatisering", + "no_automations": "Vi kunne ikke finne noen redigerbare automasjoner", + "pick_automation": "Velg automasjon for å redigere", + "show_info_automation": "Vis informasjon om automatisering" } }, "cloud": { + "account": { + "alexa": { + "config_documentation": "Konfigurer dokumentasjon", + "disable": "deaktiver", + "enable": "aktiver", + "enable_ha_skill": "Aktivere Home Assistant-ferdigheten for Alexa", + "enable_state_reporting": "Aktiver tilstandsrapportering", + "info": "Med Alexa-integrasjonen for Home Assistant Cloud vil du kunne kontrollere alle dine Home Assistant-enheter via hvilken som helst Alexa-aktivert enhet.", + "info_state_reporting": "Hvis du aktiverer tilstandsrapportering, vil Home Assistant sende alle tilstandsendringer av utsatte enheter til Amazon. Dette lar deg alltid se de siste tilstandene i Alexa-appen og bruke tilstandsendringene til å lage rutiner.", + "manage_entities": "Administrer enheter", + "state_reporting_error": "Kan ikke {enable_disable} rapportere status.", + "sync_entities": "Synkroniser enheter", + "sync_entities_error": "Kunne ikke synkronisere enheter:", + "title": "Alexa" + }, + "connected": "Tilkoblet", + "connection_status": "Status for skytilkobling", + "fetching_subscription": "Henter abonnement...", + "google": { + "config_documentation": "Konfigurer dokumentasjon", + "devices_pin": "PIN-kode for sikkerhetsenheter", + "enable_ha_skill": "Aktivere Home Assistant-ferdigheten for Google Assistant", + "enable_state_reporting": "Aktiver tilstandsrapportering", + "enter_pin_error": "Kunne ikke lagre PIN-kode:", + "enter_pin_hint": "Angi en PIN-kode for å bruke sikkerhetsenheter", + "enter_pin_info": "Angi en PIN-kode for å samhandle med sikkerhetsenheter. Sikkerhetsanordninger er dører, garasjeporter og låser. Du vil bli bedt om å si\/angi denne PIN-koden når du samhandler med slike enheter via Google Assistant.", + "info": "Med Google Assistant-integrasjonen for Home Assistant Cloud vil du kunne kontrollere alle dine Home Assistant-enheter via hvilken som helst Google Assistant-aktivert enhet.", + "info_state_reporting": "Hvis du aktiverer tilstandsrapportering, vil Home Assistant sende alle tilstandsendringer av utsatte enheter til Google. Dette lar deg alltid se de nyeste delene av Google-appen.", + "manage_entities": "Administrer enheter", + "security_devices": "Sikkerhetsenheter", + "sync_entities": "Synkroniser enheter til Google", + "title": "Google Assistant" + }, + "integrations": "Integrasjoner", + "integrations_introduction": "Integrasjoner for Home Assistant Cloud lar deg koble til tjenester i skyen uten å måtte avsløre Home Assistant-forekomsten offentlig på internett.", + "integrations_introduction2": "Sjekk nettstedet for", + "integrations_link_all_features": " alle tilgjengelige funksjoner", + "manage_account": "Administrer konto", + "nabu_casa_account": "Nabu Casa konto", + "not_connected": "Ikke tilkoblet", + "remote": { + "access_is_being_prepared": "Ekstern tilgang forberedes. Vi vil varsle deg når den er klar.", + "certificate_info": "Sertifikatinformasjon", + "info": "Home Assistant Cloud gir en sikker ekstern tilkobling til forekomsten din mens du er borte fra hjemmet.", + "instance_is_available": "Din forekomst er tilgjengelig på", + "instance_will_be_available": "Din forekomst vil være tilgjengelig på", + "link_learn_how_it_works": "Lær hvordan det fungerer", + "title": "Fjernkontroll" + }, + "sign_out": "Logg ut", + "thank_you_note": "Takk for at du er en del av Home Assistant Cloud. Det er på grunn av personer som deg at vi er i stand til å lage en flott hjemmeautomasjon opplevelse for alle. Tusen takk!", + "webhooks": { + "disable_hook_error_msg": "Kan ikke deaktivere webhook:", + "info": "Alt som er konfigurert til å utløses av en webhook, kan gis en offentlig tilgjengelig URL-adresse for å tillate deg å sende data tilbake til Home Assistent fra hvor som helst, uten å utsette forekomsten din for Internett.", + "link_learn_more": "Finn ut mer om hvordan du oppretter webhook-drevne automasjoner.", + "loading": "Laster inn ...", + "manage": "Administrer", + "no_hooks_yet": "Ser ut som du ikke har noen webhooks ennå. Kom i gang ved å konfigurere en ", + "no_hooks_yet_link_automation": "webhook automatisering", + "no_hooks_yet_link_integration": "webhook-basert integrasjon", + "no_hooks_yet2": " eller ved å opprette en ", + "title": "Webhooks" + } + }, + "alexa": { + "banner": "Redigere hvilke enheter som vises via dette grensesnittet er deaktivert fordi du har konfigurert enhetsfiltre i configuration.yaml.", + "expose": "Eksponer til Alexa", + "exposed_entities": "Eksponerte enheter", + "not_exposed_entities": "Ikke eksponerte enheter", + "title": "Alexa" + }, "caption": "Home Assistant Cloud", + "description_features": "Kontroller borte fra hjemmet, integrere med Alexa og Google Assistant.", "description_login": "Logget inn som {email}", "description_not_login": "Ikke pålogget", - "description_features": "Kontroller borte fra hjemmet, integrere med Alexa og Google Assistant.", + "dialog_certificate": { + "certificate_expiration_date": "Utløpsdato for sertifikat", + "certificate_information": "Sertifikatinformasjon", + "close": "Lukk", + "fingerprint": "Fingeravtrykk for sertifikat:", + "will_be_auto_renewed": "Vil automatisk bli fornyet" + }, + "dialog_cloudhook": { + "available_at": "Webhook er tilgjengelig på følgende URL:", + "close": "Lukk", + "confirm_disable": "Er du sikker på at du vil deaktivere denne webhook?", + "copied_to_clipboard": "Kopiert til utklippstavle", + "info_disable_webhook": "Hvis du ikke lenger ønsker å bruke denne webhook, kan du", + "link_disable_webhook": "deaktiver den", + "managed_by_integration": "Denne webhook administreres av en integrasjon og kan ikke deaktiveres.", + "view_documentation": "Vis dokumentasjon", + "webhook_for": "Webhook for {name}" + }, + "forgot_password": { + "check_your_email": "Sjekk e-posten din for instruksjoner om hvordan du tilbakestiller passordet.", + "email": "E-post", + "email_error_msg": "Ugyldig e-postadresse", + "instructions": "Skriv inn din e-postadresse og vi vil sende deg en link for å tilbakestille passordet ditt.", + "send_reset_email": "Send tilbakestilling av passord via e-post", + "subtitle": "Glemt passord", + "title": "Glemt passord" + }, + "google": { + "banner": "Redigere hvilke enheter som vises via dette grensesnittet er deaktivert fordi du har konfigurert enhetsfiltre i configuration.yaml.", + "disable_2FA": "Deaktiver tofaktorautentisering", + "expose": "Eksponer til Google Assistant", + "exposed_entities": "Eksponerte enheter", + "not_exposed_entities": "Ikke eksponerte enheter", + "sync_to_google": "Synkroniserer endringer til Google.", + "title": "Google Assistant" + }, "login": { - "title": "Cloud Logg inn", + "alert_email_confirm_necessary": "Du må bekrefte e-posten din før du logger inn.", + "alert_password_change_required": "Du må endre passordet før du logger inn.", + "dismiss": "Avvis", + "email": "E-post", + "email_error_msg": "Ugyldig e-postadresse", + "forgot_password": "glemt passord?", "introduction": "Home Assistant Cloud gir deg en sikker ekstern tilkobling til din forekomst mens du er borte fra hjemmet. Du kan også koble til med skytjenester: Amazon Alexa og Google Assistant.", "introduction2": "Denne tjenesten drives av vår partner", "introduction2a": ", et selskap av grunnleggerne av Home Assistant og Hass.io.", "introduction3": "Home Assistant Cloud er en abonnementstjeneste med en gratis prøveperiode på en måned. Ingen betalingsinformasjon nødvendig.", "learn_more_link": "Lær mer om Home Assistant Cloud", - "dismiss": "Avvis", - "sign_in": "Logg inn", - "email": "E-post", - "email_error_msg": "Ugyldig e-postadresse", "password": "Passord", "password_error_msg": "Passord er minst 8 tegn", - "forgot_password": "glemt passord?", + "sign_in": "Logg inn", "start_trial": "Start en gratis prøveperiode på 1 måned", - "trial_info": "Ingen betalingsinformasjon er nødvendig", - "alert_password_change_required": "Du må endre passordet før du logger inn.", - "alert_email_confirm_necessary": "Du må bekrefte e-posten din før du logger inn." - }, - "forgot_password": { - "title": "Glemt passord", - "subtitle": "Glemt passord", - "instructions": "Skriv inn din e-postadresse og vi vil sende deg en link for å tilbakestille passordet ditt.", - "email": "E-post", - "email_error_msg": "Ugyldig e-postadresse", - "send_reset_email": "Send tilbakestilling av passord via e-post", - "check_your_email": "Sjekk e-posten din for instruksjoner om hvordan du tilbakestiller passordet." + "title": "Cloud Logg inn", + "trial_info": "Ingen betalingsinformasjon er nødvendig" }, "register": { - "title": "Registrer konto", - "headline": "Start prøveversjon", - "information": "Opprett en konto for å starte en gratis prøveperiode på en måned med Home Assistant Cloud. Ingen betalingsinformasjon nødvendig.", - "information2": "Prøveperioden vil gi deg tilgang til alle fordelene med Home Assistant Cloud, inkludert:", - "feature_remote_control": "Kontroller Home Assistent når du er borte fra hjemmet", - "feature_google_home": "Integrasjon med Google Assistant", - "feature_amazon_alexa": "Integrasjon med Amazon Alexa", - "feature_webhook_apps": "Enkel integrasjon med nettbaserte apper som OwnTracks", - "information3": "Denne tjenesten drives av vår partner", - "information3a": ", et selskap av grunnleggerne av Home Assistant og Hass.io.", - "information4": "Ved å registrere en konto samtykker du til følgende vilkår og betingelser.", - "link_terms_conditions": "Vilkår og betingelser", - "link_privacy_policy": "Personvern", + "account_created": "Konto opprettet! Sjekk e-posten din for instruksjoner om hvordan du aktiverer kontoen din.", "create_account": "Opprett konto", "email_address": "Epostadresse", "email_error_msg": "Ugyldig e-postadresse", + "feature_amazon_alexa": "Integrasjon med Amazon Alexa", + "feature_google_home": "Integrasjon med Google Assistant", + "feature_remote_control": "Kontroller Home Assistent når du er borte fra hjemmet", + "feature_webhook_apps": "Enkel integrasjon med nettbaserte apper som OwnTracks", + "headline": "Start prøveversjon", + "information": "Opprett en konto for å starte en gratis prøveperiode på en måned med Home Assistant Cloud. Ingen betalingsinformasjon nødvendig.", + "information2": "Prøveperioden vil gi deg tilgang til alle fordelene med Home Assistant Cloud, inkludert:", + "information3": "Denne tjenesten drives av vår partner", + "information3a": ", et selskap av grunnleggerne av Home Assistant og Hass.io.", + "information4": "Ved å registrere en konto samtykker du til følgende vilkår og betingelser.", + "link_privacy_policy": "Personvern", + "link_terms_conditions": "Vilkår og betingelser", "password": "Passord", "password_error_msg": "Passord er minst 8 tegn", - "start_trial": "Start prøveversjon", "resend_confirm_email": "Send bekreftelses e-post på nytt", - "account_created": "Konto opprettet! Sjekk e-posten din for instruksjoner om hvordan du aktiverer kontoen din." - }, - "account": { - "thank_you_note": "Takk for at du er en del av Home Assistant Cloud. Det er på grunn av personer som deg at vi er i stand til å lage en flott hjemmeautomasjon opplevelse for alle. Tusen takk!", - "nabu_casa_account": "Nabu Casa konto", - "connection_status": "Status for skytilkobling", - "manage_account": "Administrer konto", - "sign_out": "Logg ut", - "integrations": "Integrasjoner", - "integrations_introduction": "Integrasjoner for Home Assistant Cloud lar deg koble til tjenester i skyen uten å måtte avsløre Home Assistant-forekomsten offentlig på internett.", - "integrations_introduction2": "Sjekk nettstedet for", - "integrations_link_all_features": " alle tilgjengelige funksjoner", - "connected": "Tilkoblet", - "not_connected": "Ikke tilkoblet", - "fetching_subscription": "Henter abonnement...", - "remote": { - "title": "Fjernkontroll", - "access_is_being_prepared": "Ekstern tilgang forberedes. Vi vil varsle deg når den er klar.", - "info": "Home Assistant Cloud gir en sikker ekstern tilkobling til forekomsten din mens du er borte fra hjemmet.", - "instance_is_available": "Din forekomst er tilgjengelig på", - "instance_will_be_available": "Din forekomst vil være tilgjengelig på", - "link_learn_how_it_works": "Lær hvordan det fungerer", - "certificate_info": "Sertifikatinformasjon" - }, - "alexa": { - "title": "Alexa", - "info": "Med Alexa-integrasjonen for Home Assistant Cloud vil du kunne kontrollere alle dine Home Assistant-enheter via hvilken som helst Alexa-aktivert enhet.", - "enable_ha_skill": "Aktivere Home Assistant-ferdigheten for Alexa", - "config_documentation": "Konfigurer dokumentasjon", - "enable_state_reporting": "Aktiver tilstandsrapportering", - "info_state_reporting": "Hvis du aktiverer tilstandsrapportering, vil Home Assistant sende alle tilstandsendringer av utsatte enheter til Amazon. Dette lar deg alltid se de siste tilstandene i Alexa-appen og bruke tilstandsendringene til å lage rutiner.", - "sync_entities": "Synkroniser enheter", - "manage_entities": "Administrer enheter", - "sync_entities_error": "Kunne ikke synkronisere enheter:", - "state_reporting_error": "Kan ikke {enable_disable} rapportere status.", - "enable": "aktiver", - "disable": "deaktiver" - }, - "google": { - "title": "Google Assistant", - "info": "Med Google Assistant-integrasjonen for Home Assistant Cloud vil du kunne kontrollere alle dine Home Assistant-enheter via hvilken som helst Google Assistant-aktivert enhet.", - "enable_ha_skill": "Aktivere Home Assistant-ferdigheten for Google Assistant", - "config_documentation": "Konfigurer dokumentasjon", - "enable_state_reporting": "Aktiver tilstandsrapportering", - "info_state_reporting": "Hvis du aktiverer tilstandsrapportering, vil Home Assistant sende alle tilstandsendringer av utsatte enheter til Google. Dette lar deg alltid se de nyeste delene av Google-appen.", - "security_devices": "Sikkerhetsenheter", - "enter_pin_info": "Angi en PIN-kode for å samhandle med sikkerhetsenheter. Sikkerhetsanordninger er dører, garasjeporter og låser. Du vil bli bedt om å si\/angi denne PIN-koden når du samhandler med slike enheter via Google Assistant.", - "devices_pin": "PIN-kode for sikkerhetsenheter", - "enter_pin_hint": "Angi en PIN-kode for å bruke sikkerhetsenheter", - "sync_entities": "Synkroniser enheter til Google", - "manage_entities": "Administrer enheter", - "enter_pin_error": "Kunne ikke lagre PIN-kode:" - }, - "webhooks": { - "title": "Webhooks", - "info": "Alt som er konfigurert til å utløses av en webhook, kan gis en offentlig tilgjengelig URL-adresse for å tillate deg å sende data tilbake til Home Assistent fra hvor som helst, uten å utsette forekomsten din for Internett.", - "no_hooks_yet": "Ser ut som du ikke har noen webhooks ennå. Kom i gang ved å konfigurere en ", - "no_hooks_yet_link_integration": "webhook-basert integrasjon", - "no_hooks_yet2": " eller ved å opprette en ", - "no_hooks_yet_link_automation": "webhook automatisering", - "link_learn_more": "Finn ut mer om hvordan du oppretter webhook-drevne automasjoner.", - "loading": "Laster inn ...", - "manage": "Administrer", - "disable_hook_error_msg": "Kan ikke deaktivere webhook:" - } - }, - "alexa": { - "title": "Alexa", - "banner": "Redigere hvilke enheter som vises via dette grensesnittet er deaktivert fordi du har konfigurert enhetsfiltre i configuration.yaml.", - "exposed_entities": "Eksponerte enheter", - "not_exposed_entities": "Ikke eksponerte enheter", - "expose": "Eksponer til Alexa" - }, - "dialog_certificate": { - "certificate_information": "Sertifikatinformasjon", - "certificate_expiration_date": "Utløpsdato for sertifikat", - "will_be_auto_renewed": "Vil automatisk bli fornyet", - "fingerprint": "Fingeravtrykk for sertifikat:", - "close": "Lukk" - }, - "google": { - "title": "Google Assistant", - "expose": "Eksponer til Google Assistant", - "disable_2FA": "Deaktiver tofaktorautentisering", - "banner": "Redigere hvilke enheter som vises via dette grensesnittet er deaktivert fordi du har konfigurert enhetsfiltre i configuration.yaml.", - "exposed_entities": "Eksponerte enheter", - "not_exposed_entities": "Ikke eksponerte enheter", - "sync_to_google": "Synkroniserer endringer til Google." - }, - "dialog_cloudhook": { - "webhook_for": "Webhook for {name}", - "available_at": "Webhook er tilgjengelig på følgende URL:", - "managed_by_integration": "Denne webhook administreres av en integrasjon og kan ikke deaktiveres.", - "info_disable_webhook": "Hvis du ikke lenger ønsker å bruke denne webhook, kan du", - "link_disable_webhook": "deaktiver den", - "view_documentation": "Vis dokumentasjon", - "close": "Lukk", - "confirm_disable": "Er du sikker på at du vil deaktivere denne webhook?", - "copied_to_clipboard": "Kopiert til utklippstavle" + "start_trial": "Start prøveversjon", + "title": "Registrer konto" } }, + "common": { + "editor": { + "confirm_unsaved": "Du har ulagrede endringer. Er du sikker på at du vil lukke?" + } + }, + "core": { + "caption": "Generelt", + "description": "Endre den generelle konfigurasjonen for Home Assistant", + "section": { + "core": { + "core_config": { + "edit_requires_storage": "Redigering deaktivert da konfigurasjonen er lagret i configuration.yaml.", + "elevation": "Høyde", + "elevation_meters": "meter", + "imperial_example": "Fahrenheit, pund", + "latitude": "Breddegrad", + "location_name": "Navn på installasjonen av Home Assistant", + "longitude": "Lengdegrad", + "metric_example": "Celsius, kilogram", + "save_button": "Lagre", + "time_zone": "Tidssone", + "unit_system": "Enhetssystem", + "unit_system_imperial": "Imperisk", + "unit_system_metric": "Metrisk" + }, + "header": "Generell konfigurasjon", + "introduction": "Endring av konfigurasjonen kan være en slitsom prosess, det vet vi. Denne delen vil forsøke å gjøre livet ditt litt lettere." + }, + "server_control": { + "reloading": { + "automation": "Oppdater automasjoner", + "core": "Oppdater kjerne", + "group": "Oppdater grupper", + "heading": "Laster konfigurasjon på nytt", + "introduction": "Enkelte deler av Home Assistant kan lastes inn på nytt uten å kreve en omstart. Trykk på oppdater for å laste inn den nye konfigurasjonen.", + "script": "Oppdater skript" + }, + "server_management": { + "heading": "Serveradministrasjon", + "introduction": "Kontroller din Home Assistant server... fra Home Assistant.", + "restart": "Start på nytt", + "stop": "Stopp" + }, + "validation": { + "check_config": "Sjekk konfigurasjonen", + "heading": "Konfigurasjonsvalidering", + "introduction": "Sjekk konfigurasjon din hvis du nylig har gjort noen endringer og ønsker å være sikker på at den er gyldig ved å kjøre en valideringstest", + "invalid": "Ugyldig konfigurasjon", + "valid": "Konfigurasjonen er gyldig!" + } + } + } + }, + "customize": { + "attributes_override": "Du kan overstyre dem hvis du vil.", + "caption": "Tilpasning", + "description": "Tilpass dine oppføringer", + "picker": { + "header": "Tilpasning", + "introduction": "Juster per-enhet attributter. Lagt til\/redigert tilpasninger trer i kraft umiddelbart. Fjernede tilpasninger trer i kraft når enheten er oppdatert." + }, + "warning": { + "include_link": "inkluder customize.yaml" + } + }, + "devices": { + "area_picker_label": "Område", + "automation": { + "actions": { + "caption": "Når noe er utløst..." + }, + "conditions": { + "caption": "Bare gjør noe hvis..." + }, + "triggers": { + "caption": "Gjør noe når ..." + } + }, + "automations": "Automatiseringer", + "caption": "Enheter", + "data_table": { + "area": "Område", + "battery": "Batteri", + "device": "Enhet", + "integration": "Integrering", + "manufacturer": "Produsent", + "model": "Modell" + }, + "description": "Administrer tilkoblede enheter", + "device_not_found": "Enhet ikke funnet", + "info": "Enhetsinformasjon", + "unknown_error": "Ukjent feil", + "unnamed_device": "Enhet uten navn" + }, + "entity_registry": { + "caption": "Enhetsregister", + "description": "Oversikt over alle kjente enheter", + "editor": { + "confirm_delete": "Er du sikker på at du vil slette denne oppføringen?", + "confirm_delete2": "Hvis du sletter en oppføring, fjernes ikke enheten fra Home Assistant. Hvis du vil gjøre dette, må du fjerne integreringen ' {Platform} ' fra Home Assistant.", + "default_name": "Nytt område", + "delete": "SLETT", + "enabled_cause": "Deaktivert av {cause}.", + "enabled_description": "Deaktiverte enheter vil ikke bli lagt til i Home Assistant.", + "enabled_label": "Aktiver enhet", + "unavailable": "Denne enheten er ikke tilgjengelig for øyeblikket.", + "update": "OPPDATER" + }, + "picker": { + "header": "Enhetsregister", + "headers": { + "enabled": "Aktivert", + "entity_id": "Enhet-ID", + "integration": "Integrering", + "name": "Navn" + }, + "integrations_page": "Integrasjonsside", + "introduction": "Home Assistant bygger opp et register over hver enhet den har sett som kan identifiseres unikt. Hver av disse enhetene vil ha en enhets-ID tilknyttet som vil bli reservert for bare denne enheten.", + "introduction2": "Bruk entitetsregisteret for å overskrive navnet, endre enhets ID eller fjern oppføringen fra Home Assistant. Merk at fjerning av enhetsregisteroppføringer ikke fjerner enheten. For å gjøre det, følg linken under og fjern den fra integrasjonssiden.", + "show_disabled": "Vis deaktiverte enheter", + "unavailable": "(utilgjengelig)" + } + }, + "header": "Konfigurer Home Assistant", "integrations": { "caption": "Integrasjoner", - "description": "Administrer og konfigurer integrasjoner", - "discovered": "Oppdaget", - "configured": "Konfigurert", - "new": "Sett opp en ny integrasjon", - "configure": "Konfigurer", - "none": "Ingenting er konfigurert enda", "config_entry": { - "no_devices": "Denne integrasjonen har ingen enheter.", - "no_device": "Oppføringer uten enheter", + "area": "I {area}", + "delete_button": "Slett {integration}", "delete_confirm": "Er du sikker på at du vil slette denne integrasjonen?", - "restart_confirm": "Start Home Assistant på nytt for å fullføre fjerningen av denne integrasjonen", - "manuf": "av {manufacturer}", - "via": "Tilkoblet via", - "firmware": "Fastvare: {version}", "device_unavailable": "enheten er utilgjengelig", "entity_unavailable": "oppføringen er utilgjengelig", - "no_area": "Intet område", + "firmware": "Fastvare: {version}", "hub": "Tilkoblet via", + "manuf": "av {manufacturer}", + "no_area": "Intet område", + "no_device": "Oppføringer uten enheter", + "no_devices": "Denne integrasjonen har ingen enheter.", + "restart_confirm": "Start Home Assistant på nytt for å fullføre fjerningen av denne integrasjonen", "settings_button": "Rediger innstillinger for {Integration}", "system_options_button": "System alternativer for {Integration}", - "delete_button": "Slett {integration}", - "area": "I {area}" + "via": "Tilkoblet via" }, "config_flow": { + "aborted": "Avbrutt", + "add_area": "Legg til område", + "area_picker_label": "Område", + "close": "Lukk", + "error_saving_area": "Feil ved lagring av område: {error}", "external_step": { "description": "Dette trinnet krever at du besøker et eksternt nettsted som skal fylles ut.", "open_site": "Åpne nettsted" - } + }, + "failed_create_area": "Kunne ikke opprette område.", + "finish": "Fullfør", + "name_new_area": "Navn på det nye området?", + "submit": "Send inn" }, + "configure": "Konfigurer", + "configured": "Konfigurert", + "description": "Administrer og konfigurer integrasjoner", + "discovered": "Oppdaget", + "home_assistant_website": "Nettsted for Home Assistant", + "new": "Sett opp en ny integrasjon", + "none": "Ingenting er konfigurert enda", "note_about_integrations": "Ikke alle integrasjoner kan konfigureres via brukergrensesnittet ennå.", - "note_about_website_reference": "Flere er tilgjengelige på", - "home_assistant_website": "Nettsted for Home Assistant" + "note_about_website_reference": "Flere er tilgjengelige på" + }, + "introduction": "Her er det mulig å konfigurere dine komponenter og Home Assistant. Ikke alt er mulig å konfigurere fra brukergrensesnittet enda, men vi jobber med det.", + "person": { + "add_person": "Legg til person", + "caption": "Personer", + "confirm_delete": "Er du sikker på at du vil slette denne personen?", + "confirm_delete2": "Alle enheter som tilhører denne personen vil ikke bli tildelt.", + "create_person": "Opprett person", + "description": "Administrer personer som Home Assistant sporer", + "detail": { + "create": "Opprett", + "delete": "Slett", + "device_tracker_intro": "Velg enhetene som tilhører denne personen.", + "device_tracker_pick": "Velg en enhet å spore", + "device_tracker_picked": "Spor enhet", + "link_integrations_page": "Integrasjonsside", + "link_presence_detection_integrations": "Integrering av tilstedeværelses deteksjon", + "linked_user": "Koblet bruker", + "name": "Navn", + "name_error_msg": "Navn er påkrevd", + "new_person": "Ny person", + "no_device_tracker_available_intro": "Når du har enheter som indikerer tilstedeværelsen av en person, vil du kunne tilordne dem til en person her. Du kan legge til den første enheten ved å legge til en integrering av tilstedeværelses gjenkjenning fra integrerings siden.", + "update": "Oppdater" + }, + "introduction": "Her kan du definere hver person av interesse i Home Assistant.", + "no_persons_created_yet": "Ser ut som du ikke har opprettet noen personer ennå.", + "note_about_persons_configured_in_yaml": "Merk: personer konfigurert via configuration.yaml kan ikke redigeres via UI." + }, + "scene": { + "activated": "Aktivert scene {name}.", + "caption": "Scener", + "description": "Opprette og redigere scener", + "editor": { + "default_name": "Ny scene", + "devices": { + "add": "Legg til en enhet", + "delete": "Slett enhet", + "header": "Enheter" + }, + "load_error_unknown": "Feil ved lasting av scene ({err_no}).", + "name": "Navn", + "save": "Lagre" + }, + "picker": { + "add_scene": "Legg til scene", + "delete_confirm": "Er du sikker på at du vil slette denne scenen?", + "delete_scene": "Slett scene", + "edit_scene": "Rediger scene", + "learn_more": "Lær mer om scener", + "no_scenes": "Vi fant ingen redigerbare scener", + "pick_scene": "Velg scene du vil redigere", + "show_info_scene": "Vis info om scene" + } + }, + "script": { + "caption": "Skript", + "description": "Opprett og rediger skript", + "editor": { + "default_name": "Nytt skript", + "delete_confirm": "Er du sikker på at du vil slette dette skriptet?", + "delete_script": "Slett skript", + "header": "Skript: {navn}", + "load_error_not_editable": "Bare skript inne i skript.yaml kan redigeres.", + "sequence": "Sekvens" + }, + "picker": { + "add_script": "Legg til skript", + "edit_script": "Rediger skript", + "header": "Skriptredigering", + "introduction": "Skripteditoren lar deg lage og redigere skript. Følg lenken nedenfor for å lese instruksjonene for å forsikre deg om at du har konfigurert Home Assistant riktig.", + "learn_more": "Lær mer om skript", + "no_scripts": "Vi kunne ikke finne noen redigerbare skript" + } + }, + "server_control": { + "caption": "Server-kontroll", + "description": "Start på nytt og stopp Home Assistant-serveren", + "section": { + "reloading": { + "automation": "Last inn automasjoner på nytt", + "core": "Last inn kjernen på nytt", + "group": "Last inn grupper på nytt", + "heading": "Konfigurasjon lastes på nytt", + "introduction": "Noen deler av Home Assistant kan laste inn uten å kreve omstart. Hvis du trykker last på nytt, vil du bytte den nåværende konfigurasjonen med den nye.", + "scene": "Last inn scener på nytt", + "script": "Last inn skript på nytt" + }, + "server_management": { + "confirm_restart": "Er du sikker på at du vil starte Home Assistant på nytt?", + "confirm_stop": "Er du sikker på at du vil stoppe Home Assistant?", + "heading": "Serveradministrasjon", + "introduction": "Kontroller din Home Assistant server... fra Home Assistant.", + "restart": "Omstart", + "stop": "Stopp" + }, + "validation": { + "check_config": "Sjekk konfigurasjonen", + "heading": "Validering av konfigurasjon", + "introduction": "Valider konfigurasjonen hvis du nylig har gjort endringer i konfigurasjonen og vil forsikre deg om at det hele er gyldig", + "invalid": "Ugyldig konfigurasjon", + "valid": "Gyldig konfigurasjon" + } + } + }, + "users": { + "add_user": { + "caption": "Legg til bruker", + "create": "Opprett", + "name": "Navn", + "password": "Passord", + "username": "Brukernavn" + }, + "caption": "Brukere", + "description": "Administrer brukere", + "editor": { + "activate_user": "Aktiver bruker", + "active": "Aktiv", + "caption": "Vis bruker", + "change_password": "Endre passord", + "confirm_user_deletion": "Er du sikker på at du vil slette {name} ?", + "deactivate_user": "Deaktiver bruker", + "delete_user": "Slett bruker", + "enter_new_name": "Skriv inn nytt navn", + "group": "Gruppe", + "group_update_failed": "Gruppeoppdatering mislyktes:", + "id": "ID", + "owner": "Eier", + "rename_user": "Gi nytt navn til bruker", + "system_generated": "System generert", + "system_generated_users_not_removable": "Kan ikke fjerne systemgenererte brukere.", + "unnamed_user": "Bruker uten navn", + "user_rename_failed": "Brukernavn mislyktes:" + }, + "picker": { + "system_generated": "System generert", + "title": "Brukere" + } }, "zha": { - "caption": "ZHA", - "description": "Zigbee Home Automation nettverksadministrasjon", - "services": { - "reconfigure": "Rekonfigurer ZHA-enhet (heal enhet). Bruk dette hvis du har problemer med enheten. Hvis den aktuelle enheten er en batteridrevet enhet, sørg for at den er våken og aksepterer kommandoer når du bruker denne tjenesten.", - "updateDeviceName": "Angi et egendefinert navn for denne enheten i enhetsregisteret.", - "remove": "Fjern en enhet fra Zigbee-nettverket." - }, - "device_card": { - "device_name_placeholder": "Brukers navn", - "area_picker_label": "Område", - "update_name_button": "Oppdatér navn" - }, "add_device_page": { - "header": "Zigbee Home Automation - Legg til enheter", - "spinner": "Søker etter ZHA Zigbee-enheter...", "discovery_text": "Oppdagede enheter vises her. Følg instruksjonene for enheten(e) og sett enheten(e) i paringsmodus.", - "search_again": "Søk på nytt" + "header": "Zigbee Home Automation - Legg til enheter", + "search_again": "Søk på nytt", + "spinner": "Søker etter ZHA Zigbee-enheter..." + }, + "caption": "ZHA", + "cluster_attributes": { + "attributes_of_cluster": "Attributter for den valgte klyngen", + "get_zigbee_attribute": "Hent ZigBee-attributt", + "header": "Klyngeattributter", + "help_attribute_dropdown": "Velg en attributt for å se eller angi verdien.", + "help_get_zigbee_attribute": "Hent verdien for det valgte attributtet.", + "help_set_zigbee_attribute": "Angi attributtverdi for den spesifiserte klyngen på den angitte enheten.", + "introduction": "Se og rediger klyngeattributter.", + "set_zigbee_attribute": "Angi Zigbee-attributt" + }, + "cluster_commands": { + "commands_of_cluster": "Kommandoer for den valgte klyngen", + "header": "Klynge kommandoer", + "help_command_dropdown": "Velg en kommando du vil samhandle med.", + "introduction": "Se og utgi klyngekommandoer.", + "issue_zigbee_command": "Send Zigbee-kommando" + }, + "clusters": { + "help_cluster_dropdown": "Velg en klynge for å vise attributter og kommandoer." }, "common": { "add_devices": "Legg til enheter", @@ -1025,472 +1400,258 @@ "manufacturer_code_override": "Overstyring av produsent kode", "value": "Verdi" }, + "description": "Zigbee Home Automation nettverksadministrasjon", + "device_card": { + "area_picker_label": "Område", + "device_name_placeholder": "Brukers navn", + "update_name_button": "Oppdatér navn" + }, "network_management": { "header": "Nettverksadministrasjon", "introduction": "Kommandoer som påvirker hele nettverket" }, "node_management": { "header": "Enhetshåndtering", - "introduction": "Kjør ZHA-kommandoer som påvirker en enkelt enhet. Velg en enhet for å se en liste over tilgjengelige kommandoer.", + "help_node_dropdown": "Velg en enhet for å vise alternativer per enhet.", "hint_battery_devices": "Merk: Søvnige (batteridrevne) enheter må være våkne når du utfører kommandoer mot dem. Du kan vanligvis vekke en søvnig enhet ved å utløse den.", "hint_wakeup": "Noen enheter, for eksempel Xiaomi-sensorer, har en vekkingsknapp som du kan trykke på med intervaller på ~ 5 sekunder for å holde enheter våkne mens du samhandler med dem.", - "help_node_dropdown": "Velg en enhet for å vise alternativer per enhet." + "introduction": "Kjør ZHA-kommandoer som påvirker en enkelt enhet. Velg en enhet for å se en liste over tilgjengelige kommandoer." }, - "clusters": { - "help_cluster_dropdown": "Velg en klynge for å vise attributter og kommandoer." - }, - "cluster_attributes": { - "header": "Klyngeattributter", - "introduction": "Se og rediger klyngeattributter.", - "attributes_of_cluster": "Attributter for den valgte klyngen", - "get_zigbee_attribute": "Hent ZigBee-attributt", - "set_zigbee_attribute": "Angi Zigbee-attributt", - "help_attribute_dropdown": "Velg en attributt for å se eller angi verdien.", - "help_get_zigbee_attribute": "Hent verdien for det valgte attributtet.", - "help_set_zigbee_attribute": "Angi attributtverdi for den spesifiserte klyngen på den angitte enheten." - }, - "cluster_commands": { - "header": "Klynge kommandoer", - "introduction": "Se og utgi klyngekommandoer.", - "commands_of_cluster": "Kommandoer for den valgte klyngen", - "issue_zigbee_command": "Send Zigbee-kommando", - "help_command_dropdown": "Velg en kommando du vil samhandle med." + "services": { + "reconfigure": "Rekonfigurer ZHA-enhet (heal enhet). Bruk dette hvis du har problemer med enheten. Hvis den aktuelle enheten er en batteridrevet enhet, sørg for at den er våken og aksepterer kommandoer når du bruker denne tjenesten.", + "remove": "Fjern en enhet fra Zigbee-nettverket.", + "updateDeviceName": "Angi et egendefinert navn for denne enheten i enhetsregisteret." } }, - "area_registry": { - "caption": "Områderegister", - "description": "Oversikt over alle områder i ditt hjem", - "picker": { - "header": "Områderegister", - "introduction": "Områder brukes til å organisere hvor enheter er. Denne informasjonen vil bli brukt gjennomgående i Home Assistant for å hjelpe deg med å organisere grensesnittet, tillatelser og integrasjoner med andre systemer.", - "introduction2": "For å plassere enheter i et område, bruk linken under for å navigere til integrasjonssiden og klikk deretter på en konfigurert integrasjon for å komme til enhetskortene.", - "integrations_page": "Integrasjonsside", - "no_areas": "Det ser ikke ut som om du har noen områder enda!", - "create_area": "Opprett område" + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Indeks", + "instance": "Forekomst", + "unknown": "ukjent", + "value": "Verdi", + "wakeup_interval": "Våkningsintervall" }, - "no_areas": "Det ser ikke ut som om du har noen områder ennå!", - "create_area": "OPPRETT OMRÅDE", - "editor": { - "default_name": "Nytt område", - "delete": "SLETT", - "update": "OPPDATER", - "create": "OPPRETT" - } - }, - "entity_registry": { - "caption": "Enhetsregister", - "description": "Oversikt over alle kjente enheter", - "picker": { - "header": "Enhetsregister", - "unavailable": "(utilgjengelig)", - "introduction": "Home Assistant bygger opp et register over hver enhet den har sett som kan identifiseres unikt. Hver av disse enhetene vil ha en enhets-ID tilknyttet som vil bli reservert for bare denne enheten.", - "introduction2": "Bruk entitetsregisteret for å overskrive navnet, endre enhets ID eller fjern oppføringen fra Home Assistant. Merk at fjerning av enhetsregisteroppføringer ikke fjerner enheten. For å gjøre det, følg linken under og fjern den fra integrasjonssiden.", - "integrations_page": "Integrasjonsside", - "show_disabled": "Vis deaktiverte enheter", - "headers": { - "name": "Navn", - "entity_id": "Enhet-ID", - "integration": "Integrering", - "enabled": "Aktivert" - } + "description": "Administrer ditt Z-Wave-nettverk", + "learn_more": "Lær mer om Z-Wave", + "network_management": { + "header": "Z-Wave nettverksadministrasjon", + "introduction": "Kjør kommandoer som påvirker Z-Wave nettverket. Du får ikke tilbakemelding på om de fleste kommandoer lykkes, men du kan sjekke OZW-loggen for å prøve å finne det ut." }, - "editor": { - "unavailable": "Denne enheten er ikke tilgjengelig for øyeblikket.", - "default_name": "Nytt område", - "delete": "SLETT", - "update": "OPPDATER", - "enabled_label": "Aktiver enhet", - "enabled_cause": "Deaktivert av {cause}.", - "enabled_description": "Deaktiverte enheter vil ikke bli lagt til i Home Assistant.", - "confirm_delete": "Er du sikker på at du vil slette denne oppføringen?", - "confirm_delete2": "Hvis du sletter en oppføring, fjernes ikke enheten fra Home Assistant. Hvis du vil gjøre dette, må du fjerne integreringen ' {Platform} ' fra Home Assistant." - } - }, - "person": { - "caption": "Personer", - "description": "Administrer personer som Home Assistant sporer", - "detail": { - "name": "Navn", - "device_tracker_intro": "Velg enhetene som tilhører denne personen.", - "device_tracker_picked": "Spor enhet", - "device_tracker_pick": "Velg en enhet å spore", - "new_person": "Ny person", - "name_error_msg": "Navn er påkrevd", - "linked_user": "Koblet bruker", - "no_device_tracker_available_intro": "Når du har enheter som indikerer tilstedeværelsen av en person, vil du kunne tilordne dem til en person her. Du kan legge til den første enheten ved å legge til en integrering av tilstedeværelses gjenkjenning fra integrerings siden.", - "link_presence_detection_integrations": "Integrering av tilstedeværelses deteksjon", - "link_integrations_page": "Integrasjonsside", - "delete": "Slett", - "create": "Opprett", - "update": "Oppdater" + "network_status": { + "network_started": "Z-Wave nettverk startet", + "network_started_note_all_queried": "Alle noder er forespurt.", + "network_started_note_some_queried": "Våkne noder har blitt forespurt. Sovende noder vil bli spurt når de våkner.", + "network_starting": "Starter Z-Wave nettverk...", + "network_starting_note": "Dette kan ta en stund, avhengig av størrelsen på nettverket ditt.", + "network_stopped": "Z-Wave nettverket stoppet" }, - "introduction": "Her kan du definere hver person av interesse i Home Assistant.", - "note_about_persons_configured_in_yaml": "Merk: personer konfigurert via configuration.yaml kan ikke redigeres via UI.", - "no_persons_created_yet": "Ser ut som du ikke har opprettet noen personer ennå.", - "create_person": "Opprett person", - "add_person": "Legg til person", - "confirm_delete": "Er du sikker på at du vil slette denne personen?", - "confirm_delete2": "Alle enheter som tilhører denne personen vil ikke bli tildelt." - }, - "server_control": { - "caption": "Server-kontroll", - "description": "Start på nytt og stopp Home Assistant-serveren", - "section": { - "validation": { - "heading": "Validering av konfigurasjon", - "introduction": "Valider konfigurasjonen hvis du nylig har gjort endringer i konfigurasjonen og vil forsikre deg om at det hele er gyldig", - "check_config": "Sjekk konfigurasjonen", - "valid": "Gyldig konfigurasjon", - "invalid": "Ugyldig konfigurasjon" - }, - "reloading": { - "heading": "Konfigurasjon lastes på nytt", - "introduction": "Noen deler av Home Assistant kan laste inn uten å kreve omstart. Hvis du trykker last på nytt, vil du bytte den nåværende konfigurasjonen med den nye.", - "core": "Last inn kjernen på nytt", - "group": "Last inn grupper på nytt", - "automation": "Last inn automasjoner på nytt", - "script": "Last inn skript på nytt", - "scene": "Last inn scener på nytt" - }, - "server_management": { - "heading": "Serveradministrasjon", - "introduction": "Kontroller din Home Assistant server... fra Home Assistant.", - "restart": "Omstart", - "stop": "Stopp", - "confirm_restart": "Er du sikker på at du vil starte Home Assistant på nytt?", - "confirm_stop": "Er du sikker på at du vil stoppe Home Assistant?" - } - } - }, - "devices": { - "caption": "Enheter", - "description": "Administrer tilkoblede enheter", - "automation": { - "triggers": { - "caption": "Gjør noe når ..." - }, - "conditions": { - "caption": "Bare gjør noe hvis..." - }, - "actions": { - "caption": "Når noe er utløst..." - } - } - }, - "common": { - "editor": { - "confirm_unsaved": "Du har ulagrede endringer. Er du sikker på at du vil lukke?" + "node_config": { + "config_parameter": "Konfigurasjon parameter", + "config_value": "Konfigurasjon verdi", + "false": "Usant", + "header": "Alternativer for nodekonfigurasjon", + "seconds": "sekunder", + "set_config_parameter": "Angi konfigurasjons parameter", + "set_wakeup": "Angi vekkeintervall", + "true": "Sant" + }, + "ozw_log": { + "header": "OZW-logg", + "introduction": "Vis loggen. 0 er minimum (laster hele loggen) og 1000 er maksimum. Load vil vise en statisk logg og halen vil automatisk oppdatere med det siste spesifiserte antall linjer av loggen." + }, + "services": { + "add_node": "Legg til node", + "add_node_secure": "Legg til sikker node", + "cancel_command": "Avbryt kommando", + "heal_network": "Helbrede nettverk", + "remove_node": "Fjern node", + "save_config": "Lagre konfigurasjon", + "soft_reset": "Myk tilbakestilling", + "start_network": "Start nettverk", + "stop_network": "Stopp nettverk", + "test_network": "Test nettverk" + }, + "values": { + "header": "Nodeverdier" } } }, - "profile": { - "push_notifications": { - "header": "Push varslinger", - "description": "Send notifikasjoner til denne enheten", - "error_load_platform": "Konfigurer notify.html5.", - "error_use_https": "Krever SSL aktivert for grensesnitt.", - "push_notifications": "Push varslinger", - "link_promo": "Lær mer" - }, - "language": { - "header": "Språk", - "link_promo": "Bidra til å oversette", - "dropdown_label": "Språk" - }, - "themes": { - "header": "Tema", - "error_no_theme": "Ingen temaer er tilgjengelig.", - "link_promo": "Lær om temaer", - "dropdown_label": "Tema" - }, - "refresh_tokens": { - "header": "Oppdater Tokens", - "description": "Hver oppdateringstoken representerer en innloggingsøkt. Oppdateringstoken blir automatisk fjernet når du klikker på logg ut. Følgende oppdateringstoken er for tiden aktiv for kontoen din.", - "token_title": "Oppdateringstoken for {clientId}", - "created_at": "Opprettet den {date}", - "confirm_delete": "Er du sikker på at du vil slette oppdateringstoken for {name}?", - "delete_failed": "Kunne ikke slette oppdateringstoken.", - "last_used": "Sist brukt den {date} fra {location}", - "not_used": "Har aldri blitt brukt", - "current_token_tooltip": "Kan ikke slette gjeldende oppdateringstoken" - }, - "long_lived_access_tokens": { - "header": "Langvarige tilgangstokener", - "description": "Opprett langvarige tilgangstokener slik at skriptene dine kan samhandle med din Home Assistant instans. Hver token vil være gyldig i 10 år fra opprettelsen. Følgende langvarige tilgangstokener er for tiden aktive.", - "learn_auth_requests": "Lær hvordan du lager godkjente forespørsler.", - "created_at": "Opprettet den {date}", - "confirm_delete": "Er du sikker på at du vil slette tilgangstoken for {name}?", - "delete_failed": "Kan ikke slette tilgangstokenet.", - "create": "Opprett Token", - "create_failed": "Kunne ikke opprette tilgangstoken.", - "prompt_name": "Navn?", - "prompt_copy_token": "Kopier tilgangstoken. Det blir ikke vist igjen.", - "empty_state": "Du har ingen langvarige tilgangstokener ennå.", - "last_used": "Sist brukt den {date} fra {location}", - "not_used": "Har aldri blitt brukt" - }, - "current_user": "Du er logget inn som {fullName}.", - "is_owner": "Du er en eier.", - "change_password": { - "header": "Endre passord", - "current_password": "Nåværende passord", - "new_password": "Nytt passord", - "confirm_new_password": "Bekreft nytt passord", - "error_required": "Nødvendig", - "submit": "Send inn" - }, - "mfa": { - "header": "Flerfaktor autentiseringsmoduler", - "disable": "Deaktiver", - "enable": "Aktiver", - "confirm_disable": "Er du sikker på at du vil deaktivere {name}?" - }, - "mfa_setup": { - "title_aborted": "Avbrutt", - "title_success": "Suksess!", - "step_done": "Oppsett fullført for {step}", - "close": "Lukk", - "submit": "Send inn" - }, - "logout": "Logg ut", - "force_narrow": { - "header": "Skjul alltid sidepanelet", - "description": "Dette vil skjule sidepanelet som standard, tilsvarende opplevelsen på en mobil." - }, - "vibrate": { - "header": "Vibrere", - "description": "Aktiver eller deaktiver vibrasjoner på denne enheten når du kontrollerer enheter." - }, - "advanced_mode": { - "title": "Avansert modus", - "description": "Home Assistant skjuler avanserte funksjoner og alternativer som standard. Du kan gjøre disse funksjonene tilgjengelige ved å merke av i denne veksleknappen. Dette er en brukerspesifikk innstilling som ikke påvirker andre brukere ved hjelp av Home Assistant." - } - }, - "page-authorize": { - "initializing": "Initialiserer", - "authorizing_client": "Du er i ferd med å gi {clientId} tilgang til din Home Assistant", - "logging_in_with": "Logg inn med **{authProviderName}**.", - "pick_auth_provider": "Eller logg inn med", - "abort_intro": "Innlogging avbrutt", - "form": { - "working": "Vennligst vent", - "unknown_error": "Noe gikk galt", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Brukernavn", - "password": "Passord" - } - }, - "mfa": { - "data": { - "code": "To-faktor autentiseringskode" - }, - "description": "Åpne **{mfa_module_name}** på enheten din for å se din tofaktors autentiseringskode og bekrefte identiteten din:" - } - }, - "error": { - "invalid_auth": "Ugyldig brukernavn eller passord", - "invalid_code": "Ugyldig autentiseringskode" - }, - "abort": { - "login_expired": "Økten er utløpt, vennligst logg inn på nytt" - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "API-passord" - }, - "description": "Vennligst skriv inn API-passordet i http-konfigurasjonen din:" - }, - "mfa": { - "data": { - "code": "To-faktor autentiseringskode" - }, - "description": "Åpne **{mfa_module_name}** på enheten din for å se din tofaktors autentiseringskode og bekrefte identiteten din:" - } - }, - "error": { - "invalid_auth": "Ugyldig API-passord", - "invalid_code": "Ugyldig autentiseringskode" - }, - "abort": { - "no_api_password_set": "Du har ikke konfigurert et API-passord.", - "login_expired": "Økten er utløpt, vennligst logg inn på nytt" - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Bruker" - }, - "description": "Vennligst velg en bruker du vil logge inn som:" - } - }, - "abort": { - "not_whitelisted": "Datamaskinen din er ikke hvitelistet." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Brukernavn", - "password": "Passord" - } - }, - "mfa": { - "data": { - "code": "To-faktor autentiseringskode" - }, - "description": "Åpne **{mfa_module_name}** på enheten din for å se din tofaktors autentiseringskode og bekrefte identiteten din:" - } - }, - "error": { - "invalid_auth": "Ugyldig brukernavn eller passord", - "invalid_code": "Ugyldig autentiseringskode" - }, - "abort": { - "login_expired": "Økten er utløpt, vennligst logg inn på nytt" - } - } - } - } - }, - "page-onboarding": { - "intro": "Er du klar til å ta kontroll over hjemmet ditt, gjenvinne ditt privatliv og bli med i et verdensomspennende samfunn av tinkerers?", - "user": { - "intro": "La oss begynne med å opprette en brukerkonto.", - "required_field": "Kreves", - "data": { - "name": "Navn", - "username": "Brukernavn", - "password": "Passord", - "password_confirm": "Bekreft passord" + "developer-tools": { + "tabs": { + "events": { + "alert_event_type": "Hendelsestype er et obligatorisk felt", + "available_events": "Tilgjengelige hendelser", + "count_listeners": " ({count} lyttere)", + "data": "Hendelses data (YAML, valgfritt)", + "description": "Fire an event on the event bus.", + "documentation": "Hendelses dokumentasjon.", + "event_fired": "Hendelse {name} avfyrt", + "fire_event": "Avfyr hendlese", + "listen_to_events": "Lytt til hendelser", + "listening_to": "Lytte til", + "notification_event_fired": "Hendelse {type} vellykket avfyrt!", + "start_listening": "Begynn å lytte", + "stop_listening": "Stopp lytting", + "subscribe_to": "Hendelse for å abonnere på", + "title": "Hendelser", + "type": "Type hendelse" }, - "create_account": "Opprett konto", - "error": { - "required_fields": "Fyll ut alle nødvendige felt", - "password_not_match": "Passordene er ikke like" + "info": { + "built_using": "Bygget med", + "custom_uis": "Tilpasset UIs:", + "default_ui": "{action} {name} som standard side på denne enheten", + "developed_by": "Utviklet av en gjeng med fantastiske mennesker.", + "frontend": "frontend-ui", + "frontend_version": "Frontend-versjon: {version} - {type}", + "home_assistant_logo": "Logo for Home Assistant", + "icons_by": "Ikoner av", + "license": "Publisert under Apache 2.0-lisensen", + "lovelace_ui": "Gå til Lovelace UI", + "path_configuration": "Sti til configurasjon.yaml: {path}", + "remove": "Fjerne", + "server": "Server", + "set": "Angi", + "source": "Kilde:", + "states_ui": "Gå til states UI", + "system_health_error": "System Health-komponenten er ikke lastet. Legg til 'system_health:' til configurasjon.yaml", + "title": "Info" + }, + "logs": { + "clear": "Tøm", + "details": "Loggdetaljer ({level})", + "load_full_log": "Last inn fullstendig Home Assistant logg", + "loading_log": "Laster inn feillogg ...", + "multiple_messages": "meldingen oppstod først ved {time} og viser {teller} ganger", + "no_errors": "Ingen feil er rapportert.", + "no_issues": "Det er ingen nye problemer!", + "refresh": "Oppdater", + "title": "Logger" + }, + "mqtt": { + "description_listen": "Lytt til et emne", + "description_publish": "Publiser en pakke", + "listening_to": "Lytte til", + "message_received": "Meldingen {ID} ble mottatt på {topic} klokken {time}:", + "payload": "Payload (mal tillatt)", + "publish": "Publiser", + "start_listening": "Begynn å lytte", + "stop_listening": "Stopp lytting", + "subscribe_to": "Emne å abonnere på", + "title": "MQTT", + "topic": "emne" + }, + "services": { + "alert_parsing_yaml": "Feil ved parsing av YAML: {data}", + "call_service": "Utfør tjeneste", + "column_description": "Beskrivelse", + "column_example": "Eksempel", + "column_parameter": "Parameter", + "data": "Tjenestedata (YAML, valgfritt)", + "description": "Med verktøyet for tjenesteutvikling kan du utføre alle tilgjengelige tjenester i Home Assistant.", + "fill_example_data": "Fyll ut eksempeldata", + "no_description": "Ingen beskrivelse er tilgjengelig", + "no_parameters": "Denne tjenesten tar ingen parametere.", + "select_service": "Velg en tjeneste for å se beskrivelsen", + "title": "Tjenester" + }, + "states": { + "alert_entity_field": "Enhet er et obligatorisk felt", + "attributes": "Attributter", + "current_entities": "Gjeldende enheter", + "description1": "Angi representasjonen av en enhet i Home Assistant.", + "description2": "Dette vil ikke kommunisere med den faktiske enheten.", + "entity": "Enhet", + "filter_attributes": "Filtrer attributter", + "filter_entities": "Filtrer enheter", + "filter_states": "Filtrer tilstander", + "more_info": "Mer info", + "no_entities": "Ingen enheter", + "set_state": "Sett tilstand", + "state": "Tilstand", + "state_attributes": "Tilstands attributter (YAML, valgfritt)", + "title": "Statuser" + }, + "templates": { + "description": "Maler blir rendret ved hjelp av Jinja2-malmotoren med noen spesifikke utvidelser for Home Assistant.", + "editor": "Maleditor", + "jinja_documentation": "Jinja2 mal dokumentasjon", + "template_extensions": "Mal utvidelser for Home Assistant", + "title": "Mal", + "unknown_error_template": "Ukjent feil ved rendring av mal" } - }, - "integration": { - "intro": "Enheter og tjenester er representert i Home Assistant som integrasjoner. Du kan sette dem opp nå eller gjøre det senere fra konfigurasjonen.", - "more_integrations": "Mer", - "finish": "Fullfør" - }, - "core-config": { - "intro": "Hei {name}, velkommen til Home Assistant. Hva ønsker du å kalle hjemmet ditt?", - "intro_location": "Vi vil gjerne vite hvor du bor. Denne informasjonen vil bidra til å vise informasjon og sette opp solbaserte automatiseringer. Denne dataen deles ikke utenfor nettverket ditt.", - "intro_location_detect": "Vi kan hjelpe deg med å fylle ut denne informasjonen ved å gjøre en engangsforespørsel til en ekstern tjeneste.", - "location_name_default": "Hjem", - "button_detect": "Oppdag", - "finish": "Neste" } }, + "history": { + "period": "Periode", + "showing_entries": "Viser oppføringer for" + }, + "logbook": { + "period": "Periode", + "showing_entries": "Viser oppføringer for" + }, "lovelace": { "cards": { - "shopping-list": { - "checked_items": "Merkede elementer", - "clear_items": "Fjern merkede elementer", - "add_item": "Legg til" - }, + "confirm_delete": "Er du sikker på at du vil slette dette kortet?", "empty_state": { - "title": "Velkommen hjem", + "go_to_integrations_page": "Gå til integrasjonssiden.", "no_devices": "Denne siden lar deg styre enhetene dine, men det ser ut til at du ikke har konfigurert noen enheter ennå. Gå til integrasjonssiden for å komme i gang.", - "go_to_integrations_page": "Gå til integrasjonssiden." + "title": "Velkommen hjem" }, "picture-elements": { - "hold": "Hold:", - "tap": "Trykk:", - "navigate_to": "Naviger til {location}", - "toggle": "Veksle {name}", "call_service": "Tjenestekall {name}", + "hold": "Hold:", "more_info": "Vis mer info: {name}", + "navigate_to": "Naviger til {location}", + "tap": "Trykk:", + "toggle": "Veksle {name}", "url": "Åpne vindu til {url_path}" }, - "confirm_delete": "Er du sikker på at du vil slette dette kortet?" + "shopping-list": { + "add_item": "Legg til", + "checked_items": "Merkede elementer", + "clear_items": "Fjern merkede elementer" + } + }, + "changed_toast": { + "message": "Lovelace-konfigurasjonen ble oppdatert, ønsker du å oppdatere?", + "refresh": "Oppdater" }, "editor": { - "edit_card": { - "header": "Kortkonfigurasjon", - "save": "Lagre", - "toggle_editor": "Bytt redigering", - "pick_card": "Hvilket kort vil du legge til?", - "add": "Legg til kort", - "edit": "Rediger", - "delete": "Slett", - "move": "Flytt", - "show_visual_editor": "Vis visuell redigering", - "show_code_editor": "Vis koderedigering", - "pick_card_view_title": "Hvilket kort vil du legge til i {name} visningen?", - "options": "Flere alternativer" - }, - "migrate": { - "header": "Inkompatibel Konfigurasjon", - "para_no_id": "Dette elementet har ingen ID. Vennligst legg til en ID på dette elementet i 'ui-lovelace.yaml'.", - "para_migrate": "Home Assistant kan legge til ID-er på alle dine kort og visninger automatisk for deg ved å trykke på 'Overfør konfigurasjon' knappen.", - "migrate": "Overfør konfigurasjon" - }, - "header": "Rediger brukergrensesnitt", - "edit_view": { - "header": "Vis konfigurasjon", - "add": "Legg til visning", - "edit": "Rediger visning", - "delete": "Slett visning", - "header_name": "{name} Vis konfigurasjon" - }, - "save_config": { - "header": "Ta kontroll over Lovelace brukergrensesnittet ditt", - "para": "Som standard hjelper Home Assistant til med å vedlikeholde brukergrensesnittet ditt, oppdaterer det når nye enheter eller Lovelace-komponenter blir tilgjengelige. Hvis du tar kontroll, vil vi ikke lenger gjøre endringer automatisk for deg.", - "para_sure": "Er du sikker på at du vil ta kontroll over brukergrensesnittet ditt?", - "cancel": "Glem det", - "save": "Ta kontroll" - }, - "menu": { - "raw_editor": "Tekstbasert konfigurasjonsredigering", - "open": "Åpne Lovelace-menyen" - }, - "raw_editor": { - "header": "Rediger konfigurasjon", - "save": "Lagre", - "unsaved_changes": "Ulagrede endringer", - "saved": "Lagret" - }, - "edit_lovelace": { - "header": "Tittel på Lovelace UI", - "explanation": "Denne tittelen vises over alle visningene dine i Lovelace." - }, "card": { "alarm_panel": { "available_states": "Tilgjengelige tilstander" }, + "alarm-panel": { + "available_states": "Tilgjengelige tilstander", + "name": "Alarmpanel" + }, + "conditional": { + "name": "Betinget" + }, "config": { - "required": "Nødvendig", - "optional": "Valgfritt" + "optional": "Valgfritt", + "required": "Nødvendig" }, "entities": { - "show_header_toggle": "Vise topptekst veksling?", "name": "Enheter", + "show_header_toggle": "Vise topptekst veksling?", "toggle": "Aktiver\/deaktiver enheter." }, + "entity-button": { + "name": "Enhetsknapp" + }, + "entity-filter": { + "name": "Enhetsfilter" + }, "gauge": { + "name": "Måler", "severity": { "define": "Definer alvorlighetsgrad?", "green": "Grønn", "red": "Rød", "yellow": "Gul" - }, - "name": "Måler" - }, - "glance": { - "columns": "kolonner", - "name": "Glance" + } }, "generic": { "aspect_ratio": "Størrelsesforholdet", @@ -1511,39 +1672,14 @@ "show_name": "Vis navn?", "show_state": "Vis tilstand?", "tap_action": "Trykk for handling", - "title": "Tittel", "theme": "Tema", + "title": "Tittel", "unit": "Enhet", "url": "Url" }, - "map": { - "geo_location_sources": "Kilder for geolokasjon", - "dark_mode": "Mørk modus?", - "default_zoom": "Standard zoom", - "source": "Kilde", - "name": "Kart" - }, - "markdown": { - "content": "Innhold", - "name": "Markdown" - }, - "sensor": { - "graph_detail": "Detaljer for graf", - "graph_type": "Grafstype", - "name": "Sensor" - }, - "alarm-panel": { - "name": "Alarmpanel", - "available_states": "Tilgjengelige tilstander" - }, - "conditional": { - "name": "Betinget" - }, - "entity-button": { - "name": "Enhetsknapp" - }, - "entity-filter": { - "name": "Enhetsfilter" + "glance": { + "columns": "kolonner", + "name": "Glance" }, "history-graph": { "name": "Historikk graf" @@ -1557,12 +1693,20 @@ "light": { "name": "Lys" }, + "map": { + "dark_mode": "Mørk modus?", + "default_zoom": "Standard zoom", + "geo_location_sources": "Kilder for geolokasjon", + "name": "Kart", + "source": "Kilde" + }, + "markdown": { + "content": "Innhold", + "name": "Markdown" + }, "media-control": { "name": "Mediekontroll" }, - "picture": { - "name": "Bilde" - }, "picture-elements": { "name": "Bildeelementer" }, @@ -1572,9 +1716,17 @@ "picture-glance": { "name": "Bilde Glance" }, + "picture": { + "name": "Bilde" + }, "plant-status": { "name": "Plant status" }, + "sensor": { + "graph_detail": "Detaljer for graf", + "graph_type": "Grafstype", + "name": "Sensor" + }, "shopping-list": { "name": "Handleliste" }, @@ -1588,434 +1740,359 @@ "name": "Værmelding" } }, + "edit_card": { + "add": "Legg til kort", + "delete": "Slett", + "edit": "Rediger", + "header": "Kortkonfigurasjon", + "move": "Flytt", + "options": "Flere alternativer", + "pick_card": "Hvilket kort vil du legge til?", + "pick_card_view_title": "Hvilket kort vil du legge til i {name} visningen?", + "save": "Lagre", + "show_code_editor": "Vis koderedigering", + "show_visual_editor": "Vis visuell redigering", + "toggle_editor": "Bytt redigering" + }, + "edit_lovelace": { + "edit_title": "Rediger tittel", + "explanation": "Denne tittelen vises over alle visningene dine i Lovelace.", + "header": "Tittel på Lovelace UI" + }, + "edit_view": { + "add": "Legg til visning", + "delete": "Slett visning", + "edit": "Rediger visning", + "header": "Vis konfigurasjon", + "header_name": "{name} Vis konfigurasjon", + "move_left": "Flytt visning til venstre", + "move_right": "Flytt visning til høyre" + }, + "header": "Rediger brukergrensesnitt", + "menu": { + "open": "Åpne Lovelace-menyen", + "raw_editor": "Tekstbasert konfigurasjonsredigering" + }, + "migrate": { + "header": "Inkompatibel Konfigurasjon", + "migrate": "Overfør konfigurasjon", + "para_migrate": "Home Assistant kan legge til ID-er på alle dine kort og visninger automatisk for deg ved å trykke på 'Overfør konfigurasjon' knappen.", + "para_no_id": "Dette elementet har ingen ID. Vennligst legg til en ID på dette elementet i 'ui-lovelace.yaml'." + }, + "raw_editor": { + "error_save_yaml": "Kan ikke lagre YAML: {error}", + "header": "Rediger konfigurasjon", + "save": "Lagre", + "saved": "Lagret", + "unsaved_changes": "Ulagrede endringer" + }, + "save_config": { + "cancel": "Glem det", + "header": "Ta kontroll over Lovelace brukergrensesnittet ditt", + "para": "Som standard hjelper Home Assistant til med å vedlikeholde brukergrensesnittet ditt, oppdaterer det når nye enheter eller Lovelace-komponenter blir tilgjengelige. Hvis du tar kontroll, vil vi ikke lenger gjøre endringer automatisk for deg.", + "para_sure": "Er du sikker på at du vil ta kontroll over brukergrensesnittet ditt?", + "save": "Ta kontroll" + }, "view": { "panel_mode": { - "title": "Panel modus?", - "description": "Dette gjengir det første kortet i full bredde; andre kort i denne visningen vil ikke bli gitt." + "description": "Dette gjengir det første kortet i full bredde; andre kort i denne visningen vil ikke bli gitt.", + "title": "Panel modus?" } } }, "menu": { + "close": "Lukk", "configure_ui": "Konfigurer brukergrensesnitt", - "unused_entities": "Ubrukte enheter", "help": "Hjelp", - "refresh": "Oppdater" - }, - "warning": { - "entity_not_found": "Enhet ikke tilgjengelig: {entity}", - "entity_non_numeric": "Enheten er ikke-numerisk: {entity}" - }, - "changed_toast": { - "message": "Lovelace-konfigurasjonen ble oppdatert, ønsker du å oppdatere?", - "refresh": "Oppdater" + "refresh": "Oppdater", + "unused_entities": "Ubrukte enheter" }, "reload_lovelace": "Laste Lovelace på nytt", + "unused_entities": { + "domain": "Domene", + "last_changed": "Sist endret" + }, "views": { "confirm_delete": "Er du sikker på at du vil slette denne visningen?", "existing_cards": "Du kan ikke slette en visning som har kort i den. Fjern kortene først." + }, + "warning": { + "entity_non_numeric": "Enheten er ikke-numerisk: {entity}", + "entity_not_found": "Enhet ikke tilgjengelig: {entity}" } }, + "mailbox": { + "delete_button": "Slett", + "delete_prompt": "Slette denne meldingen?", + "empty": "Du har ingen meldinger", + "playback_title": "Meldingsavspilling" + }, + "page-authorize": { + "abort_intro": "Innlogging avbrutt", + "authorizing_client": "Du er i ferd med å gi {clientId} tilgang til din Home Assistant", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Økten er utløpt, vennligst logg inn på nytt" + }, + "error": { + "invalid_auth": "Ugyldig brukernavn eller passord", + "invalid_code": "Ugyldig autentiseringskode" + }, + "step": { + "init": { + "data": { + "password": "Passord", + "username": "Brukernavn" + } + }, + "mfa": { + "data": { + "code": "To-faktor autentiseringskode" + }, + "description": "Åpne **{mfa_module_name}** på enheten din for å se din tofaktors autentiseringskode og bekrefte identiteten din:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Økten er utløpt, vennligst logg inn på nytt" + }, + "error": { + "invalid_auth": "Ugyldig brukernavn eller passord", + "invalid_code": "Ugyldig autentiseringskode" + }, + "step": { + "init": { + "data": { + "password": "Passord", + "username": "Brukernavn" + } + }, + "mfa": { + "data": { + "code": "To-faktor autentiseringskode" + }, + "description": "Åpne **{mfa_module_name}** på enheten din for å se din tofaktors autentiseringskode og bekrefte identiteten din:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Økten er utløpt, vennligst logg inn på nytt", + "no_api_password_set": "Du har ikke konfigurert et API-passord." + }, + "error": { + "invalid_auth": "Ugyldig API-passord", + "invalid_code": "Ugyldig autentiseringskode" + }, + "step": { + "init": { + "data": { + "password": "API-passord" + }, + "description": "Vennligst skriv inn API-passordet i http-konfigurasjonen din:" + }, + "mfa": { + "data": { + "code": "To-faktor autentiseringskode" + }, + "description": "Åpne **{mfa_module_name}** på enheten din for å se din tofaktors autentiseringskode og bekrefte identiteten din:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Datamaskinen din er ikke hvitelistet." + }, + "step": { + "init": { + "data": { + "user": "Bruker" + }, + "description": "Vennligst velg en bruker du vil logge inn som:" + } + } + } + }, + "unknown_error": "Noe gikk galt", + "working": "Vennligst vent" + }, + "initializing": "Initialiserer", + "logging_in_with": "Logg inn med **{authProviderName}**.", + "pick_auth_provider": "Eller logg inn med" + }, "page-demo": { "cards": { "demo": { "demo_by": "ved {name}", - "next_demo": "Neste demo", "introduction": "Velkommen hjem! Du har nådd Home Assistant-demoen der vi viser frem de beste UIs som er opprettet av fellesskapet vårt.", - "learn_more": "Lær mer om Home Assistant" + "learn_more": "Lær mer om Home Assistant", + "next_demo": "Neste demo" } }, "config": { "arsaboo": { - "names": { - "upstairs": "Oppe", - "family_room": "Stue", - "kitchen": "Kjøkken", - "patio": "Uteområdet", - "hallway": "Gang", - "master_bedroom": "Hovedsoverom", - "left": "Venstre", - "right": "Høyre", - "mirror": "Speil", - "temperature_study": "Temperaturstudie" - }, "labels": { - "lights": "Lys", - "information": "Informasjon", - "morning_commute": "Morgen pendling", + "activity": "Aktivitet", + "air": "Luft", "commute_home": "Pendle til hjem", "entertainment": "Underholdning", - "activity": "Aktivitet", "hdmi_input": "HDMI inngang", "hdmi_switcher": "HDMI velger", - "volume": "Volum", + "information": "Informasjon", + "lights": "Lys", + "morning_commute": "Morgen pendling", "total_tv_time": "Total TV-tid", "turn_tv_off": "Slå TV av", - "air": "Luft" + "volume": "Volum" + }, + "names": { + "family_room": "Stue", + "hallway": "Gang", + "kitchen": "Kjøkken", + "left": "Venstre", + "master_bedroom": "Hovedsoverom", + "mirror": "Speil", + "patio": "Uteområdet", + "right": "Høyre", + "temperature_study": "Temperaturstudie", + "upstairs": "Oppe" }, "unit": { - "watching": "Ser på", - "minutes_abbr": "min" + "minutes_abbr": "min", + "watching": "Ser på" } } } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Oppdag", + "finish": "Neste", + "intro": "Hei {name}, velkommen til Home Assistant. Hva ønsker du å kalle hjemmet ditt?", + "intro_location": "Vi vil gjerne vite hvor du bor. Denne informasjonen vil bidra til å vise informasjon og sette opp solbaserte automatiseringer. Denne dataen deles ikke utenfor nettverket ditt.", + "intro_location_detect": "Vi kan hjelpe deg med å fylle ut denne informasjonen ved å gjøre en engangsforespørsel til en ekstern tjeneste.", + "location_name_default": "Hjem" + }, + "integration": { + "finish": "Fullfør", + "intro": "Enheter og tjenester er representert i Home Assistant som integrasjoner. Du kan sette dem opp nå eller gjøre det senere fra konfigurasjonen.", + "more_integrations": "Mer" + }, + "intro": "Er du klar til å ta kontroll over hjemmet ditt, gjenvinne ditt privatliv og bli med i et verdensomspennende samfunn av tinkerers?", + "user": { + "create_account": "Opprett konto", + "data": { + "name": "Navn", + "password": "Passord", + "password_confirm": "Bekreft passord", + "username": "Brukernavn" + }, + "error": { + "password_not_match": "Passordene er ikke like", + "required_fields": "Fyll ut alle nødvendige felt" + }, + "intro": "La oss begynne med å opprette en brukerkonto.", + "required_field": "Kreves" + } + }, + "profile": { + "advanced_mode": { + "description": "Home Assistant skjuler avanserte funksjoner og alternativer som standard. Du kan gjøre disse funksjonene tilgjengelige ved å merke av i denne veksleknappen. Dette er en brukerspesifikk innstilling som ikke påvirker andre brukere ved hjelp av Home Assistant.", + "hint_enable": "Manglende konfigurasjonsalternativer? Aktiver avansert modus på", + "link_profile_page": "profilsiden din", + "title": "Avansert modus" + }, + "change_password": { + "confirm_new_password": "Bekreft nytt passord", + "current_password": "Nåværende passord", + "error_required": "Nødvendig", + "header": "Endre passord", + "new_password": "Nytt passord", + "submit": "Send inn" + }, + "current_user": "Du er logget inn som {fullName}.", + "force_narrow": { + "description": "Dette vil skjule sidepanelet som standard, tilsvarende opplevelsen på en mobil.", + "header": "Skjul alltid sidepanelet" + }, + "is_owner": "Du er en eier.", + "language": { + "dropdown_label": "Språk", + "header": "Språk", + "link_promo": "Bidra til å oversette" + }, + "logout": "Logg ut", + "long_lived_access_tokens": { + "confirm_delete": "Er du sikker på at du vil slette tilgangstoken for {name}?", + "create": "Opprett Token", + "create_failed": "Kunne ikke opprette tilgangstoken.", + "created_at": "Opprettet den {date}", + "delete_failed": "Kan ikke slette tilgangstokenet.", + "description": "Opprett langvarige tilgangstokener slik at skriptene dine kan samhandle med din Home Assistant instans. Hver token vil være gyldig i 10 år fra opprettelsen. Følgende langvarige tilgangstokener er for tiden aktive.", + "empty_state": "Du har ingen langvarige tilgangstokener ennå.", + "header": "Langvarige tilgangstokener", + "last_used": "Sist brukt den {date} fra {location}", + "learn_auth_requests": "Lær hvordan du lager godkjente forespørsler.", + "not_used": "Har aldri blitt brukt", + "prompt_copy_token": "Kopier tilgangstoken. Det blir ikke vist igjen.", + "prompt_name": "Navn?" + }, + "mfa_setup": { + "close": "Lukk", + "step_done": "Oppsett fullført for {step}", + "submit": "Send inn", + "title_aborted": "Avbrutt", + "title_success": "Suksess!" + }, + "mfa": { + "confirm_disable": "Er du sikker på at du vil deaktivere {name}?", + "disable": "Deaktiver", + "enable": "Aktiver", + "header": "Flerfaktor autentiseringsmoduler" + }, + "push_notifications": { + "description": "Send notifikasjoner til denne enheten", + "error_load_platform": "Konfigurer notify.html5.", + "error_use_https": "Krever SSL aktivert for grensesnitt.", + "header": "Push varslinger", + "link_promo": "Lær mer", + "push_notifications": "Push varslinger" + }, + "refresh_tokens": { + "confirm_delete": "Er du sikker på at du vil slette oppdateringstoken for {name}?", + "created_at": "Opprettet den {date}", + "current_token_tooltip": "Kan ikke slette gjeldende oppdateringstoken", + "delete_failed": "Kunne ikke slette oppdateringstoken.", + "description": "Hver oppdateringstoken representerer en innloggingsøkt. Oppdateringstoken blir automatisk fjernet når du klikker på logg ut. Følgende oppdateringstoken er for tiden aktiv for kontoen din.", + "header": "Oppdater Tokens", + "last_used": "Sist brukt den {date} fra {location}", + "not_used": "Har aldri blitt brukt", + "token_title": "Oppdateringstoken for {clientId}" + }, + "themes": { + "dropdown_label": "Tema", + "error_no_theme": "Ingen temaer er tilgjengelig.", + "header": "Tema", + "link_promo": "Lær om temaer" + }, + "vibrate": { + "description": "Aktiver eller deaktiver vibrasjoner på denne enheten når du kontrollerer enheter.", + "header": "Vibrere" + } + }, + "shopping-list": { + "add_item": "Legg til", + "clear_completed": "Fjerning fullført", + "microphone_tip": "Aktiver mikrofonen øverst til høyre og si “Add candy to my shopping list”" } }, "sidebar": { - "log_out": "Logg ut", "external_app_configuration": "Appkonfigurasjon", + "log_out": "Logg ut", "sidebar_toggle": "Vis\/Skjul sidepanel" - }, - "common": { - "loading": "Laster", - "cancel": "Avbryt", - "save": "Lagre", - "successfully_saved": "Vellykket lagring" - }, - "duration": { - "day": "{count} {count, plural,\none {dag}\nother {dager}\n}", - "week": "{count} {count, plural,\none {uke}\nother {uker}\n}", - "second": "{count} {count, plural,\none {sekund}\nother {sekunder}\n}", - "minute": "{count} {count, plural,\none {minutt}\nother {minutter}\n}", - "hour": "{count} {count, plural,\none {time}\nother {timer}\n}" - }, - "login-form": { - "password": "Passord", - "remember": "Husk", - "log_in": "Logg inn" - }, - "card": { - "camera": { - "not_available": "Bilde ikke tilgjengelig" - }, - "persistent_notification": { - "dismiss": "Avvis" - }, - "scene": { - "activate": "Aktiver" - }, - "script": { - "execute": "Utfør" - }, - "weather": { - "attributes": { - "air_pressure": "Lufttrykk", - "humidity": "Luftfuktighet", - "temperature": "Temperatur", - "visibility": "Sikt", - "wind_speed": "Vindstyrke" - }, - "cardinal_direction": { - "e": "Ø", - "ene": "ØNØ", - "ese": "ØSØ", - "n": "N", - "ne": "NØ", - "nne": "NNØ", - "nw": "NV", - "nnw": "NNV", - "s": "S", - "se": "SØ", - "sse": "SSØ", - "ssw": "SSV", - "sw": "SV", - "w": "V", - "wnw": "VNV", - "wsw": "VSV" - }, - "forecast": "Prognose" - }, - "alarm_control_panel": { - "code": "Kode", - "clear_code": "Tøm", - "disarm": "Deaktiver", - "arm_home": "Armer hjemme", - "arm_away": "Armer borte", - "arm_night": "Aktiver natt", - "armed_custom_bypass": "Tilpasset bypass", - "arm_custom_bypass": "Tilpasset bypass" - }, - "automation": { - "last_triggered": "Sist utløst", - "trigger": "Utløs" - }, - "cover": { - "position": "Posisjon", - "tilt_position": "Vend posisjon" - }, - "fan": { - "speed": "Hastighet", - "oscillate": "Vandring", - "direction": "Retning", - "forward": "Framover", - "reverse": "Omvendt" - }, - "light": { - "brightness": "Lysstyrke", - "color_temperature": "Fargetemperatur", - "white_value": "Hvit verdi", - "effect": "Effekt" - }, - "media_player": { - "text_to_speak": "Tekst til tale", - "source": "Kilde", - "sound_mode": "Lydmodus" - }, - "climate": { - "currently": "Er nå", - "on_off": "På \/ av", - "target_temperature": "Ønsket temperatur", - "target_humidity": "Ønsket luftfuktighet", - "operation": "Operasjon", - "fan_mode": "Viftemodus", - "swing_mode": "Svingmodus", - "away_mode": "Bortemodus", - "aux_heat": "Aux varme", - "preset_mode": "Preset", - "target_temperature_entity": "{name} måltemperatur", - "target_temperature_mode": "{name} måltemperatur {mode}", - "current_temperature": "{name} nåværende temperatur", - "heating": "{name} oppvarming", - "cooling": "{name} kjøling", - "high": "høy", - "low": "lav" - }, - "lock": { - "code": "Kode", - "lock": "Lås", - "unlock": "Lås opp" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Gjenoppta rengjøring", - "return_to_base": "Returner til dokken", - "start_cleaning": "Start rengjøring", - "turn_on": "Slå på", - "turn_off": "Slå av" - } - }, - "water_heater": { - "currently": "Temperatur nå", - "on_off": "På \/ av", - "target_temperature": "Ønsket temperatur", - "operation": "Drift", - "away_mode": "Bortemodus" - }, - "timer": { - "actions": { - "start": "start", - "pause": "pause", - "cancel": "Avbryt", - "finish": "Ferdig" - } - }, - "counter": { - "actions": { - "increment": "øke", - "decrement": "redusere", - "reset": "tilbakestille" - } - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "Oppføring", - "clear": "Tøm", - "show_entities": "Vis enheter" - } - }, - "service-picker": { - "service": "Tjeneste" - }, - "relative_time": { - "past": "{time} siden", - "future": "Om {time}", - "never": "Aldri", - "duration": { - "second": "{count} {count, plural,\n one {sekund}\n other {sekunder}\n}", - "minute": "{count} {count, plural,\n one {minutt}\n other {minutter}\n}", - "hour": "{count} {count, plural,\n one {time}\n other {timer}\n}", - "day": "{count} {count, plural,\n one {dag}\n other {dager}\n}", - "week": "{count} {count, plural,\n one {uke}\n other {uker}\n}" - } - }, - "history_charts": { - "loading_history": "Laster statushistorikk...", - "no_history_found": "Ingen statushistorikk funnet." - }, - "device-picker": { - "clear": "Tøm", - "show_devices": "Vis enheter" - } - }, - "notification_toast": { - "entity_turned_on": "Slått på: {entity}", - "entity_turned_off": "Slått av: {entity}", - "service_called": "Tilkalte tjenesten: {service}", - "service_call_failed": "Kunne ikke tilkalle tjenesten: {service}", - "connection_lost": "Forbindelsen ble brutt. Kobler til på nytt...", - "triggered": "Utløst {name}" - }, - "dialogs": { - "more_info_settings": { - "save": "Lagre", - "name": "Navn", - "entity_id": "Oppføring ID" - }, - "more_info_control": { - "script": { - "last_action": "Siste handling" - }, - "sun": { - "elevation": "Elevasjon", - "rising": "Soloppgang", - "setting": "Solnedgang" - }, - "updater": { - "title": "Oppdateringsanvisning" - } - }, - "options_flow": { - "form": { - "header": "Alternativer" - }, - "success": { - "description": "Alternativene er lagret." - } - }, - "config_entry_system_options": { - "title": "Systemalternativer for {integration}", - "enable_new_entities_label": "Aktiver enheter som nylig er lagt til.", - "enable_new_entities_description": "Hvis den er deaktivert, blir ikke nyoppdagede enheter for {integration} automatisk lagt til i Home Assistant." - }, - "zha_device_info": { - "manuf": "av {manufacturer}", - "no_area": "Intet område", - "services": { - "reconfigure": "Rekonfigurer ZHA-enhet (heal enhet). Bruk dette hvis du har problemer med enheten. Hvis den aktuelle enheten er en batteridrevet enhet, sørg for at den er våken og aksepterer kommandoer når du bruker denne tjenesten.", - "updateDeviceName": "Angi et egendefinert navn for denne enheten i enhetsregisteret.", - "remove": "Fjern en enhet fra Zigbee-nettverket." - }, - "zha_device_card": { - "device_name_placeholder": "Brukers navn", - "area_picker_label": "Område", - "update_name_button": "Oppdater navn" - }, - "buttons": { - "add": "Legg til enheter", - "remove": "Fjern enhet", - "reconfigure": "Rekonfigurer enhet" - }, - "quirk": "Quirk", - "last_seen": "Sist sett", - "power_source": "Strømkilde", - "unknown": "Ukjent" - }, - "confirmation": { - "cancel": "Avbryt", - "ok": "OK", - "title": "Er du sikker?" - } - }, - "auth_store": { - "ask": "Ønsker du å lagre denne påloggingen?", - "decline": "Nei takk", - "confirm": "Lagre pålogging" - }, - "notification_drawer": { - "click_to_configure": "Klikk på knappen for å konfigurere {entity}", - "empty": "Ingen varsler", - "title": "Varsler" - } - }, - "domain": { - "alarm_control_panel": "Alarm kontrollpanel", - "automation": "Automatisering", - "binary_sensor": "Binær sensor", - "calendar": "Kalender", - "camera": "Kamera", - "climate": "Klima", - "configurator": "Konfigurator", - "conversation": "Samtale", - "cover": "Dekke", - "device_tracker": "Enhetssporing", - "fan": "Vifte", - "history_graph": "Historisk graf", - "group": "Gruppe", - "image_processing": "Bildebehandling", - "input_boolean": "Angi boolsk", - "input_datetime": "Angi datotid", - "input_select": "Angi valg", - "input_number": "Angi nummer", - "input_text": "Angi tekst", - "light": "Lys", - "lock": "Lås", - "mailbox": "Postkasse", - "media_player": "Mediaspiller", - "notify": "Varsle", - "plant": "Plante", - "proximity": "Nærhet", - "remote": "Fjernkontroll", - "scene": "Scene", - "script": "Skript", - "sensor": "Sensor", - "sun": "Sol", - "switch": "Bryter", - "updater": "Oppdateringer", - "weblink": "Lenke", - "zwave": "Z-Wave", - "vacuum": "Støvsuger", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Systemhelse", - "person": "Person" - }, - "attribute": { - "weather": { - "humidity": "Luftfuktighet", - "visibility": "Sikt", - "wind_speed": "Vindhastighet" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Av", - "on": "På", - "auto": "Auto" - }, - "preset_mode": { - "none": "Ingen", - "eco": "Øko", - "away": "Borte", - "boost": "Øke", - "comfort": "Komfort", - "home": "Hjem", - "sleep": "Sove", - "activity": "Aktivitet" - }, - "hvac_action": { - "off": "Av", - "heating": "Oppvarming", - "cooling": "Kjøling", - "drying": "Tørking", - "idle": "Inaktiv", - "fan": "Vifte" - } - } - }, - "groups": { - "system-admin": "Administratorer", - "system-users": "Brukere", - "system-read-only": "Brukere med lesetilgang" - }, - "config_entry": { - "disabled_by": { - "user": "Bruker", - "integration": "Integrering", - "config_entry": "Konfigurer oppføring" } } } \ No newline at end of file diff --git a/translations/nl.json b/translations/nl.json index 98fa06e55e..5a946275d4 100644 --- a/translations/nl.json +++ b/translations/nl.json @@ -1,53 +1,193 @@ { - "panel": { - "config": "Instellingen", - "states": "Overzicht", - "map": "Kaart", - "logbook": "Logboek", - "history": "Geschiedenis", + "attribute": { + "weather": { + "humidity": "Vochtigheid", + "visibility": "Zichtbaarheid", + "wind_speed": "Windsnelheid" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Configuratie-item", + "integration": "Integratie", + "user": "Gebruiker" + } + }, + "domain": { + "alarm_control_panel": "Alarm bedieningspaneel", + "automation": "Automatisering", + "binary_sensor": "Binaire sensor", + "calendar": "Kalender", + "camera": "Camera", + "climate": "Klimaat", + "configurator": "Configurator", + "conversation": "Conversatie", + "cover": "Bedekking", + "device_tracker": "Apparaat tracker", + "fan": "Ventilator", + "group": "Groep", + "hassio": "Hass.io", + "history_graph": "Geschiedenis", + "homeassistant": "Home Assistant", + "image_processing": "Beeldverwerking", + "input_boolean": "Boolean invoer", + "input_datetime": "Voer datum en tijd in", + "input_number": "Numerieke invoer", + "input_select": "Invoer selectie", + "input_text": "Tekstinvoer", + "light": "Licht", + "lock": "Slot", + "lovelace": "Lovelace", "mailbox": "Postvak", - "shopping_list": "Boodschappenlijst", + "media_player": "Mediaspeler", + "notify": "Notificeer", + "person": "Persoon", + "plant": "Plant", + "proximity": "Nabijheid", + "remote": "Afstandsbediening", + "scene": "Scène", + "script": "Script", + "sensor": "Sensor", + "sun": "Zon", + "switch": "Schakelaar", + "system_health": "Systeemstatus", + "updater": "Updater", + "vacuum": "Stofzuigen", + "weblink": "Web link", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Beheerders", + "system-read-only": "Alleen-lezen gebruikers", + "system-users": "Gebruikers" + }, + "panel": { + "calendar": "Kalender", + "config": "Instellingen", "dev-info": "Info", "developer_tools": "Ontwikkelhulpmiddelen", - "calendar": "Kalender", - "profile": "Profiel" + "history": "Geschiedenis", + "logbook": "Logboek", + "mailbox": "Postvak", + "map": "Kaart", + "profile": "Profiel", + "shopping_list": "Boodschappenlijst", + "states": "Overzicht" + }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Auto", + "off": "Uit", + "on": "Aan" + }, + "hvac_action": { + "cooling": "Koelen", + "drying": "Ontvochtigen", + "fan": "Ventilator", + "heating": "Verwarmen", + "idle": "Inactief", + "off": "Uit" + }, + "preset_mode": { + "activity": "Activiteit", + "away": "Afwezig", + "boost": "Boost", + "comfort": "Comfort", + "eco": "Eco", + "home": "Thuis", + "none": "Geen", + "sleep": "Slapen" + } + } + }, + "state_badge": { + "alarm_control_panel": { + "armed": "Actief", + "armed_away": "Actief", + "armed_custom_bypass": "Ingeschakeld", + "armed_home": "Actief", + "armed_night": "Actief", + "arming": "Activeren", + "disarmed": "Uit", + "disarming": "Uitschakelen", + "pending": "Wacht", + "triggered": "Gaat af" + }, + "default": { + "entity_not_found": "Entiteit niet gevonden", + "error": "Fout", + "unavailable": "Niet besch", + "unknown": "Onbek." + }, + "device_tracker": { + "home": "Thuis", + "not_home": "Afwezig" + }, + "person": { + "home": "Thuis", + "not_home": "Afwezig" + } }, "state": { - "default": { - "off": "Uit", - "on": "Aan", - "unknown": "Onbekend", - "unavailable": "Niet beschikbaar" - }, "alarm_control_panel": { "armed": "Ingeschakeld", - "disarmed": "Uitgeschakeld", - "armed_home": "Ingeschakeld thuis", "armed_away": "Ingeschakeld afwezig", + "armed_custom_bypass": "Ingeschakeld met overbrugging(en)", + "armed_home": "Ingeschakeld thuis", "armed_night": "Ingeschakeld nacht", - "pending": "In wacht", "arming": "Schakelt in", + "disarmed": "Uitgeschakeld", "disarming": "Schakelt uit", - "triggered": "Geactiveerd", - "armed_custom_bypass": "Ingeschakeld met overbrugging(en)" + "pending": "In wacht", + "triggered": "Geactiveerd" }, "automation": { "off": "Uit", "on": "Aan" }, "binary_sensor": { + "battery": { + "off": "Normaal", + "on": "Laag" + }, + "cold": { + "off": "Normaal", + "on": "Koud" + }, + "connectivity": { + "off": "Verbroken", + "on": "Verbonden" + }, "default": { "off": "Uit", "on": "Aan" }, - "moisture": { - "off": "Droog", - "on": "Vochtig" + "door": { + "off": "Dicht", + "on": "Open" + }, + "garage_door": { + "off": "Dicht", + "on": "Open" }, "gas": { "off": "Niet gedetecteerd", "on": "Gedetecteerd" }, + "heat": { + "off": "Normaal", + "on": "Heet" + }, + "lock": { + "off": "Vergrendeld", + "on": "Ontgrendeld" + }, + "moisture": { + "off": "Droog", + "on": "Vochtig" + }, "motion": { "off": "Niet gedetecteerd", "on": "Gedetecteerd" @@ -56,6 +196,22 @@ "off": "Niet gedetecteerd", "on": "Gedetecteerd" }, + "opening": { + "off": "Gesloten", + "on": "Open" + }, + "presence": { + "off": "Afwezig", + "on": "Thuis" + }, + "problem": { + "off": "OK", + "on": "Probleem" + }, + "safety": { + "off": "Veilig", + "on": "Onveilig" + }, "smoke": { "off": "Niet gedetecteerd", "on": "Gedetecteerd" @@ -68,53 +224,9 @@ "off": "Niet gedetecteerd", "on": "Gedetecteerd" }, - "opening": { - "off": "Gesloten", - "on": "Open" - }, - "safety": { - "off": "Veilig", - "on": "Onveilig" - }, - "presence": { - "off": "Afwezig", - "on": "Thuis" - }, - "battery": { - "off": "Normaal", - "on": "Laag" - }, - "problem": { - "off": "OK", - "on": "Probleem" - }, - "connectivity": { - "off": "Verbroken", - "on": "Verbonden" - }, - "cold": { - "off": "Normaal", - "on": "Koud" - }, - "door": { - "off": "Dicht", - "on": "Open" - }, - "garage_door": { - "off": "Dicht", - "on": "Open" - }, - "heat": { - "off": "Normaal", - "on": "Heet" - }, "window": { "off": "Dicht", "on": "Open" - }, - "lock": { - "off": "Vergrendeld", - "on": "Ontgrendeld" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "Aan" }, "camera": { + "idle": "Inactief", "recording": "Opnemen", - "streaming": "Streamen", - "idle": "Inactief" + "streaming": "Streamen" }, "climate": { - "off": "Uit", - "on": "Aan", - "heat": "Verwarmen", - "cool": "Koelen", - "idle": "Inactief", "auto": "Auto", + "cool": "Koelen", "dry": "Droog", - "fan_only": "Alleen ventilatie", "eco": "Eco", "electric": "Elektrisch", - "performance": "Prestatie", - "high_demand": "Hoge vraag", - "heat_pump": "Warmtepomp", + "fan_only": "Alleen ventilatie", "gas": "Gas", + "heat": "Verwarmen", + "heat_cool": "Verwarmen\/Koelen", + "heat_pump": "Warmtepomp", + "high_demand": "Hoge vraag", + "idle": "Inactief", "manual": "Handmatig", - "heat_cool": "Verwarmen\/Koelen" + "off": "Uit", + "on": "Aan", + "performance": "Prestatie" }, "configurator": { "configure": "Configureer", "configured": "Geconfigureerd" }, "cover": { - "open": "Open", - "opening": "Opent", "closed": "Gesloten", "closing": "Sluit", + "open": "Open", + "opening": "Opent", "stopped": "Gestopt" }, + "default": { + "off": "Uit", + "on": "Aan", + "unavailable": "Niet beschikbaar", + "unknown": "Onbekend" + }, "device_tracker": { "home": "Thuis", "not_home": "Afwezig" @@ -164,19 +282,19 @@ "on": "Aan" }, "group": { - "off": "Uit", - "on": "Aan", - "home": "Thuis", - "not_home": "Afwezig", - "open": "Open", - "opening": "Openen", "closed": "Gesloten", "closing": "Sluiten", - "stopped": "Gestopt", + "home": "Thuis", "locked": "Vergrendeld", - "unlocked": "Ontgrendeld", + "not_home": "Afwezig", + "off": "Uit", "ok": "OK", - "problem": "Probleem" + "on": "Aan", + "open": "Open", + "opening": "Openen", + "problem": "Probleem", + "stopped": "Gestopt", + "unlocked": "Ontgrendeld" }, "input_boolean": { "off": "Uit", @@ -191,13 +309,17 @@ "unlocked": "Ontgrendeld" }, "media_player": { + "idle": "Inactief", "off": "Uit", "on": "Aan", - "playing": "Afspelen", "paused": "Gepauzeerd", - "idle": "Inactief", + "playing": "Afspelen", "standby": "Standby" }, + "person": { + "home": "Thuis", + "not_home": "Afwezig" + }, "plant": { "ok": "OK", "problem": "Probleem" @@ -225,34 +347,10 @@ "off": "Uit", "on": "Aan" }, - "zwave": { - "default": { - "initializing": "Initialiseren", - "dead": "Onbereikbaar", - "sleeping": "Slaapt", - "ready": "Gereed" - }, - "query_stage": { - "initializing": "Initialiseren ( {query_stage} )", - "dead": "Onbereikbaar ({query_stage})" - } - }, - "weather": { - "clear-night": "Helder, nacht", - "cloudy": "Bewolkt", - "fog": "Mist", - "hail": "Hagel", - "lightning": "Bliksem", - "lightning-rainy": "Bliksem, regenachtig", - "partlycloudy": "Gedeeltelijk bewolkt", - "pouring": "Regen", - "rainy": "Regenachtig", - "snowy": "Sneeuwachtig", - "snowy-rainy": "Sneeuw-, regenachtig", - "sunny": "Zonnig", - "windy": "Winderig", - "windy-variant": "Winderig", - "exceptional": "Uitzonderlijk" + "timer": { + "active": "actief", + "idle": "inactief", + "paused": "gepauzeerd" }, "vacuum": { "cleaning": "Reinigen", @@ -264,210 +362,729 @@ "paused": "Gepauseerd", "returning": "Terugkeren naar dock" }, - "timer": { - "active": "actief", - "idle": "inactief", - "paused": "gepauzeerd" + "weather": { + "clear-night": "Helder, nacht", + "cloudy": "Bewolkt", + "exceptional": "Uitzonderlijk", + "fog": "Mist", + "hail": "Hagel", + "lightning": "Bliksem", + "lightning-rainy": "Bliksem, regenachtig", + "partlycloudy": "Gedeeltelijk bewolkt", + "pouring": "Regen", + "rainy": "Regenachtig", + "snowy": "Sneeuwachtig", + "snowy-rainy": "Sneeuw-, regenachtig", + "sunny": "Zonnig", + "windy": "Winderig", + "windy-variant": "Winderig" }, - "person": { - "home": "Thuis", - "not_home": "Afwezig" - } - }, - "state_badge": { - "default": { - "unknown": "Onbek.", - "unavailable": "Niet besch", - "error": "Fout", - "entity_not_found": "Entiteit niet gevonden" - }, - "alarm_control_panel": { - "armed": "Actief", - "disarmed": "Uit", - "armed_home": "Actief", - "armed_away": "Actief", - "armed_night": "Actief", - "pending": "Wacht", - "arming": "Activeren", - "disarming": "Uitschakelen", - "triggered": "Gaat af", - "armed_custom_bypass": "Ingeschakeld" - }, - "device_tracker": { - "home": "Thuis", - "not_home": "Afwezig" - }, - "person": { - "home": "Thuis", - "not_home": "Afwezig" + "zwave": { + "default": { + "dead": "Onbereikbaar", + "initializing": "Initialiseren", + "ready": "Gereed", + "sleeping": "Slaapt" + }, + "query_stage": { + "dead": "Onbereikbaar ({query_stage})", + "initializing": "Initialiseren ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Wissen voltooid", - "add_item": "Item toevoegen", - "microphone_tip": "Tik op de microfoon rechtsboven en zeg \"Add candy to my shopping list\"" + "auth_store": { + "ask": "Wil je de inloggegevens opslaan?", + "confirm": "Login opslaan", + "decline": "Nee, bedankt" + }, + "card": { + "alarm_control_panel": { + "arm_away": "Inschakelen afwezig", + "arm_custom_bypass": "Gedeeltelijk actief", + "arm_home": "Inschakelen thuis", + "arm_night": "Inschakelen nacht", + "armed_custom_bypass": "Aangepaste overbrugging(en)", + "clear_code": "Wis", + "code": "Code", + "disarm": "Uitschakelen" }, - "developer-tools": { - "tabs": { - "services": { - "title": "Services", - "description": "Met de tool service Dev kunt u elke beschikbare service in Home Assistant aanroepen.", - "data": "Service data (YAML, optioneel)", - "call_service": "Aanroepen service", - "select_service": "Selecteer een service om de beschrijving te bekijken", - "no_description": "Er is geen beschrijving beschikbaar", - "no_parameters": "Deze service heeft geen parameters nodig.", - "column_parameter": "Parameter", - "column_description": "Beschrijving", - "column_example": "Voorbeeld", - "fill_example_data": "Voorbeeldgegeven invullen", - "alert_parsing_yaml": "Fout bij het parseren van YAML: {data}" - }, - "states": { - "title": "Toestanden", - "description1": "Stelt de weergave van een apparaat in Home Assistant in.", - "description2": "Er vindt geen communicatie met het daadwerkelijke apparaat plaat.", - "entity": "Entiteit", - "state": "Toestand", - "attributes": "Attributen", - "state_attributes": "Status attributen (YAML, optioneel)", - "set_state": "Definieer toestand", - "current_entities": "Huidige entiteiten", - "filter_entities": "Filter entiteiten", - "filter_states": "Filter toestanden", - "filter_attributes": "Filter attributen", - "no_entities": "Geen entiteiten", - "more_info": "Meer informatie", - "alert_entity_field": "Entiteit is een verplicht veld" - }, - "events": { - "title": "Gebeurtenissen", - "description": "Start een evenement op de Home Assistant-gebeurtenisbus", - "documentation": "Gebeurtenissen documentatie.", - "type": "Type gebeurtenis", - "data": "Gebeurtenis data (YAML, optioneel)", - "fire_event": "Gebeurtenis uitvoeren", - "event_fired": "Gebeurtenis {naam} afgevuurd", - "available_events": "Beschikbare gebeurtenissen", - "count_listeners": "({count} luisteraars)", - "listen_to_events": "Luisteren naar gebeurtenissen", - "listening_to": "Luisteren naar", - "subscribe_to": "Gebeurtenis om op te abonneren", - "start_listening": "Begin te luisteren", - "stop_listening": "Stop met luisteren", - "alert_event_type": "Het type gebeurtenis is een verplicht veld", - "notification_event_fired": "Gebeurtenis {type} met succes uitgevoerd!" - }, - "templates": { - "title": "Sjablonen", - "description": "Sjablonen worden weergegeven met de Jinja2-sjabloonediter samen met enkele extensies van Home Assistant.", - "editor": "Sjabloonediter", - "jinja_documentation": "Jinja2-sjabloondocumentatie", - "template_extensions": "Home Assistant sjabloon extensiesHome Assistant", - "unknown_error_template": "Onbekende fout bij weergave sjabloon" - }, - "mqtt": { - "title": "MQTT", - "description_publish": "Publiceer een pakket", - "topic": "onderwerp", - "payload": "Payload (sjabloon toegestaan)", - "publish": "Publiceer", - "description_listen": "Luisteren naar onderwerp", - "listening_to": "Luisteren naar", - "subscribe_to": "Gebeurtenis om op te abonneren", - "start_listening": "Begin te luisteren", - "stop_listening": "Stop met luisteren", - "message_received": "Bericht {id} ontvangen op {topic} om {time} :" - }, - "info": { - "title": "Info", - "remove": "Verwijderen", - "set": "Stel in", - "default_ui": "{action} {name} als standaardpagina op dit apparaat", - "lovelace_ui": "Ga naar de Lovelace UI", - "states_ui": "Ga naar de status UI", - "home_assistant_logo": "Home Assistent-logo", - "path_configuration": "Pad naar configuration.yaml: {path}", - "developed_by": "Ontwikkeld door een stel geweldige mensen.", - "license": "Gepubliceerd onder de Apache 2.0-licentie", - "source": "Bron:", - "server": "Server", - "frontend": "Frontend", - "built_using": "Gebouwd met behulp van", - "icons_by": "Icons door", - "frontend_version": "Frontend-versie: {version} - {type}", - "custom_uis": "Aangepaste UI's:", - "system_health_error": "De systeemstatus component is niet geladen. Voeg ' system_health: ' toe aan het configuratiebestand." - }, - "logs": { - "title": "Logboek", - "details": "Logboekdetails ( {level} )", - "load_full_log": "Laad volledige Home Assistant logboek", - "loading_log": "Foutenlogboek laden ...", - "no_errors": "Er zijn geen fouten gerapporteerd.", - "no_issues": "Er zijn geen problemen!", - "clear": "Wis", - "refresh": "Vernieuwen", - "multiple_messages": "bericht kwam voor het eerst om {time} en verschijnt {counter} malen" - } + "automation": { + "last_triggered": "Laatst uitgevoerd", + "trigger": "Uitvoeren" + }, + "camera": { + "not_available": "Afbeelding niet beschikbaar" + }, + "climate": { + "aux_heat": "Extra warmte", + "away_mode": "Afwezigheidsmodus", + "cooling": "{name} koeling", + "current_temperature": "{name} huidige temperatuur", + "currently": "Momenteel", + "fan_mode": "Ventilatormodus", + "heating": "{name} verwarming", + "high": "hoog", + "low": "laag", + "on_off": "Aan \/ uit", + "operation": "Werking", + "preset_mode": "Voorinstelling", + "swing_mode": "Swingmodus", + "target_humidity": "Gewenste luchtvochtigheid", + "target_temperature": "Gewenste temperatuur", + "target_temperature_entity": "{name} doeltemperatuur", + "target_temperature_mode": "{name} doeltemperatuur {mode}" + }, + "counter": { + "actions": { + "decrement": "verlagen", + "increment": "verhoging", + "reset": "reset" } }, - "history": { - "showing_entries": "Toon items voor", - "period": "Periode" + "cover": { + "position": "Positie", + "tilt_position": "Kantelpositie" }, - "logbook": { - "showing_entries": "Toont gegevens van", - "period": "Periode" + "fan": { + "direction": "Richting", + "forward": "Voorwaarts", + "oscillate": "Oscilleren", + "reverse": "Omkeren", + "speed": "Snelheid" }, - "mailbox": { - "empty": "Je hebt geen berichten", - "playback_title": "Bericht afspelen", - "delete_prompt": "Bericht verwijderen?", - "delete_button": "Verwijderen" + "light": { + "brightness": "Helderheid", + "color_temperature": "Kleurtemperatuur", + "effect": "Effect", + "white_value": "Witwaarde" }, + "lock": { + "code": "Code", + "lock": "Vergrendelen", + "unlock": "Ontgrendelen" + }, + "media_player": { + "sound_mode": "Geluidsmodus", + "source": "Bron", + "text_to_speak": "Tekst naar spraak" + }, + "persistent_notification": { + "dismiss": "Sluiten" + }, + "scene": { + "activate": "Activeren" + }, + "script": { + "execute": "Uitvoeren" + }, + "timer": { + "actions": { + "cancel": "annuleren", + "finish": "voltooien", + "pause": "pauze", + "start": "start" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Hervat schoonmaak", + "return_to_base": "Keer terug naar dock", + "start_cleaning": "Begin schoonmaak", + "turn_off": "Uitschakelen", + "turn_on": "Inschakelen" + } + }, + "water_heater": { + "away_mode": "Afwezigheidsmodus", + "currently": "Momenteel", + "on_off": "Aan \/ uit", + "operation": "Werking", + "target_temperature": "Gewenste temperatuur" + }, + "weather": { + "attributes": { + "air_pressure": "Luchtdruk", + "humidity": "Vochtigheid", + "temperature": "Temperatuur", + "visibility": "Zicht", + "wind_speed": "Windsnelheid" + }, + "cardinal_direction": { + "e": "O", + "ene": "ONO", + "ese": "OZO", + "n": "N", + "ne": "NO", + "nne": "NNO", + "nnw": "NNW", + "nw": "NW", + "s": "Z", + "se": "ZO", + "sse": "ZZO", + "ssw": "ZZW", + "sw": "ZW", + "w": "W", + "wnw": "WNW", + "wsw": "WZW" + }, + "forecast": "Verwachting" + } + }, + "common": { + "cancel": "Annuleren", + "loading": "Bezig met laden", + "save": "Opslaan", + "successfully_saved": "Succesvol opgeslagen" + }, + "components": { + "device-picker": { + "clear": "Wis", + "show_devices": "Apparaten weergeven" + }, + "entity": { + "entity-picker": { + "clear": "Wis", + "entity": "Entiteit", + "show_entities": "Entiteiten weergeven" + } + }, + "history_charts": { + "loading_history": "Geschiedenis laden ...", + "no_history_found": "Geen geschiedenis gevonden" + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\none {dag}\\nother {dagen}\\n}", + "hour": "{count} {count, plural,\\none {uur}\\nother {uur}\\n}", + "minute": "{count} {count, plural,\\none {minuut}\\nother {minuten}\\n}", + "second": "{count} {count, plural,\\none {seconde}\\nother {seconden}\\n}", + "week": "{count} {count, plural,\\none {week}\\nother {weken}\\n}" + }, + "future": "Over {time}", + "never": "Nooit", + "past": "{time} geleden" + }, + "service-picker": { + "service": "Service" + } + }, + "dialogs": { + "config_entry_system_options": { + "enable_new_entities_description": "Indien uitgeschakeld dan worden nieuwe entiteiten van {integration} niet automatisch aan Home Assistant toegevoegd.", + "enable_new_entities_label": "Voeg nieuwe entiteiten automatisch toe", + "title": "Systeeminstellingen voor {integratie}" + }, + "confirmation": { + "cancel": "Annuleren", + "ok": "OK", + "title": "Weet je het zeker?" + }, + "more_info_control": { + "script": { + "last_action": "Laatste actie" + }, + "sun": { + "elevation": "Hoogtehoek", + "rising": "Opkomst", + "setting": "Ondergang" + }, + "updater": { + "title": "Update-instructies" + } + }, + "more_info_settings": { + "entity_id": "Entiteits-ID", + "name": "Naam overschrijven", + "save": "Opslaan" + }, + "options_flow": { + "form": { + "header": "Instellingen" + }, + "success": { + "description": "Instellingen succesvol opgeslagen." + } + }, + "zha_device_info": { + "buttons": { + "add": "Apparaten toevoegen", + "reconfigure": "Apparaat opnieuw configureren", + "remove": "Verwijder apparaat" + }, + "last_seen": "Laatst gezien", + "manuf": "door {manufacturer}", + "no_area": "Geen Gebied", + "power_source": "Stroombron", + "quirk": "Quirk", + "services": { + "reconfigure": "Herconfigureer het ZHA-apparaat (heal device). Gebruik dit als je problemen hebt met het apparaat. Als het een apparaat met batterij is, zorg dan dat het wakker is en commando's accepteert wanneer je deze service gebruikt.", + "remove": "Verwijder een apparaat uit het Zigbee-netwerk.", + "updateDeviceName": "Stel een aangepaste naam in voor dit apparaat in het apparaatregister." + }, + "unknown": "Onbekend", + "zha_device_card": { + "area_picker_label": "Gebied", + "device_name_placeholder": "Door gebruiker ingegeven naam", + "update_name_button": "Naam bijwerken" + } + } + }, + "duration": { + "day": "{count} {count, plural,\\none {dag}\\nother {dagen}\\n}", + "hour": "{count} {count, plural,\\none {uur}\\nother {uur}\\n}", + "minute": "{count} {count, plural,\\none {minuut}\\nother {minuten}\\n}", + "second": "{count} {count, plural,\\none {seconde}\\nother {seconden}\\n}", + "week": "{count} {count, plural,\\none {week}\\nother {weken}\\n}" + }, + "login-form": { + "log_in": "Aanmelden", + "password": "Wachtwoord", + "remember": "Onthouden" + }, + "notification_drawer": { + "click_to_configure": "Klik op de knop om {entity} te configureren", + "empty": "Geen notificaties", + "title": "Notificaties" + }, + "notification_toast": { + "connection_lost": "Verbinding verbroken. Opnieuw verbinden...", + "entity_turned_off": "{entity} uitgeschakeld.", + "entity_turned_on": "{entity} ingeschakeld.", + "service_call_failed": "Kan service {service} niet aanroepen", + "service_called": "Service {service} aangeroepen", + "triggered": "Geactiveerd {naam}" + }, + "panel": { "config": { - "header": "Configureer Home Assistant", - "introduction": "Hier kun je je componenten en Home Assistant configureren. Het is nog niet mogelijk om alles te configureren vanuit de interface, maar we werken er aan.", + "area_registry": { + "caption": "Gebiedenregister", + "create_area": "MAAK GEBIED", + "description": "Overzicht van alle gebieden in je huis.", + "editor": { + "create": "MAKEN", + "default_name": "Nieuw Gebied", + "delete": "VERWIJDEREN", + "update": "BIJWERKEN" + }, + "no_areas": "Het lijkt erop dat je nog geen gebieden hebt!", + "picker": { + "create_area": "MAAK RUIMTE", + "header": "Gebiedenregister", + "integrations_page": "Integratiespagina", + "introduction": "Gebieden worden gebruikt om te bepalen waar apparaten zijn. Deze informatie wordt overal in de Home Assistant gebruikt om je te helpen bij het organiseren van je interface, machtigingen en integraties met andere systemen.", + "introduction2": "Als u apparaten in een gebied wilt plaatsen, gebruikt u de onderstaande koppeling om naar de integratiespagina te gaan en vervolgens op een geconfigureerde integratie te klikken om naar de apparaatkaarten te gaan.", + "no_areas": "Het lijkt erop dat je nog geen ruimtes hebt!" + } + }, + "automation": { + "caption": "Automatisering", + "description": "Het maken en bewerken van automatiseringen", + "editor": { + "actions": { + "add": "Actie toevoegen", + "delete": "Verwijderen", + "delete_confirm": "Wil je dit echt verwijderen?", + "duplicate": "Dupliceer", + "header": "Acties", + "introduction": "De acties zijn wat Home Assistant zal doen wanneer de automatisering wordt geactiveerd.", + "learn_more": "Meer informatie over acties", + "type_select": "Type actie", + "type": { + "condition": { + "label": "Voorwaarde" + }, + "delay": { + "delay": "Vertraging", + "label": "Vertraging" + }, + "device_id": { + "extra_fields": { + "code": "Code" + }, + "label": "Apparaat" + }, + "event": { + "event": "Gebeurtenis:", + "label": "Gebeurtenis uitvoeren", + "service_data": "Service data" + }, + "scene": { + "label": "Activeer scène" + }, + "service": { + "label": "Service aanroepen", + "service_data": "Service data" + }, + "wait_template": { + "label": "Wacht", + "timeout": "Timeout (optioneel)", + "wait_template": "Wachtsjabloon" + } + }, + "unsupported_action": "Niet-ondersteunde actie: {action}" + }, + "alias": "Naam", + "conditions": { + "add": "Voorwaarde toevoegen", + "delete": "Verwijderen", + "delete_confirm": "Zeker weten dat je wilt verwijderen?", + "duplicate": "Dupliceren", + "header": "Voorwaarden", + "introduction": "Voorwaarden zijn een optioneel onderdeel van een automatiseringsregel en kunnen worden gebruikt om te voorkomen dat een actie plaatsvindt wanneer deze wordt geactiveerd. Voorwaarden lijken erg op triggers, maar zijn verschillend. Een trigger zal kijken naar gebeurtenissen die in het systeem plaatsvinden, terwijl een voorwaarde alleen kijkt naar hoe het systeem er op dit moment uitziet. Een trigger kan waarnemen dat een schakelaar wordt ingeschakeld. Een voorwaarde kan alleen zien of een schakelaar aan of uit staat.", + "learn_more": "Meer informatie over condities", + "type_select": "Type voorwaarde", + "type": { + "and": { + "label": "En" + }, + "device": { + "extra_fields": { + "above": "Boven", + "below": "Onder", + "for": "Duur" + }, + "label": "Apparaat" + }, + "numeric_state": { + "above": "Boven", + "below": "Onder", + "label": "Numerieke staat", + "value_template": "Waardetemplate (optioneel)" + }, + "or": { + "label": "Of" + }, + "state": { + "label": "Staat", + "state": "Staat" + }, + "sun": { + "after": "Na:", + "after_offset": "Na offset (optioneel)", + "before": "Voor:", + "before_offset": "Voor offset (optioneel)", + "label": "Zon", + "sunrise": "Zonsopkomst", + "sunset": "Zonsondergang" + }, + "template": { + "label": "Sjabloon", + "value_template": "Waardesjabloon" + }, + "time": { + "after": "Nadat", + "before": "Voordat", + "label": "Tijd" + }, + "zone": { + "entity": "Entiteit met locatie", + "label": "Zone", + "zone": "Zone" + } + }, + "unsupported_condition": "Niet ondersteunde voorwaarde: {condition}" + }, + "default_name": "Nieuwe automatisering", + "description": { + "label": "Beschrijving", + "placeholder": "Optionele beschrijving" + }, + "introduction": "Gebruik automatiseringen om je huis tot leven te brengen.", + "load_error_not_editable": "Alleen automatiseringen in automations.yaml kunnen worden bewerkt.", + "load_error_unknown": "Fout bij laden van automatisering ({err_no}).", + "save": "Opslaan", + "triggers": { + "add": "Trigger toevoegen", + "delete": "Verwijderen", + "delete_confirm": "Zeker dat je wil verwijderen?", + "duplicate": "Dupliceren", + "header": "", + "introduction": "Triggers starten de verwerking van een automatiseringsregel. Het is mogelijk om meerdere triggers voor dezelfde regel op te geven. Zodra een trigger start, valideert Home Assistant de eventuele voorwaarden en roept hij de actie aan.", + "learn_more": "Meer informatie over triggers", + "type_select": "Trigger-type", + "type": { + "device": { + "extra_fields": { + "above": "Boven", + "below": "Onder", + "for": "Duur" + }, + "label": "Apparaat" + }, + "event": { + "event_data": "Gebeurtenisdata", + "event_type": "Gebeurtenistype", + "label": "Gebeurtenis" + }, + "geo_location": { + "enter": "Invoeren", + "event": "Gebeurtenis:", + "label": "Geolocatie", + "leave": "Verlaten", + "source": "Bron", + "zone": "Zone" + }, + "homeassistant": { + "event": "Gebeurtenis:", + "label": "", + "shutdown": "Afsluiten", + "start": "Opstarten" + }, + "mqtt": { + "label": "", + "payload": "Payload (optioneel)", + "topic": "Onderwerp" + }, + "numeric_state": { + "above": "Boven", + "below": "Onder", + "label": "Numerieke staat", + "value_template": "Waardesjabloon (optioneel)" + }, + "state": { + "for": "Voor", + "from": "Van", + "label": "Staat", + "to": "Naar" + }, + "sun": { + "event": "Gebeurtenis:", + "label": "Zon", + "offset": "Offset (optioneel)", + "sunrise": "Zonsopkomst", + "sunset": "Zonsondergang" + }, + "template": { + "label": "Sjabloon", + "value_template": "Waardesjabloon" + }, + "time_pattern": { + "hours": "Uren", + "label": "Tijdspatroon", + "minutes": "Minuten", + "seconds": "Seconden" + }, + "time": { + "at": "Om", + "label": "Tijd" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook ID" + }, + "zone": { + "enter": "Betreden", + "entity": "Entiteit met locatie", + "event": "Gebeurtenis:", + "label": "Zone", + "leave": "Verlaten", + "zone": "Zone" + } + }, + "unsupported_platform": "Niet ondersteund platform: {platform}" + }, + "unsaved_confirm": "Je hebt niet-opgeslagen wijzigingen. Weet je zeker dat je wilt afsluiten?" + }, + "picker": { + "add_automation": "Automatisering toevoegen", + "header": "Automatiseringsbewerker", + "introduction": "Met de automatiseringsbewerker kun je automatiseringen maken en bewerken. Volg de link hieronder om er zeker van te zijn dat je Home Assistant juist hebt geconfigureerd.", + "learn_more": "Meer informatie over automatiseringen", + "no_automations": "We konden geen bewerkbare automatiseringen vinden", + "pick_automation": "Kies te bewerken automatisering" + } + }, + "cloud": { + "account": { + "alexa": { + "config_documentation": "Configuratie documentatie", + "disable": "uitschakelen", + "enable": "inschakelen", + "enable_ha_skill": "Schakel de Home Assistant skill voor Alexa", + "enable_state_reporting": "Statusrapportage inschakelen", + "info": "Met de Alexa integratie voor Home Assistant Cloud kun je al je Home Assistant apparaten bedienen via elk apparaat met Alexa-ondersteuning", + "info_state_reporting": "Als u statusrapportage inschakelt, stuurt Home Assistant alle statuswijzingen van opengestelde entiteiten naar Amazon. Hiermee kunt u altijd de laatste status zien in de Alexa app en kunt u de statuswijzgingen gebruiken om routines te maken.", + "manage_entities": "Entiteiten beheren", + "state_reporting_error": "Kan de rapportstatus niet {aanzetten_uitzetten}", + "sync_entities": "Synchronisatie-entiteiten", + "sync_entities_error": "Kan entiteiten niet synchroniseren:", + "title": "Alexa" + }, + "connected": "Verbonden", + "connection_status": "Cloud verbindingsstatus", + "fetching_subscription": "Abonnement ophalen...", + "google": { + "config_documentation": "Configuratie documentatie", + "devices_pin": "Beveiligingsapparaten Pin", + "enable_ha_skill": "Activeer Home Assistant voor Google Assistant", + "enable_state_reporting": "Statusrapportage inschakelen", + "enter_pin_error": "Kan pincode niet opslaan:", + "enter_pin_hint": "Voer een pincode in om beveiligingsapparaten te gebruiken", + "enter_pin_info": "Voer een pincode in om te communiceren met beveiligingsapparaten. Beveiligingsapparaten zijn deuren, garagedeuren en sloten. U wordt gevraagd om deze pincode uit te spreken of in te voeren bij interactie met dergelijke apparaten via Google Assistant.", + "info": "Met de Google Assistant integratie voor Home Assistant Cloud kun je al je Home Assistant apparaten bedienen via elk apparaat waarop Google Assistant is ingeschakeld.", + "info_state_reporting": "Als u statusrapportage inschakelt, stuurt Home Assistant alle statuswijzigingen van blootgestelde entiteiten naar Google. Hierdoor kunt u altijd de meest actuele statussen in de Google-app zien.", + "manage_entities": "Entiteiten beheren", + "security_devices": "Beveiligingsapparaten", + "sync_entities": "Synchroniseer entiteiten met Google", + "title": "Google Assistant" + }, + "integrations": "Integraties", + "integrations_introduction": "Met integraties voor Home Assistant Cloud kunt u verbinding maken met services in de cloud zonder dat u uw Home Assistant-instantie openbaar hoeft te maken op internet.", + "integrations_introduction2": "Kijk op de website voor", + "integrations_link_all_features": "alle beschikbare functies", + "manage_account": "Beheer account", + "nabu_casa_account": "Nabu Casa-account", + "not_connected": "Niet verbonden", + "remote": { + "access_is_being_prepared": "Toegang op afstand wordt voorbereid. We zullen u op de hoogte brengen wanneer het klaar is.", + "certificate_info": "Certificaatinfo", + "info": "Home Assistant Cloud biedt een veilige externe verbinding met uw exemplaar terwijl u niet thuis bent.", + "instance_is_available": "Uw exemplaar is beschikbaar op", + "instance_will_be_available": "Uw exemplaar zal beschikbaar zijn op", + "link_learn_how_it_works": "Leer hoe het werkt", + "title": "Afstand Bediening" + }, + "sign_out": "Afmelden", + "thank_you_note": "Bedankt voor uw deelname aan Home Assistant Cloud. Het is vanwege mensen zoals u dat we een geweldige domotica-ervaring voor iedereen kunnen maken. Dank je!", + "webhooks": { + "disable_hook_error_msg": "Kan webhook niet uitschakelen:", + "info": "Alles dat is geconfigureerd om door een webhook te worden geactiveerd, kan een openbaar toegankelijke URL krijgen zodat u gegevens overal naar Home Assistant kunt terugsturen, zonder uw exemplaar aan internet bloot te stellen.", + "link_learn_more": "Meer informatie over het maken van door webhook aangedreven automatiseringen.", + "loading": "Laden ...", + "manage": "Beheer", + "no_hooks_yet": "Het lijkt erop dat je nog geen webhooks hebt. Ga aan de slag door het configureren van een ", + "no_hooks_yet_link_automation": "webhook automatisering", + "no_hooks_yet_link_integration": "webhook gebaseerde integratie", + "no_hooks_yet2": " of door het maken van een ", + "title": "Webhooks" + } + }, + "alexa": { + "banner": "Het bewerken van de entiteiten die via deze UI worden blootgesteld, is uitgeschakeld omdat u geconfigureerde entiteitenfilters hebt in configuration.yaml.", + "expose": "Blootstellen aan Alexa", + "exposed_entities": "Blootgestelde entiteiten", + "not_exposed_entities": "Niet blootgestelde entiteiten", + "title": "Alexa" + }, + "caption": "Home Assistent Cloud", + "description_features": "Bestuur weg van huis, verbind met Alexa en Google Assistant.", + "description_login": "Ingelogd als {email}", + "description_not_login": "Niet ingelogd", + "dialog_certificate": { + "certificate_expiration_date": "Vervaldatum certificaat", + "certificate_information": "Certificaatinfo", + "close": "Sluiten", + "fingerprint": "Certificaat vingerafdruk:", + "will_be_auto_renewed": "Wordt automatisch vernieuwd" + }, + "dialog_cloudhook": { + "available_at": "De webhook is beschikbaar op de volgende URL:", + "close": "Sluiten", + "confirm_disable": "Weet u zeker dat u deze Webhook wilt uitschakelen?", + "copied_to_clipboard": "Gekopieerd naar het klembord", + "info_disable_webhook": "Als je deze webhook niet langer wilt gebruiken, kun je het", + "link_disable_webhook": "uitschakelen", + "managed_by_integration": "Deze webhook wordt beheerd door een integratie en kan niet worden uitgeschakeld.", + "view_documentation": "Bekijk documentatie", + "webhook_for": "Webhook voor {name}" + }, + "forgot_password": { + "check_your_email": "Controleer uw e-mail voor instructies voor het resetten van uw wachtwoord.", + "email": "E-mail", + "email_error_msg": "Ongeldig e-mail", + "instructions": "Voer je e-mailadres in en wij sturen je een link om je wachtwoord opnieuw in te stellen.", + "send_reset_email": "Reset e-mail verzenden", + "subtitle": "Wachtwoord vergeten", + "title": "Wachtwoord vergeten" + }, + "google": { + "banner": "Het bewerken van de entiteiten die via deze UI worden blootgesteld, is uitgeschakeld omdat u geconfigureerde entiteitenfilters hebt in configuration.yaml.", + "disable_2FA": "Schakel tweestapsverificatie uit", + "expose": "Blootstellen aan Google Assistant", + "exposed_entities": "Blootgestelde entiteiten", + "not_exposed_entities": "Niet blootgestelde entiteiten", + "sync_to_google": "Wijzigingen synchroniseren met Google.", + "title": "Google Assistant" + }, + "login": { + "alert_email_confirm_necessary": "Je moet je e-mailadres bevestigen voordat je inlogt.", + "alert_password_change_required": "Je moet je wachtwoord wijzigen voordat je je aanmeldt.", + "dismiss": "Sluiten", + "email": "E-mail", + "email_error_msg": "Ongeldig e-mailadres", + "forgot_password": "Wachtwoord vergeten?", + "introduction": "Home Assistant Cloud biedt u een veilige externe verbinding met uw Home Assistant terwijl u niet thuis bent. Hiermee kunt u ook verbinding maken met cloudservices: Amazon, Alexa en Google Assistant.", + "introduction2": "Deze service wordt uitgevoerd door onze partner ", + "introduction2a": ", een bedrijf dat is opgericht door de oprichters van Home Assistent en Hass.io.", + "introduction3": "Home Assistant Cloud is een abonnementsdienst met een gratis proefperiode van een maand. Geen betalingsinformatie nodig.", + "learn_more_link": "Meer informatie over Home Assistant Cloud", + "password": "Wachtwoord", + "password_error_msg": "Wachtwoorden moeten uit ten minste 8 tekens bestaan", + "sign_in": "Aanmelden", + "start_trial": "Start je gratis proefperiode van 1 maand", + "title": "Cloud aanmelding", + "trial_info": "Geen betalingsinformatie nodig" + }, + "register": { + "account_created": "Account is aangemaakt! Controleer uw e-mailadres voor instructies over het activeren van uw account.", + "create_account": "Account aanmaken", + "email_address": "E-mailadres", + "email_error_msg": "Ongeldig e-mailadres", + "feature_amazon_alexa": "Integratie met Amazon Alexa", + "feature_google_home": "Integratie met Google Assistent", + "feature_remote_control": "Beheer van Home Assistant van buitenaf", + "feature_webhook_apps": "Eenvoudige integratie met webhook gebaseerde apps zoals OwnTracks", + "headline": "Start uw gratis proefperiode", + "information": "Maak een account om uw gratis proefperiode van een maand te starten met Home Assistant Cloud. Geen betalingsinformatie nodig.", + "information2": "De proefversie geeft u toegang tot alle voordelen van Home Assistant Cloud, waaronder:", + "information3": "Deze service wordt uitgevoerd door onze partner", + "information3a": ", een bedrijf dat is opgericht door de oprichters van Home Assistant en Hass.io.", + "information4": "Door het registreren van het account gaat u akkoord met de volgende voorwaarden.", + "link_privacy_policy": "Privacybeleid", + "link_terms_conditions": "Algemene voorwaarden", + "password": "Wachtwoord", + "password_error_msg": "Wachtwoorden moeten uit ten minste 8 tekens bestaan", + "resend_confirm_email": "Bevestigingsmail opnieuw verzenden", + "start_trial": "Start proefperiode", + "title": "Account aanmaken" + } + }, + "common": { + "editor": { + "confirm_unsaved": "Je hebt niet-opgeslagen wijzigingen. Weet je zeker dat je wilt afsluiten?" + } + }, "core": { "caption": "Algemeen", "description": "Wijzig je algemene Home Assistant-configuratie", "section": { "core": { - "header": "Algemene Configuratie", - "introduction": "Het aanpassen van je configuratie kan een moeizaam proces zijn. Dat weten we. Dit onderdeel probeert je het leven iets makkelijker te maken.", "core_config": { "edit_requires_storage": "Editor uitgeschakeld omdat de configuratie is opgeslagen in configuration.yaml", - "location_name": "Naam van Home Assistant installatie", - "latitude": "Breedtegraad", - "longitude": "Lengtegraad", "elevation": "Hoogte", "elevation_meters": "meter", + "imperial_example": "Fahrenheit, ponden", + "latitude": "Breedtegraad", + "location_name": "Naam van Home Assistant installatie", + "longitude": "Lengtegraad", + "metric_example": "Celsius, kilogram", + "save_button": "Opslaan", "time_zone": "Tijdzone", "unit_system": "Maatsysteem", "unit_system_imperial": "Imperiaal", - "unit_system_metric": "Metrisch", - "imperial_example": "Fahrenheit, ponden", - "metric_example": "Celsius, kilogram", - "save_button": "Opslaan" - } + "unit_system_metric": "Metrisch" + }, + "header": "Algemene Configuratie", + "introduction": "Het aanpassen van je configuratie kan een moeizaam proces zijn. Dat weten we. Dit onderdeel probeert je het leven iets makkelijker te maken." }, "server_control": { - "validation": { - "heading": "Valideer configuratie", - "introduction": "Controleer je configuratie als je onlangs wijzigingen hebt aangebracht en zeker wilt weten dat ze geldig zijn", - "check_config": "Controleer configuratie", - "valid": "Geldige configuratie!", - "invalid": "Ongeldige configuratie" - }, "reloading": { - "heading": "Configuratie herladen", - "introduction": "Sommige delen van Home Assistant kunnen opnieuw worden geladen zonder dat een herstart vereist is. Als je herladen gebruikt, wordt de huidige configuratie leeggemaakt en wordt de nieuwe geladen.", + "automation": "Herlaad automatiseringen", "core": "Herlaad kern", "group": "Herlaad groepen", - "automation": "Herlaad automatiseringen", + "heading": "Configuratie herladen", + "introduction": "Sommige delen van Home Assistant kunnen opnieuw worden geladen zonder dat een herstart vereist is. Als je herladen gebruikt, wordt de huidige configuratie leeggemaakt en wordt de nieuwe geladen.", "script": "Herlaad scripts" }, "server_management": { @@ -475,6 +1092,13 @@ "introduction": "Beheer je Home Assistant-server ... vanuit Home Assistant.", "restart": "Herstarten", "stop": "Stop" + }, + "validation": { + "check_config": "Controleer configuratie", + "heading": "Valideer configuratie", + "introduction": "Controleer je configuratie als je onlangs wijzigingen hebt aangebracht en zeker wilt weten dat ze geldig zijn", + "invalid": "Ongeldige configuratie", + "valid": "Geldige configuratie!" } } } @@ -487,536 +1111,223 @@ "introduction": "Pas attributen per entiteit aan. Toegevoegde\/gewijzigde aanpassingen worden onmiddellijk van kracht. Verwijderde aanpassingen worden van kracht wanneer de entiteit wordt bijgewerkt." } }, - "automation": { - "caption": "Automatisering", - "description": "Het maken en bewerken van automatiseringen", - "picker": { - "header": "Automatiseringsbewerker", - "introduction": "Met de automatiseringsbewerker kun je automatiseringen maken en bewerken. Volg de link hieronder om er zeker van te zijn dat je Home Assistant juist hebt geconfigureerd.", - "pick_automation": "Kies te bewerken automatisering", - "no_automations": "We konden geen bewerkbare automatiseringen vinden", - "add_automation": "Automatisering toevoegen", - "learn_more": "Meer informatie over automatiseringen" - }, - "editor": { - "introduction": "Gebruik automatiseringen om je huis tot leven te brengen.", - "default_name": "Nieuwe automatisering", - "save": "Opslaan", - "unsaved_confirm": "Je hebt niet-opgeslagen wijzigingen. Weet je zeker dat je wilt afsluiten?", - "alias": "Naam", - "triggers": { - "header": "", - "introduction": "Triggers starten de verwerking van een automatiseringsregel. Het is mogelijk om meerdere triggers voor dezelfde regel op te geven. Zodra een trigger start, valideert Home Assistant de eventuele voorwaarden en roept hij de actie aan.", - "add": "Trigger toevoegen", - "duplicate": "Dupliceren", - "delete": "Verwijderen", - "delete_confirm": "Zeker dat je wil verwijderen?", - "unsupported_platform": "Niet ondersteund platform: {platform}", - "type_select": "Trigger-type", - "type": { - "event": { - "label": "Gebeurtenis", - "event_type": "Gebeurtenistype", - "event_data": "Gebeurtenisdata" - }, - "state": { - "label": "Staat", - "from": "Van", - "to": "Naar", - "for": "Voor" - }, - "homeassistant": { - "label": "", - "event": "Gebeurtenis:", - "start": "Opstarten", - "shutdown": "Afsluiten" - }, - "mqtt": { - "label": "", - "topic": "Onderwerp", - "payload": "Payload (optioneel)" - }, - "numeric_state": { - "label": "Numerieke staat", - "above": "Boven", - "below": "Onder", - "value_template": "Waardesjabloon (optioneel)" - }, - "sun": { - "label": "Zon", - "event": "Gebeurtenis:", - "sunrise": "Zonsopkomst", - "sunset": "Zonsondergang", - "offset": "Offset (optioneel)" - }, - "template": { - "label": "Sjabloon", - "value_template": "Waardesjabloon" - }, - "time": { - "label": "Tijd", - "at": "Om" - }, - "zone": { - "label": "Zone", - "entity": "Entiteit met locatie", - "zone": "Zone", - "event": "Gebeurtenis:", - "enter": "Betreden", - "leave": "Verlaten" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook ID" - }, - "time_pattern": { - "label": "Tijdspatroon", - "hours": "Uren", - "minutes": "Minuten", - "seconds": "Seconden" - }, - "geo_location": { - "label": "Geolocatie", - "source": "Bron", - "zone": "Zone", - "event": "Gebeurtenis:", - "enter": "Invoeren", - "leave": "Verlaten" - }, - "device": { - "label": "Apparaat", - "extra_fields": { - "above": "Boven", - "below": "Onder", - "for": "Duur" - } - } - }, - "learn_more": "Meer informatie over triggers" + "devices": { + "automation": { + "actions": { + "caption": "Wanneer iets wordt getriggerd..." }, "conditions": { - "header": "Voorwaarden", - "introduction": "Voorwaarden zijn een optioneel onderdeel van een automatiseringsregel en kunnen worden gebruikt om te voorkomen dat een actie plaatsvindt wanneer deze wordt geactiveerd. Voorwaarden lijken erg op triggers, maar zijn verschillend. Een trigger zal kijken naar gebeurtenissen die in het systeem plaatsvinden, terwijl een voorwaarde alleen kijkt naar hoe het systeem er op dit moment uitziet. Een trigger kan waarnemen dat een schakelaar wordt ingeschakeld. Een voorwaarde kan alleen zien of een schakelaar aan of uit staat.", - "add": "Voorwaarde toevoegen", - "duplicate": "Dupliceren", - "delete": "Verwijderen", - "delete_confirm": "Zeker weten dat je wilt verwijderen?", - "unsupported_condition": "Niet ondersteunde voorwaarde: {condition}", - "type_select": "Type voorwaarde", - "type": { - "state": { - "label": "Staat", - "state": "Staat" - }, - "numeric_state": { - "label": "Numerieke staat", - "above": "Boven", - "below": "Onder", - "value_template": "Waardetemplate (optioneel)" - }, - "sun": { - "label": "Zon", - "before": "Voor:", - "after": "Na:", - "before_offset": "Voor offset (optioneel)", - "after_offset": "Na offset (optioneel)", - "sunrise": "Zonsopkomst", - "sunset": "Zonsondergang" - }, - "template": { - "label": "Sjabloon", - "value_template": "Waardesjabloon" - }, - "time": { - "label": "Tijd", - "after": "Nadat", - "before": "Voordat" - }, - "zone": { - "label": "Zone", - "entity": "Entiteit met locatie", - "zone": "Zone" - }, - "device": { - "label": "Apparaat", - "extra_fields": { - "above": "Boven", - "below": "Onder", - "for": "Duur" - } - }, - "and": { - "label": "En" - }, - "or": { - "label": "Of" - } - }, - "learn_more": "Meer informatie over condities" + "caption": "Doe alleen iets als..." }, - "actions": { - "header": "Acties", - "introduction": "De acties zijn wat Home Assistant zal doen wanneer de automatisering wordt geactiveerd.", - "add": "Actie toevoegen", - "duplicate": "Dupliceer", - "delete": "Verwijderen", - "delete_confirm": "Wil je dit echt verwijderen?", - "unsupported_action": "Niet-ondersteunde actie: {action}", - "type_select": "Type actie", - "type": { - "service": { - "label": "Service aanroepen", - "service_data": "Service data" - }, - "delay": { - "label": "Vertraging", - "delay": "Vertraging" - }, - "wait_template": { - "label": "Wacht", - "wait_template": "Wachtsjabloon", - "timeout": "Timeout (optioneel)" - }, - "condition": { - "label": "Voorwaarde" - }, - "event": { - "label": "Gebeurtenis uitvoeren", - "event": "Gebeurtenis:", - "service_data": "Service data" - }, - "device_id": { - "label": "Apparaat", - "extra_fields": { - "code": "Code" - } - }, - "scene": { - "label": "Activeer scène" - } - }, - "learn_more": "Meer informatie over acties" - }, - "load_error_not_editable": "Alleen automatiseringen in automations.yaml kunnen worden bewerkt.", - "load_error_unknown": "Fout bij laden van automatisering ({err_no}).", - "description": { - "label": "Beschrijving", - "placeholder": "Optionele beschrijving" + "triggers": { + "caption": "Doe iets wanneer..." } + }, + "caption": "Apparaten", + "description": "Beheer verbonden apparaten" + }, + "entity_registry": { + "caption": "Entiteitenregister", + "description": "Overzicht van alle geregistreerde entiteiten", + "editor": { + "confirm_delete": "Weet u zeker dat u dit item wilt verwijderen?", + "confirm_delete2": "Als u een item verwijdert, wordt de entiteit niet uit Home Assistant verwijderd. Om dit te doen, moet u de integratie '{platform}' uit Home Assistant verwijderen.", + "default_name": "Nieuw Gebied", + "delete": "VERWIJDEREN", + "enabled_cause": "Uitgeschakeld vanwege {cause}", + "enabled_description": "Uitgeschakelde entiteiten zullen niet aan Home Assistant worden toegevoegd", + "enabled_label": "Schakel entiteit in", + "unavailable": "Deze entiteit is momenteel niet beschikbaar.", + "update": "BIJWERKEN" + }, + "picker": { + "header": "Entiteitenregister", + "headers": { + "enabled": "Ingeschakeld", + "entity_id": "Entiteits-ID", + "integration": "Integratie", + "name": "Naam" + }, + "integrations_page": "Integratiespagina", + "introduction": "Home Assistant houdt een register bij van elke entiteit die het ooit heeft gezien en die uniek kan worden geïdentificeerd. Elk van deze entiteiten krijgt een entiteit-ID toegewezen die alleen voor deze entiteit wordt gereserveerd.", + "introduction2": "Gebruik het entiteitenregister om de naam te overschrijven, de entiteits-ID te wijzigen of het item te verwijderen uit Home Assistant. Opmerking: als u de entiteitsregistervermelding verwijdert, wordt de entiteit niet verwijderd. Hiertoe volgt u de onderstaande koppeling en verwijdert u deze van de integratiespagina.", + "show_disabled": "Uitgeschakelde entiteiten weergeven", + "unavailable": "(niet beschikbaar)" } }, + "header": "Configureer Home Assistant", + "integrations": { + "caption": "Integraties", + "config_entry": { + "area": "In {area}", + "delete_button": "Verwijder {integratie}.", + "delete_confirm": "Weet je zeker dat je deze integratie wilt verwijderen?", + "device_unavailable": "apparaat niet beschikbaar", + "entity_unavailable": "entiteit niet beschikbaar", + "firmware": "Firmware: {version}", + "hub": "Verbonden via", + "manuf": "door {manufacturer}", + "no_area": "Geen Gebied", + "no_device": "Entiteiten zonder apparaten", + "no_devices": "Deze integratie heeft geen apparaten.", + "restart_confirm": "Herstart Home Assistant om het verwijderen van deze integratie te voltooien", + "settings_button": "Instellingen bewerken voor {integration}", + "system_options_button": "Systeeminstellingen voor {integratie}", + "via": "Verbonden via" + }, + "config_flow": { + "created_config": "Configuratie gemaakt voor {name}.", + "external_step": { + "description": "Deze stap vereist dat je een externe website bezoekt om dit te voltooien.", + "open_site": "Open website" + }, + "name_new_area": "Naam van het nieuwe gebied?" + }, + "configure": "Configureer", + "configured": "Geconfigureerd", + "description": "Beheer en installeer integraties", + "discovered": "Ontdekt", + "home_assistant_website": "Home Assistant-website", + "new": "Stel een nieuwe integratie in", + "none": "Er is nog niets geconfigureerd", + "note_about_integrations": "Nog niet alle integraties kunnen via de UI worden geconfigureerd.", + "note_about_website_reference": "Meer zijn beschikbaar op de" + }, + "introduction": "Hier kun je je componenten en Home Assistant configureren. Het is nog niet mogelijk om alles te configureren vanuit de interface, maar we werken er aan.", + "person": { + "add_person": "Persoon toevoegen", + "caption": "Personen", + "confirm_delete": "Weet je zeker dat je deze persoon wilt verwijderen?", + "confirm_delete2": "Alle apparaten die behoren tot deze persoon zullen worden ontkoppeld.", + "create_person": "Persoon aanmaken", + "description": "Beheer de personen die Home Assistant volgt.", + "detail": { + "create": "Aanmaken", + "delete": "Verwijderen", + "device_tracker_intro": "Selecteer de apparaten die bij deze persoon horen.", + "device_tracker_pick": "Kies apparaat om te volgen", + "device_tracker_picked": "Volg apparaat", + "link_integrations_page": "Integratiespagina", + "link_presence_detection_integrations": "Aanwezigheidsdetectie-integraties", + "linked_user": "Gekoppelde gebruiker", + "name": "Naam", + "name_error_msg": "Naam is vereist", + "new_person": "Nieuw persoon", + "no_device_tracker_available_intro": "Wanneer u apparaten hebt die de aanwezigheid van een persoon detecteren, kunt u deze aan een persoon toewijzen. U kunt uw eerste apparaat toevoegen door een integratie voor aanwezigheidsdetectie toe te voegen vanaf de integratiepagina.", + "update": "Bijwerken" + }, + "introduction": "Hier kunt u personen toevoegen die gebruik maken van Home Assistant.", + "no_persons_created_yet": "Het lijkt erop dat je nog geen personen hebt aangemaakt.", + "note_about_persons_configured_in_yaml": "Opmerking: personen die zijn geconfigureerd via configuration.yaml kunnen niet worden bewerkt via de UI." + }, "script": { "caption": "Script", "description": "Maak en bewerk scripts", + "editor": { + "default_name": "Nieuw script", + "delete_confirm": "Weet je zeker dat je dit script wilt verwijderen?", + "header": "Script: {name}", + "load_error_not_editable": "Alleen scripts in scripts.yaml kunnen worden bewerkt." + }, "picker": { + "add_script": "Script toevoegen", "header": "Script Editor", "introduction": "Met de editor kunt u scripts maken en bewerken. Volg de onderstaande link om de instructies te lezen om ervoor te zorgen dat u Home Assistant correct hebt geconfigureerd.", "learn_more": "Meer informatie over scripts", - "no_scripts": "We hebben geen bewerkbare scrips gevonden", - "add_script": "Script toevoegen" - }, - "editor": { - "header": "Script: {name}", - "default_name": "Nieuw script", - "load_error_not_editable": "Alleen scripts in scripts.yaml kunnen worden bewerkt.", - "delete_confirm": "Weet je zeker dat je dit script wilt verwijderen?" + "no_scripts": "We hebben geen bewerkbare scrips gevonden" } }, - "zwave": { - "caption": "Z-Wave", - "description": "Beheer je Z-Wave-netwerk", - "network_management": { - "header": "Z-Wave netwerkbeheer", - "introduction": "Voer opdrachten uit die van invloed zijn op het Z-Wave-netwerk. Je krijgt geen terugkoppeling of de meeste commando's gelukt zijn, maar je kunt wel het OZW Logboek raadplegen om te proberen uit te vinden of het gelukt is." - }, - "network_status": { - "network_stopped": "Z-Wave netwerk gestopt", - "network_starting": "Z-Wave netwerk starten...", - "network_starting_note": "Dit kan een tijdje duren, afhankelijk van de grootte van je netwerk.", - "network_started": "Z-Wave netwerk gestart", - "network_started_note_some_queried": "Alle actieve nodes zijn opgevraagd. Inactieve nodes worden opgevraagd wanneer ze actief worden.", - "network_started_note_all_queried": "Alle nodes zijn opgevraagd." - }, - "services": { - "start_network": "Start netwerk", - "stop_network": "Stop Netwerk", - "heal_network": "Herstel Netwerk", - "test_network": "Test Netwerk", - "soft_reset": "Soft Reset", - "save_config": "Configuratie Opslaan", - "add_node_secure": "Secure Node toevoegen", - "add_node": "Node toevoegen", - "remove_node": "Node verwijderen", - "cancel_command": "Opdracht annuleren" - }, - "common": { - "value": "Waarde", - "instance": "Exemplaar", - "index": "Index", - "unknown": "onbekend", - "wakeup_interval": "Activeringsinterval" - }, - "values": { - "header": "Knooppunt waarden" - }, - "node_config": { - "header": "Node Configuratie Opties", - "seconds": "Seconden", - "set_wakeup": "Activeringsinterval instellen", - "config_parameter": "Configuratie Parameter", - "config_value": "Configuratie Waarde", - "true": "Waar", - "false": "Niet waar", - "set_config_parameter": "Stel de configuratieparameter in" - }, - "learn_more": "Meer informatie over Z-Wave", - "ozw_log": { - "header": "OZW-logboek", - "introduction": "Bekijk het logboek. 0 is het minimum (laadt het gehele logboek) en 1000 is het maximum. Laad toont een statisch logboek en staart wordt automatisch bijgewerkt met het laatst opgegeven aantal regels van het logboek." + "server_control": { + "caption": "Serverbeheer", + "description": "De Home Assistant-server opnieuw opstarten en stoppen", + "section": { + "reloading": { + "automation": "Herlaad automatiseringen", + "core": "Herlaad kern", + "group": "Herlaad groepen", + "heading": "Configuratie herladen", + "introduction": "Sommige delen van Home Assistant kunnen opnieuw worden geladen zonder dat een herstart vereist is. Als je herladen gebruikt, wordt de huidige configuratie leeggemaakt en wordt de nieuwe geladen.", + "scene": "Herlaad scenes", + "script": "Herlaad scripts" + }, + "server_management": { + "confirm_restart": "Weet je zeker dat je Home Assistant opnieuw wilt starten?", + "confirm_stop": "Weet je zeker dat je Home Assistant wilt afsluiten?", + "heading": "Serverbeheer", + "introduction": "Beheer je Home Assistant-server... vanuit Home Assistant.", + "restart": "Herstarten", + "stop": "Stop" + }, + "validation": { + "check_config": "Controleer configuratie", + "heading": "Valideer configuratie", + "introduction": "Controleer je configuratie als je onlangs wijzigingen hebt aangebracht en zeker wilt weten dat ze geldig zijn", + "invalid": "Ongeldige configuratie", + "valid": "Geldige configuratie!" + } } }, "users": { + "add_user": { + "caption": "Gebruiker toevoegen", + "create": "Maken", + "name": "Naam", + "password": "Wachtwoord", + "username": "Gebruikersnaam" + }, "caption": "Gebruikers", "description": "Gebruikers beheren", - "picker": { - "title": "Gebruikers", - "system_generated": "Gemaakt door het systeem" - }, "editor": { - "rename_user": "Naam wijzigen", - "change_password": "Wachtwoord wijzigen", "activate_user": "Activeer gebruiker", + "active": "Actief", + "caption": "Bekijk gebruiker", + "change_password": "Wachtwoord wijzigen", + "confirm_user_deletion": "Weet je zeker dat je {name} wilt verwijderen?", "deactivate_user": "Deactiveer gebruiker", "delete_user": "Verwijder gebruiker", - "caption": "Bekijk gebruiker", + "enter_new_name": "Voer een nieuwe naam in", + "group": "Groep", + "group_update_failed": "Groepsupdate mislukt:", "id": "ID", "owner": "Eigenaar", - "group": "Groep", - "active": "Actief", + "rename_user": "Naam wijzigen", "system_generated": "Gegenereerd door systeem", "system_generated_users_not_removable": "Kan door het systeem gegenereerde gebruikers niet verwijderen.", "unnamed_user": "Naamloze gebruiker", - "enter_new_name": "Voer een nieuwe naam in", - "user_rename_failed": "Hernoemen gebruiker mislukt:", - "group_update_failed": "Groepsupdate mislukt:", - "confirm_user_deletion": "Weet je zeker dat je {name} wilt verwijderen?" + "user_rename_failed": "Hernoemen gebruiker mislukt:" }, - "add_user": { - "caption": "Gebruiker toevoegen", - "name": "Naam", - "username": "Gebruikersnaam", - "password": "Wachtwoord", - "create": "Maken" + "picker": { + "system_generated": "Gemaakt door het systeem", + "title": "Gebruikers" } }, - "cloud": { - "caption": "Home Assistent Cloud", - "description_login": "Ingelogd als {email}", - "description_not_login": "Niet ingelogd", - "description_features": "Bestuur weg van huis, verbind met Alexa en Google Assistant.", - "login": { - "title": "Cloud aanmelding", - "introduction": "Home Assistant Cloud biedt u een veilige externe verbinding met uw Home Assistant terwijl u niet thuis bent. Hiermee kunt u ook verbinding maken met cloudservices: Amazon, Alexa en Google Assistant.", - "introduction2": "Deze service wordt uitgevoerd door onze partner ", - "introduction2a": ", een bedrijf dat is opgericht door de oprichters van Home Assistent en Hass.io.", - "introduction3": "Home Assistant Cloud is een abonnementsdienst met een gratis proefperiode van een maand. Geen betalingsinformatie nodig.", - "learn_more_link": "Meer informatie over Home Assistant Cloud", - "dismiss": "Sluiten", - "sign_in": "Aanmelden", - "email": "E-mail", - "email_error_msg": "Ongeldig e-mailadres", - "password": "Wachtwoord", - "password_error_msg": "Wachtwoorden moeten uit ten minste 8 tekens bestaan", - "forgot_password": "Wachtwoord vergeten?", - "start_trial": "Start je gratis proefperiode van 1 maand", - "trial_info": "Geen betalingsinformatie nodig", - "alert_password_change_required": "Je moet je wachtwoord wijzigen voordat je je aanmeldt.", - "alert_email_confirm_necessary": "Je moet je e-mailadres bevestigen voordat je inlogt." - }, - "forgot_password": { - "title": "Wachtwoord vergeten", - "subtitle": "Wachtwoord vergeten", - "instructions": "Voer je e-mailadres in en wij sturen je een link om je wachtwoord opnieuw in te stellen.", - "email": "E-mail", - "email_error_msg": "Ongeldig e-mail", - "send_reset_email": "Reset e-mail verzenden", - "check_your_email": "Controleer uw e-mail voor instructies voor het resetten van uw wachtwoord." - }, - "register": { - "title": "Account aanmaken", - "headline": "Start uw gratis proefperiode", - "information": "Maak een account om uw gratis proefperiode van een maand te starten met Home Assistant Cloud. Geen betalingsinformatie nodig.", - "information2": "De proefversie geeft u toegang tot alle voordelen van Home Assistant Cloud, waaronder:", - "feature_remote_control": "Beheer van Home Assistant van buitenaf", - "feature_google_home": "Integratie met Google Assistent", - "feature_amazon_alexa": "Integratie met Amazon Alexa", - "feature_webhook_apps": "Eenvoudige integratie met webhook gebaseerde apps zoals OwnTracks", - "information3": "Deze service wordt uitgevoerd door onze partner", - "information3a": ", een bedrijf dat is opgericht door de oprichters van Home Assistant en Hass.io.", - "information4": "Door het registreren van het account gaat u akkoord met de volgende voorwaarden.", - "link_terms_conditions": "Algemene voorwaarden", - "link_privacy_policy": "Privacybeleid", - "create_account": "Account aanmaken", - "email_address": "E-mailadres", - "email_error_msg": "Ongeldig e-mailadres", - "password": "Wachtwoord", - "password_error_msg": "Wachtwoorden moeten uit ten minste 8 tekens bestaan", - "start_trial": "Start proefperiode", - "resend_confirm_email": "Bevestigingsmail opnieuw verzenden", - "account_created": "Account is aangemaakt! Controleer uw e-mailadres voor instructies over het activeren van uw account." - }, - "account": { - "thank_you_note": "Bedankt voor uw deelname aan Home Assistant Cloud. Het is vanwege mensen zoals u dat we een geweldige domotica-ervaring voor iedereen kunnen maken. Dank je!", - "nabu_casa_account": "Nabu Casa-account", - "connection_status": "Cloud verbindingsstatus", - "manage_account": "Beheer account", - "sign_out": "Afmelden", - "integrations": "Integraties", - "integrations_introduction": "Met integraties voor Home Assistant Cloud kunt u verbinding maken met services in de cloud zonder dat u uw Home Assistant-instantie openbaar hoeft te maken op internet.", - "integrations_introduction2": "Kijk op de website voor", - "integrations_link_all_features": "alle beschikbare functies", - "connected": "Verbonden", - "not_connected": "Niet verbonden", - "fetching_subscription": "Abonnement ophalen...", - "remote": { - "title": "Afstand Bediening", - "access_is_being_prepared": "Toegang op afstand wordt voorbereid. We zullen u op de hoogte brengen wanneer het klaar is.", - "info": "Home Assistant Cloud biedt een veilige externe verbinding met uw exemplaar terwijl u niet thuis bent.", - "instance_is_available": "Uw exemplaar is beschikbaar op", - "instance_will_be_available": "Uw exemplaar zal beschikbaar zijn op", - "link_learn_how_it_works": "Leer hoe het werkt", - "certificate_info": "Certificaatinfo" - }, - "alexa": { - "title": "Alexa", - "info": "Met de Alexa integratie voor Home Assistant Cloud kun je al je Home Assistant apparaten bedienen via elk apparaat met Alexa-ondersteuning", - "enable_ha_skill": "Schakel de Home Assistant skill voor Alexa", - "config_documentation": "Configuratie documentatie", - "enable_state_reporting": "Statusrapportage inschakelen", - "info_state_reporting": "Als u statusrapportage inschakelt, stuurt Home Assistant alle statuswijzingen van opengestelde entiteiten naar Amazon. Hiermee kunt u altijd de laatste status zien in de Alexa app en kunt u de statuswijzgingen gebruiken om routines te maken.", - "sync_entities": "Synchronisatie-entiteiten", - "manage_entities": "Entiteiten beheren", - "sync_entities_error": "Kan entiteiten niet synchroniseren:", - "state_reporting_error": "Kan de rapportstatus niet {aanzetten_uitzetten}", - "enable": "inschakelen", - "disable": "uitschakelen" - }, - "google": { - "title": "Google Assistant", - "info": "Met de Google Assistant integratie voor Home Assistant Cloud kun je al je Home Assistant apparaten bedienen via elk apparaat waarop Google Assistant is ingeschakeld.", - "enable_ha_skill": "Activeer Home Assistant voor Google Assistant", - "config_documentation": "Configuratie documentatie", - "enable_state_reporting": "Statusrapportage inschakelen", - "info_state_reporting": "Als u statusrapportage inschakelt, stuurt Home Assistant alle statuswijzigingen van blootgestelde entiteiten naar Google. Hierdoor kunt u altijd de meest actuele statussen in de Google-app zien.", - "security_devices": "Beveiligingsapparaten", - "enter_pin_info": "Voer een pincode in om te communiceren met beveiligingsapparaten. Beveiligingsapparaten zijn deuren, garagedeuren en sloten. U wordt gevraagd om deze pincode uit te spreken of in te voeren bij interactie met dergelijke apparaten via Google Assistant.", - "devices_pin": "Beveiligingsapparaten Pin", - "enter_pin_hint": "Voer een pincode in om beveiligingsapparaten te gebruiken", - "sync_entities": "Synchroniseer entiteiten met Google", - "manage_entities": "Entiteiten beheren", - "enter_pin_error": "Kan pincode niet opslaan:" - }, - "webhooks": { - "title": "Webhooks", - "info": "Alles dat is geconfigureerd om door een webhook te worden geactiveerd, kan een openbaar toegankelijke URL krijgen zodat u gegevens overal naar Home Assistant kunt terugsturen, zonder uw exemplaar aan internet bloot te stellen.", - "no_hooks_yet": "Het lijkt erop dat je nog geen webhooks hebt. Ga aan de slag door het configureren van een ", - "no_hooks_yet_link_integration": "webhook gebaseerde integratie", - "no_hooks_yet2": " of door het maken van een ", - "no_hooks_yet_link_automation": "webhook automatisering", - "link_learn_more": "Meer informatie over het maken van door webhook aangedreven automatiseringen.", - "loading": "Laden ...", - "manage": "Beheer", - "disable_hook_error_msg": "Kan webhook niet uitschakelen:" - } - }, - "alexa": { - "title": "Alexa", - "banner": "Het bewerken van de entiteiten die via deze UI worden blootgesteld, is uitgeschakeld omdat u geconfigureerde entiteitenfilters hebt in configuration.yaml.", - "exposed_entities": "Blootgestelde entiteiten", - "not_exposed_entities": "Niet blootgestelde entiteiten", - "expose": "Blootstellen aan Alexa" - }, - "dialog_certificate": { - "certificate_information": "Certificaatinfo", - "certificate_expiration_date": "Vervaldatum certificaat", - "will_be_auto_renewed": "Wordt automatisch vernieuwd", - "fingerprint": "Certificaat vingerafdruk:", - "close": "Sluiten" - }, - "google": { - "title": "Google Assistant", - "expose": "Blootstellen aan Google Assistant", - "disable_2FA": "Schakel tweestapsverificatie uit", - "banner": "Het bewerken van de entiteiten die via deze UI worden blootgesteld, is uitgeschakeld omdat u geconfigureerde entiteitenfilters hebt in configuration.yaml.", - "exposed_entities": "Blootgestelde entiteiten", - "not_exposed_entities": "Niet blootgestelde entiteiten", - "sync_to_google": "Wijzigingen synchroniseren met Google." - }, - "dialog_cloudhook": { - "webhook_for": "Webhook voor {name}", - "available_at": "De webhook is beschikbaar op de volgende URL:", - "managed_by_integration": "Deze webhook wordt beheerd door een integratie en kan niet worden uitgeschakeld.", - "info_disable_webhook": "Als je deze webhook niet langer wilt gebruiken, kun je het", - "link_disable_webhook": "uitschakelen", - "view_documentation": "Bekijk documentatie", - "close": "Sluiten", - "confirm_disable": "Weet u zeker dat u deze Webhook wilt uitschakelen?", - "copied_to_clipboard": "Gekopieerd naar het klembord" - } - }, - "integrations": { - "caption": "Integraties", - "description": "Beheer en installeer integraties", - "discovered": "Ontdekt", - "configured": "Geconfigureerd", - "new": "Stel een nieuwe integratie in", - "configure": "Configureer", - "none": "Er is nog niets geconfigureerd", - "config_entry": { - "no_devices": "Deze integratie heeft geen apparaten.", - "no_device": "Entiteiten zonder apparaten", - "delete_confirm": "Weet je zeker dat je deze integratie wilt verwijderen?", - "restart_confirm": "Herstart Home Assistant om het verwijderen van deze integratie te voltooien", - "manuf": "door {manufacturer}", - "via": "Verbonden via", - "firmware": "Firmware: {version}", - "device_unavailable": "apparaat niet beschikbaar", - "entity_unavailable": "entiteit niet beschikbaar", - "no_area": "Geen Gebied", - "hub": "Verbonden via", - "settings_button": "Instellingen bewerken voor {integration}", - "system_options_button": "Systeeminstellingen voor {integratie}", - "delete_button": "Verwijder {integratie}.", - "area": "In {area}" - }, - "config_flow": { - "external_step": { - "description": "Deze stap vereist dat je een externe website bezoekt om dit te voltooien.", - "open_site": "Open website" - } - }, - "note_about_integrations": "Nog niet alle integraties kunnen via de UI worden geconfigureerd.", - "note_about_website_reference": "Meer zijn beschikbaar op de", - "home_assistant_website": "Home Assistant-website" - }, "zha": { - "caption": "ZHA", - "description": "Zigbee Home Automation netwerkbeheer", - "services": { - "reconfigure": "Herconfigureer het ZHA-apparaat (heal device). Gebruik dit als je problemen hebt met het apparaat. Als het een apparaat met batterij is, zorg dan dat het wakker is en commando's accepteert wanneer je deze service gebruikt.", - "updateDeviceName": "Stel een aangepaste naam in voor dit apparaat in het apparaatregister.", - "remove": "Verwijder een apparaat uit het Zigbee-netwerk." - }, - "device_card": { - "device_name_placeholder": "Door gebruiker ingegeven naam", - "area_picker_label": "Gebied", - "update_name_button": "Naam bijwerken" - }, "add_device_page": { - "header": "Zigbee Home Automation - Apparaten toevoegen", - "spinner": "Zoeken naar ZHA Zigbee-apparaten ...", "discovery_text": "Gevonden apparaten worden hier weergegeven. Volg de instructies voor je apparaat of apparaten en plaats het apparaat of de apparaten in de koppelingsmodus.", - "search_again": "Opnieuw zoeken" + "header": "Zigbee Home Automation - Apparaten toevoegen", + "search_again": "Opnieuw zoeken", + "spinner": "Zoeken naar ZHA Zigbee-apparaten ..." + }, + "caption": "ZHA", + "cluster_attributes": { + "attributes_of_cluster": "Attributen van het geselecteerde cluster", + "get_zigbee_attribute": "Haal de Zigbee attribuut op", + "header": "Cluster Attributen", + "help_attribute_dropdown": "Selecteer een attribuut om deze te bekijken of de waarde in te stellen", + "help_get_zigbee_attribute": "Haal de waarde voor de geselecteerde attribuut op", + "help_set_zigbee_attribute": "Stel attribuutwaarde in voor het gespecificeerde cluster op de gespecificeerde entiteit.", + "introduction": "Weergeven en bewerken cluster attributen.", + "set_zigbee_attribute": "Stel Zigbee attribuut in" + }, + "cluster_commands": { + "commands_of_cluster": "Commando's van het geselecteerde cluster", + "header": "Cluster commando's", + "help_command_dropdown": "Selecteer een commando om mee te communiceren.", + "introduction": "Bekijk en geef opdrachten voor clustercommando's.", + "issue_zigbee_command": "Geef Zigbee Command uit" + }, + "clusters": { + "help_cluster_dropdown": "Selecteer een cluster om attributen en commando's te bekijken." }, "common": { "add_devices": "Apparaten toevoegen", @@ -1025,472 +1336,258 @@ "manufacturer_code_override": "Fabrikant Code Override", "value": "Waarde" }, + "description": "Zigbee Home Automation netwerkbeheer", + "device_card": { + "area_picker_label": "Gebied", + "device_name_placeholder": "Door gebruiker ingegeven naam", + "update_name_button": "Naam bijwerken" + }, "network_management": { "header": "Netwerkbeheer", "introduction": "Commando's die het hele netwerk beïnvloeden" }, "node_management": { "header": "Apparaatbeheer", - "introduction": "Voer ZHA-commando's uit die van invloed zijn op een enkel apparaat. Kies een apparaat om een lijst met beschikbare commando's te zien.", + "help_node_dropdown": "Selecteer een apparaat om de opties per apparaat te bekijken.", "hint_battery_devices": "Opmerking: Slappende (op batterij werkende) apparaten moeten wakker zijn wanneer deze apparaten opdrachten moeten uitvoeren. Over het algemeen kunnen slapende apparaten wakker worden gemaakt door deze te activeren.", "hint_wakeup": "Sommige apparaten, zoals Xiaomi-sensoren hebben een wekknop die u met tussenpozen van 5 seconden kunt indrukken om het apparaat wakker te houden terwijl u ermee communiceert", - "help_node_dropdown": "Selecteer een apparaat om de opties per apparaat te bekijken." + "introduction": "Voer ZHA-commando's uit die van invloed zijn op een enkel apparaat. Kies een apparaat om een lijst met beschikbare commando's te zien." }, - "clusters": { - "help_cluster_dropdown": "Selecteer een cluster om attributen en commando's te bekijken." - }, - "cluster_attributes": { - "header": "Cluster Attributen", - "introduction": "Weergeven en bewerken cluster attributen.", - "attributes_of_cluster": "Attributen van het geselecteerde cluster", - "get_zigbee_attribute": "Haal de Zigbee attribuut op", - "set_zigbee_attribute": "Stel Zigbee attribuut in", - "help_attribute_dropdown": "Selecteer een attribuut om deze te bekijken of de waarde in te stellen", - "help_get_zigbee_attribute": "Haal de waarde voor de geselecteerde attribuut op", - "help_set_zigbee_attribute": "Stel attribuutwaarde in voor het gespecificeerde cluster op de gespecificeerde entiteit." - }, - "cluster_commands": { - "header": "Cluster commando's", - "introduction": "Bekijk en geef opdrachten voor clustercommando's.", - "commands_of_cluster": "Commando's van het geselecteerde cluster", - "issue_zigbee_command": "Geef Zigbee Command uit", - "help_command_dropdown": "Selecteer een commando om mee te communiceren." + "services": { + "reconfigure": "Herconfigureer het ZHA-apparaat (heal device). Gebruik dit als je problemen hebt met het apparaat. Als het een apparaat met batterij is, zorg dan dat het wakker is en commando's accepteert wanneer je deze service gebruikt.", + "remove": "Verwijder een apparaat uit het Zigbee-netwerk.", + "updateDeviceName": "Stel een aangepaste naam in voor dit apparaat in het apparaatregister." } }, - "area_registry": { - "caption": "Gebiedenregister", - "description": "Overzicht van alle gebieden in je huis.", - "picker": { - "header": "Gebiedenregister", - "introduction": "Gebieden worden gebruikt om te bepalen waar apparaten zijn. Deze informatie wordt overal in de Home Assistant gebruikt om je te helpen bij het organiseren van je interface, machtigingen en integraties met andere systemen.", - "introduction2": "Als u apparaten in een gebied wilt plaatsen, gebruikt u de onderstaande koppeling om naar de integratiespagina te gaan en vervolgens op een geconfigureerde integratie te klikken om naar de apparaatkaarten te gaan.", - "integrations_page": "Integratiespagina", - "no_areas": "Het lijkt erop dat je nog geen ruimtes hebt!", - "create_area": "MAAK RUIMTE" + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Index", + "instance": "Exemplaar", + "unknown": "onbekend", + "value": "Waarde", + "wakeup_interval": "Activeringsinterval" }, - "no_areas": "Het lijkt erop dat je nog geen gebieden hebt!", - "create_area": "MAAK GEBIED", - "editor": { - "default_name": "Nieuw Gebied", - "delete": "VERWIJDEREN", - "update": "BIJWERKEN", - "create": "MAKEN" - } - }, - "entity_registry": { - "caption": "Entiteitenregister", - "description": "Overzicht van alle geregistreerde entiteiten", - "picker": { - "header": "Entiteitenregister", - "unavailable": "(niet beschikbaar)", - "introduction": "Home Assistant houdt een register bij van elke entiteit die het ooit heeft gezien en die uniek kan worden geïdentificeerd. Elk van deze entiteiten krijgt een entiteit-ID toegewezen die alleen voor deze entiteit wordt gereserveerd.", - "introduction2": "Gebruik het entiteitenregister om de naam te overschrijven, de entiteits-ID te wijzigen of het item te verwijderen uit Home Assistant. Opmerking: als u de entiteitsregistervermelding verwijdert, wordt de entiteit niet verwijderd. Hiertoe volgt u de onderstaande koppeling en verwijdert u deze van de integratiespagina.", - "integrations_page": "Integratiespagina", - "show_disabled": "Uitgeschakelde entiteiten weergeven", - "headers": { - "name": "Naam", - "entity_id": "Entiteits-ID", - "integration": "Integratie", - "enabled": "Ingeschakeld" - } + "description": "Beheer je Z-Wave-netwerk", + "learn_more": "Meer informatie over Z-Wave", + "network_management": { + "header": "Z-Wave netwerkbeheer", + "introduction": "Voer opdrachten uit die van invloed zijn op het Z-Wave-netwerk. Je krijgt geen terugkoppeling of de meeste commando's gelukt zijn, maar je kunt wel het OZW Logboek raadplegen om te proberen uit te vinden of het gelukt is." }, - "editor": { - "unavailable": "Deze entiteit is momenteel niet beschikbaar.", - "default_name": "Nieuw Gebied", - "delete": "VERWIJDEREN", - "update": "BIJWERKEN", - "enabled_label": "Schakel entiteit in", - "enabled_cause": "Uitgeschakeld vanwege {cause}", - "enabled_description": "Uitgeschakelde entiteiten zullen niet aan Home Assistant worden toegevoegd", - "confirm_delete": "Weet u zeker dat u dit item wilt verwijderen?", - "confirm_delete2": "Als u een item verwijdert, wordt de entiteit niet uit Home Assistant verwijderd. Om dit te doen, moet u de integratie '{platform}' uit Home Assistant verwijderen." - } - }, - "person": { - "caption": "Personen", - "description": "Beheer de personen die Home Assistant volgt.", - "detail": { - "name": "Naam", - "device_tracker_intro": "Selecteer de apparaten die bij deze persoon horen.", - "device_tracker_picked": "Volg apparaat", - "device_tracker_pick": "Kies apparaat om te volgen", - "new_person": "Nieuw persoon", - "name_error_msg": "Naam is vereist", - "linked_user": "Gekoppelde gebruiker", - "no_device_tracker_available_intro": "Wanneer u apparaten hebt die de aanwezigheid van een persoon detecteren, kunt u deze aan een persoon toewijzen. U kunt uw eerste apparaat toevoegen door een integratie voor aanwezigheidsdetectie toe te voegen vanaf de integratiepagina.", - "link_presence_detection_integrations": "Aanwezigheidsdetectie-integraties", - "link_integrations_page": "Integratiespagina", - "delete": "Verwijderen", - "create": "Aanmaken", - "update": "Bijwerken" + "network_status": { + "network_started": "Z-Wave netwerk gestart", + "network_started_note_all_queried": "Alle nodes zijn opgevraagd.", + "network_started_note_some_queried": "Alle actieve nodes zijn opgevraagd. Inactieve nodes worden opgevraagd wanneer ze actief worden.", + "network_starting": "Z-Wave netwerk starten...", + "network_starting_note": "Dit kan een tijdje duren, afhankelijk van de grootte van je netwerk.", + "network_stopped": "Z-Wave netwerk gestopt" }, - "introduction": "Hier kunt u personen toevoegen die gebruik maken van Home Assistant.", - "note_about_persons_configured_in_yaml": "Opmerking: personen die zijn geconfigureerd via configuration.yaml kunnen niet worden bewerkt via de UI.", - "no_persons_created_yet": "Het lijkt erop dat je nog geen personen hebt aangemaakt.", - "create_person": "Persoon aanmaken", - "add_person": "Persoon toevoegen", - "confirm_delete": "Weet je zeker dat je deze persoon wilt verwijderen?", - "confirm_delete2": "Alle apparaten die behoren tot deze persoon zullen worden ontkoppeld." - }, - "server_control": { - "caption": "Serverbeheer", - "description": "De Home Assistant-server opnieuw opstarten en stoppen", - "section": { - "validation": { - "heading": "Valideer configuratie", - "introduction": "Controleer je configuratie als je onlangs wijzigingen hebt aangebracht en zeker wilt weten dat ze geldig zijn", - "check_config": "Controleer configuratie", - "valid": "Geldige configuratie!", - "invalid": "Ongeldige configuratie" - }, - "reloading": { - "heading": "Configuratie herladen", - "introduction": "Sommige delen van Home Assistant kunnen opnieuw worden geladen zonder dat een herstart vereist is. Als je herladen gebruikt, wordt de huidige configuratie leeggemaakt en wordt de nieuwe geladen.", - "core": "Herlaad kern", - "group": "Herlaad groepen", - "automation": "Herlaad automatiseringen", - "script": "Herlaad scripts", - "scene": "Herlaad scenes" - }, - "server_management": { - "heading": "Serverbeheer", - "introduction": "Beheer je Home Assistant-server... vanuit Home Assistant.", - "restart": "Herstarten", - "stop": "Stop", - "confirm_restart": "Weet je zeker dat je Home Assistant opnieuw wilt starten?", - "confirm_stop": "Weet je zeker dat je Home Assistant wilt afsluiten?" - } - } - }, - "devices": { - "caption": "Apparaten", - "description": "Beheer verbonden apparaten", - "automation": { - "triggers": { - "caption": "Doe iets wanneer..." - }, - "conditions": { - "caption": "Doe alleen iets als..." - }, - "actions": { - "caption": "Wanneer iets wordt getriggerd..." - } - } - }, - "common": { - "editor": { - "confirm_unsaved": "Je hebt niet-opgeslagen wijzigingen. Weet je zeker dat je wilt afsluiten?" + "node_config": { + "config_parameter": "Configuratie Parameter", + "config_value": "Configuratie Waarde", + "false": "Niet waar", + "header": "Node Configuratie Opties", + "seconds": "Seconden", + "set_config_parameter": "Stel de configuratieparameter in", + "set_wakeup": "Activeringsinterval instellen", + "true": "Waar" + }, + "ozw_log": { + "header": "OZW-logboek", + "introduction": "Bekijk het logboek. 0 is het minimum (laadt het gehele logboek) en 1000 is het maximum. Laad toont een statisch logboek en staart wordt automatisch bijgewerkt met het laatst opgegeven aantal regels van het logboek." + }, + "services": { + "add_node": "Node toevoegen", + "add_node_secure": "Secure Node toevoegen", + "cancel_command": "Opdracht annuleren", + "heal_network": "Herstel Netwerk", + "remove_node": "Node verwijderen", + "save_config": "Configuratie Opslaan", + "soft_reset": "Soft Reset", + "start_network": "Start netwerk", + "stop_network": "Stop Netwerk", + "test_network": "Test Netwerk" + }, + "values": { + "header": "Knooppunt waarden" } } }, - "profile": { - "push_notifications": { - "header": "Push-meldingen", - "description": "Verstuur meldingen naar dit apparaat.", - "error_load_platform": "Configureer notify.html5.", - "error_use_https": "Vereist SSL voor de frontend", - "push_notifications": "Push-meldingen", - "link_promo": "Meer informatie" - }, - "language": { - "header": "Taal", - "link_promo": "Help met vertalen", - "dropdown_label": "Taal" - }, - "themes": { - "header": "Thema", - "error_no_theme": "Geen thema's beschikbaar.", - "link_promo": "Meer informatie over thema's", - "dropdown_label": "Thema" - }, - "refresh_tokens": { - "header": "Tokens vernieuwen", - "description": "Elk toegangstoken vertegenwoordigt een inlogsessie. Toegangstokens worden automatisch verwijderd wanneer u op Uitloggen klikt. De volgende toegangstokens zijn momenteel actief voor uw account.", - "token_title": "Token voor {clientId}", - "created_at": "Gemaakt op {date}", - "confirm_delete": "Weet je zeker dat je de verversingstoken voor {name} wilt verwijderen?", - "delete_failed": "Verwijderen van de toegangstoken is mislukt.", - "last_used": "Laatst gebruikt op {date} vanaf {location}", - "not_used": "Is nog nooit gebruikt", - "current_token_tooltip": "Kan huidige verversingstoken niet verwijderen" - }, - "long_lived_access_tokens": { - "header": "Toegangtokens met lange levensduur", - "description": "Maak toegangstokens met een lange levensduur zodat je scripts kunnen communiceren met je Home Assistant-instantie. Elk token is tien jaar geldig vanaf de aanmaakdatum. De volgende langlevende toegangstokens zijn momenteel actief.", - "learn_auth_requests": "Kom te weten hoe je geverifieerde verzoeken kunt maken", - "created_at": "Gemaakt op {date}", - "confirm_delete": "Weet je zeker dat je de toegangstoken voor {name} wilt verwijderen?", - "delete_failed": "Verwijderen van de toegangstoken is mislukt.", - "create": "Token aanmaken", - "create_failed": "De toegangstoken kon niet worden aangemaakt.", - "prompt_name": "Naam?", - "prompt_copy_token": "Kopieer je toegangstoken. Het wordt niet meer getoond.", - "empty_state": "Je hebt nog geen langdurige toegangstokens.", - "last_used": "Laatst gebruikt op {date} vanaf {location}", - "not_used": "Is nog nooit gebruikt" - }, - "current_user": "Je bent momenteel ingelogd als {fullName}.", - "is_owner": "Je bent eigenaar.", - "change_password": { - "header": "Wachtwoord wijzigen", - "current_password": "Huidige wachtwoord", - "new_password": "Nieuw wachtwoord", - "confirm_new_password": "Bevestig nieuw wachtwoord", - "error_required": "Verplicht", - "submit": "Verzenden" - }, - "mfa": { - "header": "Twee-factor-authenticatie modules", - "disable": "Uitschakelen", - "enable": "Inschakelen", - "confirm_disable": "Weet je zeker dat je {name} wilt uitschakelen?" - }, - "mfa_setup": { - "title_aborted": "Afgebroken", - "title_success": "Gelukt!", - "step_done": "Instellen voltooid voor {step}", - "close": "Sluiten", - "submit": "Verzenden" - }, - "logout": "Uitloggen", - "force_narrow": { - "header": "Zijbalk altijd verbergen", - "description": "De zijbalk standaard verbergen, vergelijkbaar met de mobiele ervaring." - }, - "vibrate": { - "header": "Trillen", - "description": "Schakel trillingen op dit apparaat in of uit wanneer u apparaten bestuurt." - }, - "advanced_mode": { - "title": "Geavanceerde modus", - "description": "Home Assistant verbergt standaard geavanceerde functies en opties. U kunt deze functies toegankelijk maken door deze schakelaar aan te zetten. Dit is een gebruikersspecifieke instelling en heeft geen invloed op andere gebruikers die Home Assistant gebruiken." - } - }, - "page-authorize": { - "initializing": "Initialiseren", - "authorizing_client": "Je staat op het punt {clientId} toegang te geven tot je Home Assistant-instantie.", - "logging_in_with": "Aan het inloggen met **{authProviderName}**.", - "pick_auth_provider": "Of log in met", - "abort_intro": "Inloggen afgebroken", - "form": { - "working": "Een ogenblik geduld", - "unknown_error": "Er ging iets mis", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Gebruikersnaam", - "password": "Wachtwoord" - } - }, - "mfa": { - "data": { - "code": "Twee-factor-authenticatiecode" - }, - "description": "Open de **{mfa_module_name}** op je apparaat om je twee-factor-authenticatiecode te bekijken en verifieer je identiteit:" - } - }, - "error": { - "invalid_auth": "Ongeldige gebruikersnaam of wachtwoord", - "invalid_code": "Ongeldige authenticatiecode" - }, - "abort": { - "login_expired": "Sessie verlopen, meld je opnieuw aan." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "API-wachtwoord" - }, - "description": "Voer het API-wachtwoord in van je http-configuratie:" - }, - "mfa": { - "data": { - "code": "Twee-factor-authenticatiecode" - }, - "description": "Open de **{mfa_module_name}** op je apparaat om je twee-factor-authenticatiecode te bekijken en verifieer je identiteit:" - } - }, - "error": { - "invalid_auth": "Ongeldig API-wachtwoord", - "invalid_code": "Ongeldige authenticatiecode" - }, - "abort": { - "no_api_password_set": "Er is geen API-wachtwoord ingesteld.", - "login_expired": "Sessie verlopen, meld je opnieuw aan." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Gebruiker" - }, - "description": "Selecteer een gebruiker waarmee je je wilt aanmelden:" - } - }, - "abort": { - "not_whitelisted": "Je computer staat niet op de whitelist." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Gebruikersnaam", - "password": "Wachtwoord" - } - }, - "mfa": { - "data": { - "code": "Twee-factor authenticatie code" - }, - "description": "Open de **{mfa_module_name}** op je apparaat om je twee-factor-authenticatiecode te bekijken en verifieer je identiteit:" - } - }, - "error": { - "invalid_auth": "Ongeldige gebruikersnaam of wachtwoord", - "invalid_code": "Onjuiste authenticatiecode" - }, - "abort": { - "login_expired": "Sessie verlopen, meld je opnieuw aan." - } - } - } - } - }, - "page-onboarding": { - "intro": "Ben je klaar om je huis wakker te maken, je privacy terug te winnen en deel te nemen aan een wereldwijde gemeenschap van knutselaars?", - "user": { - "intro": "Laten we beginnen door een gebruikersaccount aan te maken.", - "required_field": "Verplicht", - "data": { - "name": "Naam", - "username": "Gebruikersnaam", - "password": "Wachtwoord", - "password_confirm": "Bevestig wachtwoord" + "developer-tools": { + "tabs": { + "events": { + "alert_event_type": "Het type gebeurtenis is een verplicht veld", + "available_events": "Beschikbare gebeurtenissen", + "count_listeners": "({count} luisteraars)", + "data": "Gebeurtenis data (YAML, optioneel)", + "description": "Start een evenement op de Home Assistant-gebeurtenisbus", + "documentation": "Gebeurtenissen documentatie.", + "event_fired": "Gebeurtenis {naam} afgevuurd", + "fire_event": "Gebeurtenis uitvoeren", + "listen_to_events": "Luisteren naar gebeurtenissen", + "listening_to": "Luisteren naar", + "notification_event_fired": "Gebeurtenis {type} met succes uitgevoerd!", + "start_listening": "Begin te luisteren", + "stop_listening": "Stop met luisteren", + "subscribe_to": "Gebeurtenis om op te abonneren", + "title": "Gebeurtenissen", + "type": "Type gebeurtenis" }, - "create_account": "Account aanmaken", - "error": { - "required_fields": "Vul alle verplichte velden in", - "password_not_match": "Wachtwoorden komen niet overeen" + "info": { + "built_using": "Gebouwd met behulp van", + "custom_uis": "Aangepaste UI's:", + "default_ui": "{action} {name} als standaardpagina op dit apparaat", + "developed_by": "Ontwikkeld door een stel geweldige mensen.", + "frontend": "Frontend", + "frontend_version": "Frontend-versie: {version} - {type}", + "home_assistant_logo": "Home Assistent-logo", + "icons_by": "Icons door", + "license": "Gepubliceerd onder de Apache 2.0-licentie", + "lovelace_ui": "Ga naar de Lovelace UI", + "path_configuration": "Pad naar configuration.yaml: {path}", + "remove": "Verwijderen", + "server": "Server", + "set": "Stel in", + "source": "Bron:", + "states_ui": "Ga naar de status UI", + "system_health_error": "De systeemstatus component is niet geladen. Voeg ' system_health: ' toe aan het configuratiebestand.", + "title": "Info" + }, + "logs": { + "clear": "Wis", + "details": "Logboekdetails ( {level} )", + "load_full_log": "Laad volledige Home Assistant logboek", + "loading_log": "Foutenlogboek laden ...", + "multiple_messages": "bericht kwam voor het eerst om {time} en verschijnt {counter} malen", + "no_errors": "Er zijn geen fouten gerapporteerd.", + "no_issues": "Er zijn geen problemen!", + "refresh": "Vernieuwen", + "title": "Logboek" + }, + "mqtt": { + "description_listen": "Luisteren naar onderwerp", + "description_publish": "Publiceer een pakket", + "listening_to": "Luisteren naar", + "message_received": "Bericht {id} ontvangen op {topic} om {time} :", + "payload": "Payload (sjabloon toegestaan)", + "publish": "Publiceer", + "start_listening": "Begin te luisteren", + "stop_listening": "Stop met luisteren", + "subscribe_to": "Gebeurtenis om op te abonneren", + "title": "MQTT", + "topic": "onderwerp" + }, + "services": { + "alert_parsing_yaml": "Fout bij het parseren van YAML: {data}", + "call_service": "Aanroepen service", + "column_description": "Beschrijving", + "column_example": "Voorbeeld", + "column_parameter": "Parameter", + "data": "Service data (YAML, optioneel)", + "description": "Met de tool service Dev kunt u elke beschikbare service in Home Assistant aanroepen.", + "fill_example_data": "Voorbeeldgegeven invullen", + "no_description": "Er is geen beschrijving beschikbaar", + "no_parameters": "Deze service heeft geen parameters nodig.", + "select_service": "Selecteer een service om de beschrijving te bekijken", + "title": "Services" + }, + "states": { + "alert_entity_field": "Entiteit is een verplicht veld", + "attributes": "Attributen", + "current_entities": "Huidige entiteiten", + "description1": "Stelt de weergave van een apparaat in Home Assistant in.", + "description2": "Er vindt geen communicatie met het daadwerkelijke apparaat plaat.", + "entity": "Entiteit", + "filter_attributes": "Filter attributen", + "filter_entities": "Filter entiteiten", + "filter_states": "Filter toestanden", + "more_info": "Meer informatie", + "no_entities": "Geen entiteiten", + "set_state": "Definieer toestand", + "state": "Toestand", + "state_attributes": "Status attributen (YAML, optioneel)", + "title": "Toestanden" + }, + "templates": { + "description": "Sjablonen worden weergegeven met de Jinja2-sjabloonediter samen met enkele extensies van Home Assistant.", + "editor": "Sjabloonediter", + "jinja_documentation": "Jinja2-sjabloondocumentatie", + "template_extensions": "Home Assistant sjabloon extensiesHome Assistant", + "title": "Sjablonen", + "unknown_error_template": "Onbekende fout bij weergave sjabloon" } - }, - "integration": { - "intro": "Apparaten en services worden in Home Assistant weergegeven als integraties. U kunt ze nu instellen of later via het configuratiescherm.", - "more_integrations": "Meer", - "finish": "Voltooien" - }, - "core-config": { - "intro": "Hallo {name}, welkom bij Home Assistant. Welke naam wil je je huis geven?", - "intro_location": "We willen graag weten waar je woont. Deze informatie zal helpen bij het weergeven van informatie en het instellen van op de zon gebaseerde automatiseringen. Deze gegevens worden nooit gedeeld buiten je netwerk.", - "intro_location_detect": "Wij kunnen u helpen deze informatie in te vullen door eenmalig een verbinding te maken met een externe service.", - "location_name_default": "Huis", - "button_detect": "Detecteren", - "finish": "Volgende" } }, + "history": { + "period": "Periode", + "showing_entries": "Toon items voor" + }, + "logbook": { + "period": "Periode", + "showing_entries": "Toont gegevens van" + }, "lovelace": { "cards": { - "shopping-list": { - "checked_items": "Geselecteerde items", - "clear_items": "Geselecteerde items wissen", - "add_item": "Item toevoegen" - }, + "confirm_delete": "Weet je zeker dat je deze kaart wilt verwijderen?", "empty_state": { - "title": "Welkom thuis", + "go_to_integrations_page": "Ga naar de integraties pagina.", "no_devices": "Op deze pagina kun je je apparaten bedienen, maar het lijkt er op dat je nog geen apparaten hebt ingesteld. Ga naar de integraties pagina om te beginnen.", - "go_to_integrations_page": "Ga naar de integraties pagina." + "title": "Welkom thuis" }, "picture-elements": { - "hold": "Vasthouden:", - "tap": "Tik:", - "navigate_to": "Navigeer naar {location}", - "toggle": "Omschakelen {name}", "call_service": "Roep service {name} aan", + "hold": "Vasthouden:", "more_info": "Meer informatie weergeven: {name}", + "navigate_to": "Navigeer naar {location}", + "tap": "Tik:", + "toggle": "Omschakelen {name}", "url": "Open venster naar {url_path}" }, - "confirm_delete": "Weet je zeker dat je deze kaart wilt verwijderen?" + "shopping-list": { + "add_item": "Item toevoegen", + "checked_items": "Geselecteerde items", + "clear_items": "Geselecteerde items wissen" + } + }, + "changed_toast": { + "message": "De Lovelace configuratie is bijgewerkt. Wil je de pagina vernieuwen?", + "refresh": "Vernieuwen" }, "editor": { - "edit_card": { - "header": "Kaart configuratie", - "save": "Opslaan", - "toggle_editor": "Toggle Editor", - "pick_card": "Welke kaart wil je toevoegen?", - "add": "Kaart toevoegen", - "edit": "Bewerken", - "delete": "Verwijder", - "move": "Verplaatsen", - "show_visual_editor": "Visual Editor weergeven", - "show_code_editor": "Code-editor weergeven", - "pick_card_view_title": "Welke kaart wil je toevoegen aan je {name} weergeve?", - "options": "Meer opties" - }, - "migrate": { - "header": "Configuratie incompatibel", - "para_no_id": "Dit element heeft geen ID. Voeg een ID toe aan dit element in 'ui-lovelace.yaml'.", - "para_migrate": "Home Assistant kan ID's voor al je kaarten en weergaven automatisch voor je toevoegen door op de knop 'Migrate config' te klikken.", - "migrate": "Configuratie migreren" - }, - "header": "Bewerk UI", - "edit_view": { - "header": "Bekijk de configuratie", - "add": "Weergave toevoegen", - "edit": "Weergave bewerken", - "delete": "Weergave verwijderen", - "header_name": "{name} Bekijk de configuratie" - }, - "save_config": { - "header": "Neem de controle over je Lovelace UI", - "para": "Normaal gesproken onderhoudt Home Assistant je gebruikersinterface en update die met nieuwe entiteiten of Lovelace-onderdelen wanneer deze beschikbaar zijn. Als je het beheer overneemt, zullen we niet langer automatisch wijzigingen aanbrengen.", - "para_sure": "Weet je zeker dat je de controle wilt over je gebruikersinterface?", - "cancel": "Laat maar", - "save": "Neem over" - }, - "menu": { - "raw_editor": "Platte configuratie-editor", - "open": "Open het Lovelace-menu" - }, - "raw_editor": { - "header": "Configuratie bewerken", - "save": "Opslaan", - "unsaved_changes": "Niet-opgeslagen wijzigingen", - "saved": "Opgeslagen" - }, - "edit_lovelace": { - "header": "Titel van je Lovelace UI", - "explanation": "Deze titel wordt vooral weergegeven in al je weergaven in Lovelace." - }, "card": { "alarm_panel": { "available_states": "Beschikbare statussen" }, + "alarm-panel": { + "available_states": "Beschikbare statussen", + "name": "Alarm paneel" + }, + "conditional": { + "name": "Conditioneel" + }, "config": { - "required": "Verplicht", - "optional": "Optioneel" + "optional": "Optioneel", + "required": "Verplicht" }, "entities": { - "show_header_toggle": "Koptekst weergeven wisselen?", "name": "Entiteiten", + "show_header_toggle": "Koptekst weergeven wisselen?", "toggle": "Entiteiten in- en uitschakelen" }, + "entity-button": { + "name": "Entiteit-knop" + }, + "entity-filter": { + "name": "Entiteit-filter" + }, "gauge": { + "name": "Meter", "severity": { "define": "Ernst definiëren?", "green": "Groen", "red": "Rood", "yellow": "Geel" - }, - "name": "Meter" - }, - "glance": { - "columns": "Kolommen", - "name": "Oogopslag" + } }, "generic": { "aspect_ratio": "Beeldverhouding", @@ -1511,39 +1608,14 @@ "show_name": "Naam weergeven?", "show_state": "Staat tonen?", "tap_action": "Tik Actie", - "title": "Titel", "theme": "Thema", + "title": "Titel", "unit": "Maat", "url": "Url" }, - "map": { - "geo_location_sources": "Geolocatiebronnen", - "dark_mode": "Donkere modus?", - "default_zoom": "Standaard zoom", - "source": "Bron", - "name": "Kaart" - }, - "markdown": { - "content": "Inhoud", - "name": "Markdown" - }, - "sensor": { - "graph_detail": "Grafiek Detail", - "graph_type": "Grafiektype", - "name": "Sensor" - }, - "alarm-panel": { - "name": "Alarm paneel", - "available_states": "Beschikbare statussen" - }, - "conditional": { - "name": "Conditioneel" - }, - "entity-button": { - "name": "Entiteit-knop" - }, - "entity-filter": { - "name": "Entiteit-filter" + "glance": { + "columns": "Kolommen", + "name": "Oogopslag" }, "history-graph": { "name": "Geschiedenis grafiek" @@ -1557,12 +1629,20 @@ "light": { "name": "Lamp" }, + "map": { + "dark_mode": "Donkere modus?", + "default_zoom": "Standaard zoom", + "geo_location_sources": "Geolocatiebronnen", + "name": "Kaart", + "source": "Bron" + }, + "markdown": { + "content": "Inhoud", + "name": "Markdown" + }, "media-control": { "name": "Mediaspeler" }, - "picture": { - "name": "Afbeelding" - }, "picture-elements": { "name": "Afbeeldingselementen" }, @@ -1572,9 +1652,17 @@ "picture-glance": { "name": "Afbeelding oogopslag" }, + "picture": { + "name": "Afbeelding" + }, "plant-status": { "name": "toestand plant" }, + "sensor": { + "graph_detail": "Grafiek Detail", + "graph_type": "Grafiektype", + "name": "Sensor" + }, "shopping-list": { "name": "Boodschappenlijst" }, @@ -1588,434 +1676,359 @@ "name": "Weersverwachting" } }, + "edit_card": { + "add": "Kaart toevoegen", + "delete": "Verwijder", + "edit": "Bewerken", + "header": "Kaart configuratie", + "move": "Verplaatsen", + "options": "Meer opties", + "pick_card": "Welke kaart wil je toevoegen?", + "pick_card_view_title": "Welke kaart wil je toevoegen aan je {name} weergeve?", + "save": "Opslaan", + "show_code_editor": "Code-editor weergeven", + "show_visual_editor": "Visual Editor weergeven", + "toggle_editor": "Toggle Editor" + }, + "edit_lovelace": { + "edit_title": "Wijzig titel", + "explanation": "Deze titel wordt vooral weergegeven in al je weergaven in Lovelace.", + "header": "Titel van je Lovelace UI" + }, + "edit_view": { + "add": "Weergave toevoegen", + "delete": "Weergave verwijderen", + "edit": "Weergave bewerken", + "header": "Bekijk de configuratie", + "header_name": "{name} Bekijk de configuratie", + "move_left": "Verplaats weergave naar links", + "move_right": "Verplaats weergave naar rechts" + }, + "header": "Bewerk UI", + "menu": { + "open": "Open het Lovelace-menu", + "raw_editor": "Platte configuratie-editor" + }, + "migrate": { + "header": "Configuratie incompatibel", + "migrate": "Configuratie migreren", + "para_migrate": "Home Assistant kan ID's voor al je kaarten en weergaven automatisch voor je toevoegen door op de knop 'Migrate config' te klikken.", + "para_no_id": "Dit element heeft geen ID. Voeg een ID toe aan dit element in 'ui-lovelace.yaml'." + }, + "raw_editor": { + "header": "Configuratie bewerken", + "save": "Opslaan", + "saved": "Opgeslagen", + "unsaved_changes": "Niet-opgeslagen wijzigingen" + }, + "save_config": { + "cancel": "Laat maar", + "header": "Neem de controle over je Lovelace UI", + "para": "Normaal gesproken onderhoudt Home Assistant je gebruikersinterface en update die met nieuwe entiteiten of Lovelace-onderdelen wanneer deze beschikbaar zijn. Als je het beheer overneemt, zullen we niet langer automatisch wijzigingen aanbrengen.", + "para_sure": "Weet je zeker dat je de controle wilt over je gebruikersinterface?", + "save": "Neem over" + }, "view": { "panel_mode": { - "title": "Paneelmodus?", - "description": "Hierdoor wordt de eerste kaart op volledige breedte weergegeven; andere kaarten in deze weergave worden niet weergegeven." + "description": "Hierdoor wordt de eerste kaart op volledige breedte weergegeven; andere kaarten in deze weergave worden niet weergegeven.", + "title": "Paneelmodus?" } } }, "menu": { + "close": "Sluiten", "configure_ui": "Configureer UI", - "unused_entities": "Ongebruikte entiteiten", "help": "Help", - "refresh": "Vernieuwen" - }, - "warning": { - "entity_not_found": "Entiteit niet beschikbaar: {entity}", - "entity_non_numeric": "Entiteit is niet-numeriek: {entity}" - }, - "changed_toast": { - "message": "De Lovelace configuratie is bijgewerkt. Wil je de pagina vernieuwen?", - "refresh": "Vernieuwen" + "refresh": "Vernieuwen", + "unused_entities": "Ongebruikte entiteiten" }, "reload_lovelace": "Lovelace herladen", + "unused_entities": { + "available_entities": "Dit zijn de entiteiten die je beschikbaar hebt, maar die nog niet in je Lovelace UI staan.", + "last_changed": "Laatst gewijzigd", + "select_to_add": "Selecteer de entiteiten die u aan een kaart wilt toevoegen en klik vervolgens op de knop Kaart toevoegen.", + "title": "Ongebruikte entiteiten" + }, "views": { "confirm_delete": "Weet u zeker dat u dit item wilt verwijderen?", "existing_cards": "U kunt een weergave met kaarten niet verwijderen. Verwijder eerst de kaarten." + }, + "warning": { + "entity_non_numeric": "Entiteit is niet-numeriek: {entity}", + "entity_not_found": "Entiteit niet beschikbaar: {entity}" } }, + "mailbox": { + "delete_button": "Verwijderen", + "delete_prompt": "Bericht verwijderen?", + "empty": "Je hebt geen berichten", + "playback_title": "Bericht afspelen" + }, + "page-authorize": { + "abort_intro": "Inloggen afgebroken", + "authorizing_client": "Je staat op het punt {clientId} toegang te geven tot je Home Assistant-instantie.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Sessie verlopen, meld je opnieuw aan." + }, + "error": { + "invalid_auth": "Ongeldige gebruikersnaam of wachtwoord", + "invalid_code": "Onjuiste authenticatiecode" + }, + "step": { + "init": { + "data": { + "password": "Wachtwoord", + "username": "Gebruikersnaam" + } + }, + "mfa": { + "data": { + "code": "Twee-factor authenticatie code" + }, + "description": "Open de **{mfa_module_name}** op je apparaat om je twee-factor-authenticatiecode te bekijken en verifieer je identiteit:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Sessie verlopen, meld je opnieuw aan." + }, + "error": { + "invalid_auth": "Ongeldige gebruikersnaam of wachtwoord", + "invalid_code": "Ongeldige authenticatiecode" + }, + "step": { + "init": { + "data": { + "password": "Wachtwoord", + "username": "Gebruikersnaam" + } + }, + "mfa": { + "data": { + "code": "Twee-factor-authenticatiecode" + }, + "description": "Open de **{mfa_module_name}** op je apparaat om je twee-factor-authenticatiecode te bekijken en verifieer je identiteit:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Sessie verlopen, meld je opnieuw aan.", + "no_api_password_set": "Er is geen API-wachtwoord ingesteld." + }, + "error": { + "invalid_auth": "Ongeldig API-wachtwoord", + "invalid_code": "Ongeldige authenticatiecode" + }, + "step": { + "init": { + "data": { + "password": "API-wachtwoord" + }, + "description": "Voer het API-wachtwoord in van je http-configuratie:" + }, + "mfa": { + "data": { + "code": "Twee-factor-authenticatiecode" + }, + "description": "Open de **{mfa_module_name}** op je apparaat om je twee-factor-authenticatiecode te bekijken en verifieer je identiteit:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Je computer staat niet op de whitelist." + }, + "step": { + "init": { + "data": { + "user": "Gebruiker" + }, + "description": "Selecteer een gebruiker waarmee je je wilt aanmelden:" + } + } + } + }, + "unknown_error": "Er ging iets mis", + "working": "Een ogenblik geduld" + }, + "initializing": "Initialiseren", + "logging_in_with": "Aan het inloggen met **{authProviderName}**.", + "pick_auth_provider": "Of log in met" + }, "page-demo": { "cards": { "demo": { "demo_by": "door {name}", - "next_demo": "Volgende demo", "introduction": "Welkom thuis! Je hebt de Home Assistant demo bereikt waar we de beste UI's van onze community laten zien.", - "learn_more": "Meer informatie over Home Assistant" + "learn_more": "Meer informatie over Home Assistant", + "next_demo": "Volgende demo" } }, "config": { "arsaboo": { - "names": { - "upstairs": "Boven", - "family_room": "Familiekamer", - "kitchen": "Keuken", - "patio": "Achtertuin", - "hallway": "Gang", - "master_bedroom": "Hoofdslaapkamer", - "left": "Links", - "right": "Rechts", - "mirror": "Spiegel", - "temperature_study": "Temperatuur bestuderen" - }, "labels": { - "lights": "Lichten", - "information": "Informatie", - "morning_commute": "Ochtend reis", + "activity": "Activiteit", + "air": "Lucht", "commute_home": "Reis naar huis", "entertainment": "Entertainment", - "activity": "Activiteit", "hdmi_input": "HDMI-ingang", "hdmi_switcher": "HDMI-switcher", - "volume": "Volume", + "information": "Informatie", + "lights": "Lichten", + "morning_commute": "Ochtend reis", "total_tv_time": "Totale TV-tijd", "turn_tv_off": "Schakel televisie uit", - "air": "Lucht" + "volume": "Volume" + }, + "names": { + "family_room": "Familiekamer", + "hallway": "Gang", + "kitchen": "Keuken", + "left": "Links", + "master_bedroom": "Hoofdslaapkamer", + "mirror": "Spiegel", + "patio": "Achtertuin", + "right": "Rechts", + "temperature_study": "Temperatuur bestuderen", + "upstairs": "Boven" }, "unit": { - "watching": "kijkend", - "minutes_abbr": "min" + "minutes_abbr": "min", + "watching": "kijkend" } } } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Detecteren", + "finish": "Volgende", + "intro": "Hallo {name}, welkom bij Home Assistant. Welke naam wil je je huis geven?", + "intro_location": "We willen graag weten waar je woont. Deze informatie zal helpen bij het weergeven van informatie en het instellen van op de zon gebaseerde automatiseringen. Deze gegevens worden nooit gedeeld buiten je netwerk.", + "intro_location_detect": "Wij kunnen u helpen deze informatie in te vullen door eenmalig een verbinding te maken met een externe service.", + "location_name_default": "Huis" + }, + "integration": { + "finish": "Voltooien", + "intro": "Apparaten en services worden in Home Assistant weergegeven als integraties. U kunt ze nu instellen of later via het configuratiescherm.", + "more_integrations": "Meer" + }, + "intro": "Ben je klaar om je huis wakker te maken, je privacy terug te winnen en deel te nemen aan een wereldwijde gemeenschap van knutselaars?", + "user": { + "create_account": "Account aanmaken", + "data": { + "name": "Naam", + "password": "Wachtwoord", + "password_confirm": "Bevestig wachtwoord", + "username": "Gebruikersnaam" + }, + "error": { + "password_not_match": "Wachtwoorden komen niet overeen", + "required_fields": "Vul alle verplichte velden in" + }, + "intro": "Laten we beginnen door een gebruikersaccount aan te maken.", + "required_field": "Verplicht" + } + }, + "profile": { + "advanced_mode": { + "description": "Home Assistant verbergt standaard geavanceerde functies en opties. U kunt deze functies toegankelijk maken door deze schakelaar aan te zetten. Dit is een gebruikersspecifieke instelling en heeft geen invloed op andere gebruikers die Home Assistant gebruiken.", + "link_profile_page": "Je profielpagina", + "title": "Geavanceerde modus" + }, + "change_password": { + "confirm_new_password": "Bevestig nieuw wachtwoord", + "current_password": "Huidige wachtwoord", + "error_required": "Verplicht", + "header": "Wachtwoord wijzigen", + "new_password": "Nieuw wachtwoord", + "submit": "Verzenden" + }, + "current_user": "Je bent momenteel ingelogd als {fullName}.", + "force_narrow": { + "description": "De zijbalk standaard verbergen, vergelijkbaar met de mobiele ervaring.", + "header": "Zijbalk altijd verbergen" + }, + "is_owner": "Je bent eigenaar.", + "language": { + "dropdown_label": "Taal", + "header": "Taal", + "link_promo": "Help met vertalen" + }, + "logout": "Uitloggen", + "long_lived_access_tokens": { + "confirm_delete": "Weet je zeker dat je de toegangstoken voor {name} wilt verwijderen?", + "create": "Token aanmaken", + "create_failed": "De toegangstoken kon niet worden aangemaakt.", + "created_at": "Gemaakt op {date}", + "delete_failed": "Verwijderen van de toegangstoken is mislukt.", + "description": "Maak toegangstokens met een lange levensduur zodat je scripts kunnen communiceren met je Home Assistant-instantie. Elk token is tien jaar geldig vanaf de aanmaakdatum. De volgende langlevende toegangstokens zijn momenteel actief.", + "empty_state": "Je hebt nog geen langdurige toegangstokens.", + "header": "Toegangtokens met lange levensduur", + "last_used": "Laatst gebruikt op {date} vanaf {location}", + "learn_auth_requests": "Kom te weten hoe je geverifieerde verzoeken kunt maken", + "not_used": "Is nog nooit gebruikt", + "prompt_copy_token": "Kopieer je toegangstoken. Het wordt niet meer getoond.", + "prompt_name": "Naam?" + }, + "mfa_setup": { + "close": "Sluiten", + "step_done": "Instellen voltooid voor {step}", + "submit": "Verzenden", + "title_aborted": "Afgebroken", + "title_success": "Gelukt!" + }, + "mfa": { + "confirm_disable": "Weet je zeker dat je {name} wilt uitschakelen?", + "disable": "Uitschakelen", + "enable": "Inschakelen", + "header": "Twee-factor-authenticatie modules" + }, + "push_notifications": { + "description": "Verstuur meldingen naar dit apparaat.", + "error_load_platform": "Configureer notify.html5.", + "error_use_https": "Vereist SSL voor de frontend", + "header": "Push-meldingen", + "link_promo": "Meer informatie", + "push_notifications": "Push-meldingen" + }, + "refresh_tokens": { + "confirm_delete": "Weet je zeker dat je de verversingstoken voor {name} wilt verwijderen?", + "created_at": "Gemaakt op {date}", + "current_token_tooltip": "Kan huidige verversingstoken niet verwijderen", + "delete_failed": "Verwijderen van de toegangstoken is mislukt.", + "description": "Elk toegangstoken vertegenwoordigt een inlogsessie. Toegangstokens worden automatisch verwijderd wanneer u op Uitloggen klikt. De volgende toegangstokens zijn momenteel actief voor uw account.", + "header": "Tokens vernieuwen", + "last_used": "Laatst gebruikt op {date} vanaf {location}", + "not_used": "Is nog nooit gebruikt", + "token_title": "Token voor {clientId}" + }, + "themes": { + "dropdown_label": "Thema", + "error_no_theme": "Geen thema's beschikbaar.", + "header": "Thema", + "link_promo": "Meer informatie over thema's" + }, + "vibrate": { + "description": "Schakel trillingen op dit apparaat in of uit wanneer u apparaten bestuurt.", + "header": "Trillen" + } + }, + "shopping-list": { + "add_item": "Item toevoegen", + "clear_completed": "Wissen voltooid", + "microphone_tip": "Tik op de microfoon rechtsboven en zeg \"Add candy to my shopping list\"" } }, "sidebar": { - "log_out": "Uitloggen", "external_app_configuration": "App configuratie", + "log_out": "Uitloggen", "sidebar_toggle": "Zijbalk in- en uitschakelen" - }, - "common": { - "loading": "Bezig met laden", - "cancel": "Annuleren", - "save": "Opslaan", - "successfully_saved": "Succesvol opgeslagen" - }, - "duration": { - "day": "{count} {count, plural,\none {dag}\nother {dagen}\n}", - "week": "{count} {count, plural,\none {week}\nother {weken}\n}", - "second": "{count} {count, plural,\none {seconde}\nother {seconden}\n}", - "minute": "{count} {count, plural,\none {minuut}\nother {minuten}\n}", - "hour": "{count} {count, plural,\none {uur}\nother {uur}\n}" - }, - "login-form": { - "password": "Wachtwoord", - "remember": "Onthouden", - "log_in": "Aanmelden" - }, - "card": { - "camera": { - "not_available": "Afbeelding niet beschikbaar" - }, - "persistent_notification": { - "dismiss": "Sluiten" - }, - "scene": { - "activate": "Activeren" - }, - "script": { - "execute": "Uitvoeren" - }, - "weather": { - "attributes": { - "air_pressure": "Luchtdruk", - "humidity": "Vochtigheid", - "temperature": "Temperatuur", - "visibility": "Zicht", - "wind_speed": "Windsnelheid" - }, - "cardinal_direction": { - "e": "O", - "ene": "ONO", - "ese": "OZO", - "n": "N", - "ne": "NO", - "nne": "NNO", - "nw": "NW", - "nnw": "NNW", - "s": "Z", - "se": "ZO", - "sse": "ZZO", - "ssw": "ZZW", - "sw": "ZW", - "w": "W", - "wnw": "WNW", - "wsw": "WZW" - }, - "forecast": "Verwachting" - }, - "alarm_control_panel": { - "code": "Code", - "clear_code": "Wis", - "disarm": "Uitschakelen", - "arm_home": "Inschakelen thuis", - "arm_away": "Inschakelen afwezig", - "arm_night": "Inschakelen nacht", - "armed_custom_bypass": "Aangepaste overbrugging(en)", - "arm_custom_bypass": "Gedeeltelijk actief" - }, - "automation": { - "last_triggered": "Laatst uitgevoerd", - "trigger": "Uitvoeren" - }, - "cover": { - "position": "Positie", - "tilt_position": "Kantelpositie" - }, - "fan": { - "speed": "Snelheid", - "oscillate": "Oscilleren", - "direction": "Richting", - "forward": "Voorwaarts", - "reverse": "Omkeren" - }, - "light": { - "brightness": "Helderheid", - "color_temperature": "Kleurtemperatuur", - "white_value": "Witwaarde", - "effect": "Effect" - }, - "media_player": { - "text_to_speak": "Tekst naar spraak", - "source": "Bron", - "sound_mode": "Geluidsmodus" - }, - "climate": { - "currently": "Momenteel", - "on_off": "Aan \/ uit", - "target_temperature": "Gewenste temperatuur", - "target_humidity": "Gewenste luchtvochtigheid", - "operation": "Werking", - "fan_mode": "Ventilatormodus", - "swing_mode": "Swingmodus", - "away_mode": "Afwezigheidsmodus", - "aux_heat": "Extra warmte", - "preset_mode": "Voorinstelling", - "target_temperature_entity": "{name} doeltemperatuur", - "target_temperature_mode": "{name} doeltemperatuur {mode}", - "current_temperature": "{name} huidige temperatuur", - "heating": "{name} verwarming", - "cooling": "{name} koeling", - "high": "hoog", - "low": "laag" - }, - "lock": { - "code": "Code", - "lock": "Vergrendelen", - "unlock": "Ontgrendelen" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Hervat schoonmaak", - "return_to_base": "Keer terug naar dock", - "start_cleaning": "Begin schoonmaak", - "turn_on": "Inschakelen", - "turn_off": "Uitschakelen" - } - }, - "water_heater": { - "currently": "Momenteel", - "on_off": "Aan \/ uit", - "target_temperature": "Gewenste temperatuur", - "operation": "Werking", - "away_mode": "Afwezigheidsmodus" - }, - "timer": { - "actions": { - "start": "start", - "pause": "pauze", - "cancel": "annuleren", - "finish": "voltooien" - } - }, - "counter": { - "actions": { - "increment": "verhoging", - "decrement": "verlagen", - "reset": "reset" - } - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "Entiteit", - "clear": "Wis", - "show_entities": "Entiteiten weergeven" - } - }, - "service-picker": { - "service": "Service" - }, - "relative_time": { - "past": "{time} geleden", - "future": "Over {time}", - "never": "Nooit", - "duration": { - "second": "{count} {count, plural,\none {seconde}\nother {seconden}\n}", - "minute": "{count} {count, plural,\none {minuut}\nother {minuten}\n}", - "hour": "{count} {count, plural,\none {uur}\nother {uur}\n}", - "day": "{count} {count, plural,\none {dag}\nother {dagen}\n}", - "week": "{count} {count, plural,\none {week}\nother {weken}\n}" - } - }, - "history_charts": { - "loading_history": "Geschiedenis laden ...", - "no_history_found": "Geen geschiedenis gevonden" - }, - "device-picker": { - "clear": "Wis", - "show_devices": "Apparaten weergeven" - } - }, - "notification_toast": { - "entity_turned_on": "{entity} ingeschakeld.", - "entity_turned_off": "{entity} uitgeschakeld.", - "service_called": "Service {service} aangeroepen", - "service_call_failed": "Kan service {service} niet aanroepen", - "connection_lost": "Verbinding verbroken. Opnieuw verbinden...", - "triggered": "Geactiveerd {naam}" - }, - "dialogs": { - "more_info_settings": { - "save": "Opslaan", - "name": "Naam overschrijven", - "entity_id": "Entiteits-ID" - }, - "more_info_control": { - "script": { - "last_action": "Laatste actie" - }, - "sun": { - "elevation": "Hoogtehoek", - "rising": "Opkomst", - "setting": "Ondergang" - }, - "updater": { - "title": "Update-instructies" - } - }, - "options_flow": { - "form": { - "header": "Instellingen" - }, - "success": { - "description": "Instellingen succesvol opgeslagen." - } - }, - "config_entry_system_options": { - "title": "Systeeminstellingen voor {integratie}", - "enable_new_entities_label": "Voeg nieuwe entiteiten automatisch toe", - "enable_new_entities_description": "Indien uitgeschakeld dan worden nieuwe entiteiten van {integration} niet automatisch aan Home Assistant toegevoegd." - }, - "zha_device_info": { - "manuf": "door {manufacturer}", - "no_area": "Geen Gebied", - "services": { - "reconfigure": "Herconfigureer het ZHA-apparaat (heal device). Gebruik dit als je problemen hebt met het apparaat. Als het een apparaat met batterij is, zorg dan dat het wakker is en commando's accepteert wanneer je deze service gebruikt.", - "updateDeviceName": "Stel een aangepaste naam in voor dit apparaat in het apparaatregister.", - "remove": "Verwijder een apparaat uit het Zigbee-netwerk." - }, - "zha_device_card": { - "device_name_placeholder": "Door gebruiker ingegeven naam", - "area_picker_label": "Gebied", - "update_name_button": "Naam bijwerken" - }, - "buttons": { - "add": "Apparaten toevoegen", - "remove": "Verwijder apparaat", - "reconfigure": "Apparaat opnieuw configureren" - }, - "quirk": "Quirk", - "last_seen": "Laatst gezien", - "power_source": "Stroombron", - "unknown": "Onbekend" - }, - "confirmation": { - "cancel": "Annuleren", - "ok": "OK", - "title": "Weet je het zeker?" - } - }, - "auth_store": { - "ask": "Wil je de inloggegevens opslaan?", - "decline": "Nee, bedankt", - "confirm": "Login opslaan" - }, - "notification_drawer": { - "click_to_configure": "Klik op de knop om {entity} te configureren", - "empty": "Geen notificaties", - "title": "Notificaties" - } - }, - "domain": { - "alarm_control_panel": "Alarm bedieningspaneel", - "automation": "Automatisering", - "binary_sensor": "Binaire sensor", - "calendar": "Kalender", - "camera": "Camera", - "climate": "Klimaat", - "configurator": "Configurator", - "conversation": "Conversatie", - "cover": "Bedekking", - "device_tracker": "Apparaat tracker", - "fan": "Ventilator", - "history_graph": "Geschiedenis", - "group": "Groep", - "image_processing": "Beeldverwerking", - "input_boolean": "Boolean invoer", - "input_datetime": "Voer datum en tijd in", - "input_select": "Invoer selectie", - "input_number": "Numerieke invoer", - "input_text": "Tekstinvoer", - "light": "Licht", - "lock": "Slot", - "mailbox": "Postvak", - "media_player": "Mediaspeler", - "notify": "Notificeer", - "plant": "Plant", - "proximity": "Nabijheid", - "remote": "Afstandsbediening", - "scene": "Scène", - "script": "Script", - "sensor": "Sensor", - "sun": "Zon", - "switch": "Schakelaar", - "updater": "Updater", - "weblink": "Web link", - "zwave": "Z-Wave", - "vacuum": "Stofzuigen", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Systeemstatus", - "person": "Persoon" - }, - "attribute": { - "weather": { - "humidity": "Vochtigheid", - "visibility": "Zichtbaarheid", - "wind_speed": "Windsnelheid" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Uit", - "on": "Aan", - "auto": "Auto" - }, - "preset_mode": { - "none": "Geen", - "eco": "Eco", - "away": "Afwezig", - "boost": "Boost", - "comfort": "Comfort", - "home": "Thuis", - "sleep": "Slapen", - "activity": "Activiteit" - }, - "hvac_action": { - "off": "Uit", - "heating": "Verwarmen", - "cooling": "Koelen", - "drying": "Ontvochtigen", - "idle": "Inactief", - "fan": "Ventilator" - } - } - }, - "groups": { - "system-admin": "Beheerders", - "system-users": "Gebruikers", - "system-read-only": "Alleen-lezen gebruikers" - }, - "config_entry": { - "disabled_by": { - "user": "Gebruiker", - "integration": "Integratie", - "config_entry": "Configuratie-item" } } } \ No newline at end of file diff --git a/translations/nn.json b/translations/nn.json index 6b1f2a5263..3361b04684 100644 --- a/translations/nn.json +++ b/translations/nn.json @@ -1,53 +1,193 @@ { - "panel": { - "config": "Konfigurasjon", - "states": "Oversikt", - "map": "Kart", - "logbook": "Loggbok", - "history": "Historie", + "attribute": { + "weather": { + "humidity": "Luftfuktigheit", + "visibility": "Sikt", + "wind_speed": "Vindhastigheit" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Konfigurer oppføring", + "integration": "Integrasjon", + "user": "Brukar" + } + }, + "domain": { + "alarm_control_panel": "Alarmkontrollpanel", + "automation": "Automasjonar", + "binary_sensor": "Binærsensor", + "calendar": "Kalendar", + "camera": "Kamera", + "climate": "Klima", + "configurator": "Konfigurator", + "conversation": "Samtale", + "cover": "Dekke", + "device_tracker": "Einingssporing", + "fan": "Vifte", + "group": "Gruppe", + "hassio": "Hass.io", + "history_graph": "Historisk graf", + "homeassistant": "Home Assistant", + "image_processing": "Biletehandsaming", + "input_boolean": "Angje boolsk", + "input_datetime": "Angje dato", + "input_number": "Angje nummer", + "input_select": "Angje val", + "input_text": "Angje tekst", + "light": "Lys", + "lock": "Lås", + "lovelace": "Lovelace", "mailbox": "Postkasse", - "shopping_list": "Handleliste", + "media_player": "Mediaspelar", + "notify": "Varsle", + "person": "Person", + "plant": "Plante", + "proximity": "Nærleik", + "remote": "Fjernkontroll", + "scene": "Scene", + "script": "Skript", + "sensor": "Sensor", + "sun": "Sol", + "switch": "Brytar", + "system_health": "Systemhelse", + "updater": "Oppdateringar", + "vacuum": "Støvsugar", + "weblink": "Nettlenke", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Administratorer", + "system-read-only": "Lesebegrensa brukarar", + "system-users": "Brukarar" + }, + "panel": { + "calendar": "Kalendrar", + "config": "Konfigurasjon", "dev-info": "Info", "developer_tools": "Utviklarverkty", - "calendar": "Kalendrar", - "profile": "Profil" + "history": "Historie", + "logbook": "Loggbok", + "mailbox": "Postkasse", + "map": "Kart", + "profile": "Profil", + "shopping_list": "Handleliste", + "states": "Oversikt" }, - "state": { - "default": { - "off": "Av", - "on": "På", - "unknown": "Ukjent", - "unavailable": "Utilgjengelig" - }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Auto", + "off": "Av", + "on": "På" + }, + "hvac_action": { + "cooling": "Nedkjøling", + "drying": "Tørkar", + "fan": "Vifte", + "heating": "Oppvarming", + "idle": "Tomgang", + "off": "Av" + }, + "preset_mode": { + "activity": "Aktivitet", + "away": "Borte", + "boost": "Auke", + "comfort": "Komfort", + "eco": "Øko", + "home": "Heime", + "none": "Inga", + "sleep": "Søvn" + } + } + }, + "state_badge": { + "alarm_control_panel": { + "armed": "Påslått", + "armed_away": "Påslått", + "armed_custom_bypass": "Påslått", + "armed_home": "Påslått", + "armed_night": "Påslått", + "arming": "Slår på", + "disarmed": "Deaktiver", + "disarming": "Slå av", + "pending": "Ventar", + "triggered": "Utløys" + }, + "default": { + "entity_not_found": "Fann ikkje einheten", + "error": "Feil", + "unavailable": "Utilgjengeleg", + "unknown": "Ukjent" + }, + "device_tracker": { + "home": "Heime", + "not_home": "Borte" + }, + "person": { + "home": "Heime", + "not_home": "Borte" + } + }, + "state": { "alarm_control_panel": { "armed": "Påslått", - "disarmed": "Avslått", - "armed_home": "På for heime", "armed_away": "På for borte", + "armed_custom_bypass": "Armert tilpassa unntak", + "armed_home": "På for heime", "armed_night": "På for natta", - "pending": "I vente av", "arming": "Skrur på", + "disarmed": "Avslått", "disarming": "Skrur av", - "triggered": "Utløyst", - "armed_custom_bypass": "Armert tilpassa unntak" + "pending": "I vente av", + "triggered": "Utløyst" }, "automation": { "off": "Av", "on": "På" }, "binary_sensor": { + "battery": { + "off": "Normalt", + "on": "Lågt" + }, + "cold": { + "off": "Normal", + "on": "Kald" + }, + "connectivity": { + "off": "Fråkopla", + "on": "Tilkopla" + }, "default": { "off": "Av", "on": "På" }, - "moisture": { - "off": "Tørr", - "on": "Våt" + "door": { + "off": "Lukka", + "on": "Open" + }, + "garage_door": { + "off": "Lukka", + "on": "Open" }, "gas": { "off": "Ikkje oppdaga", "on": "Oppdaga" }, + "heat": { + "off": "Normal", + "on": "Varm" + }, + "lock": { + "off": "Låst", + "on": "Ulåst" + }, + "moisture": { + "off": "Tørr", + "on": "Våt" + }, "motion": { "off": "Ikkje oppdaga", "on": "Oppdaga" @@ -56,6 +196,22 @@ "off": "Ikkje oppdaga", "on": "Oppdaga" }, + "opening": { + "off": "Lukka", + "on": "Open" + }, + "presence": { + "off": "Borte", + "on": "Heime" + }, + "problem": { + "off": "Ok", + "on": "Problem" + }, + "safety": { + "off": "Sikker", + "on": "Usikker" + }, "smoke": { "off": "Ikkje oppdaga", "on": "Oppdaga" @@ -68,53 +224,9 @@ "off": "Ikkje oppdaga", "on": "Oppdaga" }, - "opening": { - "off": "Lukka", - "on": "Open" - }, - "safety": { - "off": "Sikker", - "on": "Usikker" - }, - "presence": { - "off": "Borte", - "on": "Heime" - }, - "battery": { - "off": "Normalt", - "on": "Lågt" - }, - "problem": { - "off": "Ok", - "on": "Problem" - }, - "connectivity": { - "off": "Fråkopla", - "on": "Tilkopla" - }, - "cold": { - "off": "Normal", - "on": "Kald" - }, - "door": { - "off": "Lukka", - "on": "Open" - }, - "garage_door": { - "off": "Lukka", - "on": "Open" - }, - "heat": { - "off": "Normal", - "on": "Varm" - }, "window": { "off": "Lukka", "on": "Open" - }, - "lock": { - "off": "Låst", - "on": "Ulåst" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "På" }, "camera": { + "idle": "Inaktiv", "recording": "Opptak", - "streaming": "Strøymer", - "idle": "Inaktiv" + "streaming": "Strøymer" }, "climate": { - "off": "Av", - "on": "På", - "heat": "Varme", - "cool": "Kjøle", - "idle": "Inaktiv", "auto": "Auto", + "cool": "Kjøle", "dry": "Tørr", - "fan_only": "Berre vifte", "eco": "Øko", "electric": "Elektrisk", - "performance": "Yting", - "high_demand": "Høg etterspurnad", - "heat_pump": "Varmepumpe", + "fan_only": "Berre vifte", "gas": "Gass", + "heat": "Varme", + "heat_cool": "Oppvarming\/Nedkjøling", + "heat_pump": "Varmepumpe", + "high_demand": "Høg etterspurnad", + "idle": "Inaktiv", "manual": "Handbok", - "heat_cool": "Oppvarming\/Nedkjøling" + "off": "Av", + "on": "På", + "performance": "Yting" }, "configurator": { "configure": "Konfigurerer", "configured": "Konfigurert" }, "cover": { - "open": "Open", - "opening": "Opnar", "closed": "Lukka", "closing": "Lukkar", + "open": "Open", + "opening": "Opnar", "stopped": "Stoppa" }, + "default": { + "off": "Av", + "on": "På", + "unavailable": "Utilgjengelig", + "unknown": "Ukjent" + }, "device_tracker": { "home": "Heime", "not_home": "Borte" @@ -164,19 +282,19 @@ "on": "På" }, "group": { - "off": "Av", - "on": "På", - "home": "Heime", - "not_home": "Borte", - "open": "Open", - "opening": "Opnar", "closed": "Lukka", "closing": "Lukkar", - "stopped": "Stoppa", + "home": "Heime", "locked": "Låst", - "unlocked": "Ulåst", + "not_home": "Borte", + "off": "Av", "ok": "Ok", - "problem": "Problem" + "on": "På", + "open": "Open", + "opening": "Opnar", + "problem": "Problem", + "stopped": "Stoppa", + "unlocked": "Ulåst" }, "input_boolean": { "off": "Av", @@ -191,13 +309,17 @@ "unlocked": "Ulåst" }, "media_player": { + "idle": "Inaktiv", "off": "Av", "on": "På", - "playing": "Spelar", "paused": "Pausa", - "idle": "Inaktiv", + "playing": "Spelar", "standby": "Avventer" }, + "person": { + "home": "Heime", + "not_home": "Borte " + }, "plant": { "ok": "Ok", "problem": "Problem" @@ -225,34 +347,10 @@ "off": "Av", "on": "På" }, - "zwave": { - "default": { - "initializing": "Initialiserer", - "dead": "Død", - "sleeping": "Søv", - "ready": "Klar" - }, - "query_stage": { - "initializing": "Initialiserer ({query_stage})", - "dead": "Død ({query_stage})" - } - }, - "weather": { - "clear-night": "Klart, natt", - "cloudy": "Overskya", - "fog": "Tåke", - "hail": "Hagl", - "lightning": "Lyn", - "lightning-rainy": "Lyn, regn", - "partlycloudy": "Delvis overskya", - "pouring": "Pøsande", - "rainy": "Regn", - "snowy": "Snø", - "snowy-rainy": "Snø, regn", - "sunny": "Mykje sol", - "windy": "Vind", - "windy-variant": "Vind", - "exceptional": "Utmerka" + "timer": { + "active": "aktiv", + "idle": "tomgang", + "paused": "pausa" }, "vacuum": { "cleaning": "Reingjer", @@ -264,912 +362,99 @@ "paused": "Pausa", "returning": "Gå tilbake til ladestasjonen" }, - "timer": { - "active": "aktiv", - "idle": "tomgang", - "paused": "pausa" + "weather": { + "clear-night": "Klart, natt", + "cloudy": "Overskya", + "exceptional": "Utmerka", + "fog": "Tåke", + "hail": "Hagl", + "lightning": "Lyn", + "lightning-rainy": "Lyn, regn", + "partlycloudy": "Delvis overskya", + "pouring": "Pøsande", + "rainy": "Regn", + "snowy": "Snø", + "snowy-rainy": "Snø, regn", + "sunny": "Mykje sol", + "windy": "Vind", + "windy-variant": "Vind" }, - "person": { - "home": "Heime", - "not_home": "Borte " - } - }, - "state_badge": { - "default": { - "unknown": "Ukjent", - "unavailable": "Utilgjengeleg", - "error": "Feil", - "entity_not_found": "Fann ikkje einheten" - }, - "alarm_control_panel": { - "armed": "Påslått", - "disarmed": "Deaktiver", - "armed_home": "Påslått", - "armed_away": "Påslått", - "armed_night": "Påslått", - "pending": "Ventar", - "arming": "Slår på", - "disarming": "Slå av", - "triggered": "Utløys", - "armed_custom_bypass": "Påslått" - }, - "device_tracker": { - "home": "Heime", - "not_home": "Borte" - }, - "person": { - "home": "Heime", - "not_home": "Borte" + "zwave": { + "default": { + "dead": "Død", + "initializing": "Initialiserer", + "ready": "Klar", + "sleeping": "Søv" + }, + "query_stage": { + "dead": "Død ({query_stage})", + "initializing": "Initialiserer ({query_stage})" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Fjern fullført", - "add_item": "Legg til", - "microphone_tip": "Trykk på mikorfonen øvst til høgre og sei \"Add candy to my shopping list\"" - }, - "developer-tools": { - "tabs": { - "services": { - "title": "Tenester" - }, - "states": { - "title": "Statusar" - }, - "events": { - "title": "Hendingar" - }, - "templates": { - "title": "Malar" - }, - "mqtt": { - "title": "MQTT" - }, - "info": { - "title": "Info" - }, - "logs": { - "title": "Loggar" - } - } - }, - "history": { - "showing_entries": "Viser oppføringer for", - "period": "Periode" - }, - "logbook": { - "showing_entries": "Visar oppføringar for", - "period": "Periode" - }, - "mailbox": { - "empty": "Du har ingen meldingar", - "playback_title": "Meldingsavspeling", - "delete_prompt": "Vil du slette denne meldinga?", - "delete_button": "Slett" - }, - "config": { - "header": "Konfigurer Home Assistant", - "introduction": "Her er det mogleg å konfigurere dine komponenter og Home Assistant. Ikkje alt er mogleg å konfigurere frå brukarsnittet endå, men vi jobbar med saka.", - "core": { - "caption": "Generelt", - "description": "Valider konfigurasjonsfilen din og kontroller serveren", - "section": { - "core": { - "header": "Konfigurasjon og serverkontroll", - "introduction": "Vi veit at endringar i konfigurasjonen kan vere ein slitsam prosess. Denne delen vil forsøke å gjere livet ditt litt lettare.", - "core_config": { - "edit_requires_storage": "Redigeringsverkty deaktivert sidan konfigurasjonener lagra i configuration.yaml", - "location_name": "Namnet på Home Assistant-installasjonen din.", - "latitude": "Breiddegrad", - "longitude": "Lengdegrad", - "elevation": "Høgde", - "elevation_meters": "Meter", - "time_zone": "Tidssone", - "unit_system": "Måleining", - "unit_system_imperial": "Imperisk", - "unit_system_metric": "Metrisk", - "imperial_example": "Fahrenheit, pound", - "metric_example": "Celsius, kilogram", - "save_button": "Lagre" - } - }, - "server_control": { - "validation": { - "heading": "Konfigurasjonsvalidering", - "introduction": "Sjekk konfigurasjonen din dersom du nyleg har gjort endringar og ønsker å vere sikker på at den er gyldig ved å køyre ein valideringstest", - "check_config": "Sjekk konfigurasjonen", - "valid": "Konfigurasjonen er gyldig!", - "invalid": "Konfigurasjonen er ikkje gyldig" - }, - "reloading": { - "heading": "Lastar konfigurasjon på nytt", - "introduction": "Nokre delar av Home Assistant kan oppdaterast utan ein omstart. Ved å trykke på oppdater, vil Home Assistant forkaste den gjeldande konfigurasjonen og erstatte den med den nye.", - "core": "Oppdater kjerna", - "group": "Oppdater gruppene", - "automation": "Oppdater automasjonane", - "script": "Oppdater skripta" - }, - "server_management": { - "heading": "Serveradministrasjon", - "introduction": "Kontroller Home Assistant-serveren din... frå Home Assistant.", - "restart": "Omstart", - "stop": "Stopp" - } - } - } - }, - "customize": { - "caption": "Tilpassing", - "description": "Tilpass dine einingar", - "picker": { - "header": "Tilpasning", - "introduction": "Modifiser oppføringsattributtane. Dei nyleg lagt til\/endra endringane kjem til å bli sett til verks med ein gang. Fjerna endringar kjem i gang når oppføringa er oppdatert." - } - }, - "automation": { - "caption": "Automasjon", - "description": "Lag og rediger automasjonar", - "picker": { - "header": "Automasjonsredigerar", - "introduction": "Automasjonsredigeringa tillet deg å lage og redigere automasjonar. Ver vennleg og les [instruksjonane](https:\/\/home-assistant.io\/docs\/automation\/editor\/) for å vere sikker på om du har konfigurert Home Assistant rett.", - "pick_automation": "Vel ein automasjon for å redigere", - "no_automations": "Vi klarte ikkje å finne nokon automasjonar som kunne redigerast", - "add_automation": "Legg til automasjon", - "learn_more": "Lær meir om automasjonar" - }, - "editor": { - "introduction": "Bruk automasjonar til å gi liv til heimen din", - "default_name": "Ny automasjon", - "save": "Lagre", - "unsaved_confirm": "Du har endringar som ikkje er lagra. Er du sikker på at du vil forlate?", - "alias": "Namn", - "triggers": { - "header": "Utløysarar", - "introduction": "Utløysarar er det som startar ein prosess i ein automasjonsregel. Det er mogleg å spesifisere fleire utløysarar for same regel. Når ein utløysar startar, vil Home Assistant validere føresetnadane, dersom der er nokon, og så setje i gang handlinga.\n\n[Lær meir om utløysarar.](https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", - "add": "Legg til utløysar", - "duplicate": "Dupliser", - "delete": "Slett", - "delete_confirm": "Er du sikker på at du vil slette?", - "unsupported_platform": "Ikkje støtta plattform: {platform}", - "type_select": "Utløysartype", - "type": { - "event": { - "label": "Hending", - "event_type": "Hendingstype", - "event_data": "TIlstandsdata" - }, - "state": { - "label": "Tilstand", - "from": "Frå", - "to": "Til", - "for": "For" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Hending:", - "start": "Oppstart", - "shutdown": "Slå av" - }, - "mqtt": { - "label": "MQTT", - "topic": "Emne", - "payload": "Nyttelast (valfritt)" - }, - "numeric_state": { - "label": "Numerisk tilstand", - "above": "Over", - "below": "Under", - "value_template": "Verdimal (valfritt)" - }, - "sun": { - "label": "Sol", - "event": "Hending:", - "sunrise": "Soloppgang", - "sunset": "Solnedgang", - "offset": "Utsetjing (valfritt)" - }, - "template": { - "label": "Mal", - "value_template": "Verdimal" - }, - "time": { - "label": "Tid", - "at": "Ved" - }, - "zone": { - "label": "Sone", - "entity": "Eining med posisjon", - "zone": "Sone", - "event": "Hending:", - "enter": "Kjem", - "leave": "Forlet" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook ID" - }, - "time_pattern": { - "label": "Tidsmønster", - "hours": "Timar", - "minutes": "Minutt", - "seconds": "Sekundar" - }, - "geo_location": { - "label": "Geolokasjon", - "source": "Kjelde", - "zone": "Sone", - "event": "Hending:", - "enter": "Gå inn", - "leave": "Forlat" - }, - "device": { - "label": "Oppføring" - } - }, - "learn_more": "Lær meir om utløysarar" - }, - "conditions": { - "header": "Føresetnadar", - "introduction": "Føresetnadar er ein valfri del av automasjonsregelen og kan brukast til å hindre at ei handling vert gjennomført når den er utløyst. Føresetnadane liknar på utløysarane, men er veldig forskjellig frå dei. Ein utløysar vil sjå på hendingar som skjer i systemet, medan ein føresetnad berre ser på korleis systemet er akkuratt no. Ein utløysar kan observere at ein brytar blir skrudt på, medan ein føresetnad berre kan sjå om brytaren er på eller av. \n\n[Lær meir om føresetnadar.](https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", - "add": "Legg til føresetnad", - "duplicate": "Dupliser", - "delete": "Slett", - "delete_confirm": "Er det sekert du vil slettje?", - "unsupported_condition": "Ikkje støtta føresetnad: {condition}", - "type_select": "Føresetnadstype", - "type": { - "state": { - "label": "Tilstand", - "state": "Tilstand" - }, - "numeric_state": { - "label": "Numerisk tilstand", - "above": "Over", - "below": "Under", - "value_template": "Verdimal (valfritt)" - }, - "sun": { - "label": "Sol", - "before": "Før:", - "after": "Etter:", - "before_offset": "Før utsetjing", - "after_offset": "Etter utsetjing", - "sunrise": "Soloppgang", - "sunset": "Solnedgang" - }, - "template": { - "label": "Mal", - "value_template": "Verdimal" - }, - "time": { - "label": "Tid", - "after": "Etter", - "before": "Før" - }, - "zone": { - "label": "Sone", - "entity": "Eining med posisjon", - "zone": "Sone" - }, - "device": { - "label": "Eining" - } - }, - "learn_more": "Lær meir om føresetnader" - }, - "actions": { - "header": "Handlingar", - "introduction": "Handlinga Home Assistant vil gjennomføre når automasjonen vert utløyst.", - "add": "Legg til handling", - "duplicate": "Dupliser", - "delete": "Slett", - "delete_confirm": "Er det sekert du vil slettje?", - "unsupported_action": "Ikkje støtta handling: {action}", - "type_select": "Handlingstype", - "type": { - "service": { - "label": "Hent teneste", - "service_data": "Tenestedata" - }, - "delay": { - "label": "Forseinking", - "delay": "Forsinking" - }, - "wait_template": { - "label": "Vent", - "wait_template": "Ventemal", - "timeout": "Tidsavbrot (valfritt)" - }, - "condition": { - "label": "Føresetnad" - }, - "event": { - "label": "Køyr hending", - "event": "Hending", - "service_data": "Tenestedata" - }, - "device_id": { - "label": "Eining" - } - }, - "learn_more": "Lær meir om handlingar" - }, - "load_error_not_editable": "Berre automasjonar i automations.yaml kan redigerast.", - "load_error_unknown": "Feil ved lasting av automasjon ({err_no})." - } - }, - "script": { - "caption": "Skript", - "description": "Lag og rediger skript" - }, - "zwave": { - "caption": "Z-Wave", - "description": "Administrer Z-Wave-nettverket ditt", - "network_management": { - "header": "Z-Wave-nettverksadministrering", - "introduction": "Køyr kommandoar som påverkar Z-wave-nettverket. Du kjem ikkje til å få tilbakemelding om kommandoande lukkast, men du kan sjekke i OZW-loggen, og prøve å finne ut av det." - }, - "network_status": { - "network_stopped": "Stoppa Z-Wave-nettverket", - "network_starting": "Startar Z-Wave-nettverket", - "network_starting_note": "Dette kan ta ei stund, avhengig av storleiken på nettverket", - "network_started": "Z-Wave-nettverket starta", - "network_started_note_some_queried": "Vakne noder er etterspurt. Sovande noder vert spurt når dei vaknar.", - "network_started_note_all_queried": "Alle nodene er etterspurt." - }, - "services": { - "start_network": "Start nettverket", - "stop_network": "Stopp nettverket", - "heal_network": "Helbred nettverket", - "test_network": "Test nettverket", - "soft_reset": "Mjuk tilbakestilling", - "save_config": "Lagre konfigurasjon", - "add_node_secure": "Legg til sikker node", - "add_node": "Legg til node", - "remove_node": "Fjern noden", - "cancel_command": "Avbryt kommando" - }, - "common": { - "value": "Verdi", - "instance": "Førekomst", - "index": "Indeks", - "unknown": "Ukjent", - "wakeup_interval": "Vekkarintervall" - }, - "values": { - "header": "Nodeverdi" - }, - "node_config": { - "header": "Alternativer for nodekonfigurasjon", - "seconds": "sekund", - "set_wakeup": "Sett eit vekkarintervall", - "config_parameter": "Konfigurer parameter", - "config_value": "Konfigurer verdi", - "true": "Sann", - "false": "Falsk", - "set_config_parameter": "Angi konfigurasjonsparameter" - } - }, - "users": { - "caption": "Brukarar", - "description": "Administrer brukarar", - "picker": { - "title": "Brukar" - }, - "editor": { - "rename_user": "Gi nytt namn til brukaren", - "change_password": "Bytt passord", - "activate_user": "Aktiver brukaren", - "deactivate_user": "Deaktiver brukaren", - "delete_user": "Slett brukar", - "caption": "Sjå brukaren" - }, - "add_user": { - "caption": "Legg til brukar", - "name": "Namn", - "username": "Brukarnamn", - "password": "Passord", - "create": "Lag" - } - }, - "cloud": { - "caption": "Home Assistant Cloud", - "description_login": "Logga inn som {email}", - "description_not_login": "Ikkje logga inn", - "description_features": "Kontroller når du ikkje er heime og integrer med Alexa og Google Assistant" - }, - "integrations": { - "caption": "Integrasjoner", - "description": "Administrer tilkopla einingar og tenester", - "discovered": "Oppdaga", - "configured": "Konfigurer ", - "new": "Sett opp ein ny integrasjon", - "configure": "Konfigurer", - "none": "Ikkje noko konfiguert endå", - "config_entry": { - "no_devices": "Denne integrasjonen har ingen oppføringar", - "no_device": "Oppføringar utan einingar", - "delete_confirm": "Er du sikker på at du vil slette denne integrasjonen?", - "restart_confirm": "Restart Home Assistant for å fjerne denne integrasjonen", - "manuf": "av {manufacturer}", - "via": "Tilkopla via", - "firmware": "Firmware: {version}", - "device_unavailable": "Eininga utilgjengelig", - "entity_unavailable": "Oppføringa utilgjengelig", - "no_area": "Inga område", - "hub": "Tilkopla via" - }, - "config_flow": { - "external_step": { - "description": "Ei ekstern nettside må besøkast for å fullføre dette steget.", - "open_site": "Opne nettside" - } - } - }, - "zha": { - "caption": "ZHA", - "description": "Zigbee heimeautomasjon nettverksadministrering", - "services": { - "reconfigure": "Konfigurer ZHA-eininga (heal device) på nytt. Bruk dette om du har problem med eininga. Dersom eining går på batteri, ver sikker på at den er vaken og tek i mot kommandar når du brukar denne tenesta.", - "updateDeviceName": "Gje einheten eit eige namn i einhetsregistret.", - "remove": "Fjern einhet frå Zigbee nettverk" - }, - "device_card": { - "device_name_placeholder": "Brukarnamn", - "area_picker_label": "Område", - "update_name_button": "Oppdater namn" - }, - "add_device_page": { - "header": "ZigBee heimeautomasjon - Legg til eining", - "spinner": "Leitar etter ZHA Zigbee-apparat...", - "discovery_text": "Oppdaga einingar synast her. Følg instruksjonane for eininga(ne) og gjer dei klar for samankopling." - } - }, - "area_registry": { - "caption": "Områderegister", - "description": "Oversikt over områda i heimen din.", - "picker": { - "header": "Områderegister", - "introduction": "Områda vert brukt til å organisere kvar einingar er. Denne informasjonen vil bli brukt av Home Assistant for å hjelpe deg å organisere brukargrensesnittet, løyver og integrasjoner med andre system.", - "introduction2": "For å plassere ei eining i eit område, bruk linken under for å navigere til integrasjonssida og trykk deretter på konfigurer integrasjon for å opne einingskortet.", - "integrations_page": "Integrasjonsside", - "no_areas": "Ser ut til at du ikkje har noko område endå!", - "create_area": "Skap område" - }, - "no_areas": "Ser ut til at du ikkje har noko område endå!", - "create_area": "LAG OMRÅDE", - "editor": { - "default_name": "Nytt område", - "delete": "SLETT", - "update": "OPPDATER", - "create": "LAG" - } - }, - "entity_registry": { - "caption": "Oppføringsregister", - "description": "Oversikt over alle kjende oppføringar.", - "picker": { - "header": "Oppføringsregisteret", - "unavailable": "(utilgjengeleg)", - "introduction": "Home Assistant har eit register over alle oppføringane den nokon gang har sett som kan unikt identifiserast. Kvar av desse oppføringane har ein eigen oppføringsidentifikasjon som er reservert for akkuratt denne oppføringa.", - "introduction2": "Bruk oppføringsregisteret til å skrive over namn, endre oppføringsidentifikasjonane eller fjerne oppføringar frå Home Assistant. Merk deg at å fjerne oppføringa i oppføringregisteret ikkje fjernar sjølve oppføringa. For å gjere dette, gå vidare inn på linken under og fjern oppføringa i integrasjonssida.", - "integrations_page": "Integrasjonsside" - }, - "editor": { - "unavailable": "Denne eininga er for augeblinken ikkje tilgjengeleg.", - "default_name": "Nytt område", - "delete": "SLETT", - "update": "OPPDATER", - "enabled_label": "Aktiver oppføringa", - "enabled_cause": "Deaktivert av {cause}.", - "enabled_description": "Deaktiverte eininga kjem ikkje til å verte lagt til i Home Assistant" - } - }, - "person": { - "caption": "Personar", - "description": "Administrer personane Home Assistant sporer.", - "detail": { - "name": "Namn", - "device_tracker_intro": "Vel eininga som høyrer til denne personen.", - "device_tracker_picked": "Spor eining", - "device_tracker_pick": "Vel eining for å spore" - } - }, - "server_control": { - "caption": "Serverkontroll", - "description": "Start om att og stopp Home Assistant-serveren", - "section": { - "validation": { - "heading": "Konfigurasjonsvalidering", - "introduction": "Valider konfigurasjonen dersom du nyleg har gjort endringar, og vil vere sikker på at alt er gyldig.", - "check_config": "Sjekk konfigurasjonen", - "valid": "Konfigurasjone er gyldig!", - "invalid": "Konfigurasjonen er ikkje gyldig" - }, - "reloading": { - "heading": "Konfigurasjonsomlasting", - "introduction": "Nokre delar av Home Assistant kan oppdaterast utan ein omstart. Ved å trykke på oppdater, vil Home Assistant forkaste den gjeldande konfigurasjonen og erstatte den med den nye.", - "core": "Oppdater kjerna", - "group": "Oppdater gruppene", - "automation": "Oppdater automasjonane", - "script": "Oppdater skripta", - "scene": "Omlast scenene" - }, - "server_management": { - "heading": "Serveradministrasjon", - "introduction": "Kontroller Home Assistant-serveren din... frå Home Assistant.", - "restart": "Omstart", - "stop": "Stopp", - "confirm_restart": "Er du sikker på at du ønsker å starte Home Assistant omatt?", - "confirm_stop": "Er du sikker på at du ønsker å stoppe Home Assistant?" - } - } - }, - "devices": { - "caption": "Einingar", - "description": "Administrer tilkopla einingar" - } - }, - "profile": { - "push_notifications": { - "header": "Pushvarslar", - "description": "Send varslar til denne einiga", - "error_load_platform": "Konfigurer notify.html5", - "error_use_https": "Krev SSL-aktivert til frontend", - "push_notifications": "Pushvarslar", - "link_promo": "Lær meir" - }, - "language": { - "header": "Språk", - "link_promo": "Hjelp å oversette", - "dropdown_label": "Språk" - }, - "themes": { - "header": "Tema", - "error_no_theme": "Ingen tema tilgjengeleg", - "link_promo": "Lær om temaer", - "dropdown_label": "Tema" - }, - "refresh_tokens": { - "header": "Oppdateringstokenar", - "description": "Kvar oppdateringstoken representerer ei innloggingsøkt. Oppdateringstokenane vil autoamtisk bli fjerna når du loggar ut. Dei fylgande oppdateringstokenane er aktive på kontoen din.", - "token_title": "Oppdater token for {clientId}", - "created_at": "Laga den {date}", - "confirm_delete": "Er du sikker på at du vil slette oppdateringstoken for {name}?", - "delete_failed": "Kunne ikkje slette oppdateringstoken", - "last_used": "Sist brukt den {date} frå {location}", - "not_used": "Har aldri vore brukt", - "current_token_tooltip": "Kan ikkje slette gjeldande oppdateringstoken" - }, - "long_lived_access_tokens": { - "header": "Langtidslevande tilgangstokenar", - "description": "Lag ein langtidslevande tilgangstoken som tillet skripta dine å samhandle med Home Assistant-instansen. Kvar token vil vere gyldig i 10 år etter oppretting. Dei fylgande langtidslevande tokenane er for tida aktive.", - "learn_auth_requests": "Lær korleis du lagar ein autentisert førespurnad.", - "created_at": "Oppretta den {date}", - "confirm_delete": "Er du sikker på at du vil slette tilgangstoken for {name}?", - "delete_failed": "Klarte ikkje å slette tilgangstoken", - "create": "Lag token", - "create_failed": "Klarte ikkje å lage tilgangstoken.", - "prompt_name": "Namn?", - "prompt_copy_token": "Kopier tilgangstoken. Den vil ikkje visast igjen.", - "empty_state": "Du har ikkje langtidslevande tilgangstoken endå.", - "last_used": "Sist brukt den {date} frå {location}", - "not_used": "Har aldri vore brukt" - }, - "current_user": "Du er for augeblinken logga inn som {fullName}.", - "is_owner": "Du er ein eigar", - "change_password": { - "header": "Bytt passord", - "current_password": "Noverande passord", - "new_password": "Nytt passord", - "confirm_new_password": "Stadfest nytt passord", - "error_required": "Krav", - "submit": "Send inn" - }, - "mfa": { - "header": "Flerfaktorautentiseringsmoduler", - "disable": "Deaktiver", - "enable": "Aktiver", - "confirm_disable": "Er du sikker på at du vil deaktivere {name}?" - }, - "mfa_setup": { - "title_aborted": "Avslutta", - "title_success": "Suksess!", - "step_done": "Oppsett ferdig for {step}", - "close": "Lukk", - "submit": "Send inn" - }, - "logout": "Logg ut", - "force_narrow": { - "header": "Skjul alltid sidefeltet", - "description": "Dette vil skjule sidefeltet som standard. Likner på mobilopplevinga." - } - }, - "page-authorize": { - "initializing": "Set i gang", - "authorizing_client": "Du held på å gi {clientId} tilgang til Home Assistant-instansen din.", - "logging_in_with": "Loggar inn med **{authProviderName}**", - "pick_auth_provider": "Eller logg inn med", - "abort_intro": "Innlogging avbrote", - "form": { - "working": "Ver vennleg og vent", - "unknown_error": "Noko gjekk gale", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Brukarnamn", - "password": "Passord" - } - }, - "mfa": { - "data": { - "code": "To-faktor-autentiseringskode" - }, - "description": "Opne **{mfa_module_name}** på eininga di for å sjå to-faktor-autentiseringskoda og verifiser identiteten din:" - } - }, - "error": { - "invalid_auth": "Ugyldig brukarnamn eller passord", - "invalid_code": "Ugyldig autentiseringskode" - }, - "abort": { - "login_expired": "Økt utløpt. Ver vennleg og logg inn igjen." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "API-passord" - }, - "description": "Ver vennleg og skriv inn API-passordet i HTTP-konfigurasjonen din:" - }, - "mfa": { - "data": { - "code": "To-faktor-autentiseringskode" - }, - "description": "Opne **{mfa_module_name}** på eininga di for å sjå to-faktor-autentiseringskoda og verifiser identiteten din:" - } - }, - "error": { - "invalid_auth": "Ugyldig API-passord", - "invalid_code": "Ugyldig autentiseringskode" - }, - "abort": { - "no_api_password_set": "Du har ikkje laga til eit API-passord", - "login_expired": "Økt utløpt. Ver vennleg å logg inn igjen." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Brukar" - }, - "description": "Ver vennleg og vel ein brukar du vil logge inn som:" - } - }, - "abort": { - "not_whitelisted": "Datamaskina di er ikkje kvitelista." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Brukarnamn", - "password": "Passord" - } - }, - "mfa": { - "data": { - "code": "To-faktorautentiseringskode" - }, - "description": "Opne **{mfa_module_name}** på eininga di for å sjå to-faktor-autentiseringskoda og verifiser identiteten din:" - } - }, - "error": { - "invalid_auth": "Ugyldig brukarnamn eller passord", - "invalid_code": "Ugyldig autentiseringskode" - }, - "abort": { - "login_expired": "Økta er utgått. Ver vennleg å logg inn igjen." - } - } - } - } - }, - "page-onboarding": { - "intro": "Er du klar til å vekke heimen din til liv, vinne tilbake privatlivet ditt og vli med i eit verdsomspennande samfunn av tinkerers?", - "user": { - "intro": "Lat oss begynne med å opprette ein brukarkonto.", - "required_field": "Krav", - "data": { - "name": "Namn", - "username": "Brukarnamn", - "password": "Passord", - "password_confirm": "Stadfest passord" - }, - "create_account": "Lag konto", - "error": { - "required_fields": "Fyll ut dei nødvendige felta", - "password_not_match": "Passorda er ikkje eins" - } - }, - "integration": { - "intro": "Einingar og tenester er representerte i Home Assistant som integrasjonar. Du kan sette dei opp no, eller gjer det seinare i konfigurasjonsmenyen.", - "more_integrations": "Meir", - "finish": "Fullfør" - }, - "core-config": { - "intro": "Hei {name}! Velkomen til Home Assistant. Kva for namn ønsker du å gi heimen din?", - "intro_location": "Vi vil gjerne vite kvar du bur. Denne informasjonen kjem til å hjelpe deg å vise fram informasjon og sette opp solbaserte automasjonar. Dataa vert aldri delt utanom nettverket ditt.", - "intro_location_detect": "Vi kan hjelpe deg med å fylle ut denne informasjonen ved å sende ein eingangsførespurnad til ei ekstern teneste.", - "location_name_default": "Heim", - "button_detect": "Oppdag", - "finish": "Neste" - } - }, - "lovelace": { - "cards": { - "shopping-list": { - "checked_items": "Markerte elementa", - "clear_items": "Fjern dei markerrte elementa", - "add_item": "Legg til element" - }, - "empty_state": { - "title": "Velkommen heim", - "no_devices": "Denne sida let deg ta kontroll på einingane dine, men det ser ut til at du ikkje har sett opp noko endå. Gå til integrasjonssida for å setje i gang.", - "go_to_integrations_page": "Gå til integrasjonssida" - }, - "picture-elements": { - "hold": "Hald:", - "tap": "Rør:", - "navigate_to": "Naviger til {location}", - "toggle": "Endre {name}", - "call_service": "Tilkall teneste {name}", - "more_info": "Vis meir-info: {name}" - } - }, - "editor": { - "edit_card": { - "header": "Kortkonfigurasjon", - "save": "Lagre", - "toggle_editor": "Bytt redigeringsverktøy", - "pick_card": "Vel kortet du vil legge til.", - "add": "Legg til kort", - "edit": "Redigere", - "delete": "Slett", - "move": "Rørsle" - }, - "migrate": { - "header": "Konfigurasjonen er ikkje kompatibel", - "para_no_id": "Dette elementet har ikkje ein ID. Ver vennleg og legg til ein ID til dette elementet i \"ui-lovelace.yaml\"-fila di.", - "para_migrate": "Home assistant kan legge til ID-ar til alle korta og sidene dine automatisk for deg ved å trykke \"Overfør konfigurasjon\"-knappen.", - "migrate": "Overfør konfigurasjon" - }, - "header": "Rediger brukargrensesnitt", - "edit_view": { - "header": "Vis konfigurasjon", - "add": "Legg til side", - "edit": "Rediger sida", - "delete": "Slett sida" - }, - "save_config": { - "header": "Ta kontroll over Lovelace-brukargrensesnittet", - "para": "Som standard kjem Home Assistant til å vedlikehalde brukargrensesnittet, og oppdatere det når nye oppføringar eller Lovelace-komponentar vert tilgjengelege. Dersom du tek kontroll, vil vi ikkje lenger kunne lage dette til automatisk for deg.", - "para_sure": "Er du sikker på at du vil ta kontroll over brukergrensesnittet ditt?", - "cancel": "Gløym det", - "save": "Ta kontroll" - }, - "menu": { - "raw_editor": "Rå konfigurasjonsredigerar" - }, - "raw_editor": { - "header": "Rediger konfigurasjon", - "save": "Lagre", - "unsaved_changes": "Ikkje lagra endringar", - "saved": "Lagra" - }, - "edit_lovelace": { - "header": "Tittelen til Lovelace-brukargrensesnittet", - "explanation": "Denne tittelen vert vist over alle visningane dine i Lovelace" - }, - "card": { - "generic": { - "name": "Namn" - } - } - }, - "menu": { - "configure_ui": "Konfigurer brukargrensesnitt", - "unused_entities": "Ubrukte oppføringar", - "help": "Hjelp", - "refresh": "Oppdater" - }, - "warning": { - "entity_not_found": "Oppføringa er utilgjengelig: {entity}", - "entity_non_numeric": "Oppføringa er ikkje numerisk: {entity}" - }, - "changed_toast": { - "message": "Lovelace-konfigurasjonen vart oppdatert. Ønsker du å friske opp?", - "refresh": "Frisk opp" - }, - "reload_lovelace": "Omlast Lovelace" - }, - "page-demo": { - "cards": { - "demo": { - "demo_by": "av {name}", - "next_demo": "Neste demo", - "introduction": "Velkommen heim! Du har no nådd Home Assistant-demoen, der vi viser fram nokre av dei beste brukargrensesnitta laga av samfunnet våra.", - "learn_more": "Lær meir om Home Assistant" - } - }, - "config": { - "arsaboo": { - "names": { - "upstairs": "Oppe", - "family_room": "Stove", - "kitchen": "Kjøkken", - "patio": "Patio", - "hallway": "Gang", - "master_bedroom": "Hovudsoverom", - "left": "Left", - "right": "Høgre", - "mirror": "Spegel" - }, - "labels": { - "lights": "Lys", - "information": "Informasjon", - "morning_commute": "Morgonreise", - "commute_home": "Reise heim", - "entertainment": "Underhaldning", - "activity": "Aktivitet", - "hdmi_input": "HDMI-inngang", - "hdmi_switcher": "HDMI-veljar", - "volume": "Volum", - "total_tv_time": "Total TV-tid", - "turn_tv_off": "Slå av TV", - "air": "Luft" - }, - "unit": { - "watching": "ser", - "minutes_abbr": "min" - } - } - } - } - }, - "sidebar": { - "log_out": "Logg ut", - "external_app_configuration": "App-konfigurasjon" - }, - "common": { - "loading": "Lastar", - "cancel": "Avbryt", - "save": "Lagre", - "successfully_saved": "Vellukka lagring" - }, - "duration": { - "day": "{count} {count, plural,\none {dag}\nother {dagar}\n}", - "week": "{count} {count, plural,\none {veke}\nother {veker}\n}", - "second": "{count} {count, plural,\none {sekund}\nother {sekundar}\n}", - "minute": "{count} {count, plural,\none {minutt}\nother {minutt}\n}", - "hour": "{count} {count, plural,\none {time}\nother {timar}\n}" - }, - "login-form": { - "password": "Passord", - "remember": "Hugs", - "log_in": "Logg inn" + "auth_store": { + "ask": "Vil du lagre denne pålogginga?", + "confirm": "Lagre innlogging", + "decline": "Nei takk" }, "card": { + "alarm_control_panel": { + "arm_away": "Bortemodus", + "arm_custom_bypass": "Tilpassa bypass", + "arm_home": "Heimemodus", + "arm_night": "Aktiver natt", + "armed_custom_bypass": "Tilpassa bypass", + "clear_code": "Slett alt", + "code": "Kode", + "disarm": "Skru av" + }, + "automation": { + "last_triggered": "Sist utløyst", + "trigger": "Utløysar" + }, "camera": { "not_available": "Bilete ikkje tilgjengeleg" }, + "climate": { + "aux_heat": "Aux-varme", + "away_mode": "Bortemodus", + "currently": "Akkuratt no", + "fan_mode": "Viftemodus", + "on_off": "På \/ av", + "operation": "Operasjon", + "preset_mode": "Mal", + "swing_mode": "Svingmodus", + "target_humidity": "Fuktigheitsmål", + "target_temperature": "Temperaturmål" + }, + "cover": { + "position": "Posisjon", + "tilt_position": "Tiltposisjon" + }, + "fan": { + "direction": "Retning", + "forward": "Framover", + "oscillate": "Sving", + "reverse": "Bakover", + "speed": "Fart" + }, + "light": { + "brightness": "Lysstyrke", + "color_temperature": "Fargetemperatur", + "effect": "Effekt", + "white_value": "Kvitverdi" + }, + "lock": { + "code": "Kode", + "lock": "Lås", + "unlock": "Lås opp" + }, + "media_player": { + "sound_mode": "Lydmodus", + "source": "Kjelde", + "text_to_speak": "Tekst til tale" + }, "persistent_notification": { "dismiss": "Avvis" }, @@ -1179,6 +464,30 @@ "script": { "execute": "Utfør" }, + "timer": { + "actions": { + "cancel": "avbryt", + "finish": "fullfør", + "pause": "pause", + "start": "start" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Fortsett reingjeringa", + "return_to_base": "Gå tilbake til ladestasjonen", + "start_cleaning": "Start reingjering", + "turn_off": "Skru av", + "turn_on": "Skru på" + } + }, + "water_heater": { + "away_mode": "Bortemodus", + "currently": "For augeblinken", + "on_off": "På \/ av", + "operation": "Operasjon", + "target_temperature": "Temperaturmål" + }, "weather": { "attributes": { "air_pressure": "Lufttrykk", @@ -1194,8 +503,8 @@ "n": "N", "ne": "NØ", "nne": "NNØ", - "nw": "NV", "nnw": "NNV", + "nw": "NV", "s": "S", "se": "SØ", "sse": "SSØ", @@ -1206,123 +515,45 @@ "wsw": "VSV" }, "forecast": "Vêrmelding" - }, - "alarm_control_panel": { - "code": "Kode", - "clear_code": "Slett alt", - "disarm": "Skru av", - "arm_home": "Heimemodus", - "arm_away": "Bortemodus", - "arm_night": "Aktiver natt", - "armed_custom_bypass": "Tilpassa bypass", - "arm_custom_bypass": "Tilpassa bypass" - }, - "automation": { - "last_triggered": "Sist utløyst", - "trigger": "Utløysar" - }, - "cover": { - "position": "Posisjon", - "tilt_position": "Tiltposisjon" - }, - "fan": { - "speed": "Fart", - "oscillate": "Sving", - "direction": "Retning", - "forward": "Framover", - "reverse": "Bakover" - }, - "light": { - "brightness": "Lysstyrke", - "color_temperature": "Fargetemperatur", - "white_value": "Kvitverdi", - "effect": "Effekt" - }, - "media_player": { - "text_to_speak": "Tekst til tale", - "source": "Kjelde", - "sound_mode": "Lydmodus" - }, - "climate": { - "currently": "Akkuratt no", - "on_off": "På \/ av", - "target_temperature": "Temperaturmål", - "target_humidity": "Fuktigheitsmål", - "operation": "Operasjon", - "fan_mode": "Viftemodus", - "swing_mode": "Svingmodus", - "away_mode": "Bortemodus", - "aux_heat": "Aux-varme", - "preset_mode": "Mal" - }, - "lock": { - "code": "Kode", - "lock": "Lås", - "unlock": "Lås opp" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Fortsett reingjeringa", - "return_to_base": "Gå tilbake til ladestasjonen", - "start_cleaning": "Start reingjering", - "turn_on": "Skru på", - "turn_off": "Skru av" - } - }, - "water_heater": { - "currently": "For augeblinken", - "on_off": "På \/ av", - "target_temperature": "Temperaturmål", - "operation": "Operasjon", - "away_mode": "Bortemodus" - }, - "timer": { - "actions": { - "start": "start", - "pause": "pause", - "cancel": "avbryt", - "finish": "fullfør" - } } }, + "common": { + "cancel": "Avbryt", + "loading": "Lastar", + "save": "Lagre", + "successfully_saved": "Vellukka lagring" + }, "components": { "entity": { "entity-picker": { "entity": "Eining" } }, - "service-picker": { - "service": "Teneste" - }, - "relative_time": { - "past": "{time} sidan", - "future": "Om {time}", - "never": "Aldri", - "duration": { - "second": "{count} {count, plural,\none {sekund}\nother {sekundar}\n}", - "minute": "{count} {count, plural,\none {minutt}\nother {minutt}\n}", - "hour": "{count} {count, plural,\none {time}\nother {timar}\n}", - "day": "{count} {count, plural,\none {dag}\nother {dagar}\n}", - "week": "{count} {count, plural,\none {veke}\nother {veker}\n}" - } - }, "history_charts": { "loading_history": "Lastar tilstandshistoria...", "no_history_found": "Inga tilstandshistorie funne" + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\none {dag}\\nother {dagar}\\n}", + "hour": "{count} {count, plural,\\none {time}\\nother {timar}\\n}", + "minute": "{count} {count, plural,\\none {minutt}\\nother {minutt}\\n}", + "second": "{count} {count, plural,\\none {sekund}\\nother {sekundar}\\n}", + "week": "{count} {count, plural,\\none {veke}\\nother {veker}\\n}" + }, + "future": "Om {time}", + "never": "Aldri", + "past": "{time} sidan" + }, + "service-picker": { + "service": "Teneste" } }, - "notification_toast": { - "entity_turned_on": "Skrudde på {entity}.", - "entity_turned_off": "Skrudde av {entity}.", - "service_called": "Tenesten {service} tilkalla", - "service_call_failed": "Klarte ikkje å kalle tenesten {service}.", - "connection_lost": "Tilkopling mista. Prøver å kople til på nytt.." - }, "dialogs": { - "more_info_settings": { - "save": "Lagre", - "name": "Namn", - "entity_id": "Einings-ID" + "config_entry_system_options": { + "enable_new_entities_description": "Dersom denne er deaktivert, kjem ikkje nyoppdaga oppføringar til å bli automatisk lagt til i Home Assistant.", + "enable_new_entities_label": "Aktiver nyleg tillagde oppføringar.", + "title": "Systemval" }, "more_info_control": { "script": { @@ -1337,6 +568,11 @@ "title": "Oppdater instruksane" } }, + "more_info_settings": { + "entity_id": "Einings-ID", + "name": "Namn", + "save": "Lagre" + }, "options_flow": { "form": { "header": "Val" @@ -1345,125 +581,889 @@ "description": "Vala vart lagra vellukka." } }, - "config_entry_system_options": { - "title": "Systemval", - "enable_new_entities_label": "Aktiver nyleg tillagde oppføringar.", - "enable_new_entities_description": "Dersom denne er deaktivert, kjem ikkje nyoppdaga oppføringar til å bli automatisk lagt til i Home Assistant." - }, "zha_device_info": { "manuf": "av {manufacturer}", "no_area": "Inga område", "services": { "reconfigure": "Konfigurer ZHA-eininga (heal device) på nytt. Bruk dette om du har problem med eininga. Dersom eininga går på batteri, ver sikker på at den er vaken og tek i mot kommandar når du brukar denne tenesta.", - "updateDeviceName": "Gje oppføringa eit eige namn i oppføringsregisteret. ", - "remove": "Fjern eining frå Zigbee-nettverket" + "remove": "Fjern eining frå Zigbee-nettverket", + "updateDeviceName": "Gje oppføringa eit eige namn i oppføringsregisteret. " }, "zha_device_card": { - "device_name_placeholder": "Gitt brukarnamn", "area_picker_label": "Område", + "device_name_placeholder": "Gitt brukarnamn", "update_name_button": "Oppdater namn" } } }, - "auth_store": { - "ask": "Vil du lagre denne pålogginga?", - "decline": "Nei takk", - "confirm": "Lagre innlogging" + "duration": { + "day": "{count} {count, plural,\\none {dag}\\nother {dagar}\\n}", + "hour": "{count} {count, plural,\\none {time}\\nother {timar}\\n}", + "minute": "{count} {count, plural,\\none {minutt}\\nother {minutt}\\n}", + "second": "{count} {count, plural,\\none {sekund}\\nother {sekundar}\\n}", + "week": "{count} {count, plural,\\none {veke}\\nother {veker}\\n}" + }, + "login-form": { + "log_in": "Logg inn", + "password": "Passord", + "remember": "Hugs" }, "notification_drawer": { "click_to_configure": "Klikk på knappen for å konfigurere {entity}", "empty": "Ingen varslar", "title": "Varsler" - } - }, - "domain": { - "alarm_control_panel": "Alarmkontrollpanel", - "automation": "Automasjonar", - "binary_sensor": "Binærsensor", - "calendar": "Kalendar", - "camera": "Kamera", - "climate": "Klima", - "configurator": "Konfigurator", - "conversation": "Samtale", - "cover": "Dekke", - "device_tracker": "Einingssporing", - "fan": "Vifte", - "history_graph": "Historisk graf", - "group": "Gruppe", - "image_processing": "Biletehandsaming", - "input_boolean": "Angje boolsk", - "input_datetime": "Angje dato", - "input_select": "Angje val", - "input_number": "Angje nummer", - "input_text": "Angje tekst", - "light": "Lys", - "lock": "Lås", - "mailbox": "Postkasse", - "media_player": "Mediaspelar", - "notify": "Varsle", - "plant": "Plante", - "proximity": "Nærleik", - "remote": "Fjernkontroll", - "scene": "Scene", - "script": "Skript", - "sensor": "Sensor", - "sun": "Sol", - "switch": "Brytar", - "updater": "Oppdateringar", - "weblink": "Nettlenke", - "zwave": "Z-Wave", - "vacuum": "Støvsugar", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Systemhelse", - "person": "Person" - }, - "attribute": { - "weather": { - "humidity": "Luftfuktigheit", - "visibility": "Sikt", - "wind_speed": "Vindhastigheit" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Av", - "on": "På", - "auto": "Auto" + }, + "notification_toast": { + "connection_lost": "Tilkopling mista. Prøver å kople til på nytt..", + "entity_turned_off": "Skrudde av {entity}.", + "entity_turned_on": "Skrudde på {entity}.", + "service_call_failed": "Klarte ikkje å kalle tenesten {service}.", + "service_called": "Tenesten {service} tilkalla" + }, + "panel": { + "config": { + "area_registry": { + "caption": "Områderegister", + "create_area": "LAG OMRÅDE", + "description": "Oversikt over områda i heimen din.", + "editor": { + "create": "LAG", + "default_name": "Nytt område", + "delete": "SLETT", + "update": "OPPDATER" + }, + "no_areas": "Ser ut til at du ikkje har noko område endå!", + "picker": { + "create_area": "Skap område", + "header": "Områderegister", + "integrations_page": "Integrasjonsside", + "introduction": "Områda vert brukt til å organisere kvar einingar er. Denne informasjonen vil bli brukt av Home Assistant for å hjelpe deg å organisere brukargrensesnittet, løyver og integrasjoner med andre system.", + "introduction2": "For å plassere ei eining i eit område, bruk linken under for å navigere til integrasjonssida og trykk deretter på konfigurer integrasjon for å opne einingskortet.", + "no_areas": "Ser ut til at du ikkje har noko område endå!" + } + }, + "automation": { + "caption": "Automasjon", + "description": "Lag og rediger automasjonar", + "editor": { + "actions": { + "add": "Legg til handling", + "delete": "Slett", + "delete_confirm": "Er det sekert du vil slettje?", + "duplicate": "Dupliser", + "header": "Handlingar", + "introduction": "Handlinga Home Assistant vil gjennomføre når automasjonen vert utløyst.", + "learn_more": "Lær meir om handlingar", + "type_select": "Handlingstype", + "type": { + "condition": { + "label": "Føresetnad" + }, + "delay": { + "delay": "Forsinking", + "label": "Forseinking" + }, + "device_id": { + "label": "Eining" + }, + "event": { + "event": "Hending", + "label": "Køyr hending", + "service_data": "Tenestedata" + }, + "service": { + "label": "Hent teneste", + "service_data": "Tenestedata" + }, + "wait_template": { + "label": "Vent", + "timeout": "Tidsavbrot (valfritt)", + "wait_template": "Ventemal" + } + }, + "unsupported_action": "Ikkje støtta handling: {action}" + }, + "alias": "Namn", + "conditions": { + "add": "Legg til føresetnad", + "delete": "Slett", + "delete_confirm": "Er det sekert du vil slettje?", + "duplicate": "Dupliser", + "header": "Føresetnadar", + "introduction": "Føresetnadar er ein valfri del av automasjonsregelen og kan brukast til å hindre at ei handling vert gjennomført når den er utløyst. Føresetnadane liknar på utløysarane, men er veldig forskjellig frå dei. Ein utløysar vil sjå på hendingar som skjer i systemet, medan ein føresetnad berre ser på korleis systemet er akkuratt no. Ein utløysar kan observere at ein brytar blir skrudt på, medan ein føresetnad berre kan sjå om brytaren er på eller av. \\n\\n[Lær meir om føresetnadar.](https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", + "learn_more": "Lær meir om føresetnader", + "type_select": "Føresetnadstype", + "type": { + "device": { + "label": "Eining" + }, + "numeric_state": { + "above": "Over", + "below": "Under", + "label": "Numerisk tilstand", + "value_template": "Verdimal (valfritt)" + }, + "state": { + "label": "Tilstand", + "state": "Tilstand" + }, + "sun": { + "after": "Etter:", + "after_offset": "Etter utsetjing", + "before": "Før:", + "before_offset": "Før utsetjing", + "label": "Sol", + "sunrise": "Soloppgang", + "sunset": "Solnedgang" + }, + "template": { + "label": "Mal", + "value_template": "Verdimal" + }, + "time": { + "after": "Etter", + "before": "Før", + "label": "Tid" + }, + "zone": { + "entity": "Eining med posisjon", + "label": "Sone", + "zone": "Sone" + } + }, + "unsupported_condition": "Ikkje støtta føresetnad: {condition}" + }, + "default_name": "Ny automasjon", + "introduction": "Bruk automasjonar til å gi liv til heimen din", + "load_error_not_editable": "Berre automasjonar i automations.yaml kan redigerast.", + "load_error_unknown": "Feil ved lasting av automasjon ({err_no}).", + "save": "Lagre", + "triggers": { + "add": "Legg til utløysar", + "delete": "Slett", + "delete_confirm": "Er du sikker på at du vil slette?", + "duplicate": "Dupliser", + "header": "Utløysarar", + "introduction": "Utløysarar er det som startar ein prosess i ein automasjonsregel. Det er mogleg å spesifisere fleire utløysarar for same regel. Når ein utløysar startar, vil Home Assistant validere føresetnadane, dersom der er nokon, og så setje i gang handlinga.\\n\\n[Lær meir om utløysarar.](https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", + "learn_more": "Lær meir om utløysarar", + "type_select": "Utløysartype", + "type": { + "device": { + "label": "Oppføring" + }, + "event": { + "event_data": "TIlstandsdata", + "event_type": "Hendingstype", + "label": "Hending" + }, + "geo_location": { + "enter": "Gå inn", + "event": "Hending:", + "label": "Geolokasjon", + "leave": "Forlat", + "source": "Kjelde", + "zone": "Sone" + }, + "homeassistant": { + "event": "Hending:", + "label": "Home Assistant", + "shutdown": "Slå av", + "start": "Oppstart" + }, + "mqtt": { + "label": "MQTT", + "payload": "Nyttelast (valfritt)", + "topic": "Emne" + }, + "numeric_state": { + "above": "Over", + "below": "Under", + "label": "Numerisk tilstand", + "value_template": "Verdimal (valfritt)" + }, + "state": { + "for": "For", + "from": "Frå", + "label": "Tilstand", + "to": "Til" + }, + "sun": { + "event": "Hending:", + "label": "Sol", + "offset": "Utsetjing (valfritt)", + "sunrise": "Soloppgang", + "sunset": "Solnedgang" + }, + "template": { + "label": "Mal", + "value_template": "Verdimal" + }, + "time_pattern": { + "hours": "Timar", + "label": "Tidsmønster", + "minutes": "Minutt", + "seconds": "Sekundar" + }, + "time": { + "at": "Ved", + "label": "Tid" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook ID" + }, + "zone": { + "enter": "Kjem", + "entity": "Eining med posisjon", + "event": "Hending:", + "label": "Sone", + "leave": "Forlet", + "zone": "Sone" + } + }, + "unsupported_platform": "Ikkje støtta plattform: {platform}" + }, + "unsaved_confirm": "Du har endringar som ikkje er lagra. Er du sikker på at du vil forlate?" + }, + "picker": { + "add_automation": "Legg til automasjon", + "header": "Automasjonsredigerar", + "introduction": "Automasjonsredigeringa tillet deg å lage og redigere automasjonar. Ver vennleg og les [instruksjonane](https:\/\/home-assistant.io\/docs\/automation\/editor\/) for å vere sikker på om du har konfigurert Home Assistant rett.", + "learn_more": "Lær meir om automasjonar", + "no_automations": "Vi klarte ikkje å finne nokon automasjonar som kunne redigerast", + "pick_automation": "Vel ein automasjon for å redigere" + } + }, + "cloud": { + "caption": "Home Assistant Cloud", + "description_features": "Kontroller når du ikkje er heime og integrer med Alexa og Google Assistant", + "description_login": "Logga inn som {email}", + "description_not_login": "Ikkje logga inn" + }, + "core": { + "caption": "Generelt", + "description": "Valider konfigurasjonsfilen din og kontroller serveren", + "section": { + "core": { + "core_config": { + "edit_requires_storage": "Redigeringsverkty deaktivert sidan konfigurasjonener lagra i configuration.yaml", + "elevation": "Høgde", + "elevation_meters": "Meter", + "imperial_example": "Fahrenheit, pound", + "latitude": "Breiddegrad", + "location_name": "Namnet på Home Assistant-installasjonen din.", + "longitude": "Lengdegrad", + "metric_example": "Celsius, kilogram", + "save_button": "Lagre", + "time_zone": "Tidssone", + "unit_system": "Måleining", + "unit_system_imperial": "Imperisk", + "unit_system_metric": "Metrisk" + }, + "header": "Konfigurasjon og serverkontroll", + "introduction": "Vi veit at endringar i konfigurasjonen kan vere ein slitsam prosess. Denne delen vil forsøke å gjere livet ditt litt lettare." + }, + "server_control": { + "reloading": { + "automation": "Oppdater automasjonane", + "core": "Oppdater kjerna", + "group": "Oppdater gruppene", + "heading": "Lastar konfigurasjon på nytt", + "introduction": "Nokre delar av Home Assistant kan oppdaterast utan ein omstart. Ved å trykke på oppdater, vil Home Assistant forkaste den gjeldande konfigurasjonen og erstatte den med den nye.", + "script": "Oppdater skripta" + }, + "server_management": { + "heading": "Serveradministrasjon", + "introduction": "Kontroller Home Assistant-serveren din... frå Home Assistant.", + "restart": "Omstart", + "stop": "Stopp" + }, + "validation": { + "check_config": "Sjekk konfigurasjonen", + "heading": "Konfigurasjonsvalidering", + "introduction": "Sjekk konfigurasjonen din dersom du nyleg har gjort endringar og ønsker å vere sikker på at den er gyldig ved å køyre ein valideringstest", + "invalid": "Konfigurasjonen er ikkje gyldig", + "valid": "Konfigurasjonen er gyldig!" + } + } + } + }, + "customize": { + "caption": "Tilpassing", + "description": "Tilpass dine einingar", + "picker": { + "header": "Tilpasning", + "introduction": "Modifiser oppføringsattributtane. Dei nyleg lagt til\/endra endringane kjem til å bli sett til verks med ein gang. Fjerna endringar kjem i gang når oppføringa er oppdatert." + } + }, + "devices": { + "caption": "Einingar", + "description": "Administrer tilkopla einingar" + }, + "entity_registry": { + "caption": "Oppføringsregister", + "description": "Oversikt over alle kjende oppføringar.", + "editor": { + "default_name": "Nytt område", + "delete": "SLETT", + "enabled_cause": "Deaktivert av {cause}.", + "enabled_description": "Deaktiverte eininga kjem ikkje til å verte lagt til i Home Assistant", + "enabled_label": "Aktiver oppføringa", + "unavailable": "Denne eininga er for augeblinken ikkje tilgjengeleg.", + "update": "OPPDATER" + }, + "picker": { + "header": "Oppføringsregisteret", + "integrations_page": "Integrasjonsside", + "introduction": "Home Assistant har eit register over alle oppføringane den nokon gang har sett som kan unikt identifiserast. Kvar av desse oppføringane har ein eigen oppføringsidentifikasjon som er reservert for akkuratt denne oppføringa.", + "introduction2": "Bruk oppføringsregisteret til å skrive over namn, endre oppføringsidentifikasjonane eller fjerne oppføringar frå Home Assistant. Merk deg at å fjerne oppføringa i oppføringregisteret ikkje fjernar sjølve oppføringa. For å gjere dette, gå vidare inn på linken under og fjern oppføringa i integrasjonssida.", + "unavailable": "(utilgjengeleg)" + } + }, + "header": "Konfigurer Home Assistant", + "integrations": { + "caption": "Integrasjoner", + "config_entry": { + "delete_confirm": "Er du sikker på at du vil slette denne integrasjonen?", + "device_unavailable": "Eininga utilgjengelig", + "entity_unavailable": "Oppføringa utilgjengelig", + "firmware": "Firmware: {version}", + "hub": "Tilkopla via", + "manuf": "av {manufacturer}", + "no_area": "Inga område", + "no_device": "Oppføringar utan einingar", + "no_devices": "Denne integrasjonen har ingen oppføringar", + "restart_confirm": "Restart Home Assistant for å fjerne denne integrasjonen", + "via": "Tilkopla via" + }, + "config_flow": { + "external_step": { + "description": "Ei ekstern nettside må besøkast for å fullføre dette steget.", + "open_site": "Opne nettside" + } + }, + "configure": "Konfigurer", + "configured": "Konfigurer ", + "description": "Administrer tilkopla einingar og tenester", + "discovered": "Oppdaga", + "new": "Sett opp ein ny integrasjon", + "none": "Ikkje noko konfiguert endå" + }, + "introduction": "Her er det mogleg å konfigurere dine komponenter og Home Assistant. Ikkje alt er mogleg å konfigurere frå brukarsnittet endå, men vi jobbar med saka.", + "person": { + "caption": "Personar", + "description": "Administrer personane Home Assistant sporer.", + "detail": { + "device_tracker_intro": "Vel eininga som høyrer til denne personen.", + "device_tracker_pick": "Vel eining for å spore", + "device_tracker_picked": "Spor eining", + "name": "Namn" + } + }, + "script": { + "caption": "Skript", + "description": "Lag og rediger skript" + }, + "server_control": { + "caption": "Serverkontroll", + "description": "Start om att og stopp Home Assistant-serveren", + "section": { + "reloading": { + "automation": "Oppdater automasjonane", + "core": "Oppdater kjerna", + "group": "Oppdater gruppene", + "heading": "Konfigurasjonsomlasting", + "introduction": "Nokre delar av Home Assistant kan oppdaterast utan ein omstart. Ved å trykke på oppdater, vil Home Assistant forkaste den gjeldande konfigurasjonen og erstatte den med den nye.", + "scene": "Omlast scenene", + "script": "Oppdater skripta" + }, + "server_management": { + "confirm_restart": "Er du sikker på at du ønsker å starte Home Assistant omatt?", + "confirm_stop": "Er du sikker på at du ønsker å stoppe Home Assistant?", + "heading": "Serveradministrasjon", + "introduction": "Kontroller Home Assistant-serveren din... frå Home Assistant.", + "restart": "Omstart", + "stop": "Stopp" + }, + "validation": { + "check_config": "Sjekk konfigurasjonen", + "heading": "Konfigurasjonsvalidering", + "introduction": "Valider konfigurasjonen dersom du nyleg har gjort endringar, og vil vere sikker på at alt er gyldig.", + "invalid": "Konfigurasjonen er ikkje gyldig", + "valid": "Konfigurasjone er gyldig!" + } + } + }, + "users": { + "add_user": { + "caption": "Legg til brukar", + "create": "Lag", + "name": "Namn", + "password": "Passord", + "username": "Brukarnamn" + }, + "caption": "Brukarar", + "description": "Administrer brukarar", + "editor": { + "activate_user": "Aktiver brukaren", + "caption": "Sjå brukaren", + "change_password": "Bytt passord", + "deactivate_user": "Deaktiver brukaren", + "delete_user": "Slett brukar", + "rename_user": "Gi nytt namn til brukaren" + }, + "picker": { + "title": "Brukar" + } + }, + "zha": { + "add_device_page": { + "discovery_text": "Oppdaga einingar synast her. Følg instruksjonane for eininga(ne) og gjer dei klar for samankopling.", + "header": "ZigBee heimeautomasjon - Legg til eining", + "spinner": "Leitar etter ZHA Zigbee-apparat..." + }, + "caption": "ZHA", + "description": "Zigbee heimeautomasjon nettverksadministrering", + "device_card": { + "area_picker_label": "Område", + "device_name_placeholder": "Brukarnamn", + "update_name_button": "Oppdater namn" + }, + "services": { + "reconfigure": "Konfigurer ZHA-eininga (heal device) på nytt. Bruk dette om du har problem med eininga. Dersom eining går på batteri, ver sikker på at den er vaken og tek i mot kommandar når du brukar denne tenesta.", + "remove": "Fjern einhet frå Zigbee nettverk", + "updateDeviceName": "Gje einheten eit eige namn i einhetsregistret." + } + }, + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Indeks", + "instance": "Førekomst", + "unknown": "Ukjent", + "value": "Verdi", + "wakeup_interval": "Vekkarintervall" + }, + "description": "Administrer Z-Wave-nettverket ditt", + "network_management": { + "header": "Z-Wave-nettverksadministrering", + "introduction": "Køyr kommandoar som påverkar Z-wave-nettverket. Du kjem ikkje til å få tilbakemelding om kommandoande lukkast, men du kan sjekke i OZW-loggen, og prøve å finne ut av det." + }, + "network_status": { + "network_started": "Z-Wave-nettverket starta", + "network_started_note_all_queried": "Alle nodene er etterspurt.", + "network_started_note_some_queried": "Vakne noder er etterspurt. Sovande noder vert spurt når dei vaknar.", + "network_starting": "Startar Z-Wave-nettverket", + "network_starting_note": "Dette kan ta ei stund, avhengig av storleiken på nettverket", + "network_stopped": "Stoppa Z-Wave-nettverket" + }, + "node_config": { + "config_parameter": "Konfigurer parameter", + "config_value": "Konfigurer verdi", + "false": "Falsk", + "header": "Alternativer for nodekonfigurasjon", + "seconds": "sekund", + "set_config_parameter": "Angi konfigurasjonsparameter", + "set_wakeup": "Sett eit vekkarintervall", + "true": "Sann" + }, + "services": { + "add_node": "Legg til node", + "add_node_secure": "Legg til sikker node", + "cancel_command": "Avbryt kommando", + "heal_network": "Helbred nettverket", + "remove_node": "Fjern noden", + "save_config": "Lagre konfigurasjon", + "soft_reset": "Mjuk tilbakestilling", + "start_network": "Start nettverket", + "stop_network": "Stopp nettverket", + "test_network": "Test nettverket" + }, + "values": { + "header": "Nodeverdi" + } + } }, - "preset_mode": { - "none": "Inga", - "eco": "Øko", - "away": "Borte", - "boost": "Auke", - "comfort": "Komfort", - "home": "Heime", - "sleep": "Søvn", - "activity": "Aktivitet" + "developer-tools": { + "tabs": { + "events": { + "title": "Hendingar" + }, + "info": { + "title": "Info" + }, + "logs": { + "title": "Loggar" + }, + "mqtt": { + "title": "MQTT" + }, + "services": { + "title": "Tenester" + }, + "states": { + "title": "Statusar" + }, + "templates": { + "title": "Malar" + } + } }, - "hvac_action": { - "off": "Av", - "heating": "Oppvarming", - "cooling": "Nedkjøling", - "drying": "Tørkar", - "idle": "Tomgang", - "fan": "Vifte" + "history": { + "period": "Periode", + "showing_entries": "Viser oppføringer for" + }, + "logbook": { + "period": "Periode", + "showing_entries": "Visar oppføringar for" + }, + "lovelace": { + "cards": { + "empty_state": { + "go_to_integrations_page": "Gå til integrasjonssida", + "no_devices": "Denne sida let deg ta kontroll på einingane dine, men det ser ut til at du ikkje har sett opp noko endå. Gå til integrasjonssida for å setje i gang.", + "title": "Velkommen heim" + }, + "picture-elements": { + "call_service": "Tilkall teneste {name}", + "hold": "Hald:", + "more_info": "Vis meir-info: {name}", + "navigate_to": "Naviger til {location}", + "tap": "Rør:", + "toggle": "Endre {name}" + }, + "shopping-list": { + "add_item": "Legg til element", + "checked_items": "Markerte elementa", + "clear_items": "Fjern dei markerrte elementa" + } + }, + "changed_toast": { + "message": "Lovelace-konfigurasjonen vart oppdatert. Ønsker du å friske opp?", + "refresh": "Frisk opp" + }, + "editor": { + "card": { + "generic": { + "name": "Namn" + } + }, + "edit_card": { + "add": "Legg til kort", + "delete": "Slett", + "edit": "Redigere", + "header": "Kortkonfigurasjon", + "move": "Rørsle", + "pick_card": "Vel kortet du vil legge til.", + "save": "Lagre", + "toggle_editor": "Bytt redigeringsverktøy" + }, + "edit_lovelace": { + "explanation": "Denne tittelen vert vist over alle visningane dine i Lovelace", + "header": "Tittelen til Lovelace-brukargrensesnittet" + }, + "edit_view": { + "add": "Legg til side", + "delete": "Slett sida", + "edit": "Rediger sida", + "header": "Vis konfigurasjon" + }, + "header": "Rediger brukargrensesnitt", + "menu": { + "raw_editor": "Rå konfigurasjonsredigerar" + }, + "migrate": { + "header": "Konfigurasjonen er ikkje kompatibel", + "migrate": "Overfør konfigurasjon", + "para_migrate": "Home assistant kan legge til ID-ar til alle korta og sidene dine automatisk for deg ved å trykke \"Overfør konfigurasjon\"-knappen.", + "para_no_id": "Dette elementet har ikkje ein ID. Ver vennleg og legg til ein ID til dette elementet i \"ui-lovelace.yaml\"-fila di." + }, + "raw_editor": { + "header": "Rediger konfigurasjon", + "save": "Lagre", + "saved": "Lagra", + "unsaved_changes": "Ikkje lagra endringar" + }, + "save_config": { + "cancel": "Gløym det", + "header": "Ta kontroll over Lovelace-brukargrensesnittet", + "para": "Som standard kjem Home Assistant til å vedlikehalde brukargrensesnittet, og oppdatere det når nye oppføringar eller Lovelace-komponentar vert tilgjengelege. Dersom du tek kontroll, vil vi ikkje lenger kunne lage dette til automatisk for deg.", + "para_sure": "Er du sikker på at du vil ta kontroll over brukergrensesnittet ditt?", + "save": "Ta kontroll" + } + }, + "menu": { + "configure_ui": "Konfigurer brukargrensesnitt", + "help": "Hjelp", + "refresh": "Oppdater", + "unused_entities": "Ubrukte oppføringar" + }, + "reload_lovelace": "Omlast Lovelace", + "warning": { + "entity_non_numeric": "Oppføringa er ikkje numerisk: {entity}", + "entity_not_found": "Oppføringa er utilgjengelig: {entity}" + } + }, + "mailbox": { + "delete_button": "Slett", + "delete_prompt": "Vil du slette denne meldinga?", + "empty": "Du har ingen meldingar", + "playback_title": "Meldingsavspeling" + }, + "page-authorize": { + "abort_intro": "Innlogging avbrote", + "authorizing_client": "Du held på å gi {clientId} tilgang til Home Assistant-instansen din.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Økta er utgått. Ver vennleg å logg inn igjen." + }, + "error": { + "invalid_auth": "Ugyldig brukarnamn eller passord", + "invalid_code": "Ugyldig autentiseringskode" + }, + "step": { + "init": { + "data": { + "password": "Passord", + "username": "Brukarnamn" + } + }, + "mfa": { + "data": { + "code": "To-faktorautentiseringskode" + }, + "description": "Opne **{mfa_module_name}** på eininga di for å sjå to-faktor-autentiseringskoda og verifiser identiteten din:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Økt utløpt. Ver vennleg og logg inn igjen." + }, + "error": { + "invalid_auth": "Ugyldig brukarnamn eller passord", + "invalid_code": "Ugyldig autentiseringskode" + }, + "step": { + "init": { + "data": { + "password": "Passord", + "username": "Brukarnamn" + } + }, + "mfa": { + "data": { + "code": "To-faktor-autentiseringskode" + }, + "description": "Opne **{mfa_module_name}** på eininga di for å sjå to-faktor-autentiseringskoda og verifiser identiteten din:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Økt utløpt. Ver vennleg å logg inn igjen.", + "no_api_password_set": "Du har ikkje laga til eit API-passord" + }, + "error": { + "invalid_auth": "Ugyldig API-passord", + "invalid_code": "Ugyldig autentiseringskode" + }, + "step": { + "init": { + "data": { + "password": "API-passord" + }, + "description": "Ver vennleg og skriv inn API-passordet i HTTP-konfigurasjonen din:" + }, + "mfa": { + "data": { + "code": "To-faktor-autentiseringskode" + }, + "description": "Opne **{mfa_module_name}** på eininga di for å sjå to-faktor-autentiseringskoda og verifiser identiteten din:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Datamaskina di er ikkje kvitelista." + }, + "step": { + "init": { + "data": { + "user": "Brukar" + }, + "description": "Ver vennleg og vel ein brukar du vil logge inn som:" + } + } + } + }, + "unknown_error": "Noko gjekk gale", + "working": "Ver vennleg og vent" + }, + "initializing": "Set i gang", + "logging_in_with": "Loggar inn med **{authProviderName}**", + "pick_auth_provider": "Eller logg inn med" + }, + "page-demo": { + "cards": { + "demo": { + "demo_by": "av {name}", + "introduction": "Velkommen heim! Du har no nådd Home Assistant-demoen, der vi viser fram nokre av dei beste brukargrensesnitta laga av samfunnet våra.", + "learn_more": "Lær meir om Home Assistant", + "next_demo": "Neste demo" + } + }, + "config": { + "arsaboo": { + "labels": { + "activity": "Aktivitet", + "air": "Luft", + "commute_home": "Reise heim", + "entertainment": "Underhaldning", + "hdmi_input": "HDMI-inngang", + "hdmi_switcher": "HDMI-veljar", + "information": "Informasjon", + "lights": "Lys", + "morning_commute": "Morgonreise", + "total_tv_time": "Total TV-tid", + "turn_tv_off": "Slå av TV", + "volume": "Volum" + }, + "names": { + "family_room": "Stove", + "hallway": "Gang", + "kitchen": "Kjøkken", + "left": "Left", + "master_bedroom": "Hovudsoverom", + "mirror": "Spegel", + "patio": "Patio", + "right": "Høgre", + "upstairs": "Oppe" + }, + "unit": { + "minutes_abbr": "min", + "watching": "ser" + } + } + } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Oppdag", + "finish": "Neste", + "intro": "Hei {name}! Velkomen til Home Assistant. Kva for namn ønsker du å gi heimen din?", + "intro_location": "Vi vil gjerne vite kvar du bur. Denne informasjonen kjem til å hjelpe deg å vise fram informasjon og sette opp solbaserte automasjonar. Dataa vert aldri delt utanom nettverket ditt.", + "intro_location_detect": "Vi kan hjelpe deg med å fylle ut denne informasjonen ved å sende ein eingangsførespurnad til ei ekstern teneste.", + "location_name_default": "Heim" + }, + "integration": { + "finish": "Fullfør", + "intro": "Einingar og tenester er representerte i Home Assistant som integrasjonar. Du kan sette dei opp no, eller gjer det seinare i konfigurasjonsmenyen.", + "more_integrations": "Meir" + }, + "intro": "Er du klar til å vekke heimen din til liv, vinne tilbake privatlivet ditt og vli med i eit verdsomspennande samfunn av tinkerers?", + "user": { + "create_account": "Lag konto", + "data": { + "name": "Namn", + "password": "Passord", + "password_confirm": "Stadfest passord", + "username": "Brukarnamn" + }, + "error": { + "password_not_match": "Passorda er ikkje eins", + "required_fields": "Fyll ut dei nødvendige felta" + }, + "intro": "Lat oss begynne med å opprette ein brukarkonto.", + "required_field": "Krav" + } + }, + "profile": { + "change_password": { + "confirm_new_password": "Stadfest nytt passord", + "current_password": "Noverande passord", + "error_required": "Krav", + "header": "Bytt passord", + "new_password": "Nytt passord", + "submit": "Send inn" + }, + "current_user": "Du er for augeblinken logga inn som {fullName}.", + "force_narrow": { + "description": "Dette vil skjule sidefeltet som standard. Likner på mobilopplevinga.", + "header": "Skjul alltid sidefeltet" + }, + "is_owner": "Du er ein eigar", + "language": { + "dropdown_label": "Språk", + "header": "Språk", + "link_promo": "Hjelp å oversette" + }, + "logout": "Logg ut", + "long_lived_access_tokens": { + "confirm_delete": "Er du sikker på at du vil slette tilgangstoken for {name}?", + "create": "Lag token", + "create_failed": "Klarte ikkje å lage tilgangstoken.", + "created_at": "Oppretta den {date}", + "delete_failed": "Klarte ikkje å slette tilgangstoken", + "description": "Lag ein langtidslevande tilgangstoken som tillet skripta dine å samhandle med Home Assistant-instansen. Kvar token vil vere gyldig i 10 år etter oppretting. Dei fylgande langtidslevande tokenane er for tida aktive.", + "empty_state": "Du har ikkje langtidslevande tilgangstoken endå.", + "header": "Langtidslevande tilgangstokenar", + "last_used": "Sist brukt den {date} frå {location}", + "learn_auth_requests": "Lær korleis du lagar ein autentisert førespurnad.", + "not_used": "Har aldri vore brukt", + "prompt_copy_token": "Kopier tilgangstoken. Den vil ikkje visast igjen.", + "prompt_name": "Namn?" + }, + "mfa_setup": { + "close": "Lukk", + "step_done": "Oppsett ferdig for {step}", + "submit": "Send inn", + "title_aborted": "Avslutta", + "title_success": "Suksess!" + }, + "mfa": { + "confirm_disable": "Er du sikker på at du vil deaktivere {name}?", + "disable": "Deaktiver", + "enable": "Aktiver", + "header": "Flerfaktorautentiseringsmoduler" + }, + "push_notifications": { + "description": "Send varslar til denne einiga", + "error_load_platform": "Konfigurer notify.html5", + "error_use_https": "Krev SSL-aktivert til frontend", + "header": "Pushvarslar", + "link_promo": "Lær meir", + "push_notifications": "Pushvarslar" + }, + "refresh_tokens": { + "confirm_delete": "Er du sikker på at du vil slette oppdateringstoken for {name}?", + "created_at": "Laga den {date}", + "current_token_tooltip": "Kan ikkje slette gjeldande oppdateringstoken", + "delete_failed": "Kunne ikkje slette oppdateringstoken", + "description": "Kvar oppdateringstoken representerer ei innloggingsøkt. Oppdateringstokenane vil autoamtisk bli fjerna når du loggar ut. Dei fylgande oppdateringstokenane er aktive på kontoen din.", + "header": "Oppdateringstokenar", + "last_used": "Sist brukt den {date} frå {location}", + "not_used": "Har aldri vore brukt", + "token_title": "Oppdater token for {clientId}" + }, + "themes": { + "dropdown_label": "Tema", + "error_no_theme": "Ingen tema tilgjengeleg", + "header": "Tema", + "link_promo": "Lær om temaer" + } + }, + "shopping-list": { + "add_item": "Legg til", + "clear_completed": "Fjern fullført", + "microphone_tip": "Trykk på mikorfonen øvst til høgre og sei \"Add candy to my shopping list\"" } - } - }, - "groups": { - "system-admin": "Administratorer", - "system-users": "Brukarar", - "system-read-only": "Lesebegrensa brukarar" - }, - "config_entry": { - "disabled_by": { - "user": "Brukar", - "integration": "Integrasjon", - "config_entry": "Konfigurer oppføring" + }, + "sidebar": { + "external_app_configuration": "App-konfigurasjon", + "log_out": "Logg ut" } } } \ No newline at end of file diff --git a/translations/pl.json b/translations/pl.json index f4707ab8da..98106dae49 100644 --- a/translations/pl.json +++ b/translations/pl.json @@ -1,53 +1,193 @@ { - "panel": { - "config": "Konfiguracja", - "states": "Przegląd", - "map": "Mapa", - "logbook": "Dziennik", - "history": "Historia", + "attribute": { + "weather": { + "humidity": "Wilgotność", + "visibility": "Widoczność", + "wind_speed": "Prędkość wiatru" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Wpis konfiguracji", + "integration": "Integracja", + "user": "Użytkownik" + } + }, + "domain": { + "alarm_control_panel": "Panel kontrolny alarmu", + "automation": "Automatyzacja", + "binary_sensor": "Sensor binarny", + "calendar": "Kalendarz", + "camera": "Kamera", + "climate": "Klimat", + "configurator": "Konfigurator", + "conversation": "Rozmowa", + "cover": "Pokrywa", + "device_tracker": "Śledzenie urządzeń", + "fan": "Wentylator", + "group": "Grupa", + "hassio": "Hass.io", + "history_graph": "Wykres historii", + "homeassistant": "Home Assistant", + "image_processing": "Przetwarzanie obrazu", + "input_boolean": "Pole logiczne", + "input_datetime": "Pole daty czasu", + "input_number": "Pole numeryczne", + "input_select": "Pole wyboru", + "input_text": "Pole tekstowe", + "light": "Światło", + "lock": "Zamek", + "lovelace": "Lovelace", "mailbox": "Poczta", - "shopping_list": "Lista zakupów", + "media_player": "Odtwarzacz mediów", + "notify": "Powiadomienia", + "person": "Osoba", + "plant": "Roślina", + "proximity": "Zbliżenie", + "remote": "Pilot", + "scene": "Scena", + "script": "Skrypt", + "sensor": "Sensor", + "sun": "Słońce", + "switch": "Przełącznik", + "system_health": "Kondycja systemu", + "updater": "Aktualizator", + "vacuum": "Odkurzacz", + "weblink": "Link", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Administratorzy", + "system-read-only": "Użytkownicy (tylko odczyt)", + "system-users": "Użytkownicy" + }, + "panel": { + "calendar": "Kalendarz", + "config": "Konfiguracja", "dev-info": "Informacje", "developer_tools": "Narzędzia deweloperskie", - "calendar": "Kalendarz", - "profile": "Profil" + "history": "Historia", + "logbook": "Dziennik", + "mailbox": "Poczta", + "map": "Mapa", + "profile": "Profil", + "shopping_list": "Lista zakupów", + "states": "Przegląd" + }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "automatyczny", + "off": "wyłączony", + "on": "włączony" + }, + "hvac_action": { + "cooling": "chłodzenie", + "drying": "osuszanie", + "fan": "wentylator", + "heating": "grzanie", + "idle": "nieaktywny", + "off": "wyłączony" + }, + "preset_mode": { + "activity": "aktywność", + "away": "poza domem", + "boost": "wzmocnienie", + "comfort": "komfort", + "eco": "ekonomicznie", + "home": "w domu", + "none": "brak", + "sleep": "sen" + } + } + }, + "state_badge": { + "alarm_control_panel": { + "armed": "uzbr", + "armed_away": "uzbr", + "armed_custom_bypass": "uzbr", + "armed_home": "uzbr", + "armed_night": "uzbr", + "arming": "uzbr", + "disarmed": "rozbr", + "disarming": "rozbr", + "pending": "oczek", + "triggered": "wyzw" + }, + "default": { + "entity_not_found": "Nie znaleziono encji", + "error": "błąd", + "unavailable": "niedos", + "unknown": "niezn" + }, + "device_tracker": { + "home": "dom", + "not_home": "poza domem" + }, + "person": { + "home": "dom", + "not_home": "poza" + } }, "state": { - "default": { - "off": "wyłączony", - "on": "włączony", - "unknown": "nieznany", - "unavailable": "niedostępny" - }, "alarm_control_panel": { "armed": "uzbrojony", - "disarmed": "rozbrojony", - "armed_home": "uzbrojony (w domu)", "armed_away": "uzbrojony (poza domem)", + "armed_custom_bypass": "uzbrojony (częściowo)", + "armed_home": "uzbrojony (w domu)", "armed_night": "uzbrojony (noc)", - "pending": "oczekuje", "arming": "uzbrajanie", + "disarmed": "rozbrojony", "disarming": "rozbrajanie", - "triggered": "wyzwolony", - "armed_custom_bypass": "uzbrojony (częściowo)" + "pending": "oczekuje", + "triggered": "wyzwolony" }, "automation": { "off": "wyłączony", "on": "włączony" }, "binary_sensor": { + "battery": { + "off": "naładowana", + "on": "rozładowana" + }, + "cold": { + "off": "normalnie", + "on": "zimno" + }, + "connectivity": { + "off": "offline", + "on": "online" + }, "default": { "off": "wyłączony", "on": "włączony" }, - "moisture": { - "off": "brak wilgoci", - "on": "wilgoć" + "door": { + "off": "zamknięte", + "on": "otwarte" + }, + "garage_door": { + "off": "zamknięta", + "on": "otwarta" }, "gas": { "off": "brak", "on": "wykryto" }, + "heat": { + "off": "normalnie", + "on": "gorąco" + }, + "lock": { + "off": "zablokowany", + "on": "odblokowany" + }, + "moisture": { + "off": "brak wilgoci", + "on": "wilgoć" + }, "motion": { "off": "brak", "on": "wykryto" @@ -56,6 +196,22 @@ "off": "brak", "on": "wykryto" }, + "opening": { + "off": "zamknięte", + "on": "otwarte" + }, + "presence": { + "off": "poza domem", + "on": "w domu" + }, + "problem": { + "off": "ok", + "on": "problem" + }, + "safety": { + "off": "brak zagrożenia", + "on": "zagrożenie" + }, "smoke": { "off": "brak", "on": "wykryto" @@ -68,53 +224,9 @@ "off": "brak", "on": "wykryto" }, - "opening": { - "off": "zamknięte", - "on": "otwarte" - }, - "safety": { - "off": "brak zagrożenia", - "on": "zagrożenie" - }, - "presence": { - "off": "poza domem", - "on": "w domu" - }, - "battery": { - "off": "naładowana", - "on": "rozładowana" - }, - "problem": { - "off": "ok", - "on": "problem" - }, - "connectivity": { - "off": "offline", - "on": "online" - }, - "cold": { - "off": "normalnie", - "on": "zimno" - }, - "door": { - "off": "zamknięte", - "on": "otwarte" - }, - "garage_door": { - "off": "zamknięta", - "on": "otwarta" - }, - "heat": { - "off": "normalnie", - "on": "gorąco" - }, "window": { "off": "zamknięte", "on": "otwarte" - }, - "lock": { - "off": "zablokowany", - "on": "odblokowany" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "włączony" }, "camera": { + "idle": "nieaktywna", "recording": "nagrywanie", - "streaming": "strumieniowanie", - "idle": "nieaktywna" + "streaming": "strumieniowanie" }, "climate": { - "off": "wyłączony", - "on": "włączony", - "heat": "grzanie", - "cool": "chłodzenie", - "idle": "nieaktywny", "auto": "automatyczny", + "cool": "chłodzenie", "dry": "osuszanie", - "fan_only": "tylko wentylator", "eco": "ekonomiczny", "electric": "elektryczny", - "performance": "wydajność", - "high_demand": "duży rozbiór", - "heat_pump": "pompa ciepła", + "fan_only": "tylko wentylator", "gas": "gaz", + "heat": "grzanie", + "heat_cool": "grzanie\/chłodzenie", + "heat_pump": "pompa ciepła", + "high_demand": "duży rozbiór", + "idle": "nieaktywny", "manual": "manualnie", - "heat_cool": "grzanie\/chłodzenie" + "off": "wyłączony", + "on": "włączony", + "performance": "wydajność" }, "configurator": { "configure": "Skonfiguruj", "configured": "skonfigurowany" }, "cover": { - "open": "otwarta", - "opening": "otwieranie", "closed": "zamknięta", "closing": "zamykanie", + "open": "otwarta", + "opening": "otwieranie", "stopped": "zatrzymany" }, + "default": { + "off": "wyłączony", + "on": "włączony", + "unavailable": "niedostępny", + "unknown": "nieznany" + }, "device_tracker": { "home": "w domu", "not_home": "poza domem" @@ -164,19 +282,19 @@ "on": "włączony" }, "group": { - "off": "wyłączony", - "on": "włączony", - "home": "w domu", - "not_home": "poza domem", - "open": "otwarte", - "opening": "otwieranie", "closed": "zamknięte", "closing": "zamykanie", - "stopped": "zatrzymany", + "home": "w domu", "locked": "zablokowany", - "unlocked": "odblokowany", + "not_home": "poza domem", + "off": "wyłączony", "ok": "ok", - "problem": "problem" + "on": "włączony", + "open": "otwarte", + "opening": "otwieranie", + "problem": "problem", + "stopped": "zatrzymany", + "unlocked": "odblokowany" }, "input_boolean": { "off": "wyłączony", @@ -191,13 +309,17 @@ "unlocked": "odblokowany" }, "media_player": { + "idle": "nieaktywny", "off": "wyłączony", "on": "włączony", - "playing": "odtwarzanie", "paused": "wstrzymany", - "idle": "nieaktywny", + "playing": "odtwarzanie", "standby": "tryb czuwania" }, + "person": { + "home": "w domu", + "not_home": "poza domem" + }, "plant": { "ok": "ok", "problem": "problem" @@ -225,34 +347,10 @@ "off": "wyłączony", "on": "włączony" }, - "zwave": { - "default": { - "initializing": "inicjalizacja", - "dead": "martwy", - "sleeping": "uśpiony", - "ready": "gotowy" - }, - "query_stage": { - "initializing": "inicjalizacja ({query_stage})", - "dead": "martwy ({query_stage})" - } - }, - "weather": { - "clear-night": "pogodnie, noc", - "cloudy": "pochmurno", - "fog": "mgła", - "hail": "grad", - "lightning": "błyskawice", - "lightning-rainy": "burza", - "partlycloudy": "częściowe zachmurzenie", - "pouring": "ulewa", - "rainy": "deszczowo", - "snowy": "śnieżnie", - "snowy-rainy": "śnieżnie, deszczowo", - "sunny": "słonecznie", - "windy": "wietrznie", - "windy-variant": "wietrznie", - "exceptional": "wyjątkowy" + "timer": { + "active": "aktywny", + "idle": "nieaktywny", + "paused": "wstrzymany" }, "vacuum": { "cleaning": "sprzątanie", @@ -264,210 +362,729 @@ "paused": "wstrzymany", "returning": "powrót do stacji dokującej" }, - "timer": { - "active": "aktywny", - "idle": "nieaktywny", - "paused": "wstrzymany" + "weather": { + "clear-night": "pogodnie, noc", + "cloudy": "pochmurno", + "exceptional": "wyjątkowy", + "fog": "mgła", + "hail": "grad", + "lightning": "błyskawice", + "lightning-rainy": "burza", + "partlycloudy": "częściowe zachmurzenie", + "pouring": "ulewa", + "rainy": "deszczowo", + "snowy": "śnieżnie", + "snowy-rainy": "śnieżnie, deszczowo", + "sunny": "słonecznie", + "windy": "wietrznie", + "windy-variant": "wietrznie" }, - "person": { - "home": "w domu", - "not_home": "poza domem" - } - }, - "state_badge": { - "default": { - "unknown": "niezn", - "unavailable": "niedos", - "error": "błąd", - "entity_not_found": "Nie znaleziono encji" - }, - "alarm_control_panel": { - "armed": "uzbr", - "disarmed": "rozbr", - "armed_home": "uzbr", - "armed_away": "uzbr", - "armed_night": "uzbr", - "pending": "oczek", - "arming": "uzbr", - "disarming": "rozbr", - "triggered": "wyzw", - "armed_custom_bypass": "uzbr" - }, - "device_tracker": { - "home": "dom", - "not_home": "poza domem" - }, - "person": { - "home": "dom", - "not_home": "poza" + "zwave": { + "default": { + "dead": "martwy", + "initializing": "inicjalizacja", + "ready": "gotowy", + "sleeping": "uśpiony" + }, + "query_stage": { + "dead": "martwy ({query_stage})", + "initializing": "inicjalizacja ({query_stage})" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Wyczyść ukończone", - "add_item": "Dodaj element", - "microphone_tip": "Kliknij ikonę mikrofonu w prawym górnym rogu i powiedz “Add candy to my shopping list”" + "auth_store": { + "ask": "Czy chcesz zapamiętać dane logowania?", + "confirm": "Zapamiętaj", + "decline": "Nie, dziękuję" + }, + "card": { + "alarm_control_panel": { + "arm_away": "uzbrojenie (nieobecny)", + "arm_custom_bypass": "Niestandardowy bypass", + "arm_home": "uzbrojenie (w domu)", + "arm_night": "uzbrojenie (noc)", + "armed_custom_bypass": "Uzbrój (częściowo)", + "clear_code": "Wyczyść", + "code": "Kod", + "disarm": "rozbrojenie" }, - "developer-tools": { - "tabs": { - "services": { - "title": "Usługi", - "description": "Narzędzie deweloperskie Usługi pozwala na wywołanie dowolnej dostępnej usługi.", - "data": "Dane usługi (YAML, opcjonalnie)", - "call_service": "Wywołaj usługę", - "select_service": "Wybierz usługę, aby zobaczyć opis", - "no_description": "Opis nie jest dostępny", - "no_parameters": "Ta usługa nie przyjmuje parametrów.", - "column_parameter": "Parametr", - "column_description": "Opis", - "column_example": "Przykład", - "fill_example_data": "Wypełnij przykładowymi danymi", - "alert_parsing_yaml": "Błąd parsowania YAML: {data}" - }, - "states": { - "title": "Stany", - "description1": "Ustaw stany encji urządzeń Home Assistant'a.", - "description2": "Nie wpłynie to na rzeczywiste urządzenia.", - "entity": "Encja", - "state": "Stan", - "attributes": "Atrybuty", - "state_attributes": "Atrybuty stanu (YAML, opcjonalnie)", - "set_state": "Ustaw stan", - "current_entities": "Obecne encje", - "filter_entities": "Filtr encji", - "filter_states": "Filtr stanów", - "filter_attributes": "filtr atrybutów", - "no_entities": "Brak encji", - "more_info": "Więcej informacji", - "alert_entity_field": "Encja jest polem obowiązkowym" - }, - "events": { - "title": "Zdarzenia", - "description": "Wywołaj zdarzenie na szynie zdarzeń.", - "documentation": "Dokumentacja zdarzeń.", - "type": "Typ zdarzenia", - "data": "Dane zdarzenia (YAML, opcjonalnie)", - "fire_event": "Wywołaj zdarzenie", - "event_fired": "Zdarzenie {name} wywołane", - "available_events": "Dostępne zdarzenia", - "count_listeners": " ({count} słuchaczy)", - "listen_to_events": "Nasłuch zdarzeń", - "listening_to": "Nasłuchiwanie...", - "subscribe_to": "Zdarzenie do zasubskrybowania", - "start_listening": "Rozpocznij nasłuch", - "stop_listening": "Zatrzymaj nasłuch", - "alert_event_type": "Typ zdarzenia jest polem obowiązkowym", - "notification_event_fired": "Udało się wywołać zdarzenie {type}!" - }, - "templates": { - "title": "Szablon", - "description": "Szablony są renderowane przy użyciu silnika szablonów Jinja2 z kilkoma specyficznymi rozszerzeniami Home Assistant'a.", - "editor": "Edytor szablonów", - "jinja_documentation": "Dokumentacja szablonów Jinja2", - "template_extensions": "Rozszerzenia szablonów Home Assistant'a", - "unknown_error_template": "Nieznany błąd podczas renderowania szablonu." - }, - "mqtt": { - "title": "MQTT", - "description_publish": "Opublikuj pakiet", - "topic": "temat", - "payload": "Payload (z możliwością użycia szablonów)", - "publish": "Opublikuj", - "description_listen": "Nasłuch tematu", - "listening_to": "Nasłuchiwanie...", - "subscribe_to": "Temat do zasubskrybowania", - "start_listening": "Rozpocznij nasłuch", - "stop_listening": "Zatrzymaj nasłuch", - "message_received": "Wiadomość {id} otrzymana w {topic} o godzinie {time}:" - }, - "info": { - "title": "Informacje", - "remove": "Usuń", - "set": "Ustaw", - "default_ui": "{action} {name} jako domyślną stronę na tym urządzeniu", - "lovelace_ui": "Przejdź do interfejsu użytkownika Lovelace", - "states_ui": "Przejdź do interfejsu użytkownika stanów", - "home_assistant_logo": "Logo Home Assistant", - "path_configuration": "Ścieżka do configuration.yaml: {path}", - "developed_by": "Opracowany przez grono wspaniałych ludzi.", - "license": "Opublikowany na licencji Apache 2.0", - "source": "Źródło:", - "server": "serwer", - "frontend": "frontend-ui", - "built_using": "Zbudowany przy użyciu", - "icons_by": "ikon", - "frontend_version": "Wersja interfejsu użytkownika: {version} - {type}", - "custom_uis": "Niestandardowe interfejsy użytkownika:", - "system_health_error": "Komponent kondycji systemu nie jest załadowany. Dodaj 'system_health:' do pliku configuration.yaml" - }, - "logs": { - "title": "Logi", - "details": "Szczegóły loga ({level})", - "load_full_log": "Załaduj cały log Home Assistant'a", - "loading_log": "Ładowanie loga błędów…", - "no_errors": "Nie zgłoszono żadnych błędów.", - "no_issues": "Nie ma nowych problemów!", - "clear": "Wyczyść", - "refresh": "Odśwież", - "multiple_messages": "wiadomość pojawiła się po raz pierwszy o godzinie {time} i powtarzała się {counter} razy" - } + "automation": { + "last_triggered": "Ostatnie uruchomienie", + "trigger": "Uruchom" + }, + "camera": { + "not_available": "Obraz niedostępny" + }, + "climate": { + "aux_heat": "Dodatkowe źródło ciepła", + "away_mode": "Tryb poza domem", + "cooling": "{name} chłodzenie", + "current_temperature": "{name} aktualna temperatura", + "currently": "Obecnie", + "fan_mode": "Tryb pracy wentylatora", + "heating": "{name} grzanie", + "high": "wysoka", + "low": "niska", + "on_off": "Wł. \/ wył.", + "operation": "Tryb działania", + "preset_mode": "Ustawienia", + "swing_mode": "Tryb ruchu łopatek", + "target_humidity": "Docelowa wilgotność", + "target_temperature": "Docelowa temperatura", + "target_temperature_entity": "{name} temperatura docelowa", + "target_temperature_mode": "{name} temperatura docelowa {mode}" + }, + "counter": { + "actions": { + "decrement": "ubytek", + "increment": "przyrost", + "reset": "reset" } }, - "history": { - "showing_entries": "Wyświetlanie rekordów dla", - "period": "Okres" + "cover": { + "position": "Pozycja", + "tilt_position": "Pochylenie" }, - "logbook": { - "showing_entries": "Wyświetlanie rekordów dla", - "period": "Okres" + "fan": { + "direction": "Kierunek", + "forward": "Naprzód", + "oscillate": "Oscylacja", + "reverse": "Wstecz", + "speed": "Prędkość" }, - "mailbox": { - "empty": "Nie masz żadnych wiadomości", - "playback_title": "Odtwarzanie wiadomości", - "delete_prompt": "Usunąć tę wiadomość?", - "delete_button": "Usunąć" + "light": { + "brightness": "Jasność", + "color_temperature": "Temperatura barwy", + "effect": "Efekt", + "white_value": "Biel" }, + "lock": { + "code": "Kod", + "lock": "Zablokuj", + "unlock": "Odblokuj" + }, + "media_player": { + "sound_mode": "Tryb dźwięku", + "source": "Źródło", + "text_to_speak": "Zamień tekst na mowę" + }, + "persistent_notification": { + "dismiss": "Odrzuć" + }, + "scene": { + "activate": "Aktywuj" + }, + "script": { + "execute": "Uruchom" + }, + "timer": { + "actions": { + "cancel": "anuluj", + "finish": "koniec", + "pause": "pauza", + "start": "start" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Wznów sprzątanie", + "return_to_base": "Wróć do stacji dokującej", + "start_cleaning": "Rozpocznij sprzątanie", + "turn_off": "Wyłącz", + "turn_on": "Włącz" + } + }, + "water_heater": { + "away_mode": "Tryb poza domem", + "currently": "Obecnie", + "on_off": "Wł. \/ wył.", + "operation": "Tryb działania", + "target_temperature": "Temperatura docelowa" + }, + "weather": { + "attributes": { + "air_pressure": "Ciśnienie", + "humidity": "Wilgotność", + "temperature": "Temperatura", + "visibility": "Widoczność", + "wind_speed": "Prędkość wiatru" + }, + "cardinal_direction": { + "e": "zach.", + "ene": "wsch. płn.-wsch.", + "ese": "wsch. płd.-wsch.", + "n": "płn.", + "ne": "płn.-wsch.", + "nne": "płn. płn.-wsch.", + "nnw": "płn. płn.-zach.", + "nw": "płn.-zach.", + "s": "płd.", + "se": "płd.-wsch.", + "sse": "płd. płd.-wsch.", + "ssw": "płd. płd.-zach.", + "sw": "płd.-zach.", + "w": "zach.", + "wnw": "zach. płn.-zach.", + "wsw": "zach. płd.-zach." + }, + "forecast": "Prognoza" + } + }, + "common": { + "cancel": "Anuluj", + "loading": "Ładowanie", + "save": "Zapisz", + "successfully_saved": "Pomyślnie zapisano" + }, + "components": { + "device-picker": { + "clear": "Wyczyść", + "show_devices": "Wyświetl urządzenia" + }, + "entity": { + "entity-picker": { + "clear": "Wyczyść", + "entity": "Encja", + "show_entities": "Wyświetl encje" + } + }, + "history_charts": { + "loading_history": "Ładowanie historii...", + "no_history_found": "Nie znaleziono historii." + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\n one {dzień}\\n other {dni}\\n}", + "hour": "{count} {count, plural,\\n one {godzina}\\n other {godzin(y)}\\n}", + "minute": "{count} {count, plural,\\n one {minuta}\\n other {minut(y)}\\n}", + "second": "{count} {count, plural,\\n one {sekunda}\\n other {sekund(y)}\\n}", + "week": "{count} {count, plural,\\n one {tydzień}\\n other {tygodni(e)}\\n}" + }, + "future": "Za {time}", + "never": "Nigdy", + "past": "{time} temu" + }, + "service-picker": { + "service": "Usługa" + } + }, + "dialogs": { + "config_entry_system_options": { + "enable_new_entities_description": "Jeśli wyłączone, nowo wykryte encje nie będą automatycznie dodawane do Home Assistant'a.", + "enable_new_entities_label": "Włącz dodawanie nowych encji.", + "title": "Opcje systemu" + }, + "confirmation": { + "cancel": "Anuluj", + "ok": "OK", + "title": "Jesteś pewny?" + }, + "more_info_control": { + "script": { + "last_action": "Ostatnia akcja" + }, + "sun": { + "elevation": "Wysokość", + "rising": "Wschód", + "setting": "Zachód" + }, + "updater": { + "title": "Instrukcje aktualizacji" + } + }, + "more_info_settings": { + "entity_id": "Identyfikator encji", + "name": "Nadpisanie nazwy", + "save": "Zapisz" + }, + "options_flow": { + "form": { + "header": "Opcje" + }, + "success": { + "description": "Opcje pomyślnie zapisane." + } + }, + "zha_device_info": { + "buttons": { + "add": "Dodaj urządzenia", + "reconfigure": "Rekonfiguracja urządzenia", + "remove": "Usuń urządzenie" + }, + "last_seen": "Ostatnio widziane", + "manuf": "Producent: {manufacturer}", + "no_area": "brak", + "power_source": "Źródło zasilania", + "quirk": "Quirk", + "services": { + "reconfigure": "Ponowna konfiguracja urządzenia ZHA (uzdrawianie urządzenia). Użyj tego polecenia, jeśli masz problemy z urządzeniem. Jeśli urządzenie jest zasilane bateryjnie, upewnij się, że nie jest uśpione i przyjmie polecenie rekonfiguracji.", + "remove": "Usuń urządzenie z sieci Zigbee.", + "updateDeviceName": "Wprowadź niestandardową nazwę tego urządzenia w rejestrze urządzeń." + }, + "unknown": "Nieznany", + "zha_device_card": { + "area_picker_label": "Obszar", + "device_name_placeholder": "Nazwa użytkownika", + "update_name_button": "Aktualizuj nazwę" + } + } + }, + "duration": { + "day": "{count} {count, plural,\\n one {dzień}\\n other {dni}\\n}", + "hour": "{count} {count, plural,\\none {godzina}\\nother {godzin(y)}\\n}", + "minute": "{count} {count, plural,\\none {minuta}\\nother {minut(y)}\\n}", + "second": "{count} {count, plural,\\n one {sekunda}\\n other {sekund(y)}\\n}", + "week": "{count} {count, plural,\\n one {tydzień}\\n other {tygodni(e)}\\n}" + }, + "login-form": { + "log_in": "Zaloguj", + "password": "Hasło", + "remember": "Zapamiętaj" + }, + "notification_drawer": { + "click_to_configure": "Kliknij przycisk, aby skonfigurować {entity}", + "empty": "Brak powiadomień", + "title": "Powiadomienia" + }, + "notification_toast": { + "connection_lost": "Utracono połączenie. Łączę ponownie...", + "entity_turned_off": "Wyłączono {entity}.", + "entity_turned_on": "Włączono {entity}.", + "service_call_failed": "Nie udało się wywołać usługi {service}.", + "service_called": "Usługa {service} wywołana.", + "triggered": "Wyzwolenie {name}" + }, + "panel": { "config": { - "header": "Konfiguruj Home Assistant'a", - "introduction": "Tutaj możesz skonfigurować Home Assistant'a i jego komponenty. Nie wszystkie opcje można konfigurować z interfejsu użytkownika, ale pracujemy nad tym.", + "area_registry": { + "caption": "Rejestr obszarów", + "create_area": "UTWÓRZ OBSZAR", + "description": "Przegląd wszystkich obszarów w twoim domu", + "editor": { + "create": "UTWÓRZ", + "default_name": "Nowy obszar", + "delete": "USUŃ", + "update": "UAKTUALNIJ" + }, + "no_areas": "Wygląda na to, że jeszcze nie masz zdefiniowanych obszarów!", + "picker": { + "create_area": "UTWÓRZ OBSZAR", + "header": "Rejestr obszarów", + "integrations_page": "Strona integracji", + "introduction": "Obszary służą do organizacji urządzeń. Informacje te będą używane w Home Assistant, aby pomóc w organizacji interfejsu, uprawnień i integracji z innymi systemami.", + "introduction2": "Aby umieścić urządzenia w danym obszarze, użyj poniższego linku, aby przejść do strony integracji, a następnie kliknij skonfigurowaną integrację, aby dostać się do kart urządzeń.", + "no_areas": "Wygląda na to, że nie masz jeszcze lokalizacji!" + } + }, + "automation": { + "caption": "Automatyzacje", + "description": "Twórz i edytuj automatyzacje", + "editor": { + "actions": { + "add": "Dodaj akcję", + "delete": "Usuń", + "delete_confirm": "Jesteś pewien, że chcesz usunąć?", + "duplicate": "Duplikuj", + "header": "Akcje", + "introduction": "Akcje są wykonywane przez Home Assistant'a po uruchomieniu automatyzacji.", + "learn_more": "Dowiedz się więcej o akcjach", + "type_select": "Typ akcji", + "type": { + "condition": { + "label": "Warunek" + }, + "delay": { + "delay": "Opóźnienie", + "label": "Opóźnienie" + }, + "device_id": { + "extra_fields": { + "code": "Kod" + }, + "label": "Urządzenie" + }, + "event": { + "event": "Zdarzenie:", + "label": "Wywołanie zdarzenia", + "service_data": "Dane usługi" + }, + "scene": { + "label": "Aktywuj scenę" + }, + "service": { + "label": "Wywołanie usługi", + "service_data": "Dane usługi" + }, + "wait_template": { + "label": "Oczekiwanie", + "timeout": "Limit czasu (opcjonalnie)", + "wait_template": "Szablon czekania" + } + }, + "unsupported_action": "Nieobsługiwane działanie: {action}" + }, + "alias": "Nazwa", + "conditions": { + "add": "Dodaj warunek", + "delete": "Usuń", + "delete_confirm": "Czy chcesz usunąć?", + "duplicate": "Duplikuj", + "header": "Warunki", + "introduction": "Warunki są opcjonalną częścią automatyzacji i można ich użyć, aby zapobiec działaniom po uruchomieniu. Warunki wyglądają bardzo podobnie do wyzwalaczy, ale są bardzo różne. Wyzwalacz będzie analizował zdarzenia zachodzące w systemie, a warunek będzie dotyczył tylko tego, jak wygląda teraz system. Wyzwalacz może zaobserwować, że przełącznik jest przełączany. Warunek może tylko sprawdzić, czy przełącznik jest aktualnie włączony lub wyłączony.", + "learn_more": "Dowiedz się więcej o warunkach", + "type_select": "Typ warunku", + "type": { + "and": { + "label": "I" + }, + "device": { + "extra_fields": { + "above": "Powyżej", + "below": "Poniżej", + "for": "Czas trwania" + }, + "label": "Urządzenie" + }, + "numeric_state": { + "above": "Powyżej", + "below": "Poniżej", + "label": "Stan numeryczny", + "value_template": "Szablon wartości (opcjonalnie)" + }, + "or": { + "label": "Lub" + }, + "state": { + "label": "Stan", + "state": "Stan" + }, + "sun": { + "after": "Po:", + "after_offset": "Po przesunięciu (opcjonalnie)", + "before": "Przed:", + "before_offset": "Przed przesunięciem (opcjonalnie)", + "label": "Słońce", + "sunrise": "wschód słońca", + "sunset": "zachód słońca" + }, + "template": { + "label": "Szablon", + "value_template": "Szablon wartości" + }, + "time": { + "after": "Po", + "before": "Przed", + "label": "Czas" + }, + "zone": { + "entity": "Encja z lokalizacją", + "label": "Strefa", + "zone": "Strefa" + } + }, + "unsupported_condition": "Nieobsługiwany warunek: {condition}" + }, + "default_name": "Nowa automatyzacja", + "description": { + "label": "Opis", + "placeholder": "Opcjonalny opis" + }, + "introduction": "Użyj automatyzacji, aby ożywić swój dom", + "load_error_not_editable": "Edytowalne są tylko automatyzacje w pliku automations.yaml.", + "load_error_unknown": "Wystąpił błąd podczas ładowania automatyzacji ({err_no}).", + "save": "Zapisz", + "triggers": { + "add": "Dodaj wyzwalacz", + "delete": "Usuń", + "delete_confirm": "Jesteś pewien, że chcesz usunąć?", + "duplicate": "Duplikuj", + "header": "Wyzwalacze", + "introduction": "Wyzwalacze uruchamiają przetwarzanie automatyzacji. Możliwe jest stworzenie wielu wyzwalaczy dla tej samej automatyzacji. Po uruchomieniu wyzwalacza Home Assistant sprawdzi ewentualne warunki i wywoła akcje.", + "learn_more": "Dowiedz się więcej o wyzwalaczach", + "type_select": "Typ wyzwalacza", + "type": { + "device": { + "extra_fields": { + "above": "Powyżej", + "below": "Poniżej", + "for": "Czas trwania" + }, + "label": "Urządzenie" + }, + "event": { + "event_data": "Dane zdarzenia", + "event_type": "Typ zdarzenia", + "label": "Zdarzenie" + }, + "geo_location": { + "enter": "wejście", + "event": "Zdarzenie:", + "label": "Geolokalizacja", + "leave": "wyjście", + "source": "Źródło", + "zone": "Strefa" + }, + "homeassistant": { + "event": "Zdarzenie:", + "label": "Home Assistant", + "shutdown": "zakończenie", + "start": "uruchomienie" + }, + "mqtt": { + "label": "MQTT", + "payload": "Payload (opcjonalnie)", + "topic": "Temat" + }, + "numeric_state": { + "above": "Powyżej", + "below": "Poniżej", + "label": "Stan numeryczny", + "value_template": "Szablon wartości (opcjonalnie)" + }, + "state": { + "for": "Przez", + "from": "Z", + "label": "Stan", + "to": "Na" + }, + "sun": { + "event": "Zdarzenie:", + "label": "Słońce", + "offset": "Przesunięcie (opcjonalnie)", + "sunrise": "wschód słońca", + "sunset": "zachód słońca" + }, + "template": { + "label": "Szablon", + "value_template": "Szablon wartości" + }, + "time_pattern": { + "hours": "Godziny", + "label": "Szablon czasu", + "minutes": "Minuty", + "seconds": "Sekundy" + }, + "time": { + "at": "O", + "label": "Czas" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Identyfikator Webhook" + }, + "zone": { + "enter": "Wprowadź", + "entity": "Encja z lokalizacją", + "event": "Zdarzenie:", + "label": "Strefa", + "leave": "Opuść", + "zone": "Strefa" + } + }, + "unsupported_platform": "Nieobsługiwana platforma: {platform}" + }, + "unsaved_confirm": "Masz niezapisane zmiany. Na pewno chcesz wyjść?" + }, + "picker": { + "add_automation": "Dodaj automatyzację", + "header": "Edytor automatyzacji", + "introduction": "Edytor automatyzacji pozwala tworzyć i edytować automatyzacje Kliknij poniższy link, aby przeczytać instrukcję, jak poprawnie konfigurować automatyzacje w Home Assistant.", + "learn_more": "Dowiedz się więcej o automatyzacjach", + "no_automations": "Nie znaleziono żadnych edytowalnych automatyzacji", + "pick_automation": "Wybierz automatyzację do edycji" + } + }, + "cloud": { + "account": { + "alexa": { + "config_documentation": "Dokumentacja konfiguracji", + "disable": "Wyłącz", + "enable": "Włącz", + "enable_ha_skill": "Włącz skill Home Assistant'a dla Alexy", + "enable_state_reporting": "Włącz raportowanie stanów", + "info": "Dzięki integracji z Alexą dla Chmury Home Assistant będzie możliwe kontrolowanie wszystkich urządzeń Home Assistant'a za pośrednictwem dowolnego urządzenia obsługującego Amazon Alexa.", + "info_state_reporting": "Jeśli włączysz raportowanie stanów, Home Assistant wyśle wszystkie zmiany stanu udostępnionych encji na serwery Amazona. Dzięki temu zawsze możesz zobaczyć najnowsze stany w aplikacji Alexa i używać zmian stanów do tworzenia rutyn.", + "manage_entities": "Zarządzanie encjami", + "state_reporting_error": "Nie można przesłać stanu {enable_disable}.", + "sync_entities": "Synchronizuj encje", + "sync_entities_error": "Nie udało się zsynchronizować encji:", + "title": "Alexa" + }, + "connected": "połączono", + "connection_status": "Status połączenia z chmurą", + "fetching_subscription": "Pobieranie subskrypcji…", + "google": { + "config_documentation": "Dokumentacja konfiguracji", + "devices_pin": "Kod PIN urządzeń bezpieczeństwa", + "enable_ha_skill": "Włącz skill Home Assistant'a dla Asystenta Google", + "enable_state_reporting": "Włącz raportowanie stanów", + "enter_pin_error": "Nie można zapisać kodu PIN:", + "enter_pin_hint": "Wprowadź kod PIN, aby korzystać z urządzeń bezpieczeństwa", + "enter_pin_info": "Wpisz kod PIN, aby wejść w interakcję z urządzeniami bezpieczeństwa. Urządzeniami bezpieczeństwa są drzwi, drzwi garażowe i zamki. Podczas interakcji z takimi urządzeniami za pośrednictwem Asystenta Google zostaniesz poproszony o wprowadzenie tego kodu PIN.", + "info": "Dzięki integracji z Asystentem Google dla Chmury Home Assistant będzie możliwe kontrolowanie wszystkich urządzeń Home Assistant'a za pośrednictwem dowolnego urządzenia obsługującego Asystenta Google.", + "info_state_reporting": "Jeśli włączysz raportowanie stanów, Home Assistant wyśle wszystkie zmiany stanu udostępnionych encji na serwery Google. Dzięki temu zawsze możesz zobaczyć najnowsze stany w aplikacji Google.", + "manage_entities": "Zarządzanie encjami", + "security_devices": "Urządzenia bezpieczeństwa", + "sync_entities": "Synchronizuj encje", + "title": "Asystent Google" + }, + "integrations": "Integracje", + "integrations_introduction": "Integracje Chmury Home Assistant pozwalają łączyć się z usługami w chmurze bez konieczności publicznego udostępniania instancji Home Assistant w Internecie.", + "integrations_introduction2": "Wejdź na stronę, aby poznać ", + "integrations_link_all_features": "wszystkie dostępne funkcje", + "manage_account": "Zarządzanie kontem", + "nabu_casa_account": "Konto Nabu Casa", + "not_connected": "brak połączenia", + "remote": { + "access_is_being_prepared": "Trwa przygotowywanie dostępu zdalnego. Powiadomimy Cię, gdy będzie gotowy.", + "certificate_info": "Informacje o certyfikacie", + "info": "Chmura Home Assistant umożliwia bezpieczny zdalny dostęp do instancji Home Assistant'a z dala od domu.", + "instance_is_available": "Twoja instancja jest dostępna pod adresem", + "instance_will_be_available": "Twoja instancja będzie dostępna pod adresem", + "link_learn_how_it_works": "Dowiedz się, jak to działa", + "title": "Dostęp zdalny" + }, + "sign_out": "Wyloguj", + "thank_you_note": "Dziękujemy, że jesteś częścią Chmury Home Assistant. To dzięki ludziom takim jak Ty jesteśmy w stanie zapewnić wszystkim wspaniałe doświadczenia z automatyzacją domu. Dziękuję Ci!", + "webhooks": { + "disable_hook_error_msg": "Nie udało się wyłączyć webhook:", + "info": "Wszystko, co jest skonfigurowane do działania poprzez webhook, może otrzymać publicznie dostępny adres URL, aby umożliwić wysyłanie danych do Home Assistant z dowolnego miejsca, bez narażania instancji na publiczny dostęp z Internetu.", + "link_learn_more": "Dowiedz się więcej o tworzeniu automatyzacji opartych na webhook'ach.", + "loading": "Wczytywanie...", + "manage": "Zarządzanie", + "no_hooks_yet": "Wygląda na to, że nie masz jeszcze żadnych webhook'ów. Rozpocznij od skonfigurowania ", + "no_hooks_yet_link_automation": "Automatyzacja webhook", + "no_hooks_yet_link_integration": "Integracja oparta na webhook'ach", + "no_hooks_yet2": " lub tworząc ", + "title": "Webhook'i" + } + }, + "alexa": { + "banner": "Edytowanie, które encje są udostępnione za pomocą interfejsu użytkownika, jest wyłączone, ponieważ skonfigurowano filtry encji w pliku configuration.yaml.", + "expose": "Udostępnione do Alexy", + "exposed_entities": "Udostępnione encje", + "not_exposed_entities": "Nieudostępnione encje", + "title": "Alexa" + }, + "caption": "Chmura Home Assistant", + "description_features": "Sterowanie spoza domu, integracja z Alexą i Google Assistant'em.", + "description_login": "Zalogowany jako {email}", + "description_not_login": "Nie zalogowany", + "dialog_certificate": { + "certificate_expiration_date": "Data ważności certyfikatu", + "certificate_information": "Informacja o certyfikacie", + "close": "Zamknij", + "fingerprint": "Odcisk palca certyfikatu:", + "will_be_auto_renewed": "Będzie automatycznie odnawiany" + }, + "dialog_cloudhook": { + "available_at": "Webhook jest dostępny pod następującym adresem URL:", + "close": "Zamknij", + "confirm_disable": "Na pewno chcesz wyłączyć ten webhook?", + "copied_to_clipboard": "Skopiowano do schowka", + "info_disable_webhook": "Jeśli nie chcesz już używać tego webhook'a, możesz", + "link_disable_webhook": "wyłączyć go", + "managed_by_integration": "Ten webhook jest zarządzany przez integrację i nie można go wyłączyć.", + "view_documentation": "Dokumentacja", + "webhook_for": "Webhook dla {name}" + }, + "forgot_password": { + "check_your_email": "Sprawdź pocztę e-mail, aby uzyskać instrukcje dotyczące resetowania hasła.", + "email": "Adres e-mail", + "email_error_msg": "Niepoprawny adres e-mail", + "instructions": "Wprowadź swój adres e-mail, a my wyślemy Ci link resetowania hasła.", + "send_reset_email": "Wyślij wiadomość e-mail", + "subtitle": "Zapomniałeś hasła", + "title": "Zapomniane hasło" + }, + "google": { + "banner": "Edytowanie, które encje są udostępnione za pomocą interfejsu użytkownika, jest wyłączone, ponieważ skonfigurowano filtry encji w pliku configuration.yaml.", + "disable_2FA": "Wyłącz uwierzytelnianie dwuskładnikowe", + "expose": "Udostępnione do Asystenta Google", + "exposed_entities": "Udostępnione encje", + "not_exposed_entities": "Nieudostępnione encje", + "sync_to_google": "Synchronizowanie zmian z Google.", + "title": "Asystent Google" + }, + "login": { + "alert_email_confirm_necessary": "Przed zalogowaniem musisz potwierdzić swój adres e-mail.", + "alert_password_change_required": "Musisz zmienić hasło przed zalogowaniem.", + "dismiss": "Odrzuć", + "email": "Adres e-mail", + "email_error_msg": "Niepoprawny adres e-mail", + "forgot_password": "Zapomniałeś hasła?", + "introduction": "Chmura Home Assistant zapewnia bezpieczne zdalne połączenie z instancją z dala od domu. Umożliwia także łączenie się z usługami w chmurze: Amazon Alexa i Google Assistant.", + "introduction2": "Ta usługa jest prowadzona przez naszego partnera ", + "introduction2a": ", firmę założoną przez założycieli Home Assistant i Hass.io.", + "introduction3": "Chmura Home Assistant to usługa subskrypcyjna z bezpłatnym miesięcznym okresem próbnym. Informacje o środkach płatności nie są konieczne.", + "learn_more_link": "Dowiedz się więcej o Chmurze Home Assistant", + "password": "Hasło", + "password_error_msg": "Hasło musi zawierać przynajmniej 8 znaków", + "sign_in": "Zaloguj", + "start_trial": "Rozpocznij bezpłatny miesięczny okres próbny", + "title": "Logowanie do chmury", + "trial_info": "Informacje o środkach płatności nie są konieczne" + }, + "register": { + "account_created": "Konto utworzone! Sprawdź pocztę e-mail, aby uzyskać instrukcje dotyczące aktywacji konta.", + "create_account": "Utwórz konto", + "email_address": "Adres e-mail", + "email_error_msg": "Niepoprawny adres e-mail", + "feature_amazon_alexa": "integracja z Amazon Alexa", + "feature_google_home": "integracja z Google Assistant", + "feature_remote_control": "kontrola Home Assistant'em z dala od domu", + "feature_webhook_apps": "prosta integracja z aplikacjami opartymi na webhook'ach, takimi jak OwnTracks", + "headline": "Rozpocznij darmowy okres próbny", + "information": "Utwórz konto, aby rozpocząć bezpłatny miesięczny okres próbny Chmury Home Assistant. Informacje o środkach płatności nie są konieczne.", + "information2": "Wersja próbna zapewni Ci dostęp do wszystkich zalet Chmury Home Assistant, w tym:", + "information3": "Ta usługa jest prowadzona przez naszego partnera ", + "information3a": ", firmę założoną przez założycieli Home Assistant i Hass.io.", + "information4": "Rejestrując konto, wyrażasz zgodę na następujące warunki.", + "link_privacy_policy": "Polityka prywatności", + "link_terms_conditions": "Zasady i warunki", + "password": "Hasło", + "password_error_msg": "Hasło musi zawierać przynajmniej 8 znaków", + "resend_confirm_email": "Wyślij ponownie wiadomość e-mail z potwierdzeniem", + "start_trial": "Rozpocznij darmowy okres próbny", + "title": "Zarejestruj konto" + } + }, + "common": { + "editor": { + "confirm_unsaved": "Masz niezapisane zmiany. Na pewno chcesz wyjść?" + } + }, "core": { "caption": "Ogólne", "description": "Zmień podstawowe opcje Home Assistant'a", "section": { "core": { - "header": "Konfiguracja ogólna", - "introduction": "Zmiana konfiguracji może być męczącym procesem. Wiemy. Ta sekcja postara się ułatwić Ci życie.", "core_config": { "edit_requires_storage": "Edytor wyłączony, ponieważ konfiguracja jest przechowywana w pliku configuration.yaml.", - "location_name": "Nazwa instalacji Home Assistant", - "latitude": "Szerokość geograficzna", - "longitude": "Długość geograficzna", "elevation": "Wysokość", "elevation_meters": "metry\/-ów", + "imperial_example": "stopnie Fahrenheita, funty", + "latitude": "Szerokość geograficzna", + "location_name": "Nazwa instalacji Home Assistant", + "longitude": "Długość geograficzna", + "metric_example": "stopnie Celsjusza, kilogramy", + "save_button": "Zapisz", "time_zone": "Strefa czasowa", "unit_system": "System metryczny", "unit_system_imperial": "Imperialny", - "unit_system_metric": "Metryczny", - "imperial_example": "stopnie Fahrenheita, funty", - "metric_example": "stopnie Celsjusza, kilogramy", - "save_button": "Zapisz" - } + "unit_system_metric": "Metryczny" + }, + "header": "Konfiguracja ogólna", + "introduction": "Zmiana konfiguracji może być męczącym procesem. Wiemy. Ta sekcja postara się ułatwić Ci życie." }, "server_control": { - "validation": { - "heading": "Sprawdzanie konfiguracji", - "introduction": "Kliknij Sprawdź konfigurację, by upewnić się, że jest ona prawidłowa.", - "check_config": "Sprawdź konfigurację", - "valid": "Konfiguracja prawidłowa!", - "invalid": "Konfiguracja nieprawidłowa" - }, "reloading": { - "heading": "Ponowne wczytanie konfiguracji", - "introduction": "Niektóre części konfiguracji można wczytać od nowa bez konieczności ponownego uruchamiania Home Assistant'a. Naciśnięcie poniższych przycisków wczyta ponownie daną część konfiguracji.", + "automation": "Automatyzacje", "core": "Rdzeń", "group": "Grupy", - "automation": "Automatyzacje", + "heading": "Ponowne wczytanie konfiguracji", + "introduction": "Niektóre części konfiguracji można wczytać od nowa bez konieczności ponownego uruchamiania Home Assistant'a. Naciśnięcie poniższych przycisków wczyta ponownie daną część konfiguracji.", "script": "Skrypty" }, "server_management": { @@ -475,6 +1092,13 @@ "introduction": "Kontroluj swój serwer Home Assistant", "restart": "Uruchom ponownie", "stop": "Zatrzymaj" + }, + "validation": { + "check_config": "Sprawdź konfigurację", + "heading": "Sprawdzanie konfiguracji", + "introduction": "Kliknij Sprawdź konfigurację, by upewnić się, że jest ona prawidłowa.", + "invalid": "Konfiguracja nieprawidłowa", + "valid": "Konfiguracja prawidłowa!" } } } @@ -487,507 +1111,69 @@ "introduction": "Dostosuj atrybuty encji. Dodawane\/edytowane dostosowywania zostaną wprowadzone natychmiast. Usunięte dostosowania zostaną uwzględnione, gdy encja zostanie zaktualizowana." } }, - "automation": { - "caption": "Automatyzacje", - "description": "Twórz i edytuj automatyzacje", - "picker": { - "header": "Edytor automatyzacji", - "introduction": "Edytor automatyzacji pozwala tworzyć i edytować automatyzacje Kliknij poniższy link, aby przeczytać instrukcję, jak poprawnie konfigurować automatyzacje w Home Assistant.", - "pick_automation": "Wybierz automatyzację do edycji", - "no_automations": "Nie znaleziono żadnych edytowalnych automatyzacji", - "add_automation": "Dodaj automatyzację", - "learn_more": "Dowiedz się więcej o automatyzacjach" - }, - "editor": { - "introduction": "Użyj automatyzacji, aby ożywić swój dom", - "default_name": "Nowa automatyzacja", - "save": "Zapisz", - "unsaved_confirm": "Masz niezapisane zmiany. Na pewno chcesz wyjść?", - "alias": "Nazwa", - "triggers": { - "header": "Wyzwalacze", - "introduction": "Wyzwalacze uruchamiają przetwarzanie automatyzacji. Możliwe jest stworzenie wielu wyzwalaczy dla tej samej automatyzacji. Po uruchomieniu wyzwalacza Home Assistant sprawdzi ewentualne warunki i wywoła akcje.", - "add": "Dodaj wyzwalacz", - "duplicate": "Duplikuj", - "delete": "Usuń", - "delete_confirm": "Jesteś pewien, że chcesz usunąć?", - "unsupported_platform": "Nieobsługiwana platforma: {platform}", - "type_select": "Typ wyzwalacza", - "type": { - "event": { - "label": "Zdarzenie", - "event_type": "Typ zdarzenia", - "event_data": "Dane zdarzenia" - }, - "state": { - "label": "Stan", - "from": "Z", - "to": "Na", - "for": "Przez" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Zdarzenie:", - "start": "uruchomienie", - "shutdown": "zakończenie" - }, - "mqtt": { - "label": "MQTT", - "topic": "Temat", - "payload": "Payload (opcjonalnie)" - }, - "numeric_state": { - "label": "Stan numeryczny", - "above": "Powyżej", - "below": "Poniżej", - "value_template": "Szablon wartości (opcjonalnie)" - }, - "sun": { - "label": "Słońce", - "event": "Zdarzenie:", - "sunrise": "wschód słońca", - "sunset": "zachód słońca", - "offset": "Przesunięcie (opcjonalnie)" - }, - "template": { - "label": "Szablon", - "value_template": "Szablon wartości" - }, - "time": { - "label": "Czas", - "at": "O" - }, - "zone": { - "label": "Strefa", - "entity": "Encja z lokalizacją", - "zone": "Strefa", - "event": "Zdarzenie:", - "enter": "Wprowadź", - "leave": "Opuść" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Identyfikator Webhook" - }, - "time_pattern": { - "label": "Szablon czasu", - "hours": "Godziny", - "minutes": "Minuty", - "seconds": "Sekundy" - }, - "geo_location": { - "label": "Geolokalizacja", - "source": "Źródło", - "zone": "Strefa", - "event": "Zdarzenie:", - "enter": "wejście", - "leave": "wyjście" - }, - "device": { - "label": "Urządzenie", - "extra_fields": { - "above": "Powyżej", - "below": "Poniżej", - "for": "Czas trwania" - } - } - }, - "learn_more": "Dowiedz się więcej o wyzwalaczach" + "devices": { + "automation": { + "actions": { + "caption": "Wykonaj akcje..." }, "conditions": { - "header": "Warunki", - "introduction": "Warunki są opcjonalną częścią automatyzacji i można ich użyć, aby zapobiec działaniom po uruchomieniu. Warunki wyglądają bardzo podobnie do wyzwalaczy, ale są bardzo różne. Wyzwalacz będzie analizował zdarzenia zachodzące w systemie, a warunek będzie dotyczył tylko tego, jak wygląda teraz system. Wyzwalacz może zaobserwować, że przełącznik jest przełączany. Warunek może tylko sprawdzić, czy przełącznik jest aktualnie włączony lub wyłączony.", - "add": "Dodaj warunek", - "duplicate": "Duplikuj", - "delete": "Usuń", - "delete_confirm": "Czy chcesz usunąć?", - "unsupported_condition": "Nieobsługiwany warunek: {condition}", - "type_select": "Typ warunku", - "type": { - "state": { - "label": "Stan", - "state": "Stan" - }, - "numeric_state": { - "label": "Stan numeryczny", - "above": "Powyżej", - "below": "Poniżej", - "value_template": "Szablon wartości (opcjonalnie)" - }, - "sun": { - "label": "Słońce", - "before": "Przed:", - "after": "Po:", - "before_offset": "Przed przesunięciem (opcjonalnie)", - "after_offset": "Po przesunięciu (opcjonalnie)", - "sunrise": "wschód słońca", - "sunset": "zachód słońca" - }, - "template": { - "label": "Szablon", - "value_template": "Szablon wartości" - }, - "time": { - "label": "Czas", - "after": "Po", - "before": "Przed" - }, - "zone": { - "label": "Strefa", - "entity": "Encja z lokalizacją", - "zone": "Strefa" - }, - "device": { - "label": "Urządzenie", - "extra_fields": { - "above": "Powyżej", - "below": "Poniżej", - "for": "Czas trwania" - } - }, - "and": { - "label": "I" - }, - "or": { - "label": "Lub" - } - }, - "learn_more": "Dowiedz się więcej o warunkach" + "caption": "Jeśli..." }, - "actions": { - "header": "Akcje", - "introduction": "Akcje są wykonywane przez Home Assistant'a po uruchomieniu automatyzacji.", - "add": "Dodaj akcję", - "duplicate": "Duplikuj", - "delete": "Usuń", - "delete_confirm": "Jesteś pewien, że chcesz usunąć?", - "unsupported_action": "Nieobsługiwane działanie: {action}", - "type_select": "Typ akcji", - "type": { - "service": { - "label": "Wywołanie usługi", - "service_data": "Dane usługi" - }, - "delay": { - "label": "Opóźnienie", - "delay": "Opóźnienie" - }, - "wait_template": { - "label": "Oczekiwanie", - "wait_template": "Szablon czekania", - "timeout": "Limit czasu (opcjonalnie)" - }, - "condition": { - "label": "Warunek" - }, - "event": { - "label": "Wywołanie zdarzenia", - "event": "Zdarzenie:", - "service_data": "Dane usługi" - }, - "device_id": { - "label": "Urządzenie", - "extra_fields": { - "code": "Kod" - } - }, - "scene": { - "label": "Aktywuj scenę" - } - }, - "learn_more": "Dowiedz się więcej o akcjach" - }, - "load_error_not_editable": "Edytowalne są tylko automatyzacje w pliku automations.yaml.", - "load_error_unknown": "Wystąpił błąd podczas ładowania automatyzacji ({err_no}).", - "description": { - "label": "Opis", - "placeholder": "Opcjonalny opis" - } - } - }, - "script": { - "caption": "Skrypty", - "description": "Twórz i edytuj skrypty", - "picker": { - "header": "Edytor skryptów", - "introduction": "Edytor skryptów pozwala tworzyć i edytować skrypty. Kliknij poniższy link, aby przeczytać instrukcję, jak poprawnie konfigurować skrypty w Home Assistant.", - "learn_more": "Dowiedz się więcej o skryptach", - "no_scripts": "Nie znaleziono żadnych edytowalnych skryptów", - "add_script": "Dodaj skrypt" - }, - "editor": { - "header": "Skrypt: {name}", - "default_name": "Nowy skrypt", - "load_error_not_editable": "Edytowalne są tylko automatyzacje w pliku scripts.yaml.", - "delete_confirm": "Na pewno chcesz usunąć ten skrypt?" - } - }, - "zwave": { - "caption": "Z-Wave", - "description": "Zarządzaj siecią Z-Wave", - "network_management": { - "header": "Zarządzanie siecią Z-Wave", - "introduction": "Uruchom polecenia sterujące siecią Z-Wave. Nie otrzymasz informacji o tym, czy wykonanie poleceń się powiodło, ale możesz szukać informacji na ten temat w logu OZW." - }, - "network_status": { - "network_stopped": "Zatrzymano sieć Z-Wave", - "network_starting": "Uruchamianie sieci Z-Wave ...", - "network_starting_note": "Może to chwilę potrwać, w zależności od rozmiaru sieci.", - "network_started": "Uruchomiono sieć Z-Wave", - "network_started_note_some_queried": "Wybudzone węzły zostały odpytane. Niewybudzone węzły będą odpytane, kiedy się wybudzą.", - "network_started_note_all_queried": "Wszystkie węzły zostały odpytane." - }, - "services": { - "start_network": "Uruchom sieć", - "stop_network": "Zatrzymaj sieć", - "heal_network": "Uzdrawiaj sieć", - "test_network": "Testuj sieć", - "soft_reset": "Miękki reset", - "save_config": "Zapisz konfigurację", - "add_node_secure": "Dodaj bezpieczny węzeł", - "add_node": "Dodaj węzeł", - "remove_node": "Usuń węzeł", - "cancel_command": "Anuluj polecenie" - }, - "common": { - "value": "Wartość", - "instance": "Instancja", - "index": "Indeks", - "unknown": "nieznany", - "wakeup_interval": "Częstotliwość wybudzenia" - }, - "values": { - "header": "Wartości węzła" - }, - "node_config": { - "header": "Opcje konfiguracji węzła", - "seconds": "sekundy", - "set_wakeup": "Ustaw częstotliwość wybudzenia", - "config_parameter": "Parametr", - "config_value": "Wartość", - "true": "Prawda", - "false": "Fałsz", - "set_config_parameter": "Ustaw parametr konfiguracji" - }, - "learn_more": "Dowiedz się więcej o Z-Wave", - "ozw_log": { - "header": "Log OpenZWave", - "introduction": "Określ liczbowo długość loga. 0 to minimum (ładuje całość), a 1000 to maksimum. Klawisz Load ładuje i wyświetla log statyczny.\nKlawisz Tail ładuje i wyświetla określoną liczbę ostatnich linii logu." - } - }, - "users": { - "caption": "Użytkownicy", - "description": "Zarządzaj użytkownikami", - "picker": { - "title": "Użytkownicy", - "system_generated": "Wygenerowany przez system" - }, - "editor": { - "rename_user": "Zmień nazwę użytkownika", - "change_password": "Zmień hasło", - "activate_user": "Aktywuj użytkownika", - "deactivate_user": "Dezaktywuj użytkownika", - "delete_user": "Usuń użytkownika", - "caption": "Wyświetl użytkownika", - "id": "Identyfikator", - "owner": "Właściciel", - "group": "Grupa", - "active": "Aktywny", - "system_generated": "Wygenerowany przez system", - "system_generated_users_not_removable": "Nie można usunąć użytkowników wygenerowanych przez system.", - "unnamed_user": "Nienazwany użytkownik", - "enter_new_name": "Wprowadź nową nazwę", - "user_rename_failed": "Nie powiodła się zmiana nazwy użytkownika:", - "group_update_failed": "Nie powiodła się aktualizacja grupy:", - "confirm_user_deletion": "Na pewno chcesz usunąć {name}?" - }, - "add_user": { - "caption": "Dodaj użytkownika", - "name": "Imię", - "username": "Nazwa użytkownika", - "password": "Hasło", - "create": "Utwórz" - } - }, - "cloud": { - "caption": "Chmura Home Assistant", - "description_login": "Zalogowany jako {email}", - "description_not_login": "Nie zalogowany", - "description_features": "Sterowanie spoza domu, integracja z Alexą i Google Assistant'em.", - "login": { - "title": "Logowanie do chmury", - "introduction": "Chmura Home Assistant zapewnia bezpieczne zdalne połączenie z instancją z dala od domu. Umożliwia także łączenie się z usługami w chmurze: Amazon Alexa i Google Assistant.", - "introduction2": "Ta usługa jest prowadzona przez naszego partnera ", - "introduction2a": ", firmę założoną przez założycieli Home Assistant i Hass.io.", - "introduction3": "Chmura Home Assistant to usługa subskrypcyjna z bezpłatnym miesięcznym okresem próbnym. Informacje o środkach płatności nie są konieczne.", - "learn_more_link": "Dowiedz się więcej o Chmurze Home Assistant", - "dismiss": "Odrzuć", - "sign_in": "Zaloguj", - "email": "Adres e-mail", - "email_error_msg": "Niepoprawny adres e-mail", - "password": "Hasło", - "password_error_msg": "Hasło musi zawierać przynajmniej 8 znaków", - "forgot_password": "Zapomniałeś hasła?", - "start_trial": "Rozpocznij bezpłatny miesięczny okres próbny", - "trial_info": "Informacje o środkach płatności nie są konieczne", - "alert_password_change_required": "Musisz zmienić hasło przed zalogowaniem.", - "alert_email_confirm_necessary": "Przed zalogowaniem musisz potwierdzić swój adres e-mail." - }, - "forgot_password": { - "title": "Zapomniane hasło", - "subtitle": "Zapomniałeś hasła", - "instructions": "Wprowadź swój adres e-mail, a my wyślemy Ci link resetowania hasła.", - "email": "Adres e-mail", - "email_error_msg": "Niepoprawny adres e-mail", - "send_reset_email": "Wyślij wiadomość e-mail", - "check_your_email": "Sprawdź pocztę e-mail, aby uzyskać instrukcje dotyczące resetowania hasła." - }, - "register": { - "title": "Zarejestruj konto", - "headline": "Rozpocznij darmowy okres próbny", - "information": "Utwórz konto, aby rozpocząć bezpłatny miesięczny okres próbny Chmury Home Assistant. Informacje o środkach płatności nie są konieczne.", - "information2": "Wersja próbna zapewni Ci dostęp do wszystkich zalet Chmury Home Assistant, w tym:", - "feature_remote_control": "kontrola Home Assistant'em z dala od domu", - "feature_google_home": "integracja z Google Assistant", - "feature_amazon_alexa": "integracja z Amazon Alexa", - "feature_webhook_apps": "prosta integracja z aplikacjami opartymi na webhook'ach, takimi jak OwnTracks", - "information3": "Ta usługa jest prowadzona przez naszego partnera ", - "information3a": ", firmę założoną przez założycieli Home Assistant i Hass.io.", - "information4": "Rejestrując konto, wyrażasz zgodę na następujące warunki.", - "link_terms_conditions": "Zasady i warunki", - "link_privacy_policy": "Polityka prywatności", - "create_account": "Utwórz konto", - "email_address": "Adres e-mail", - "email_error_msg": "Niepoprawny adres e-mail", - "password": "Hasło", - "password_error_msg": "Hasło musi zawierać przynajmniej 8 znaków", - "start_trial": "Rozpocznij darmowy okres próbny", - "resend_confirm_email": "Wyślij ponownie wiadomość e-mail z potwierdzeniem", - "account_created": "Konto utworzone! Sprawdź pocztę e-mail, aby uzyskać instrukcje dotyczące aktywacji konta." - }, - "account": { - "thank_you_note": "Dziękujemy, że jesteś częścią Chmury Home Assistant. To dzięki ludziom takim jak Ty jesteśmy w stanie zapewnić wszystkim wspaniałe doświadczenia z automatyzacją domu. Dziękuję Ci!", - "nabu_casa_account": "Konto Nabu Casa", - "connection_status": "Status połączenia z chmurą", - "manage_account": "Zarządzanie kontem", - "sign_out": "Wyloguj", - "integrations": "Integracje", - "integrations_introduction": "Integracje Chmury Home Assistant pozwalają łączyć się z usługami w chmurze bez konieczności publicznego udostępniania instancji Home Assistant w Internecie.", - "integrations_introduction2": "Wejdź na stronę, aby poznać ", - "integrations_link_all_features": "wszystkie dostępne funkcje", - "connected": "połączono", - "not_connected": "brak połączenia", - "fetching_subscription": "Pobieranie subskrypcji…", - "remote": { - "title": "Dostęp zdalny", - "access_is_being_prepared": "Trwa przygotowywanie dostępu zdalnego. Powiadomimy Cię, gdy będzie gotowy.", - "info": "Chmura Home Assistant umożliwia bezpieczny zdalny dostęp do instancji Home Assistant'a z dala od domu.", - "instance_is_available": "Twoja instancja jest dostępna pod adresem", - "instance_will_be_available": "Twoja instancja będzie dostępna pod adresem", - "link_learn_how_it_works": "Dowiedz się, jak to działa", - "certificate_info": "Informacje o certyfikacie" - }, - "alexa": { - "title": "Alexa", - "info": "Dzięki integracji z Alexą dla Chmury Home Assistant będzie możliwe kontrolowanie wszystkich urządzeń Home Assistant'a za pośrednictwem dowolnego urządzenia obsługującego Amazon Alexa.", - "enable_ha_skill": "Włącz skill Home Assistant'a dla Alexy", - "config_documentation": "Dokumentacja konfiguracji", - "enable_state_reporting": "Włącz raportowanie stanów", - "info_state_reporting": "Jeśli włączysz raportowanie stanów, Home Assistant wyśle wszystkie zmiany stanu udostępnionych encji na serwery Amazona. Dzięki temu zawsze możesz zobaczyć najnowsze stany w aplikacji Alexa i używać zmian stanów do tworzenia rutyn.", - "sync_entities": "Synchronizuj encje", - "manage_entities": "Zarządzanie encjami", - "sync_entities_error": "Nie udało się zsynchronizować encji:", - "state_reporting_error": "Nie można przesłać stanu {enable_disable}.", - "enable": "Włącz", - "disable": "Wyłącz" - }, - "google": { - "title": "Asystent Google", - "info": "Dzięki integracji z Asystentem Google dla Chmury Home Assistant będzie możliwe kontrolowanie wszystkich urządzeń Home Assistant'a za pośrednictwem dowolnego urządzenia obsługującego Asystenta Google.", - "enable_ha_skill": "Włącz skill Home Assistant'a dla Asystenta Google", - "config_documentation": "Dokumentacja konfiguracji", - "enable_state_reporting": "Włącz raportowanie stanów", - "info_state_reporting": "Jeśli włączysz raportowanie stanów, Home Assistant wyśle wszystkie zmiany stanu udostępnionych encji na serwery Google. Dzięki temu zawsze możesz zobaczyć najnowsze stany w aplikacji Google.", - "security_devices": "Urządzenia bezpieczeństwa", - "enter_pin_info": "Wpisz kod PIN, aby wejść w interakcję z urządzeniami bezpieczeństwa. Urządzeniami bezpieczeństwa są drzwi, drzwi garażowe i zamki. Podczas interakcji z takimi urządzeniami za pośrednictwem Asystenta Google zostaniesz poproszony o wprowadzenie tego kodu PIN.", - "devices_pin": "Kod PIN urządzeń bezpieczeństwa", - "enter_pin_hint": "Wprowadź kod PIN, aby korzystać z urządzeń bezpieczeństwa", - "sync_entities": "Synchronizuj encje", - "manage_entities": "Zarządzanie encjami", - "enter_pin_error": "Nie można zapisać kodu PIN:" - }, - "webhooks": { - "title": "Webhook'i", - "info": "Wszystko, co jest skonfigurowane do działania poprzez webhook, może otrzymać publicznie dostępny adres URL, aby umożliwić wysyłanie danych do Home Assistant z dowolnego miejsca, bez narażania instancji na publiczny dostęp z Internetu.", - "no_hooks_yet": "Wygląda na to, że nie masz jeszcze żadnych webhook'ów. Rozpocznij od skonfigurowania ", - "no_hooks_yet_link_integration": "Integracja oparta na webhook'ach", - "no_hooks_yet2": " lub tworząc ", - "no_hooks_yet_link_automation": "Automatyzacja webhook", - "link_learn_more": "Dowiedz się więcej o tworzeniu automatyzacji opartych na webhook'ach.", - "loading": "Wczytywanie...", - "manage": "Zarządzanie", - "disable_hook_error_msg": "Nie udało się wyłączyć webhook:" + "triggers": { + "caption": "Gdy..." } }, - "alexa": { - "title": "Alexa", - "banner": "Edytowanie, które encje są udostępnione za pomocą interfejsu użytkownika, jest wyłączone, ponieważ skonfigurowano filtry encji w pliku configuration.yaml.", - "exposed_entities": "Udostępnione encje", - "not_exposed_entities": "Nieudostępnione encje", - "expose": "Udostępnione do Alexy" + "caption": "Urządzenia", + "description": "Zarządzaj podłączonymi urządzeniami" + }, + "entity_registry": { + "caption": "Rejestr encji", + "description": "Przegląd wszystkich znanych encji", + "editor": { + "confirm_delete": "Na pewno chcesz usunąć ten wpis?", + "confirm_delete2": "Usunięcie wpisu nie spowoduje usunięcia encji z Home Assistant'a. Aby to zrobić, musisz usunąć integrację '{platform}'.", + "default_name": "Nowy obszar", + "delete": "USUŃ", + "enabled_cause": "Wyłączone przez {cause}.", + "enabled_description": "Wyłączone encje nie będą dodawane do Home Assistant'a.", + "enabled_label": "Włącz encję", + "unavailable": "Ta encja nie jest obecnie dostępna.", + "update": "UAKTUALNIJ" }, - "dialog_certificate": { - "certificate_information": "Informacja o certyfikacie", - "certificate_expiration_date": "Data ważności certyfikatu", - "will_be_auto_renewed": "Będzie automatycznie odnawiany", - "fingerprint": "Odcisk palca certyfikatu:", - "close": "Zamknij" - }, - "google": { - "title": "Asystent Google", - "expose": "Udostępnione do Asystenta Google", - "disable_2FA": "Wyłącz uwierzytelnianie dwuskładnikowe", - "banner": "Edytowanie, które encje są udostępnione za pomocą interfejsu użytkownika, jest wyłączone, ponieważ skonfigurowano filtry encji w pliku configuration.yaml.", - "exposed_entities": "Udostępnione encje", - "not_exposed_entities": "Nieudostępnione encje", - "sync_to_google": "Synchronizowanie zmian z Google." - }, - "dialog_cloudhook": { - "webhook_for": "Webhook dla {name}", - "available_at": "Webhook jest dostępny pod następującym adresem URL:", - "managed_by_integration": "Ten webhook jest zarządzany przez integrację i nie można go wyłączyć.", - "info_disable_webhook": "Jeśli nie chcesz już używać tego webhook'a, możesz", - "link_disable_webhook": "wyłączyć go", - "view_documentation": "Dokumentacja", - "close": "Zamknij", - "confirm_disable": "Na pewno chcesz wyłączyć ten webhook?", - "copied_to_clipboard": "Skopiowano do schowka" + "picker": { + "header": "Rejestr encji", + "headers": { + "enabled": "Włączone", + "entity_id": "Identyfikator encji", + "integration": "Integracja", + "name": "Nazwa" + }, + "integrations_page": "Strona integracji", + "introduction": "Home Assistant prowadzi rejestr każdej encji, jaką kiedykolwiek widział i którą można jednoznacznie zidentyfikować. Każda z tych encji będzie miała przypisany unikalny identyfikator, który będzie zarezerwowany tylko dla niej.", + "introduction2": "Użyj rejestru encji, aby nadpisać jej nazwę, zmienić jej identyfikator lub usunąć ją z Home Assistant'a. Uwaga: usunięcie wpisu rejestru encji nie spowoduje usunięcia encji. Aby to zrobić, kliknij poniższy link i usuń integracje encji.", + "show_disabled": "Wyświetlaj nieużywane encje", + "unavailable": "(niedostępne)" } }, + "header": "Konfiguruj Home Assistant'a", "integrations": { "caption": "Integracje", - "description": "Zarządzaj integracjami", - "discovered": "Wykryte", - "configured": "Skonfigurowane", - "new": "Konfiguruj nową integrację", - "configure": "Konfiguruj", - "none": "Nic jeszcze nie zostało skonfigurowane", "config_entry": { - "no_devices": "Ta integracja nie ma żadnych urządzeń.", - "no_device": "Encje bez urządzeń", + "area": "W {area}", + "delete_button": "Usuń {integration}", "delete_confirm": "Na pewno chcesz usunąć tę integrację?", - "restart_confirm": "Zrestartuj Home Assistant'a, aby zakończyć usuwanie tej integracji", - "manuf": "przez: {manufacturer}", - "via": "Połączony przez", - "firmware": "Oprogramowanie: {version}", "device_unavailable": "urządzenie niedostępne", "entity_unavailable": "encja niedostępna", - "no_area": "brak", + "firmware": "Oprogramowanie: {version}", "hub": "Połączony przez", + "manuf": "przez: {manufacturer}", + "no_area": "brak", + "no_device": "Encje bez urządzeń", + "no_devices": "Ta integracja nie ma żadnych urządzeń.", + "restart_confirm": "Zrestartuj Home Assistant'a, aby zakończyć usuwanie tej integracji", "settings_button": "Edytuj ustawienia dla {integration}", "system_options_button": "Opcje systemowe dla {integracja}", - "delete_button": "Usuń {integration}", - "area": "W {area}" + "via": "Połączony przez" }, "config_flow": { "external_step": { @@ -995,28 +1181,151 @@ "open_site": "Otwórz stronę" } }, + "configure": "Konfiguruj", + "configured": "Skonfigurowane", + "description": "Zarządzaj integracjami", + "discovered": "Wykryte", + "home_assistant_website": "Home Assistant'a", + "new": "Konfiguruj nową integrację", + "none": "Nic jeszcze nie zostało skonfigurowane", "note_about_integrations": "Jeszcze nie wszystkie integracje można skonfigurować za pomocą interfejsu użytkownika.", - "note_about_website_reference": "Więcej jest dostępnych na stronie integracji ", - "home_assistant_website": "Home Assistant'a" + "note_about_website_reference": "Więcej jest dostępnych na stronie integracji " + }, + "introduction": "Tutaj możesz skonfigurować Home Assistant'a i jego komponenty. Nie wszystkie opcje można konfigurować z interfejsu użytkownika, ale pracujemy nad tym.", + "person": { + "add_person": "Dodaj osobę", + "caption": "Osoby", + "confirm_delete": "Na pewno chcesz usunąć tę osobę?", + "confirm_delete2": "Wszystkie urządzenia należące do tej osoby zostaną nieprzypisane.", + "create_person": "Utwórz osobę", + "description": "Zarządzaj osobami, które śledzi Home Assistant", + "detail": { + "create": "Utwórz", + "delete": "Usuń", + "device_tracker_intro": "Wybierz urządzenia należące do tej osoby.", + "device_tracker_pick": "Wybierz urządzenie do śledzenia", + "device_tracker_picked": "Śledź urządzenie", + "link_integrations_page": "Strona integracji", + "link_presence_detection_integrations": "Integracje wykrywania obecności", + "linked_user": "Połączony użytkownik", + "name": "Imię", + "name_error_msg": "Nazwa jest wymagana", + "new_person": "Nowa osoba", + "no_device_tracker_available_intro": "Jeśli masz urządzenia wskazujące obecność osoby, możesz tutaj przypisać ją do tej osoby. Możesz dodać swoje pierwsze urządzenie, dodając integrację wykrywania obecności ze strony integracji.", + "update": "Aktualizuj" + }, + "introduction": "Tutaj można zdefiniować osoby, których obecność będzie śledzona w Home Assistant.", + "no_persons_created_yet": "Wygląda na to, że nie utworzyłeś jeszcze żadnych osób.", + "note_about_persons_configured_in_yaml": "Uwaga: osób skonfigurowanych za pomocą pliku configuration.yaml nie można edytować za pomocą interfejsu użytkownika." + }, + "script": { + "caption": "Skrypty", + "description": "Twórz i edytuj skrypty", + "editor": { + "default_name": "Nowy skrypt", + "delete_confirm": "Na pewno chcesz usunąć ten skrypt?", + "header": "Skrypt: {name}", + "load_error_not_editable": "Edytowalne są tylko automatyzacje w pliku scripts.yaml." + }, + "picker": { + "add_script": "Dodaj skrypt", + "header": "Edytor skryptów", + "introduction": "Edytor skryptów pozwala tworzyć i edytować skrypty. Kliknij poniższy link, aby przeczytać instrukcję, jak poprawnie konfigurować skrypty w Home Assistant.", + "learn_more": "Dowiedz się więcej o skryptach", + "no_scripts": "Nie znaleziono żadnych edytowalnych skryptów" + } + }, + "server_control": { + "caption": "Kontrola serwera", + "description": "Uruchom ponownie i zatrzymaj serwer Home Assistant'a", + "section": { + "reloading": { + "automation": "Automatyzacje", + "core": "Rdzeń", + "group": "Grupy", + "heading": "Ponowne wczytanie konfiguracji", + "introduction": "Niektóre części konfiguracji można wczytać od nowa bez konieczności ponownego uruchamiania Home Assistant'a. Naciśnięcie poniższych przycisków wczyta ponownie daną część konfiguracji.", + "scene": "Sceny", + "script": "Skrypty" + }, + "server_management": { + "confirm_restart": "Na pewno chcesz ponownie uruchomić Home Assistant'a?", + "confirm_stop": "Na pewno chcesz zatrzymać Home Assistant'a?", + "heading": "Zarządzanie serwerem", + "introduction": "Kontroluj serwer Home Assistant'a.", + "restart": "Uruchom ponownie", + "stop": "Zatrzymaj" + }, + "validation": { + "check_config": "Sprawdź konfigurację", + "heading": "Sprawdzanie konfiguracji", + "introduction": "Kliknij Sprawdź konfigurację, by upewnić się, że jest ona prawidłowa.", + "invalid": "Konfiguracja nieprawidłowa", + "valid": "Konfiguracja prawidłowa!" + } + } + }, + "users": { + "add_user": { + "caption": "Dodaj użytkownika", + "create": "Utwórz", + "name": "Imię", + "password": "Hasło", + "username": "Nazwa użytkownika" + }, + "caption": "Użytkownicy", + "description": "Zarządzaj użytkownikami", + "editor": { + "activate_user": "Aktywuj użytkownika", + "active": "Aktywny", + "caption": "Wyświetl użytkownika", + "change_password": "Zmień hasło", + "confirm_user_deletion": "Na pewno chcesz usunąć {name}?", + "deactivate_user": "Dezaktywuj użytkownika", + "delete_user": "Usuń użytkownika", + "enter_new_name": "Wprowadź nową nazwę", + "group": "Grupa", + "group_update_failed": "Nie powiodła się aktualizacja grupy:", + "id": "Identyfikator", + "owner": "Właściciel", + "rename_user": "Zmień nazwę użytkownika", + "system_generated": "Wygenerowany przez system", + "system_generated_users_not_removable": "Nie można usunąć użytkowników wygenerowanych przez system.", + "unnamed_user": "Nienazwany użytkownik", + "user_rename_failed": "Nie powiodła się zmiana nazwy użytkownika:" + }, + "picker": { + "system_generated": "Wygenerowany przez system", + "title": "Użytkownicy" + } }, "zha": { - "caption": "ZHA", - "description": "Zarządzanie siecią automatyki domowej Zigbee", - "services": { - "reconfigure": "Ponowna konfiguracja urządzenia ZHA (uzdrawianie urządzenia). Użyj tego polecenia, jeśli masz problemy z urządzeniem. Jeśli urządzenie jest zasilane bateryjnie, upewnij się, że nie jest uśpione i przyjmie polecenie rekonfiguracji.", - "updateDeviceName": "Ustaw niestandardową nazwę tego urządzenia w rejestrze urządzeń.", - "remove": "Usuń urządzenie z sieci Zigbee." - }, - "device_card": { - "device_name_placeholder": "Nazwa użytkownika", - "area_picker_label": "Obszar", - "update_name_button": "Aktualizuj nazwę" - }, "add_device_page": { - "header": "Zigbee Home Automation - Dodaj urządzenia", - "spinner": "Wyszukiwanie urządzeń ZHA Zigbee...", "discovery_text": "Wykryte urządzenia pojawią się tutaj. Postępuj zgodnie z instrukcjami dla urządzeń, by wprowadzić je w tryb parowania.", - "search_again": "Szukaj ponownie" + "header": "Zigbee Home Automation - Dodaj urządzenia", + "search_again": "Szukaj ponownie", + "spinner": "Wyszukiwanie urządzeń ZHA Zigbee..." + }, + "caption": "ZHA", + "cluster_attributes": { + "attributes_of_cluster": "Atrybuty wybranego klastra", + "get_zigbee_attribute": "Wyświetl atrybut Zigbee", + "header": "Atrybuty klastra", + "help_attribute_dropdown": "Wybierz atrybut, aby wyświetlić lub ustawić jego wartość", + "help_get_zigbee_attribute": "Wyświetl wartość dla wybranego atrybutu", + "help_set_zigbee_attribute": "Ustaw wartość atrybutu dla określonego klastra i określonej encji", + "introduction": "Wyświetl i edytuj atrybuty klastra.", + "set_zigbee_attribute": "Ustaw atrybut Zigbee" + }, + "cluster_commands": { + "commands_of_cluster": "Polecenia wybranego klastra", + "header": "Komendy klastra", + "help_command_dropdown": "Wybierz polecenie do interakcji", + "introduction": "Wyświetl i wydaj polecenia klastra", + "issue_zigbee_command": "Wydaj polecenie Zigbee" + }, + "clusters": { + "help_cluster_dropdown": "Wybierz klaster, aby wyświetlić atrybuty i polecenia." }, "common": { "add_devices": "Dodaj urządzenia", @@ -1025,472 +1334,258 @@ "manufacturer_code_override": "Zastąpienie kodu producenta", "value": "Wartość" }, + "description": "Zarządzanie siecią automatyki domowej Zigbee", + "device_card": { + "area_picker_label": "Obszar", + "device_name_placeholder": "Nazwa użytkownika", + "update_name_button": "Aktualizuj nazwę" + }, "network_management": { "header": "Zarządzanie siecią", "introduction": "Polecenia, które wpływają na całą sieć" }, "node_management": { "header": "Zarządzanie urządzeniami", - "introduction": "Uruchom polecenia ZHA, które wpływają na pojedyncze urządzenie. Wybierz urządzenie, aby wyświetlić listę dostępnych poleceń.", + "help_node_dropdown": "Wybierz urządzenie, aby wyświetlić jego opcje.", "hint_battery_devices": "Uwaga: usypiane urządzenia (zasilane bateryjnie) muszą się obudzić podczas wykonywania poleceń. Na ogół możesz obudzić uśpione urządzenie, uruchamiając je.", "hint_wakeup": "Niektóre urządzenia, takie jak czujniki Xiaomi, mają przycisk budzenia, który można naciskać w odstępach co około 5 sekund, dzięki czemu urządzenia pozostają w stanie czuwania podczas interakcji z nimi.", - "help_node_dropdown": "Wybierz urządzenie, aby wyświetlić jego opcje." + "introduction": "Uruchom polecenia ZHA, które wpływają na pojedyncze urządzenie. Wybierz urządzenie, aby wyświetlić listę dostępnych poleceń." }, - "clusters": { - "help_cluster_dropdown": "Wybierz klaster, aby wyświetlić atrybuty i polecenia." - }, - "cluster_attributes": { - "header": "Atrybuty klastra", - "introduction": "Wyświetl i edytuj atrybuty klastra.", - "attributes_of_cluster": "Atrybuty wybranego klastra", - "get_zigbee_attribute": "Wyświetl atrybut Zigbee", - "set_zigbee_attribute": "Ustaw atrybut Zigbee", - "help_attribute_dropdown": "Wybierz atrybut, aby wyświetlić lub ustawić jego wartość", - "help_get_zigbee_attribute": "Wyświetl wartość dla wybranego atrybutu", - "help_set_zigbee_attribute": "Ustaw wartość atrybutu dla określonego klastra i określonej encji" - }, - "cluster_commands": { - "header": "Komendy klastra", - "introduction": "Wyświetl i wydaj polecenia klastra", - "commands_of_cluster": "Polecenia wybranego klastra", - "issue_zigbee_command": "Wydaj polecenie Zigbee", - "help_command_dropdown": "Wybierz polecenie do interakcji" + "services": { + "reconfigure": "Ponowna konfiguracja urządzenia ZHA (uzdrawianie urządzenia). Użyj tego polecenia, jeśli masz problemy z urządzeniem. Jeśli urządzenie jest zasilane bateryjnie, upewnij się, że nie jest uśpione i przyjmie polecenie rekonfiguracji.", + "remove": "Usuń urządzenie z sieci Zigbee.", + "updateDeviceName": "Ustaw niestandardową nazwę tego urządzenia w rejestrze urządzeń." } }, - "area_registry": { - "caption": "Rejestr obszarów", - "description": "Przegląd wszystkich obszarów w twoim domu", - "picker": { - "header": "Rejestr obszarów", - "introduction": "Obszary służą do organizacji urządzeń. Informacje te będą używane w Home Assistant, aby pomóc w organizacji interfejsu, uprawnień i integracji z innymi systemami.", - "introduction2": "Aby umieścić urządzenia w danym obszarze, użyj poniższego linku, aby przejść do strony integracji, a następnie kliknij skonfigurowaną integrację, aby dostać się do kart urządzeń.", - "integrations_page": "Strona integracji", - "no_areas": "Wygląda na to, że nie masz jeszcze lokalizacji!", - "create_area": "UTWÓRZ OBSZAR" + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Indeks", + "instance": "Instancja", + "unknown": "nieznany", + "value": "Wartość", + "wakeup_interval": "Częstotliwość wybudzenia" }, - "no_areas": "Wygląda na to, że jeszcze nie masz zdefiniowanych obszarów!", - "create_area": "UTWÓRZ OBSZAR", - "editor": { - "default_name": "Nowy obszar", - "delete": "USUŃ", - "update": "UAKTUALNIJ", - "create": "UTWÓRZ" - } - }, - "entity_registry": { - "caption": "Rejestr encji", - "description": "Przegląd wszystkich znanych encji", - "picker": { - "header": "Rejestr encji", - "unavailable": "(niedostępne)", - "introduction": "Home Assistant prowadzi rejestr każdej encji, jaką kiedykolwiek widział i którą można jednoznacznie zidentyfikować. Każda z tych encji będzie miała przypisany unikalny identyfikator, który będzie zarezerwowany tylko dla niej.", - "introduction2": "Użyj rejestru encji, aby nadpisać jej nazwę, zmienić jej identyfikator lub usunąć ją z Home Assistant'a. Uwaga: usunięcie wpisu rejestru encji nie spowoduje usunięcia encji. Aby to zrobić, kliknij poniższy link i usuń integracje encji.", - "integrations_page": "Strona integracji", - "show_disabled": "Wyświetlaj nieużywane encje", - "headers": { - "name": "Nazwa", - "entity_id": "Identyfikator encji", - "integration": "Integracja", - "enabled": "Włączone" - } + "description": "Zarządzaj siecią Z-Wave", + "learn_more": "Dowiedz się więcej o Z-Wave", + "network_management": { + "header": "Zarządzanie siecią Z-Wave", + "introduction": "Uruchom polecenia sterujące siecią Z-Wave. Nie otrzymasz informacji o tym, czy wykonanie poleceń się powiodło, ale możesz szukać informacji na ten temat w logu OZW." }, - "editor": { - "unavailable": "Ta encja nie jest obecnie dostępna.", - "default_name": "Nowy obszar", - "delete": "USUŃ", - "update": "UAKTUALNIJ", - "enabled_label": "Włącz encję", - "enabled_cause": "Wyłączone przez {cause}.", - "enabled_description": "Wyłączone encje nie będą dodawane do Home Assistant'a.", - "confirm_delete": "Na pewno chcesz usunąć ten wpis?", - "confirm_delete2": "Usunięcie wpisu nie spowoduje usunięcia encji z Home Assistant'a. Aby to zrobić, musisz usunąć integrację '{platform}'." - } - }, - "person": { - "caption": "Osoby", - "description": "Zarządzaj osobami, które śledzi Home Assistant", - "detail": { - "name": "Imię", - "device_tracker_intro": "Wybierz urządzenia należące do tej osoby.", - "device_tracker_picked": "Śledź urządzenie", - "device_tracker_pick": "Wybierz urządzenie do śledzenia", - "new_person": "Nowa osoba", - "name_error_msg": "Nazwa jest wymagana", - "linked_user": "Połączony użytkownik", - "no_device_tracker_available_intro": "Jeśli masz urządzenia wskazujące obecność osoby, możesz tutaj przypisać ją do tej osoby. Możesz dodać swoje pierwsze urządzenie, dodając integrację wykrywania obecności ze strony integracji.", - "link_presence_detection_integrations": "Integracje wykrywania obecności", - "link_integrations_page": "Strona integracji", - "delete": "Usuń", - "create": "Utwórz", - "update": "Aktualizuj" + "network_status": { + "network_started": "Uruchomiono sieć Z-Wave", + "network_started_note_all_queried": "Wszystkie węzły zostały odpytane.", + "network_started_note_some_queried": "Wybudzone węzły zostały odpytane. Niewybudzone węzły będą odpytane, kiedy się wybudzą.", + "network_starting": "Uruchamianie sieci Z-Wave ...", + "network_starting_note": "Może to chwilę potrwać, w zależności od rozmiaru sieci.", + "network_stopped": "Zatrzymano sieć Z-Wave" }, - "introduction": "Tutaj można zdefiniować osoby, których obecność będzie śledzona w Home Assistant.", - "note_about_persons_configured_in_yaml": "Uwaga: osób skonfigurowanych za pomocą pliku configuration.yaml nie można edytować za pomocą interfejsu użytkownika.", - "no_persons_created_yet": "Wygląda na to, że nie utworzyłeś jeszcze żadnych osób.", - "create_person": "Utwórz osobę", - "add_person": "Dodaj osobę", - "confirm_delete": "Na pewno chcesz usunąć tę osobę?", - "confirm_delete2": "Wszystkie urządzenia należące do tej osoby zostaną nieprzypisane." - }, - "server_control": { - "caption": "Kontrola serwera", - "description": "Uruchom ponownie i zatrzymaj serwer Home Assistant'a", - "section": { - "validation": { - "heading": "Sprawdzanie konfiguracji", - "introduction": "Kliknij Sprawdź konfigurację, by upewnić się, że jest ona prawidłowa.", - "check_config": "Sprawdź konfigurację", - "valid": "Konfiguracja prawidłowa!", - "invalid": "Konfiguracja nieprawidłowa" - }, - "reloading": { - "heading": "Ponowne wczytanie konfiguracji", - "introduction": "Niektóre części konfiguracji można wczytać od nowa bez konieczności ponownego uruchamiania Home Assistant'a. Naciśnięcie poniższych przycisków wczyta ponownie daną część konfiguracji.", - "core": "Rdzeń", - "group": "Grupy", - "automation": "Automatyzacje", - "script": "Skrypty", - "scene": "Sceny" - }, - "server_management": { - "heading": "Zarządzanie serwerem", - "introduction": "Kontroluj serwer Home Assistant'a.", - "restart": "Uruchom ponownie", - "stop": "Zatrzymaj", - "confirm_restart": "Na pewno chcesz ponownie uruchomić Home Assistant'a?", - "confirm_stop": "Na pewno chcesz zatrzymać Home Assistant'a?" - } - } - }, - "devices": { - "caption": "Urządzenia", - "description": "Zarządzaj podłączonymi urządzeniami", - "automation": { - "triggers": { - "caption": "Gdy..." - }, - "conditions": { - "caption": "Jeśli..." - }, - "actions": { - "caption": "Wykonaj akcje..." - } - } - }, - "common": { - "editor": { - "confirm_unsaved": "Masz niezapisane zmiany. Na pewno chcesz wyjść?" + "node_config": { + "config_parameter": "Parametr", + "config_value": "Wartość", + "false": "Fałsz", + "header": "Opcje konfiguracji węzła", + "seconds": "sekundy", + "set_config_parameter": "Ustaw parametr konfiguracji", + "set_wakeup": "Ustaw częstotliwość wybudzenia", + "true": "Prawda" + }, + "ozw_log": { + "header": "Log OpenZWave", + "introduction": "Określ liczbowo długość loga. 0 to minimum (ładuje całość), a 1000 to maksimum. Klawisz Load ładuje i wyświetla log statyczny.\\nKlawisz Tail ładuje i wyświetla określoną liczbę ostatnich linii logu." + }, + "services": { + "add_node": "Dodaj węzeł", + "add_node_secure": "Dodaj bezpieczny węzeł", + "cancel_command": "Anuluj polecenie", + "heal_network": "Uzdrawiaj sieć", + "remove_node": "Usuń węzeł", + "save_config": "Zapisz konfigurację", + "soft_reset": "Miękki reset", + "start_network": "Uruchom sieć", + "stop_network": "Zatrzymaj sieć", + "test_network": "Testuj sieć" + }, + "values": { + "header": "Wartości węzła" } } }, - "profile": { - "push_notifications": { - "header": "Powiadomienia push", - "description": "Wysyłaj powiadomienia na to urządzenie.", - "error_load_platform": "Skonfiguruj notify.html5.", - "error_use_https": "Wymagany protokół SSL dla interfejsu użytkownika.", - "push_notifications": "Powiadomienia push", - "link_promo": "Dowiedz się więcej" - }, - "language": { - "header": "Język", - "link_promo": "Pomóż w tłumaczeniu", - "dropdown_label": "Język" - }, - "themes": { - "header": "Motyw", - "error_no_theme": "Brak dostępnych motywów.", - "link_promo": "Dowiedz się więcej o motywch", - "dropdown_label": "Motyw" - }, - "refresh_tokens": { - "header": "Tokeny", - "description": "Każdy token reprezentuje sesję logowania. Tokeny zostaną automatycznie usunięte po wylogowaniu. Następujące tokeny są obecnie aktywne dla Twojego konta.", - "token_title": "Token dla {clientId}", - "created_at": "Utworzony {date}", - "confirm_delete": "Na pewno chcesz usunąć token dla {name}?", - "delete_failed": "Nie udało się usunąć tokena.", - "last_used": "Ostatnio używany {date} z {location}", - "not_used": "Nigdy nie był używany", - "current_token_tooltip": "Nie można usunąć bieżącego tokena" - }, - "long_lived_access_tokens": { - "header": "Tokeny dostępu", - "description": "Długoterminowe tokeny dostępu umożliwiają skryptom interakcję z Home Assistant. Każdy token będzie ważny przez 10 lat od utworzenia. Następujące tokeny są obecnie aktywne.", - "learn_auth_requests": "Dowiedz się, jak tworzyć uwierzytelnione żądania.", - "created_at": "Utworzony {date}", - "confirm_delete": "Na pewno chcesz usunąć token dla {name}?", - "delete_failed": "Nie udało się usunąć tokena.", - "create": "Utwórz token", - "create_failed": "Nie udało się utworzyć tokena.", - "prompt_name": "Nazwa?", - "prompt_copy_token": "Skopiuj token. Nie będzie on już ponownie wyświetlany.", - "empty_state": "Nie masz jeszcze żadnych tokenów.", - "last_used": "Ostatnio używany {date} z {location}", - "not_used": "Nigdy nie był używany" - }, - "current_user": "Jesteś obecnie zalogowany jako {fullName}.", - "is_owner": "Jesteś właścicielem.", - "change_password": { - "header": "Zmień hasło", - "current_password": "Bieżące hasło", - "new_password": "Nowe hasło", - "confirm_new_password": "Potwierdź nowe hasło", - "error_required": "Wymagane", - "submit": "Zatwierdź" - }, - "mfa": { - "header": "Moduły uwierzytelniania wieloskładnikowego", - "disable": "Wyłącz", - "enable": "Włącz", - "confirm_disable": "Na pewno chcesz wyłączyć {name}?" - }, - "mfa_setup": { - "title_aborted": "Przerwano", - "title_success": "Powodzenie!", - "step_done": "Konfiguracja wykonana dla {step}", - "close": "Zamknij", - "submit": "Zatwierdź" - }, - "logout": "Wyloguj", - "force_narrow": { - "header": "Zawsze ukrywaj pasek boczny", - "description": "Spowoduje to domyślne ukrycie paska bocznego, podobnie jak w przypadku urządzeń przenośnych." - }, - "vibrate": { - "header": "Wibracja", - "description": "Włącz lub wyłącz wibracje na tym urządzeniu podczas sterowania urządzeniami." - }, - "advanced_mode": { - "title": "Tryb zaawansowany", - "description": "Home Assistant domyślnie ukrywa zaawansowane funkcje i opcje. Możesz włączyć do nich dostęp, włączając tę opcję. Jest to ustawienie specyficzne dla użytkownika i nie wpływa na innych użytkowników korzystających z Home Assistant." - } - }, - "page-authorize": { - "initializing": "Inicjowanie", - "authorizing_client": "Czy na pewno chcesz dać dostęp {clientId} do Twojej instancji Home Assistant'a.", - "logging_in_with": "Logowanie za pomocą **{authProviderName}**.", - "pick_auth_provider": "Lub zaloguj się za pomocą", - "abort_intro": "Logowanie przerwane", - "form": { - "working": "Proszę czekać", - "unknown_error": "Coś poszło nie tak", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Nazwa użytkownika", - "password": "Hasło" - } - }, - "mfa": { - "data": { - "code": "Kod uwierzytelniania dwuskładnikowego" - }, - "description": "Otwórz **{mfa_module_name}** na urządzeniu, aby wyświetlić dwuskładnikowy kod uwierzytelniający i zweryfikować swoją tożsamość:" - } - }, - "error": { - "invalid_auth": "Nieprawidłowa nazwa użytkownika lub hasło", - "invalid_code": "Nieprawidłowy kod uwierzytelniający" - }, - "abort": { - "login_expired": "Sesja wygasła, zaloguj się ponownie." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "Hasło API" - }, - "description": "Proszę wprowadzić hasło API w Twoim configu http:" - }, - "mfa": { - "data": { - "code": "Kod uwierzytelniania dwuskładnikowego" - }, - "description": "Otwórz **{mfa_module_name}** na urządzeniu, aby wyświetlić dwuskładnikowy kod uwierzytelniający i zweryfikować swoją tożsamość:" - } - }, - "error": { - "invalid_auth": "Nieprawidłowe hasło API", - "invalid_code": "Nieprawidłowy kod uwierzytelniający" - }, - "abort": { - "no_api_password_set": "Nie masz skonfigurowanego hasła interfejsu API.", - "login_expired": "Sesja wygasła, zaloguj się ponownie." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Użytkownik" - }, - "description": "Proszę wybrać użytkownika, na którego chcesz się zalogować:" - } - }, - "abort": { - "not_whitelisted": "Twój komputer nie znajduje się na białej liście." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Nazwa użytkownika", - "password": "Hasło" - } - }, - "mfa": { - "data": { - "code": "Kod uwierzytelniania dwuskładnikowego" - }, - "description": "Otwórz **{mfa_module_name}** na urządzeniu, aby wyświetlić dwuskładnikowy kod uwierzytelniający i zweryfikować swoją tożsamość:" - } - }, - "error": { - "invalid_auth": "Nieprawidłowa nazwa użytkownika lub hasło", - "invalid_code": "Nieprawidłowy kod uwierzytelniający" - }, - "abort": { - "login_expired": "Sesja wygasła, zaloguj się ponownie." - } - } - } - } - }, - "page-onboarding": { - "intro": "Czy jesteś gotowy, aby ożywić swój dom, odzyskać prywatność i dołączyć do światowej społeczności majsterkowiczów?", - "user": { - "intro": "Zacznijmy od utworzenia konta użytkownika.", - "required_field": "Wymagane", - "data": { - "name": "Imię", - "username": "Nazwa użytkownika", - "password": "Hasło", - "password_confirm": "Potwierdź hasło" + "developer-tools": { + "tabs": { + "events": { + "alert_event_type": "Typ zdarzenia jest polem obowiązkowym", + "available_events": "Dostępne zdarzenia", + "count_listeners": " ({count} słuchaczy)", + "data": "Dane zdarzenia (YAML, opcjonalnie)", + "description": "Wywołaj zdarzenie na szynie zdarzeń.", + "documentation": "Dokumentacja zdarzeń.", + "event_fired": "Zdarzenie {name} wywołane", + "fire_event": "Wywołaj zdarzenie", + "listen_to_events": "Nasłuch zdarzeń", + "listening_to": "Nasłuchiwanie...", + "notification_event_fired": "Udało się wywołać zdarzenie {type}!", + "start_listening": "Rozpocznij nasłuch", + "stop_listening": "Zatrzymaj nasłuch", + "subscribe_to": "Zdarzenie do zasubskrybowania", + "title": "Zdarzenia", + "type": "Typ zdarzenia" }, - "create_account": "Utwórz konto", - "error": { - "required_fields": "Wypełnij wszystkie wymagane pola", - "password_not_match": "Hasła nie są takie same" + "info": { + "built_using": "Zbudowany przy użyciu", + "custom_uis": "Niestandardowe interfejsy użytkownika:", + "default_ui": "{action} {name} jako domyślną stronę na tym urządzeniu", + "developed_by": "Opracowany przez grono wspaniałych ludzi.", + "frontend": "frontend-ui", + "frontend_version": "Wersja interfejsu użytkownika: {version} - {type}", + "home_assistant_logo": "Logo Home Assistant", + "icons_by": "ikon", + "license": "Opublikowany na licencji Apache 2.0", + "lovelace_ui": "Przejdź do interfejsu użytkownika Lovelace", + "path_configuration": "Ścieżka do configuration.yaml: {path}", + "remove": "Usuń", + "server": "serwer", + "set": "Ustaw", + "source": "Źródło:", + "states_ui": "Przejdź do interfejsu użytkownika stanów", + "system_health_error": "Komponent kondycji systemu nie jest załadowany. Dodaj 'system_health:' do pliku configuration.yaml", + "title": "Informacje" + }, + "logs": { + "clear": "Wyczyść", + "details": "Szczegóły loga ({level})", + "load_full_log": "Załaduj cały log Home Assistant'a", + "loading_log": "Ładowanie loga błędów…", + "multiple_messages": "wiadomość pojawiła się po raz pierwszy o godzinie {time} i powtarzała się {counter} razy", + "no_errors": "Nie zgłoszono żadnych błędów.", + "no_issues": "Nie ma nowych problemów!", + "refresh": "Odśwież", + "title": "Logi" + }, + "mqtt": { + "description_listen": "Nasłuch tematu", + "description_publish": "Opublikuj pakiet", + "listening_to": "Nasłuchiwanie...", + "message_received": "Wiadomość {id} otrzymana w {topic} o godzinie {time}:", + "payload": "Payload (z możliwością użycia szablonów)", + "publish": "Opublikuj", + "start_listening": "Rozpocznij nasłuch", + "stop_listening": "Zatrzymaj nasłuch", + "subscribe_to": "Temat do zasubskrybowania", + "title": "MQTT", + "topic": "temat" + }, + "services": { + "alert_parsing_yaml": "Błąd parsowania YAML: {data}", + "call_service": "Wywołaj usługę", + "column_description": "Opis", + "column_example": "Przykład", + "column_parameter": "Parametr", + "data": "Dane usługi (YAML, opcjonalnie)", + "description": "Narzędzie deweloperskie Usługi pozwala na wywołanie dowolnej dostępnej usługi.", + "fill_example_data": "Wypełnij przykładowymi danymi", + "no_description": "Opis nie jest dostępny", + "no_parameters": "Ta usługa nie przyjmuje parametrów.", + "select_service": "Wybierz usługę, aby zobaczyć opis", + "title": "Usługi" + }, + "states": { + "alert_entity_field": "Encja jest polem obowiązkowym", + "attributes": "Atrybuty", + "current_entities": "Obecne encje", + "description1": "Ustaw stany encji urządzeń Home Assistant'a.", + "description2": "Nie wpłynie to na rzeczywiste urządzenia.", + "entity": "Encja", + "filter_attributes": "filtr atrybutów", + "filter_entities": "Filtr encji", + "filter_states": "Filtr stanów", + "more_info": "Więcej informacji", + "no_entities": "Brak encji", + "set_state": "Ustaw stan", + "state": "Stan", + "state_attributes": "Atrybuty stanu (YAML, opcjonalnie)", + "title": "Stany" + }, + "templates": { + "description": "Szablony są renderowane przy użyciu silnika szablonów Jinja2 z kilkoma specyficznymi rozszerzeniami Home Assistant'a.", + "editor": "Edytor szablonów", + "jinja_documentation": "Dokumentacja szablonów Jinja2", + "template_extensions": "Rozszerzenia szablonów Home Assistant'a", + "title": "Szablon", + "unknown_error_template": "Nieznany błąd podczas renderowania szablonu." } - }, - "integration": { - "intro": "Urządzenia i usługi są reprezentowane w Home Assistant jako integracje. Możesz je teraz skonfigurować lub zrobić to później w konfiguracji.", - "more_integrations": "Więcej", - "finish": "Koniec" - }, - "core-config": { - "intro": "{name}, witamy w Home Assistant. Jak chcesz nazwać swój dom?", - "intro_location": "Chcielibyśmy wiedzieć, gdzie mieszkasz. Te dane pomogą w wyświetlaniu informacji i konfigurowaniu automatyki opartej na położeniu słońca. Te dane nigdy nie będą udostępniane poza Twoją sieć lokalną.", - "intro_location_detect": "Możemy pomóc Ci wprowadzić te informacje, wysyłając jednorazowe zapytanie do usługi zewnętrznej.", - "location_name_default": "Dom", - "button_detect": "Wykryj", - "finish": "Dalej" } }, + "history": { + "period": "Okres", + "showing_entries": "Wyświetlanie rekordów dla" + }, + "logbook": { + "period": "Okres", + "showing_entries": "Wyświetlanie rekordów dla" + }, "lovelace": { "cards": { - "shopping-list": { - "checked_items": "Pozycje zaznaczone", - "clear_items": "Wyczyść zaznaczone pozycje", - "add_item": "Dodaj pozycję" - }, + "confirm_delete": "Na pewno chcesz usunąć tę kartę?", "empty_state": { - "title": "Witaj w domu", + "go_to_integrations_page": "Przejdź do strony integracji.", "no_devices": "Ta strona pozwala kontrolować urządzenia, ale wygląda na to, że nie masz jeszcze żadnych skonfigurowanych. Przejdź na stronę integracji, aby rozpocząć.", - "go_to_integrations_page": "Przejdź do strony integracji." + "title": "Witaj w domu" }, "picture-elements": { - "hold": "Przytrzymanie:", - "tap": "Dotknięcie:", - "navigate_to": "Przejdź do {location}", - "toggle": "Przełącz {name}", "call_service": "Wywołaj usługę {name}", + "hold": "Przytrzymanie:", "more_info": "Pokaż więcej informacji: {name}", + "navigate_to": "Przejdź do {location}", + "tap": "Dotknięcie:", + "toggle": "Przełącz {name}", "url": "Otwórz okno do {url_path}" }, - "confirm_delete": "Na pewno chcesz usunąć tę kartę?" + "shopping-list": { + "add_item": "Dodaj pozycję", + "checked_items": "Pozycje zaznaczone", + "clear_items": "Wyczyść zaznaczone pozycje" + } + }, + "changed_toast": { + "message": "Zaktualizowano konfigurację interfejsu użytkownika, czy chcesz ją wczytać ponownie?", + "refresh": "Wczytaj ponownie" }, "editor": { - "edit_card": { - "header": "Konfiguracja karty", - "save": "Zapisz", - "toggle_editor": "Przełącz edytor", - "pick_card": "Wybierz kartę, którą chcesz dodać.", - "add": "Dodaj kartę", - "edit": "Edytuj", - "delete": "Usuń", - "move": "Przenieś", - "show_visual_editor": "Edytor wizualny", - "show_code_editor": "Edytor kodu", - "pick_card_view_title": "Którą kartę chcesz dodać do widoku {name}?", - "options": "Więcej opcji" - }, - "migrate": { - "header": "Konfiguracja niekompatybilna", - "para_no_id": "Ten element nie ma ID. Dodaj ID do tego elementu w \"ui-lovelace.yaml\".", - "para_migrate": "Home Assistant może automatycznie dodać ID do wszystkich twoich kart i widoków, po kliknięciu przycisku \"Migracja konfiguracji\".", - "migrate": "Migracja konfiguracji" - }, - "header": "Edycja interfejsu użytkownika", - "edit_view": { - "header": "Konfiguracja widoku", - "add": "Dodaj widok", - "edit": "Edytuj widok", - "delete": "Usuń widok", - "header_name": "Konfiguracja widoku {name}" - }, - "save_config": { - "header": "Przejmij kontrolę nad interfejsem użytkownika Lovelace", - "para": "Domyślnie asystent domowy będzie utrzymywał interfejs użytkownika, aktualizując go, gdy pojawią się nowe elementy lub komponenty Lovelace. Jeśli przejmiesz kontrolę, nie będziemy już dokonywać zmian automatycznie.", - "para_sure": "Na pewno chcesz przejąć kontrolę nad interfejsem użytkownika?", - "cancel": "Nieważne", - "save": "Przejmuję kontrolę" - }, - "menu": { - "raw_editor": "Ręczny edytor konfiguracji", - "open": "Otwórz menu interfejsu użytkownika Lovelace" - }, - "raw_editor": { - "header": "Edytuj konfigurację", - "save": "Zapisz", - "unsaved_changes": "Niezapisane zmiany", - "saved": "Zapisano" - }, - "edit_lovelace": { - "header": "Tytuł interfejsu użytkownika", - "explanation": "Tytuł jest wyświetlany ponad wszystkimi widokami interfejsu użytkownika" - }, "card": { "alarm_panel": { "available_states": "Dostępne stany" }, + "alarm-panel": { + "available_states": "Dostępne stany", + "name": "Panel alarmu" + }, + "conditional": { + "name": "Warunkowa" + }, "config": { - "required": "Wymagane", - "optional": "Opcjonalne" + "optional": "Opcjonalne", + "required": "Wymagane" }, "entities": { - "show_header_toggle": "Pokaż przełącznik w nagłówku?", "name": "Encje", + "show_header_toggle": "Pokaż przełącznik w nagłówku?", "toggle": "Przełącz encje" }, + "entity-button": { + "name": "Przycisk encji" + }, + "entity-filter": { + "name": "Filtr encji" + }, "gauge": { + "name": "Wskaźnik", "severity": { "define": "Zdefiniować progi kolorów?", "green": "Zielony", "red": "Czerwony", "yellow": "Żółty" - }, - "name": "Wskaźnik" - }, - "glance": { - "columns": "Kolumny", - "name": "Glance" + } }, "generic": { "aspect_ratio": "Proporcje obrazu", @@ -1511,39 +1606,14 @@ "show_name": "Pokaż nazwę?", "show_state": "Pokaż stan?", "tap_action": "Akcja dotknięcia", - "title": "Tytuł", "theme": "Motyw", + "title": "Tytuł", "unit": "Jednostka", "url": "URL" }, - "map": { - "geo_location_sources": "Źródła geolokalizacji", - "dark_mode": "Tryb ciemny?", - "default_zoom": "Domyślne powiększenie", - "source": "Źródło", - "name": "Mapa" - }, - "markdown": { - "content": "Zawartość", - "name": "Markdown" - }, - "sensor": { - "graph_detail": "Szczegół wykresu", - "graph_type": "Rodzaj wykresu", - "name": "Sensor" - }, - "alarm-panel": { - "name": "Panel alarmu", - "available_states": "Dostępne stany" - }, - "conditional": { - "name": "Warunkowa" - }, - "entity-button": { - "name": "Przycisk encji" - }, - "entity-filter": { - "name": "Filtr encji" + "glance": { + "columns": "Kolumny", + "name": "Glance" }, "history-graph": { "name": "Wykres historii" @@ -1557,12 +1627,20 @@ "light": { "name": "Światło" }, + "map": { + "dark_mode": "Tryb ciemny?", + "default_zoom": "Domyślne powiększenie", + "geo_location_sources": "Źródła geolokalizacji", + "name": "Mapa", + "source": "Źródło" + }, + "markdown": { + "content": "Zawartość", + "name": "Markdown" + }, "media-control": { "name": "Kontrola mediów" }, - "picture": { - "name": "Obraz" - }, "picture-elements": { "name": "Elementy obrazu" }, @@ -1572,9 +1650,17 @@ "picture-glance": { "name": "Obraz (glance)" }, + "picture": { + "name": "Obraz" + }, "plant-status": { "name": "Stan rośliny" }, + "sensor": { + "graph_detail": "Szczegół wykresu", + "graph_type": "Rodzaj wykresu", + "name": "Sensor" + }, "shopping-list": { "name": "Lista zakupów" }, @@ -1588,434 +1674,348 @@ "name": "Prognoza pogody" } }, + "edit_card": { + "add": "Dodaj kartę", + "delete": "Usuń", + "edit": "Edytuj", + "header": "Konfiguracja karty", + "move": "Przenieś", + "options": "Więcej opcji", + "pick_card": "Wybierz kartę, którą chcesz dodać.", + "pick_card_view_title": "Którą kartę chcesz dodać do widoku {name}?", + "save": "Zapisz", + "show_code_editor": "Edytor kodu", + "show_visual_editor": "Edytor wizualny", + "toggle_editor": "Przełącz edytor" + }, + "edit_lovelace": { + "explanation": "Tytuł jest wyświetlany ponad wszystkimi widokami interfejsu użytkownika", + "header": "Tytuł interfejsu użytkownika" + }, + "edit_view": { + "add": "Dodaj widok", + "delete": "Usuń widok", + "edit": "Edytuj widok", + "header": "Konfiguracja widoku", + "header_name": "Konfiguracja widoku {name}" + }, + "header": "Edycja interfejsu użytkownika", + "menu": { + "open": "Otwórz menu interfejsu użytkownika Lovelace", + "raw_editor": "Ręczny edytor konfiguracji" + }, + "migrate": { + "header": "Konfiguracja niekompatybilna", + "migrate": "Migracja konfiguracji", + "para_migrate": "Home Assistant może automatycznie dodać ID do wszystkich twoich kart i widoków, po kliknięciu przycisku \"Migracja konfiguracji\".", + "para_no_id": "Ten element nie ma ID. Dodaj ID do tego elementu w \"ui-lovelace.yaml\"." + }, + "raw_editor": { + "header": "Edytuj konfigurację", + "save": "Zapisz", + "saved": "Zapisano", + "unsaved_changes": "Niezapisane zmiany" + }, + "save_config": { + "cancel": "Nieważne", + "header": "Przejmij kontrolę nad interfejsem użytkownika Lovelace", + "para": "Domyślnie asystent domowy będzie utrzymywał interfejs użytkownika, aktualizując go, gdy pojawią się nowe elementy lub komponenty Lovelace. Jeśli przejmiesz kontrolę, nie będziemy już dokonywać zmian automatycznie.", + "para_sure": "Na pewno chcesz przejąć kontrolę nad interfejsem użytkownika?", + "save": "Przejmuję kontrolę" + }, "view": { "panel_mode": { - "title": "Tryb panelu?", - "description": "Pierwsza karta renderowana jest w pełnej szerokości; inne karty w tym widoku nie będą renderowane." + "description": "Pierwsza karta renderowana jest w pełnej szerokości; inne karty w tym widoku nie będą renderowane.", + "title": "Tryb panelu?" } } }, "menu": { "configure_ui": "Konfiguracja interfejsu użytkownika", - "unused_entities": "Nieużywane encje", "help": "Pomoc", - "refresh": "Wczytaj ponownie" - }, - "warning": { - "entity_not_found": "Encja niedostępna: {entity}", - "entity_non_numeric": "Encja nie jest numeryczna: {entity}" - }, - "changed_toast": { - "message": "Zaktualizowano konfigurację interfejsu użytkownika, czy chcesz ją wczytać ponownie?", - "refresh": "Wczytaj ponownie" + "refresh": "Wczytaj ponownie", + "unused_entities": "Nieużywane encje" }, "reload_lovelace": "Wczytaj ponownie Lovelace", "views": { "confirm_delete": "Na pewno chcesz usunąć ten widok?", "existing_cards": "Nie można usunąć widoku zawierającego karty. Najpierw usuń karty." + }, + "warning": { + "entity_non_numeric": "Encja nie jest numeryczna: {entity}", + "entity_not_found": "Encja niedostępna: {entity}" } }, + "mailbox": { + "delete_button": "Usunąć", + "delete_prompt": "Usunąć tę wiadomość?", + "empty": "Nie masz żadnych wiadomości", + "playback_title": "Odtwarzanie wiadomości" + }, + "page-authorize": { + "abort_intro": "Logowanie przerwane", + "authorizing_client": "Czy na pewno chcesz dać dostęp {clientId} do Twojej instancji Home Assistant'a.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Sesja wygasła, zaloguj się ponownie." + }, + "error": { + "invalid_auth": "Nieprawidłowa nazwa użytkownika lub hasło", + "invalid_code": "Nieprawidłowy kod uwierzytelniający" + }, + "step": { + "init": { + "data": { + "password": "Hasło", + "username": "Nazwa użytkownika" + } + }, + "mfa": { + "data": { + "code": "Kod uwierzytelniania dwuskładnikowego" + }, + "description": "Otwórz **{mfa_module_name}** na urządzeniu, aby wyświetlić dwuskładnikowy kod uwierzytelniający i zweryfikować swoją tożsamość:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Sesja wygasła, zaloguj się ponownie." + }, + "error": { + "invalid_auth": "Nieprawidłowa nazwa użytkownika lub hasło", + "invalid_code": "Nieprawidłowy kod uwierzytelniający" + }, + "step": { + "init": { + "data": { + "password": "Hasło", + "username": "Nazwa użytkownika" + } + }, + "mfa": { + "data": { + "code": "Kod uwierzytelniania dwuskładnikowego" + }, + "description": "Otwórz **{mfa_module_name}** na urządzeniu, aby wyświetlić dwuskładnikowy kod uwierzytelniający i zweryfikować swoją tożsamość:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Sesja wygasła, zaloguj się ponownie.", + "no_api_password_set": "Nie masz skonfigurowanego hasła interfejsu API." + }, + "error": { + "invalid_auth": "Nieprawidłowe hasło API", + "invalid_code": "Nieprawidłowy kod uwierzytelniający" + }, + "step": { + "init": { + "data": { + "password": "Hasło API" + }, + "description": "Proszę wprowadzić hasło API w Twoim configu http:" + }, + "mfa": { + "data": { + "code": "Kod uwierzytelniania dwuskładnikowego" + }, + "description": "Otwórz **{mfa_module_name}** na urządzeniu, aby wyświetlić dwuskładnikowy kod uwierzytelniający i zweryfikować swoją tożsamość:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Twój komputer nie znajduje się na białej liście." + }, + "step": { + "init": { + "data": { + "user": "Użytkownik" + }, + "description": "Proszę wybrać użytkownika, na którego chcesz się zalogować:" + } + } + } + }, + "unknown_error": "Coś poszło nie tak", + "working": "Proszę czekać" + }, + "initializing": "Inicjowanie", + "logging_in_with": "Logowanie za pomocą **{authProviderName}**.", + "pick_auth_provider": "Lub zaloguj się za pomocą" + }, "page-demo": { "cards": { "demo": { "demo_by": "według {name}", - "next_demo": "Następna demonstracja", "introduction": "Witaj w domu! Dotarłeś do demonstracji Home Assistant, gdzie prezentujemy najlepsze interfejsy użytkownika stworzone przez naszą społeczność.", - "learn_more": "Dowiedz się więcej o Home Assistant" + "learn_more": "Dowiedz się więcej o Home Assistant", + "next_demo": "Następna demonstracja" } }, "config": { "arsaboo": { - "names": { - "upstairs": "Piętro", - "family_room": "Pokój rodzinny", - "kitchen": "Kuchnia", - "patio": "Patio", - "hallway": "Korytarz", - "master_bedroom": "Główna sypialnia", - "left": "Lewo", - "right": "Prawo", - "mirror": "Lustro", - "temperature_study": "Badanie temperatury" - }, "labels": { - "lights": "Światła", - "information": "Informacje", - "morning_commute": "Poranne dojazdy", + "activity": "Aktywność", + "air": "Powietrze", "commute_home": "Dojazd do domu", "entertainment": "Rozrywka", - "activity": "Aktywność", "hdmi_input": "Wejście HDMI", "hdmi_switcher": "Przełącznik HDMI", - "volume": "Głośność", + "information": "Informacje", + "lights": "Światła", + "morning_commute": "Poranne dojazdy", "total_tv_time": "Całkowity czas przed telewizorem", "turn_tv_off": "Wyłącz telewizor", - "air": "Powietrze" + "volume": "Głośność" + }, + "names": { + "family_room": "Pokój rodzinny", + "hallway": "Korytarz", + "kitchen": "Kuchnia", + "left": "Lewo", + "master_bedroom": "Główna sypialnia", + "mirror": "Lustro", + "patio": "Patio", + "right": "Prawo", + "temperature_study": "Badanie temperatury", + "upstairs": "Piętro" }, "unit": { - "watching": "oglądanie", - "minutes_abbr": "min" + "minutes_abbr": "min", + "watching": "oglądanie" } } } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Wykryj", + "finish": "Dalej", + "intro": "{name}, witamy w Home Assistant. Jak chcesz nazwać swój dom?", + "intro_location": "Chcielibyśmy wiedzieć, gdzie mieszkasz. Te dane pomogą w wyświetlaniu informacji i konfigurowaniu automatyki opartej na położeniu słońca. Te dane nigdy nie będą udostępniane poza Twoją sieć lokalną.", + "intro_location_detect": "Możemy pomóc Ci wprowadzić te informacje, wysyłając jednorazowe zapytanie do usługi zewnętrznej.", + "location_name_default": "Dom" + }, + "integration": { + "finish": "Koniec", + "intro": "Urządzenia i usługi są reprezentowane w Home Assistant jako integracje. Możesz je teraz skonfigurować lub zrobić to później w konfiguracji.", + "more_integrations": "Więcej" + }, + "intro": "Czy jesteś gotowy, aby ożywić swój dom, odzyskać prywatność i dołączyć do światowej społeczności majsterkowiczów?", + "user": { + "create_account": "Utwórz konto", + "data": { + "name": "Imię", + "password": "Hasło", + "password_confirm": "Potwierdź hasło", + "username": "Nazwa użytkownika" + }, + "error": { + "password_not_match": "Hasła nie są takie same", + "required_fields": "Wypełnij wszystkie wymagane pola" + }, + "intro": "Zacznijmy od utworzenia konta użytkownika.", + "required_field": "Wymagane" + } + }, + "profile": { + "advanced_mode": { + "description": "Home Assistant domyślnie ukrywa zaawansowane funkcje i opcje. Możesz włączyć do nich dostęp, włączając tę opcję. Jest to ustawienie specyficzne dla użytkownika i nie wpływa na innych użytkowników korzystających z Home Assistant.", + "title": "Tryb zaawansowany" + }, + "change_password": { + "confirm_new_password": "Potwierdź nowe hasło", + "current_password": "Bieżące hasło", + "error_required": "Wymagane", + "header": "Zmień hasło", + "new_password": "Nowe hasło", + "submit": "Zatwierdź" + }, + "current_user": "Jesteś obecnie zalogowany jako {fullName}.", + "force_narrow": { + "description": "Spowoduje to domyślne ukrycie paska bocznego, podobnie jak w przypadku urządzeń przenośnych.", + "header": "Zawsze ukrywaj pasek boczny" + }, + "is_owner": "Jesteś właścicielem.", + "language": { + "dropdown_label": "Język", + "header": "Język", + "link_promo": "Pomóż w tłumaczeniu" + }, + "logout": "Wyloguj", + "long_lived_access_tokens": { + "confirm_delete": "Na pewno chcesz usunąć token dla {name}?", + "create": "Utwórz token", + "create_failed": "Nie udało się utworzyć tokena.", + "created_at": "Utworzony {date}", + "delete_failed": "Nie udało się usunąć tokena.", + "description": "Długoterminowe tokeny dostępu umożliwiają skryptom interakcję z Home Assistant. Każdy token będzie ważny przez 10 lat od utworzenia. Następujące tokeny są obecnie aktywne.", + "empty_state": "Nie masz jeszcze żadnych tokenów.", + "header": "Tokeny dostępu", + "last_used": "Ostatnio używany {date} z {location}", + "learn_auth_requests": "Dowiedz się, jak tworzyć uwierzytelnione żądania.", + "not_used": "Nigdy nie był używany", + "prompt_copy_token": "Skopiuj token. Nie będzie on już ponownie wyświetlany.", + "prompt_name": "Nazwa?" + }, + "mfa_setup": { + "close": "Zamknij", + "step_done": "Konfiguracja wykonana dla {step}", + "submit": "Zatwierdź", + "title_aborted": "Przerwano", + "title_success": "Powodzenie!" + }, + "mfa": { + "confirm_disable": "Na pewno chcesz wyłączyć {name}?", + "disable": "Wyłącz", + "enable": "Włącz", + "header": "Moduły uwierzytelniania wieloskładnikowego" + }, + "push_notifications": { + "description": "Wysyłaj powiadomienia na to urządzenie.", + "error_load_platform": "Skonfiguruj notify.html5.", + "error_use_https": "Wymagany protokół SSL dla interfejsu użytkownika.", + "header": "Powiadomienia push", + "link_promo": "Dowiedz się więcej", + "push_notifications": "Powiadomienia push" + }, + "refresh_tokens": { + "confirm_delete": "Na pewno chcesz usunąć token dla {name}?", + "created_at": "Utworzony {date}", + "current_token_tooltip": "Nie można usunąć bieżącego tokena", + "delete_failed": "Nie udało się usunąć tokena.", + "description": "Każdy token reprezentuje sesję logowania. Tokeny zostaną automatycznie usunięte po wylogowaniu. Następujące tokeny są obecnie aktywne dla Twojego konta.", + "header": "Tokeny", + "last_used": "Ostatnio używany {date} z {location}", + "not_used": "Nigdy nie był używany", + "token_title": "Token dla {clientId}" + }, + "themes": { + "dropdown_label": "Motyw", + "error_no_theme": "Brak dostępnych motywów.", + "header": "Motyw", + "link_promo": "Dowiedz się więcej o motywch" + }, + "vibrate": { + "description": "Włącz lub wyłącz wibracje na tym urządzeniu podczas sterowania urządzeniami.", + "header": "Wibracja" + } + }, + "shopping-list": { + "add_item": "Dodaj element", + "clear_completed": "Wyczyść ukończone", + "microphone_tip": "Kliknij ikonę mikrofonu w prawym górnym rogu i powiedz “Add candy to my shopping list”" } }, "sidebar": { - "log_out": "Wyloguj", "external_app_configuration": "Konfiguracja aplikacji", + "log_out": "Wyloguj", "sidebar_toggle": "Przełącz pasek boczny" - }, - "common": { - "loading": "Ładowanie", - "cancel": "Anuluj", - "save": "Zapisz", - "successfully_saved": "Pomyślnie zapisano" - }, - "duration": { - "day": "{count} {count, plural,\n one {dzień}\n other {dni}\n}", - "week": "{count} {count, plural,\n one {tydzień}\n other {tygodni(e)}\n}", - "second": "{count} {count, plural,\n one {sekunda}\n other {sekund(y)}\n}", - "minute": "{count} {count, plural,\none {minuta}\nother {minut(y)}\n}", - "hour": "{count} {count, plural,\none {godzina}\nother {godzin(y)}\n}" - }, - "login-form": { - "password": "Hasło", - "remember": "Zapamiętaj", - "log_in": "Zaloguj" - }, - "card": { - "camera": { - "not_available": "Obraz niedostępny" - }, - "persistent_notification": { - "dismiss": "Odrzuć" - }, - "scene": { - "activate": "Aktywuj" - }, - "script": { - "execute": "Uruchom" - }, - "weather": { - "attributes": { - "air_pressure": "Ciśnienie", - "humidity": "Wilgotność", - "temperature": "Temperatura", - "visibility": "Widoczność", - "wind_speed": "Prędkość wiatru" - }, - "cardinal_direction": { - "e": "zach.", - "ene": "wsch. płn.-wsch.", - "ese": "wsch. płd.-wsch.", - "n": "płn.", - "ne": "płn.-wsch.", - "nne": "płn. płn.-wsch.", - "nw": "płn.-zach.", - "nnw": "płn. płn.-zach.", - "s": "płd.", - "se": "płd.-wsch.", - "sse": "płd. płd.-wsch.", - "ssw": "płd. płd.-zach.", - "sw": "płd.-zach.", - "w": "zach.", - "wnw": "zach. płn.-zach.", - "wsw": "zach. płd.-zach." - }, - "forecast": "Prognoza" - }, - "alarm_control_panel": { - "code": "Kod", - "clear_code": "Wyczyść", - "disarm": "rozbrojenie", - "arm_home": "uzbrojenie (w domu)", - "arm_away": "uzbrojenie (nieobecny)", - "arm_night": "uzbrojenie (noc)", - "armed_custom_bypass": "Uzbrój (częściowo)", - "arm_custom_bypass": "Niestandardowy bypass" - }, - "automation": { - "last_triggered": "Ostatnie uruchomienie", - "trigger": "Uruchom" - }, - "cover": { - "position": "Pozycja", - "tilt_position": "Pochylenie" - }, - "fan": { - "speed": "Prędkość", - "oscillate": "Oscylacja", - "direction": "Kierunek", - "forward": "Naprzód", - "reverse": "Wstecz" - }, - "light": { - "brightness": "Jasność", - "color_temperature": "Temperatura barwy", - "white_value": "Biel", - "effect": "Efekt" - }, - "media_player": { - "text_to_speak": "Zamień tekst na mowę", - "source": "Źródło", - "sound_mode": "Tryb dźwięku" - }, - "climate": { - "currently": "Obecnie", - "on_off": "Wł. \/ wył.", - "target_temperature": "Docelowa temperatura", - "target_humidity": "Docelowa wilgotność", - "operation": "Tryb działania", - "fan_mode": "Tryb pracy wentylatora", - "swing_mode": "Tryb ruchu łopatek", - "away_mode": "Tryb poza domem", - "aux_heat": "Dodatkowe źródło ciepła", - "preset_mode": "Ustawienia", - "target_temperature_entity": "{name} temperatura docelowa", - "target_temperature_mode": "{name} temperatura docelowa {mode}", - "current_temperature": "{name} aktualna temperatura", - "heating": "{name} grzanie", - "cooling": "{name} chłodzenie", - "high": "wysoka", - "low": "niska" - }, - "lock": { - "code": "Kod", - "lock": "Zablokuj", - "unlock": "Odblokuj" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Wznów sprzątanie", - "return_to_base": "Wróć do stacji dokującej", - "start_cleaning": "Rozpocznij sprzątanie", - "turn_on": "Włącz", - "turn_off": "Wyłącz" - } - }, - "water_heater": { - "currently": "Obecnie", - "on_off": "Wł. \/ wył.", - "target_temperature": "Temperatura docelowa", - "operation": "Tryb działania", - "away_mode": "Tryb poza domem" - }, - "timer": { - "actions": { - "start": "start", - "pause": "pauza", - "cancel": "anuluj", - "finish": "koniec" - } - }, - "counter": { - "actions": { - "increment": "przyrost", - "decrement": "ubytek", - "reset": "reset" - } - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "Encja", - "clear": "Wyczyść", - "show_entities": "Wyświetl encje" - } - }, - "service-picker": { - "service": "Usługa" - }, - "relative_time": { - "past": "{time} temu", - "future": "Za {time}", - "never": "Nigdy", - "duration": { - "second": "{count} {count, plural,\n one {sekunda}\n other {sekund(y)}\n}", - "minute": "{count} {count, plural,\n one {minuta}\n other {minut(y)}\n}", - "hour": "{count} {count, plural,\n one {godzina}\n other {godzin(y)}\n}", - "day": "{count} {count, plural,\n one {dzień}\n other {dni}\n}", - "week": "{count} {count, plural,\n one {tydzień}\n other {tygodni(e)}\n}" - } - }, - "history_charts": { - "loading_history": "Ładowanie historii...", - "no_history_found": "Nie znaleziono historii." - }, - "device-picker": { - "clear": "Wyczyść", - "show_devices": "Wyświetl urządzenia" - } - }, - "notification_toast": { - "entity_turned_on": "Włączono {entity}.", - "entity_turned_off": "Wyłączono {entity}.", - "service_called": "Usługa {service} wywołana.", - "service_call_failed": "Nie udało się wywołać usługi {service}.", - "connection_lost": "Utracono połączenie. Łączę ponownie...", - "triggered": "Wyzwolenie {name}" - }, - "dialogs": { - "more_info_settings": { - "save": "Zapisz", - "name": "Nadpisanie nazwy", - "entity_id": "Identyfikator encji" - }, - "more_info_control": { - "script": { - "last_action": "Ostatnia akcja" - }, - "sun": { - "elevation": "Wysokość", - "rising": "Wschód", - "setting": "Zachód" - }, - "updater": { - "title": "Instrukcje aktualizacji" - } - }, - "options_flow": { - "form": { - "header": "Opcje" - }, - "success": { - "description": "Opcje pomyślnie zapisane." - } - }, - "config_entry_system_options": { - "title": "Opcje systemu", - "enable_new_entities_label": "Włącz dodawanie nowych encji.", - "enable_new_entities_description": "Jeśli wyłączone, nowo wykryte encje nie będą automatycznie dodawane do Home Assistant'a." - }, - "zha_device_info": { - "manuf": "Producent: {manufacturer}", - "no_area": "brak", - "services": { - "reconfigure": "Ponowna konfiguracja urządzenia ZHA (uzdrawianie urządzenia). Użyj tego polecenia, jeśli masz problemy z urządzeniem. Jeśli urządzenie jest zasilane bateryjnie, upewnij się, że nie jest uśpione i przyjmie polecenie rekonfiguracji.", - "updateDeviceName": "Wprowadź niestandardową nazwę tego urządzenia w rejestrze urządzeń.", - "remove": "Usuń urządzenie z sieci Zigbee." - }, - "zha_device_card": { - "device_name_placeholder": "Nazwa użytkownika", - "area_picker_label": "Obszar", - "update_name_button": "Aktualizuj nazwę" - }, - "buttons": { - "add": "Dodaj urządzenia", - "remove": "Usuń urządzenie", - "reconfigure": "Rekonfiguracja urządzenia" - }, - "quirk": "Quirk", - "last_seen": "Ostatnio widziane", - "power_source": "Źródło zasilania", - "unknown": "Nieznany" - }, - "confirmation": { - "cancel": "Anuluj", - "ok": "OK", - "title": "Jesteś pewny?" - } - }, - "auth_store": { - "ask": "Czy chcesz zapamiętać dane logowania?", - "decline": "Nie, dziękuję", - "confirm": "Zapamiętaj" - }, - "notification_drawer": { - "click_to_configure": "Kliknij przycisk, aby skonfigurować {entity}", - "empty": "Brak powiadomień", - "title": "Powiadomienia" - } - }, - "domain": { - "alarm_control_panel": "Panel kontrolny alarmu", - "automation": "Automatyzacja", - "binary_sensor": "Sensor binarny", - "calendar": "Kalendarz", - "camera": "Kamera", - "climate": "Klimat", - "configurator": "Konfigurator", - "conversation": "Rozmowa", - "cover": "Pokrywa", - "device_tracker": "Śledzenie urządzeń", - "fan": "Wentylator", - "history_graph": "Wykres historii", - "group": "Grupa", - "image_processing": "Przetwarzanie obrazu", - "input_boolean": "Pole logiczne", - "input_datetime": "Pole daty czasu", - "input_select": "Pole wyboru", - "input_number": "Pole numeryczne", - "input_text": "Pole tekstowe", - "light": "Światło", - "lock": "Zamek", - "mailbox": "Poczta", - "media_player": "Odtwarzacz mediów", - "notify": "Powiadomienia", - "plant": "Roślina", - "proximity": "Zbliżenie", - "remote": "Pilot", - "scene": "Scena", - "script": "Skrypt", - "sensor": "Sensor", - "sun": "Słońce", - "switch": "Przełącznik", - "updater": "Aktualizator", - "weblink": "Link", - "zwave": "Z-Wave", - "vacuum": "Odkurzacz", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Kondycja systemu", - "person": "Osoba" - }, - "attribute": { - "weather": { - "humidity": "Wilgotność", - "visibility": "Widoczność", - "wind_speed": "Prędkość wiatru" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "wyłączony", - "on": "włączony", - "auto": "automatyczny" - }, - "preset_mode": { - "none": "brak", - "eco": "ekonomicznie", - "away": "poza domem", - "boost": "wzmocnienie", - "comfort": "komfort", - "home": "w domu", - "sleep": "sen", - "activity": "aktywność" - }, - "hvac_action": { - "off": "wyłączony", - "heating": "grzanie", - "cooling": "chłodzenie", - "drying": "osuszanie", - "idle": "nieaktywny", - "fan": "wentylator" - } - } - }, - "groups": { - "system-admin": "Administratorzy", - "system-users": "Użytkownicy", - "system-read-only": "Użytkownicy (tylko odczyt)" - }, - "config_entry": { - "disabled_by": { - "user": "Użytkownik", - "integration": "Integracja", - "config_entry": "Wpis konfiguracji" } } } \ No newline at end of file diff --git a/translations/pt-BR.json b/translations/pt-BR.json index 4d890f5742..9d004a0692 100644 --- a/translations/pt-BR.json +++ b/translations/pt-BR.json @@ -1,53 +1,193 @@ { - "panel": { - "config": "Configurações", - "states": "Visão geral", - "map": "Mapa", - "logbook": "Log de eventos", - "history": "Histórico", + "attribute": { + "weather": { + "humidity": "Umidade", + "visibility": "Visibilidade", + "wind_speed": "Velocidade do vento" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Entrada de configuração", + "integration": "Integração", + "user": "Usuário" + } + }, + "domain": { + "alarm_control_panel": "Painel de controle do alarme", + "automation": "Automação", + "binary_sensor": "Sensor binário", + "calendar": "Calendário", + "camera": "Câmera", + "climate": "Clima", + "configurator": "Configurador", + "conversation": "Conversação", + "cover": "Cobertura", + "device_tracker": "Rastreador de dispositivo", + "fan": "Ventilador", + "group": "Grupo", + "hassio": "Hass.io", + "history_graph": "Gráfico de histórico", + "homeassistant": "Home Assistant", + "image_processing": "Processamento de imagem", + "input_boolean": "Entrada booleana", + "input_datetime": "Entrada de data e hora", + "input_number": "Entrada numérica", + "input_select": "Entrada de seleção", + "input_text": "Entrada de texto", + "light": "Luz", + "lock": "Trancar", + "lovelace": "Lovelace", "mailbox": "Caixa de correio", - "shopping_list": "Lista de compras", + "media_player": "Media player", + "notify": "Notificar", + "person": "Pessoa", + "plant": "Planta", + "proximity": "Proximidade", + "remote": "Remoto", + "scene": "Cena", + "script": "Script", + "sensor": "Sensor", + "sun": "Sol", + "switch": "Interruptor", + "system_health": "Integridade Do Sistema", + "updater": "Atualizador", + "vacuum": "Aspirando", + "weblink": "Weblink", + "zha": "ZHA", + "zwave": "" + }, + "groups": { + "system-admin": "Administradores", + "system-read-only": "Usuários somente leitura", + "system-users": "Usuários" + }, + "panel": { + "calendar": "Calendário", + "config": "Configurações", "dev-info": "Informações", "developer_tools": "Ferramentas do desenvolvedor", - "calendar": "Calendário", - "profile": "Perfil" + "history": "Histórico", + "logbook": "Log de eventos", + "mailbox": "Caixa de correio", + "map": "Mapa", + "profile": "Perfil", + "shopping_list": "Lista de compras", + "states": "Visão geral" }, - "state": { - "default": { - "off": "Desligado", - "on": "Ligado", - "unknown": "Desconhecido", - "unavailable": "Indisponível" - }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Auto", + "off": "Desligado", + "on": "Ligado" + }, + "hvac_action": { + "cooling": "Resfriamento", + "drying": "Secagem", + "fan": "Ventilador", + "heating": "Aquecimento", + "idle": "Oscioso", + "off": "Desligado" + }, + "preset_mode": { + "activity": "Atividade", + "away": "Ausente", + "boost": "Impulsionar", + "comfort": "Conforto", + "eco": "Eco", + "home": "Home", + "none": "Nenhum", + "sleep": "Suspender" + } + } + }, + "state_badge": { "alarm_control_panel": { "armed": "Armado", - "disarmed": "Desarmado", - "armed_home": "Armado casa", - "armed_away": "Armado ausente", - "armed_night": "Armado noite", - "pending": "Pendente", + "armed_away": "Armado", + "armed_custom_bypass": "Armado", + "armed_home": "Armado", + "armed_night": "Armado", "arming": "Armando", + "disarmed": "Desarmado", "disarming": "Desarmando", - "triggered": "Acionado", - "armed_custom_bypass": "Armado em áreas específicas" + "pending": "Pend", + "triggered": "Ativado" + }, + "default": { + "entity_not_found": "Entidade não encontrada", + "error": "Erro", + "unavailable": "Indisp", + "unknown": "Desc" + }, + "device_tracker": { + "home": "Casa", + "not_home": "Ausente" + }, + "person": { + "home": "Em casa", + "not_home": "Ausente" + } + }, + "state": { + "alarm_control_panel": { + "armed": "Armado", + "armed_away": "Armado ausente", + "armed_custom_bypass": "Armado em áreas específicas", + "armed_home": "Armado casa", + "armed_night": "Armado noite", + "arming": "Armando", + "disarmed": "Desarmado", + "disarming": "Desarmando", + "pending": "Pendente", + "triggered": "Acionado" }, "automation": { "off": "Desligado", "on": "Ativo" }, "binary_sensor": { + "battery": { + "off": "Normal", + "on": "Fraca" + }, + "cold": { + "off": "Normal", + "on": "Frio" + }, + "connectivity": { + "off": "Desconectado", + "on": "Conectado" + }, "default": { "off": "Desligado", "on": "Ligado" }, - "moisture": { - "off": "Seco", - "on": "Molhado" + "door": { + "off": "Fechado", + "on": "Aberto" + }, + "garage_door": { + "off": "Fechado", + "on": "Aberto" }, "gas": { "off": "Limpo", "on": "Detectado" }, + "heat": { + "off": "Normal", + "on": "Quente" + }, + "lock": { + "off": "Bloqueado", + "on": "Desbloqueado" + }, + "moisture": { + "off": "Seco", + "on": "Molhado" + }, "motion": { "off": "Desligado", "on": "Detectado" @@ -56,6 +196,22 @@ "off": "Desocupado", "on": "Detectado" }, + "opening": { + "off": "Fechado", + "on": "Aberto" + }, + "presence": { + "off": "Ausente", + "on": "Em casa" + }, + "problem": { + "off": "OK", + "on": "Problema" + }, + "safety": { + "off": "Seguro", + "on": "Não seguro" + }, "smoke": { "off": "Limpo", "on": "Detectado" @@ -68,53 +224,9 @@ "off": "Limpo", "on": "Detectado" }, - "opening": { - "off": "Fechado", - "on": "Aberto" - }, - "safety": { - "off": "Seguro", - "on": "Não seguro" - }, - "presence": { - "off": "Ausente", - "on": "Em casa" - }, - "battery": { - "off": "Normal", - "on": "Fraca" - }, - "problem": { - "off": "OK", - "on": "Problema" - }, - "connectivity": { - "off": "Desconectado", - "on": "Conectado" - }, - "cold": { - "off": "Normal", - "on": "Frio" - }, - "door": { - "off": "Fechado", - "on": "Aberto" - }, - "garage_door": { - "off": "Fechado", - "on": "Aberto" - }, - "heat": { - "off": "Normal", - "on": "Quente" - }, "window": { "off": "Fechado", "on": "Aberto" - }, - "lock": { - "off": "Bloqueado", - "on": "Desbloqueado" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "Ligado" }, "camera": { + "idle": "Ocioso", "recording": "Gravando", - "streaming": "Transmitindo", - "idle": "Ocioso" + "streaming": "Transmitindo" }, "climate": { - "off": "Desligado", - "on": "Ligado", - "heat": "Quente", - "cool": "Frio", - "idle": "Ocioso", "auto": "Automático", + "cool": "Frio", "dry": "Seco", - "fan_only": "Apenas ventilador", "eco": "Econômico", "electric": "Elétrico", - "performance": "Desempenho", - "high_demand": "Alta demanda", - "heat_pump": "Bomba de calor", + "fan_only": "Apenas ventilador", "gas": "Gás", + "heat": "Quente", + "heat_cool": "Quente\/Frio", + "heat_pump": "Bomba de calor", + "high_demand": "Alta demanda", + "idle": "Ocioso", "manual": "Manual", - "heat_cool": "Quente\/Frio" + "off": "Desligado", + "on": "Ligado", + "performance": "Desempenho" }, "configurator": { "configure": "Configurar", "configured": "Configurado" }, "cover": { - "open": "Aberto", - "opening": "Abrindo", "closed": "Fechado", "closing": "Fechando", + "open": "Aberto", + "opening": "Abrindo", "stopped": "Parado" }, + "default": { + "off": "Desligado", + "on": "Ligado", + "unavailable": "Indisponível", + "unknown": "Desconhecido" + }, "device_tracker": { "home": "Em casa", "not_home": "Ausente" @@ -164,19 +282,19 @@ "on": "Ligado" }, "group": { - "off": "Desligado", - "on": "Ligado", - "home": "Em casa", - "not_home": "Ausente", - "open": "Aberto", - "opening": "Abrindo", "closed": "Fechado", "closing": "Fechando", - "stopped": "Parado", + "home": "Em casa", "locked": "Trancado", - "unlocked": "Destrancado", + "not_home": "Ausente", + "off": "Desligado", "ok": "OK", - "problem": "Problema" + "on": "Ligado", + "open": "Aberto", + "opening": "Abrindo", + "problem": "Problema", + "stopped": "Parado", + "unlocked": "Destrancado" }, "input_boolean": { "off": "Desligado", @@ -191,13 +309,17 @@ "unlocked": "Destrancado" }, "media_player": { + "idle": "Ocioso", "off": "Desligado", "on": "Ligado", - "playing": "Tocando", "paused": "Pausado", - "idle": "Ocioso", + "playing": "Tocando", "standby": "Em espera" }, + "person": { + "home": "Em casa", + "not_home": "Ausente" + }, "plant": { "ok": "Ok", "problem": "Problema" @@ -225,34 +347,10 @@ "off": "Desligado", "on": "Ligado" }, - "zwave": { - "default": { - "initializing": "Iniciando", - "dead": "Morto", - "sleeping": "Dormindo", - "ready": "Pronto" - }, - "query_stage": { - "initializing": "Iniciando ( {query_stage} )", - "dead": "Morto ({query_stage})" - } - }, - "weather": { - "clear-night": "Noite clara", - "cloudy": "Nublado", - "fog": "Nevoeiro", - "hail": "Granizo", - "lightning": "Raios", - "lightning-rainy": "Raios, chuvoso", - "partlycloudy": "Parcialmente nublado", - "pouring": "Torrencial", - "rainy": "Chuvoso", - "snowy": "Neve", - "snowy-rainy": "Neve, chuva", - "sunny": "Ensolarado", - "windy": "Ventoso", - "windy-variant": "Ventoso", - "exceptional": "Excepcional" + "timer": { + "active": "ativo", + "idle": "ocioso", + "paused": "Pausado" }, "vacuum": { "cleaning": "Limpando", @@ -264,210 +362,702 @@ "paused": "Pausado", "returning": "Retornando para base" }, - "timer": { - "active": "ativo", - "idle": "ocioso", - "paused": "Pausado" + "weather": { + "clear-night": "Noite clara", + "cloudy": "Nublado", + "exceptional": "Excepcional", + "fog": "Nevoeiro", + "hail": "Granizo", + "lightning": "Raios", + "lightning-rainy": "Raios, chuvoso", + "partlycloudy": "Parcialmente nublado", + "pouring": "Torrencial", + "rainy": "Chuvoso", + "snowy": "Neve", + "snowy-rainy": "Neve, chuva", + "sunny": "Ensolarado", + "windy": "Ventoso", + "windy-variant": "Ventoso" }, - "person": { - "home": "Em casa", - "not_home": "Ausente" - } - }, - "state_badge": { - "default": { - "unknown": "Desc", - "unavailable": "Indisp", - "error": "Erro", - "entity_not_found": "Entidade não encontrada" - }, - "alarm_control_panel": { - "armed": "Armado", - "disarmed": "Desarmado", - "armed_home": "Armado", - "armed_away": "Armado", - "armed_night": "Armado", - "pending": "Pend", - "arming": "Armando", - "disarming": "Desarmando", - "triggered": "Ativado", - "armed_custom_bypass": "Armado" - }, - "device_tracker": { - "home": "Casa", - "not_home": "Ausente" - }, - "person": { - "home": "Em casa", - "not_home": "Ausente" + "zwave": { + "default": { + "dead": "Morto", + "initializing": "Iniciando", + "ready": "Pronto", + "sleeping": "Dormindo" + }, + "query_stage": { + "dead": "Morto ({query_stage})", + "initializing": "Iniciando ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Limpar completos", - "add_item": "Adicionar item", - "microphone_tip": "Clique no microfone no canto superior direito e diga \"Adicionar doces à minha lista de compras\"" + "auth_store": { + "ask": "Você quer salvar este login?", + "confirm": "Salvar login", + "decline": "Não, obrigado" + }, + "card": { + "alarm_control_panel": { + "arm_away": "Armar ausente", + "arm_custom_bypass": "Bypass personalizado", + "arm_home": "Armar em casa", + "arm_night": "Acionamento noturno", + "armed_custom_bypass": "Atalho personalizado", + "clear_code": "Limpar", + "code": "Código", + "disarm": "Desarmar" }, - "developer-tools": { - "tabs": { - "services": { - "title": "Serviços", - "description": "A ferramenta do desenvolvedor de serviço permite inciar qualquer serviço disponível no Home Assistant.", - "data": "Dados de serviço (YAML, opcional)", - "call_service": "Iniciar Serviço", - "select_service": "Selecione um serviço para ver a descrição", - "no_description": "Nenhuma descrição está disponível", - "no_parameters": "Este serviço não possui parâmetros.", - "column_parameter": "Parâmetro", - "column_description": "Descrição", - "column_example": "Exemplo", - "fill_example_data": "Preencher dados de exemplo", - "alert_parsing_yaml": "Erro ao analisar o YAML: {data}" - }, - "states": { - "title": "Estado", - "description1": "Definir a representação de um dispositivo no Home Assistant.", - "description2": "Isso não se comunicará com o dispositivo atual.", - "entity": "Entidade", - "state": "Estado", - "attributes": "Atributos", - "state_attributes": "Atributos de estado (YAML, opcional)", - "set_state": "Definir Estado", - "current_entities": "Entidades atuais", - "filter_entities": "Filtro de entidades", - "filter_states": "Filtro de estados", - "filter_attributes": "Filtro de atributos", - "no_entities": "Nenhuma entidade", - "more_info": "Mais informações", - "alert_entity_field": "Entidade é um campo obrigatório" - }, - "events": { - "title": "Eventos", - "description": "Dispare um evento no barramento de eventos.", - "documentation": "Documentação de eventos.", - "type": "Tipo de evento", - "data": "Dados do evento (YAML, opcional)", - "fire_event": "Disparar Evento", - "event_fired": "Evento {name} disparado", - "available_events": "Eventos Disponíveis", - "count_listeners": " ({count} ouvintes)", - "listen_to_events": "Ouvir eventos", - "listening_to": "Ouvindo", - "subscribe_to": "Evento para se inscrever", - "start_listening": "Começar a ouvir", - "stop_listening": "Parar de ouvir", - "alert_event_type": "O tipo de evento é um campo obrigatório", - "notification_event_fired": "Evento {type} disparado com sucesso!" - }, - "templates": { - "title": "Modelo", - "description": "Os templates são renderizados usando o Jinja2 com algumas extensões específicas do Home Assistant.", - "editor": "Editor de templates", - "jinja_documentation": "Documentação do template Jinja2", - "template_extensions": "Extensões de template do Home Assistant", - "unknown_error_template": "Erro desconhecido ao renderizar template" - }, - "mqtt": { - "title": "", - "description_publish": "Publicar um pacote", - "topic": "tópico", - "payload": "Valor (template permitido)", - "publish": "Publicar", - "description_listen": "Ouvir um tópico", - "listening_to": "Ouvindo", - "subscribe_to": "Evento para se inscrever", - "start_listening": "Começar a ouvir", - "stop_listening": "Parar de ouvir", - "message_received": "Mensagem {id} recebida em {topic} às {time}:" - }, - "info": { - "title": "Info", - "remove": "Remover", - "set": "Definir", - "default_ui": "{action} {name} como página padrão neste dispositivo", - "lovelace_ui": "Ir para UI do Lovelace", - "states_ui": "Ir para UI de estados", - "home_assistant_logo": "Home Assistant logo", - "path_configuration": "Caminho para configuration.yaml: {path}", - "developed_by": "Desenvolvido por um monte de pessoas incríveis.", - "license": "Publicado sob a licença Apache 2.0", - "source": "Código fonte:", - "server": "servidor", - "frontend": "frontend-ui", - "built_using": "Construído usando", - "icons_by": "Ícones por", - "frontend_version": "Versão do Frontend: {version} - {type}", - "custom_uis": "UIs personalizadas:", - "system_health_error": "O componente System Health não foi carregado. Adicione 'system_health:' ao configuration.yaml" - }, - "logs": { - "title": "Logs", - "details": "Detalhes do log ({Level})", - "load_full_log": "Carregar todos os logs do Home Assistant", - "loading_log": "Carregando log de erros…", - "no_errors": "Nenhum erro foi reportado.", - "no_issues": "Não há novos problemas!", - "clear": "Limpar", - "refresh": "Atualizar", - "multiple_messages": "a mensagem ocorreu pela primeira às {time} e apareceu {counter} vezes" - } + "automation": { + "last_triggered": "Último disparo", + "trigger": "Gatilho" + }, + "camera": { + "not_available": "Imagem indisponível" + }, + "climate": { + "aux_heat": "Aquecedor aux", + "away_mode": "Modo ausente", + "cooling": "Resfriando {name}", + "current_temperature": "Temperatura atual {name}", + "currently": "Atualmente", + "fan_mode": "Modo ventilação", + "heating": "Aquecendo {name}", + "high": "quente", + "low": "frio", + "on_off": "Lig. \/ Des.", + "operation": "Operação", + "preset_mode": "Predefinir", + "swing_mode": "Modo oscilante", + "target_humidity": "Umidade desejada", + "target_temperature": "Temperatura desejada", + "target_temperature_entity": "Temperatura desejada", + "target_temperature_mode": "Temperatura desejada" + }, + "counter": { + "actions": { + "decrement": "decrementar", + "increment": "incrementar", + "reset": "redefinir" } }, - "history": { - "showing_entries": "Exibindo entradas para", - "period": "Período" + "cover": { + "position": "Posição", + "tilt_position": "Posição de inclinação" }, - "logbook": { - "showing_entries": "Exibindo entradas para", - "period": "Período" + "fan": { + "direction": "Direção", + "forward": "Frente", + "oscillate": "Oscilar", + "reverse": "Reverter", + "speed": "Velocidade" }, - "mailbox": { - "empty": "Você não tem mensagens", - "playback_title": "Reprodução da mensagem", - "delete_prompt": "Excluir esta mensagem?", - "delete_button": "Excluir" + "light": { + "brightness": "Brilho", + "color_temperature": "Temperatura de cor", + "effect": "Efeito", + "white_value": "Balanço de branco" }, + "lock": { + "code": "Código", + "lock": "Trancar", + "unlock": "Destrancar" + }, + "media_player": { + "sound_mode": "Modo de som", + "source": "Fonte", + "text_to_speak": "Texto para falar" + }, + "persistent_notification": { + "dismiss": "Dispensar" + }, + "scene": { + "activate": "Ativar" + }, + "script": { + "execute": "Executar" + }, + "timer": { + "actions": { + "cancel": "cancelar", + "finish": "terminar", + "pause": "pausar", + "start": "Iniciar" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Continuar limpeza", + "return_to_base": "Retornar a base", + "start_cleaning": "Iniciar limpeza", + "turn_off": "Desligar", + "turn_on": "Ligar" + } + }, + "water_heater": { + "away_mode": "Modo ausente", + "currently": "Atualmente", + "on_off": "Lig. \/ Des.", + "operation": "Operação", + "target_temperature": "Temperatura alvo" + }, + "weather": { + "attributes": { + "air_pressure": "Pressão do ar", + "humidity": "Umidade", + "temperature": "Temperatura", + "visibility": "Visibilidade", + "wind_speed": "Velocidade do vento" + }, + "cardinal_direction": { + "e": "E", + "ene": "ENE", + "ese": "ESE", + "n": "N", + "ne": "NE", + "nne": "NNE", + "nnw": "NNO", + "nw": "NO", + "s": "S", + "se": "SE", + "sse": "SSE", + "ssw": "SSO", + "sw": "SO", + "w": "O", + "wnw": "ONO", + "wsw": "OSO" + }, + "forecast": "Previsão" + } + }, + "common": { + "cancel": "Cancelar", + "loading": "Carregando", + "save": "Salvar", + "successfully_saved": "Salvo com sucesso" + }, + "components": { + "device-picker": { + "clear": "Limpar", + "show_devices": "Mostrar dispositivos" + }, + "entity": { + "entity-picker": { + "clear": "Limpar", + "entity": "Entidade", + "show_entities": "Mostrar entidades" + } + }, + "history_charts": { + "loading_history": "Carregando histórico do estado ...", + "no_history_found": "Histórico de estado não encontrado." + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\n one {dia}\\n other {dias}\\n}", + "hour": "{count} {count, plural,\\n one {hora}\\n other {horas}\\n}", + "minute": "{count} {count, plural,\\n one {minuto}\\n other {minutos}\\n}", + "second": "{count} {count, plural,\\n one {segundo}\\n other {segundos}\\n}", + "week": "{count} {count, plural,\\n one {semana}\\n other {semanas}\\n}" + }, + "future": "Em {time}", + "never": "Nunca", + "past": "{time} atrás" + }, + "service-picker": { + "service": "Serviço" + } + }, + "dialogs": { + "config_entry_system_options": { + "enable_new_entities_description": "Se desativadas, as entidades recém-descobertas não serão automaticamente adicionadas ao Home Assistant.", + "enable_new_entities_label": "Habilitar entidades recém-adicionadas.", + "title": "Opções do sistema" + }, + "confirmation": { + "cancel": "Cancelar", + "ok": "OK", + "title": "Você tem certeza?" + }, + "more_info_control": { + "script": { + "last_action": "Última Ação" + }, + "sun": { + "elevation": "Elevação", + "rising": "Nascendo", + "setting": "Se pondo" + }, + "updater": { + "title": "Atualizar Instruções" + } + }, + "more_info_settings": { + "entity_id": "ID da entidade", + "name": "Substituição de nome", + "save": "Salvar" + }, + "options_flow": { + "form": { + "header": "Opções" + }, + "success": { + "description": "Opções salvas com sucesso." + } + }, + "zha_device_info": { + "buttons": { + "add": "Adicionar Dispositivos", + "reconfigure": "Reconfigurar O Dispositivo" + }, + "last_seen": "Visto pela última vez", + "manuf": "por {manufacturer}", + "no_area": "Sem área", + "power_source": "Fonte de energia", + "services": { + "reconfigure": "Reconfigure o dispositivo ZHA (curar dispositivo). Use isto se você estiver tendo problemas com o dispositivo. Se o dispositivo em questão for um dispositivo alimentado por bateria, certifique-se de que ele esteja ativo e aceitando comandos ao usar esse serviço.", + "remove": "Remova um dispositivo da rede Zigbee.", + "updateDeviceName": "Definir um nome personalizado para este dispositivo no registro de dispositivos." + }, + "unknown": "Desconhecido", + "zha_device_card": { + "area_picker_label": "Área", + "device_name_placeholder": "Nome", + "update_name_button": "Atualizar Nome" + } + } + }, + "duration": { + "day": "{count} {count, plural,\\none {day}\\nother {days}\\n}", + "hour": "{count} {count, plural,\\none {hora}\\nother {horas}\\n}", + "minute": "{count} {count, plural,\\none {minuto}\\nother {minutos}\\n}", + "second": "{count} {count, plural,\\none {second}\\nother {seconds}\\n}", + "week": "{count} {count, plural,\\none {semana}\\nother {semanas}\\n}" + }, + "login-form": { + "log_in": "Entrar", + "password": "Senha", + "remember": "Lembrar" + }, + "notification_drawer": { + "click_to_configure": "Clique no botão para configurar {entity}", + "empty": "Sem notificações", + "title": "Notificações" + }, + "notification_toast": { + "connection_lost": "Conexão perdida. Reconectando…", + "entity_turned_off": "Desativado {entity}", + "entity_turned_on": "{entity} ligado(a).", + "service_call_failed": "Falha ao chamar o serviço {service}.", + "service_called": "Serviço {service} chamado." + }, + "panel": { "config": { - "header": "Configurar o Home Assistant", - "introduction": "Aqui é possível configurar seus componentes e Home Assistant. Nem tudo é possível configurar via UI, mas estamos trabalhando nisso.", + "area_registry": { + "caption": "Registro de Áreas", + "create_area": "CRIAR ÁREA", + "description": "Visão geral de todas as áreas da sua casa.", + "editor": { + "create": "CRIAR", + "default_name": "Nova Área", + "delete": "APAGAR", + "update": "ATUALIZAR" + }, + "no_areas": "Parece que você ainda não tem áreas!", + "picker": { + "create_area": "CRIAR ÁREA", + "header": "Registro de Áreas", + "integrations_page": "Página de integrações", + "introduction": "Áreas são usadas para organizar os dispositivos. Essas informações serão usadas no Home Assistant para ajudá-lo a organizar sua interface, permissões e integrações com outros sistemas.", + "introduction2": "Para colocar dispositivos em uma área, use o link abaixo para navegar até a página de integrações e, em seguida, clique em uma integração configurada para acessar os cartões de dispositivos.", + "no_areas": "Parece que você ainda não tem áreas!" + } + }, + "automation": { + "caption": "Automação", + "description": "Criar e editar automações", + "editor": { + "actions": { + "add": "Adicionar ação", + "delete": "Apagar", + "delete_confirm": "Tem certeza que deseja apagar?", + "duplicate": "Duplicar", + "header": "Ações", + "introduction": "As ações são o que o Home Assistant fará quando a automação for acionada.", + "learn_more": "Saiba mais sobre ações", + "type_select": "Tipo de acão", + "type": { + "condition": { + "label": "Condição" + }, + "delay": { + "delay": "Atraso", + "label": "Atraso" + }, + "device_id": { + "extra_fields": { + "code": "Código" + }, + "label": "Dispositivo" + }, + "event": { + "event": "Evento:", + "label": "Iniciar evento", + "service_data": "Informações do serviço" + }, + "scene": { + "label": "Ativar cena" + }, + "service": { + "label": "Iniciar Serviço", + "service_data": "Dados do Serviço" + }, + "wait_template": { + "label": "Espere", + "timeout": "Tempo limite (opcional)", + "wait_template": "Modelo de Espera" + } + }, + "unsupported_action": "Ação não suportada: {action}" + }, + "alias": "Nome", + "conditions": { + "add": "Adicionar condição", + "delete": "Apagar", + "delete_confirm": "Tem certeza que quer apagar?", + "duplicate": "Duplicar", + "header": "Condições", + "introduction": "As condições são uma parte opcional de uma regra de automação e podem ser usadas para impedir que uma ação aconteça quando acionada. As condições parecem muito semelhantes aos gatilhos, mas são muito diferentes. Um gatilho analisará os eventos que estão ocorrendo no sistema, enquanto uma condição apenas analisa a aparência do sistema no momento. Um disparador pode observar que um comutador está sendo ligado. Uma condição só pode ver se um interruptor está atualmente ativado ou desativado.", + "learn_more": "Saiba mais sobre condições", + "type_select": "Tipo de Condição", + "type": { + "and": { + "label": "E" + }, + "device": { + "extra_fields": { + "above": "Acima", + "below": "Abaixo", + "for": "Duração" + }, + "label": "Dispositivo" + }, + "numeric_state": { + "above": "Acima", + "below": "Abaixo", + "label": "Estado numérico", + "value_template": "Valor do modelo (opcional)" + }, + "or": { + "label": "Ou" + }, + "state": { + "label": "Estado", + "state": "Estado" + }, + "sun": { + "after": "Depois:", + "after_offset": "Tempo a atrasar (opcional)", + "before": "Antes:", + "before_offset": "Tempo a adiantar (opcional)", + "label": "Sol", + "sunrise": "Nascer do sol", + "sunset": "Pôr do Sol" + }, + "template": { + "label": "Modelo", + "value_template": "Valor do modelo" + }, + "time": { + "after": "Depois", + "before": "Antes", + "label": "Temporal" + }, + "zone": { + "entity": "Entidade com localização", + "label": "Zona", + "zone": "Zona" + } + }, + "unsupported_condition": "Condição não suportada: {condition}" + }, + "default_name": "Nova Automação", + "description": { + "label": "Descrição", + "placeholder": "Descrição opcional" + }, + "introduction": "Use automações para trazer sua casa a vida", + "load_error_not_editable": "Somente automações em automations.yaml são editáveis.", + "load_error_unknown": "Erro ao carregar a automação ({err_no}).", + "save": "Salvar", + "triggers": { + "add": "Adicionar gatilho", + "delete": "Apagar", + "delete_confirm": "Tem certeza que deseja excluir?", + "duplicate": "Duplicar", + "header": "Gatilhos", + "introduction": "Gatilhos são responsáveis por iniciar o processamento de uma regra de automação. É possível especificar vários gatilhos para a mesma regra. Quando o gatilho é iniciado, o Assistente Inicial validará as condições, se houver, e chamará a ação.", + "learn_more": "Saiba mais sobre gatilhos", + "type_select": "Tipo de gatilho", + "type": { + "device": { + "extra_fields": { + "above": "Acima", + "below": "Abaixo", + "for": "Duração" + }, + "label": "Dispositivo" + }, + "event": { + "event_data": "Dados de evento", + "event_type": "Tipo de evento", + "label": "Evento" + }, + "geo_location": { + "enter": "Entrar", + "event": "Evento:", + "label": "Geolocalização", + "leave": "Sair", + "source": "Origem", + "zone": "Zona" + }, + "homeassistant": { + "event": "Evento:", + "label": "", + "shutdown": "Desligar", + "start": "Iniciar" + }, + "mqtt": { + "label": "MQTT", + "payload": "Valor (opcional)", + "topic": "Tópico" + }, + "numeric_state": { + "above": "Acima", + "below": "Abaixo", + "label": "Estado numérico", + "value_template": "Valor de exemplo (opcional)" + }, + "state": { + "for": "Por", + "from": "De", + "label": "Estado", + "to": "Para" + }, + "sun": { + "event": "Evento", + "label": "Sol", + "offset": "Diferença de tempo (opcional)", + "sunrise": "Nascer do sol", + "sunset": "Pôr do Sol" + }, + "template": { + "label": "Modelo", + "value_template": "Valor modelo" + }, + "time_pattern": { + "hours": "Horas", + "label": "Padrão de hora", + "minutes": "Minutos", + "seconds": "Segundos" + }, + "time": { + "at": "Em", + "label": "Tempo" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "ID da Webhook" + }, + "zone": { + "enter": "Entrar", + "entity": "Entidade com localização", + "event": "Evento:", + "label": "Zona", + "leave": "Sair", + "zone": "Zona" + } + }, + "unsupported_platform": "Plataforma não suportada: {platform}" + }, + "unsaved_confirm": "Você tem alterações não salvas. Tem certeza que deseja sair?" + }, + "picker": { + "add_automation": "Adicionar automação", + "header": "Editor de automação", + "introduction": "O editor de automação permite criar e editar automações. Por favor, siga o link abaixo para ler as instruções para se certificar de que você configurou o Home Assistant corretamente.", + "learn_more": "Saiba mais sobre automações", + "no_automations": "Não encontramos nenhuma automação editável", + "pick_automation": "Escolha uma automação para editar" + } + }, + "cloud": { + "account": { + "alexa": { + "config_documentation": "Documentação de configuração", + "disable": "desabilitar", + "enable": "habilitar", + "enable_ha_skill": "Ativar o Home Assistant para a Alexa", + "enable_state_reporting": "Ativar relatório de estado", + "info": "Com a integração da Alexa para o Home Assistant Cloud, você poderá controlar todos os seus dispositivos do Home Assistant por meio de qualquer dispositivo ativado pela Alexa.", + "info_state_reporting": "Se você ativar os relatórios de estado, o Home Assistant enviará todas as alterações de estado das entidades expostas ao Google. Isso permite que você sempre veja os estados mais recentes no aplicativo do Google.", + "manage_entities": "Gerenciar Entidades", + "state_reporting_error": "Não foi possível {enable_disable} o relatório de estado.", + "sync_entities": "Sincronizar entidades", + "sync_entities_error": "Falha ao sincronizar entidades:", + "title": "Alexa" + }, + "connected": "Conectado", + "connection_status": "Status de conexão com a Cloud", + "fetching_subscription": "Buscando assinatura…", + "google": { + "config_documentation": "Documentação de configuração", + "devices_pin": "Pin dos dispositivos de segurança", + "enable_ha_skill": "Ativar o Home Assistant para o Google Assistant", + "enable_state_reporting": "Ativar relatório de estado", + "enter_pin_error": "Não foi possível armazenar o pin:", + "enter_pin_hint": "Digite um PIN para usar dispositivos de segurança", + "enter_pin_info": "Digite um pin para interagir com os dispositivos de segurança. Dispositivos de segurança são portas, portas de garagem e fechaduras. Você será solicitado a dizer\/inserir este pin ao interagir com esses dispositivos pelo Google Assistant.", + "info": "Com a integração do Google Assistant para o Home Assistant Cloud, você poderá controlar todos os seus dispositivos do Home Assistant por meio de qualquer dispositivo ativado pelo Google Assistant.", + "info_state_reporting": "Se você ativar os relatórios de estado, o Home Assistant enviará todas as alterações de estado das entidades expostas ao Google. Isso permite que você sempre veja os estados mais recentes no aplicativo do Google.", + "manage_entities": "Gerenciar Entidades", + "security_devices": "Dispositivos de Segurança", + "sync_entities": "Sincronizar entidades com o Google", + "title": "Google Assistant" + }, + "integrations": "Integrações", + "integrations_introduction": "As integrações para o Home Assistant Cloud permitem que você se conecte com serviços na nuvem sem precisar expor sua instância do Home Assistant publicamente na Internet.", + "integrations_introduction2": "Consulte o site para ", + "integrations_link_all_features": " todos os recursos disponíveis", + "manage_account": "Gerenciar Conta", + "nabu_casa_account": "Conta Nabu Casa", + "not_connected": "Não Conectado", + "remote": { + "certificate_info": "Informações do certificado", + "instance_is_available": "Sua instância está disponível em", + "title": "Controle Remoto" + }, + "sign_out": "Sair", + "thank_you_note": "Obrigado por fazer parte do Home Assistant Cloud. É por causa de pessoas como você que podemos criar uma ótima experiência de automação residencial para todos. Obrigado!", + "webhooks": { + "disable_hook_error_msg": "Falha ao desativar o webhook:", + "info": "Qualquer coisa que esteja configurada para ser acionada por um webhook pode receber um URL acessível ao público para permitir o envio de dados de volta ao Home Assistant de qualquer lugar, sem expor sua instância à Internet.", + "link_learn_more": "Saiba mais sobre como criar automações baseadas em webhook.", + "loading": "Carregando ...", + "manage": "Gerenciar", + "no_hooks_yet": "Parece que você ainda não tem webhooks. Comece configurando um ", + "no_hooks_yet_link_automation": "automação de webhook", + "no_hooks_yet_link_integration": "integração baseada em webhook", + "no_hooks_yet2": " ou criando um ", + "title": "Webhook" + } + }, + "alexa": { + "banner": "A edição de quais entidades são expostas por meio dessa interface do usuário está desabilitada porque você configurou filtros de entidade em configuration.yaml.", + "expose": "Expor para Alexa", + "exposed_entities": "Entidades expostas", + "not_exposed_entities": "Nenhuma entidade exposta", + "title": "Alexa" + }, + "caption": "Home Assistant Cloud", + "description_features": "Controle mesmo longe de casa, integrar com Alexa e Google Assistant.", + "description_login": "Conectado como {email}", + "description_not_login": "Não logado", + "dialog_certificate": { + "certificate_expiration_date": "Data de validade do certificado", + "certificate_information": "Informações do certificado", + "close": "Fechar", + "fingerprint": "Impressão digital do certificado:", + "will_be_auto_renewed": "Será renovado automaticamente" + }, + "dialog_cloudhook": { + "available_at": "O webhook está disponível no seguinte URL:", + "close": "Fechar", + "copied_to_clipboard": "Copiado para a área de transferência", + "info_disable_webhook": "Se você não quiser mais usar este webhook, você pode", + "link_disable_webhook": "desativar", + "managed_by_integration": "Este webhook é gerenciado por uma integração e não pode ser desativado.", + "view_documentation": "Ver documentação", + "webhook_for": "Webhook para {name}" + }, + "forgot_password": { + "check_your_email": "Verifique seu e-mail para obter instruções sobre como redefinir sua senha." + }, + "google": { + "banner": "A edição de quais entidades são expostas por meio dessa interface do usuário está desabilitada porque você configurou filtros de entidade em configuration.yaml.", + "disable_2FA": "Desabilitar a autenticação de dois fatores", + "expose": "Expor ao Google Assistant", + "exposed_entities": "Entidades expostas", + "not_exposed_entities": "Nenhuma entidade exposta", + "sync_to_google": "Sincronizando alterações com o Google.", + "title": "Google Assistant" + }, + "login": { + "dismiss": "Dispensar", + "email_error_msg": "E-mail inválido", + "introduction2": "Este serviço é executado pelo nosso parceiro ", + "introduction2a": ", uma empresa fundada pelos fundadores do Home Assistant e do Hass.io.", + "learn_more_link": "Saiba mais sobre o Home Assistant Cloud", + "password": "Senha", + "sign_in": "Entrar" + }, + "register": { + "account_created": "Conta criada! Verifique seu e-mail para obter instruções sobre como ativar sua conta.", + "create_account": "Criar Conta", + "email_address": "Endereço de e-mail", + "email_error_msg": "E-mail inválido", + "feature_amazon_alexa": "Integração com a Amazon Alexa", + "feature_google_home": "Integração com o Google Assistant", + "feature_remote_control": "Controle o Home Assistant de fora de casa", + "feature_webhook_apps": "Fácil integração com aplicativos baseados em webhook, como o OwnTracks", + "information3": "Este serviço é executado pelo nosso parceiro ", + "information3a": ", uma empresa fundada pelos fundadores do Home Assistant e do Hass.io.", + "information4": "Ao criar uma conta, você concorda com os seguintes termos e condições.", + "link_privacy_policy": "Política de Privacidade", + "link_terms_conditions": "Termos e Condições", + "password": "Senha", + "password_error_msg": "As senhas precisam ter pelo menos 8 caracteres", + "resend_confirm_email": "Reenviar e-mail de confirmação", + "start_trial": "Iniciar avaliação", + "title": "Registar Conta" + } + }, + "common": { + "editor": { + "confirm_unsaved": "Você tem alterações não salvas. Tem certeza que deseja sair?" + } + }, "core": { "caption": "Geral", "description": "Valide seu arquivo de configuração e controle o servidor", "section": { "core": { - "header": "Configuração e Controle do Servidor", - "introduction": "Alterar sua configuração pode ser um processo cansativo. Nós sabemos. Esta seção tentará tornar sua vida um pouco mais fácil.", "core_config": { "edit_requires_storage": "Editor desativado porque a configuração está armazenada em configuration.yaml.", - "location_name": "Nome da sua instalação do Home Assistant", - "latitude": "Latitude", - "longitude": "Longitude", "elevation": "Elevação", "elevation_meters": "metros", + "imperial_example": "Fahrenheit, libras", + "latitude": "Latitude", + "location_name": "Nome da sua instalação do Home Assistant", + "longitude": "Longitude", + "metric_example": "Celsius, quilogramas", + "save_button": "Salvar", "time_zone": "Fuso horário", "unit_system": "Sistema de unidade", "unit_system_imperial": "Imperial", - "unit_system_metric": "Métrico", - "imperial_example": "Fahrenheit, libras", - "metric_example": "Celsius, quilogramas", - "save_button": "Salvar" - } + "unit_system_metric": "Métrico" + }, + "header": "Configuração e Controle do Servidor", + "introduction": "Alterar sua configuração pode ser um processo cansativo. Nós sabemos. Esta seção tentará tornar sua vida um pouco mais fácil." }, "server_control": { - "validation": { - "heading": "Validação de configuração", - "introduction": "Valide seu código se você recentemente fez algumas mudanças na sua configuração e quer certificar-se de que tudo está correto.", - "check_config": "Checar configuração", - "valid": "Configuração válida!", - "invalid": "Configuração inválida" - }, "reloading": { - "heading": "Recarregando configuração", - "introduction": "Algumas partes do Home Assistant podem ser recarregadas sem a necessidade de reiniciar. Recarregando irá substituir a sua configuração atual por uma nova.", + "automation": "Recarregar automações", "core": "Recarregar sistema", "group": "Recarregar grupos", - "automation": "Recarregar automações", + "heading": "Recarregando configuração", + "introduction": "Algumas partes do Home Assistant podem ser recarregadas sem a necessidade de reiniciar. Recarregando irá substituir a sua configuração atual por uma nova.", "script": "Recarregar scripts" }, "server_management": { @@ -475,6 +1065,13 @@ "introduction": "Controle seu servidor do Home Assistant... A partir do Home Assistant.", "restart": "Reiniciar", "stop": "Parar" + }, + "validation": { + "check_config": "Checar configuração", + "heading": "Validação de configuração", + "introduction": "Valide seu código se você recentemente fez algumas mudanças na sua configuração e quer certificar-se de que tudo está correto.", + "invalid": "Configuração inválida", + "valid": "Configuração válida!" } } } @@ -487,481 +1084,64 @@ "introduction": "Ajustar atributos por entidade. As personalizações adicionadas \/ editadas entrarão em vigor imediatamente. As personalizações removidas entrarão em vigor quando a entidade for atualizada." } }, - "automation": { - "caption": "Automação", - "description": "Criar e editar automações", - "picker": { - "header": "Editor de automação", - "introduction": "O editor de automação permite criar e editar automações. Por favor, siga o link abaixo para ler as instruções para se certificar de que você configurou o Home Assistant corretamente.", - "pick_automation": "Escolha uma automação para editar", - "no_automations": "Não encontramos nenhuma automação editável", - "add_automation": "Adicionar automação", - "learn_more": "Saiba mais sobre automações" - }, - "editor": { - "introduction": "Use automações para trazer sua casa a vida", - "default_name": "Nova Automação", - "save": "Salvar", - "unsaved_confirm": "Você tem alterações não salvas. Tem certeza que deseja sair?", - "alias": "Nome", - "triggers": { - "header": "Gatilhos", - "introduction": "Gatilhos são responsáveis por iniciar o processamento de uma regra de automação. É possível especificar vários gatilhos para a mesma regra. Quando o gatilho é iniciado, o Assistente Inicial validará as condições, se houver, e chamará a ação.", - "add": "Adicionar gatilho", - "duplicate": "Duplicar", - "delete": "Apagar", - "delete_confirm": "Tem certeza que deseja excluir?", - "unsupported_platform": "Plataforma não suportada: {platform}", - "type_select": "Tipo de gatilho", - "type": { - "event": { - "label": "Evento", - "event_type": "Tipo de evento", - "event_data": "Dados de evento" - }, - "state": { - "label": "Estado", - "from": "De", - "to": "Para", - "for": "Por" - }, - "homeassistant": { - "label": "", - "event": "Evento:", - "start": "Iniciar", - "shutdown": "Desligar" - }, - "mqtt": { - "label": "MQTT", - "topic": "Tópico", - "payload": "Valor (opcional)" - }, - "numeric_state": { - "label": "Estado numérico", - "above": "Acima", - "below": "Abaixo", - "value_template": "Valor de exemplo (opcional)" - }, - "sun": { - "label": "Sol", - "event": "Evento", - "sunrise": "Nascer do sol", - "sunset": "Pôr do Sol", - "offset": "Diferença de tempo (opcional)" - }, - "template": { - "label": "Modelo", - "value_template": "Valor modelo" - }, - "time": { - "label": "Tempo", - "at": "Em" - }, - "zone": { - "label": "Zona", - "entity": "Entidade com localização", - "zone": "Zona", - "event": "Evento:", - "enter": "Entrar", - "leave": "Sair" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "ID da Webhook" - }, - "time_pattern": { - "label": "Padrão de hora", - "hours": "Horas", - "minutes": "Minutos", - "seconds": "Segundos" - }, - "geo_location": { - "label": "Geolocalização", - "source": "Origem", - "zone": "Zona", - "event": "Evento:", - "enter": "Entrar", - "leave": "Sair" - }, - "device": { - "label": "Dispositivo", - "extra_fields": { - "above": "Acima", - "below": "Abaixo", - "for": "Duração" - } - } - }, - "learn_more": "Saiba mais sobre gatilhos" - }, + "devices": { + "automation": { "conditions": { - "header": "Condições", - "introduction": "As condições são uma parte opcional de uma regra de automação e podem ser usadas para impedir que uma ação aconteça quando acionada. As condições parecem muito semelhantes aos gatilhos, mas são muito diferentes. Um gatilho analisará os eventos que estão ocorrendo no sistema, enquanto uma condição apenas analisa a aparência do sistema no momento. Um disparador pode observar que um comutador está sendo ligado. Uma condição só pode ver se um interruptor está atualmente ativado ou desativado.", - "add": "Adicionar condição", - "duplicate": "Duplicar", - "delete": "Apagar", - "delete_confirm": "Tem certeza que quer apagar?", - "unsupported_condition": "Condição não suportada: {condition}", - "type_select": "Tipo de Condição", - "type": { - "state": { - "label": "Estado", - "state": "Estado" - }, - "numeric_state": { - "label": "Estado numérico", - "above": "Acima", - "below": "Abaixo", - "value_template": "Valor do modelo (opcional)" - }, - "sun": { - "label": "Sol", - "before": "Antes:", - "after": "Depois:", - "before_offset": "Tempo a adiantar (opcional)", - "after_offset": "Tempo a atrasar (opcional)", - "sunrise": "Nascer do sol", - "sunset": "Pôr do Sol" - }, - "template": { - "label": "Modelo", - "value_template": "Valor do modelo" - }, - "time": { - "label": "Temporal", - "after": "Depois", - "before": "Antes" - }, - "zone": { - "label": "Zona", - "entity": "Entidade com localização", - "zone": "Zona" - }, - "device": { - "label": "Dispositivo", - "extra_fields": { - "above": "Acima", - "below": "Abaixo", - "for": "Duração" - } - }, - "and": { - "label": "E" - }, - "or": { - "label": "Ou" - } - }, - "learn_more": "Saiba mais sobre condições" + "caption": "Só faça alguma coisa se ..." }, - "actions": { - "header": "Ações", - "introduction": "As ações são o que o Home Assistant fará quando a automação for acionada.", - "add": "Adicionar ação", - "duplicate": "Duplicar", - "delete": "Apagar", - "delete_confirm": "Tem certeza que deseja apagar?", - "unsupported_action": "Ação não suportada: {action}", - "type_select": "Tipo de acão", - "type": { - "service": { - "label": "Iniciar Serviço", - "service_data": "Dados do Serviço" - }, - "delay": { - "label": "Atraso", - "delay": "Atraso" - }, - "wait_template": { - "label": "Espere", - "wait_template": "Modelo de Espera", - "timeout": "Tempo limite (opcional)" - }, - "condition": { - "label": "Condição" - }, - "event": { - "label": "Iniciar evento", - "event": "Evento:", - "service_data": "Informações do serviço" - }, - "device_id": { - "label": "Dispositivo", - "extra_fields": { - "code": "Código" - } - }, - "scene": { - "label": "Ativar cena" - } - }, - "learn_more": "Saiba mais sobre ações" - }, - "load_error_not_editable": "Somente automações em automations.yaml são editáveis.", - "load_error_unknown": "Erro ao carregar a automação ({err_no}).", - "description": { - "label": "Descrição", - "placeholder": "Descrição opcional" - } - } - }, - "script": { - "caption": "Script", - "description": "Criar e editar scripts", - "picker": { - "header": "Editor de Scripts", - "introduction": "O editor de scripts permite criar e editar scripts. Por favor, siga o link abaixo para ler as instruções e garantir que você configurou o Home Assistant corretamente.", - "learn_more": "Saiba mais sobre scripts", - "no_scripts": "Não foi possível encontrar nenhum script editável", - "add_script": "Adicionar script" - }, - "editor": { - "header": "Script: {name}", - "default_name": "Novo Script" - } - }, - "zwave": { - "caption": "", - "description": "Gerencie sua rede Z-Wave", - "network_management": { - "header": "Gerenciamento de rede Z-Wave", - "introduction": "Execute comandos que afetam a rede do Z-Wave. Você não receberá feedback sobre se a maioria dos comandos foi bem-sucedida, mas você pode verificar o log do OZW para tentar descobrir." - }, - "network_status": { - "network_stopped": "Rede Z-Wave Parada", - "network_starting": "Iniciando a rede Z-Wave ...", - "network_starting_note": "Isso pode demorar um pouco, dependendo do tamanho da sua rede.", - "network_started": "Rede Z-Wave Iniciada", - "network_started_note_some_queried": "Nós acordados foram consultados. Nós adormecidos serão consultados quando eles acordarem.", - "network_started_note_all_queried": "Todos os nós foram consultados." - }, - "services": { - "start_network": "Iniciar Rede", - "stop_network": "Parar Rede", - "heal_network": "Reparar rede", - "test_network": "Teste de rede", - "soft_reset": "Soft Reset", - "save_config": "Salvar Configuração", - "add_node_secure": "Adicionar Nó Seguro", - "add_node": "Adicionar Nó", - "remove_node": "Remover Nó", - "cancel_command": "Cancelar Comando" - }, - "common": { - "value": "Valor", - "instance": "Instância", - "index": "Índice", - "unknown": "Desconhecido", - "wakeup_interval": "Intervalo de ativação" - }, - "values": { - "header": "Valores de nó" - }, - "node_config": { - "header": "Opções de configuração do nó", - "seconds": "Segundos", - "set_wakeup": "Definir intervalo de ativação", - "config_parameter": "Parâmetro de configuração", - "config_value": "Valor de configuração", - "true": "Verdadeiro", - "false": "Falso", - "set_config_parameter": "Definir o parâmetro de configuração" - }, - "learn_more": "Saiba mais sobre o Z-Wave", - "ozw_log": { - "header": "OZW Log", - "introduction": "Veja o log. 0 é o mínimo (carrega o log inteiro) e 1000 é o máximo. A carga mostrará um log estático e tail será atualizada automaticamente com o último número especificado de linhas do log." - } - }, - "users": { - "caption": "Usuários", - "description": "Gerenciar usuários", - "picker": { - "title": "Usuários", - "system_generated": "Gerado pelo sistema" - }, - "editor": { - "rename_user": "Renomear usuário", - "change_password": "Mudar senha", - "activate_user": "Ativar usuário", - "deactivate_user": "Desativar usuário", - "delete_user": "Excluir usuário", - "caption": "Visualizar usuário", - "id": "ID", - "owner": "Proprietário", - "group": "Grupo", - "active": "Ativo", - "system_generated": "Gerado pelo sistema", - "system_generated_users_not_removable": "Não foi possível remover usuários gerados pelo sistema.", - "unnamed_user": "Usuário sem nome", - "enter_new_name": "Digite o novo nome", - "user_rename_failed": "Falha ao renomear usuário:", - "group_update_failed": "Falha ao atualizar grupo:", - "confirm_user_deletion": "Tem certeza de que deseja excluir {name} ?" - }, - "add_user": { - "caption": "Adicionar Usuário", - "name": "Nome", - "username": "Usuário", - "password": "Senha", - "create": "Criar" - } - }, - "cloud": { - "caption": "Home Assistant Cloud", - "description_login": "Conectado como {email}", - "description_not_login": "Não logado", - "description_features": "Controle mesmo longe de casa, integrar com Alexa e Google Assistant.", - "login": { - "introduction2": "Este serviço é executado pelo nosso parceiro ", - "introduction2a": ", uma empresa fundada pelos fundadores do Home Assistant e do Hass.io.", - "learn_more_link": "Saiba mais sobre o Home Assistant Cloud", - "dismiss": "Dispensar", - "sign_in": "Entrar", - "email_error_msg": "E-mail inválido", - "password": "Senha" - }, - "forgot_password": { - "check_your_email": "Verifique seu e-mail para obter instruções sobre como redefinir sua senha." - }, - "register": { - "title": "Registar Conta", - "feature_remote_control": "Controle o Home Assistant de fora de casa", - "feature_google_home": "Integração com o Google Assistant", - "feature_amazon_alexa": "Integração com a Amazon Alexa", - "feature_webhook_apps": "Fácil integração com aplicativos baseados em webhook, como o OwnTracks", - "information3": "Este serviço é executado pelo nosso parceiro ", - "information3a": ", uma empresa fundada pelos fundadores do Home Assistant e do Hass.io.", - "information4": "Ao criar uma conta, você concorda com os seguintes termos e condições.", - "link_terms_conditions": "Termos e Condições", - "link_privacy_policy": "Política de Privacidade", - "create_account": "Criar Conta", - "email_address": "Endereço de e-mail", - "email_error_msg": "E-mail inválido", - "password": "Senha", - "password_error_msg": "As senhas precisam ter pelo menos 8 caracteres", - "start_trial": "Iniciar avaliação", - "resend_confirm_email": "Reenviar e-mail de confirmação", - "account_created": "Conta criada! Verifique seu e-mail para obter instruções sobre como ativar sua conta." - }, - "account": { - "thank_you_note": "Obrigado por fazer parte do Home Assistant Cloud. É por causa de pessoas como você que podemos criar uma ótima experiência de automação residencial para todos. Obrigado!", - "nabu_casa_account": "Conta Nabu Casa", - "connection_status": "Status de conexão com a Cloud", - "manage_account": "Gerenciar Conta", - "sign_out": "Sair", - "integrations": "Integrações", - "integrations_introduction": "As integrações para o Home Assistant Cloud permitem que você se conecte com serviços na nuvem sem precisar expor sua instância do Home Assistant publicamente na Internet.", - "integrations_introduction2": "Consulte o site para ", - "integrations_link_all_features": " todos os recursos disponíveis", - "connected": "Conectado", - "not_connected": "Não Conectado", - "fetching_subscription": "Buscando assinatura…", - "remote": { - "title": "Controle Remoto", - "instance_is_available": "Sua instância está disponível em", - "certificate_info": "Informações do certificado" - }, - "alexa": { - "title": "Alexa", - "info": "Com a integração da Alexa para o Home Assistant Cloud, você poderá controlar todos os seus dispositivos do Home Assistant por meio de qualquer dispositivo ativado pela Alexa.", - "enable_ha_skill": "Ativar o Home Assistant para a Alexa", - "config_documentation": "Documentação de configuração", - "enable_state_reporting": "Ativar relatório de estado", - "info_state_reporting": "Se você ativar os relatórios de estado, o Home Assistant enviará todas as alterações de estado das entidades expostas ao Google. Isso permite que você sempre veja os estados mais recentes no aplicativo do Google.", - "sync_entities": "Sincronizar entidades", - "manage_entities": "Gerenciar Entidades", - "sync_entities_error": "Falha ao sincronizar entidades:", - "state_reporting_error": "Não foi possível {enable_disable} o relatório de estado.", - "enable": "habilitar", - "disable": "desabilitar" - }, - "google": { - "title": "Google Assistant", - "info": "Com a integração do Google Assistant para o Home Assistant Cloud, você poderá controlar todos os seus dispositivos do Home Assistant por meio de qualquer dispositivo ativado pelo Google Assistant.", - "enable_ha_skill": "Ativar o Home Assistant para o Google Assistant", - "config_documentation": "Documentação de configuração", - "enable_state_reporting": "Ativar relatório de estado", - "info_state_reporting": "Se você ativar os relatórios de estado, o Home Assistant enviará todas as alterações de estado das entidades expostas ao Google. Isso permite que você sempre veja os estados mais recentes no aplicativo do Google.", - "security_devices": "Dispositivos de Segurança", - "enter_pin_info": "Digite um pin para interagir com os dispositivos de segurança. Dispositivos de segurança são portas, portas de garagem e fechaduras. Você será solicitado a dizer\/inserir este pin ao interagir com esses dispositivos pelo Google Assistant.", - "devices_pin": "Pin dos dispositivos de segurança", - "enter_pin_hint": "Digite um PIN para usar dispositivos de segurança", - "sync_entities": "Sincronizar entidades com o Google", - "manage_entities": "Gerenciar Entidades", - "enter_pin_error": "Não foi possível armazenar o pin:" - }, - "webhooks": { - "title": "Webhook", - "info": "Qualquer coisa que esteja configurada para ser acionada por um webhook pode receber um URL acessível ao público para permitir o envio de dados de volta ao Home Assistant de qualquer lugar, sem expor sua instância à Internet.", - "no_hooks_yet": "Parece que você ainda não tem webhooks. Comece configurando um ", - "no_hooks_yet_link_integration": "integração baseada em webhook", - "no_hooks_yet2": " ou criando um ", - "no_hooks_yet_link_automation": "automação de webhook", - "link_learn_more": "Saiba mais sobre como criar automações baseadas em webhook.", - "loading": "Carregando ...", - "manage": "Gerenciar", - "disable_hook_error_msg": "Falha ao desativar o webhook:" + "triggers": { + "caption": "Faça alguma coisa quando ..." } }, - "alexa": { - "title": "Alexa", - "banner": "A edição de quais entidades são expostas por meio dessa interface do usuário está desabilitada porque você configurou filtros de entidade em configuration.yaml.", - "exposed_entities": "Entidades expostas", - "not_exposed_entities": "Nenhuma entidade exposta", - "expose": "Expor para Alexa" + "caption": "Dispositivos", + "description": "Gerenciar dispositivos conectados" + }, + "entity_registry": { + "caption": "Registro de Entidade", + "description": "Visão geral de todas as entidades conhecidas.", + "editor": { + "confirm_delete": "Tem certeza de que deseja excluir esta entrada?", + "default_name": "Nova Área", + "delete": "APAGAR", + "enabled_cause": "Desativado por {cause}.", + "enabled_description": "As entidades desativadas não serão adicionadas ao Home Assistant.", + "enabled_label": "Ativar entidade", + "unavailable": "Esta entidade não está disponível no momento.", + "update": "ATUALIZAR" }, - "dialog_certificate": { - "certificate_information": "Informações do certificado", - "certificate_expiration_date": "Data de validade do certificado", - "will_be_auto_renewed": "Será renovado automaticamente", - "fingerprint": "Impressão digital do certificado:", - "close": "Fechar" - }, - "google": { - "title": "Google Assistant", - "expose": "Expor ao Google Assistant", - "disable_2FA": "Desabilitar a autenticação de dois fatores", - "banner": "A edição de quais entidades são expostas por meio dessa interface do usuário está desabilitada porque você configurou filtros de entidade em configuration.yaml.", - "exposed_entities": "Entidades expostas", - "not_exposed_entities": "Nenhuma entidade exposta", - "sync_to_google": "Sincronizando alterações com o Google." - }, - "dialog_cloudhook": { - "webhook_for": "Webhook para {name}", - "available_at": "O webhook está disponível no seguinte URL:", - "managed_by_integration": "Este webhook é gerenciado por uma integração e não pode ser desativado.", - "info_disable_webhook": "Se você não quiser mais usar este webhook, você pode", - "link_disable_webhook": "desativar", - "view_documentation": "Ver documentação", - "close": "Fechar", - "copied_to_clipboard": "Copiado para a área de transferência" + "picker": { + "header": "Registro de Entidade", + "headers": { + "enabled": "Habilitado", + "integration": "Integração", + "name": "Nome" + }, + "integrations_page": "Página de integrações", + "introduction": "O Home Assistant mantém um registro de todas as entidades que já viu e que podem ser identificadas exclusivamente. Cada uma dessas entidades terá um ID de entidade atribuído, que será reservado apenas para essa entidade.", + "introduction2": "Use o registro da entidade para substituir o nome, alterar o ID da entidade ou remover a entrada do Home Assistant. Observe que a remoção do registro de entidade não removerá a entidade totalmente. Para fazer isso, siga o link abaixo e remova-o da página de integrações.", + "show_disabled": "Mostrar entidades desativadas", + "unavailable": "(indisponível)" } }, + "header": "Configurar o Home Assistant", "integrations": { "caption": "Integrações", - "description": "Gerenciar dispositivos e serviços conectados", - "discovered": "Descoberto", - "configured": "Configurado", - "new": "Configurar uma nova integração", - "configure": "Configurar", - "none": "Nada configurado ainda", "config_entry": { - "no_devices": "Esta integração não possui dispositivos.", - "no_device": "Entidades sem dispositivos", + "area": "Em {area}", + "delete_button": "Excluir {integration}", "delete_confirm": "Tem certeza de que deseja excluir essa integração?", - "restart_confirm": "Reinicie o Home Assistant para concluir a remoção dessa integração", - "manuf": "por {manufacturer}", - "via": "Conectado via", - "firmware": "Firmware: {version}", "device_unavailable": "dispositivo indisponível", "entity_unavailable": "entidade indisponível", - "no_area": "Sem área", + "firmware": "Firmware: {version}", "hub": "Conectado via", + "manuf": "por {manufacturer}", + "no_area": "Sem área", + "no_device": "Entidades sem dispositivos", + "no_devices": "Esta integração não possui dispositivos.", + "restart_confirm": "Reinicie o Home Assistant para concluir a remoção dessa integração", "settings_button": "Editar configurações para {integration}", "system_options_button": "Opções do sistema para {integration}", - "delete_button": "Excluir {integration}", - "area": "Em {area}" + "via": "Conectado via" }, "config_flow": { "external_step": { @@ -969,28 +1149,145 @@ "open_site": "Abrir site" } }, + "configure": "Configurar", + "configured": "Configurado", + "description": "Gerenciar dispositivos e serviços conectados", + "discovered": "Descoberto", + "home_assistant_website": "Site do Home Assistant", + "new": "Configurar uma nova integração", + "none": "Nada configurado ainda", "note_about_integrations": "Nem todas as integrações podem ser configuradas via interface do usuário ainda.", - "note_about_website_reference": "Existem mais disponíveis no ", - "home_assistant_website": "Site do Home Assistant" + "note_about_website_reference": "Existem mais disponíveis no " + }, + "introduction": "Aqui é possível configurar seus componentes e Home Assistant. Nem tudo é possível configurar via UI, mas estamos trabalhando nisso.", + "person": { + "add_person": "Adicionar pessoa", + "caption": "Pessoas", + "confirm_delete": "Tem certeza de que deseja excluir esta pessoa?", + "create_person": "Criar Pessoa", + "description": "Gerencie as pessoas que o Home Assistant acompanha.", + "detail": { + "create": "Criar", + "delete": "Excluir", + "device_tracker_intro": "Selecione os dispositivos que pertencem a essa pessoa.", + "device_tracker_pick": "Escolha o dispositivo para rastrear", + "device_tracker_picked": "Rastrear dispositivo", + "link_integrations_page": "Página de integrações", + "link_presence_detection_integrations": "Integrações de detecção de presença", + "linked_user": "Usuário vinculado", + "name": "Nome", + "name_error_msg": "Nome é obrigatório", + "new_person": "Nova pessoa", + "no_device_tracker_available_intro": "Quando você possui dispositivos que indicam a presença de uma pessoa, poderá atribuí-los a uma pessoa aqui. Você pode adicionar seu primeiro dispositivo adicionando uma integração de detecção de presença na página de integrações.", + "update": "Atualizar" + } + }, + "script": { + "caption": "Script", + "description": "Criar e editar scripts", + "editor": { + "default_name": "Novo Script", + "header": "Script: {name}" + }, + "picker": { + "add_script": "Adicionar script", + "header": "Editor de Scripts", + "introduction": "O editor de scripts permite criar e editar scripts. Por favor, siga o link abaixo para ler as instruções e garantir que você configurou o Home Assistant corretamente.", + "learn_more": "Saiba mais sobre scripts", + "no_scripts": "Não foi possível encontrar nenhum script editável" + } + }, + "server_control": { + "caption": "Controle do servidor", + "description": "Reinicie e interrompa o servidor do Home Assistant", + "section": { + "reloading": { + "automation": "Recarregar as automações", + "core": "Recarregar o Core", + "group": "Recarregar os grupos", + "heading": "Recarregando a configuração", + "introduction": "Algumas partes do Home Assistant podem ser recarregadas sem a necessidade de reiniciar. Pressionar recarregar descarregará sua configuração atual e carregará a nova.", + "scene": "Recarregar cenas", + "script": "Recarregar os scripts" + }, + "server_management": { + "confirm_restart": "Tem certeza de que deseja reiniciar o Home Assistant?", + "confirm_stop": "Tem certeza de que deseja parar o Home Assistant?", + "heading": "Gerenciamento do servidor", + "introduction": "Controle o seu servidor Home Assistant... a partir do Home Assistant.", + "restart": "Reiniciar", + "stop": "Parar" + }, + "validation": { + "check_config": "Verificar a configuração", + "heading": "Validação da configuração", + "introduction": "Valide sua configuração se você recentemente fez algumas mudanças na sua configuração e quiser certificar-se de que tudo é válido.", + "invalid": "Configuração inválida", + "valid": "Configuração válida!" + } + } + }, + "users": { + "add_user": { + "caption": "Adicionar Usuário", + "create": "Criar", + "name": "Nome", + "password": "Senha", + "username": "Usuário" + }, + "caption": "Usuários", + "description": "Gerenciar usuários", + "editor": { + "activate_user": "Ativar usuário", + "active": "Ativo", + "caption": "Visualizar usuário", + "change_password": "Mudar senha", + "confirm_user_deletion": "Tem certeza de que deseja excluir {name} ?", + "deactivate_user": "Desativar usuário", + "delete_user": "Excluir usuário", + "enter_new_name": "Digite o novo nome", + "group": "Grupo", + "group_update_failed": "Falha ao atualizar grupo:", + "id": "ID", + "owner": "Proprietário", + "rename_user": "Renomear usuário", + "system_generated": "Gerado pelo sistema", + "system_generated_users_not_removable": "Não foi possível remover usuários gerados pelo sistema.", + "unnamed_user": "Usuário sem nome", + "user_rename_failed": "Falha ao renomear usuário:" + }, + "picker": { + "system_generated": "Gerado pelo sistema", + "title": "Usuários" + } }, "zha": { - "caption": "ZHA", - "description": "Gerenciamento de rede Zigbee Home Automation", - "services": { - "reconfigure": "Reconfigure o dispositivo ZHA (curar dispositivo). Use isto se você estiver tendo problemas com o dispositivo. Se o dispositivo em questão for um dispositivo alimentado por bateria, certifique-se de que ele esteja ativo e aceitando comandos ao usar esse serviço.", - "updateDeviceName": "Definir um nome personalizado para este dispositivo no registro de dispositivos.", - "remove": "Remova um dispositivo da rede Zigbee." - }, - "device_card": { - "device_name_placeholder": "Nome dado pelo usuário", - "area_picker_label": "Área", - "update_name_button": "Atualizar Nome" - }, "add_device_page": { - "header": "Zigbee Home Automation - Adicionar dispositivos", - "spinner": "Procurando por dispositivos ZHA Zigbee…", "discovery_text": "Dispositivos descobertos serão exibidos aqui. Siga as instruções para o(s) seu(s) dispositivo(s) e coloque o(s) dispositivo(s) no modo de emparelhamento.", - "search_again": "Pesquisar novamente" + "header": "Zigbee Home Automation - Adicionar dispositivos", + "search_again": "Pesquisar novamente", + "spinner": "Procurando por dispositivos ZHA Zigbee…" + }, + "caption": "ZHA", + "cluster_attributes": { + "attributes_of_cluster": "Atributos do cluster selecionado", + "get_zigbee_attribute": "Obter atributo do Zigbee", + "header": "Atributos do cluster", + "help_attribute_dropdown": "Selecione um atributo para visualizar ou definir seu valor.", + "help_get_zigbee_attribute": "Obter o valor para o atributo selecionado.", + "help_set_zigbee_attribute": "Defina o valor do atributo para o cluster especificado na entidade especificada.", + "introduction": "Ver e editar atributos do cluster.", + "set_zigbee_attribute": "Definir atributo do Zigbee" + }, + "cluster_commands": { + "commands_of_cluster": "Comandos do cluster selecionado", + "header": "Comandos de cluster", + "help_command_dropdown": "Selecione um comando para interagir.", + "introduction": "Ver e emitir comandos de cluster.", + "issue_zigbee_command": "Emitir Comando Zigbee" + }, + "clusters": { + "help_cluster_dropdown": "Selecione um cluster para visualizar atributos e comandos." }, "common": { "add_devices": "Adicionar Dispositivos", @@ -999,443 +1296,246 @@ "manufacturer_code_override": "Substituir Código do Fabricante", "value": "Valor" }, + "description": "Gerenciamento de rede Zigbee Home Automation", + "device_card": { + "area_picker_label": "Área", + "device_name_placeholder": "Nome dado pelo usuário", + "update_name_button": "Atualizar Nome" + }, "network_management": { "header": "Gerenciamento de Rede", "introduction": "Comandos que afetam toda a rede" }, "node_management": { "header": "Gerenciamento de Dispositivos", - "introduction": "Execute comandos ZHA que afetam um único dispositivo. Escolha um dispositivo para ver uma lista dos comandos disponíveis.", + "help_node_dropdown": "Selecione um dispositivo para visualizar as opções por dispositivo.", "hint_battery_devices": "Nota: Os dispositivos sonolentos (alimentados por bateria) precisam estar ativos ao executar comandos contra eles. Geralmente, você pode ativar um dispositivo sonolento acionando-o.", - "help_node_dropdown": "Selecione um dispositivo para visualizar as opções por dispositivo." + "introduction": "Execute comandos ZHA que afetam um único dispositivo. Escolha um dispositivo para ver uma lista dos comandos disponíveis." }, - "clusters": { - "help_cluster_dropdown": "Selecione um cluster para visualizar atributos e comandos." - }, - "cluster_attributes": { - "header": "Atributos do cluster", - "introduction": "Ver e editar atributos do cluster.", - "attributes_of_cluster": "Atributos do cluster selecionado", - "get_zigbee_attribute": "Obter atributo do Zigbee", - "set_zigbee_attribute": "Definir atributo do Zigbee", - "help_attribute_dropdown": "Selecione um atributo para visualizar ou definir seu valor.", - "help_get_zigbee_attribute": "Obter o valor para o atributo selecionado.", - "help_set_zigbee_attribute": "Defina o valor do atributo para o cluster especificado na entidade especificada." - }, - "cluster_commands": { - "header": "Comandos de cluster", - "introduction": "Ver e emitir comandos de cluster.", - "commands_of_cluster": "Comandos do cluster selecionado", - "issue_zigbee_command": "Emitir Comando Zigbee", - "help_command_dropdown": "Selecione um comando para interagir." + "services": { + "reconfigure": "Reconfigure o dispositivo ZHA (curar dispositivo). Use isto se você estiver tendo problemas com o dispositivo. Se o dispositivo em questão for um dispositivo alimentado por bateria, certifique-se de que ele esteja ativo e aceitando comandos ao usar esse serviço.", + "remove": "Remova um dispositivo da rede Zigbee.", + "updateDeviceName": "Definir um nome personalizado para este dispositivo no registro de dispositivos." } }, - "area_registry": { - "caption": "Registro de Áreas", - "description": "Visão geral de todas as áreas da sua casa.", - "picker": { - "header": "Registro de Áreas", - "introduction": "Áreas são usadas para organizar os dispositivos. Essas informações serão usadas no Home Assistant para ajudá-lo a organizar sua interface, permissões e integrações com outros sistemas.", - "introduction2": "Para colocar dispositivos em uma área, use o link abaixo para navegar até a página de integrações e, em seguida, clique em uma integração configurada para acessar os cartões de dispositivos.", - "integrations_page": "Página de integrações", - "no_areas": "Parece que você ainda não tem áreas!", - "create_area": "CRIAR ÁREA" + "zwave": { + "caption": "", + "common": { + "index": "Índice", + "instance": "Instância", + "unknown": "Desconhecido", + "value": "Valor", + "wakeup_interval": "Intervalo de ativação" }, - "no_areas": "Parece que você ainda não tem áreas!", - "create_area": "CRIAR ÁREA", - "editor": { - "default_name": "Nova Área", - "delete": "APAGAR", - "update": "ATUALIZAR", - "create": "CRIAR" - } - }, - "entity_registry": { - "caption": "Registro de Entidade", - "description": "Visão geral de todas as entidades conhecidas.", - "picker": { - "header": "Registro de Entidade", - "unavailable": "(indisponível)", - "introduction": "O Home Assistant mantém um registro de todas as entidades que já viu e que podem ser identificadas exclusivamente. Cada uma dessas entidades terá um ID de entidade atribuído, que será reservado apenas para essa entidade.", - "introduction2": "Use o registro da entidade para substituir o nome, alterar o ID da entidade ou remover a entrada do Home Assistant. Observe que a remoção do registro de entidade não removerá a entidade totalmente. Para fazer isso, siga o link abaixo e remova-o da página de integrações.", - "integrations_page": "Página de integrações", - "show_disabled": "Mostrar entidades desativadas", - "headers": { - "name": "Nome", - "integration": "Integração", - "enabled": "Habilitado" - } + "description": "Gerencie sua rede Z-Wave", + "learn_more": "Saiba mais sobre o Z-Wave", + "network_management": { + "header": "Gerenciamento de rede Z-Wave", + "introduction": "Execute comandos que afetam a rede do Z-Wave. Você não receberá feedback sobre se a maioria dos comandos foi bem-sucedida, mas você pode verificar o log do OZW para tentar descobrir." }, - "editor": { - "unavailable": "Esta entidade não está disponível no momento.", - "default_name": "Nova Área", - "delete": "APAGAR", - "update": "ATUALIZAR", - "enabled_label": "Ativar entidade", - "enabled_cause": "Desativado por {cause}.", - "enabled_description": "As entidades desativadas não serão adicionadas ao Home Assistant.", - "confirm_delete": "Tem certeza de que deseja excluir esta entrada?" - } - }, - "person": { - "caption": "Pessoas", - "description": "Gerencie as pessoas que o Home Assistant acompanha.", - "detail": { - "name": "Nome", - "device_tracker_intro": "Selecione os dispositivos que pertencem a essa pessoa.", - "device_tracker_picked": "Rastrear dispositivo", - "device_tracker_pick": "Escolha o dispositivo para rastrear", - "new_person": "Nova pessoa", - "name_error_msg": "Nome é obrigatório", - "linked_user": "Usuário vinculado", - "no_device_tracker_available_intro": "Quando você possui dispositivos que indicam a presença de uma pessoa, poderá atribuí-los a uma pessoa aqui. Você pode adicionar seu primeiro dispositivo adicionando uma integração de detecção de presença na página de integrações.", - "link_presence_detection_integrations": "Integrações de detecção de presença", - "link_integrations_page": "Página de integrações", - "delete": "Excluir", - "create": "Criar", - "update": "Atualizar" + "network_status": { + "network_started": "Rede Z-Wave Iniciada", + "network_started_note_all_queried": "Todos os nós foram consultados.", + "network_started_note_some_queried": "Nós acordados foram consultados. Nós adormecidos serão consultados quando eles acordarem.", + "network_starting": "Iniciando a rede Z-Wave ...", + "network_starting_note": "Isso pode demorar um pouco, dependendo do tamanho da sua rede.", + "network_stopped": "Rede Z-Wave Parada" }, - "create_person": "Criar Pessoa", - "add_person": "Adicionar pessoa", - "confirm_delete": "Tem certeza de que deseja excluir esta pessoa?" - }, - "server_control": { - "caption": "Controle do servidor", - "description": "Reinicie e interrompa o servidor do Home Assistant", - "section": { - "validation": { - "heading": "Validação da configuração", - "introduction": "Valide sua configuração se você recentemente fez algumas mudanças na sua configuração e quiser certificar-se de que tudo é válido.", - "check_config": "Verificar a configuração", - "valid": "Configuração válida!", - "invalid": "Configuração inválida" - }, - "reloading": { - "heading": "Recarregando a configuração", - "introduction": "Algumas partes do Home Assistant podem ser recarregadas sem a necessidade de reiniciar. Pressionar recarregar descarregará sua configuração atual e carregará a nova.", - "core": "Recarregar o Core", - "group": "Recarregar os grupos", - "automation": "Recarregar as automações", - "script": "Recarregar os scripts", - "scene": "Recarregar cenas" - }, - "server_management": { - "heading": "Gerenciamento do servidor", - "introduction": "Controle o seu servidor Home Assistant... a partir do Home Assistant.", - "restart": "Reiniciar", - "stop": "Parar", - "confirm_restart": "Tem certeza de que deseja reiniciar o Home Assistant?", - "confirm_stop": "Tem certeza de que deseja parar o Home Assistant?" - } - } - }, - "devices": { - "caption": "Dispositivos", - "description": "Gerenciar dispositivos conectados", - "automation": { - "triggers": { - "caption": "Faça alguma coisa quando ..." - }, - "conditions": { - "caption": "Só faça alguma coisa se ..." - } - } - }, - "common": { - "editor": { - "confirm_unsaved": "Você tem alterações não salvas. Tem certeza que deseja sair?" + "node_config": { + "config_parameter": "Parâmetro de configuração", + "config_value": "Valor de configuração", + "false": "Falso", + "header": "Opções de configuração do nó", + "seconds": "Segundos", + "set_config_parameter": "Definir o parâmetro de configuração", + "set_wakeup": "Definir intervalo de ativação", + "true": "Verdadeiro" + }, + "ozw_log": { + "header": "OZW Log", + "introduction": "Veja o log. 0 é o mínimo (carrega o log inteiro) e 1000 é o máximo. A carga mostrará um log estático e tail será atualizada automaticamente com o último número especificado de linhas do log." + }, + "services": { + "add_node": "Adicionar Nó", + "add_node_secure": "Adicionar Nó Seguro", + "cancel_command": "Cancelar Comando", + "heal_network": "Reparar rede", + "remove_node": "Remover Nó", + "save_config": "Salvar Configuração", + "soft_reset": "Soft Reset", + "start_network": "Iniciar Rede", + "stop_network": "Parar Rede", + "test_network": "Teste de rede" + }, + "values": { + "header": "Valores de nó" } } }, - "profile": { - "push_notifications": { - "header": "Notificações push", - "description": "Envie notificações para este dispositivo.", - "error_load_platform": "Configure o notify.html5.", - "error_use_https": "Requer SSL habilitado para o frontend.", - "push_notifications": "Notificações push", - "link_promo": "Saiba mais" - }, - "language": { - "header": "Idioma", - "link_promo": "Ajude a traduzir", - "dropdown_label": "Idioma" - }, - "themes": { - "header": "Tema", - "error_no_theme": "Não há temas disponíveis.", - "link_promo": "Aprenda sobre temas", - "dropdown_label": "Tema" - }, - "refresh_tokens": { - "header": "Atualizar tokens", - "description": "Cada token de atualização representa uma sessão de login. Os tokens de atualização serão removidos automaticamente quando você clicar em efetuar logout. Os tokens de atualização a seguir estão ativos na sua conta no momento.", - "token_title": "Atualizar o token para {clientId}", - "created_at": "Criado em {date}", - "confirm_delete": "Tem certeza de que deseja excluir o token de acesso para {name} ?", - "delete_failed": "Falha ao excluir o token de acesso.", - "last_used": "Usado pela última vez em {date} em {location}", - "not_used": "Nunca foi usado", - "current_token_tooltip": "Não é possível excluir o token de atualização atual" - }, - "long_lived_access_tokens": { - "header": "Tokens de acesso de longa duração", - "description": "Crie tokens de acesso de longa duração para permitir que seus scripts interajam com sua instância do Home Assistant. Cada token será válido por 10 anos a partir da criação. Os seguintes tokens de acesso de longa duração estão atualmente ativos.", - "learn_auth_requests": "Aprenda como fazer solicitações autenticadas.", - "created_at": "Criado em {date}", - "confirm_delete": "Tem certeza de que deseja excluir o token de acesso para {name} ?", - "delete_failed": "Falha ao excluir o token de acesso.", - "create": "Criar token", - "create_failed": "Falha ao criar o token de acesso.", - "prompt_name": "Nome?", - "prompt_copy_token": "Copie seu token de acesso. Ele não será mostrado novamente.", - "empty_state": "Você ainda não tem tokens de acesso de longa duração.", - "last_used": "Usado pela última vez em {date} em {location}", - "not_used": "Nunca foi usado" - }, - "current_user": "Você está logado como {fullName}.", - "is_owner": "Você é um proprietário.", - "change_password": { - "header": "Alterar senha", - "current_password": "Senha atual", - "new_password": "Nova Senha", - "confirm_new_password": "Confirme a nova senha", - "error_required": "Obrigatório", - "submit": "Enviar" - }, - "mfa": { - "header": "Módulos de Autenticação Multifator", - "disable": "Desabilitar", - "enable": "Habilitar", - "confirm_disable": "Tem certeza de que deseja desativar {name} ?" - }, - "mfa_setup": { - "title_aborted": "Abortado", - "title_success": "Sucesso!", - "step_done": "Configuração feita para {step}", - "close": "Fechar", - "submit": "Enviar" - }, - "logout": "Sair", - "force_narrow": { - "header": "Sempre ocultar a barra lateral", - "description": "Isto irá ocultar a barra lateral por padrão, semelhante à experiência móvel." - }, - "vibrate": { - "header": "Vibrar" - }, - "advanced_mode": { - "title": "Modo Avançado", - "description": "O Home Assistant oculta os recursos e opções avançados por padrão. Você pode tornar esses recursos acessíveis marcando essa opção. Essa é uma configuração específica do usuário e não afeta outros usuários usando o Home Assistant." - } - }, - "page-authorize": { - "initializing": "Iniciando", - "authorizing_client": "Você está prestes a dar acesso pra {clientId} à sua instância do Home Assistant.", - "logging_in_with": "Fazendo login com **{authProviderName}**.", - "pick_auth_provider": "Ou entre com", - "abort_intro": "Login cancelado", - "form": { - "working": "Aguarde", - "unknown_error": "Alguma coisa saiu errada", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Usuário", - "password": "Senha" - } - }, - "mfa": { - "data": { - "code": "Código de autenticação de dois fatores" - }, - "description": "Abra o ** {mfa_module_name} ** no seu dispositivo para ver seu código de autenticação de dois fatores e confirmar sua identidade:" - } - }, - "error": { - "invalid_auth": "Usuário ou senha inválidos", - "invalid_code": "Código de autenticação inválido" - }, - "abort": { - "login_expired": "Sessão expirada, por favor fazer o login novamente." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "Senha de API" - }, - "description": "Por favor insira a senha da API em sua configuração http:" - }, - "mfa": { - "data": { - "code": "Código de autenticação de dois fatores" - }, - "description": "Abra o ** {mfa_module_name} ** no seu dispositivo para ver seu código de autenticação de dois fatores e confirmar sua identidade:" - } - }, - "error": { - "invalid_auth": "Senha de API inválida", - "invalid_code": "Código de autenticação inválido" - }, - "abort": { - "no_api_password_set": "Você não tem uma senha de API configurada.", - "login_expired": "Sessão expirada, por favor fazer o login novamente." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Usuário" - }, - "description": "Por favor, selecione o usuário que você quer fazer o login como:" - } - }, - "abort": { - "not_whitelisted": "Seu computador não está na lista de permissões." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Usuário", - "password": "Senha" - } - }, - "mfa": { - "data": { - "code": "Duplo fator de Autenticação" - }, - "description": "Abra o ** {mfa_module_name} ** no seu dispositivo para ver seu código de autenticação de dois fatores e confirmar sua identidade:" - } - }, - "error": { - "invalid_auth": "Usuário ou senha inválidos", - "invalid_code": "Código de autenticação inválido" - }, - "abort": { - "login_expired": "Sessão expirada, por favor fazer o login novamente." - } - } - } - } - }, - "page-onboarding": { - "intro": "Você está pronto para despertar sua casa, recuperar sua privacidade e se juntar a uma comunidade mundial de consertadores?", - "user": { - "intro": "Vamos começar criando uma conta de usuário.", - "required_field": "Obrigatório", - "data": { - "name": "Nome", - "username": "Usuário", - "password": "Senha", - "password_confirm": "Confirme a Senha" + "developer-tools": { + "tabs": { + "events": { + "alert_event_type": "O tipo de evento é um campo obrigatório", + "available_events": "Eventos Disponíveis", + "count_listeners": " ({count} ouvintes)", + "data": "Dados do evento (YAML, opcional)", + "description": "Dispare um evento no barramento de eventos.", + "documentation": "Documentação de eventos.", + "event_fired": "Evento {name} disparado", + "fire_event": "Disparar Evento", + "listen_to_events": "Ouvir eventos", + "listening_to": "Ouvindo", + "notification_event_fired": "Evento {type} disparado com sucesso!", + "start_listening": "Começar a ouvir", + "stop_listening": "Parar de ouvir", + "subscribe_to": "Evento para se inscrever", + "title": "Eventos", + "type": "Tipo de evento" }, - "create_account": "Criar Conta", - "error": { - "required_fields": "Preencha todos os campos obrigatórios", - "password_not_match": "As senhas não coincidem" + "info": { + "built_using": "Construído usando", + "custom_uis": "UIs personalizadas:", + "default_ui": "{action} {name} como página padrão neste dispositivo", + "developed_by": "Desenvolvido por um monte de pessoas incríveis.", + "frontend": "frontend-ui", + "frontend_version": "Versão do Frontend: {version} - {type}", + "home_assistant_logo": "Home Assistant logo", + "icons_by": "Ícones por", + "license": "Publicado sob a licença Apache 2.0", + "lovelace_ui": "Ir para UI do Lovelace", + "path_configuration": "Caminho para configuration.yaml: {path}", + "remove": "Remover", + "server": "servidor", + "set": "Definir", + "source": "Código fonte:", + "states_ui": "Ir para UI de estados", + "system_health_error": "O componente System Health não foi carregado. Adicione 'system_health:' ao configuration.yaml", + "title": "Info" + }, + "logs": { + "clear": "Limpar", + "details": "Detalhes do log ({Level})", + "load_full_log": "Carregar todos os logs do Home Assistant", + "loading_log": "Carregando log de erros…", + "multiple_messages": "a mensagem ocorreu pela primeira às {time} e apareceu {counter} vezes", + "no_errors": "Nenhum erro foi reportado.", + "no_issues": "Não há novos problemas!", + "refresh": "Atualizar", + "title": "Logs" + }, + "mqtt": { + "description_listen": "Ouvir um tópico", + "description_publish": "Publicar um pacote", + "listening_to": "Ouvindo", + "message_received": "Mensagem {id} recebida em {topic} às {time}:", + "payload": "Valor (template permitido)", + "publish": "Publicar", + "start_listening": "Começar a ouvir", + "stop_listening": "Parar de ouvir", + "subscribe_to": "Evento para se inscrever", + "title": "", + "topic": "tópico" + }, + "services": { + "alert_parsing_yaml": "Erro ao analisar o YAML: {data}", + "call_service": "Iniciar Serviço", + "column_description": "Descrição", + "column_example": "Exemplo", + "column_parameter": "Parâmetro", + "data": "Dados de serviço (YAML, opcional)", + "description": "A ferramenta do desenvolvedor de serviço permite inciar qualquer serviço disponível no Home Assistant.", + "fill_example_data": "Preencher dados de exemplo", + "no_description": "Nenhuma descrição está disponível", + "no_parameters": "Este serviço não possui parâmetros.", + "select_service": "Selecione um serviço para ver a descrição", + "title": "Serviços" + }, + "states": { + "alert_entity_field": "Entidade é um campo obrigatório", + "attributes": "Atributos", + "current_entities": "Entidades atuais", + "description1": "Definir a representação de um dispositivo no Home Assistant.", + "description2": "Isso não se comunicará com o dispositivo atual.", + "entity": "Entidade", + "filter_attributes": "Filtro de atributos", + "filter_entities": "Filtro de entidades", + "filter_states": "Filtro de estados", + "more_info": "Mais informações", + "no_entities": "Nenhuma entidade", + "set_state": "Definir Estado", + "state": "Estado", + "state_attributes": "Atributos de estado (YAML, opcional)", + "title": "Estado" + }, + "templates": { + "description": "Os templates são renderizados usando o Jinja2 com algumas extensões específicas do Home Assistant.", + "editor": "Editor de templates", + "jinja_documentation": "Documentação do template Jinja2", + "template_extensions": "Extensões de template do Home Assistant", + "title": "Modelo", + "unknown_error_template": "Erro desconhecido ao renderizar template" } - }, - "integration": { - "intro": "Dispositivos e serviços são representados no Home Assistant como integrações. Você pode configurá-los agora ou fazê-lo mais tarde na tela de configuração.", - "more_integrations": "Mais", - "finish": "Terminar" - }, - "core-config": { - "intro": "Olá {name}, seja bem-vindo ao Home Assistant. Como você gostaria de nomear sua casa?", - "intro_location": "Nós gostaríamos de saber onde você mora. Essa informação ajudará na exibição de informações e na configuração de automações baseadas no sol. Esses dados nunca são compartilhados fora da sua rede.", - "intro_location_detect": "Podemos ajudá-lo a preencher essas informações fazendo uma solicitação única para um serviço externo.", - "location_name_default": "Casa", - "button_detect": "Detectar", - "finish": "Próximo" } }, + "history": { + "period": "Período", + "showing_entries": "Exibindo entradas para" + }, + "logbook": { + "period": "Período", + "showing_entries": "Exibindo entradas para" + }, "lovelace": { "cards": { - "shopping-list": { - "checked_items": "Itens marcados", - "clear_items": "Limpar itens marcados", - "add_item": "Adicionar item" - }, + "confirm_delete": "Tem certeza de que deseja excluir este cartão?", "empty_state": { - "title": "Bem-vindo a casa", + "go_to_integrations_page": "Vá para a página de integrações.", "no_devices": "Esta página permite que você controle seus dispositivos, no entanto, parece que você ainda não tem dispositivos configurados. Vá até a página de integrações para começar.", - "go_to_integrations_page": "Vá para a página de integrações." + "title": "Bem-vindo a casa" }, "picture-elements": { - "hold": "Aguarde:", - "tap": "Toque:", - "navigate_to": "Navegue até {location}", - "toggle": "Alternar {name}", "call_service": "Iniciar Serviço {name}", + "hold": "Aguarde:", "more_info": "Mostrar mais informações: {name}", + "navigate_to": "Navegue até {location}", + "tap": "Toque:", + "toggle": "Alternar {name}", "url": "Abrir janela para {url_path}" }, - "confirm_delete": "Tem certeza de que deseja excluir este cartão?" + "shopping-list": { + "add_item": "Adicionar item", + "checked_items": "Itens marcados", + "clear_items": "Limpar itens marcados" + } + }, + "changed_toast": { + "message": "A configuração do Lovelace foi atualizada, você gostaria de recarregar?", + "refresh": "Atualizar" }, "editor": { - "edit_card": { - "header": "Configuração de cartão", - "save": "Salvar", - "toggle_editor": "Alternar Editor", - "pick_card": "Escolha o cartão que você deseja adicionar.", - "add": "Adicionar Cartão", - "edit": "Editar", - "delete": "Excluir", - "move": "Mover", - "show_visual_editor": "Mostrar Editor Visual", - "show_code_editor": "Mostrar Editor de Código", - "pick_card_view_title": "Qual cartão você gostaria de adicionar à sua visualização {name} ?", - "options": "Mais opções" - }, - "migrate": { - "header": "Configuração Incompatível", - "para_no_id": "Este elemento não possui um ID. Por favor adicione um ID a este elemento em 'ui-lovelace.yaml'.", - "para_migrate": "O Home Assistant pode adicionar IDs a todos os seus cards e visualizações automaticamente clicando no botão 'Migrar config'.", - "migrate": "Migrar configuração" - }, - "header": "Editar “interface” do usuário", - "edit_view": { - "header": "Configurações", - "add": "Editar visualização", - "edit": "Editar visualização", - "delete": "Excluir visualização", - "header_name": "Ver Configuração de {nome}" - }, - "save_config": { - "header": "Assuma o controle da sua interface do Lovelace", - "para": "Por padrão, o Home Assistant manterá sua interface de usuário, atualizando-a quando novas entidades ou componentes do Lovelace estiverem disponíveis. Se você assumir o controle, não faremos mais alterações automaticamente para você.", - "para_sure": "Tem certeza de que deseja assumir o controle da sua interface de usuário?", - "cancel": "Esquecer", - "save": "Assuma o controle" - }, - "menu": { - "raw_editor": "Editor de configuração RAW", - "open": "Abra o menu Lovelace" - }, - "raw_editor": { - "header": "Editar Configuração", - "save": "Salvar", - "unsaved_changes": "Alterações não salvas", - "saved": "Salvo" - }, - "edit_lovelace": { - "header": "Título da sua interface do Lovelace", - "explanation": "Este título é mostrado acima de todas as suas visualizações no Lovelace." - }, "card": { "alarm_panel": { "available_states": "Estados Disponíveis" }, + "alarm-panel": { + "available_states": "Estados Disponíveis", + "name": "Painel de Alarme" + }, + "conditional": { + "name": "Condicional" + }, "config": { - "required": "Obrigatório", - "optional": "Opcional" + "optional": "Opcional", + "required": "Obrigatório" + }, + "entities": { + "name": "Entidades" + }, + "entity-button": { + "name": "Entidade Botão" + }, + "entity-filter": { + "name": "Entidade Filtro" }, "gauge": { "severity": { @@ -1444,9 +1544,6 @@ "yellow": "Amarelo" } }, - "glance": { - "columns": "Colunas" - }, "generic": { "camera_image": "Entidade da câmera", "camera_view": "Vista da câmera", @@ -1463,42 +1560,13 @@ "show_icon": "Mostrar Icone?", "show_name": "Mostrar nome?", "show_state": "Mostrar Estado?", - "title": "Título", "theme": "Tema", + "title": "Título", "unit": "Unidade", "url": "URL" }, - "map": { - "geo_location_sources": "Fontes de geolocalização", - "dark_mode": "Modo escuro?", - "default_zoom": "Zoom padrão", - "source": "Origem", - "name": "Mapa" - }, - "markdown": { - "content": "Conteúdo", - "name": "Markdown" - }, - "sensor": { - "graph_detail": "Detalhe do gráfico", - "graph_type": "Tipo de gráfico", - "name": "Sensor" - }, - "alarm-panel": { - "name": "Painel de Alarme", - "available_states": "Estados Disponíveis" - }, - "conditional": { - "name": "Condicional" - }, - "entities": { - "name": "Entidades" - }, - "entity-button": { - "name": "Entidade Botão" - }, - "entity-filter": { - "name": "Entidade Filtro" + "glance": { + "columns": "Colunas" }, "history-graph": { "name": "Gráfico de histórico" @@ -1509,21 +1577,37 @@ "light": { "name": "Luz" }, + "map": { + "dark_mode": "Modo escuro?", + "default_zoom": "Zoom padrão", + "geo_location_sources": "Fontes de geolocalização", + "name": "Mapa", + "source": "Origem" + }, + "markdown": { + "content": "Conteúdo", + "name": "Markdown" + }, "media-control": { "name": "Controle de Mídia" }, - "picture": { - "name": "Imagem" - }, "picture-elements": { "name": "Elementos de Imagem" }, "picture-entity": { "name": "Entidade Imagem" }, + "picture": { + "name": "Imagem" + }, "plant-status": { "name": "Estado da planta" }, + "sensor": { + "graph_detail": "Detalhe do gráfico", + "graph_type": "Tipo de gráfico", + "name": "Sensor" + }, "shopping-list": { "name": "Lista de compras" }, @@ -1534,430 +1618,346 @@ "name": "Previsão do Tempo" } }, + "edit_card": { + "add": "Adicionar Cartão", + "delete": "Excluir", + "edit": "Editar", + "header": "Configuração de cartão", + "move": "Mover", + "options": "Mais opções", + "pick_card": "Escolha o cartão que você deseja adicionar.", + "pick_card_view_title": "Qual cartão você gostaria de adicionar à sua visualização {name} ?", + "save": "Salvar", + "show_code_editor": "Mostrar Editor de Código", + "show_visual_editor": "Mostrar Editor Visual", + "toggle_editor": "Alternar Editor" + }, + "edit_lovelace": { + "explanation": "Este título é mostrado acima de todas as suas visualizações no Lovelace.", + "header": "Título da sua interface do Lovelace" + }, + "edit_view": { + "add": "Editar visualização", + "delete": "Excluir visualização", + "edit": "Editar visualização", + "header": "Configurações", + "header_name": "Ver Configuração de {nome}" + }, + "header": "Editar “interface” do usuário", + "menu": { + "open": "Abra o menu Lovelace", + "raw_editor": "Editor de configuração RAW" + }, + "migrate": { + "header": "Configuração Incompatível", + "migrate": "Migrar configuração", + "para_migrate": "O Home Assistant pode adicionar IDs a todos os seus cards e visualizações automaticamente clicando no botão 'Migrar config'.", + "para_no_id": "Este elemento não possui um ID. Por favor adicione um ID a este elemento em 'ui-lovelace.yaml'." + }, + "raw_editor": { + "header": "Editar Configuração", + "save": "Salvar", + "saved": "Salvo", + "unsaved_changes": "Alterações não salvas" + }, + "save_config": { + "cancel": "Esquecer", + "header": "Assuma o controle da sua interface do Lovelace", + "para": "Por padrão, o Home Assistant manterá sua interface de usuário, atualizando-a quando novas entidades ou componentes do Lovelace estiverem disponíveis. Se você assumir o controle, não faremos mais alterações automaticamente para você.", + "para_sure": "Tem certeza de que deseja assumir o controle da sua interface de usuário?", + "save": "Assuma o controle" + }, "view": { "panel_mode": { - "title": "Modo Painel?", - "description": "Isso renderiza o primeiro cartão em largura total; outros cartões nesta visualização não serão renderizados." + "description": "Isso renderiza o primeiro cartão em largura total; outros cartões nesta visualização não serão renderizados.", + "title": "Modo Painel?" } } }, "menu": { "configure_ui": "Configurar “interface” do usuário", - "unused_entities": "Entidades não utilizadas", "help": "Ajuda", - "refresh": "Atualizar" - }, - "warning": { - "entity_not_found": "Entidade não disponível: {entity}", - "entity_non_numeric": "Entidade não é numérica: {entity}" - }, - "changed_toast": { - "message": "A configuração do Lovelace foi atualizada, você gostaria de recarregar?", - "refresh": "Atualizar" + "refresh": "Atualizar", + "unused_entities": "Entidades não utilizadas" }, "reload_lovelace": "Recarregar Lovelace", "views": { "confirm_delete": "Tem certeza de que deseja excluir esta visualização?", "existing_cards": "Você não pode excluir uma exibição que contenha cartões. Remova os cartões primeiro." + }, + "warning": { + "entity_non_numeric": "Entidade não é numérica: {entity}", + "entity_not_found": "Entidade não disponível: {entity}" } }, + "mailbox": { + "delete_button": "Excluir", + "delete_prompt": "Excluir esta mensagem?", + "empty": "Você não tem mensagens", + "playback_title": "Reprodução da mensagem" + }, + "page-authorize": { + "abort_intro": "Login cancelado", + "authorizing_client": "Você está prestes a dar acesso pra {clientId} à sua instância do Home Assistant.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Sessão expirada, por favor fazer o login novamente." + }, + "error": { + "invalid_auth": "Usuário ou senha inválidos", + "invalid_code": "Código de autenticação inválido" + }, + "step": { + "init": { + "data": { + "password": "Senha", + "username": "Usuário" + } + }, + "mfa": { + "data": { + "code": "Duplo fator de Autenticação" + }, + "description": "Abra o ** {mfa_module_name} ** no seu dispositivo para ver seu código de autenticação de dois fatores e confirmar sua identidade:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Sessão expirada, por favor fazer o login novamente." + }, + "error": { + "invalid_auth": "Usuário ou senha inválidos", + "invalid_code": "Código de autenticação inválido" + }, + "step": { + "init": { + "data": { + "password": "Senha", + "username": "Usuário" + } + }, + "mfa": { + "data": { + "code": "Código de autenticação de dois fatores" + }, + "description": "Abra o ** {mfa_module_name} ** no seu dispositivo para ver seu código de autenticação de dois fatores e confirmar sua identidade:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Sessão expirada, por favor fazer o login novamente.", + "no_api_password_set": "Você não tem uma senha de API configurada." + }, + "error": { + "invalid_auth": "Senha de API inválida", + "invalid_code": "Código de autenticação inválido" + }, + "step": { + "init": { + "data": { + "password": "Senha de API" + }, + "description": "Por favor insira a senha da API em sua configuração http:" + }, + "mfa": { + "data": { + "code": "Código de autenticação de dois fatores" + }, + "description": "Abra o ** {mfa_module_name} ** no seu dispositivo para ver seu código de autenticação de dois fatores e confirmar sua identidade:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Seu computador não está na lista de permissões." + }, + "step": { + "init": { + "data": { + "user": "Usuário" + }, + "description": "Por favor, selecione o usuário que você quer fazer o login como:" + } + } + } + }, + "unknown_error": "Alguma coisa saiu errada", + "working": "Aguarde" + }, + "initializing": "Iniciando", + "logging_in_with": "Fazendo login com **{authProviderName}**.", + "pick_auth_provider": "Ou entre com" + }, "page-demo": { "cards": { "demo": { "demo_by": "por {name}", - "next_demo": "Próxima demonstração", "introduction": "Bem-vindo! Você chegou no demo do Home Assistant onde mostramos as melhores UIs criados por nossa comunidade.", - "learn_more": "Saiba mais sobre o Home Assistant" + "learn_more": "Saiba mais sobre o Home Assistant", + "next_demo": "Próxima demonstração" } }, "config": { "arsaboo": { - "names": { - "upstairs": "Andar de cima", - "family_room": "Quarto da Família", - "kitchen": "Cozinha", - "patio": "Pátio", - "hallway": "Corredor", - "master_bedroom": "Quarto principal", - "left": "Esquerda", - "right": "Direita", - "mirror": "Espelho", - "temperature_study": "Estudo da temperatura" - }, "labels": { - "lights": "Luzes", - "information": "Informação", - "morning_commute": "Indo para o Trabalho", + "activity": "Atividade", + "air": "Ar", "commute_home": "Indo para Casa", "entertainment": "Entretenimento", - "activity": "Atividade", "hdmi_input": "Entrada HDMI", "hdmi_switcher": "Comutador HDMI", - "volume": "Volume", + "information": "Informação", + "lights": "Luzes", + "morning_commute": "Indo para o Trabalho", "total_tv_time": "Tempo total de TV", "turn_tv_off": "Desligar televisão", - "air": "Ar" + "volume": "Volume" + }, + "names": { + "family_room": "Quarto da Família", + "hallway": "Corredor", + "kitchen": "Cozinha", + "left": "Esquerda", + "master_bedroom": "Quarto principal", + "mirror": "Espelho", + "patio": "Pátio", + "right": "Direita", + "temperature_study": "Estudo da temperatura", + "upstairs": "Andar de cima" }, "unit": { - "watching": "assistindo", - "minutes_abbr": "min" + "minutes_abbr": "min", + "watching": "assistindo" } } } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Detectar", + "finish": "Próximo", + "intro": "Olá {name}, seja bem-vindo ao Home Assistant. Como você gostaria de nomear sua casa?", + "intro_location": "Nós gostaríamos de saber onde você mora. Essa informação ajudará na exibição de informações e na configuração de automações baseadas no sol. Esses dados nunca são compartilhados fora da sua rede.", + "intro_location_detect": "Podemos ajudá-lo a preencher essas informações fazendo uma solicitação única para um serviço externo.", + "location_name_default": "Casa" + }, + "integration": { + "finish": "Terminar", + "intro": "Dispositivos e serviços são representados no Home Assistant como integrações. Você pode configurá-los agora ou fazê-lo mais tarde na tela de configuração.", + "more_integrations": "Mais" + }, + "intro": "Você está pronto para despertar sua casa, recuperar sua privacidade e se juntar a uma comunidade mundial de consertadores?", + "user": { + "create_account": "Criar Conta", + "data": { + "name": "Nome", + "password": "Senha", + "password_confirm": "Confirme a Senha", + "username": "Usuário" + }, + "error": { + "password_not_match": "As senhas não coincidem", + "required_fields": "Preencha todos os campos obrigatórios" + }, + "intro": "Vamos começar criando uma conta de usuário.", + "required_field": "Obrigatório" + } + }, + "profile": { + "advanced_mode": { + "description": "O Home Assistant oculta os recursos e opções avançados por padrão. Você pode tornar esses recursos acessíveis marcando essa opção. Essa é uma configuração específica do usuário e não afeta outros usuários usando o Home Assistant.", + "title": "Modo Avançado" + }, + "change_password": { + "confirm_new_password": "Confirme a nova senha", + "current_password": "Senha atual", + "error_required": "Obrigatório", + "header": "Alterar senha", + "new_password": "Nova Senha", + "submit": "Enviar" + }, + "current_user": "Você está logado como {fullName}.", + "force_narrow": { + "description": "Isto irá ocultar a barra lateral por padrão, semelhante à experiência móvel.", + "header": "Sempre ocultar a barra lateral" + }, + "is_owner": "Você é um proprietário.", + "language": { + "dropdown_label": "Idioma", + "header": "Idioma", + "link_promo": "Ajude a traduzir" + }, + "logout": "Sair", + "long_lived_access_tokens": { + "confirm_delete": "Tem certeza de que deseja excluir o token de acesso para {name} ?", + "create": "Criar token", + "create_failed": "Falha ao criar o token de acesso.", + "created_at": "Criado em {date}", + "delete_failed": "Falha ao excluir o token de acesso.", + "description": "Crie tokens de acesso de longa duração para permitir que seus scripts interajam com sua instância do Home Assistant. Cada token será válido por 10 anos a partir da criação. Os seguintes tokens de acesso de longa duração estão atualmente ativos.", + "empty_state": "Você ainda não tem tokens de acesso de longa duração.", + "header": "Tokens de acesso de longa duração", + "last_used": "Usado pela última vez em {date} em {location}", + "learn_auth_requests": "Aprenda como fazer solicitações autenticadas.", + "not_used": "Nunca foi usado", + "prompt_copy_token": "Copie seu token de acesso. Ele não será mostrado novamente.", + "prompt_name": "Nome?" + }, + "mfa_setup": { + "close": "Fechar", + "step_done": "Configuração feita para {step}", + "submit": "Enviar", + "title_aborted": "Abortado", + "title_success": "Sucesso!" + }, + "mfa": { + "confirm_disable": "Tem certeza de que deseja desativar {name} ?", + "disable": "Desabilitar", + "enable": "Habilitar", + "header": "Módulos de Autenticação Multifator" + }, + "push_notifications": { + "description": "Envie notificações para este dispositivo.", + "error_load_platform": "Configure o notify.html5.", + "error_use_https": "Requer SSL habilitado para o frontend.", + "header": "Notificações push", + "link_promo": "Saiba mais", + "push_notifications": "Notificações push" + }, + "refresh_tokens": { + "confirm_delete": "Tem certeza de que deseja excluir o token de acesso para {name} ?", + "created_at": "Criado em {date}", + "current_token_tooltip": "Não é possível excluir o token de atualização atual", + "delete_failed": "Falha ao excluir o token de acesso.", + "description": "Cada token de atualização representa uma sessão de login. Os tokens de atualização serão removidos automaticamente quando você clicar em efetuar logout. Os tokens de atualização a seguir estão ativos na sua conta no momento.", + "header": "Atualizar tokens", + "last_used": "Usado pela última vez em {date} em {location}", + "not_used": "Nunca foi usado", + "token_title": "Atualizar o token para {clientId}" + }, + "themes": { + "dropdown_label": "Tema", + "error_no_theme": "Não há temas disponíveis.", + "header": "Tema", + "link_promo": "Aprenda sobre temas" + }, + "vibrate": { + "header": "Vibrar" + } + }, + "shopping-list": { + "add_item": "Adicionar item", + "clear_completed": "Limpar completos", + "microphone_tip": "Clique no microfone no canto superior direito e diga \"Adicionar doces à minha lista de compras\"" } }, "sidebar": { - "log_out": "Terminar sessão", - "external_app_configuration": "Configuração do aplicativo" - }, - "common": { - "loading": "Carregando", - "cancel": "Cancelar", - "save": "Salvar", - "successfully_saved": "Salvo com sucesso" - }, - "duration": { - "day": "{count} {count, plural,\none {day}\nother {days}\n}", - "week": "{count} {count, plural,\none {semana}\nother {semanas}\n}", - "second": "{count} {count, plural,\none {second}\nother {seconds}\n}", - "minute": "{count} {count, plural,\none {minuto}\nother {minutos}\n}", - "hour": "{count} {count, plural,\none {hora}\nother {horas}\n}" - }, - "login-form": { - "password": "Senha", - "remember": "Lembrar", - "log_in": "Entrar" - }, - "card": { - "camera": { - "not_available": "Imagem indisponível" - }, - "persistent_notification": { - "dismiss": "Dispensar" - }, - "scene": { - "activate": "Ativar" - }, - "script": { - "execute": "Executar" - }, - "weather": { - "attributes": { - "air_pressure": "Pressão do ar", - "humidity": "Umidade", - "temperature": "Temperatura", - "visibility": "Visibilidade", - "wind_speed": "Velocidade do vento" - }, - "cardinal_direction": { - "e": "E", - "ene": "ENE", - "ese": "ESE", - "n": "N", - "ne": "NE", - "nne": "NNE", - "nw": "NO", - "nnw": "NNO", - "s": "S", - "se": "SE", - "sse": "SSE", - "ssw": "SSO", - "sw": "SO", - "w": "O", - "wnw": "ONO", - "wsw": "OSO" - }, - "forecast": "Previsão" - }, - "alarm_control_panel": { - "code": "Código", - "clear_code": "Limpar", - "disarm": "Desarmar", - "arm_home": "Armar em casa", - "arm_away": "Armar ausente", - "arm_night": "Acionamento noturno", - "armed_custom_bypass": "Atalho personalizado", - "arm_custom_bypass": "Bypass personalizado" - }, - "automation": { - "last_triggered": "Último disparo", - "trigger": "Gatilho" - }, - "cover": { - "position": "Posição", - "tilt_position": "Posição de inclinação" - }, - "fan": { - "speed": "Velocidade", - "oscillate": "Oscilar", - "direction": "Direção", - "forward": "Frente", - "reverse": "Reverter" - }, - "light": { - "brightness": "Brilho", - "color_temperature": "Temperatura de cor", - "white_value": "Balanço de branco", - "effect": "Efeito" - }, - "media_player": { - "text_to_speak": "Texto para falar", - "source": "Fonte", - "sound_mode": "Modo de som" - }, - "climate": { - "currently": "Atualmente", - "on_off": "Lig. \/ Des.", - "target_temperature": "Temperatura desejada", - "target_humidity": "Umidade desejada", - "operation": "Operação", - "fan_mode": "Modo ventilação", - "swing_mode": "Modo oscilante", - "away_mode": "Modo ausente", - "aux_heat": "Aquecedor aux", - "preset_mode": "Predefinir", - "target_temperature_entity": "Temperatura desejada", - "target_temperature_mode": "Temperatura desejada", - "current_temperature": "Temperatura atual {name}", - "heating": "Aquecendo {name}", - "cooling": "Resfriando {name}", - "high": "quente", - "low": "frio" - }, - "lock": { - "code": "Código", - "lock": "Trancar", - "unlock": "Destrancar" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Continuar limpeza", - "return_to_base": "Retornar a base", - "start_cleaning": "Iniciar limpeza", - "turn_on": "Ligar", - "turn_off": "Desligar" - } - }, - "water_heater": { - "currently": "Atualmente", - "on_off": "Lig. \/ Des.", - "target_temperature": "Temperatura alvo", - "operation": "Operação", - "away_mode": "Modo ausente" - }, - "timer": { - "actions": { - "start": "Iniciar", - "pause": "pausar", - "cancel": "cancelar", - "finish": "terminar" - } - }, - "counter": { - "actions": { - "increment": "incrementar", - "decrement": "decrementar", - "reset": "redefinir" - } - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "Entidade", - "clear": "Limpar", - "show_entities": "Mostrar entidades" - } - }, - "service-picker": { - "service": "Serviço" - }, - "relative_time": { - "past": "{time} atrás", - "future": "Em {time}", - "never": "Nunca", - "duration": { - "second": "{count} {count, plural,\n one {segundo}\n other {segundos}\n}", - "minute": "{count} {count, plural,\n one {minuto}\n other {minutos}\n}", - "hour": "{count} {count, plural,\n one {hora}\n other {horas}\n}", - "day": "{count} {count, plural,\n one {dia}\n other {dias}\n}", - "week": "{count} {count, plural,\n one {semana}\n other {semanas}\n}" - } - }, - "history_charts": { - "loading_history": "Carregando histórico do estado ...", - "no_history_found": "Histórico de estado não encontrado." - }, - "device-picker": { - "clear": "Limpar", - "show_devices": "Mostrar dispositivos" - } - }, - "notification_toast": { - "entity_turned_on": "{entity} ligado(a).", - "entity_turned_off": "Desativado {entity}", - "service_called": "Serviço {service} chamado.", - "service_call_failed": "Falha ao chamar o serviço {service}.", - "connection_lost": "Conexão perdida. Reconectando…" - }, - "dialogs": { - "more_info_settings": { - "save": "Salvar", - "name": "Substituição de nome", - "entity_id": "ID da entidade" - }, - "more_info_control": { - "script": { - "last_action": "Última Ação" - }, - "sun": { - "elevation": "Elevação", - "rising": "Nascendo", - "setting": "Se pondo" - }, - "updater": { - "title": "Atualizar Instruções" - } - }, - "options_flow": { - "form": { - "header": "Opções" - }, - "success": { - "description": "Opções salvas com sucesso." - } - }, - "config_entry_system_options": { - "title": "Opções do sistema", - "enable_new_entities_label": "Habilitar entidades recém-adicionadas.", - "enable_new_entities_description": "Se desativadas, as entidades recém-descobertas não serão automaticamente adicionadas ao Home Assistant." - }, - "zha_device_info": { - "manuf": "por {manufacturer}", - "no_area": "Sem área", - "services": { - "reconfigure": "Reconfigure o dispositivo ZHA (curar dispositivo). Use isto se você estiver tendo problemas com o dispositivo. Se o dispositivo em questão for um dispositivo alimentado por bateria, certifique-se de que ele esteja ativo e aceitando comandos ao usar esse serviço.", - "updateDeviceName": "Definir um nome personalizado para este dispositivo no registro de dispositivos.", - "remove": "Remova um dispositivo da rede Zigbee." - }, - "zha_device_card": { - "device_name_placeholder": "Nome", - "area_picker_label": "Área", - "update_name_button": "Atualizar Nome" - }, - "buttons": { - "add": "Adicionar Dispositivos", - "reconfigure": "Reconfigurar O Dispositivo" - }, - "last_seen": "Visto pela última vez", - "power_source": "Fonte de energia", - "unknown": "Desconhecido" - }, - "confirmation": { - "cancel": "Cancelar", - "ok": "OK", - "title": "Você tem certeza?" - } - }, - "auth_store": { - "ask": "Você quer salvar este login?", - "decline": "Não, obrigado", - "confirm": "Salvar login" - }, - "notification_drawer": { - "click_to_configure": "Clique no botão para configurar {entity}", - "empty": "Sem notificações", - "title": "Notificações" - } - }, - "domain": { - "alarm_control_panel": "Painel de controle do alarme", - "automation": "Automação", - "binary_sensor": "Sensor binário", - "calendar": "Calendário", - "camera": "Câmera", - "climate": "Clima", - "configurator": "Configurador", - "conversation": "Conversação", - "cover": "Cobertura", - "device_tracker": "Rastreador de dispositivo", - "fan": "Ventilador", - "history_graph": "Gráfico de histórico", - "group": "Grupo", - "image_processing": "Processamento de imagem", - "input_boolean": "Entrada booleana", - "input_datetime": "Entrada de data e hora", - "input_select": "Entrada de seleção", - "input_number": "Entrada numérica", - "input_text": "Entrada de texto", - "light": "Luz", - "lock": "Trancar", - "mailbox": "Caixa de correio", - "media_player": "Media player", - "notify": "Notificar", - "plant": "Planta", - "proximity": "Proximidade", - "remote": "Remoto", - "scene": "Cena", - "script": "Script", - "sensor": "Sensor", - "sun": "Sol", - "switch": "Interruptor", - "updater": "Atualizador", - "weblink": "Weblink", - "zwave": "", - "vacuum": "Aspirando", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Integridade Do Sistema", - "person": "Pessoa" - }, - "attribute": { - "weather": { - "humidity": "Umidade", - "visibility": "Visibilidade", - "wind_speed": "Velocidade do vento" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Desligado", - "on": "Ligado", - "auto": "Auto" - }, - "preset_mode": { - "none": "Nenhum", - "eco": "Eco", - "away": "Ausente", - "boost": "Impulsionar", - "comfort": "Conforto", - "home": "Home", - "sleep": "Suspender", - "activity": "Atividade" - }, - "hvac_action": { - "off": "Desligado", - "heating": "Aquecimento", - "cooling": "Resfriamento", - "drying": "Secagem", - "idle": "Oscioso", - "fan": "Ventilador" - } - } - }, - "groups": { - "system-admin": "Administradores", - "system-users": "Usuários", - "system-read-only": "Usuários somente leitura" - }, - "config_entry": { - "disabled_by": { - "user": "Usuário", - "integration": "Integração", - "config_entry": "Entrada de configuração" + "external_app_configuration": "Configuração do aplicativo", + "log_out": "Terminar sessão" } } } \ No newline at end of file diff --git a/translations/pt.json b/translations/pt.json index 7785d74691..d0dcfafc13 100644 --- a/translations/pt.json +++ b/translations/pt.json @@ -1,53 +1,193 @@ { - "panel": { - "config": "Configuração", - "states": "Visão Geral", - "map": "Mapa", - "logbook": "Eventos", - "history": "Histórico", + "attribute": { + "weather": { + "humidity": "Humidade", + "visibility": "Visibilidade", + "wind_speed": "Vel. do vento" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Editar configuração", + "integration": "Integração", + "user": "Utilizador" + } + }, + "domain": { + "alarm_control_panel": "Painel de controlo do alarme", + "automation": "Automação", + "binary_sensor": "Sensor binário", + "calendar": "Calendário", + "camera": "Câmara", + "climate": "Climatização", + "configurator": "Configurador", + "conversation": "Conversa", + "cover": "Cobertura", + "device_tracker": "Monitorizador de dispositivos", + "fan": "Ventoínha", + "group": "Grupo", + "hassio": "Hass.io", + "history_graph": "Gráfico de histórico", + "homeassistant": "Home Assistant", + "image_processing": "Processamento de imagem", + "input_boolean": "Introduzir booleano", + "input_datetime": "Introduzir data\/hora", + "input_number": "Introduzir número", + "input_select": "Escolher", + "input_text": "Introduzir texto", + "light": "Iluminação", + "lock": "Fechadura", + "lovelace": "Lovelace", "mailbox": "Caixa de correio", - "shopping_list": "Lista de compras", + "media_player": "Leitor multimédia", + "notify": "Notificar", + "person": "Pessoa", + "plant": "Planta", + "proximity": "Proximidade", + "remote": "Remoto", + "scene": "Cena", + "script": "Script", + "sensor": "Sensor", + "sun": "Sol", + "switch": "Interruptor", + "system_health": "Integridade do Sistema", + "updater": "Atualizador", + "vacuum": "Aspiração", + "weblink": "Weblink", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Administradores", + "system-read-only": "Utilizadores só com permissões de leitura", + "system-users": "Utilizadores" + }, + "panel": { + "calendar": "Calendário", + "config": "Configuração", "dev-info": "Informações", "developer_tools": "Ferramentas de programação", - "calendar": "Calendário", - "profile": "Perfil" + "history": "Histórico", + "logbook": "Eventos", + "mailbox": "Caixa de correio", + "map": "Mapa", + "profile": "Perfil", + "shopping_list": "Lista de compras", + "states": "Visão Geral" }, - "state": { - "default": { - "off": "Desligado", - "on": "Ligado", - "unknown": "Desconhecido", - "unavailable": "Indisponível" - }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Automático", + "off": "Desligar", + "on": "Ligar" + }, + "hvac_action": { + "cooling": "Resfriar", + "drying": "Secagem", + "fan": "Ventoinha", + "heating": "Aquecimento", + "idle": "Em espera", + "off": "Desligado" + }, + "preset_mode": { + "activity": "Atividade", + "away": "Ausente", + "boost": "Impulso", + "comfort": "Conforto", + "eco": "Eco", + "home": "Início", + "none": "Nenhum", + "sleep": "Dormir" + } + } + }, + "state_badge": { "alarm_control_panel": { "armed": "Armado", - "disarmed": "Desarmado", - "armed_home": "Armado Casa", - "armed_away": "Armado ausente", - "armed_night": "Armado noite", - "pending": "Pendente", + "armed_away": "Armado", + "armed_custom_bypass": "Armado", + "armed_home": "Armado", + "armed_night": "Armado", "arming": "A armar", + "disarmed": "Desarm", + "disarming": "Desarmar", + "pending": "Pend", + "triggered": "Disp" + }, + "default": { + "entity_not_found": "Entidade não encontrada", + "error": "Erro", + "unavailable": "Indisp", + "unknown": "Desc" + }, + "device_tracker": { + "home": "Casa", + "not_home": "Fora" + }, + "person": { + "home": "Casa", + "not_home": "Ausente" + } + }, + "state": { + "alarm_control_panel": { + "armed": "Armado", + "armed_away": "Armado ausente", + "armed_custom_bypass": "Armado com desvio personalizado", + "armed_home": "Armado Casa", + "armed_night": "Armado noite", + "arming": "A armar", + "disarmed": "Desarmado", "disarming": "A desarmar", - "triggered": "Disparado", - "armed_custom_bypass": "Armado com desvio personalizado" + "pending": "Pendente", + "triggered": "Disparado" }, "automation": { "off": "Desligado", "on": "Ligado" }, "binary_sensor": { + "battery": { + "off": "Normal", + "on": "Baixo" + }, + "cold": { + "off": "Normal", + "on": "Frio" + }, + "connectivity": { + "off": "Desligado", + "on": "Ligado" + }, "default": { "off": "Desligado", "on": "Ligado" }, - "moisture": { - "off": "Seco", - "on": "Húmido" + "door": { + "off": "Fechada", + "on": "Aberta" + }, + "garage_door": { + "off": "Fechada", + "on": "Aberta" }, "gas": { "off": "Limpo", "on": "Detectado" }, + "heat": { + "off": "Normal", + "on": "Quente" + }, + "lock": { + "off": "Trancada", + "on": "Destrancada" + }, + "moisture": { + "off": "Seco", + "on": "Húmido" + }, "motion": { "off": "Limpo", "on": "Detectado" @@ -56,6 +196,22 @@ "off": "Limpo", "on": "Detectado" }, + "opening": { + "off": "Fechado", + "on": "Aberto" + }, + "presence": { + "off": "Fora", + "on": "Casa" + }, + "problem": { + "off": "OK", + "on": "Problema" + }, + "safety": { + "off": "Seguro", + "on": "Inseguro" + }, "smoke": { "off": "Limpo", "on": "Detectado" @@ -68,53 +224,9 @@ "off": "Limpo", "on": "Detectada" }, - "opening": { - "off": "Fechado", - "on": "Aberto" - }, - "safety": { - "off": "Seguro", - "on": "Inseguro" - }, - "presence": { - "off": "Fora", - "on": "Casa" - }, - "battery": { - "off": "Normal", - "on": "Baixo" - }, - "problem": { - "off": "OK", - "on": "Problema" - }, - "connectivity": { - "off": "Desligado", - "on": "Ligado" - }, - "cold": { - "off": "Normal", - "on": "Frio" - }, - "door": { - "off": "Fechada", - "on": "Aberta" - }, - "garage_door": { - "off": "Fechada", - "on": "Aberta" - }, - "heat": { - "off": "Normal", - "on": "Quente" - }, "window": { "off": "Fechada", "on": "Aberta" - }, - "lock": { - "off": "Trancada", - "on": "Destrancada" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "Ligado" }, "camera": { + "idle": "Em espera", "recording": "A gravar", - "streaming": "A enviar", - "idle": "Em espera" + "streaming": "A enviar" }, "climate": { - "off": "Desligado", - "on": "Ligado", - "heat": "Quente", - "cool": "Frio", - "idle": "Em espera", "auto": "Auto", + "cool": "Frio", "dry": "Desumidificar", - "fan_only": "Apenas ventilar", "eco": "Eco", "electric": "Elétrico", - "performance": "Desempenho", - "high_demand": "Necessidade alta", - "heat_pump": "Bomba de calor", + "fan_only": "Apenas ventilar", "gas": "Gás", + "heat": "Quente", + "heat_cool": "Calor \/ Frio", + "heat_pump": "Bomba de calor", + "high_demand": "Necessidade alta", + "idle": "Em espera", "manual": "Manual", - "heat_cool": "Calor \/ Frio" + "off": "Desligado", + "on": "Ligado", + "performance": "Desempenho" }, "configurator": { "configure": "Configurar", "configured": "Configurado" }, "cover": { - "open": "Aberta", - "opening": "A abrir", "closed": "Fechada", "closing": "A fechar", + "open": "Aberta", + "opening": "A abrir", "stopped": "Parado" }, + "default": { + "off": "Desligado", + "on": "Ligado", + "unavailable": "Indisponível", + "unknown": "Desconhecido" + }, "device_tracker": { "home": "Casa", "not_home": "Fora" @@ -164,19 +282,19 @@ "on": "Ligado" }, "group": { - "off": "Desligado", - "on": "Ligado", - "home": "Casa", - "not_home": "Fora", - "open": "Aberta", - "opening": "A abrir", "closed": "Fechada", "closing": "A fechar", - "stopped": "Parado", + "home": "Casa", "locked": "Bloqueado", - "unlocked": "Desbloqueado", + "not_home": "Fora", + "off": "Desligado", "ok": "OK", - "problem": "Problema" + "on": "Ligado", + "open": "Aberta", + "opening": "A abrir", + "problem": "Problema", + "stopped": "Parado", + "unlocked": "Desbloqueado" }, "input_boolean": { "off": "Desligado", @@ -191,13 +309,17 @@ "unlocked": "Destrancada" }, "media_player": { + "idle": "Em espera", "off": "Desligado", "on": "Ligado", - "playing": "A reproduzir", "paused": "Em pausa", - "idle": "Em espera", + "playing": "A reproduzir", "standby": "Em espera" }, + "person": { + "home": "Casa", + "not_home": "Ausente" + }, "plant": { "ok": "OK", "problem": "Problema" @@ -225,34 +347,10 @@ "off": "Desligado", "on": "Ligado" }, - "zwave": { - "default": { - "initializing": "A inicializar", - "dead": "Morto", - "sleeping": "Adormecido", - "ready": "Pronto" - }, - "query_stage": { - "initializing": "A inicializar ({query_stage})", - "dead": "Morto ({query_stage})" - } - }, - "weather": { - "clear-night": "Limpo, Noite", - "cloudy": "Nublado", - "fog": "Nevoeiro", - "hail": "Granizo", - "lightning": "Relâmpago", - "lightning-rainy": "Relâmpagos, chuva", - "partlycloudy": "Parcialmente nublado", - "pouring": "Chuva forte", - "rainy": "Chuva", - "snowy": "Neve", - "snowy-rainy": "Neve, chuva", - "sunny": "Sol", - "windy": "Vento fraco", - "windy-variant": "Vento fraco", - "exceptional": "Excepcional" + "timer": { + "active": "ativo", + "idle": "Em espera", + "paused": "Em pausa" }, "vacuum": { "cleaning": "A limpar", @@ -264,1154 +362,99 @@ "paused": "Em pausa", "returning": "A regressar à doca" }, - "timer": { - "active": "ativo", - "idle": "Em espera", - "paused": "Em pausa" + "weather": { + "clear-night": "Limpo, Noite", + "cloudy": "Nublado", + "exceptional": "Excepcional", + "fog": "Nevoeiro", + "hail": "Granizo", + "lightning": "Relâmpago", + "lightning-rainy": "Relâmpagos, chuva", + "partlycloudy": "Parcialmente nublado", + "pouring": "Chuva forte", + "rainy": "Chuva", + "snowy": "Neve", + "snowy-rainy": "Neve, chuva", + "sunny": "Sol", + "windy": "Vento fraco", + "windy-variant": "Vento fraco" }, - "person": { - "home": "Casa", - "not_home": "Ausente" - } - }, - "state_badge": { - "default": { - "unknown": "Desc", - "unavailable": "Indisp", - "error": "Erro", - "entity_not_found": "Entidade não encontrada" - }, - "alarm_control_panel": { - "armed": "Armado", - "disarmed": "Desarm", - "armed_home": "Armado", - "armed_away": "Armado", - "armed_night": "Armado", - "pending": "Pend", - "arming": "A armar", - "disarming": "Desarmar", - "triggered": "Disp", - "armed_custom_bypass": "Armado" - }, - "device_tracker": { - "home": "Casa", - "not_home": "Fora" - }, - "person": { - "home": "Casa", - "not_home": "Ausente" + "zwave": { + "default": { + "dead": "Morto", + "initializing": "A inicializar", + "ready": "Pronto", + "sleeping": "Adormecido" + }, + "query_stage": { + "dead": "Morto ({query_stage})", + "initializing": "A inicializar ({query_stage})" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Limpar concluídos", - "add_item": "Adicionar item", - "microphone_tip": "Clique no microfone do canto superior direito e diga “Add candy to my shopping list”" - }, - "developer-tools": { - "tabs": { - "services": { - "title": "Serviços" - }, - "states": { - "title": "Estados" - }, - "events": { - "title": "Eventos" - }, - "templates": { - "title": "Modelos" - }, - "mqtt": { - "title": "MQTT" - }, - "info": { - "title": "Informações" - }, - "logs": { - "title": "Logs" - } - } - }, - "history": { - "showing_entries": "Mostrar valores para", - "period": "Período" - }, - "logbook": { - "showing_entries": "Mostrar valores para", - "period": "Período" - }, - "mailbox": { - "empty": "Não tem qualquer mensagem nova", - "playback_title": "Reproduzir mensagem", - "delete_prompt": "Apagar esta mensagem?", - "delete_button": "Apagar" - }, - "config": { - "header": "Configurar o Home Assistant", - "introduction": "Aqui é possível configurar os seus componentes e o Home Assistant. Nem tudo é possível de ser configurado a partir da Interface Gráfica, mas estamos a trabalhar para isso.", - "core": { - "caption": "Geral", - "description": "Validar o ficheiro de configuração e controlar o servidor", - "section": { - "core": { - "header": "Configuração e controlo do servidor", - "introduction": "Alterar a configuração pode ser um processo repetitivo. Nós sabemos. Esta secção pretende tornar a sua vida um pouco mais fácil.", - "core_config": { - "edit_requires_storage": "Editor desativado por causa da configuração existente em configuration.yaml.", - "location_name": "Nome da instalação do seu Home Assistant", - "latitude": "Latitude", - "longitude": "Longitude", - "elevation": "Elevação", - "elevation_meters": "metros", - "time_zone": "Fuso horário", - "unit_system": "Unidades do Sistema", - "unit_system_imperial": "Imperial", - "unit_system_metric": "Métrico", - "imperial_example": "Fahrenheit, libras", - "metric_example": "Celsius, quilogramas", - "save_button": "Guardar" - } - }, - "server_control": { - "validation": { - "heading": "Validar a configuração", - "introduction": "Valide a sua configuração caso a tenha alterado recentemente e quiser certificar-se de que tudo está válido", - "check_config": "Verificar a configuração", - "valid": "Configuração válida!", - "invalid": "Configuração inválida" - }, - "reloading": { - "heading": "Recarregar configuração", - "introduction": "Algumas partes do Home Assistant podem ser recarregadas sem necessidade de reiniciar. Ao pressionar em Recarregar irá descarregar a configuração atual e carregar a nova.", - "core": "Recarregar núcleo", - "group": "Recarregar grupos", - "automation": "Recarregar automações", - "script": "Recarregar scripts" - }, - "server_management": { - "heading": "Gestão do servidor", - "introduction": "Controle o seu servidor Home Assistant... a partir do Home Assistant", - "restart": "Reiniciar", - "stop": "Parar" - } - } - } - }, - "customize": { - "caption": "Personalização", - "description": "Personalizar as suas entidades", - "picker": { - "header": "Personalização", - "introduction": "Ajustar atributos por entidade. Personalizações acrescentadas\/editadas terão efeitos imediatos. Remoção de personalizações terão efeito quando a entidade for atualizada." - } - }, - "automation": { - "caption": "Automação", - "description": "Criar e editar automações", - "picker": { - "header": "Editor de automação", - "introduction": "O editor de automação permite criar e editar automações. Leia [as instruções] (https:\/\/home-assistant.io\/docs\/automation\/editor\/) para se certificar de que configurou o Home Assistant corretamente.", - "pick_automation": "Escolha a automação a editar", - "no_automations": "Não foi possível encontrar nenhuma automação editável", - "add_automation": "Acrescentar automação", - "learn_more": "Saber mais sobre automações" - }, - "editor": { - "introduction": "Crie automações para dar vida à sua casa", - "default_name": "Nova Automação", - "save": "Guardar", - "unsaved_confirm": "Existem alterações não guardadas. Tem a certeza de que quer sair?", - "alias": "Nome", - "triggers": { - "header": "Acionadores", - "introduction": "Os acionadores são o que iniciam o processamento de uma regra de automação. É possível especificar vários acionadores para a mesma regra. Uma vez iniciado um acionador, o Home Assistant irá validar as condições, e caso as mesmas ocorram, chamar a ação.\n\n[Saiba mais sobre acionadores.](https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", - "add": "Acrescentar acionador", - "duplicate": "Duplicar", - "delete": "Apagar", - "delete_confirm": "Tem certeza que deseja apagar?", - "unsupported_platform": "Plataforma não suportada: {platform}", - "type_select": "Tipo de acionador", - "type": { - "event": { - "label": "Evento", - "event_type": "Tipo de evento", - "event_data": "Dados do evento" - }, - "state": { - "label": "Estado", - "from": "De", - "to": "Para", - "for": "Durante" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Evento:", - "start": "Iniciar", - "shutdown": "Desligar" - }, - "mqtt": { - "label": "MQTT", - "topic": "Tópico", - "payload": "Payload (opcional)" - }, - "numeric_state": { - "label": "Estado numérico", - "above": "Acima", - "below": "Abaixo", - "value_template": "Valor para o modelo (opcional)" - }, - "sun": { - "label": "Sol", - "event": "Evento:", - "sunrise": "Nascer do sol", - "sunset": "Pôr do sol", - "offset": "Desfasamento (opcional)" - }, - "template": { - "label": "Modelo", - "value_template": "Modelo para o valor" - }, - "time": { - "label": "Tempo", - "at": "Às" - }, - "zone": { - "label": "Zona", - "entity": "Entidade com localização", - "zone": "Zona", - "event": "Evento:", - "enter": "Entrar", - "leave": "Sair" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook ID" - }, - "time_pattern": { - "label": "Padrão de tempo", - "hours": "Horas", - "minutes": "Minutos", - "seconds": "Segundos" - }, - "geo_location": { - "label": "Geolocalização", - "source": "Fonte", - "zone": "Zona", - "event": "Evento:", - "enter": "Entrar", - "leave": "Sair" - }, - "device": { - "label": "Dispositivo", - "extra_fields": { - "above": "Acima", - "below": "Abaixo", - "for": "Duração" - } - } - }, - "learn_more": "Saber mais sobre acionadores" - }, - "conditions": { - "header": "Condições", - "introduction": "As condições são uma parte opcional de uma regra de automação e podem ser usadas para impedir que uma ação ocorra quando um acionador é despoletado. As condições embora pareçam muito semelhantes aos acionadores, são muito diferentes. Um acionador examinará os eventos que acontecem no sistema, enquanto uma condição apenas analisa a forma como o sistema parece no momento. Um acionador pode observar que um interruptor está a ser ligado. Uma condição só pode ver se um interruptor está ligado ou desligado. \n\n [Saiba mais sobre as condições.] (Https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", - "add": "Acrescentar condição", - "duplicate": "Duplicar", - "delete": "Apagar", - "delete_confirm": "Tem certeza que deseja apagar?", - "unsupported_condition": "Condição não suportada: {condition}", - "type_select": "Tipo de condição", - "type": { - "state": { - "label": "Estado", - "state": "Estado" - }, - "numeric_state": { - "label": "Estado numérico", - "above": "Acima", - "below": "Abaixo", - "value_template": "Valor para o modelo (opcional)" - }, - "sun": { - "label": "Sol", - "before": "Antes do:", - "after": "Depois do:", - "before_offset": "Anterior ao desfasamento (opcional)", - "after_offset": "Posterior ao desfasamento (opcional)", - "sunrise": "Nascer do sol", - "sunset": "Pôr do sol" - }, - "template": { - "label": "Modelo", - "value_template": "Modelo para o valor" - }, - "time": { - "label": "Tempo", - "after": "Depois das", - "before": "Antes das" - }, - "zone": { - "label": "Zona", - "entity": "Entidade com localização", - "zone": "Zona" - }, - "device": { - "label": "Dispositivo", - "extra_fields": { - "above": "Acima de", - "below": "Abaixo de", - "for": "Duração" - } - }, - "and": { - "label": "E" - }, - "or": { - "label": "Ou" - } - }, - "learn_more": "Saber mais sobre condições" - }, - "actions": { - "header": "Ações", - "introduction": "As ações são o que o Home Assistant executará quando a automação for disparada. \n\n [Saiba mais sobre ações.] (Https:\/\/home-assistant.io\/docs\/automation\/action\/)", - "add": "Adicionar ação", - "duplicate": "Duplicar", - "delete": "Apagar", - "delete_confirm": "Tem certeza que deseja apagar?", - "unsupported_action": "Ação não suportada: {action}", - "type_select": "Tipo de ação", - "type": { - "service": { - "label": "Chamar serviço", - "service_data": "Dados para o serviço" - }, - "delay": { - "label": "Atraso", - "delay": "Atraso" - }, - "wait_template": { - "label": "Esperar", - "wait_template": "Modelo de espera", - "timeout": "Tempo limite (opcional)" - }, - "condition": { - "label": "Condição" - }, - "event": { - "label": "Disparar evento", - "event": "Evento", - "service_data": "Informação de Serviço" - }, - "device_id": { - "label": "Dispositivo" - } - }, - "learn_more": "Saber mais sobre ações" - }, - "load_error_not_editable": "Apenas as automações em automations.yaml são editáveis.", - "load_error_unknown": "Erro ao carregar a automação ({err_no}).", - "description": { - "label": "Descrição", - "placeholder": "Descrição opcional" - } - } - }, - "script": { - "caption": "Script", - "description": "Criar e editar scripts" - }, - "zwave": { - "caption": "Z-Wave", - "description": "Gerir a sua rede Z-Wave", - "network_management": { - "header": "Gestão da rede Z-Wave", - "introduction": "Executar comando que afeta a rede Z-Wave. Não obterá feedback se grande parte dos comandos concluírem com sucesso, mas pode verificar o registo OZW para tentar descobrir." - }, - "network_status": { - "network_stopped": "Rede Z-Wave parada.", - "network_starting": "A iniciar a rede Z-Wave…", - "network_starting_note": "Isto pode demorar algum tempo dependendo do tamanho da sua rede.", - "network_started": "Rede Z-Wave iniciada.", - "network_started_note_some_queried": "Os nós acordados foram inquiridos. Os nós adormecidos serão inquiridos quando acordarem.", - "network_started_note_all_queried": "Todos os nós foram inquiridos." - }, - "services": { - "start_network": "Iniciar a rede", - "stop_network": "Parar a rede", - "heal_network": "Curar a Rede", - "test_network": "Testar rede", - "soft_reset": "Reinicio suave", - "save_config": "Salvar configuração", - "add_node_secure": "Adicionar nó seguro", - "add_node": "Adicionar nó", - "remove_node": "Remover nó", - "cancel_command": "Cancelar comando" - }, - "common": { - "value": "Valor", - "instance": "Instância", - "index": "Índice", - "unknown": "Desconhecido", - "wakeup_interval": "Intervalo de acordar" - }, - "values": { - "header": "Valores do Nó" - }, - "node_config": { - "header": "Configurar opçoes do nó", - "seconds": "Segundos", - "set_wakeup": "Definir intervalo de acordar", - "config_parameter": "Configurar parâmetro", - "config_value": "Cofigurar valor", - "true": "Verdadeiro", - "false": "Falso", - "set_config_parameter": "Definir o parâmetro de configuração" - }, - "learn_more": "Saiba mais sobre o Z-Wave", - "ozw_log": { - "header": "Log OZW" - } - }, - "users": { - "caption": "Utilizadores", - "description": "Gerir utilizadores", - "picker": { - "title": "Utilizadores", - "system_generated": "Gerado pelo sistema" - }, - "editor": { - "rename_user": "Alterar nome do utilizador", - "change_password": "Alterar palavra-passe", - "activate_user": "Ativar utilizador", - "deactivate_user": "Desativar utilizador", - "delete_user": "Apagar utilizador", - "caption": "Ver utilizador", - "id": "ID", - "owner": "Proprietário", - "group": "Grupo", - "active": "Ativo", - "system_generated": "Gerado pelo sistema", - "system_generated_users_not_removable": "Não é possível remover usuários gerados pelo sistema.", - "unnamed_user": "Utilizador sem nome", - "enter_new_name": "Introduza um novo nome", - "user_rename_failed": "Falha na renomeação do utilizador:", - "group_update_failed": "Falha na atualização do grupo:", - "confirm_user_deletion": "Tem certeza de que deseja apagar {name} ?" - }, - "add_user": { - "caption": "Adicionar Utilizador", - "name": "Nome", - "username": "Nome de Utilizador", - "password": "Palavra-passe", - "create": "Criar" - } - }, - "cloud": { - "caption": "Home Assistant Cloud", - "description_login": "Ligado como {email}", - "description_not_login": "Não está ligado", - "description_features": "Controle fora de casa, integre com a Alexa e o Google Assistant.", - "login": { - "email": "", - "email_error_msg": "E-mail inválido", - "alert_email_confirm_necessary": "É necessário confirmar o seu e-mail antes de fazer login." - }, - "forgot_password": { - "instructions": "Introduza o seu endereço de e-mail e nós lhe enviaremos um link para redefinir sua password.", - "email": "" - }, - "register": { - "link_terms_conditions": "Termos e condições", - "email_address": "Endereço de e-mail", - "email_error_msg": "E-mail inválido", - "start_trial": "Iniciar avaliação", - "resend_confirm_email": "Reenviar e-mail de confirmação" - }, - "account": { - "integrations": "Integrações", - "connected": "Ligado", - "alexa": { - "enable": "Ativar", - "disable": "Desativar" - }, - "webhooks": { - "title": "", - "no_hooks_yet2": " ou criando um ", - "no_hooks_yet_link_automation": "automação de webhook", - "loading": "A carregar...", - "manage": "Gerir" - } - }, - "alexa": { - "title": "Alexa", - "exposed_entities": "Entidades expostas", - "not_exposed_entities": "Entidades não expostas", - "expose": "Expor para Alexa" - }, - "dialog_certificate": { - "certificate_information": "Informações do certificado", - "certificate_expiration_date": "Data de validade do certificado", - "will_be_auto_renewed": "Será renovado automaticamente", - "fingerprint": "Certificado digital:", - "close": "Fechar" - }, - "google": { - "title": "Google Assistant", - "expose": "Expor ao Google Assistant", - "disable_2FA": "Desativar a autenticação de dois fatores", - "exposed_entities": "Entidades expostas", - "not_exposed_entities": "Entidades não expostas", - "sync_to_google": "A sincronizar alterações para o Google." - }, - "dialog_cloudhook": { - "webhook_for": "Webhook para {nome}", - "available_at": "O webhook está disponível na seguinte URL:", - "managed_by_integration": "Este webhook é gerido por uma integração e não pode ser desabilitado.", - "info_disable_webhook": "Se não quiser utilizar mais este webhook, poderá", - "link_disable_webhook": "desativá-lo", - "view_documentation": "Ver documentação", - "close": "Fechar", - "confirm_disable": "Tem certeza de que deseja desativar este webhook?", - "copied_to_clipboard": "Copiado para a área de transferência" - } - }, - "integrations": { - "caption": "Integrações", - "description": "Gerir e configurar integrações", - "discovered": "Detetados", - "configured": "Configurado", - "new": "Configurar uma nova integração", - "configure": "Configurar", - "none": "Nada configurado ainda", - "config_entry": { - "no_devices": "Esta integração não possui dispositivos.", - "no_device": "Entidades sem dispositivos", - "delete_confirm": "Tem a certeza que pretende apagar esta integração?", - "restart_confirm": "Reinicie o Home Assistant para concluir a remoção desta integração", - "manuf": "por {manufacturer}", - "via": "Ligado via", - "firmware": "Firmware: {version}", - "device_unavailable": "Dispositivo indisponível", - "entity_unavailable": "Entidade indisponível", - "no_area": "Nenhuma Área", - "hub": "Conectado via" - }, - "config_flow": { - "external_step": { - "description": "Para ser concluída, esta etapa exige que visite um sítio web externo.", - "open_site": "Abrir site" - } - }, - "note_about_integrations": "De momento nem todas as integrações podem ser configuradas via UI.", - "note_about_website_reference": "Existem mais disponíveis no", - "home_assistant_website": "Site do Home Assistant " - }, - "zha": { - "caption": "ZHA", - "description": "Gestão de rede Zigbee Home Automation", - "services": { - "reconfigure": "Reconfigure o dispositivo ZHA (curar dispositivo). Utilize isto se estiver a ter problemas com o dispositivo. Se o dispositivo em questão for um dispositivo alimentado por uma bateria, ao utilizar este serviço certifique-se de que o equipamento está ativo e a aceitar comandos.", - "updateDeviceName": "Definir um nome personalizado para este dispositivo no registo do dispositivo.", - "remove": "Remover um dispositivo da rede Zigbee." - }, - "device_card": { - "device_name_placeholder": "Nome do utilizador", - "area_picker_label": "Área", - "update_name_button": "Atualizar Nome" - }, - "add_device_page": { - "header": "Zigbee Home Automation - Adicionar dispositivos", - "spinner": "À procura de dispositivos ZHA Zigbee...", - "discovery_text": "Os dispositivos descobertos aparecerão aqui. Siga as instruções para o(s) seu(s) dispositivo(s) e coloque o(s) dispositivo(s) em modo de emparelhamento.", - "search_again": "Pesquisar Novamente" - }, - "common": { - "add_devices": "Adicionar dispositivos", - "clusters": "Grupos", - "devices": "Dispositivos", - "manufacturer_code_override": "Substituição do código do fabricante", - "value": "Valor" - }, - "network_management": { - "header": "Gestão ", - "introduction": "Comandos que afetam toda a rede" - }, - "node_management": { - "header": "Gestão dispositivos", - "help_node_dropdown": "Selecione um dispositivo para visualizar as opções por dispositivo." - }, - "cluster_attributes": { - "get_zigbee_attribute": "Obter atributo Zigbee", - "set_zigbee_attribute": "Definir atributo Zigbee", - "help_get_zigbee_attribute": "Obter o valor para o atributo selecionado." - }, - "cluster_commands": { - "issue_zigbee_command": "Emitir comando ZigBee", - "help_command_dropdown": "Selecione um comando com o qual interagir." - } - }, - "area_registry": { - "caption": "Registo de áreas", - "description": "Visão geral de todas as áreas da sua casa.", - "picker": { - "header": "Registo de áreas", - "introduction": "As áreas são utilizadas para organizar os dispositivos. Essas informações serão utilizadas no Home Assistant para o ajudar a organizar o seu interface, permissões e integrações com outros sistemas.", - "introduction2": "Para colocar dispositivos numa área, use o link abaixo para navegar até a página de integrações e em seguida, clique numa integração configurada para aceder aos cartões de dispositivos.", - "integrations_page": "Página de Integrações", - "no_areas": "Parece que ainda não tem áreas!", - "create_area": "CRIAR ÁREA" - }, - "no_areas": "Parece que ainda não tem áreas!", - "create_area": "CRIAR ÁREA", - "editor": { - "default_name": "Nova área", - "delete": "APAGAR", - "update": "ATUALIZAR", - "create": "CRIAR" - } - }, - "entity_registry": { - "caption": "Registo de Entidades", - "description": "Visão geral de todas as entidades conhecidas.", - "picker": { - "header": "Registo de Entidades", - "unavailable": "(indisponível)", - "introduction": "O Home Assistant mantém um registo de todas as entidades que foram alguma vez detetadas e que podem ser identificadas de uma forma única. Cada uma dessas entidades terá um ID de entidade atribuído, que será reservado apenas para essa entidade.", - "introduction2": "Use o registo da entidade para substituir o nome, alterar o ID da entidade ou remover a entrada do Home Assistant. Note que a remoção da entrada do registo de entidade não removerá a entidade. Para fazer isso, siga o link abaixo e remova-o da página de integrações.", - "integrations_page": "Página de Integrações", - "headers": { - "name": "Nome", - "entity_id": "ID da Entidade", - "integration": "Integração", - "enabled": "Ativado" - } - }, - "editor": { - "unavailable": "Esta entidade não está atualmente disponível.", - "default_name": "Nova Área", - "delete": "APAGAR", - "update": "ATUALIZAR", - "enabled_label": "Entidade permitida", - "enabled_cause": "Desativado por {cause}.", - "enabled_description": "Entidades desativadas não serão adicionadas ao Home Assistant.", - "confirm_delete": "Tem certeza de que deseja apagar esta entrada?" - } - }, - "person": { - "caption": "Pessoas", - "description": "Gerir as pessoas que o Home Assistant segue.", - "detail": { - "name": "Nome", - "device_tracker_intro": "Selecione os dispositivos que pertencem a esta pessoa.", - "device_tracker_picked": "Seguir dispositivo", - "device_tracker_pick": "Escolha o dispositivo a seguir", - "new_person": "Nova Pessoa", - "name_error_msg": "Nome é obrigatório", - "link_presence_detection_integrations": "Integrações de detecção de presença", - "link_integrations_page": "Página de Integrações", - "delete": "Apagar", - "create": "Criar", - "update": "Atualizar" - }, - "no_persons_created_yet": "Parece que você ainda não criou nenhuma pessoa.", - "create_person": "Criar pessoa", - "add_person": "Adicionar Pessoa", - "confirm_delete": "Tens a certeza que queres eliminar esta pessoa?" - }, - "server_control": { - "caption": "Controlo do servidor", - "description": "Reiniciar e parar o servidor do Home Assistant", - "section": { - "validation": { - "heading": "Validar configuração", - "introduction": "Valide a sua configuração caso tenha alterado recentemente a mesma e quiser certificar-se de que tudo é válido.", - "check_config": "Verificar a configuração", - "valid": "Configuração válida!", - "invalid": "Configuração inválida" - }, - "reloading": { - "heading": "A recarregar configuração", - "introduction": "Algumas partes do Home Assistant podem ser recarregadas sem necessidade de reiniciar. Ao carregar em Recarregar configuração irá descarregar a configuração atual e carregar a nova.", - "core": "Recarregar núcleo", - "group": "Recarregar grupos", - "automation": "Recarregar automatizações", - "script": "Recarregar scripts", - "scene": "Recarregar cenas" - }, - "server_management": { - "heading": "Gestão do servidor", - "introduction": "Controlar o seu servidor do Home Assistant... de dentro do Home Assistant.", - "restart": "Reiniciar", - "stop": "Parar", - "confirm_restart": "Tem certeza de que reiniciar o Home Assistant?", - "confirm_stop": "Tem certeza de que parar o Home Assistant?" - } - } - }, - "devices": { - "caption": "Dispositivos", - "description": "Gerir dispositivos ligados" - } - }, - "profile": { - "push_notifications": { - "header": "Notificações push", - "description": "Enviar notificações para este dispositivo.", - "error_load_platform": "Configurar notify.html5.", - "error_use_https": "Requer SSL ativo para o interface principal", - "push_notifications": "Notificações push", - "link_promo": "Saiba mais" - }, - "language": { - "header": "Idioma", - "link_promo": "Ajude na tradução", - "dropdown_label": "Idioma" - }, - "themes": { - "header": "Tema", - "error_no_theme": "Não há temas disponíveis.", - "link_promo": "Saiba mais sobre temas", - "dropdown_label": "Tema" - }, - "refresh_tokens": { - "header": "Atualizar Tokens", - "description": "Cada \"refresh token\" representa uma sessão de utilizador. Os \"refresh tokens\" serão automaticamente removidos quando clicar em sair. Os seguintes \"refresh tokens\" estão activos para a sua conta.", - "token_title": "Atualizar o token de {clientId}", - "created_at": "Criado a {date}", - "confirm_delete": "Tem certeza de que deseja apagar o \"refresh token\" de {name} ?", - "delete_failed": "Falha ao apagar o \"refresh token\"", - "last_used": "Última utilização a {date} em {location}", - "not_used": "Nunca foi utilizado", - "current_token_tooltip": "Não é possível eliminar o \"refresh token\" actual" - }, - "long_lived_access_tokens": { - "header": "Tokens de acesso de longa duração", - "description": "Crie tokens de acesso de longa duração para permitir que os seus scripts possam interagir com a sua instância do Home Assistant. Cada token será válido durante 10 anos após criação. Os seguintes tokens de acesso de longa duração estão atualmente activos.", - "learn_auth_requests": "Aprenda a fazer pedidos autenticados.", - "created_at": "Criado a {date}", - "confirm_delete": "Tem certeza de que deseja apagar o token de acesso de {name} ?", - "delete_failed": "Falha ao criar o token de acesso.", - "create": "Criar Token", - "create_failed": "Falha ao criar o token de acesso.", - "prompt_name": "Nome?", - "prompt_copy_token": "Copie o seu token de acesso. Não será mostrado novamente.", - "empty_state": "Ainda não tem um token de longa duração", - "last_used": "Última utilização a {date} em {location}", - "not_used": "Nunca foi utilizado" - }, - "current_user": "Esta atualmente ligado como {fullName}", - "is_owner": "Você é um proprietário.", - "change_password": { - "header": "Alterar palavra-passe", - "current_password": "Palavra-passe atual", - "new_password": "Nova palavra-passe", - "confirm_new_password": "Confirmar a nova palavra-passe", - "error_required": "Obrigatório", - "submit": "Enviar" - }, - "mfa": { - "header": "Módulos de Autenticação por Multíplos-fatores", - "disable": "Desativar", - "enable": "Ativar", - "confirm_disable": "Tem certeza de que deseja desativar {name} ?" - }, - "mfa_setup": { - "title_aborted": "Abortado", - "title_success": "Sucesso!", - "step_done": "Configuração concluída para {step}", - "close": "Fechar", - "submit": "Enviar" - }, - "logout": "Sair", - "force_narrow": { - "header": "Esconder sempre a barra lateral.", - "description": "Isto esconderá por defeito a barra lateral, semelhante à experiência no telemóvel." - }, - "vibrate": { - "header": "Vibrar" - }, - "advanced_mode": { - "title": "Modo avançado" - } - }, - "page-authorize": { - "initializing": "A inicializar", - "authorizing_client": "Está prestes a dar acesso a {clientId} à sua instância do Home Assistant.", - "logging_in_with": "Iniciar a sessão com **{authProviderName}**.", - "pick_auth_provider": "Ou entre com", - "abort_intro": "Início de sessão cancelado", - "form": { - "working": "Por favor, aguarde", - "unknown_error": "Algo correu mal", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Utilizador", - "password": "Palavra-passe" - } - }, - "mfa": { - "data": { - "code": "Código de autenticação por dois factores" - }, - "description": "Abra o **{mfa_module_name}** no seu dispositivo para ver o código de autenticação por dois factores e verificar a sua identidade." - } - }, - "error": { - "invalid_auth": "Nome de utilizador ou palavra-passe inválida", - "invalid_code": "Código de autenticação inválido" - }, - "abort": { - "login_expired": "Sessão expirou, por favor entre novamente." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "Palavra-passe para API" - }, - "description": "Por favor, insira a palavra-passe da API na sua configuração http:" - }, - "mfa": { - "data": { - "code": "Código de autenticação por dois factores" - }, - "description": "Abra o **{mfa_module_name}** no seu dispositivo para ver o código de autenticação por dois factores e verificar a sua identidade." - } - }, - "error": { - "invalid_auth": "Palavra-passe para API inválida", - "invalid_code": "Código de autenticação inválido" - }, - "abort": { - "no_api_password_set": "Não tem uma palavra-passe para a API configurada.", - "login_expired": "Sessão expirou, por favor entre novamente." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Utilizador" - }, - "description": "Por favor selecione o utilizador com o qual pretende entrar:" - } - }, - "abort": { - "not_whitelisted": "O seu computador não está na lista de endereços permitidos." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Utilizador", - "password": "Palavra-passe" - } - }, - "mfa": { - "data": { - "code": "Código de autenticações por dois fatores" - }, - "description": "Abra o **{mfa_module_name}** no seu dispositivo para ver o código de autenticação por dois factores e verificar a sua identidade." - } - }, - "error": { - "invalid_auth": "Nome de utilizador ou palavra-passe inválida", - "invalid_code": "Código de autenticação inválido" - }, - "abort": { - "login_expired": "Sessão expirou, por favor entre novamente." - } - } - } - } - }, - "page-onboarding": { - "intro": "Está pronto para despertar a sua casa, reclamar a sua privacidade e juntar-se a uma comunidade mundial de tecnólogos?", - "user": { - "intro": "Vamos começar por criar um utilizador.", - "required_field": "Obrigatório", - "data": { - "name": "Nome", - "username": "Utilizador", - "password": "Palavra-passe", - "password_confirm": "Confirme a palavra-passe" - }, - "create_account": "Criar conta", - "error": { - "required_fields": "Preencha todos os campos obrigatórios", - "password_not_match": "As palavras-passe não coincidem" - } - }, - "integration": { - "intro": "Dispositivos e serviços são representados no Home Assistant como integrações. Pode configurá-los agora ou fazê-lo mais tarde no ecrã de configuração.", - "more_integrations": "Mais", - "finish": "Terminar" - }, - "core-config": { - "intro": "Olá {name}, bem-vindo ao Home Assistant. Que nome quer dar à sua casa?", - "intro_location": "Gostaríamos de saber onde vive. Esta informação ajudará a exibir informações e a configurar automações baseadas no sol. Os dados nunca são partilhados fora da sua rede.", - "intro_location_detect": "Podemos ajudá-lo a preencher esta informação fazendo um pedido único a um serviço externo.", - "location_name_default": "Início", - "button_detect": "Detetar", - "finish": "Próxima" - } - }, - "lovelace": { - "cards": { - "shopping-list": { - "checked_items": "Itens marcados", - "clear_items": "Limpar itens marcados", - "add_item": "Adicionar Item" - }, - "empty_state": { - "title": "Bem-vindo a casa", - "no_devices": "Esta página permite-lhe controlar os seus dispositivos, no entanto, parece que ainda não tem dispositivos configurados. Vá para a página de integrações para começar.", - "go_to_integrations_page": "Ir para a página de integrações." - }, - "picture-elements": { - "hold": "Mantenha:", - "tap": "Toque:", - "navigate_to": "Navegue até {location}", - "toggle": "Alternar {name}", - "call_service": "Chamar o serviço {name}", - "more_info": "Mostrar mais informações: {name}" - } - }, - "editor": { - "edit_card": { - "header": "Configuração do cartão", - "save": "Guardar", - "toggle_editor": "Alternar Editor", - "pick_card": "Escolha o cartão que deseja adicionar.", - "add": "Adicionar Cartão", - "edit": "Editar", - "delete": "Apagar", - "move": "Mover", - "show_visual_editor": "Mostrar Editor Visual", - "show_code_editor": "Mostrar Editor de Código" - }, - "migrate": { - "header": "Configuração Incompatível", - "para_no_id": "Este elemento não possui um ID. Por favor adicione um ID a este elemento em 'ui-lovelace.yaml'.", - "para_migrate": "Ao clicar no botão 'Migrar configuração', o Home Assistant pode adicionar IDs a todos os seus cartões e vistas automaticamente.", - "migrate": "Migrar a configuração" - }, - "header": "Editar UI", - "edit_view": { - "header": "Ver configuração", - "add": "Acrescentar vista", - "edit": "Editar vista", - "delete": "Apagar a vista" - }, - "save_config": { - "header": "Assumir controle sobre a interface do Lovelace", - "para": "Por omissão o Home Assistant irá manter a sua interface de utilizador, atualizando-a sempre que uma nova entidade ou novos componentes Lovelace fiquem disponíveis. Se assumir o controlo, não faremos mais alterações automáticas por si.", - "para_sure": "Tem certeza que deseja assumir o controlo sobre a interface de utilizador?", - "cancel": "Cancelar", - "save": "Assumir o controlo" - }, - "menu": { - "raw_editor": "Editor de configuração do código-fonte" - }, - "raw_editor": { - "header": "Editar configuração", - "save": "Guardar", - "unsaved_changes": "Alterações não guardadas", - "saved": "Guardada" - }, - "edit_lovelace": { - "header": "Título da sua interface do Lovelace", - "explanation": "Este título é mostrado acima de todas as vista em Lovelace." - }, - "card": { - "alarm_panel": { - "available_states": "Estados Disponíveis" - }, - "config": { - "required": "Obrigatório", - "optional": "Opcional" - }, - "gauge": { - "severity": { - "green": "Verde", - "red": "Vermelho", - "yellow": "Amarelo" - }, - "name": "Manómetro" - }, - "glance": { - "columns": "Colunas" - }, - "generic": { - "entities": "Entidades", - "entity": "Entidade", - "icon": "Ícone", - "icon_height": "Altura do ícone", - "maximum": "Máximo", - "minimum": "Mínimo", - "name": "Nome", - "show_icon": "Mostrar Ícone?", - "show_name": "Mostrar nome?", - "show_state": "Mostrar Estado?", - "title": "Título", - "theme": "Tema", - "unit": "Unidade", - "url": "Url" - }, - "map": { - "source": "Fonte", - "name": "Mapa" - }, - "sensor": { - "graph_detail": "Detalhe do Gráfico", - "graph_type": "Tipo De Gráfico", - "name": "Sensor" - }, - "alarm-panel": { - "name": "Painel de alarme", - "available_states": "Estados Disponíveis" - }, - "conditional": { - "name": "Condicional" - }, - "entities": { - "name": "Entidades" - }, - "entity-button": { - "name": "Botão Entidade" - }, - "entity-filter": { - "name": "Filtro de entidade" - }, - "history-graph": { - "name": "Gráfico de histórico" - }, - "horizontal-stack": { - "name": "Pilha Horizontal" - }, - "iframe": { - "name": "" - }, - "light": { - "name": "Luz" - }, - "markdown": { - "name": "" - }, - "picture": { - "name": "Imagem" - }, - "plant-status": { - "name": "Estado da planta" - }, - "shopping-list": { - "name": "Lista de compras" - }, - "thermostat": { - "name": "Termóstato" - }, - "vertical-stack": { - "name": "Pilha Vertical" - }, - "weather-forecast": { - "name": "Previsão do tempo" - } - } - }, - "menu": { - "configure_ui": "Configurar UI", - "unused_entities": "Entidades não utilizadas", - "help": "Ajuda", - "refresh": "Atualizar" - }, - "warning": { - "entity_not_found": "Entidade não disponível: {entity}", - "entity_non_numeric": "A entidade é não numérica: {entity}" - }, - "changed_toast": { - "message": "A configuração do Lovelace foi atualizada, gostaria de atualizar?", - "refresh": "Atualizar" - }, - "reload_lovelace": "Recarregar Lovelace" - }, - "page-demo": { - "cards": { - "demo": { - "demo_by": "por {name}", - "next_demo": "Próxima demonstração", - "introduction": "Bem vindo a casa! Chegou à demonstração do Home Assistant, onde exibimos as melhores UIs criadas pela nossa comunidade.", - "learn_more": "Saiba mais sobre o Home Assistant" - } - }, - "config": { - "arsaboo": { - "names": { - "upstairs": "Andar de cima", - "family_room": "Sala", - "kitchen": "Cozinha", - "patio": "Pátio", - "hallway": "Corredor", - "master_bedroom": "Quarto principal", - "left": "Esquerda", - "right": "Direita", - "mirror": "Espelho" - }, - "labels": { - "lights": "Luzes", - "information": "Informação", - "morning_commute": "Trajeto da manhã", - "commute_home": "Deslocação até casa", - "entertainment": "Entretenimento", - "activity": "Atividade", - "hdmi_input": "Entrada HDMI", - "hdmi_switcher": "Comutador HDMI", - "volume": "Volume", - "total_tv_time": "Tempo total de TV", - "turn_tv_off": "Desligar a televisão", - "air": "Ar" - }, - "unit": { - "watching": "a assistir", - "minutes_abbr": "min" - } - } - } - } - }, - "sidebar": { - "log_out": "Sair", - "external_app_configuration": "Configuração da Aplicação" - }, - "common": { - "loading": "A carregar", - "cancel": "Cancelar", - "save": "Guardar", - "successfully_saved": "Salva com sucesso" - }, - "duration": { - "day": "{count} {count, plural,\n one {dia}\n other {dias}\n}", - "week": "{count} {count, plural,\n one {semana}\n other {semanas}\n}", - "second": "{count} {count, plural,\n one {segundo}\n other {segundos}\n}", - "minute": "{count} {count, plural,\n one {minuto}\n other {minutos}\n}", - "hour": "{count} {count, plural,\n one {hora}\n other {horas}\n}" - }, - "login-form": { - "password": "Palavra-passe", - "remember": "Lembrar", - "log_in": "Entrar" + "auth_store": { + "ask": "Deseja guardar este login?", + "confirm": "Guardar login", + "decline": "Não, obrigado" }, "card": { + "alarm_control_panel": { + "arm_away": "Armado ausente", + "arm_custom_bypass": "Desvio personalizado", + "arm_home": "Armado casa", + "arm_night": "Armado noite", + "armed_custom_bypass": "Desvio personalizado", + "clear_code": "Limpo", + "code": "Código", + "disarm": "Desarmar" + }, + "automation": { + "last_triggered": "Última ocorrência", + "trigger": "Despoletar" + }, "camera": { "not_available": "Imagem não disponível" }, + "climate": { + "aux_heat": "Calor auxiliar", + "away_mode": "Modo ausente", + "currently": "Atualmente", + "fan_mode": "Modo ventilar", + "on_off": "Ligado \/ desligado", + "operation": "Operação", + "preset_mode": "Predefinição", + "swing_mode": "Modo oscilante", + "target_humidity": "Humidade pretendida", + "target_temperature": "Temperatura pretendida" + }, + "cover": { + "position": "Posição", + "tilt_position": "Posição de inclinação" + }, + "fan": { + "direction": "Direção", + "forward": "Seguinte", + "oscillate": "Oscilar", + "reverse": "Reverter", + "speed": "Velocidade" + }, + "light": { + "brightness": "Brilho", + "color_temperature": "Temperatura de cor", + "effect": "Efeito", + "white_value": "Quantidade de brancos" + }, + "lock": { + "code": "Código", + "lock": "Bloquear", + "unlock": "Desbloquear" + }, + "media_player": { + "sound_mode": "Modo de som", + "source": "Fonte", + "text_to_speak": "Texto para fala" + }, "persistent_notification": { "dismiss": "Fechar" }, @@ -1421,6 +464,30 @@ "script": { "execute": "Executar" }, + "timer": { + "actions": { + "cancel": "Cancelar", + "finish": "Terminar", + "pause": "pausa", + "start": "Iniciar" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Retomar a limpeza", + "return_to_base": "Voltar à doca", + "start_cleaning": "Iniciar a limpeza", + "turn_off": "Desligar", + "turn_on": "Ligar" + } + }, + "water_heater": { + "away_mode": "Modo ausente", + "currently": "Atualmente", + "on_off": "Ligado \/ desligado", + "operation": "Operação", + "target_temperature": "Temperatura pretendida" + }, "weather": { "attributes": { "air_pressure": "Press. Atmosférica", @@ -1436,8 +503,8 @@ "n": "N", "ne": "NE", "nne": "NNE", - "nw": "NW", "nnw": "NNW", + "nw": "NW", "s": "S", "se": "SE", "sse": "SSE", @@ -1448,123 +515,45 @@ "wsw": "WSW" }, "forecast": "Previsão" - }, - "alarm_control_panel": { - "code": "Código", - "clear_code": "Limpo", - "disarm": "Desarmar", - "arm_home": "Armado casa", - "arm_away": "Armado ausente", - "arm_night": "Armado noite", - "armed_custom_bypass": "Desvio personalizado", - "arm_custom_bypass": "Desvio personalizado" - }, - "automation": { - "last_triggered": "Última ocorrência", - "trigger": "Despoletar" - }, - "cover": { - "position": "Posição", - "tilt_position": "Posição de inclinação" - }, - "fan": { - "speed": "Velocidade", - "oscillate": "Oscilar", - "direction": "Direção", - "forward": "Seguinte", - "reverse": "Reverter" - }, - "light": { - "brightness": "Brilho", - "color_temperature": "Temperatura de cor", - "white_value": "Quantidade de brancos", - "effect": "Efeito" - }, - "media_player": { - "text_to_speak": "Texto para fala", - "source": "Fonte", - "sound_mode": "Modo de som" - }, - "climate": { - "currently": "Atualmente", - "on_off": "Ligado \/ desligado", - "target_temperature": "Temperatura pretendida", - "target_humidity": "Humidade pretendida", - "operation": "Operação", - "fan_mode": "Modo ventilar", - "swing_mode": "Modo oscilante", - "away_mode": "Modo ausente", - "aux_heat": "Calor auxiliar", - "preset_mode": "Predefinição" - }, - "lock": { - "code": "Código", - "lock": "Bloquear", - "unlock": "Desbloquear" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Retomar a limpeza", - "return_to_base": "Voltar à doca", - "start_cleaning": "Iniciar a limpeza", - "turn_on": "Ligar", - "turn_off": "Desligar" - } - }, - "water_heater": { - "currently": "Atualmente", - "on_off": "Ligado \/ desligado", - "target_temperature": "Temperatura pretendida", - "operation": "Operação", - "away_mode": "Modo ausente" - }, - "timer": { - "actions": { - "start": "Iniciar", - "pause": "pausa", - "cancel": "Cancelar", - "finish": "Terminar" - } } }, + "common": { + "cancel": "Cancelar", + "loading": "A carregar", + "save": "Guardar", + "successfully_saved": "Salva com sucesso" + }, "components": { "entity": { "entity-picker": { "entity": "Entidade" } }, - "service-picker": { - "service": "Serviço" - }, - "relative_time": { - "past": "{time} atrás", - "future": "Às {time}", - "never": "Nunca", - "duration": { - "second": "{count} {count, plural,\n one {segundo}\n other {segundos}\n}", - "minute": "{count} {count, plural,\n one {minuto}\n other {minutos}\n}", - "hour": "{count} {count, plural,\n one {hora}\n other {horas}\n}", - "day": "{count} {count, plural,\n one {dia}\n other {dias}\n}", - "week": "{count} {count, plural,\n one {semana}\n other {semanas}\n}" - } - }, "history_charts": { "loading_history": "A carregar histórico de estados...", "no_history_found": "Nenhum histórico de estado encontrado." + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\n one {dia}\\n other {dias}\\n}", + "hour": "{count} {count, plural,\\n one {hora}\\n other {horas}\\n}", + "minute": "{count} {count, plural,\\n one {minuto}\\n other {minutos}\\n}", + "second": "{count} {count, plural,\\n one {segundo}\\n other {segundos}\\n}", + "week": "{count} {count, plural,\\n one {semana}\\n other {semanas}\\n}" + }, + "future": "Às {time}", + "never": "Nunca", + "past": "{time} atrás" + }, + "service-picker": { + "service": "Serviço" } }, - "notification_toast": { - "entity_turned_on": "Ativou {entity}.", - "entity_turned_off": "Desativou {entity}.", - "service_called": "Serviço {service} chamado.", - "service_call_failed": "Falha ao chamar o serviço {service}.", - "connection_lost": "Ligação perdida. A ligar de novo..." - }, "dialogs": { - "more_info_settings": { - "save": "Guardar", - "name": "Nome", - "entity_id": "ID da entidade" + "config_entry_system_options": { + "enable_new_entities_description": "Se desativado, novas entidades descobertas não serão automaticamente adicionadas ao Home Assistant.", + "enable_new_entities_label": "Ativar novas entidades adicionadas.", + "title": "Opções do sistema" }, "more_info_control": { "script": { @@ -1579,6 +568,11 @@ "title": "Instruções para atualização" } }, + "more_info_settings": { + "entity_id": "ID da entidade", + "name": "Nome", + "save": "Guardar" + }, "options_flow": { "form": { "header": "Opções do sistema" @@ -1587,130 +581,1136 @@ "description": "Salva com sucesso" } }, - "config_entry_system_options": { - "title": "Opções do sistema", - "enable_new_entities_label": "Ativar novas entidades adicionadas.", - "enable_new_entities_description": "Se desativado, novas entidades descobertas não serão automaticamente adicionadas ao Home Assistant." - }, "zha_device_info": { + "buttons": { + "add": "Adicionar Dispositivos", + "reconfigure": "Reconfigurar Dispositivo", + "remove": "Remover Dispositivo" + }, "manuf": "por {manufacturer}", "no_area": "Nenhuma Área", "services": { "reconfigure": "Reconfigure o dispositivo ZHA (curar dispositivo). Utilize isto se estiver a ter problemas com o dispositivo. Se o dispositivo em questão for um dispositivo alimentado por uma bateria, ao utilizar este serviço certifique-se de que o equipamento está ativo e a aceitar comandos.", - "updateDeviceName": "Definir um nome personalizado para este dispositivo no registo do dispositivo.", - "remove": "Remover um dispositivo da rede Zigbee." + "remove": "Remover um dispositivo da rede Zigbee.", + "updateDeviceName": "Definir um nome personalizado para este dispositivo no registo do dispositivo." }, "zha_device_card": { - "device_name_placeholder": "Nome do utilizador", "area_picker_label": "Área", + "device_name_placeholder": "Nome do utilizador", "update_name_button": "Atualizar Nome" - }, - "buttons": { - "add": "Adicionar Dispositivos", - "remove": "Remover Dispositivo", - "reconfigure": "Reconfigurar Dispositivo" } } }, - "auth_store": { - "ask": "Deseja guardar este login?", - "decline": "Não, obrigado", - "confirm": "Guardar login" + "duration": { + "day": "{count} {count, plural,\\n one {dia}\\n other {dias}\\n}", + "hour": "{count} {count, plural,\\n one {hora}\\n other {horas}\\n}", + "minute": "{count} {count, plural,\\n one {minuto}\\n other {minutos}\\n}", + "second": "{count} {count, plural,\\n one {segundo}\\n other {segundos}\\n}", + "week": "{count} {count, plural,\\n one {semana}\\n other {semanas}\\n}" + }, + "login-form": { + "log_in": "Entrar", + "password": "Palavra-passe", + "remember": "Lembrar" }, "notification_drawer": { "click_to_configure": "Clique no botão para configurar {entity}", "empty": "Sem Notificações", "title": "Notificações" - } - }, - "domain": { - "alarm_control_panel": "Painel de controlo do alarme", - "automation": "Automação", - "binary_sensor": "Sensor binário", - "calendar": "Calendário", - "camera": "Câmara", - "climate": "Climatização", - "configurator": "Configurador", - "conversation": "Conversa", - "cover": "Cobertura", - "device_tracker": "Monitorizador de dispositivos", - "fan": "Ventoínha", - "history_graph": "Gráfico de histórico", - "group": "Grupo", - "image_processing": "Processamento de imagem", - "input_boolean": "Introduzir booleano", - "input_datetime": "Introduzir data\/hora", - "input_select": "Escolher", - "input_number": "Introduzir número", - "input_text": "Introduzir texto", - "light": "Iluminação", - "lock": "Fechadura", - "mailbox": "Caixa de correio", - "media_player": "Leitor multimédia", - "notify": "Notificar", - "plant": "Planta", - "proximity": "Proximidade", - "remote": "Remoto", - "scene": "Cena", - "script": "Script", - "sensor": "Sensor", - "sun": "Sol", - "switch": "Interruptor", - "updater": "Atualizador", - "weblink": "Weblink", - "zwave": "Z-Wave", - "vacuum": "Aspiração", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Integridade do Sistema", - "person": "Pessoa" - }, - "attribute": { - "weather": { - "humidity": "Humidade", - "visibility": "Visibilidade", - "wind_speed": "Vel. do vento" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Desligar", - "on": "Ligar", - "auto": "Automático" + }, + "notification_toast": { + "connection_lost": "Ligação perdida. A ligar de novo...", + "entity_turned_off": "Desativou {entity}.", + "entity_turned_on": "Ativou {entity}.", + "service_call_failed": "Falha ao chamar o serviço {service}.", + "service_called": "Serviço {service} chamado." + }, + "panel": { + "config": { + "area_registry": { + "caption": "Registo de áreas", + "create_area": "CRIAR ÁREA", + "description": "Visão geral de todas as áreas da sua casa.", + "editor": { + "create": "CRIAR", + "default_name": "Nova área", + "delete": "APAGAR", + "update": "ATUALIZAR" + }, + "no_areas": "Parece que ainda não tem áreas!", + "picker": { + "create_area": "CRIAR ÁREA", + "header": "Registo de áreas", + "integrations_page": "Página de Integrações", + "introduction": "As áreas são utilizadas para organizar os dispositivos. Essas informações serão utilizadas no Home Assistant para o ajudar a organizar o seu interface, permissões e integrações com outros sistemas.", + "introduction2": "Para colocar dispositivos numa área, use o link abaixo para navegar até a página de integrações e em seguida, clique numa integração configurada para aceder aos cartões de dispositivos.", + "no_areas": "Parece que ainda não tem áreas!" + } + }, + "automation": { + "caption": "Automação", + "description": "Criar e editar automações", + "editor": { + "actions": { + "add": "Adicionar ação", + "delete": "Apagar", + "delete_confirm": "Tem certeza que deseja apagar?", + "duplicate": "Duplicar", + "header": "Ações", + "introduction": "As ações são o que o Home Assistant executará quando a automação for disparada. \\n\\n [Saiba mais sobre ações.] (Https:\/\/home-assistant.io\/docs\/automation\/action\/)", + "learn_more": "Saber mais sobre ações", + "type_select": "Tipo de ação", + "type": { + "condition": { + "label": "Condição" + }, + "delay": { + "delay": "Atraso", + "label": "Atraso" + }, + "device_id": { + "label": "Dispositivo" + }, + "event": { + "event": "Evento", + "label": "Disparar evento", + "service_data": "Informação de Serviço" + }, + "service": { + "label": "Chamar serviço", + "service_data": "Dados para o serviço" + }, + "wait_template": { + "label": "Esperar", + "timeout": "Tempo limite (opcional)", + "wait_template": "Modelo de espera" + } + }, + "unsupported_action": "Ação não suportada: {action}" + }, + "alias": "Nome", + "conditions": { + "add": "Acrescentar condição", + "delete": "Apagar", + "delete_confirm": "Tem certeza que deseja apagar?", + "duplicate": "Duplicar", + "header": "Condições", + "introduction": "As condições são uma parte opcional de uma regra de automação e podem ser usadas para impedir que uma ação ocorra quando um acionador é despoletado. As condições embora pareçam muito semelhantes aos acionadores, são muito diferentes. Um acionador examinará os eventos que acontecem no sistema, enquanto uma condição apenas analisa a forma como o sistema parece no momento. Um acionador pode observar que um interruptor está a ser ligado. Uma condição só pode ver se um interruptor está ligado ou desligado. \\n\\n [Saiba mais sobre as condições.] (Https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", + "learn_more": "Saber mais sobre condições", + "type_select": "Tipo de condição", + "type": { + "and": { + "label": "E" + }, + "device": { + "extra_fields": { + "above": "Acima de", + "below": "Abaixo de", + "for": "Duração" + }, + "label": "Dispositivo" + }, + "numeric_state": { + "above": "Acima", + "below": "Abaixo", + "label": "Estado numérico", + "value_template": "Valor para o modelo (opcional)" + }, + "or": { + "label": "Ou" + }, + "state": { + "label": "Estado", + "state": "Estado" + }, + "sun": { + "after": "Depois do:", + "after_offset": "Posterior ao desfasamento (opcional)", + "before": "Antes do:", + "before_offset": "Anterior ao desfasamento (opcional)", + "label": "Sol", + "sunrise": "Nascer do sol", + "sunset": "Pôr do sol" + }, + "template": { + "label": "Modelo", + "value_template": "Modelo para o valor" + }, + "time": { + "after": "Depois das", + "before": "Antes das", + "label": "Tempo" + }, + "zone": { + "entity": "Entidade com localização", + "label": "Zona", + "zone": "Zona" + } + }, + "unsupported_condition": "Condição não suportada: {condition}" + }, + "default_name": "Nova Automação", + "description": { + "label": "Descrição", + "placeholder": "Descrição opcional" + }, + "introduction": "Crie automações para dar vida à sua casa", + "load_error_not_editable": "Apenas as automações em automations.yaml são editáveis.", + "load_error_unknown": "Erro ao carregar a automação ({err_no}).", + "save": "Guardar", + "triggers": { + "add": "Acrescentar acionador", + "delete": "Apagar", + "delete_confirm": "Tem certeza que deseja apagar?", + "duplicate": "Duplicar", + "header": "Acionadores", + "introduction": "Os acionadores são o que iniciam o processamento de uma regra de automação. É possível especificar vários acionadores para a mesma regra. Uma vez iniciado um acionador, o Home Assistant irá validar as condições, e caso as mesmas ocorram, chamar a ação.\\n\\n[Saiba mais sobre acionadores.](https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", + "learn_more": "Saber mais sobre acionadores", + "type_select": "Tipo de acionador", + "type": { + "device": { + "extra_fields": { + "above": "Acima", + "below": "Abaixo", + "for": "Duração" + }, + "label": "Dispositivo" + }, + "event": { + "event_data": "Dados do evento", + "event_type": "Tipo de evento", + "label": "Evento" + }, + "geo_location": { + "enter": "Entrar", + "event": "Evento:", + "label": "Geolocalização", + "leave": "Sair", + "source": "Fonte", + "zone": "Zona" + }, + "homeassistant": { + "event": "Evento:", + "label": "Home Assistant", + "shutdown": "Desligar", + "start": "Iniciar" + }, + "mqtt": { + "label": "MQTT", + "payload": "Payload (opcional)", + "topic": "Tópico" + }, + "numeric_state": { + "above": "Acima", + "below": "Abaixo", + "label": "Estado numérico", + "value_template": "Valor para o modelo (opcional)" + }, + "state": { + "for": "Durante", + "from": "De", + "label": "Estado", + "to": "Para" + }, + "sun": { + "event": "Evento:", + "label": "Sol", + "offset": "Desfasamento (opcional)", + "sunrise": "Nascer do sol", + "sunset": "Pôr do sol" + }, + "template": { + "label": "Modelo", + "value_template": "Modelo para o valor" + }, + "time_pattern": { + "hours": "Horas", + "label": "Padrão de tempo", + "minutes": "Minutos", + "seconds": "Segundos" + }, + "time": { + "at": "Às", + "label": "Tempo" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook ID" + }, + "zone": { + "enter": "Entrar", + "entity": "Entidade com localização", + "event": "Evento:", + "label": "Zona", + "leave": "Sair", + "zone": "Zona" + } + }, + "unsupported_platform": "Plataforma não suportada: {platform}" + }, + "unsaved_confirm": "Existem alterações não guardadas. Tem a certeza de que quer sair?" + }, + "picker": { + "add_automation": "Acrescentar automação", + "header": "Editor de automação", + "introduction": "O editor de automação permite criar e editar automações. Leia [as instruções] (https:\/\/home-assistant.io\/docs\/automation\/editor\/) para se certificar de que configurou o Home Assistant corretamente.", + "learn_more": "Saber mais sobre automações", + "no_automations": "Não foi possível encontrar nenhuma automação editável", + "pick_automation": "Escolha a automação a editar" + } + }, + "cloud": { + "account": { + "alexa": { + "disable": "Desativar", + "enable": "Ativar" + }, + "connected": "Ligado", + "integrations": "Integrações", + "webhooks": { + "loading": "A carregar...", + "manage": "Gerir", + "no_hooks_yet_link_automation": "automação de webhook", + "no_hooks_yet2": " ou criando um ", + "title": "" + } + }, + "alexa": { + "expose": "Expor para Alexa", + "exposed_entities": "Entidades expostas", + "not_exposed_entities": "Entidades não expostas", + "title": "Alexa" + }, + "caption": "Home Assistant Cloud", + "description_features": "Controle fora de casa, integre com a Alexa e o Google Assistant.", + "description_login": "Ligado como {email}", + "description_not_login": "Não está ligado", + "dialog_certificate": { + "certificate_expiration_date": "Data de validade do certificado", + "certificate_information": "Informações do certificado", + "close": "Fechar", + "fingerprint": "Certificado digital:", + "will_be_auto_renewed": "Será renovado automaticamente" + }, + "dialog_cloudhook": { + "available_at": "O webhook está disponível na seguinte URL:", + "close": "Fechar", + "confirm_disable": "Tem certeza de que deseja desativar este webhook?", + "copied_to_clipboard": "Copiado para a área de transferência", + "info_disable_webhook": "Se não quiser utilizar mais este webhook, poderá", + "link_disable_webhook": "desativá-lo", + "managed_by_integration": "Este webhook é gerido por uma integração e não pode ser desabilitado.", + "view_documentation": "Ver documentação", + "webhook_for": "Webhook para {nome}" + }, + "forgot_password": { + "email": "", + "instructions": "Introduza o seu endereço de e-mail e nós lhe enviaremos um link para redefinir sua password." + }, + "google": { + "disable_2FA": "Desativar a autenticação de dois fatores", + "expose": "Expor ao Google Assistant", + "exposed_entities": "Entidades expostas", + "not_exposed_entities": "Entidades não expostas", + "sync_to_google": "A sincronizar alterações para o Google.", + "title": "Google Assistant" + }, + "login": { + "alert_email_confirm_necessary": "É necessário confirmar o seu e-mail antes de fazer login.", + "email": "", + "email_error_msg": "E-mail inválido" + }, + "register": { + "email_address": "Endereço de e-mail", + "email_error_msg": "E-mail inválido", + "link_terms_conditions": "Termos e condições", + "resend_confirm_email": "Reenviar e-mail de confirmação", + "start_trial": "Iniciar avaliação" + } + }, + "core": { + "caption": "Geral", + "description": "Validar o ficheiro de configuração e controlar o servidor", + "section": { + "core": { + "core_config": { + "edit_requires_storage": "Editor desativado por causa da configuração existente em configuration.yaml.", + "elevation": "Elevação", + "elevation_meters": "metros", + "imperial_example": "Fahrenheit, libras", + "latitude": "Latitude", + "location_name": "Nome da instalação do seu Home Assistant", + "longitude": "Longitude", + "metric_example": "Celsius, quilogramas", + "save_button": "Guardar", + "time_zone": "Fuso horário", + "unit_system": "Unidades do Sistema", + "unit_system_imperial": "Imperial", + "unit_system_metric": "Métrico" + }, + "header": "Configuração e controlo do servidor", + "introduction": "Alterar a configuração pode ser um processo repetitivo. Nós sabemos. Esta secção pretende tornar a sua vida um pouco mais fácil." + }, + "server_control": { + "reloading": { + "automation": "Recarregar automações", + "core": "Recarregar núcleo", + "group": "Recarregar grupos", + "heading": "Recarregar configuração", + "introduction": "Algumas partes do Home Assistant podem ser recarregadas sem necessidade de reiniciar. Ao pressionar em Recarregar irá descarregar a configuração atual e carregar a nova.", + "script": "Recarregar scripts" + }, + "server_management": { + "heading": "Gestão do servidor", + "introduction": "Controle o seu servidor Home Assistant... a partir do Home Assistant", + "restart": "Reiniciar", + "stop": "Parar" + }, + "validation": { + "check_config": "Verificar a configuração", + "heading": "Validar a configuração", + "introduction": "Valide a sua configuração caso a tenha alterado recentemente e quiser certificar-se de que tudo está válido", + "invalid": "Configuração inválida", + "valid": "Configuração válida!" + } + } + } + }, + "customize": { + "caption": "Personalização", + "description": "Personalizar as suas entidades", + "picker": { + "header": "Personalização", + "introduction": "Ajustar atributos por entidade. Personalizações acrescentadas\/editadas terão efeitos imediatos. Remoção de personalizações terão efeito quando a entidade for atualizada." + } + }, + "devices": { + "caption": "Dispositivos", + "description": "Gerir dispositivos ligados" + }, + "entity_registry": { + "caption": "Registo de Entidades", + "description": "Visão geral de todas as entidades conhecidas.", + "editor": { + "confirm_delete": "Tem certeza de que deseja apagar esta entrada?", + "default_name": "Nova Área", + "delete": "APAGAR", + "enabled_cause": "Desativado por {cause}.", + "enabled_description": "Entidades desativadas não serão adicionadas ao Home Assistant.", + "enabled_label": "Entidade permitida", + "unavailable": "Esta entidade não está atualmente disponível.", + "update": "ATUALIZAR" + }, + "picker": { + "header": "Registo de Entidades", + "headers": { + "enabled": "Ativado", + "entity_id": "ID da Entidade", + "integration": "Integração", + "name": "Nome" + }, + "integrations_page": "Página de Integrações", + "introduction": "O Home Assistant mantém um registo de todas as entidades que foram alguma vez detetadas e que podem ser identificadas de uma forma única. Cada uma dessas entidades terá um ID de entidade atribuído, que será reservado apenas para essa entidade.", + "introduction2": "Use o registo da entidade para substituir o nome, alterar o ID da entidade ou remover a entrada do Home Assistant. Note que a remoção da entrada do registo de entidade não removerá a entidade. Para fazer isso, siga o link abaixo e remova-o da página de integrações.", + "unavailable": "(indisponível)" + } + }, + "header": "Configurar o Home Assistant", + "integrations": { + "caption": "Integrações", + "config_entry": { + "delete_confirm": "Tem a certeza que pretende apagar esta integração?", + "device_unavailable": "Dispositivo indisponível", + "entity_unavailable": "Entidade indisponível", + "firmware": "Firmware: {version}", + "hub": "Conectado via", + "manuf": "por {manufacturer}", + "no_area": "Nenhuma Área", + "no_device": "Entidades sem dispositivos", + "no_devices": "Esta integração não possui dispositivos.", + "restart_confirm": "Reinicie o Home Assistant para concluir a remoção desta integração", + "via": "Ligado via" + }, + "config_flow": { + "external_step": { + "description": "Para ser concluída, esta etapa exige que visite um sítio web externo.", + "open_site": "Abrir site" + } + }, + "configure": "Configurar", + "configured": "Configurado", + "description": "Gerir e configurar integrações", + "discovered": "Detetados", + "home_assistant_website": "Site do Home Assistant ", + "new": "Configurar uma nova integração", + "none": "Nada configurado ainda", + "note_about_integrations": "De momento nem todas as integrações podem ser configuradas via UI.", + "note_about_website_reference": "Existem mais disponíveis no" + }, + "introduction": "Aqui é possível configurar os seus componentes e o Home Assistant. Nem tudo é possível de ser configurado a partir da Interface Gráfica, mas estamos a trabalhar para isso.", + "person": { + "add_person": "Adicionar Pessoa", + "caption": "Pessoas", + "confirm_delete": "Tens a certeza que queres eliminar esta pessoa?", + "create_person": "Criar pessoa", + "description": "Gerir as pessoas que o Home Assistant segue.", + "detail": { + "create": "Criar", + "delete": "Apagar", + "device_tracker_intro": "Selecione os dispositivos que pertencem a esta pessoa.", + "device_tracker_pick": "Escolha o dispositivo a seguir", + "device_tracker_picked": "Seguir dispositivo", + "link_integrations_page": "Página de Integrações", + "link_presence_detection_integrations": "Integrações de detecção de presença", + "name": "Nome", + "name_error_msg": "Nome é obrigatório", + "new_person": "Nova Pessoa", + "update": "Atualizar" + }, + "no_persons_created_yet": "Parece que você ainda não criou nenhuma pessoa." + }, + "script": { + "caption": "Script", + "description": "Criar e editar scripts" + }, + "server_control": { + "caption": "Controlo do servidor", + "description": "Reiniciar e parar o servidor do Home Assistant", + "section": { + "reloading": { + "automation": "Recarregar automatizações", + "core": "Recarregar núcleo", + "group": "Recarregar grupos", + "heading": "A recarregar configuração", + "introduction": "Algumas partes do Home Assistant podem ser recarregadas sem necessidade de reiniciar. Ao carregar em Recarregar configuração irá descarregar a configuração atual e carregar a nova.", + "scene": "Recarregar cenas", + "script": "Recarregar scripts" + }, + "server_management": { + "confirm_restart": "Tem certeza de que reiniciar o Home Assistant?", + "confirm_stop": "Tem certeza de que parar o Home Assistant?", + "heading": "Gestão do servidor", + "introduction": "Controlar o seu servidor do Home Assistant... de dentro do Home Assistant.", + "restart": "Reiniciar", + "stop": "Parar" + }, + "validation": { + "check_config": "Verificar a configuração", + "heading": "Validar configuração", + "introduction": "Valide a sua configuração caso tenha alterado recentemente a mesma e quiser certificar-se de que tudo é válido.", + "invalid": "Configuração inválida", + "valid": "Configuração válida!" + } + } + }, + "users": { + "add_user": { + "caption": "Adicionar Utilizador", + "create": "Criar", + "name": "Nome", + "password": "Palavra-passe", + "username": "Nome de Utilizador" + }, + "caption": "Utilizadores", + "description": "Gerir utilizadores", + "editor": { + "activate_user": "Ativar utilizador", + "active": "Ativo", + "caption": "Ver utilizador", + "change_password": "Alterar palavra-passe", + "confirm_user_deletion": "Tem certeza de que deseja apagar {name} ?", + "deactivate_user": "Desativar utilizador", + "delete_user": "Apagar utilizador", + "enter_new_name": "Introduza um novo nome", + "group": "Grupo", + "group_update_failed": "Falha na atualização do grupo:", + "id": "ID", + "owner": "Proprietário", + "rename_user": "Alterar nome do utilizador", + "system_generated": "Gerado pelo sistema", + "system_generated_users_not_removable": "Não é possível remover usuários gerados pelo sistema.", + "unnamed_user": "Utilizador sem nome", + "user_rename_failed": "Falha na renomeação do utilizador:" + }, + "picker": { + "system_generated": "Gerado pelo sistema", + "title": "Utilizadores" + } + }, + "zha": { + "add_device_page": { + "discovery_text": "Os dispositivos descobertos aparecerão aqui. Siga as instruções para o(s) seu(s) dispositivo(s) e coloque o(s) dispositivo(s) em modo de emparelhamento.", + "header": "Zigbee Home Automation - Adicionar dispositivos", + "search_again": "Pesquisar Novamente", + "spinner": "À procura de dispositivos ZHA Zigbee..." + }, + "caption": "ZHA", + "cluster_attributes": { + "get_zigbee_attribute": "Obter atributo Zigbee", + "help_get_zigbee_attribute": "Obter o valor para o atributo selecionado.", + "set_zigbee_attribute": "Definir atributo Zigbee" + }, + "cluster_commands": { + "help_command_dropdown": "Selecione um comando com o qual interagir.", + "issue_zigbee_command": "Emitir comando ZigBee" + }, + "common": { + "add_devices": "Adicionar dispositivos", + "clusters": "Grupos", + "devices": "Dispositivos", + "manufacturer_code_override": "Substituição do código do fabricante", + "value": "Valor" + }, + "description": "Gestão de rede Zigbee Home Automation", + "device_card": { + "area_picker_label": "Área", + "device_name_placeholder": "Nome do utilizador", + "update_name_button": "Atualizar Nome" + }, + "network_management": { + "header": "Gestão ", + "introduction": "Comandos que afetam toda a rede" + }, + "node_management": { + "header": "Gestão dispositivos", + "help_node_dropdown": "Selecione um dispositivo para visualizar as opções por dispositivo." + }, + "services": { + "reconfigure": "Reconfigure o dispositivo ZHA (curar dispositivo). Utilize isto se estiver a ter problemas com o dispositivo. Se o dispositivo em questão for um dispositivo alimentado por uma bateria, ao utilizar este serviço certifique-se de que o equipamento está ativo e a aceitar comandos.", + "remove": "Remover um dispositivo da rede Zigbee.", + "updateDeviceName": "Definir um nome personalizado para este dispositivo no registo do dispositivo." + } + }, + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Índice", + "instance": "Instância", + "unknown": "Desconhecido", + "value": "Valor", + "wakeup_interval": "Intervalo de acordar" + }, + "description": "Gerir a sua rede Z-Wave", + "learn_more": "Saiba mais sobre o Z-Wave", + "network_management": { + "header": "Gestão da rede Z-Wave", + "introduction": "Executar comando que afeta a rede Z-Wave. Não obterá feedback se grande parte dos comandos concluírem com sucesso, mas pode verificar o registo OZW para tentar descobrir." + }, + "network_status": { + "network_started": "Rede Z-Wave iniciada.", + "network_started_note_all_queried": "Todos os nós foram inquiridos.", + "network_started_note_some_queried": "Os nós acordados foram inquiridos. Os nós adormecidos serão inquiridos quando acordarem.", + "network_starting": "A iniciar a rede Z-Wave…", + "network_starting_note": "Isto pode demorar algum tempo dependendo do tamanho da sua rede.", + "network_stopped": "Rede Z-Wave parada." + }, + "node_config": { + "config_parameter": "Configurar parâmetro", + "config_value": "Cofigurar valor", + "false": "Falso", + "header": "Configurar opçoes do nó", + "seconds": "Segundos", + "set_config_parameter": "Definir o parâmetro de configuração", + "set_wakeup": "Definir intervalo de acordar", + "true": "Verdadeiro" + }, + "ozw_log": { + "header": "Log OZW" + }, + "services": { + "add_node": "Adicionar nó", + "add_node_secure": "Adicionar nó seguro", + "cancel_command": "Cancelar comando", + "heal_network": "Curar a Rede", + "remove_node": "Remover nó", + "save_config": "Salvar configuração", + "soft_reset": "Reinicio suave", + "start_network": "Iniciar a rede", + "stop_network": "Parar a rede", + "test_network": "Testar rede" + }, + "values": { + "header": "Valores do Nó" + } + } }, - "preset_mode": { - "none": "Nenhum", - "eco": "Eco", - "away": "Ausente", - "boost": "Impulso", - "comfort": "Conforto", - "home": "Início", - "sleep": "Dormir", - "activity": "Atividade" + "developer-tools": { + "tabs": { + "events": { + "title": "Eventos" + }, + "info": { + "title": "Informações" + }, + "logs": { + "title": "Logs" + }, + "mqtt": { + "title": "MQTT" + }, + "services": { + "title": "Serviços" + }, + "states": { + "title": "Estados" + }, + "templates": { + "title": "Modelos" + } + } }, - "hvac_action": { - "off": "Desligado", - "heating": "Aquecimento", - "cooling": "Resfriar", - "drying": "Secagem", - "idle": "Em espera", - "fan": "Ventoinha" + "history": { + "period": "Período", + "showing_entries": "Mostrar valores para" + }, + "logbook": { + "period": "Período", + "showing_entries": "Mostrar valores para" + }, + "lovelace": { + "cards": { + "empty_state": { + "go_to_integrations_page": "Ir para a página de integrações.", + "no_devices": "Esta página permite-lhe controlar os seus dispositivos, no entanto, parece que ainda não tem dispositivos configurados. Vá para a página de integrações para começar.", + "title": "Bem-vindo a casa" + }, + "picture-elements": { + "call_service": "Chamar o serviço {name}", + "hold": "Mantenha:", + "more_info": "Mostrar mais informações: {name}", + "navigate_to": "Navegue até {location}", + "tap": "Toque:", + "toggle": "Alternar {name}" + }, + "shopping-list": { + "add_item": "Adicionar Item", + "checked_items": "Itens marcados", + "clear_items": "Limpar itens marcados" + } + }, + "changed_toast": { + "message": "A configuração do Lovelace foi atualizada, gostaria de atualizar?", + "refresh": "Atualizar" + }, + "editor": { + "card": { + "alarm_panel": { + "available_states": "Estados Disponíveis" + }, + "alarm-panel": { + "available_states": "Estados Disponíveis", + "name": "Painel de alarme" + }, + "conditional": { + "name": "Condicional" + }, + "config": { + "optional": "Opcional", + "required": "Obrigatório" + }, + "entities": { + "name": "Entidades" + }, + "entity-button": { + "name": "Botão Entidade" + }, + "entity-filter": { + "name": "Filtro de entidade" + }, + "gauge": { + "name": "Manómetro", + "severity": { + "green": "Verde", + "red": "Vermelho", + "yellow": "Amarelo" + } + }, + "generic": { + "entities": "Entidades", + "entity": "Entidade", + "icon": "Ícone", + "icon_height": "Altura do ícone", + "maximum": "Máximo", + "minimum": "Mínimo", + "name": "Nome", + "show_icon": "Mostrar Ícone?", + "show_name": "Mostrar nome?", + "show_state": "Mostrar Estado?", + "theme": "Tema", + "title": "Título", + "unit": "Unidade", + "url": "Url" + }, + "glance": { + "columns": "Colunas" + }, + "history-graph": { + "name": "Gráfico de histórico" + }, + "horizontal-stack": { + "name": "Pilha Horizontal" + }, + "iframe": { + "name": "" + }, + "light": { + "name": "Luz" + }, + "map": { + "name": "Mapa", + "source": "Fonte" + }, + "markdown": { + "name": "" + }, + "picture": { + "name": "Imagem" + }, + "plant-status": { + "name": "Estado da planta" + }, + "sensor": { + "graph_detail": "Detalhe do Gráfico", + "graph_type": "Tipo De Gráfico", + "name": "Sensor" + }, + "shopping-list": { + "name": "Lista de compras" + }, + "thermostat": { + "name": "Termóstato" + }, + "vertical-stack": { + "name": "Pilha Vertical" + }, + "weather-forecast": { + "name": "Previsão do tempo" + } + }, + "edit_card": { + "add": "Adicionar Cartão", + "delete": "Apagar", + "edit": "Editar", + "header": "Configuração do cartão", + "move": "Mover", + "pick_card": "Escolha o cartão que deseja adicionar.", + "save": "Guardar", + "show_code_editor": "Mostrar Editor de Código", + "show_visual_editor": "Mostrar Editor Visual", + "toggle_editor": "Alternar Editor" + }, + "edit_lovelace": { + "explanation": "Este título é mostrado acima de todas as vista em Lovelace.", + "header": "Título da sua interface do Lovelace" + }, + "edit_view": { + "add": "Acrescentar vista", + "delete": "Apagar a vista", + "edit": "Editar vista", + "header": "Ver configuração" + }, + "header": "Editar UI", + "menu": { + "raw_editor": "Editor de configuração do código-fonte" + }, + "migrate": { + "header": "Configuração Incompatível", + "migrate": "Migrar a configuração", + "para_migrate": "Ao clicar no botão 'Migrar configuração', o Home Assistant pode adicionar IDs a todos os seus cartões e vistas automaticamente.", + "para_no_id": "Este elemento não possui um ID. Por favor adicione um ID a este elemento em 'ui-lovelace.yaml'." + }, + "raw_editor": { + "header": "Editar configuração", + "save": "Guardar", + "saved": "Guardada", + "unsaved_changes": "Alterações não guardadas" + }, + "save_config": { + "cancel": "Cancelar", + "header": "Assumir controle sobre a interface do Lovelace", + "para": "Por omissão o Home Assistant irá manter a sua interface de utilizador, atualizando-a sempre que uma nova entidade ou novos componentes Lovelace fiquem disponíveis. Se assumir o controlo, não faremos mais alterações automáticas por si.", + "para_sure": "Tem certeza que deseja assumir o controlo sobre a interface de utilizador?", + "save": "Assumir o controlo" + } + }, + "menu": { + "configure_ui": "Configurar UI", + "help": "Ajuda", + "refresh": "Atualizar", + "unused_entities": "Entidades não utilizadas" + }, + "reload_lovelace": "Recarregar Lovelace", + "warning": { + "entity_non_numeric": "A entidade é não numérica: {entity}", + "entity_not_found": "Entidade não disponível: {entity}" + } + }, + "mailbox": { + "delete_button": "Apagar", + "delete_prompt": "Apagar esta mensagem?", + "empty": "Não tem qualquer mensagem nova", + "playback_title": "Reproduzir mensagem" + }, + "page-authorize": { + "abort_intro": "Início de sessão cancelado", + "authorizing_client": "Está prestes a dar acesso a {clientId} à sua instância do Home Assistant.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Sessão expirou, por favor entre novamente." + }, + "error": { + "invalid_auth": "Nome de utilizador ou palavra-passe inválida", + "invalid_code": "Código de autenticação inválido" + }, + "step": { + "init": { + "data": { + "password": "Palavra-passe", + "username": "Utilizador" + } + }, + "mfa": { + "data": { + "code": "Código de autenticações por dois fatores" + }, + "description": "Abra o **{mfa_module_name}** no seu dispositivo para ver o código de autenticação por dois factores e verificar a sua identidade." + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Sessão expirou, por favor entre novamente." + }, + "error": { + "invalid_auth": "Nome de utilizador ou palavra-passe inválida", + "invalid_code": "Código de autenticação inválido" + }, + "step": { + "init": { + "data": { + "password": "Palavra-passe", + "username": "Utilizador" + } + }, + "mfa": { + "data": { + "code": "Código de autenticação por dois factores" + }, + "description": "Abra o **{mfa_module_name}** no seu dispositivo para ver o código de autenticação por dois factores e verificar a sua identidade." + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Sessão expirou, por favor entre novamente.", + "no_api_password_set": "Não tem uma palavra-passe para a API configurada." + }, + "error": { + "invalid_auth": "Palavra-passe para API inválida", + "invalid_code": "Código de autenticação inválido" + }, + "step": { + "init": { + "data": { + "password": "Palavra-passe para API" + }, + "description": "Por favor, insira a palavra-passe da API na sua configuração http:" + }, + "mfa": { + "data": { + "code": "Código de autenticação por dois factores" + }, + "description": "Abra o **{mfa_module_name}** no seu dispositivo para ver o código de autenticação por dois factores e verificar a sua identidade." + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "O seu computador não está na lista de endereços permitidos." + }, + "step": { + "init": { + "data": { + "user": "Utilizador" + }, + "description": "Por favor selecione o utilizador com o qual pretende entrar:" + } + } + } + }, + "unknown_error": "Algo correu mal", + "working": "Por favor, aguarde" + }, + "initializing": "A inicializar", + "logging_in_with": "Iniciar a sessão com **{authProviderName}**.", + "pick_auth_provider": "Ou entre com" + }, + "page-demo": { + "cards": { + "demo": { + "demo_by": "por {name}", + "introduction": "Bem vindo a casa! Chegou à demonstração do Home Assistant, onde exibimos as melhores UIs criadas pela nossa comunidade.", + "learn_more": "Saiba mais sobre o Home Assistant", + "next_demo": "Próxima demonstração" + } + }, + "config": { + "arsaboo": { + "labels": { + "activity": "Atividade", + "air": "Ar", + "commute_home": "Deslocação até casa", + "entertainment": "Entretenimento", + "hdmi_input": "Entrada HDMI", + "hdmi_switcher": "Comutador HDMI", + "information": "Informação", + "lights": "Luzes", + "morning_commute": "Trajeto da manhã", + "total_tv_time": "Tempo total de TV", + "turn_tv_off": "Desligar a televisão", + "volume": "Volume" + }, + "names": { + "family_room": "Sala", + "hallway": "Corredor", + "kitchen": "Cozinha", + "left": "Esquerda", + "master_bedroom": "Quarto principal", + "mirror": "Espelho", + "patio": "Pátio", + "right": "Direita", + "upstairs": "Andar de cima" + }, + "unit": { + "minutes_abbr": "min", + "watching": "a assistir" + } + } + } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Detetar", + "finish": "Próxima", + "intro": "Olá {name}, bem-vindo ao Home Assistant. Que nome quer dar à sua casa?", + "intro_location": "Gostaríamos de saber onde vive. Esta informação ajudará a exibir informações e a configurar automações baseadas no sol. Os dados nunca são partilhados fora da sua rede.", + "intro_location_detect": "Podemos ajudá-lo a preencher esta informação fazendo um pedido único a um serviço externo.", + "location_name_default": "Início" + }, + "integration": { + "finish": "Terminar", + "intro": "Dispositivos e serviços são representados no Home Assistant como integrações. Pode configurá-los agora ou fazê-lo mais tarde no ecrã de configuração.", + "more_integrations": "Mais" + }, + "intro": "Está pronto para despertar a sua casa, reclamar a sua privacidade e juntar-se a uma comunidade mundial de tecnólogos?", + "user": { + "create_account": "Criar conta", + "data": { + "name": "Nome", + "password": "Palavra-passe", + "password_confirm": "Confirme a palavra-passe", + "username": "Utilizador" + }, + "error": { + "password_not_match": "As palavras-passe não coincidem", + "required_fields": "Preencha todos os campos obrigatórios" + }, + "intro": "Vamos começar por criar um utilizador.", + "required_field": "Obrigatório" + } + }, + "profile": { + "advanced_mode": { + "title": "Modo avançado" + }, + "change_password": { + "confirm_new_password": "Confirmar a nova palavra-passe", + "current_password": "Palavra-passe atual", + "error_required": "Obrigatório", + "header": "Alterar palavra-passe", + "new_password": "Nova palavra-passe", + "submit": "Enviar" + }, + "current_user": "Esta atualmente ligado como {fullName}", + "force_narrow": { + "description": "Isto esconderá por defeito a barra lateral, semelhante à experiência no telemóvel.", + "header": "Esconder sempre a barra lateral." + }, + "is_owner": "Você é um proprietário.", + "language": { + "dropdown_label": "Idioma", + "header": "Idioma", + "link_promo": "Ajude na tradução" + }, + "logout": "Sair", + "long_lived_access_tokens": { + "confirm_delete": "Tem certeza de que deseja apagar o token de acesso de {name} ?", + "create": "Criar Token", + "create_failed": "Falha ao criar o token de acesso.", + "created_at": "Criado a {date}", + "delete_failed": "Falha ao criar o token de acesso.", + "description": "Crie tokens de acesso de longa duração para permitir que os seus scripts possam interagir com a sua instância do Home Assistant. Cada token será válido durante 10 anos após criação. Os seguintes tokens de acesso de longa duração estão atualmente activos.", + "empty_state": "Ainda não tem um token de longa duração", + "header": "Tokens de acesso de longa duração", + "last_used": "Última utilização a {date} em {location}", + "learn_auth_requests": "Aprenda a fazer pedidos autenticados.", + "not_used": "Nunca foi utilizado", + "prompt_copy_token": "Copie o seu token de acesso. Não será mostrado novamente.", + "prompt_name": "Nome?" + }, + "mfa_setup": { + "close": "Fechar", + "step_done": "Configuração concluída para {step}", + "submit": "Enviar", + "title_aborted": "Abortado", + "title_success": "Sucesso!" + }, + "mfa": { + "confirm_disable": "Tem certeza de que deseja desativar {name} ?", + "disable": "Desativar", + "enable": "Ativar", + "header": "Módulos de Autenticação por Multíplos-fatores" + }, + "push_notifications": { + "description": "Enviar notificações para este dispositivo.", + "error_load_platform": "Configurar notify.html5.", + "error_use_https": "Requer SSL ativo para o interface principal", + "header": "Notificações push", + "link_promo": "Saiba mais", + "push_notifications": "Notificações push" + }, + "refresh_tokens": { + "confirm_delete": "Tem certeza de que deseja apagar o \"refresh token\" de {name} ?", + "created_at": "Criado a {date}", + "current_token_tooltip": "Não é possível eliminar o \"refresh token\" actual", + "delete_failed": "Falha ao apagar o \"refresh token\"", + "description": "Cada \"refresh token\" representa uma sessão de utilizador. Os \"refresh tokens\" serão automaticamente removidos quando clicar em sair. Os seguintes \"refresh tokens\" estão activos para a sua conta.", + "header": "Atualizar Tokens", + "last_used": "Última utilização a {date} em {location}", + "not_used": "Nunca foi utilizado", + "token_title": "Atualizar o token de {clientId}" + }, + "themes": { + "dropdown_label": "Tema", + "error_no_theme": "Não há temas disponíveis.", + "header": "Tema", + "link_promo": "Saiba mais sobre temas" + }, + "vibrate": { + "header": "Vibrar" + } + }, + "shopping-list": { + "add_item": "Adicionar item", + "clear_completed": "Limpar concluídos", + "microphone_tip": "Clique no microfone do canto superior direito e diga “Add candy to my shopping list”" } - } - }, - "groups": { - "system-admin": "Administradores", - "system-users": "Utilizadores", - "system-read-only": "Utilizadores só com permissões de leitura" - }, - "config_entry": { - "disabled_by": { - "user": "Utilizador", - "integration": "Integração", - "config_entry": "Editar configuração" + }, + "sidebar": { + "external_app_configuration": "Configuração da Aplicação", + "log_out": "Sair" } } } \ No newline at end of file diff --git a/translations/ro.json b/translations/ro.json index 2a7b22bcbb..074f8bcfdf 100644 --- a/translations/ro.json +++ b/translations/ro.json @@ -1,53 +1,193 @@ { - "panel": { - "config": "Configurare", - "states": "Interfață principală", - "map": "Hartă", - "logbook": "Jurnal", - "history": "Istoric", + "attribute": { + "weather": { + "humidity": "Umiditate", + "visibility": "Vizibilitate", + "wind_speed": "Viteza vântului" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Intrare config", + "integration": "Integrare", + "user": "Utilizator" + } + }, + "domain": { + "alarm_control_panel": "Panoul de control alarma", + "automation": "Automatizări", + "binary_sensor": "Senzor binar", + "calendar": "Calendar", + "camera": "Camera", + "climate": "Clima", + "configurator": "Configurator", + "conversation": "Conversaţie", + "cover": "Jaluzea", + "device_tracker": "Dispozitiv tracker", + "fan": "Ventilator", + "group": "Grup", + "hassio": "Hass.io", + "history_graph": "Istorie grafic", + "homeassistant": "Home Assistant", + "image_processing": "Procesarea imaginii", + "input_boolean": "Selectie On\/Off", + "input_datetime": "Selectați o data", + "input_number": "Selectați numarul", + "input_select": "Selectați", + "input_text": "Introduceti un text", + "light": "Lumina", + "lock": "Blocare", + "lovelace": "Lovelace", "mailbox": "Cutie poștală", - "shopping_list": "Listă de cumpărături", + "media_player": "Media Player", + "notify": "Notifica", + "person": "Persoană", + "plant": "Plantă", + "proximity": "Proximitate", + "remote": "La distanţă", + "scene": "Scenă", + "script": "Scenariu", + "sensor": "Senzor", + "sun": "Soare", + "switch": "Comutator", + "system_health": "Stare Sistem", + "updater": "Updater", + "vacuum": "Aspirator", + "weblink": "Legătură web", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Administratori", + "system-read-only": "Utilizatori cu drepturi de citire", + "system-users": "Utilizatori" + }, + "panel": { + "calendar": "Calendar", + "config": "Configurare", "dev-info": "Info", "developer_tools": "Instrumente de dezvoltare", - "calendar": "Calendar", - "profile": "Profil" + "history": "Istoric", + "logbook": "Jurnal", + "mailbox": "Cutie poștală", + "map": "Hartă", + "profile": "Profil", + "shopping_list": "Listă de cumpărături", + "states": "Interfață principală" }, - "state": { - "default": { - "off": "Oprit", - "on": "Pornit", - "unknown": "Necunoscut", - "unavailable": "Indisponibil" - }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Auto", + "off": "Off", + "on": "On" + }, + "hvac_action": { + "cooling": "Răcire", + "drying": "Uscare", + "fan": "Ventilator", + "heating": "Încălzire", + "idle": "Inactiv", + "off": "Oprit" + }, + "preset_mode": { + "activity": "Activitate", + "away": "Plecat", + "boost": "Boost", + "comfort": "Confort", + "eco": "Eco", + "home": "Acasă", + "none": "Nici unul", + "sleep": "Adormit" + } + } + }, + "state_badge": { "alarm_control_panel": { "armed": "Armat", - "disarmed": "Dezarmat", - "armed_home": "Armat acasă", - "armed_away": "Armat plecat", - "armed_night": "Armat noaptea", - "pending": "În așteptare", + "armed_away": "Armat", + "armed_custom_bypass": "Armat", + "armed_home": "Armat", + "armed_night": "Armat", "arming": "Armare", + "disarmed": "Dezar", + "disarming": "Dezar", + "pending": "În curs", + "triggered": "Decl" + }, + "default": { + "entity_not_found": "Entitatea nu a fost găsită", + "error": "Eroare", + "unavailable": "Indisp", + "unknown": "Nec" + }, + "device_tracker": { + "home": "Acasă", + "not_home": "Plecat" + }, + "person": { + "home": "Acasa", + "not_home": "Plecat" + } + }, + "state": { + "alarm_control_panel": { + "armed": "Armat", + "armed_away": "Armat plecat", + "armed_custom_bypass": "Armare personalizată", + "armed_home": "Armat acasă", + "armed_night": "Armat noaptea", + "arming": "Armare", + "disarmed": "Dezarmat", "disarming": "Dezarmare", - "triggered": "Declanșat", - "armed_custom_bypass": "Armare personalizată" + "pending": "În așteptare", + "triggered": "Declanșat" }, "automation": { "off": "Oprit", "on": "Pornit" }, "binary_sensor": { + "battery": { + "off": "Normal", + "on": "Scăzuta" + }, + "cold": { + "off": "Normal", + "on": "Rece" + }, + "connectivity": { + "off": "Deconectat", + "on": "Conectat" + }, "default": { "off": "Oprit", "on": "Pornit" }, - "moisture": { - "off": "Uscat", - "on": "Umed" + "door": { + "off": "Închis", + "on": "Deschis" + }, + "garage_door": { + "off": "Închis", + "on": "Deschis" }, "gas": { "off": "Liber", "on": "Detecție" }, + "heat": { + "off": "Normal", + "on": "Fierbinte" + }, + "lock": { + "off": "Blocat", + "on": "Deblocat" + }, + "moisture": { + "off": "Uscat", + "on": "Umed" + }, "motion": { "off": "Liber", "on": "Detecție" @@ -56,6 +196,22 @@ "off": "Liber", "on": "Detecție" }, + "opening": { + "off": "Închis", + "on": "Deschis" + }, + "presence": { + "off": "Plecat", + "on": "Acasă" + }, + "problem": { + "off": "OK", + "on": "Problemă" + }, + "safety": { + "off": "Sigur", + "on": "Nesigur" + }, "smoke": { "off": "Liber", "on": "Detecție" @@ -68,53 +224,9 @@ "off": "Liber", "on": "Detecție" }, - "opening": { - "off": "Închis", - "on": "Deschis" - }, - "safety": { - "off": "Sigur", - "on": "Nesigur" - }, - "presence": { - "off": "Plecat", - "on": "Acasă" - }, - "battery": { - "off": "Normal", - "on": "Scăzuta" - }, - "problem": { - "off": "OK", - "on": "Problemă" - }, - "connectivity": { - "off": "Deconectat", - "on": "Conectat" - }, - "cold": { - "off": "Normal", - "on": "Rece" - }, - "door": { - "off": "Închis", - "on": "Deschis" - }, - "garage_door": { - "off": "Închis", - "on": "Deschis" - }, - "heat": { - "off": "Normal", - "on": "Fierbinte" - }, "window": { "off": "Închis", "on": "Deschis" - }, - "lock": { - "off": "Blocat", - "on": "Deblocat" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "Pornit" }, "camera": { + "idle": "Inactiv", "recording": "Înregistrare", - "streaming": "Streaming", - "idle": "Inactiv" + "streaming": "Streaming" }, "climate": { - "off": "Oprit", - "on": "Pornit", - "heat": "Căldură", - "cool": "Rece", - "idle": "Inactiv", "auto": "Auto", + "cool": "Rece", "dry": "Uscat", - "fan_only": "Numai ventilator", "eco": "Eco", "electric": "Electric", - "performance": "Performanţă", - "high_demand": "Consum mare", - "heat_pump": "Pompă de căldură", + "fan_only": "Numai ventilator", "gas": "Gaz", + "heat": "Căldură", + "heat_cool": "Încălzire \/ Răcire", + "heat_pump": "Pompă de căldură", + "high_demand": "Consum mare", + "idle": "Inactiv", "manual": "Manual", - "heat_cool": "Încălzire \/ Răcire" + "off": "Oprit", + "on": "Pornit", + "performance": "Performanţă" }, "configurator": { "configure": "Configurează", "configured": "Configurat" }, "cover": { - "open": "Deschis", - "opening": "Deschidere", "closed": "Închis", "closing": "Închidere", + "open": "Deschis", + "opening": "Deschidere", "stopped": "Oprit" }, + "default": { + "off": "Oprit", + "on": "Pornit", + "unavailable": "Indisponibil", + "unknown": "Necunoscut" + }, "device_tracker": { "home": "Acasă", "not_home": "Plecat" @@ -164,19 +282,19 @@ "on": "Pornit" }, "group": { - "off": "Oprit", - "on": "Pornit", - "home": "Acasă", - "not_home": "Plecat", - "open": "Deschis", - "opening": "Deschidere", "closed": "Închis", "closing": "Închidere", - "stopped": "Oprit", + "home": "Acasă", "locked": "Blocat", - "unlocked": "Deblocat", + "not_home": "Plecat", + "off": "Oprit", "ok": "OK", - "problem": "Problemă" + "on": "Pornit", + "open": "Deschis", + "opening": "Deschidere", + "problem": "Problemă", + "stopped": "Oprit", + "unlocked": "Deblocat" }, "input_boolean": { "off": "Oprit", @@ -191,13 +309,17 @@ "unlocked": "Deblocat" }, "media_player": { + "idle": "Inactiv", "off": "Oprit", "on": "Pornit", - "playing": "Rulează", "paused": "În pauză", - "idle": "Inactiv", + "playing": "Rulează", "standby": "În așteptare" }, + "person": { + "home": "Acasă", + "not_home": "Plecat" + }, "plant": { "ok": "OK", "problem": "Problemă" @@ -225,34 +347,10 @@ "off": "Oprit", "on": "Pornit" }, - "zwave": { - "default": { - "initializing": "Se inițializează", - "dead": "Inactiv", - "sleeping": "Adormit", - "ready": "Disponibil" - }, - "query_stage": { - "initializing": "Se inițializează ( {query_stage} )", - "dead": "Inactiv ({query_stage})" - } - }, - "weather": { - "clear-night": "Noapte senină", - "cloudy": "Noros", - "fog": "Ceaţă", - "hail": "Grindină", - "lightning": "Desărcări electrice", - "lightning-rainy": "Ploaie cu descărcări electrice", - "partlycloudy": "Parțial noros", - "pouring": "Aversă", - "rainy": "Ploios", - "snowy": "Zăpadă", - "snowy-rainy": "Lapoviță și ninsoare", - "sunny": "însorit", - "windy": "Vant", - "windy-variant": "Vant", - "exceptional": "Excepţional" + "timer": { + "active": "activ", + "idle": "inactiv", + "paused": "În pauză" }, "vacuum": { "cleaning": "Curățare", @@ -264,965 +362,99 @@ "paused": "Întrerupt", "returning": "În curs de întoarcere la doc" }, - "timer": { - "active": "activ", - "idle": "inactiv", - "paused": "În pauză" + "weather": { + "clear-night": "Noapte senină", + "cloudy": "Noros", + "exceptional": "Excepţional", + "fog": "Ceaţă", + "hail": "Grindină", + "lightning": "Desărcări electrice", + "lightning-rainy": "Ploaie cu descărcări electrice", + "partlycloudy": "Parțial noros", + "pouring": "Aversă", + "rainy": "Ploios", + "snowy": "Zăpadă", + "snowy-rainy": "Lapoviță și ninsoare", + "sunny": "însorit", + "windy": "Vant", + "windy-variant": "Vant" }, - "person": { - "home": "Acasă", - "not_home": "Plecat" - } - }, - "state_badge": { - "default": { - "unknown": "Nec", - "unavailable": "Indisp", - "error": "Eroare", - "entity_not_found": "Entitatea nu a fost găsită" - }, - "alarm_control_panel": { - "armed": "Armat", - "disarmed": "Dezar", - "armed_home": "Armat", - "armed_away": "Armat", - "armed_night": "Armat", - "pending": "În curs", - "arming": "Armare", - "disarming": "Dezar", - "triggered": "Decl", - "armed_custom_bypass": "Armat" - }, - "device_tracker": { - "home": "Acasă", - "not_home": "Plecat" - }, - "person": { - "home": "Acasa", - "not_home": "Plecat" + "zwave": { + "default": { + "dead": "Inactiv", + "initializing": "Se inițializează", + "ready": "Disponibil", + "sleeping": "Adormit" + }, + "query_stage": { + "dead": "Inactiv ({query_stage})", + "initializing": "Se inițializează ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Stergere finalizată", - "add_item": "Adaugare element", - "microphone_tip": "Atingeți microfonul din partea dreaptă sus și spuneți \"Add candy to my shopping list\"" - }, - "developer-tools": { - "tabs": { - "services": { - "title": "Servicii", - "description": "Instrumentul de serviciu dev vă permite să apelați orice serviciu disponibil în Home Assistant.", - "data": "Date serviciu (YAML, opțional)", - "call_service": "Apelare serviciu", - "select_service": "Alegeți un serviciu pentru a vizualiza descrierea", - "no_description": "Nici o descriere nu este disponibilă", - "no_parameters": "Acest serviciu nu are parametri.", - "column_parameter": "Parametru", - "column_description": "Descriere", - "column_example": "Exemplu", - "fill_example_data": "Completați exemple de date", - "alert_parsing_yaml": "Eroare de parsare YAML: {date}" - }, - "states": { - "title": "Status", - "description1": "Setați reprezentarea unui dispozitiv în cadrul Home Assistant.", - "description2": "Acesta nu va comunica cu dispozitivul actual.", - "entity": "Entitate", - "state": "Stare", - "attributes": "Atribute", - "state_attributes": "Atribute stare (YAML, opțional)", - "set_state": "Stabilire stare", - "current_entities": "Entități actuale", - "filter_entities": "Filtrare entități", - "filter_states": "Filtrare stări", - "filter_attributes": "Filtrare atribute", - "no_entities": "Nu sunt entități", - "more_info": "Mai multe informații", - "alert_entity_field": "Entitatea este un câmp obligatoriu" - }, - "events": { - "title": "Evenimente", - "available_events": "Evenimente disponibile" - }, - "templates": { - "title": "Sabloane", - "description": "Șabloanele sunt redate utilizând motorul de șablon Jinja2 cu unele extensii specifice Home Assistant.", - "editor": "Editor șabloane", - "jinja_documentation": "Șablon documentație Jinja2", - "template_extensions": "Șabloane de extensie pentru Home Assistant", - "unknown_error_template": "Sa produs o eroare de randare necunoscută." - }, - "mqtt": { - "title": "MQTT", - "description_publish": "Publică un pachet", - "topic": "subiect", - "payload": "Sarcină utilă (șablon permis)", - "publish": "Publică", - "description_listen": "Ascultă un subiect", - "listening_to": "Ascultand", - "subscribe_to": "Topic la care să vă abonați", - "start_listening": "Începe ascultare", - "stop_listening": "Nu mai asculta", - "message_received": "Mesajul {id} primit pe {topic} la {time} :" - }, - "info": { - "title": "Info", - "default_ui": "{action} {name} ca pagină implicită pe acest dispozitiv", - "lovelace_ui": "Accesați interfața de utilizare Lovelace", - "states_ui": "Filtrare stări", - "license": "Publicat sub licenta Apache 2.0", - "source": "Sursă:", - "server": "Server", - "frontend": "front-end-ui", - "built_using": "Construit folosind", - "icons_by": "Icoane ca" - }, - "logs": { - "title": "Jurnale" - } - } - }, - "history": { - "showing_entries": "Se afișează intrările pentru", - "period": "Perioadă" - }, - "logbook": { - "showing_entries": "Arata intrări pentru", - "period": "Perioadă" - }, - "mailbox": { - "empty": "Nu aveți mesaje", - "playback_title": "Redarea mesajelor", - "delete_prompt": "Ștergeți acest mesaj?", - "delete_button": "Șterge" - }, - "config": { - "header": "Configurați Home Assistant", - "introduction": "Aici este posibil să vă configurați componentele și Home Assistant. Nu este posibilă configurarea de la UI, dar lucrăm la asta.", - "core": { - "caption": "General", - "description": "Validați fișierul de configurare și controlați serverul", - "section": { - "core": { - "header": "Configurație și control server", - "introduction": "Modificarea configurației poate fi un proces obositor. Noi stim. Această secțiune va încerca să vă facă viața un pic mai ușoară.", - "core_config": { - "edit_requires_storage": "Editorul a fost dezactivat deoarece configurația a fost stocata în configuration.yaml.", - "location_name": "Numele instalarii Home Assistant", - "latitude": "Latitudine", - "longitude": "Longitudine", - "elevation": "Altitudine", - "elevation_meters": "metri", - "time_zone": "Fus orar", - "unit_system": "Unitatea De Sistem", - "unit_system_imperial": "Imperial", - "unit_system_metric": "Metric", - "imperial_example": "Fahrenheit, livre", - "metric_example": "Celsius, kilograme", - "save_button": "Salvați" - } - }, - "server_control": { - "validation": { - "heading": "Validare configurație", - "introduction": "Validați configurația dvs, dacă ați făcut recent unele modificări și doriți să vă asigurați că aceasta este validă.", - "check_config": "Verificați configurația", - "valid": "Configurația este validă!", - "invalid": "Configurația este invalidă" - }, - "reloading": { - "heading": "Refresh configurații", - "introduction": "Unele părți din Home Assistant se pot reîncărca fără a necesita o repornire. Apăsarea reîncărcării va descărca configurația actuală și va încărca noua configurație.", - "core": "Refresh procesor", - "group": "Refresh grupuri", - "automation": "Refresh automatizări", - "script": "Refresh scenarii" - }, - "server_management": { - "heading": "Server de gestionare", - "introduction": "Controlează-ți serverul Home Assistant ... chiar din Home Assistant.", - "restart": "Repornire", - "stop": "Oprire" - } - } - } - }, - "customize": { - "caption": "Personalizare", - "description": "Personalizați-vă entitățile", - "picker": { - "header": "Personalizare", - "introduction": "Atributele per entitate. Particularizările adăugate\/editate vor avea efect imediat. Particularizările eliminate vor avea efect atunci când entitatea este actualizată." - } - }, - "automation": { - "caption": "Automatizări", - "description": "Creați și editați scripturi", - "picker": { - "header": "Editor de automatizare", - "introduction": "Editorul de automatizare vă permite să creați și să editați automatizări. Citiți [instrucțiunile] (https:\/\/home-assistant.io\/docs\/automation\/editor\/) pentru a vă asigura că ați configurat corect Home Assistant.", - "pick_automation": "Alegeți automatizarea pentru a o edita", - "no_automations": "Nu am putut găsi automatizări editabile", - "add_automation": "Adăugați o automatizare", - "learn_more": "Aflați mai multe despre automatizări" - }, - "editor": { - "introduction": "Utilizați automatizări pentru a vă aduce casa în viață", - "default_name": "Automatizare nouă", - "save": "Salvați", - "unsaved_confirm": "Aveți modificări nesalvate. Esti sigur ca vrei sa nu modifici?", - "alias": "Nume", - "triggers": { - "header": "Declanșatoare", - "introduction": "Declanșatoarele sunt cele ce încep procesarea unei reguli de automatizare. Este posibil să specificați mai multe declanșatoare pentru aceeași regulă. Odată ce începe declanșarea, Home Assistant va valida condițiile, dacă este cazul, și va apela acțiunea. \n\n [Aflați mai multe despre declanșatoare.] (Https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", - "add": "Adăugați acțiune", - "duplicate": "Dublura", - "delete": "Ștergeți", - "delete_confirm": "Sigur doriți să ștergeți?", - "unsupported_platform": "Platformă neacceptată: {platform}", - "type_select": "Tip acțiune", - "type": { - "event": { - "label": "Eveniment", - "event_type": "Tip eveniment", - "event_data": "Date eveniment" - }, - "state": { - "label": "Status", - "from": "De la", - "to": "La", - "for": "Pentru" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Eveniment:", - "start": "Începe", - "shutdown": "Închide" - }, - "mqtt": { - "label": "MQTT", - "topic": "Subiect", - "payload": "Incarcare (opțional)" - }, - "numeric_state": { - "label": "Stare numerică", - "above": "Mai sus de", - "below": "Mai jos de", - "value_template": "Valoarea şablon (opţional)" - }, - "sun": { - "label": "Soare", - "event": "Eveniment", - "sunrise": "Răsărit de soare", - "sunset": "Apus de soare", - "offset": "Offset (opțional)" - }, - "template": { - "label": "Şablon", - "value_template": "Valoare șablon" - }, - "time": { - "label": "Timp", - "at": "La" - }, - "zone": { - "label": "Zona", - "entity": "Entitate cu localizare", - "zone": "Zona", - "event": "Eveniment", - "enter": "Intră", - "leave": "Ieși" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "ID-ul Webhook" - }, - "time_pattern": { - "label": "Model de timp", - "hours": "Ore", - "minutes": "Minute", - "seconds": "Secunde" - }, - "geo_location": { - "label": "Localizarea geografică", - "source": "Sursă", - "zone": "Zona", - "event": "Eveniment:", - "enter": "Intră", - "leave": "Ieși" - }, - "device": { - "label": "Dispozitiv" - } - }, - "learn_more": "Aflați mai multe despre triggeri" - }, - "conditions": { - "header": "Condiții", - "introduction": "Condițiile sunt o parte opțională a unei reguli de automatizare și pot fi folosite pentru a împiedica o acțiune să se întâmple atunci când este declanșată. Condițiile par foarte asemănătoare cu declanșatoarele, dar sunt foarte diferite. Un declanșator va privi evenimentele care se întâmplă în sistem, în timp ce o condiție va arăta numai cum arată sistemul acum. Un declanșator poate observa că un comutator este pornit. O condiție poate vedea numai dacă un comutator este în prezent pornit sau oprit. \n\n [Aflați mai multe despre condiții.] (https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", - "add": "Adăugați o condiție", - "duplicate": "Dublura", - "delete": "Șterge", - "delete_confirm": "Ești sigur că vrei să ștergi?", - "unsupported_condition": "Stare neacceptată: {condition}", - "type_select": "Tip condiționare", - "type": { - "state": { - "label": "Status", - "state": "Status" - }, - "numeric_state": { - "label": "Status numeric", - "above": "Mai mare ca:", - "below": "Mai mic ca:", - "value_template": "Valoare sablon (optional)" - }, - "sun": { - "label": "Soare", - "before": "Inainte de:", - "after": "După:", - "before_offset": "Înainte de offset (opțional)", - "after_offset": "După offset (opţional)", - "sunrise": "Răsărit de soare", - "sunset": "Apus de soare" - }, - "template": { - "label": "Sablon", - "value_template": "Valoare sablon" - }, - "time": { - "label": "Timp", - "after": "După", - "before": "Dupa" - }, - "zone": { - "label": "Zone", - "entity": "Entitate cu localizare", - "zone": "Zone" - }, - "device": { - "label": "Dispozitiv" - } - }, - "learn_more": "Aflați mai multe despre condiții" - }, - "actions": { - "header": "Acţiuni", - "introduction": "Acțiunile sunt cele pe care Home Assistant le va face când se declanșează automatizarea. \n\n [Aflați mai multe despre acțiuni.] (https:\/\/home-assistant.io\/docs\/automation\/action\/)", - "add": "Adăugați o acțiune", - "duplicate": "Duplicat", - "delete": "Șterge", - "delete_confirm": "Ești sigur că vrei să ștergi?", - "unsupported_action": "Acțiune nesuportată: {action}", - "type_select": "Tip acțiune", - "type": { - "service": { - "label": "Cheama serviciu", - "service_data": "Date serviciu" - }, - "delay": { - "label": "Întârziere", - "delay": "Întârziere" - }, - "wait_template": { - "label": "Asteptare", - "wait_template": "Sablon Asteptare", - "timeout": "Timeout (opțional)" - }, - "condition": { - "label": "Condiție" - }, - "event": { - "label": "Eveniment declansare", - "event": "Eveniment", - "service_data": "Date servicii" - }, - "device_id": { - "label": "Dispozitiv" - } - }, - "learn_more": "Aflați mai multe despre acțiuni" - }, - "load_error_not_editable": "Numai automatizările din automations.yaml pot fi editate.", - "load_error_unknown": "Eroare la încărcarea automatizării ({err_no})." - } - }, - "script": { - "caption": "Scenariu", - "description": "Creați și editați scenarii" - }, - "zwave": { - "caption": "Z-Wave", - "description": "Gestionați-vă rețeaua Z-Wave", - "network_management": { - "header": "Administrarea retelei Z-Wave", - "introduction": "Executați comenzi care afectează rețeaua Z-Wave. Nu veți primi feedback dacă majoritatea comenzilor au reușit, dar puteți verifica istoricul OZW pentru a încerca să aflați." - }, - "network_status": { - "network_stopped": "Rețeaua Z-Wave Oprita", - "network_starting": "Pornesc rețeaua Z-Wave ...", - "network_starting_note": "Acest lucru poate dura ceva timp, în funcție de dimensiunea rețelei dvs.", - "network_started": "Rețeaua Z-Wave a fost pornita", - "network_started_note_some_queried": "Au fost interogate nodurile active. Nodurile adormite vor fi interogate când se trezesc.", - "network_started_note_all_queried": "Toate nodurile au fost interogate." - }, - "services": { - "start_network": "Porniți rețeaua", - "stop_network": "Opriți rețeaua", - "heal_network": "Heal Network", - "test_network": "Testati Reteaua", - "soft_reset": "Resetare soft", - "save_config": "Salvați Configurația", - "add_node_secure": "Adăugare nod securizat", - "add_node": "Adăugare nod", - "remove_node": "Eliminare nod", - "cancel_command": "Anulați comanda" - }, - "common": { - "value": "Valoare", - "instance": "Instanţă", - "index": "Index", - "unknown": "Necunoscut", - "wakeup_interval": "Interval de trezire" - }, - "values": { - "header": "Valoare nod" - }, - "node_config": { - "header": "Opțiuni de configurare a nodurilor", - "seconds": "Secunde", - "set_wakeup": "Setați interval de trezire", - "config_parameter": "Setați parametrul de configurare", - "config_value": "Configurează valoarea", - "true": "Adevărat", - "false": "Fals", - "set_config_parameter": "Setați parametrul de configurare" - } - }, - "users": { - "caption": "Utilizatori", - "description": "Gestionați utilizatorii", - "picker": { - "title": "Utilizatori" - }, - "editor": { - "rename_user": "Redenumiți utilizatorul", - "change_password": "Schimbaţi parola", - "activate_user": "Activați utilizatorul", - "deactivate_user": "Dezactivați utilizatorul", - "delete_user": "Ștergeți utilizatorul", - "caption": "Vizualizați utilizatorul" - }, - "add_user": { - "caption": "Adăugați utilizator", - "name": "Nume", - "username": "Nume de utilizator", - "password": "Parola", - "create": "Creează" - } - }, - "cloud": { - "caption": "Home Assistant Cloud", - "description_login": "Logat ca {email}", - "description_not_login": "Nu sunteți conectat (ă)", - "description_features": "Controlați-vă casa de la distanta, integrați-vă cu Alexa și Asistentul Google." - }, - "integrations": { - "caption": "Integrări", - "description": "Gestionați dispozitivele și serviciile conectate", - "discovered": "Descoperit", - "configured": "Configurat", - "new": "Configurați o nouă integrare", - "configure": "Configurează", - "none": "Nimic nu a fost configurat încă", - "config_entry": { - "no_devices": "Această integrare nu are dispozitive.", - "no_device": "Entități fără dispozitive", - "delete_confirm": "Sigur doriți să ștergeți această integrare?", - "restart_confirm": "Reporniți Home Assistant pentru a termina eliminarea acestei integrări", - "manuf": "de {manufacturer}", - "via": "Conectat prin", - "firmware": "Firmware: {version}", - "device_unavailable": "dispozitiv indisponibil", - "entity_unavailable": "Entitatea nu este disponibilă", - "no_area": "Nici o zonă", - "hub": "Conectat prin" - }, - "config_flow": { - "external_step": { - "description": "Acest pas necesită să vizitați un site web extern pentru a fi finalizat.", - "open_site": "Deschideți site-ul web" - } - } - }, - "zha": { - "caption": "ZHA", - "description": "Managementul rețelei Zigbee Home Automation", - "services": { - "reconfigure": "Reconfigurați dispozitivul ZHA (dispozitiv de vindecare). Utilizați acest lucru dacă aveți probleme cu dispozitivul. Dacă dispozitivul în cauză este un dispozitiv alimentat cu baterii, asigurați-vă că este treaz și accepta comenzi atunci când utilizați acest serviciu.", - "updateDeviceName": "Setați un nume personalizat pentru acest dispozitiv în registrul de dispozitive.", - "remove": "Eliminați un dispozitiv din rețeaua Zigbee." - }, - "device_card": { - "device_name_placeholder": "Nume dat de utilizator", - "area_picker_label": "Zonă", - "update_name_button": "Actualizați numele" - }, - "add_device_page": { - "header": "Zigbee Home Automation - Adăugați dispozitive", - "spinner": "Căutarea dispozitivelor ZHA Zigbee ...", - "discovery_text": "Dispozitivele descoperite vor apărea aici. Urmați instrucțiunile pentru dispozitiv (e) și așezați dispozitivul (ele) în modul de împerechere." - } - }, - "area_registry": { - "caption": "Registrul zonelor", - "description": "Privire de ansamblu asupra tuturor zonelor din casa ta.", - "picker": { - "header": "Registrul zonelor", - "introduction": "Zonele sunt folosite pentru a organiza unde sunt dispozitivele. Aceste informații vor fi utilizate de către Home Assistant pentru a vă ajuta să vă organizați interfața, permisiunile și integrarea cu alte sisteme.", - "introduction2": "Pentru a plasa dispozitive într-o zonă, utilizați link-ul de mai jos pentru a naviga la pagina de integrare și apoi faceți clic pe o integrare configurată pentru a ajunge la cardurile dispozitivului.", - "integrations_page": "Pagina de integrari", - "no_areas": "Se pare că nu ai nici o zonă încă!", - "create_area": "CREARE ZONĂ" - }, - "no_areas": "Se pare că nu ai nici o zonă încă!", - "create_area": "CREARE ZONĂ", - "editor": { - "default_name": "Zonă nouă", - "delete": "ȘTERGEȚI", - "update": "ACTUALIZAȚI", - "create": "CREAȚI" - } - }, - "entity_registry": { - "caption": "Registrul de entități", - "description": "Prezentare generală a tuturor entităților cunoscute.", - "picker": { - "header": "Registrul de entități", - "unavailable": "(indisponibil)", - "introduction": "Home Assistant păstrează un registru al fiecărei entități pe care a văzut-o vreodată, care poate fi identificată în mod unic. Fiecare dintre aceste entități va avea un ID de entitate atribuit care va fi rezervat doar pentru această entitate.", - "introduction2": "Utilizați registrul de entități pentru a înlocui numele, schimba identitatea entității sau a elimina înregistrarea din Home Assistant. Rețineți că eliminarea intrării din registrul entității nu va elimina entitatea. Pentru aceasta, urmați linkul de mai jos și eliminați-l din pagina de integrare.", - "integrations_page": "Pagina de integrari" - }, - "editor": { - "unavailable": "Această entitate nu este disponibilă momentan.", - "default_name": "Zonă nouă", - "delete": "ȘTERGE", - "update": "ACTUALIZAȚI", - "enabled_label": "Activează entitatea", - "enabled_cause": "Dezactivat de {cause}.", - "enabled_description": "Entitățile dezactivate nu vof fi adăugate in Home Assistant" - } - }, - "person": { - "caption": "Persoane", - "description": "Gestionează persoanele pe care Home Assistant le urmărește.", - "detail": { - "name": "Nume", - "device_tracker_intro": "Selectați dispozitivele care aparțin acestei persoane.", - "device_tracker_picked": "Urmăriți dispozitivul", - "device_tracker_pick": "Alegeți dispozitivul pentru a urmări" - } - }, - "server_control": { - "caption": "Control server", - "description": "Repornește si oprește serverul Home Assistant", - "section": { - "validation": { - "heading": "Validare configurație", - "introduction": "Validați configurația dvs. dacă ați făcut recent unele modificări și doriți să vă asigurați că aceasta este validă", - "check_config": "Verificați configurația", - "valid": "Configurația este validă!", - "invalid": "Configurația este invalidă" - }, - "reloading": { - "heading": "Reîncărcarea configurației", - "introduction": "Unele părți din Home Assistant se pot reîncărca fără a necesita o repornire. Apăsarea reîncărcării va dezactiva configurația actuală și va încărca noua configurație.", - "core": "Reîncărcați nucleul", - "group": "Reîncărcați grupurile", - "automation": "Reîncarcă automatizările", - "script": "Reîncărcați script-uri", - "scene": "Reîncărca scenarii" - }, - "server_management": { - "heading": "Managementul serverului", - "introduction": "Controlează-ți serverul Home Assistant ... din Home Assistant.", - "restart": "Repornire", - "stop": "Oprire", - "confirm_restart": "Sigur doriți să reporniți Home Assistant?", - "confirm_stop": "Sigur doriți să opriți Home Assistant?" - } - } - }, - "devices": { - "caption": "Dispozitive", - "description": "Gestionați dispozitivele conectate" - } - }, - "profile": { - "push_notifications": { - "header": "Notificări", - "description": "Trimiteți notificări către acest dispozitiv.", - "error_load_platform": "Configurați notify.html5.", - "error_use_https": "Necesită SSL activat pentru interfaţă.", - "push_notifications": "Notificări", - "link_promo": "Aflați mai multe" - }, - "language": { - "header": "Limba", - "link_promo": "Ajută la traducere", - "dropdown_label": "Limba" - }, - "themes": { - "header": "Temă", - "error_no_theme": "Nu există teme disponibile.", - "link_promo": "Aflați mai multe despre teme", - "dropdown_label": "Temă" - }, - "refresh_tokens": { - "header": "Tokenuri de innoire", - "description": "Fiecare token de innoire reprezinta o sesiune de logare. Tokenuriile de innoire vor fi inlaturate cand se da click pe log out. Urmatoarele tokenuri de innoire sunt active in contul dumneavoastra.", - "token_title": "înnoirea token pentru {clientId}", - "created_at": "Creat in {date}", - "confirm_delete": "Sigur doriti sa stergeti tokenul de acces pentru {name}?", - "delete_failed": "Ştergerea tokenului de acces eşuată", - "last_used": "Ultima utilizate la {date} din {location}", - "not_used": "Nu a fost utilizat niciodata", - "current_token_tooltip": "Nu se poate șterge tokenul actual de actualizare" - }, - "long_lived_access_tokens": { - "header": "Tokenuri de acces de lunga durata", - "description": "Creați tokenuri de acces cu durată lungă de viață pentru a permite script-urilor dvs. să interacționeze cu instanța dvs. Home Assistant. Fiecare token va fi valabil timp de 10 ani de la creatie. Următoarele tokenuri de acces de lungă durată sunt active la ora actuala.", - "learn_auth_requests": "Aflați cum să faceți cereri autentificate.", - "created_at": "Creat in {date}", - "confirm_delete": "Sigur doriti sa stergeti tokenul de acces pentru {name}?", - "delete_failed": "Ştergerea tokenului de acces eşuată", - "create": "Creaza un Token", - "create_failed": "Crearea tokenului de acces eşuată", - "prompt_name": "Nume?", - "prompt_copy_token": "Copia token-ul de acces. Acesta nu va fi afișat din nou.", - "empty_state": "Nu aveți tokenuri de acces de lungă durată deocamdata", - "last_used": "Ultima utilizare la {date} din {location}", - "not_used": "Nu a fost utilizat niciodata" - }, - "current_user": "În prezent sunteți conectat ca {fullName}.", - "is_owner": "Sunteți proprietar.", - "change_password": { - "header": "Schimbaţi parola", - "current_password": "Parola Curentă", - "new_password": "Parolă Nouă", - "confirm_new_password": "Confirmați Noua Parolă", - "error_required": "Necesar", - "submit": "Trimite" - }, - "mfa": { - "header": "Autentificare cu doi factori", - "disable": "Dezactivați", - "enable": "Activați", - "confirm_disable": "Sigur doriți să dezactivați {name} ?" - }, - "mfa_setup": { - "title_aborted": "Anulat", - "title_success": "Succes!", - "step_done": "Configurarea făcută pentru {step}", - "close": "Închide", - "submit": "Trimite" - }, - "logout": "Deconectare", - "force_narrow": { - "header": "Ascunde întotdeauna bara laterală", - "description": "Aceasta va ascunde bara laterală în mod prestabilit, similar cu experiența mobilă." - } - }, - "page-authorize": { - "initializing": "Inițializează", - "authorizing_client": "Sunteți pe punctul de a da {clientId} accesul la instanța dumneavoastra de Home Assistant", - "logging_in_with": "Conectare cu **{authProviderName}**.", - "pick_auth_provider": "Sau conectați-vă cu", - "abort_intro": "Conectare intrerupta", - "form": { - "working": "Te rog așteaptă", - "unknown_error": "Ceva n-a mers bine", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Nume de utilizator", - "password": "Parola" - } - }, - "mfa": { - "data": { - "code": "Autentificare cu doi factori" - }, - "description": "Deschideti **{mfa_module_name}** pe dispozitivul d-voastra pentru a vedea codul de 'two-factor authentication' si a va verifica indentitatea:" - } - }, - "error": { - "invalid_auth": "nume de utilizator sau parola incorecte", - "invalid_code": "Codul 'Two-factor Authentication' invalid" - }, - "abort": { - "login_expired": "Sesiunea a expirat, va rugam logati-va din nou." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "Parola API" - }, - "description": "Introduceti parola API in http config:" - }, - "mfa": { - "data": { - "code": "Autentificare cu doi factori" - }, - "description": "Deschideti **{mfa_module_name}** pe dispozitivul d-voastra pentru a vedea codul de 'two-factor authentication' si a va verifica indentitatea:" - } - }, - "error": { - "invalid_auth": "Parola API nevalidă", - "invalid_code": "Codul 'Two-factor Authentication' invalid" - }, - "abort": { - "no_api_password_set": "Nu aveți o parolă API configurată.", - "login_expired": "Sesiunea a expirat, va rugam logati-va din nou." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Utilizator" - }, - "description": "Selectati utilizatorul cu care doriti sa va logati:" - } - }, - "abort": { - "not_whitelisted": "Calculatorul dvs. nu este pe lista albă." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Utilizator", - "password": "Parola" - } - }, - "mfa": { - "data": { - "code": "Cod Autentificare in doi pasi" - }, - "description": "Deschideti **{mfa_module_name}** pe dispozitivul d-voastra pentru a vedea codul de 'two-factor authentication' si a va verifica indentitatea:" - } - }, - "error": { - "invalid_auth": "nume de utilizator sau parola incorecte", - "invalid_code": "Cod invalid pentru autentificare" - }, - "abort": { - "login_expired": "Sesiunea a expirat, va rugam logati-va din nou." - } - } - } - } - }, - "page-onboarding": { - "intro": "Sunteți gata să vă treziți casa, să vă recuperați intimitatea și să vă alăturați unei comunități mondiale de creatori?", - "user": { - "intro": "Să începem prin crearea unui cont de utilizator.", - "required_field": "Necesar", - "data": { - "name": "Nume", - "username": "Nume de utilizator", - "password": "Parola", - "password_confirm": "Confirmare parolă" - }, - "create_account": "Creează cont", - "error": { - "required_fields": "Completați toate câmpurile obligatorii", - "password_not_match": "Parolele nu se potrivesc" - } - }, - "integration": { - "intro": "Dispozitivele și serviciile sunt reprezentate în Home Assistant ca integrări. Aveți posibilitatea să le configurați acum sau să le faceți mai târziu din ecranul de configurare.", - "more_integrations": "Mai Mult", - "finish": "Termina" - }, - "core-config": { - "intro": "Salut {name}, bine ați venit la Home Assistant. Cum ți-ar plăcea să-ți numești casa?", - "intro_location": "Am vrea să știm unde locuiți. Aceste informații vă vor ajuta să afișați informații și să configurați automatizări bazate pe soare. Aceste date nu sunt niciodată distribuite în afara rețelei dvs.", - "intro_location_detect": "Vă putem ajuta să completați aceste informații făcând o cerere unică unui serviciu extern.", - "location_name_default": "Acasă", - "button_detect": "Detecteaza", - "finish": "Următorul" - } - }, - "lovelace": { - "cards": { - "shopping-list": { - "checked_items": "Elementele selectate", - "clear_items": "Ștergeți elementele selectate", - "add_item": "Adaugare element" - }, - "empty_state": { - "title": "Bun venit acasă", - "no_devices": "Această pagină vă permite să controlați dispozitivele dvs., cu toate acestea se pare că nu aveți dispozitive configurate încă. Du-te la pagina integrări pentru a începe.", - "go_to_integrations_page": "Du-te la pagina integrări." - }, - "picture-elements": { - "hold": "Țineți apăsat:", - "tap": "Atingeți:", - "navigate_to": "Navigați la {location}", - "toggle": "Comutați {name}", - "call_service": "Apeleaza servicul {name}", - "more_info": "Afișați mai multe informații: {name}" - } - }, - "editor": { - "edit_card": { - "header": "Configurare card", - "save": "Salvați", - "toggle_editor": "Activeaza editor", - "pick_card": "Alegeți cardul pe care doriți să îl adăugați.", - "add": "Adăugare card", - "edit": "Editeaza", - "delete": "Șterge", - "move": "Muta", - "options": "Mai multe optiuni" - }, - "migrate": { - "header": "Configurație Incompatibilă", - "para_no_id": "Acest element nu are un ID. Adăugați un ID la acest element în \"ui-lovelace.yaml\".", - "para_migrate": "Home Assistant poate adăuga ID-ul la toate cărțile și vizualizările în mod automat pentru tine apăsând butonul \"Migrează configurația\".", - "migrate": "Migrează configurația" - }, - "header": "Editați interfața utilizator", - "edit_view": { - "header": "Vizualizați configurația", - "add": "Adăugați vizualizare", - "edit": "Editați vizualizarea", - "delete": "Ștergeți vizualizarea" - }, - "save_config": { - "header": "Preia controlul asupra interfața dvs. Lovelace", - "para": "În mod implicit, Home Assistant va menține interfața dvs. de utilizator, actualizându-l atunci când entitățile noi sau componente Lovelace devin disponibile. Dacă preluați controlul, nu vom mai face automat modificări pentru dvs.", - "para_sure": "Sigur doriți să preluați controlul asupra interfeței dvs. de utilizator?", - "cancel": "Nu contează", - "save": "Preia controlul" - }, - "menu": { - "raw_editor": "Raw config editor", - "open": "Deschideti meniul Lovelace" - }, - "raw_editor": { - "header": "Editați configurația", - "save": "Salvați", - "unsaved_changes": "Modificări nesalvate", - "saved": "Salvat" - }, - "edit_lovelace": { - "header": "Titlul interfeței dvs. Lovelace", - "explanation": "Acest titlu este arătat mai sus toate punctele de vedere în Lovelace." - }, - "card": { - "entities": { - "toggle": "Schimbati entitatile" - } - } - }, - "menu": { - "configure_ui": "Configurați interfața utilizator", - "unused_entities": "Entități neutilizate", - "help": "Ajutor", - "refresh": "Reîmprospătare" - }, - "warning": { - "entity_not_found": "Entitatea nu este disponibilă: {entity}", - "entity_non_numeric": "Entitatea este non-numerică: {entity}" - }, - "changed_toast": { - "message": "Configurația Lovelace a fost actualizată, doriți să reîmprospătați?", - "refresh": "Reîmprospătare" - }, - "reload_lovelace": "Reîncarcă Lovelace" - }, - "page-demo": { - "cards": { - "demo": { - "demo_by": "dupa {name}", - "next_demo": "Următorul demo", - "introduction": "Bine ai venit acasa! Ați ajuns la demo-ul Home Assistant, unde prezentăm cele mai bune interfețe utilizator, create de comunitatea noastră.", - "learn_more": "Aflați mai multe despre Home Assistant" - } - }, - "config": { - "arsaboo": { - "names": { - "upstairs": "Etaj", - "family_room": "Cameră de familie", - "kitchen": "Bucătărie", - "patio": "Patio", - "hallway": "Hol", - "master_bedroom": "Dormitor Principal", - "left": "Stânga", - "right": "Dreapta", - "mirror": "Oglindă" - }, - "labels": { - "lights": "Lumini", - "information": "Informație", - "morning_commute": "Naveta De Dimineață", - "commute_home": "Naveta la domiciliu", - "entertainment": "Divertisment", - "activity": "Activitate", - "hdmi_input": "Intrare HDMI", - "hdmi_switcher": "Comutator HDMI", - "volume": "Volum", - "total_tv_time": "Timp total de televiziune", - "turn_tv_off": "Opriți televizorul", - "air": "Aer" - }, - "unit": { - "watching": "vizionare", - "minutes_abbr": "min" - } - } - } - } - }, - "sidebar": { - "log_out": "Deconectare", - "external_app_configuration": "Configurație aplicație", - "sidebar_toggle": "Schimbati bara laterală" - }, - "common": { - "loading": "Se încarcă", - "cancel": "Revocare", - "save": "Salvați", - "successfully_saved": "Opțiunile salvate cu succes." - }, - "duration": { - "day": "{count}{count, plural,\n one { zi }\n other { zile }\n}", - "week": "{count}{count, plural,\n one { săptămână }\n other { săptămâni }\n}", - "second": "{count} {count, plural,\none {secunda}\nother {secunde}\n}", - "minute": "{count} {count, plural,\n one { minut }\n other { minute }\n}", - "hour": "{count}{count, plural,\n one { ora }\n other { ore }\n}" - }, - "login-form": { - "password": "Parola", - "remember": "Reține", - "log_in": "Conectare" + "auth_store": { + "ask": "Doriți să salvați aceste date de conectare?", + "confirm": "Salvați datele de conectare", + "decline": "Nu, mulţumesc" }, "card": { + "alarm_control_panel": { + "arm_away": "Armat plecat", + "arm_custom_bypass": "Bypass personalizat", + "arm_home": "Armat acasă", + "arm_night": "Armat noaptea", + "armed_custom_bypass": "Bypass personalizat", + "clear_code": "Şterge", + "code": "Cod Alarmă", + "disarm": "Dezarmat" + }, + "automation": { + "last_triggered": "Ultima declanșare", + "trigger": "Declanşare" + }, "camera": { "not_available": "Imaginea nu este disponibila" }, + "climate": { + "aux_heat": "Încălzire auxiliară", + "away_mode": "Plecat", + "currently": "În prezent", + "fan_mode": "Mod ventilator", + "on_off": "Pornit \/ Oprit", + "operation": "Operație", + "preset_mode": "Presetare", + "swing_mode": "Mod baleare", + "target_humidity": "Țintă umiditate", + "target_temperature": "Temperatura țintă" + }, + "cover": { + "position": "Poziţie", + "tilt_position": "Poziție de înclinare" + }, + "fan": { + "direction": "Direcţie", + "forward": "Înainte", + "oscillate": "Oscilare", + "reverse": "Invers", + "speed": "Viteză" + }, + "light": { + "brightness": "Luminozitate", + "color_temperature": "Temperatura de culoare", + "effect": "Efect", + "white_value": "Valoare albă" + }, + "lock": { + "code": "Cod", + "lock": "Blocat", + "unlock": "Deblocare" + }, + "media_player": { + "sound_mode": "Mod sunet", + "source": "Sursă", + "text_to_speak": "Text pentru a vorbi" + }, "persistent_notification": { "dismiss": "Ascunde" }, @@ -1232,6 +464,30 @@ "script": { "execute": "Executa" }, + "timer": { + "actions": { + "cancel": "Revocare", + "finish": "Termina", + "pause": "Pauză", + "start": "Începe" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Reluați curățarea", + "return_to_base": "Întoarcere la doc", + "start_cleaning": "Începeți curățarea", + "turn_off": "Opriți", + "turn_on": "Porniți" + } + }, + "water_heater": { + "away_mode": "Plecat", + "currently": "În prezent", + "on_off": "Pornit \/ Oprit", + "operation": "Operație", + "target_temperature": "Temperatura țintă" + }, "weather": { "attributes": { "air_pressure": "Presiunea aerului", @@ -1247,8 +503,8 @@ "n": "Nord", "ne": "NordEst", "nne": "NordNordEst", - "nw": "NW", "nnw": "NordNordVest", + "nw": "NW", "s": "Sud", "se": "SudEst", "sse": "SudSudEst", @@ -1259,129 +515,51 @@ "wsw": "VestSudVest" }, "forecast": "Prognoză" - }, - "alarm_control_panel": { - "code": "Cod Alarmă", - "clear_code": "Şterge", - "disarm": "Dezarmat", - "arm_home": "Armat acasă", - "arm_away": "Armat plecat", - "arm_night": "Armat noaptea", - "armed_custom_bypass": "Bypass personalizat", - "arm_custom_bypass": "Bypass personalizat" - }, - "automation": { - "last_triggered": "Ultima declanșare", - "trigger": "Declanşare" - }, - "cover": { - "position": "Poziţie", - "tilt_position": "Poziție de înclinare" - }, - "fan": { - "speed": "Viteză", - "oscillate": "Oscilare", - "direction": "Direcţie", - "forward": "Înainte", - "reverse": "Invers" - }, - "light": { - "brightness": "Luminozitate", - "color_temperature": "Temperatura de culoare", - "white_value": "Valoare albă", - "effect": "Efect" - }, - "media_player": { - "text_to_speak": "Text pentru a vorbi", - "source": "Sursă", - "sound_mode": "Mod sunet" - }, - "climate": { - "currently": "În prezent", - "on_off": "Pornit \/ Oprit", - "target_temperature": "Temperatura țintă", - "target_humidity": "Țintă umiditate", - "operation": "Operație", - "fan_mode": "Mod ventilator", - "swing_mode": "Mod baleare", - "away_mode": "Plecat", - "aux_heat": "Încălzire auxiliară", - "preset_mode": "Presetare" - }, - "lock": { - "code": "Cod", - "lock": "Blocat", - "unlock": "Deblocare" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Reluați curățarea", - "return_to_base": "Întoarcere la doc", - "start_cleaning": "Începeți curățarea", - "turn_on": "Porniți", - "turn_off": "Opriți" - } - }, - "water_heater": { - "currently": "În prezent", - "on_off": "Pornit \/ Oprit", - "target_temperature": "Temperatura țintă", - "operation": "Operație", - "away_mode": "Plecat" - }, - "timer": { - "actions": { - "start": "Începe", - "pause": "Pauză", - "cancel": "Revocare", - "finish": "Termina" - } } }, + "common": { + "cancel": "Revocare", + "loading": "Se încarcă", + "save": "Salvați", + "successfully_saved": "Opțiunile salvate cu succes." + }, "components": { + "device-picker": { + "clear": "Şterge", + "show_devices": "Arata dispozitivele" + }, "entity": { "entity-picker": { - "entity": "Entitate", "clear": "Şterge", + "entity": "Entitate", "show_entities": "Arata entitatile" } }, - "service-picker": { - "service": "Serviciu" - }, - "relative_time": { - "past": "{time} în urmă", - "future": "În {time}", - "never": "Niciodată", - "duration": { - "second": "{count} {count, plural,\none {secunda}\nother {secunde}\n}", - "minute": "{count} {count, plural,\n one { minut }\n other { minute }\n}", - "hour": "{count}{count, plural,\n one { ora }\n other { ore }\n}", - "day": "{count}{count, plural,\n one { zi }\n other { zile }\n}", - "week": "{count}{count, plural,\n one { săptămână }\n other { săptămâni }\n}" - } - }, "history_charts": { "loading_history": "Încărcarea istoricului de stare ...", "no_history_found": "Nici un istoric de stare nu a fost găsit." }, - "device-picker": { - "clear": "Şterge", - "show_devices": "Arata dispozitivele" + "relative_time": { + "duration": { + "day": "{count}{count, plural,\\n one { zi }\\n other { zile }\\n}", + "hour": "{count}{count, plural,\\n one { ora }\\n other { ore }\\n}", + "minute": "{count} {count, plural,\\n one { minut }\\n other { minute }\\n}", + "second": "{count} {count, plural,\\none {secunda}\\nother {secunde}\\n}", + "week": "{count}{count, plural,\\n one { săptămână }\\n other { săptămâni }\\n}" + }, + "future": "În {time}", + "never": "Niciodată", + "past": "{time} în urmă" + }, + "service-picker": { + "service": "Serviciu" } }, - "notification_toast": { - "entity_turned_on": "Pornit {entity}", - "entity_turned_off": "Oprit {entity}.", - "service_called": "Serviciu {service} apelat.", - "service_call_failed": "Nu s-a putut apela serviciul {service}.", - "connection_lost": "Conexiunea a fost pierdută. Se reconectează ..." - }, "dialogs": { - "more_info_settings": { - "save": "Salvați", - "name": "Nume suprascris", - "entity_id": "ID-ul entității" + "config_entry_system_options": { + "enable_new_entities_description": "Dacă sunt dezactivate, entitățile recent descoperite nu vor fi adăugate automat la Home Assistant.", + "enable_new_entities_label": "Activează entitățile nou adăugate", + "title": "Setări de sistem" }, "more_info_control": { "script": { @@ -1396,6 +574,11 @@ "title": "Actualizați instrucțiunile" } }, + "more_info_settings": { + "entity_id": "ID-ul entității", + "name": "Nume suprascris", + "save": "Salvați" + }, "options_flow": { "form": { "header": "Opțiuni" @@ -1404,125 +587,942 @@ "description": "Opțiunile salvate cu succes." } }, - "config_entry_system_options": { - "title": "Setări de sistem", - "enable_new_entities_label": "Activează entitățile nou adăugate", - "enable_new_entities_description": "Dacă sunt dezactivate, entitățile recent descoperite nu vor fi adăugate automat la Home Assistant." - }, "zha_device_info": { "manuf": "de {manufacturer}", "no_area": "Nici o zonă", "services": { "reconfigure": "Reconfigurați dispozitivul ZHA (dispozitiv de vindecare). Utilizați acest lucru dacă aveți probleme cu dispozitivul. Dacă dispozitivul în cauză este un dispozitiv alimentat cu baterii, asigurați-vă că este treaz și accepta comenzi atunci când utilizați acest serviciu.", - "updateDeviceName": "Setați un nume personalizat pentru acest dispozitiv în registrul de dispozitive.", - "remove": "Eliminați un dispozitiv din rețeaua Zigbee." + "remove": "Eliminați un dispozitiv din rețeaua Zigbee.", + "updateDeviceName": "Setați un nume personalizat pentru acest dispozitiv în registrul de dispozitive." }, "zha_device_card": { - "device_name_placeholder": "Nume dat de utilizator", "area_picker_label": "Zonă", + "device_name_placeholder": "Nume dat de utilizator", "update_name_button": "Actualizați numele" } } }, - "auth_store": { - "ask": "Doriți să salvați aceste date de conectare?", - "decline": "Nu, mulţumesc", - "confirm": "Salvați datele de conectare" + "duration": { + "day": "{count}{count, plural,\\n one { zi }\\n other { zile }\\n}", + "hour": "{count}{count, plural,\\n one { ora }\\n other { ore }\\n}", + "minute": "{count} {count, plural,\\n one { minut }\\n other { minute }\\n}", + "second": "{count} {count, plural,\\none {secunda}\\nother {secunde}\\n}", + "week": "{count}{count, plural,\\n one { săptămână }\\n other { săptămâni }\\n}" + }, + "login-form": { + "log_in": "Conectare", + "password": "Parola", + "remember": "Reține" }, "notification_drawer": { "click_to_configure": "Faceți clic pe buton pentru a configura {entity}", "empty": "Nicio notificare", "title": "Notificări" - } - }, - "domain": { - "alarm_control_panel": "Panoul de control alarma", - "automation": "Automatizări", - "binary_sensor": "Senzor binar", - "calendar": "Calendar", - "camera": "Camera", - "climate": "Clima", - "configurator": "Configurator", - "conversation": "Conversaţie", - "cover": "Jaluzea", - "device_tracker": "Dispozitiv tracker", - "fan": "Ventilator", - "history_graph": "Istorie grafic", - "group": "Grup", - "image_processing": "Procesarea imaginii", - "input_boolean": "Selectie On\/Off", - "input_datetime": "Selectați o data", - "input_select": "Selectați", - "input_number": "Selectați numarul", - "input_text": "Introduceti un text", - "light": "Lumina", - "lock": "Blocare", - "mailbox": "Cutie poștală", - "media_player": "Media Player", - "notify": "Notifica", - "plant": "Plantă", - "proximity": "Proximitate", - "remote": "La distanţă", - "scene": "Scenă", - "script": "Scenariu", - "sensor": "Senzor", - "sun": "Soare", - "switch": "Comutator", - "updater": "Updater", - "weblink": "Legătură web", - "zwave": "Z-Wave", - "vacuum": "Aspirator", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Stare Sistem", - "person": "Persoană" - }, - "attribute": { - "weather": { - "humidity": "Umiditate", - "visibility": "Vizibilitate", - "wind_speed": "Viteza vântului" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Off", - "on": "On", - "auto": "Auto" + }, + "notification_toast": { + "connection_lost": "Conexiunea a fost pierdută. Se reconectează ...", + "entity_turned_off": "Oprit {entity}.", + "entity_turned_on": "Pornit {entity}", + "service_call_failed": "Nu s-a putut apela serviciul {service}.", + "service_called": "Serviciu {service} apelat." + }, + "panel": { + "config": { + "area_registry": { + "caption": "Registrul zonelor", + "create_area": "CREARE ZONĂ", + "description": "Privire de ansamblu asupra tuturor zonelor din casa ta.", + "editor": { + "create": "CREAȚI", + "default_name": "Zonă nouă", + "delete": "ȘTERGEȚI", + "update": "ACTUALIZAȚI" + }, + "no_areas": "Se pare că nu ai nici o zonă încă!", + "picker": { + "create_area": "CREARE ZONĂ", + "header": "Registrul zonelor", + "integrations_page": "Pagina de integrari", + "introduction": "Zonele sunt folosite pentru a organiza unde sunt dispozitivele. Aceste informații vor fi utilizate de către Home Assistant pentru a vă ajuta să vă organizați interfața, permisiunile și integrarea cu alte sisteme.", + "introduction2": "Pentru a plasa dispozitive într-o zonă, utilizați link-ul de mai jos pentru a naviga la pagina de integrare și apoi faceți clic pe o integrare configurată pentru a ajunge la cardurile dispozitivului.", + "no_areas": "Se pare că nu ai nici o zonă încă!" + } + }, + "automation": { + "caption": "Automatizări", + "description": "Creați și editați scripturi", + "editor": { + "actions": { + "add": "Adăugați o acțiune", + "delete": "Șterge", + "delete_confirm": "Ești sigur că vrei să ștergi?", + "duplicate": "Duplicat", + "header": "Acţiuni", + "introduction": "Acțiunile sunt cele pe care Home Assistant le va face când se declanșează automatizarea. \\n\\n [Aflați mai multe despre acțiuni.] (https:\/\/home-assistant.io\/docs\/automation\/action\/)", + "learn_more": "Aflați mai multe despre acțiuni", + "type_select": "Tip acțiune", + "type": { + "condition": { + "label": "Condiție" + }, + "delay": { + "delay": "Întârziere", + "label": "Întârziere" + }, + "device_id": { + "label": "Dispozitiv" + }, + "event": { + "event": "Eveniment", + "label": "Eveniment declansare", + "service_data": "Date servicii" + }, + "service": { + "label": "Cheama serviciu", + "service_data": "Date serviciu" + }, + "wait_template": { + "label": "Asteptare", + "timeout": "Timeout (opțional)", + "wait_template": "Sablon Asteptare" + } + }, + "unsupported_action": "Acțiune nesuportată: {action}" + }, + "alias": "Nume", + "conditions": { + "add": "Adăugați o condiție", + "delete": "Șterge", + "delete_confirm": "Ești sigur că vrei să ștergi?", + "duplicate": "Dublura", + "header": "Condiții", + "introduction": "Condițiile sunt o parte opțională a unei reguli de automatizare și pot fi folosite pentru a împiedica o acțiune să se întâmple atunci când este declanșată. Condițiile par foarte asemănătoare cu declanșatoarele, dar sunt foarte diferite. Un declanșator va privi evenimentele care se întâmplă în sistem, în timp ce o condiție va arăta numai cum arată sistemul acum. Un declanșator poate observa că un comutator este pornit. O condiție poate vedea numai dacă un comutator este în prezent pornit sau oprit. \\n\\n [Aflați mai multe despre condiții.] (https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", + "learn_more": "Aflați mai multe despre condiții", + "type_select": "Tip condiționare", + "type": { + "device": { + "label": "Dispozitiv" + }, + "numeric_state": { + "above": "Mai mare ca:", + "below": "Mai mic ca:", + "label": "Status numeric", + "value_template": "Valoare sablon (optional)" + }, + "state": { + "label": "Status", + "state": "Status" + }, + "sun": { + "after": "După:", + "after_offset": "După offset (opţional)", + "before": "Inainte de:", + "before_offset": "Înainte de offset (opțional)", + "label": "Soare", + "sunrise": "Răsărit de soare", + "sunset": "Apus de soare" + }, + "template": { + "label": "Sablon", + "value_template": "Valoare sablon" + }, + "time": { + "after": "După", + "before": "Dupa", + "label": "Timp" + }, + "zone": { + "entity": "Entitate cu localizare", + "label": "Zone", + "zone": "Zone" + } + }, + "unsupported_condition": "Stare neacceptată: {condition}" + }, + "default_name": "Automatizare nouă", + "introduction": "Utilizați automatizări pentru a vă aduce casa în viață", + "load_error_not_editable": "Numai automatizările din automations.yaml pot fi editate.", + "load_error_unknown": "Eroare la încărcarea automatizării ({err_no}).", + "save": "Salvați", + "triggers": { + "add": "Adăugați acțiune", + "delete": "Ștergeți", + "delete_confirm": "Sigur doriți să ștergeți?", + "duplicate": "Dublura", + "header": "Declanșatoare", + "introduction": "Declanșatoarele sunt cele ce încep procesarea unei reguli de automatizare. Este posibil să specificați mai multe declanșatoare pentru aceeași regulă. Odată ce începe declanșarea, Home Assistant va valida condițiile, dacă este cazul, și va apela acțiunea. \\n\\n [Aflați mai multe despre declanșatoare.] (Https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", + "learn_more": "Aflați mai multe despre triggeri", + "type_select": "Tip acțiune", + "type": { + "device": { + "label": "Dispozitiv" + }, + "event": { + "event_data": "Date eveniment", + "event_type": "Tip eveniment", + "label": "Eveniment" + }, + "geo_location": { + "enter": "Intră", + "event": "Eveniment:", + "label": "Localizarea geografică", + "leave": "Ieși", + "source": "Sursă", + "zone": "Zona" + }, + "homeassistant": { + "event": "Eveniment:", + "label": "Home Assistant", + "shutdown": "Închide", + "start": "Începe" + }, + "mqtt": { + "label": "MQTT", + "payload": "Incarcare (opțional)", + "topic": "Subiect" + }, + "numeric_state": { + "above": "Mai sus de", + "below": "Mai jos de", + "label": "Stare numerică", + "value_template": "Valoarea şablon (opţional)" + }, + "state": { + "for": "Pentru", + "from": "De la", + "label": "Status", + "to": "La" + }, + "sun": { + "event": "Eveniment", + "label": "Soare", + "offset": "Offset (opțional)", + "sunrise": "Răsărit de soare", + "sunset": "Apus de soare" + }, + "template": { + "label": "Şablon", + "value_template": "Valoare șablon" + }, + "time_pattern": { + "hours": "Ore", + "label": "Model de timp", + "minutes": "Minute", + "seconds": "Secunde" + }, + "time": { + "at": "La", + "label": "Timp" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "ID-ul Webhook" + }, + "zone": { + "enter": "Intră", + "entity": "Entitate cu localizare", + "event": "Eveniment", + "label": "Zona", + "leave": "Ieși", + "zone": "Zona" + } + }, + "unsupported_platform": "Platformă neacceptată: {platform}" + }, + "unsaved_confirm": "Aveți modificări nesalvate. Esti sigur ca vrei sa nu modifici?" + }, + "picker": { + "add_automation": "Adăugați o automatizare", + "header": "Editor de automatizare", + "introduction": "Editorul de automatizare vă permite să creați și să editați automatizări. Citiți [instrucțiunile] (https:\/\/home-assistant.io\/docs\/automation\/editor\/) pentru a vă asigura că ați configurat corect Home Assistant.", + "learn_more": "Aflați mai multe despre automatizări", + "no_automations": "Nu am putut găsi automatizări editabile", + "pick_automation": "Alegeți automatizarea pentru a o edita" + } + }, + "cloud": { + "caption": "Home Assistant Cloud", + "description_features": "Controlați-vă casa de la distanta, integrați-vă cu Alexa și Asistentul Google.", + "description_login": "Logat ca {email}", + "description_not_login": "Nu sunteți conectat (ă)" + }, + "core": { + "caption": "General", + "description": "Validați fișierul de configurare și controlați serverul", + "section": { + "core": { + "core_config": { + "edit_requires_storage": "Editorul a fost dezactivat deoarece configurația a fost stocata în configuration.yaml.", + "elevation": "Altitudine", + "elevation_meters": "metri", + "imperial_example": "Fahrenheit, livre", + "latitude": "Latitudine", + "location_name": "Numele instalarii Home Assistant", + "longitude": "Longitudine", + "metric_example": "Celsius, kilograme", + "save_button": "Salvați", + "time_zone": "Fus orar", + "unit_system": "Unitatea De Sistem", + "unit_system_imperial": "Imperial", + "unit_system_metric": "Metric" + }, + "header": "Configurație și control server", + "introduction": "Modificarea configurației poate fi un proces obositor. Noi stim. Această secțiune va încerca să vă facă viața un pic mai ușoară." + }, + "server_control": { + "reloading": { + "automation": "Refresh automatizări", + "core": "Refresh procesor", + "group": "Refresh grupuri", + "heading": "Refresh configurații", + "introduction": "Unele părți din Home Assistant se pot reîncărca fără a necesita o repornire. Apăsarea reîncărcării va descărca configurația actuală și va încărca noua configurație.", + "script": "Refresh scenarii" + }, + "server_management": { + "heading": "Server de gestionare", + "introduction": "Controlează-ți serverul Home Assistant ... chiar din Home Assistant.", + "restart": "Repornire", + "stop": "Oprire" + }, + "validation": { + "check_config": "Verificați configurația", + "heading": "Validare configurație", + "introduction": "Validați configurația dvs, dacă ați făcut recent unele modificări și doriți să vă asigurați că aceasta este validă.", + "invalid": "Configurația este invalidă", + "valid": "Configurația este validă!" + } + } + } + }, + "customize": { + "caption": "Personalizare", + "description": "Personalizați-vă entitățile", + "picker": { + "header": "Personalizare", + "introduction": "Atributele per entitate. Particularizările adăugate\/editate vor avea efect imediat. Particularizările eliminate vor avea efect atunci când entitatea este actualizată." + } + }, + "devices": { + "caption": "Dispozitive", + "description": "Gestionați dispozitivele conectate" + }, + "entity_registry": { + "caption": "Registrul de entități", + "description": "Prezentare generală a tuturor entităților cunoscute.", + "editor": { + "default_name": "Zonă nouă", + "delete": "ȘTERGE", + "enabled_cause": "Dezactivat de {cause}.", + "enabled_description": "Entitățile dezactivate nu vof fi adăugate in Home Assistant", + "enabled_label": "Activează entitatea", + "unavailable": "Această entitate nu este disponibilă momentan.", + "update": "ACTUALIZAȚI" + }, + "picker": { + "header": "Registrul de entități", + "integrations_page": "Pagina de integrari", + "introduction": "Home Assistant păstrează un registru al fiecărei entități pe care a văzut-o vreodată, care poate fi identificată în mod unic. Fiecare dintre aceste entități va avea un ID de entitate atribuit care va fi rezervat doar pentru această entitate.", + "introduction2": "Utilizați registrul de entități pentru a înlocui numele, schimba identitatea entității sau a elimina înregistrarea din Home Assistant. Rețineți că eliminarea intrării din registrul entității nu va elimina entitatea. Pentru aceasta, urmați linkul de mai jos și eliminați-l din pagina de integrare.", + "unavailable": "(indisponibil)" + } + }, + "header": "Configurați Home Assistant", + "integrations": { + "caption": "Integrări", + "config_entry": { + "delete_confirm": "Sigur doriți să ștergeți această integrare?", + "device_unavailable": "dispozitiv indisponibil", + "entity_unavailable": "Entitatea nu este disponibilă", + "firmware": "Firmware: {version}", + "hub": "Conectat prin", + "manuf": "de {manufacturer}", + "no_area": "Nici o zonă", + "no_device": "Entități fără dispozitive", + "no_devices": "Această integrare nu are dispozitive.", + "restart_confirm": "Reporniți Home Assistant pentru a termina eliminarea acestei integrări", + "via": "Conectat prin" + }, + "config_flow": { + "external_step": { + "description": "Acest pas necesită să vizitați un site web extern pentru a fi finalizat.", + "open_site": "Deschideți site-ul web" + } + }, + "configure": "Configurează", + "configured": "Configurat", + "description": "Gestionați dispozitivele și serviciile conectate", + "discovered": "Descoperit", + "new": "Configurați o nouă integrare", + "none": "Nimic nu a fost configurat încă" + }, + "introduction": "Aici este posibil să vă configurați componentele și Home Assistant. Nu este posibilă configurarea de la UI, dar lucrăm la asta.", + "person": { + "caption": "Persoane", + "description": "Gestionează persoanele pe care Home Assistant le urmărește.", + "detail": { + "device_tracker_intro": "Selectați dispozitivele care aparțin acestei persoane.", + "device_tracker_pick": "Alegeți dispozitivul pentru a urmări", + "device_tracker_picked": "Urmăriți dispozitivul", + "name": "Nume" + } + }, + "script": { + "caption": "Scenariu", + "description": "Creați și editați scenarii" + }, + "server_control": { + "caption": "Control server", + "description": "Repornește si oprește serverul Home Assistant", + "section": { + "reloading": { + "automation": "Reîncarcă automatizările", + "core": "Reîncărcați nucleul", + "group": "Reîncărcați grupurile", + "heading": "Reîncărcarea configurației", + "introduction": "Unele părți din Home Assistant se pot reîncărca fără a necesita o repornire. Apăsarea reîncărcării va dezactiva configurația actuală și va încărca noua configurație.", + "scene": "Reîncărca scenarii", + "script": "Reîncărcați script-uri" + }, + "server_management": { + "confirm_restart": "Sigur doriți să reporniți Home Assistant?", + "confirm_stop": "Sigur doriți să opriți Home Assistant?", + "heading": "Managementul serverului", + "introduction": "Controlează-ți serverul Home Assistant ... din Home Assistant.", + "restart": "Repornire", + "stop": "Oprire" + }, + "validation": { + "check_config": "Verificați configurația", + "heading": "Validare configurație", + "introduction": "Validați configurația dvs. dacă ați făcut recent unele modificări și doriți să vă asigurați că aceasta este validă", + "invalid": "Configurația este invalidă", + "valid": "Configurația este validă!" + } + } + }, + "users": { + "add_user": { + "caption": "Adăugați utilizator", + "create": "Creează", + "name": "Nume", + "password": "Parola", + "username": "Nume de utilizator" + }, + "caption": "Utilizatori", + "description": "Gestionați utilizatorii", + "editor": { + "activate_user": "Activați utilizatorul", + "caption": "Vizualizați utilizatorul", + "change_password": "Schimbaţi parola", + "deactivate_user": "Dezactivați utilizatorul", + "delete_user": "Ștergeți utilizatorul", + "rename_user": "Redenumiți utilizatorul" + }, + "picker": { + "title": "Utilizatori" + } + }, + "zha": { + "add_device_page": { + "discovery_text": "Dispozitivele descoperite vor apărea aici. Urmați instrucțiunile pentru dispozitiv (e) și așezați dispozitivul (ele) în modul de împerechere.", + "header": "Zigbee Home Automation - Adăugați dispozitive", + "spinner": "Căutarea dispozitivelor ZHA Zigbee ..." + }, + "caption": "ZHA", + "description": "Managementul rețelei Zigbee Home Automation", + "device_card": { + "area_picker_label": "Zonă", + "device_name_placeholder": "Nume dat de utilizator", + "update_name_button": "Actualizați numele" + }, + "services": { + "reconfigure": "Reconfigurați dispozitivul ZHA (dispozitiv de vindecare). Utilizați acest lucru dacă aveți probleme cu dispozitivul. Dacă dispozitivul în cauză este un dispozitiv alimentat cu baterii, asigurați-vă că este treaz și accepta comenzi atunci când utilizați acest serviciu.", + "remove": "Eliminați un dispozitiv din rețeaua Zigbee.", + "updateDeviceName": "Setați un nume personalizat pentru acest dispozitiv în registrul de dispozitive." + } + }, + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Index", + "instance": "Instanţă", + "unknown": "Necunoscut", + "value": "Valoare", + "wakeup_interval": "Interval de trezire" + }, + "description": "Gestionați-vă rețeaua Z-Wave", + "network_management": { + "header": "Administrarea retelei Z-Wave", + "introduction": "Executați comenzi care afectează rețeaua Z-Wave. Nu veți primi feedback dacă majoritatea comenzilor au reușit, dar puteți verifica istoricul OZW pentru a încerca să aflați." + }, + "network_status": { + "network_started": "Rețeaua Z-Wave a fost pornita", + "network_started_note_all_queried": "Toate nodurile au fost interogate.", + "network_started_note_some_queried": "Au fost interogate nodurile active. Nodurile adormite vor fi interogate când se trezesc.", + "network_starting": "Pornesc rețeaua Z-Wave ...", + "network_starting_note": "Acest lucru poate dura ceva timp, în funcție de dimensiunea rețelei dvs.", + "network_stopped": "Rețeaua Z-Wave Oprita" + }, + "node_config": { + "config_parameter": "Setați parametrul de configurare", + "config_value": "Configurează valoarea", + "false": "Fals", + "header": "Opțiuni de configurare a nodurilor", + "seconds": "Secunde", + "set_config_parameter": "Setați parametrul de configurare", + "set_wakeup": "Setați interval de trezire", + "true": "Adevărat" + }, + "services": { + "add_node": "Adăugare nod", + "add_node_secure": "Adăugare nod securizat", + "cancel_command": "Anulați comanda", + "heal_network": "Heal Network", + "remove_node": "Eliminare nod", + "save_config": "Salvați Configurația", + "soft_reset": "Resetare soft", + "start_network": "Porniți rețeaua", + "stop_network": "Opriți rețeaua", + "test_network": "Testati Reteaua" + }, + "values": { + "header": "Valoare nod" + } + } }, - "preset_mode": { - "none": "Nici unul", - "eco": "Eco", - "away": "Plecat", - "boost": "Boost", - "comfort": "Confort", - "home": "Acasă", - "sleep": "Adormit", - "activity": "Activitate" + "developer-tools": { + "tabs": { + "events": { + "available_events": "Evenimente disponibile", + "title": "Evenimente" + }, + "info": { + "built_using": "Construit folosind", + "default_ui": "{action} {name} ca pagină implicită pe acest dispozitiv", + "frontend": "front-end-ui", + "icons_by": "Icoane ca", + "license": "Publicat sub licenta Apache 2.0", + "lovelace_ui": "Accesați interfața de utilizare Lovelace", + "server": "Server", + "source": "Sursă:", + "states_ui": "Filtrare stări", + "title": "Info" + }, + "logs": { + "title": "Jurnale" + }, + "mqtt": { + "description_listen": "Ascultă un subiect", + "description_publish": "Publică un pachet", + "listening_to": "Ascultand", + "message_received": "Mesajul {id} primit pe {topic} la {time} :", + "payload": "Sarcină utilă (șablon permis)", + "publish": "Publică", + "start_listening": "Începe ascultare", + "stop_listening": "Nu mai asculta", + "subscribe_to": "Topic la care să vă abonați", + "title": "MQTT", + "topic": "subiect" + }, + "services": { + "alert_parsing_yaml": "Eroare de parsare YAML: {date}", + "call_service": "Apelare serviciu", + "column_description": "Descriere", + "column_example": "Exemplu", + "column_parameter": "Parametru", + "data": "Date serviciu (YAML, opțional)", + "description": "Instrumentul de serviciu dev vă permite să apelați orice serviciu disponibil în Home Assistant.", + "fill_example_data": "Completați exemple de date", + "no_description": "Nici o descriere nu este disponibilă", + "no_parameters": "Acest serviciu nu are parametri.", + "select_service": "Alegeți un serviciu pentru a vizualiza descrierea", + "title": "Servicii" + }, + "states": { + "alert_entity_field": "Entitatea este un câmp obligatoriu", + "attributes": "Atribute", + "current_entities": "Entități actuale", + "description1": "Setați reprezentarea unui dispozitiv în cadrul Home Assistant.", + "description2": "Acesta nu va comunica cu dispozitivul actual.", + "entity": "Entitate", + "filter_attributes": "Filtrare atribute", + "filter_entities": "Filtrare entități", + "filter_states": "Filtrare stări", + "more_info": "Mai multe informații", + "no_entities": "Nu sunt entități", + "set_state": "Stabilire stare", + "state": "Stare", + "state_attributes": "Atribute stare (YAML, opțional)", + "title": "Status" + }, + "templates": { + "description": "Șabloanele sunt redate utilizând motorul de șablon Jinja2 cu unele extensii specifice Home Assistant.", + "editor": "Editor șabloane", + "jinja_documentation": "Șablon documentație Jinja2", + "template_extensions": "Șabloane de extensie pentru Home Assistant", + "title": "Sabloane", + "unknown_error_template": "Sa produs o eroare de randare necunoscută." + } + } }, - "hvac_action": { - "off": "Oprit", - "heating": "Încălzire", - "cooling": "Răcire", - "drying": "Uscare", - "idle": "Inactiv", - "fan": "Ventilator" + "history": { + "period": "Perioadă", + "showing_entries": "Se afișează intrările pentru" + }, + "logbook": { + "period": "Perioadă", + "showing_entries": "Arata intrări pentru" + }, + "lovelace": { + "cards": { + "empty_state": { + "go_to_integrations_page": "Du-te la pagina integrări.", + "no_devices": "Această pagină vă permite să controlați dispozitivele dvs., cu toate acestea se pare că nu aveți dispozitive configurate încă. Du-te la pagina integrări pentru a începe.", + "title": "Bun venit acasă" + }, + "picture-elements": { + "call_service": "Apeleaza servicul {name}", + "hold": "Țineți apăsat:", + "more_info": "Afișați mai multe informații: {name}", + "navigate_to": "Navigați la {location}", + "tap": "Atingeți:", + "toggle": "Comutați {name}" + }, + "shopping-list": { + "add_item": "Adaugare element", + "checked_items": "Elementele selectate", + "clear_items": "Ștergeți elementele selectate" + } + }, + "changed_toast": { + "message": "Configurația Lovelace a fost actualizată, doriți să reîmprospătați?", + "refresh": "Reîmprospătare" + }, + "editor": { + "card": { + "entities": { + "toggle": "Schimbati entitatile" + } + }, + "edit_card": { + "add": "Adăugare card", + "delete": "Șterge", + "edit": "Editeaza", + "header": "Configurare card", + "move": "Muta", + "options": "Mai multe optiuni", + "pick_card": "Alegeți cardul pe care doriți să îl adăugați.", + "save": "Salvați", + "toggle_editor": "Activeaza editor" + }, + "edit_lovelace": { + "explanation": "Acest titlu este arătat mai sus toate punctele de vedere în Lovelace.", + "header": "Titlul interfeței dvs. Lovelace" + }, + "edit_view": { + "add": "Adăugați vizualizare", + "delete": "Ștergeți vizualizarea", + "edit": "Editați vizualizarea", + "header": "Vizualizați configurația" + }, + "header": "Editați interfața utilizator", + "menu": { + "open": "Deschideti meniul Lovelace", + "raw_editor": "Raw config editor" + }, + "migrate": { + "header": "Configurație Incompatibilă", + "migrate": "Migrează configurația", + "para_migrate": "Home Assistant poate adăuga ID-ul la toate cărțile și vizualizările în mod automat pentru tine apăsând butonul \"Migrează configurația\".", + "para_no_id": "Acest element nu are un ID. Adăugați un ID la acest element în \"ui-lovelace.yaml\"." + }, + "raw_editor": { + "header": "Editați configurația", + "save": "Salvați", + "saved": "Salvat", + "unsaved_changes": "Modificări nesalvate" + }, + "save_config": { + "cancel": "Nu contează", + "header": "Preia controlul asupra interfața dvs. Lovelace", + "para": "În mod implicit, Home Assistant va menține interfața dvs. de utilizator, actualizându-l atunci când entitățile noi sau componente Lovelace devin disponibile. Dacă preluați controlul, nu vom mai face automat modificări pentru dvs.", + "para_sure": "Sigur doriți să preluați controlul asupra interfeței dvs. de utilizator?", + "save": "Preia controlul" + } + }, + "menu": { + "configure_ui": "Configurați interfața utilizator", + "help": "Ajutor", + "refresh": "Reîmprospătare", + "unused_entities": "Entități neutilizate" + }, + "reload_lovelace": "Reîncarcă Lovelace", + "warning": { + "entity_non_numeric": "Entitatea este non-numerică: {entity}", + "entity_not_found": "Entitatea nu este disponibilă: {entity}" + } + }, + "mailbox": { + "delete_button": "Șterge", + "delete_prompt": "Ștergeți acest mesaj?", + "empty": "Nu aveți mesaje", + "playback_title": "Redarea mesajelor" + }, + "page-authorize": { + "abort_intro": "Conectare intrerupta", + "authorizing_client": "Sunteți pe punctul de a da {clientId} accesul la instanța dumneavoastra de Home Assistant", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Sesiunea a expirat, va rugam logati-va din nou." + }, + "error": { + "invalid_auth": "nume de utilizator sau parola incorecte", + "invalid_code": "Cod invalid pentru autentificare" + }, + "step": { + "init": { + "data": { + "password": "Parola", + "username": "Utilizator" + } + }, + "mfa": { + "data": { + "code": "Cod Autentificare in doi pasi" + }, + "description": "Deschideti **{mfa_module_name}** pe dispozitivul d-voastra pentru a vedea codul de 'two-factor authentication' si a va verifica indentitatea:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Sesiunea a expirat, va rugam logati-va din nou." + }, + "error": { + "invalid_auth": "nume de utilizator sau parola incorecte", + "invalid_code": "Codul 'Two-factor Authentication' invalid" + }, + "step": { + "init": { + "data": { + "password": "Parola", + "username": "Nume de utilizator" + } + }, + "mfa": { + "data": { + "code": "Autentificare cu doi factori" + }, + "description": "Deschideti **{mfa_module_name}** pe dispozitivul d-voastra pentru a vedea codul de 'two-factor authentication' si a va verifica indentitatea:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Sesiunea a expirat, va rugam logati-va din nou.", + "no_api_password_set": "Nu aveți o parolă API configurată." + }, + "error": { + "invalid_auth": "Parola API nevalidă", + "invalid_code": "Codul 'Two-factor Authentication' invalid" + }, + "step": { + "init": { + "data": { + "password": "Parola API" + }, + "description": "Introduceti parola API in http config:" + }, + "mfa": { + "data": { + "code": "Autentificare cu doi factori" + }, + "description": "Deschideti **{mfa_module_name}** pe dispozitivul d-voastra pentru a vedea codul de 'two-factor authentication' si a va verifica indentitatea:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Calculatorul dvs. nu este pe lista albă." + }, + "step": { + "init": { + "data": { + "user": "Utilizator" + }, + "description": "Selectati utilizatorul cu care doriti sa va logati:" + } + } + } + }, + "unknown_error": "Ceva n-a mers bine", + "working": "Te rog așteaptă" + }, + "initializing": "Inițializează", + "logging_in_with": "Conectare cu **{authProviderName}**.", + "pick_auth_provider": "Sau conectați-vă cu" + }, + "page-demo": { + "cards": { + "demo": { + "demo_by": "dupa {name}", + "introduction": "Bine ai venit acasa! Ați ajuns la demo-ul Home Assistant, unde prezentăm cele mai bune interfețe utilizator, create de comunitatea noastră.", + "learn_more": "Aflați mai multe despre Home Assistant", + "next_demo": "Următorul demo" + } + }, + "config": { + "arsaboo": { + "labels": { + "activity": "Activitate", + "air": "Aer", + "commute_home": "Naveta la domiciliu", + "entertainment": "Divertisment", + "hdmi_input": "Intrare HDMI", + "hdmi_switcher": "Comutator HDMI", + "information": "Informație", + "lights": "Lumini", + "morning_commute": "Naveta De Dimineață", + "total_tv_time": "Timp total de televiziune", + "turn_tv_off": "Opriți televizorul", + "volume": "Volum" + }, + "names": { + "family_room": "Cameră de familie", + "hallway": "Hol", + "kitchen": "Bucătărie", + "left": "Stânga", + "master_bedroom": "Dormitor Principal", + "mirror": "Oglindă", + "patio": "Patio", + "right": "Dreapta", + "upstairs": "Etaj" + }, + "unit": { + "minutes_abbr": "min", + "watching": "vizionare" + } + } + } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Detecteaza", + "finish": "Următorul", + "intro": "Salut {name}, bine ați venit la Home Assistant. Cum ți-ar plăcea să-ți numești casa?", + "intro_location": "Am vrea să știm unde locuiți. Aceste informații vă vor ajuta să afișați informații și să configurați automatizări bazate pe soare. Aceste date nu sunt niciodată distribuite în afara rețelei dvs.", + "intro_location_detect": "Vă putem ajuta să completați aceste informații făcând o cerere unică unui serviciu extern.", + "location_name_default": "Acasă" + }, + "integration": { + "finish": "Termina", + "intro": "Dispozitivele și serviciile sunt reprezentate în Home Assistant ca integrări. Aveți posibilitatea să le configurați acum sau să le faceți mai târziu din ecranul de configurare.", + "more_integrations": "Mai Mult" + }, + "intro": "Sunteți gata să vă treziți casa, să vă recuperați intimitatea și să vă alăturați unei comunități mondiale de creatori?", + "user": { + "create_account": "Creează cont", + "data": { + "name": "Nume", + "password": "Parola", + "password_confirm": "Confirmare parolă", + "username": "Nume de utilizator" + }, + "error": { + "password_not_match": "Parolele nu se potrivesc", + "required_fields": "Completați toate câmpurile obligatorii" + }, + "intro": "Să începem prin crearea unui cont de utilizator.", + "required_field": "Necesar" + } + }, + "profile": { + "change_password": { + "confirm_new_password": "Confirmați Noua Parolă", + "current_password": "Parola Curentă", + "error_required": "Necesar", + "header": "Schimbaţi parola", + "new_password": "Parolă Nouă", + "submit": "Trimite" + }, + "current_user": "În prezent sunteți conectat ca {fullName}.", + "force_narrow": { + "description": "Aceasta va ascunde bara laterală în mod prestabilit, similar cu experiența mobilă.", + "header": "Ascunde întotdeauna bara laterală" + }, + "is_owner": "Sunteți proprietar.", + "language": { + "dropdown_label": "Limba", + "header": "Limba", + "link_promo": "Ajută la traducere" + }, + "logout": "Deconectare", + "long_lived_access_tokens": { + "confirm_delete": "Sigur doriti sa stergeti tokenul de acces pentru {name}?", + "create": "Creaza un Token", + "create_failed": "Crearea tokenului de acces eşuată", + "created_at": "Creat in {date}", + "delete_failed": "Ştergerea tokenului de acces eşuată", + "description": "Creați tokenuri de acces cu durată lungă de viață pentru a permite script-urilor dvs. să interacționeze cu instanța dvs. Home Assistant. Fiecare token va fi valabil timp de 10 ani de la creatie. Următoarele tokenuri de acces de lungă durată sunt active la ora actuala.", + "empty_state": "Nu aveți tokenuri de acces de lungă durată deocamdata", + "header": "Tokenuri de acces de lunga durata", + "last_used": "Ultima utilizare la {date} din {location}", + "learn_auth_requests": "Aflați cum să faceți cereri autentificate.", + "not_used": "Nu a fost utilizat niciodata", + "prompt_copy_token": "Copia token-ul de acces. Acesta nu va fi afișat din nou.", + "prompt_name": "Nume?" + }, + "mfa_setup": { + "close": "Închide", + "step_done": "Configurarea făcută pentru {step}", + "submit": "Trimite", + "title_aborted": "Anulat", + "title_success": "Succes!" + }, + "mfa": { + "confirm_disable": "Sigur doriți să dezactivați {name} ?", + "disable": "Dezactivați", + "enable": "Activați", + "header": "Autentificare cu doi factori" + }, + "push_notifications": { + "description": "Trimiteți notificări către acest dispozitiv.", + "error_load_platform": "Configurați notify.html5.", + "error_use_https": "Necesită SSL activat pentru interfaţă.", + "header": "Notificări", + "link_promo": "Aflați mai multe", + "push_notifications": "Notificări" + }, + "refresh_tokens": { + "confirm_delete": "Sigur doriti sa stergeti tokenul de acces pentru {name}?", + "created_at": "Creat in {date}", + "current_token_tooltip": "Nu se poate șterge tokenul actual de actualizare", + "delete_failed": "Ştergerea tokenului de acces eşuată", + "description": "Fiecare token de innoire reprezinta o sesiune de logare. Tokenuriile de innoire vor fi inlaturate cand se da click pe log out. Urmatoarele tokenuri de innoire sunt active in contul dumneavoastra.", + "header": "Tokenuri de innoire", + "last_used": "Ultima utilizate la {date} din {location}", + "not_used": "Nu a fost utilizat niciodata", + "token_title": "înnoirea token pentru {clientId}" + }, + "themes": { + "dropdown_label": "Temă", + "error_no_theme": "Nu există teme disponibile.", + "header": "Temă", + "link_promo": "Aflați mai multe despre teme" + } + }, + "shopping-list": { + "add_item": "Adaugare element", + "clear_completed": "Stergere finalizată", + "microphone_tip": "Atingeți microfonul din partea dreaptă sus și spuneți \"Add candy to my shopping list\"" } - } - }, - "groups": { - "system-admin": "Administratori", - "system-users": "Utilizatori", - "system-read-only": "Utilizatori cu drepturi de citire" - }, - "config_entry": { - "disabled_by": { - "user": "Utilizator", - "integration": "Integrare", - "config_entry": "Intrare config" + }, + "sidebar": { + "external_app_configuration": "Configurație aplicație", + "log_out": "Deconectare", + "sidebar_toggle": "Schimbati bara laterală" } } } \ No newline at end of file diff --git a/translations/ru.json b/translations/ru.json index 64e191de31..6676fcd986 100644 --- a/translations/ru.json +++ b/translations/ru.json @@ -1,53 +1,193 @@ { + "attribute": { + "weather": { + "humidity": "Влажность", + "visibility": "Видимость", + "wind_speed": "Скорость ветра" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Запись", + "integration": "Интеграция", + "user": "Пользователь" + } + }, + "domain": { + "alarm_control_panel": "Панель сигнализации", + "automation": "Автоматизация", + "binary_sensor": "Бинарный датчик", + "calendar": "Календарь", + "camera": "Камера", + "climate": "Климат", + "configurator": "Конфигуратор", + "conversation": "Диалог", + "cover": "Шторы", + "device_tracker": "Отслеживание устройств", + "fan": "Вентилятор", + "group": "Группа", + "hassio": "Hass.io", + "history_graph": "График", + "homeassistant": "Home Assistant", + "image_processing": "Обработка изображения", + "input_boolean": "Переключатель", + "input_datetime": "Дата и время", + "input_number": "Число", + "input_select": "Список", + "input_text": "Текст", + "light": "Освещение", + "lock": "Замок", + "lovelace": "Lovelace", + "mailbox": "Почтовый ящик", + "media_player": "Медиа плеер", + "notify": "Уведомления", + "person": "Люди", + "plant": "Растение", + "proximity": "Расстояние", + "remote": "Пульт ДУ", + "scene": "Сцена", + "script": "Сценарий", + "sensor": "Датчик", + "sun": "Солнце", + "switch": "Выключатель", + "system_health": "Статус системы", + "updater": "Обновление", + "vacuum": "Пылесос", + "weblink": "Интернет-ссылка", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Администраторы", + "system-read-only": "Системные пользователи", + "system-users": "Пользователи" + }, "panel": { + "calendar": "Календарь", "config": "Настройки", - "states": "Обзор", - "map": "Карта", - "logbook": "Журнал", - "history": "История", - "mailbox": "Почта", - "shopping_list": "Список покупок", "dev-info": "Информация", "developer_tools": "Панель разработчика", - "calendar": "Календарь", - "profile": "Профиль" + "history": "История", + "logbook": "Журнал", + "mailbox": "Почта", + "map": "Карта", + "profile": "Профиль", + "shopping_list": "Список покупок", + "states": "Обзор" + }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Авто", + "off": "Выкл", + "on": "Вкл" + }, + "hvac_action": { + "cooling": "Охлаждение", + "drying": "Осушение", + "fan": "Вентиляция", + "heating": "Обогрев", + "idle": "Бездействие", + "off": "Выключено" + }, + "preset_mode": { + "activity": "Активность", + "away": "Не дома", + "boost": "Турбо", + "comfort": "Комфорт", + "eco": "Экономия", + "home": "Дома", + "none": "Не выбран", + "sleep": "Ночь" + } + } + }, + "state_badge": { + "alarm_control_panel": { + "armed": "Охрана", + "armed_away": "Охрана", + "armed_custom_bypass": "Охрана", + "armed_home": "Охрана", + "armed_night": "Охрана", + "arming": "Постановка на охрану", + "disarmed": "Снято с охраны", + "disarming": "Снятие с охраны", + "pending": "Ожидание", + "triggered": "Тревога" + }, + "default": { + "entity_not_found": "Объект не найден", + "error": "Ошибка", + "unavailable": "Недоступно", + "unknown": "Неизв." + }, + "device_tracker": { + "home": "Дома", + "not_home": "Не дома" + }, + "person": { + "home": "Дома", + "not_home": "Не дома" + } }, "state": { - "default": { - "off": "Выкл", - "on": "Вкл", - "unknown": "Неизвестно", - "unavailable": "Недоступно" - }, "alarm_control_panel": { "armed": "Под охраной", - "disarmed": "Снято с охраны", - "armed_home": "Охрана (дома)", "armed_away": "Охрана (не дома)", + "armed_custom_bypass": "Охрана с исключениями", + "armed_home": "Охрана (дома)", "armed_night": "Охрана (ночь)", - "pending": "Переход на охрану", "arming": "Постановка на охрану", + "disarmed": "Снято с охраны", "disarming": "Снятие с охраны", - "triggered": "Срабатывание", - "armed_custom_bypass": "Охрана с исключениями" + "pending": "Переход на охрану", + "triggered": "Срабатывание" }, "automation": { "off": "Выкл", "on": "Вкл" }, "binary_sensor": { + "battery": { + "off": "Нормальный", + "on": "Низкий" + }, + "cold": { + "off": "Норма", + "on": "Охлаждение" + }, + "connectivity": { + "off": "Отключено", + "on": "Подключено" + }, "default": { "off": "Выкл", "on": "Вкл" }, - "moisture": { - "off": "Сухо", - "on": "Влажно" + "door": { + "off": "Закрыта", + "on": "Открыта" + }, + "garage_door": { + "off": "Закрыты", + "on": "Открыты" }, "gas": { "off": "Не обнаружен", "on": "Обнаружен" }, + "heat": { + "off": "Норма", + "on": "Нагрев" + }, + "lock": { + "off": "Закрыт", + "on": "Открыт" + }, + "moisture": { + "off": "Сухо", + "on": "Влажно" + }, "motion": { "off": "Нет движения ", "on": "Движение" @@ -56,6 +196,22 @@ "off": "Не обнаружено", "on": "Обнаружено" }, + "opening": { + "off": "Закрыто", + "on": "Открыто" + }, + "presence": { + "off": "Не дома", + "on": "Дома" + }, + "problem": { + "off": "ОК", + "on": "Проблема" + }, + "safety": { + "off": "Безопасно", + "on": "Небезопасно" + }, "smoke": { "off": "Нет дыма", "on": "Дым" @@ -68,53 +224,9 @@ "off": "Не обнаружена", "on": "Обнаружена" }, - "opening": { - "off": "Закрыто", - "on": "Открыто" - }, - "safety": { - "off": "Безопасно", - "on": "Небезопасно" - }, - "presence": { - "off": "Не дома", - "on": "Дома" - }, - "battery": { - "off": "Нормальный", - "on": "Низкий" - }, - "problem": { - "off": "ОК", - "on": "Проблема" - }, - "connectivity": { - "off": "Отключено", - "on": "Подключено" - }, - "cold": { - "off": "Норма", - "on": "Охлаждение" - }, - "door": { - "off": "Закрыта", - "on": "Открыта" - }, - "garage_door": { - "off": "Закрыты", - "on": "Открыты" - }, - "heat": { - "off": "Норма", - "on": "Нагрев" - }, "window": { "off": "Закрыто", "on": "Открыто" - }, - "lock": { - "off": "Закрыт", - "on": "Открыт" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "Вкл" }, "camera": { + "idle": "Бездействие", "recording": "Запись", - "streaming": "Трансляция", - "idle": "Бездействие" + "streaming": "Трансляция" }, "climate": { - "off": "Выкл", - "on": "Вкл", - "heat": "Обогрев", - "cool": "Охлаждение", - "idle": "Бездействие", "auto": "Авто", + "cool": "Охлаждение", "dry": "Осушение", - "fan_only": "Вентиляция", "eco": "Эко", "electric": "Электрический", - "performance": "Производительность", - "high_demand": "Большая нагрузка", - "heat_pump": "Тепловой насос", + "fan_only": "Вентиляция", "gas": "Газовый", + "heat": "Обогрев", + "heat_cool": "Обогрев \/ Охлаждение", + "heat_pump": "Тепловой насос", + "high_demand": "Большая нагрузка", + "idle": "Бездействие", "manual": "Ручной режим", - "heat_cool": "Обогрев \/ Охлаждение" + "off": "Выкл", + "on": "Вкл", + "performance": "Производительность" }, "configurator": { "configure": "Настроить", "configured": "Настроено" }, "cover": { - "open": "Открыто", - "opening": "Открывается", "closed": "Закрыто", "closing": "Закрывается", + "open": "Открыто", + "opening": "Открывается", "stopped": "Остановлено" }, + "default": { + "off": "Выкл", + "on": "Вкл", + "unavailable": "Недоступно", + "unknown": "Неизвестно" + }, "device_tracker": { "home": "Дома", "not_home": "Не дома" @@ -164,19 +282,19 @@ "on": "Вкл" }, "group": { - "off": "Выкл", - "on": "Вкл", - "home": "Дома", - "not_home": "Не дома", - "open": "Открыто", - "opening": "Открывается", "closed": "Закрыто", "closing": "Закрывается", - "stopped": "Остановлено", + "home": "Дома", "locked": "Заблокирована", - "unlocked": "Разблокирована", + "not_home": "Не дома", + "off": "Выкл", "ok": "ОК", - "problem": "Проблема" + "on": "Вкл", + "open": "Открыто", + "opening": "Открывается", + "problem": "Проблема", + "stopped": "Остановлено", + "unlocked": "Разблокирована" }, "input_boolean": { "off": "Выкл", @@ -191,13 +309,17 @@ "unlocked": "Открыт" }, "media_player": { + "idle": "Ожидание", "off": "Выкл", "on": "Вкл", - "playing": "Воспроизведение", "paused": "Пауза", - "idle": "Ожидание", + "playing": "Воспроизведение", "standby": "Ожидание" }, + "person": { + "home": "Дома", + "not_home": "Не дома" + }, "plant": { "ok": "ОК", "problem": "Проблема" @@ -225,34 +347,10 @@ "off": "Выкл", "on": "Вкл" }, - "zwave": { - "default": { - "initializing": "Инициализация", - "dead": "Неисправно", - "sleeping": "Режим сна", - "ready": "Готов" - }, - "query_stage": { - "initializing": "Инициализация ({query_stage})", - "dead": "Неисправно ({query_stage})" - } - }, - "weather": { - "clear-night": "Ясно, ночь", - "cloudy": "Облачно", - "fog": "Туман", - "hail": "Град", - "lightning": "Молния", - "lightning-rainy": "Молния, дождь", - "partlycloudy": "Переменная облачность", - "pouring": "Ливень", - "rainy": "Дождь", - "snowy": "Снег", - "snowy-rainy": "Снег с дождем", - "sunny": "Ясно", - "windy": "Ветрено", - "windy-variant": "Ветрено", - "exceptional": "Предупреждение" + "timer": { + "active": "Отсчёт", + "idle": "Ожидание", + "paused": "Пауза" }, "vacuum": { "cleaning": "Уборка", @@ -264,362 +362,422 @@ "paused": "Приостановлен", "returning": "Возвращается к док-станции" }, - "timer": { - "active": "Отсчёт", - "idle": "Ожидание", - "paused": "Пауза" + "weather": { + "clear-night": "Ясно, ночь", + "cloudy": "Облачно", + "exceptional": "Предупреждение", + "fog": "Туман", + "hail": "Град", + "lightning": "Молния", + "lightning-rainy": "Молния, дождь", + "partlycloudy": "Переменная облачность", + "pouring": "Ливень", + "rainy": "Дождь", + "snowy": "Снег", + "snowy-rainy": "Снег с дождем", + "sunny": "Ясно", + "windy": "Ветрено", + "windy-variant": "Ветрено" }, - "person": { - "home": "Дома", - "not_home": "Не дома" - } - }, - "state_badge": { - "default": { - "unknown": "Неизв.", - "unavailable": "Недоступно", - "error": "Ошибка", - "entity_not_found": "Объект не найден" - }, - "alarm_control_panel": { - "armed": "Охрана", - "disarmed": "Снято с охраны", - "armed_home": "Охрана", - "armed_away": "Охрана", - "armed_night": "Охрана", - "pending": "Ожидание", - "arming": "Постановка на охрану", - "disarming": "Снятие с охраны", - "triggered": "Тревога", - "armed_custom_bypass": "Охрана" - }, - "device_tracker": { - "home": "Дома", - "not_home": "Не дома" - }, - "person": { - "home": "Дома", - "not_home": "Не дома" + "zwave": { + "default": { + "dead": "Неисправно", + "initializing": "Инициализация", + "ready": "Готов", + "sleeping": "Режим сна" + }, + "query_stage": { + "dead": "Неисправно ({query_stage})", + "initializing": "Инициализация ({query_stage})" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Очистить завершенные", - "add_item": "Добавить элемент", - "microphone_tip": "Нажмите на микрофон в правом верхнем углу и скажите “Add candy to my shopping list”" + "auth_store": { + "ask": "Вы хотите сохранить этот логин?", + "confirm": "Сохранить логин", + "decline": "Нет, спасибо" + }, + "card": { + "alarm_control_panel": { + "arm_away": "Охрана (не дома)", + "arm_custom_bypass": "Охрана с исключениями", + "arm_home": "Охрана (дома)", + "arm_night": "Ночная охрана", + "armed_custom_bypass": "Охрана с исключениями", + "clear_code": "Очистить", + "code": "Код", + "disarm": "Без охраны" }, - "developer-tools": { - "tabs": { - "services": { - "title": "Службы", - "description": "Здесь Вы можете вызвать любую службу Home Assistant из списка доступных.", - "data": "Данные службы в формате YAML (необязательно)", - "call_service": "Вызвать службу", - "select_service": "Выберите службу, чтобы увидеть описание.", - "no_description": "Описание недоступно", - "no_parameters": "Нет параметров для этой службы.", - "column_parameter": "Параметр", - "column_description": "Описание", - "column_example": "Пример", - "fill_example_data": "Заполнить данными из примера", - "alert_parsing_yaml": "Ошибка при разборе синтаксиса YAML: {data}" - }, - "states": { - "title": "Состояния", - "description1": "Здесь Вы можете вручную изменить состояние устройства в Home Assistant.", - "description2": "Изменённое состояние не будет синхронизировано с устройством.", - "entity": "Объект", - "state": "Состояние", - "attributes": "Атрибуты", - "state_attributes": "Атрибуты состояния в формате YAML (необязательно)", - "set_state": "Задать состояние", - "current_entities": "Список актуальных объектов", - "filter_entities": "Фильтр по объектам", - "filter_states": "Фильтр по состояниям", - "filter_attributes": "Фильтр по атрибутам", - "no_entities": "Не найдено", - "more_info": "Подробнее", - "alert_entity_field": "Укажите объект." - }, - "events": { - "title": "События", - "description": "Здесь Вы можете создать и отправить событие в Home Assistant.", - "documentation": "Узнайте больше о событиях.", - "type": "Событие", - "data": "Данные события в формате YAML (необязательно)", - "fire_event": "Создать событие", - "event_fired": "Событие {name} произошло в", - "available_events": "Доступные события", - "count_listeners": "(подписано: {count})", - "listen_to_events": "Подписаться на событие", - "listening_to": "Подписано на", - "subscribe_to": "Событие", - "start_listening": "Подписаться", - "stop_listening": "Отписаться", - "alert_event_type": "Укажите событие.", - "notification_event_fired": "Событие {type} успешно создано" - }, - "templates": { - "title": "Шаблоны", - "description": "Здесь Вы можете протестировать поведение шаблонов. Шаблоны используют шаблонизатор Jinja2 с некоторыми специальными расширениями Home Assistant.", - "editor": "Редактор шаблонов", - "jinja_documentation": "Узнайте больше о шаблонизаторе Jinja2", - "template_extensions": "Узнайте больше о шаблонах Home Assistant", - "unknown_error_template": "Неизвестная ошибка при визуализации шаблона." - }, - "mqtt": { - "title": "MQTT", - "description_publish": "Опубликовать данные", - "topic": "Топик", - "payload": "Значение (включая шаблоны)", - "publish": "Опубликовать", - "description_listen": "Подписаться на топик", - "listening_to": "Подписано на", - "subscribe_to": "Топик", - "start_listening": "Подписаться", - "stop_listening": "Отписаться", - "message_received": "Сообщение {id} получено в {time} из {topic}:" - }, - "info": { - "title": "О системе", - "remove": "Не использовать", - "set": "Использовать", - "default_ui": "{action} {name} по умолчанию на этом устройстве", - "lovelace_ui": "Перейти к пользовательскому интерфейсу Lovelace", - "states_ui": "Перейти к пользовательскому интерфейсу states", - "home_assistant_logo": "Логотип Home Assistant", - "path_configuration": "Путь к configuration.yaml: {path}", - "developed_by": "Разработано множеством замечательных людей.", - "license": "Опубликовано под лицензией Apache 2.0", - "source": "Исходный код:", - "server": "сервер", - "frontend": "пользовательский интерфейс", - "built_using": "Создано с использованием", - "icons_by": "Значки от", - "frontend_version": "Версия интерфейса: {version} - {type}", - "custom_uis": "Кастомные интерфейсы:", - "system_health_error": "Компонент System Health не загружен. Добавьте 'system_health:' в файл configuration.yaml." - }, - "logs": { - "title": "Лог", - "details": "Детализация журнала: {level}", - "load_full_log": "Показать весь журнал", - "loading_log": "Загрузка журнала…", - "no_errors": "Нет сообщений об ошибках.", - "no_issues": "Нет сообщений о проблемах.", - "clear": "Очистить", - "refresh": "Обновить", - "multiple_messages": "первое сообщение получено в {time} и повторялось {counter} раз" - } + "automation": { + "last_triggered": "Последний запуск", + "trigger": "Запуск" + }, + "camera": { + "not_available": "Изображение не доступно" + }, + "climate": { + "aux_heat": "Дополнительный нагрев", + "away_mode": "Режим ожидания", + "cooling": "{name} охлаждение", + "current_temperature": "{name} текущая температура", + "currently": "Сейчас", + "fan_mode": "Режим вентиляции", + "heating": "{name} обогрев", + "high": "высокий", + "low": "низкий", + "on_off": "Вкл \/ Выкл", + "operation": "Операция", + "preset_mode": "Набор настроек", + "swing_mode": "Режим качания воздушных шторок", + "target_humidity": "Заданная влажность", + "target_temperature": "Заданная температура", + "target_temperature_entity": "{name} заданная температура", + "target_temperature_mode": "{name} заданная температура {mode}" + }, + "counter": { + "actions": { + "decrement": "убавлять", + "increment": "прибавлять", + "reset": "сбросить" } }, - "history": { - "showing_entries": "Отображение записей за", - "period": "Период" + "cover": { + "position": "Положение", + "tilt_position": "Положение наклона" }, - "logbook": { - "showing_entries": "Отображение записей за", - "period": "Период" + "fan": { + "direction": "Направление", + "forward": "Вперед", + "oscillate": "Колебания", + "reverse": "Задний ход", + "speed": "Скорость" }, - "mailbox": { - "empty": "У вас нет сообщений", - "playback_title": "Воспроизвести сообщение", - "delete_prompt": "Удалить это сообщение?", - "delete_button": "Удалить" + "light": { + "brightness": "Яркость", + "color_temperature": "Цветовая температура", + "effect": "Эффект", + "white_value": "Значение для белого цвета" }, - "config": { - "header": "Настройка Home Assistant", - "introduction": "Здесь можно настроить Home Assistant. Пока что не все настройки доступны из интерфейса, но мы работаем над этим.", - "core": { - "caption": "Общие", - "description": "Управляйте основными настройками Home Assistant", - "section": { - "core": { - "header": "Общие настройки", - "introduction": "Изменение конфигурации может быть утомительным процессом. Мы знаем. Этот раздел может немного упростить эту задачу.", - "core_config": { - "edit_requires_storage": "Редактор отключен, поскольку конфигурация уже хранится в файле configuration.yaml.", - "location_name": "Название для Вашего Home Assistant", - "latitude": "Широта", - "longitude": "Долгота", - "elevation": "Высота", - "elevation_meters": "метров", - "time_zone": "Часовой пояс", - "unit_system": "Система мер", - "unit_system_imperial": "Имперская", - "unit_system_metric": "Метрическая", - "imperial_example": "Градус Фаренгейта, фунт", - "metric_example": "Градус Цельсия, килограмм", - "save_button": "Сохранить" - } - }, - "server_control": { - "validation": { - "heading": "Проверка конфигурации", - "introduction": "Проверьте свою конфигурацию, если вы внесли в нее некоторые изменения и хотите убедиться в ее работоспособности", - "check_config": "Проверить конфигурацию", - "valid": "Конфигурация выполнена верно!", - "invalid": "Ошибка в конфигурации" - }, - "reloading": { - "heading": "Перезагрузка конфигурации", - "introduction": "Некоторые компоненты Home Assistant можно перезагрузить без необходимости перезапуска всей системы. Перезагрузка выгружает текущую конфигурацию и загружает новую.", - "core": "Перезагрузить ядро", - "group": "Перезагрузить группы", - "automation": "Перезагрузить автоматизации", - "script": "Перезагрузить сценарии" - }, - "server_management": { - "heading": "Управление сервером", - "introduction": "Управляйте Вашим сервером Home Assistant... из Home Assistant", - "restart": "Перезапустить", - "stop": "Остановить" - } - } - } + "lock": { + "code": "Код", + "lock": "Закрыть", + "unlock": "Открыть" + }, + "media_player": { + "sound_mode": "Режим звука", + "source": "Источник", + "text_to_speak": "Воспроизвести текст" + }, + "persistent_notification": { + "dismiss": "Закрыть" + }, + "scene": { + "activate": "Активировать" + }, + "script": { + "execute": "Выполнить" + }, + "timer": { + "actions": { + "cancel": "Отмена", + "finish": "Готово", + "pause": "Пауза", + "start": "Запуск" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Продолжить уборку", + "return_to_base": "Вернуться к док-станции", + "start_cleaning": "Начать уборку", + "turn_off": "Выключить", + "turn_on": "Включить" + } + }, + "water_heater": { + "away_mode": "Режим \"не дома\"", + "currently": "Сейчас", + "on_off": "Вкл \/ Выкл", + "operation": "Операция", + "target_temperature": "Заданная температура" + }, + "weather": { + "attributes": { + "air_pressure": "Давление", + "humidity": "Влажность", + "temperature": "Температура", + "visibility": "Видимость", + "wind_speed": "Ветер" }, - "customize": { - "caption": "Кастомизация", - "description": "Настраивайте атрибуты объектов", + "cardinal_direction": { + "e": "В", + "ene": "ВСВ", + "ese": "ВЮВ", + "n": "С", + "ne": "СВ", + "nne": "ССВ", + "nnw": "ССЗ", + "nw": "СЗ", + "s": "Ю", + "se": "ЮВ", + "sse": "ЮЮВ", + "ssw": "ЮЮЗ", + "sw": "ЮЗ", + "w": "З", + "wnw": "ЗСЗ", + "wsw": "ЗЮЗ" + }, + "forecast": "Прогноз" + } + }, + "common": { + "cancel": "Отменить", + "loading": "Загрузка", + "no": "Нет", + "save": "Сохранить", + "successfully_saved": "Успешно сохранено", + "yes": "Да" + }, + "components": { + "device-picker": { + "clear": "Очистить", + "show_devices": "Показать устройства" + }, + "entity": { + "entity-picker": { + "clear": "Очистить", + "entity": "Объект", + "show_entities": "Показать объекты" + } + }, + "history_charts": { + "loading_history": "Загрузка истории...", + "no_history_found": "История не найдена." + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\none {д.}\\nother {д.}\\n}", + "hour": "{count} {count, plural,\\none {ч.}\\nother {ч.}\\n}", + "minute": "{count} {count, plural,\\none {мин.}\\nother {мин.}\\n}", + "second": "{count} {count, plural,\\n one {сек.}\\n other {сек.}\\n}", + "week": "{count} {count, plural,\\none {нед.}\\nother {нед.}\\n}" + }, + "future": "через {time}", + "never": "Никогда", + "past": "{time} назад" + }, + "service-picker": { + "service": "Служба" + } + }, + "dialogs": { + "config_entry_system_options": { + "enable_new_entities_description": "{integration} будет автоматически добавлять в Home Assistant вновь обнаруженные объекты", + "enable_new_entities_label": "Добавлять новые объекты", + "title": "{integration}" + }, + "confirmation": { + "cancel": "Отменить", + "ok": "Да", + "title": "Вы уверены?" + }, + "domain_toggler": { + "title": "Переключить домены" + }, + "more_info_control": { + "script": { + "last_action": "Последнее действие" + }, + "sun": { + "elevation": "Высота над горизонтом", + "rising": "Восход", + "setting": "Заход" + }, + "updater": { + "title": "Инструкция по обновлению" + } + }, + "more_info_settings": { + "entity_id": "ID объекта", + "name": "Название", + "save": "Сохранить" + }, + "options_flow": { + "form": { + "header": "Параметры" + }, + "success": { + "description": "Параметры успешно сохранены." + } + }, + "voice_command": { + "did_not_hear": "Home Assistant ничего не услышал", + "error": "К сожалению, произошла ошибка", + "found": "Я нашел для Вас следующее:", + "how_can_i_help": "Чем могу помочь?", + "label": "Введите вопрос и нажмите 'Enter'", + "label_voice": "Введите текст и нажмите 'Enter' или коснитесь значка микрофона, чтобы говорить" + }, + "zha_device_info": { + "buttons": { + "add": "Добавить устройства", + "reconfigure": "Перенастроить устройство", + "remove": "Удалить устройство" + }, + "last_seen": "Устройство было в сети", + "manuf": "{manufacturer}", + "no_area": "Не указано", + "power_source": "Источник питания", + "quirk": "Нестандартный обработчик", + "services": { + "reconfigure": "Перенастройка устройства ZHA. Используйте эту службу, если у Вас есть проблемы с устройством. Если рассматриваемое устройство работает от батареи, пожалуйста, убедитесь, что оно не находится в режиме сна и принимает команды, когда вы запускаете эту службу.", + "remove": "Удалить устройство из сети Zigbee.", + "updateDeviceName": "Укажите название для этого устройства в реестре устройств." + }, + "unknown": "Неизвестно", + "zha_device_card": { + "area_picker_label": "Помещение", + "device_name_placeholder": "Название", + "update_name_button": "Обновить название" + } + } + }, + "duration": { + "day": "{count} {count, plural,\\none {д.}\\nother {д.}\\n}", + "hour": "{count} {count, plural,\\none {ч.}\\nother {ч.}\\n}", + "minute": "{count} {count, plural,\\none {мин.}\\nother {мин.}\\n}", + "second": "{count} {count, plural,\\n one {сек.}\\n other {сек.}\\n}", + "week": "{count} {count, plural,\\none {нед.}\\nother {нед.}\\n}" + }, + "login-form": { + "log_in": "Вход", + "password": "Пароль", + "remember": "Запомнить" + }, + "notification_drawer": { + "click_to_configure": "Нажмите кнопку, чтобы настроить {entity}", + "empty": "Нет уведомлений", + "title": "Уведомления" + }, + "notification_toast": { + "connection_lost": "Соединение потеряно. Повторное подключение ...", + "entity_turned_off": "{entity} выключается", + "entity_turned_on": "{entity} включается", + "service_call_failed": "Не удалось вызвать службу {service}.", + "service_called": "Вызов службы {service}.", + "triggered": "Сработало от {name}" + }, + "panel": { + "config": { + "area_registry": { + "caption": "Помещения", + "create_area": "ДОБАВИТЬ", + "description": "Управляйте помещениями в Вашем доме", + "editor": { + "create": "ДОБАВИТЬ", + "default_name": "Новое помещение", + "delete": "УДАЛИТЬ", + "update": "ОБНОВИТЬ" + }, + "no_areas": "У Вас еще нет добавленных помещений.", "picker": { - "header": "Кастомизация", - "introduction": "Настройка атрибутов объектов. Добавленные или изменённые настройки сразу же вступают в силу. Удаленные настройки вступят в силу после обновления объекта." + "create_area": "ДОБАВИТЬ ПОМЕЩЕНИЕ", + "header": "Управление помещениями", + "integrations_page": "Страница интеграций", + "introduction": "Этот раздел используется для определения местоположения устройств. Данная информация будет использоваться в Home Assistant, чтобы помочь вам в организации вашего интерфейса, определении прав доступа и интеграции с другими системами.", + "introduction2": "Чтобы назначить устройству местоположение, используйте указанную ниже ссылку для перехода на страницу интеграций, а затем откройте уже настроенную интеграцию.", + "no_areas": "У Вас еще нет добавленных помещений." } }, "automation": { "caption": "Автоматизация", "description": "Создавайте и редактируйте правила автоматизации", - "picker": { - "header": "Редактор автоматизаций", - "introduction": "Этот редактор позволяет создавать и редактировать автоматизации.\nПожалуйста, ознакомьтесь с инструкциями по указанной ниже ссылке и убедитесь, что правильно настроили Home Assistant.", - "pick_automation": "Выберите автоматизацию для редактирования", - "no_automations": "Редактируемые автоматизации не найдены", - "add_automation": "Добавить автоматизацию", - "learn_more": "Узнайте больше об автоматизациях" - }, "editor": { - "introduction": "Настройте автоматизацию, чтобы оживить Ваш дом.", - "default_name": "Новая автоматизация", - "save": "Сохранить", - "unsaved_confirm": "У вас есть несохраненные изменения. Вы уверены, что хотите выйти?", - "alias": "Название", - "triggers": { - "header": "Триггеры", - "introduction": "Триггеры - это то, что запускает процесс автоматизации. Можно указать несколько триггеров на одно и то же правило. Когда триггер сработает, Home Assistant будет проверять условия (если таковые имеются), и выполнять действия.", - "add": "Добавить триггер", - "duplicate": "Дублировать", + "actions": { + "add": "Добавить действие", "delete": "Удалить", "delete_confirm": "Вы уверены, что хотите удалить?", - "unsupported_platform": "Неподдерживаемая платформа: {platform}", - "type_select": "Тип триггера", + "duplicate": "Дублировать", + "header": "Действия", + "introduction": "Действия - это то, что сделает Home Assistant, когда правило автоматизации сработает.", + "learn_more": "Узнайте больше о действиях", + "type_select": "Тип действия", "type": { + "condition": { + "label": "Условие" + }, + "delay": { + "delay": "Задержка", + "label": "Задержка" + }, + "device_id": { + "extra_fields": { + "code": "Код" + }, + "label": "Устройство" + }, "event": { - "label": "Событие", - "event_type": "Тип события", - "event_data": "Данные события" - }, - "state": { - "label": "Состояние", - "from": "С", - "to": "На", - "for": "В течение" - }, - "homeassistant": { - "label": "Home Assistant", "event": "Событие:", - "start": "Запуск", - "shutdown": "Завершение работы" + "label": "Создание события", + "service_data": "Данные" }, - "mqtt": { - "label": "MQTT", - "topic": "Топик", - "payload": "Значение (необязательно)" + "scene": { + "label": "Активировать сцену" }, - "numeric_state": { - "label": "Числовое состояние", - "above": "Выше", - "below": "Ниже", - "value_template": "Шаблон значения (необязательно)" + "service": { + "label": "Вызов службы", + "service_data": "Данные" }, - "sun": { - "label": "Солнце", - "event": "Событие:", - "sunrise": "Восход", - "sunset": "Закат", - "offset": "Смещение (необязательно)" - }, - "template": { - "label": "Шаблон", - "value_template": "Значение шаблона" - }, - "time": { - "label": "Время", - "at": "В" - }, - "zone": { - "label": "Зона", - "entity": "Объект с местоположением", - "zone": "Зона", - "event": "Событие:", - "enter": "Войти", - "leave": "Покинуть" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Идентификатор Webhook" - }, - "time_pattern": { - "label": "Шаблон времени", - "hours": "Часов", - "minutes": "Минут", - "seconds": "Секунд" - }, - "geo_location": { - "label": "Геолокация", - "source": "Источник", - "zone": "Зона", - "event": "Событие:", - "enter": "Войти", - "leave": "Покинуть" + "wait_template": { + "label": "Ожидание", + "timeout": "Тайм-аут (необязательно)", + "wait_template": "Шаблон ожидания" + } + }, + "unsupported_action": "Неподдерживаемое действие: {action}" + }, + "alias": "Название", + "conditions": { + "add": "Добавить условие", + "delete": "Удалить", + "delete_confirm": "Вы уверены, что хотите удалить?", + "duplicate": "Дублировать", + "header": "Условия", + "introduction": "Условия являются необязательной частью правила автоматизации и могут использоваться для предотвращения действия при срабатывании. С первого взгляда может показаться, что условия и триггеры – это одно и то же, однако это не так. Триггер срабатывает непосредственно в момент, когда произошло событие, а условие лишь проверяет состояние системы в данный момент. Триггер может заметить, как был включен выключатель, условие же может видеть только текущее его состояние.", + "learn_more": "Узнайте больше об условиях", + "type_select": "Тип условия", + "type": { + "and": { + "label": "И" }, "device": { - "label": "Устройство", "extra_fields": { "above": "Выше", "below": "Ниже", "for": "Продолжительность" - } - } - }, - "learn_more": "Узнайте больше о триггерах" - }, - "conditions": { - "header": "Условия", - "introduction": "Условия являются необязательной частью правила автоматизации и могут использоваться для предотвращения действия при срабатывании. С первого взгляда может показаться, что условия и триггеры – это одно и то же, однако это не так. Триггер срабатывает непосредственно в момент, когда произошло событие, а условие лишь проверяет состояние системы в данный момент. Триггер может заметить, как был включен выключатель, условие же может видеть только текущее его состояние.", - "add": "Добавить условие", - "duplicate": "Дублировать", - "delete": "Удалить", - "delete_confirm": "Вы уверены, что хотите удалить?", - "unsupported_condition": "Неподдерживаемое условие: {condition}", - "type_select": "Тип условия", - "type": { + }, + "label": "Устройство" + }, + "numeric_state": { + "above": "Выше", + "below": "Ниже", + "label": "Числовое состояние", + "value_template": "Шаблон значения (необязательно)" + }, + "or": { + "label": "Или" + }, "state": { "label": "Состояние", "state": "Состояние" }, - "numeric_state": { - "label": "Числовое состояние", - "above": "Выше", - "below": "Ниже", - "value_template": "Шаблон значения (необязательно)" - }, "sun": { - "label": "Солнце", - "before": "До:", "after": "После:", - "before_offset": "Смещение (необязательно)", "after_offset": "Смещение (необязательно)", + "before": "До:", + "before_offset": "Смещение (необязательно)", + "label": "Солнце", "sunrise": "Восхода", "sunset": "Заката" }, @@ -628,395 +786,654 @@ "value_template": "Значение шаблона" }, "time": { - "label": "Время", "after": "После", - "before": "До" + "before": "До", + "label": "Время" }, "zone": { - "label": "Зона", "entity": "Объект с местоположением", + "label": "Зона", "zone": "Зона" - }, + } + }, + "unsupported_condition": "Неподдерживаемое условие: {condition}" + }, + "default_name": "Новая автоматизация", + "description": { + "label": "Описание", + "placeholder": "Дополнительное описание" + }, + "introduction": "Используйте автоматизацию, чтобы оживить Ваш дом.", + "load_error_not_editable": "Доступны для редактирования только автоматизации из automations.yaml.", + "load_error_unknown": "Ошибка загрузки автоматизации ({err_no}).", + "save": "Сохранить", + "triggers": { + "add": "Добавить триггер", + "delete": "Удалить", + "delete_confirm": "Вы уверены, что хотите удалить?", + "duplicate": "Дублировать", + "header": "Триггеры", + "introduction": "Триггеры - это то, что запускает процесс автоматизации. Можно указать несколько триггеров на одно и то же правило. Когда триггер сработает, Home Assistant будет проверять условия (если таковые имеются), и выполнять действия.", + "learn_more": "Узнайте больше о триггерах", + "type_select": "Тип триггера", + "type": { "device": { - "label": "Устройство", "extra_fields": { "above": "Выше", "below": "Ниже", "for": "Продолжительность" - } - }, - "and": { - "label": "И" - }, - "or": { - "label": "Или" - } - }, - "learn_more": "Узнайте больше об условиях" - }, - "actions": { - "header": "Действия", - "introduction": "Действия - это то, что сделает Home Assistant, когда правило автоматизации сработает.", - "add": "Добавить действие", - "duplicate": "Дублировать", - "delete": "Удалить", - "delete_confirm": "Вы уверены, что хотите удалить?", - "unsupported_action": "Неподдерживаемое действие: {action}", - "type_select": "Тип действия", - "type": { - "service": { - "label": "Вызов службы", - "service_data": "Данные" - }, - "delay": { - "label": "Задержка", - "delay": "Задержка" - }, - "wait_template": { - "label": "Ожидание", - "wait_template": "Шаблон ожидания", - "timeout": "Тайм-аут (необязательно)" - }, - "condition": { - "label": "Условие" + }, + "label": "Устройство" }, "event": { - "label": "Создание события", + "event_data": "Данные события", + "event_type": "Тип события", + "label": "Событие" + }, + "geo_location": { + "enter": "Войти", "event": "Событие:", - "service_data": "Данные" + "label": "Геолокация", + "leave": "Покинуть", + "source": "Источник", + "zone": "Зона" }, - "device_id": { - "label": "Устройство", - "extra_fields": { - "code": "Код" - } + "homeassistant": { + "event": "Событие:", + "label": "Home Assistant", + "shutdown": "Завершение работы", + "start": "Запуск" }, - "scene": { - "label": "Активировать сцену" + "mqtt": { + "label": "MQTT", + "payload": "Значение (необязательно)", + "topic": "Топик" + }, + "numeric_state": { + "above": "Выше", + "below": "Ниже", + "label": "Числовое состояние", + "value_template": "Шаблон значения (необязательно)" + }, + "state": { + "for": "В течение", + "from": "С", + "label": "Состояние", + "to": "На" + }, + "sun": { + "event": "Событие:", + "label": "Солнце", + "offset": "Смещение (необязательно)", + "sunrise": "Восход", + "sunset": "Закат" + }, + "template": { + "label": "Шаблон", + "value_template": "Значение шаблона" + }, + "time_pattern": { + "hours": "Часов", + "label": "Шаблон времени", + "minutes": "Минут", + "seconds": "Секунд" + }, + "time": { + "at": "В", + "label": "Время" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Идентификатор Webhook" + }, + "zone": { + "enter": "Войти", + "entity": "Объект с местоположением", + "event": "Событие:", + "label": "Зона", + "leave": "Покинуть", + "zone": "Зона" } }, - "learn_more": "Узнайте больше о действиях" + "unsupported_platform": "Неподдерживаемая платформа: {platform}" }, - "load_error_not_editable": "Доступны для редактирования только автоматизации из automations.yaml.", - "load_error_unknown": "Ошибка загрузки автоматизации ({err_no}).", - "description": { - "label": "Описание", - "placeholder": "Дополнительное описание" - } - } - }, - "script": { - "caption": "Сценарии", - "description": "Создавайте и редактируйте сценарии", + "unsaved_confirm": "У вас есть несохраненные изменения. Вы уверены, что хотите выйти?" + }, "picker": { - "header": "Редактор сценариев", - "introduction": "Этот редактор позволяет создавать и редактировать сценарии.\nПожалуйста, ознакомьтесь с инструкциями по указанной ниже ссылке и убедитесь, что правильно настроили Home Assistant.", - "learn_more": "Узнайте больше о сценариях", - "no_scripts": "Редактируемые сценарии не найдены", - "add_script": "Добавить сценарий" - }, - "editor": { - "header": "Сценарий: {name}", - "default_name": "Новый сценарий", - "load_error_not_editable": "Доступны для редактирования только сценарии из scripts.yaml.", - "delete_confirm": "Вы уверены, что хотите удалить этот сценарий?" - } - }, - "zwave": { - "caption": "Z-Wave", - "description": "Управляйте Вашей сетью Z-Wave", - "network_management": { - "header": "Управление сетью Z-Wave", - "introduction": "Управляйте сетью Z-Wave с помощью представленных команд. Информацию о результате выполненных команд Вы можете получить в журнале OZW." - }, - "network_status": { - "network_stopped": "Сеть Z-Wave отключена", - "network_starting": "Запуск сети Z-Wave...", - "network_starting_note": "Это может занять некоторое время в зависимости от размера Вашей сети.", - "network_started": "Сеть Z-Wave работает", - "network_started_note_some_queried": "Активные узлы были опрошены. Спящие узлы будут опрошены, когда выйдут из режима сна.", - "network_started_note_all_queried": "Все узлы были опрошены." - }, - "services": { - "start_network": "Включить", - "stop_network": "Отключить", - "heal_network": "Исправить сеть", - "test_network": "Тестировать", - "soft_reset": "Сброс", - "save_config": "Сохранить конфигурацию", - "add_node_secure": "Добавить защищенный узел", - "add_node": "Добавить узел", - "remove_node": "Удалить узел", - "cancel_command": "Отменить команду" - }, - "common": { - "value": "Значение", - "instance": "Экземпляр", - "index": "Индекс", - "unknown": "неизвестно", - "wakeup_interval": "Интервал пробуждения" - }, - "values": { - "header": "Значения узлов" - }, - "node_config": { - "header": "Параметры конфигурации узла", - "seconds": "секунд", - "set_wakeup": "Установить интервал пробуждения", - "config_parameter": "Параметр конфигурации", - "config_value": "Значение конфигурации", - "true": "Истина", - "false": "Ложь", - "set_config_parameter": "Установить параметр конфигурации" - }, - "learn_more": "Узнайте больше о Z-Wave", - "ozw_log": { - "header": "Журнал OZW", - "introduction": "Просмотр журнала событий. 0 - минимум (загружает весь журнал), 1000 - максимум. Журнал обновляется автоматически." - } - }, - "users": { - "caption": "Пользователи", - "description": "Управляйте учетными записями пользователей", - "picker": { - "title": "Пользователи", - "system_generated": "Создан системой" - }, - "editor": { - "rename_user": "Изменить имя", - "change_password": "Изменить пароль", - "activate_user": "Активировать", - "deactivate_user": "Деактивировать", - "delete_user": "Удалить", - "caption": "Просмотр пользователя", - "id": "ID", - "owner": "Владелец", - "group": "Группа", - "active": "Активен", - "system_generated": "Системный", - "system_generated_users_not_removable": "Системные пользователи защищены от удаления.", - "unnamed_user": "Безымянный пользователь", - "enter_new_name": "Введите новое имя", - "user_rename_failed": "Не удалось переименовать пользователя", - "group_update_failed": "Не удалось обновить группу", - "confirm_user_deletion": "Вы уверены, что хотите удалить {name}?" - }, - "add_user": { - "caption": "Добавить пользователя", - "name": "Имя", - "username": "Логин", - "password": "Пароль", - "create": "Добавить" + "add_automation": "Добавить автоматизацию", + "delete_automation": "Удалить автоматизацию", + "delete_confirm": "Вы уверены, что хотите удалить эту автоматизацию?", + "edit_automation": "Редактировать автоматизацию", + "header": "Редактор автоматизаций", + "introduction": "Этот редактор позволяет создавать и редактировать автоматизации.\\nПожалуйста, ознакомьтесь с инструкциями по указанной ниже ссылке и убедитесь, что правильно настроили Home Assistant.", + "learn_more": "Узнайте больше об автоматизациях", + "no_automations": "Редактируемые автоматизации не найдены", + "only_editable": "Доступны для редактирования только автоматизации из automations.yaml.", + "pick_automation": "Выберите автоматизацию для редактирования", + "show_info_automation": "Показать информацию об автоматизации" } }, "cloud": { + "account": { + "alexa": { + "config_documentation": "Инструкция по настройке", + "disable": "отключить", + "enable": "включить", + "enable_ha_skill": "Активировать навык Home Assistant для Alexa", + "enable_state_reporting": "Отправлять изменения состояний объектов", + "info": "Интеграция Alexa позволяет управлять устройствами, добавленными в Home Assistant, через любое устройство с поддержкой Alexa.", + "info_state_reporting": "Если Вы включите этот параметр, Home Assistant будет отправлять все изменения состояний объектов, доступных Amazon. Это позволит Вам всегда видеть актуальные состояния в приложениях Alexa и использовать изменения состояний для автоматизации повседневных задач.", + "manage_entities": "Управление объектами", + "state_reporting_error": "Не удалось {enable_disable} отправку изменения состояний.", + "sync_entities": "Синхронизировать объекты", + "sync_entities_error": "Не удалось синхронизировать объекты:", + "title": "Alexa" + }, + "connected": "Подключено", + "connection_status": "Статус подключения к облаку", + "fetching_subscription": "Получение информации о подписке…", + "google": { + "config_documentation": "Инструкция по настройке", + "devices_pin": "PIN-код устройств безопасности", + "enable_ha_skill": "Активировать навык Home Assistant для Google Assistant", + "enable_state_reporting": "Отправлять изменения состояний объектов", + "enter_pin_error": "Не удалось сохранить PIN-код:", + "enter_pin_hint": "PIN-код", + "enter_pin_info": "Введите PIN-код для взаимодействия с устройствами безопасности. Устройства безопасности — это двери, гаражные ворота и замки. При взаимодействии с такими устройствами через Google Assistant, Вам будет предложено сказать или ввести этот PIN-код.", + "info": "Интеграция Google Assistant позволяет управлять устройствами, добавленными в Home Assistant, через любое устройство с поддержкой Google Assistant.", + "info_state_reporting": "Если Вы включите этот параметр, Home Assistant будет отправлять все изменения состояний объектов, доступных Google. Это позволит Вам всегда видеть актуальные состояния в приложениях Google.", + "manage_entities": "Управление объектами", + "security_devices": "Устройства безопасности", + "sync_entities": "Синхронизировать объекты", + "title": "Google Assistant" + }, + "integrations": "Интеграции", + "integrations_introduction": "Интеграции для Home Assistant Cloud позволяют подключаться к облачным службам без необходимости выставлять Ваш Home Assistant в интернет.", + "integrations_introduction2": "Посетите веб-сайт для получения информации о ", + "integrations_link_all_features": "всех доступных функциях", + "manage_account": "Учетная запись", + "nabu_casa_account": "Учетная запись Nabu Casa", + "not_connected": "Не подключено", + "remote": { + "access_is_being_prepared": "Удаленный доступ подготавливается. Мы сообщим Вам, когда он будет готов.", + "certificate_info": "Информация о сертификате", + "info": "Home Assistant Cloud обеспечивает безопасное удаленное подключение к Вашему серверу, даже если Вы находитесь вдали от дома.", + "instance_is_available": "Ваш Home Assistant доступен по адресу", + "instance_will_be_available": "Ваш Home Assistant будет доступен по адресу", + "link_learn_how_it_works": "Узнайте, как это работает", + "title": "Удалённое управление" + }, + "sign_out": "Выйти", + "thank_you_note": "Спасибо за то, что стали частью Home Assistant Cloud. Именно благодаря таким людям, как Вы, мы можем сделать все возможное для того, чтобы домашняя автоматизация была максимально удобной для всех. Спасибо!", + "webhooks": { + "disable_hook_error_msg": "Не удалось отключить Webhook", + "info": "Всему, что настроено на срабатывание через Webhook, может быть предоставлен общедоступный URL-адрес. Это позволяет отправлять данные в Home Assistant откуда угодно, не выставляя свой сервер в Интернете.", + "link_learn_more": "Узнайте больше о создании автоматизаций на базе Webhook.", + "loading": "Загрузка ...", + "manage": "Управление", + "no_hooks_yet": "У Вас еще нет добавленных Webhook. Начните с настройки ", + "no_hooks_yet_link_automation": "Webhook автоматизацию", + "no_hooks_yet_link_integration": "интеграции на основе Webhook", + "no_hooks_yet2": " или создайте ", + "title": "Webhook" + } + }, + "alexa": { + "banner": "Редактирование списка доступных объектов через пользовательский интерфейс отключено, так как Вы уже настроили фильтры в файле configuration.yaml.", + "expose": "Предоставить доступ", + "exposed_entities": "Доступ предоставлен", + "not_exposed_entities": "Доступ не предоставлен", + "title": "Alexa" + }, "caption": "Home Assistant Cloud", + "description_features": "Управление вдали от дома, интеграция с Alexa и Google Assistant", "description_login": "Выполнен вход {email}", "description_not_login": "Вход не выполнен", - "description_features": "Управление вдали от дома, интеграция с Alexa и Google Assistant", + "dialog_certificate": { + "certificate_expiration_date": "Сертификат действителен до", + "certificate_information": "Информация о сертификате", + "close": "Закрыть", + "fingerprint": "Отпечаток сертификата:", + "will_be_auto_renewed": "по окончанию срока действия сертификат будет продлён автоматически" + }, + "dialog_cloudhook": { + "available_at": "Webhook доступен по следующему адресу:", + "close": "Закрыть", + "confirm_disable": "Вы уверены, что хотите отключить этот Webhook?", + "copied_to_clipboard": "Скопировано в буфер обмена", + "info_disable_webhook": "Если Вы больше не хотите использовать этот Webhook, Вы можете", + "link_disable_webhook": "отключить его.", + "managed_by_integration": "Этот Webhook управляется интеграцией и не может быть отключен.", + "view_documentation": "Инструкции", + "webhook_for": "Webhook для {name}" + }, + "forgot_password": { + "check_your_email": "Проверьте Вашу электронную почту для получения инструкций по сбросу пароля.", + "email": "Адрес электронной почты", + "email_error_msg": "Неверный адрес электронной почты.", + "instructions": "Введите адрес электронной почты, указанный при регистрации. Мы вышлем на него ссылку для сброса пароля.", + "send_reset_email": "Отправить", + "subtitle": "Восстановление пароля", + "title": "Восстановление доступа к учетной записи" + }, + "google": { + "banner": "Редактирование списка доступных объектов через пользовательский интерфейс отключено, так как Вы уже настроили фильтры в файле configuration.yaml.", + "disable_2FA": "Отключить двухфакторную аутентификацию", + "expose": "Предоставить доступ", + "exposed_entities": "Доступ предоставлен", + "not_exposed_entities": "Доступ не предоставлен", + "sync_to_google": "Синхронизация изменений с Google.", + "title": "Google Assistant" + }, "login": { - "title": "Home Assistant Cloud", + "alert_email_confirm_necessary": "Вам должны подтвердить Вашу электронную почту перед входом.", + "alert_password_change_required": "Вы должны изменить свой пароль перед входом.", + "dismiss": "Отклонить", + "email": "Адрес электронной почты", + "email_error_msg": "Неверный адрес электронной почты.", + "forgot_password": "забыли пароль?", "introduction": "Home Assistant Cloud обеспечивает безопасное удаленное подключение к Вашему серверу, даже если Вы находитесь вдали от дома. Также это даёт возможность подключения к функциям облачных сервисов Amazon Alexa и Google Assistant.", "introduction2": "Услуга предоставляется нашим партнером ", "introduction2a": ", компанией от основателей Home Assistant и Hass.io.", "introduction3": "Home Assistant Cloud предлагает одноразовый бесплатный пробный период продолжительностью один месяц. Для активации пробного периода платёжная информация не требуется.", "learn_more_link": "Узнайте больше о Home Assistant Cloud", - "dismiss": "Отклонить", - "sign_in": "Авторизация", - "email": "Адрес электронной почты", - "email_error_msg": "Неверный адрес электронной почты.", "password": "Пароль", "password_error_msg": "Пароль должен содержать не менее 8 символов.", - "forgot_password": "забыли пароль?", + "sign_in": "Авторизация", "start_trial": "Начать бесплатный пробный период", - "trial_info": "Платёжная информация не требуется. Продолжительность периода - 1 месяц", - "alert_password_change_required": "Вы должны изменить свой пароль перед входом.", - "alert_email_confirm_necessary": "Вам должны подтвердить Вашу электронную почту перед входом." - }, - "forgot_password": { - "title": "Восстановление доступа к учетной записи", - "subtitle": "Восстановление пароля", - "instructions": "Введите адрес электронной почты, указанный при регистрации. Мы вышлем на него ссылку для сброса пароля.", - "email": "Адрес электронной почты", - "email_error_msg": "Неверный адрес электронной почты.", - "send_reset_email": "Отправить", - "check_your_email": "Проверьте Вашу электронную почту для получения инструкций по сбросу пароля." + "title": "Home Assistant Cloud", + "trial_info": "Платёжная информация не требуется. Продолжительность периода - 1 месяц" }, "register": { - "title": "Регистрация новой учетной записи", - "headline": "Начните Ваш бесплатный пробный период", - "information": "Создайте учетную запись Home Assistant Cloud, чтобы начать бесплатный пробный период.", - "information2": "В течении пробного периода Вам будет предоставлен доступ ко всем преимуществам Home Assistant Cloud, включая:", - "feature_remote_control": "Безопасный доступ к Вашему Home Assistant, даже вдали от дома", - "feature_google_home": "Интеграция с Google Assistant", - "feature_amazon_alexa": "Интеграция с Amazon Alexa", - "feature_webhook_apps": "Простая интеграция с приложениями на основе webhook, такими как OwnTracks", - "information3": "Услуга предоставляется нашим партнером ", - "information3a": ", компанией от основателей Home Assistant и Hass.io.", - "information4": "Регистрируя учетную запись, Вы соглашаетесь со следующими условиями:", - "link_terms_conditions": "Правила и условия", - "link_privacy_policy": "Политика конфиденциальности", + "account_created": "Учетная запись создана! Проверьте Вашу электронную почту для получения инструкций по активации учетной записи.", "create_account": "Создать учетную запись", "email_address": "Адрес электронной почты", "email_error_msg": "Неверный адрес электронной почты.", + "feature_amazon_alexa": "Интеграция с Amazon Alexa", + "feature_google_home": "Интеграция с Google Assistant", + "feature_remote_control": "Безопасный доступ к Вашему Home Assistant, даже вдали от дома", + "feature_webhook_apps": "Простая интеграция с приложениями на основе webhook, такими как OwnTracks", + "headline": "Начните Ваш бесплатный пробный период", + "information": "Создайте учетную запись Home Assistant Cloud, чтобы начать бесплатный пробный период.", + "information2": "В течении пробного периода Вам будет предоставлен доступ ко всем преимуществам Home Assistant Cloud, включая:", + "information3": "Услуга предоставляется нашим партнером ", + "information3a": ", компанией от основателей Home Assistant и Hass.io.", + "information4": "Регистрируя учетную запись, Вы соглашаетесь со следующими условиями:", + "link_privacy_policy": "Политика конфиденциальности", + "link_terms_conditions": "Правила и условия", "password": "Пароль", "password_error_msg": "Пароль должен содержать не менее 8 символов.", - "start_trial": "Начать пробный период", "resend_confirm_email": "Отправить подтверждение повторно", - "account_created": "Учетная запись создана! Проверьте Вашу электронную почту для получения инструкций по активации учетной записи." - }, - "account": { - "thank_you_note": "Спасибо за то, что стали частью Home Assistant Cloud. Именно благодаря таким людям, как Вы, мы можем сделать все возможное для того, чтобы домашняя автоматизация была максимально удобной для всех. Спасибо!", - "nabu_casa_account": "Учетная запись Nabu Casa", - "connection_status": "Статус подключения к облаку", - "manage_account": "Учетная запись", - "sign_out": "Выйти", - "integrations": "Интеграции", - "integrations_introduction": "Интеграции для Home Assistant Cloud позволяют подключаться к облачным службам без необходимости выставлять Ваш Home Assistant в интернет.", - "integrations_introduction2": "Посетите веб-сайт для получения информации о ", - "integrations_link_all_features": "всех доступных функциях", - "connected": "Подключено", - "not_connected": "Не подключено", - "fetching_subscription": "Получение информации о подписке…", - "remote": { - "title": "Удалённое управление", - "access_is_being_prepared": "Удаленный доступ подготавливается. Мы сообщим Вам, когда он будет готов.", - "info": "Home Assistant Cloud обеспечивает безопасное удаленное подключение к Вашему серверу, даже если Вы находитесь вдали от дома.", - "instance_is_available": "Ваш Home Assistant доступен по адресу", - "instance_will_be_available": "Ваш Home Assistant будет доступен по адресу", - "link_learn_how_it_works": "Узнайте, как это работает", - "certificate_info": "Информация о сертификате" - }, - "alexa": { - "title": "Alexa", - "info": "Интеграция Alexa позволяет управлять устройствами, добавленными в Home Assistant, через любое устройство с поддержкой Alexa.", - "enable_ha_skill": "Активировать навык Home Assistant для Alexa", - "config_documentation": "Инструкция по настройке", - "enable_state_reporting": "Отправлять изменения состояний объектов", - "info_state_reporting": "Если Вы включите этот параметр, Home Assistant будет отправлять все изменения состояний объектов, доступных Amazon. Это позволит Вам всегда видеть актуальные состояния в приложениях Alexa и использовать изменения состояний для автоматизации повседневных задач.", - "sync_entities": "Синхронизировать объекты", - "manage_entities": "Управление объектами", - "sync_entities_error": "Не удалось синхронизировать объекты:", - "state_reporting_error": "Не удалось {enable_disable} отправку изменения состояний.", - "enable": "включить", - "disable": "отключить" - }, - "google": { - "title": "Google Assistant", - "info": "Интеграция Google Assistant позволяет управлять устройствами, добавленными в Home Assistant, через любое устройство с поддержкой Google Assistant.", - "enable_ha_skill": "Активировать навык Home Assistant для Google Assistant", - "config_documentation": "Инструкция по настройке", - "enable_state_reporting": "Отправлять изменения состояний объектов", - "info_state_reporting": "Если Вы включите этот параметр, Home Assistant будет отправлять все изменения состояний объектов, доступных Google. Это позволит Вам всегда видеть актуальные состояния в приложениях Google.", - "security_devices": "Устройства безопасности", - "enter_pin_info": "Введите PIN-код для взаимодействия с устройствами безопасности. Устройства безопасности — это двери, гаражные ворота и замки. При взаимодействии с такими устройствами через Google Assistant, Вам будет предложено сказать или ввести этот PIN-код.", - "devices_pin": "PIN-код устройств безопасности", - "enter_pin_hint": "PIN-код", - "sync_entities": "Синхронизировать объекты", - "manage_entities": "Управление объектами", - "enter_pin_error": "Не удалось сохранить PIN-код:" - }, - "webhooks": { - "title": "Webhook", - "info": "Всему, что настроено на срабатывание через Webhook, может быть предоставлен общедоступный URL-адрес. Это позволяет отправлять данные в Home Assistant откуда угодно, не выставляя свой сервер в Интернете.", - "no_hooks_yet": "У Вас еще нет добавленных Webhook. Начните с настройки ", - "no_hooks_yet_link_integration": "интеграции на основе Webhook", - "no_hooks_yet2": " или создайте ", - "no_hooks_yet_link_automation": "Webhook автоматизацию", - "link_learn_more": "Узнайте больше о создании автоматизаций на базе Webhook.", - "loading": "Загрузка ...", - "manage": "Управление", - "disable_hook_error_msg": "Не удалось отключить Webhook" - } - }, - "alexa": { - "title": "Alexa", - "banner": "Редактирование списка доступных объектов через пользовательский интерфейс отключено, так как Вы уже настроили фильтры в файле configuration.yaml.", - "exposed_entities": "Доступ предоставлен", - "not_exposed_entities": "Доступ не предоставлен", - "expose": "Предоставить доступ" - }, - "dialog_certificate": { - "certificate_information": "Информация о сертификате", - "certificate_expiration_date": "Сертификат действителен до", - "will_be_auto_renewed": "по окончанию срока действия сертификат будет продлён автоматически", - "fingerprint": "Отпечаток сертификата:", - "close": "Закрыть" - }, - "google": { - "title": "Google Assistant", - "expose": "Предоставить доступ", - "disable_2FA": "Отключить двухфакторную аутентификацию", - "banner": "Редактирование списка доступных объектов через пользовательский интерфейс отключено, так как Вы уже настроили фильтры в файле configuration.yaml.", - "exposed_entities": "Доступ предоставлен", - "not_exposed_entities": "Доступ не предоставлен", - "sync_to_google": "Синхронизация изменений с Google." - }, - "dialog_cloudhook": { - "webhook_for": "Webhook для {name}", - "available_at": "Webhook доступен по следующему адресу:", - "managed_by_integration": "Этот Webhook управляется интеграцией и не может быть отключен.", - "info_disable_webhook": "Если Вы больше не хотите использовать этот Webhook, Вы можете", - "link_disable_webhook": "отключить его.", - "view_documentation": "Инструкции", - "close": "Закрыть", - "confirm_disable": "Вы уверены, что хотите отключить этот Webhook?", - "copied_to_clipboard": "Скопировано в буфер обмена" + "start_trial": "Начать пробный период", + "title": "Регистрация новой учетной записи" } }, + "common": { + "editor": { + "confirm_unsaved": "У Вас есть несохраненные изменения. Вы уверены, что хотите выйти?" + } + }, + "core": { + "caption": "Общие", + "description": "Управляйте основными настройками Home Assistant", + "section": { + "core": { + "core_config": { + "edit_requires_storage": "Редактор отключен, поскольку конфигурация уже хранится в файле configuration.yaml.", + "elevation": "Высота", + "elevation_meters": "метров", + "imperial_example": "Градус Фаренгейта, фунт", + "latitude": "Широта", + "location_name": "Название для Вашего Home Assistant", + "longitude": "Долгота", + "metric_example": "Градус Цельсия, килограмм", + "save_button": "Сохранить", + "time_zone": "Часовой пояс", + "unit_system": "Система мер", + "unit_system_imperial": "Имперская", + "unit_system_metric": "Метрическая" + }, + "header": "Общие настройки", + "introduction": "Изменение конфигурации может быть утомительным процессом. Мы знаем. Этот раздел может немного упростить эту задачу." + }, + "server_control": { + "reloading": { + "automation": "Перезагрузить автоматизации", + "core": "Перезагрузить ядро", + "group": "Перезагрузить группы", + "heading": "Перезагрузка конфигурации", + "introduction": "Некоторые компоненты Home Assistant можно перезагрузить без необходимости перезапуска всей системы. Перезагрузка выгружает текущую конфигурацию и загружает новую.", + "script": "Перезагрузить сценарии" + }, + "server_management": { + "heading": "Управление сервером", + "introduction": "Управляйте Вашим сервером Home Assistant... из Home Assistant", + "restart": "Перезапустить", + "stop": "Остановить" + }, + "validation": { + "check_config": "Проверить конфигурацию", + "heading": "Проверка конфигурации", + "introduction": "Проверьте свою конфигурацию, если вы внесли в нее некоторые изменения и хотите убедиться в ее работоспособности", + "invalid": "Ошибка в конфигурации", + "valid": "Конфигурация выполнена верно!" + } + } + } + }, + "customize": { + "attributes_customize": "Следующие атрибуты уже установлены в customize.yaml", + "attributes_not_set": "Следующие атрибуты ещё не были назначены. Вы можете назначить их.", + "attributes_outside": "Следующие атрибуты назначены не в customize.yaml", + "attributes_override": "Вы можете переназначить их.", + "attributes_set": "Следующие атрибуты были назначены программно.", + "caption": "Кастомизация", + "description": "Настраивайте атрибуты объектов", + "different_include": "Возможно через домен, glob или include.", + "pick_attribute": "Выберите атрибут", + "picker": { + "header": "Кастомизация", + "introduction": "Настройка атрибутов объектов. Добавленные или изменённые настройки сразу же вступают в силу. Удаленные настройки вступят в силу после обновления объекта." + }, + "warning": { + "include_link": "include customize.yaml", + "include_sentence": "Похоже, Ваш файл configuration.yaml составлен неправильно", + "not_applied": "Изменения сохранены, но не будут применены после перезагрузки конфигурации пока не будет доступен include." + } + }, + "devices": { + "area_picker_label": "Помещение", + "automation": { + "actions": { + "caption": "Когда что-то происходит..." + }, + "conditions": { + "caption": "Сделать что-то, только если..." + }, + "triggers": { + "caption": "Сделать что-то, когда..." + } + }, + "automations": "Автоматизация", + "caption": "Устройства", + "confirm_rename_entity_ids": "Хотите ли Вы также переименовать идентификаторы объектов?", + "data_table": { + "area": "Помещение", + "battery": "Аккумулятор", + "device": "Устройство", + "integration": "Интеграция", + "manufacturer": "Производитель", + "model": "Модель" + }, + "description": "Управляйте подключенными устройствами", + "details": "Здесь приведена вся доступная информация о Вашем устройстве.", + "device_not_found": "Устройство не найдено.", + "entities": "Объекты", + "info": "Информация об устройстве", + "unknown_error": "Неизвестная ошибка.", + "unnamed_device": "Безымянное устройство" + }, + "entity_registry": { + "caption": "Объекты", + "description": "Управляйте доступными объектами", + "editor": { + "confirm_delete": "Вы уверены, что хотите удалить эту запись?", + "confirm_delete2": "Удаление записи не приведет к удалению объекта из Home Assistant. Для того, чтобы удалить объект, удалите интеграцию '{platform}' из Home Assistant.", + "default_name": "Новый объект", + "delete": "УДАЛИТЬ", + "enabled_cause": "Отключено из-за {cause}.", + "enabled_description": "Отключенные объекты не будут добавлены в Home Assistant.", + "enabled_label": "Включить объект", + "note": "Примечание: это может не работать со всеми интеграциями.", + "unavailable": "Этот объект в настоящее время недоступен.", + "update": "ОБНОВИТЬ" + }, + "picker": { + "header": "Управление объектами", + "headers": { + "enabled": "Включено", + "entity_id": "ID объекта", + "integration": "Интеграция", + "name": "Название" + }, + "integrations_page": "Страница интеграций", + "introduction": "Home Assistant ведет реестр каждого объекта, который когда-либо был создан в системе. Каждому из этих объектов присвоен ID, который зарезервирован только для этого объекта.", + "introduction2": "Используйте данный реестр, чтобы изменить ID или название объекта либо удалить запись из Home Assistant. Обратите внимание, что удаление записи из реестра объектов не удалит сам объект. Для этого перейдите по указанной ниже ссылке и удалите его со страницы интеграций.", + "show_disabled": "Показывать отключенные объекты", + "unavailable": "(недоступен)" + } + }, + "header": "Настройка Home Assistant", "integrations": { "caption": "Интеграции", - "description": "Добавляйте и настраивайте интеграции", - "discovered": "Обнаружено", - "configured": "Настроено", - "new": "Интеграции", - "configure": "Настроить", - "none": "Пока ничего не настроено", "config_entry": { - "no_devices": "Эта интеграция не имеет устройств", - "no_device": "Объекты без устройств", + "area": "Помещение: {area}", + "delete_button": "Удалить {integration}", "delete_confirm": "Вы уверены, что хотите удалить эту интеграцию?", - "restart_confirm": "Перезапустите Home Assistant, чтобы завершить удаление этой интеграции", - "manuf": "{manufacturer}", - "via": "Подключено через", - "firmware": "Прошивка: {version}", "device_unavailable": "устройство недоступно", "entity_unavailable": "объект недоступен", - "no_area": "Не указано", + "firmware": "Прошивка: {version}", "hub": "Подключено через", + "manuf": "{manufacturer}", + "no_area": "Не указано", + "no_device": "Объекты без устройств", + "no_devices": "Эта интеграция не имеет устройств", + "restart_confirm": "Перезапустите Home Assistant, чтобы завершить удаление этой интеграции", "settings_button": "Настройки для {integration}", "system_options_button": "Системные параметры для {integration}", - "delete_button": "Удалить {integration}", - "area": "Помещение: {area}" + "via": "Подключено через" }, "config_flow": { + "aborted": "Отменено", + "add_area": "Добавить помещение", + "area_picker_label": "Помещение", + "close": "Закрыть", + "created_config": "Создана конфигурация для {name}.", + "error_saving_area": "Ошибка сохранения помещения: {error}", "external_step": { "description": "Для завершения этого шага требуется посетить внешний веб-сайт.", "open_site": "Открыть веб-сайт" - } + }, + "failed_create_area": "Не удалось создать помещение.", + "finish": "Готово", + "name_new_area": "Название для нового помещения", + "not_all_required_fields": "Не все обязательные поля заполнены.", + "submit": "Подтвердить" }, + "configure": "Настроить", + "configured": "Настроено", + "description": "Добавляйте и настраивайте интеграции", + "discovered": "Обнаружено", + "home_assistant_website": "сайте Home Assistant", + "integration_not_found": "Интеграция не найдена.", + "new": "Интеграции", + "none": "Пока ничего не настроено", "note_about_integrations": "Пока что не все интеграции могут быть настроены через пользовательский интерфейс.", - "note_about_website_reference": "Все доступные интеграции Вы можете найти на", - "home_assistant_website": "сайте Home Assistant" + "note_about_website_reference": "Все доступные интеграции Вы можете найти на" + }, + "introduction": "Здесь можно настроить Home Assistant. Пока что не все настройки доступны из интерфейса, но мы работаем над этим.", + "person": { + "add_person": "Добавить персону", + "caption": "Люди", + "confirm_delete": "Вы уверены, что хотите удалить эту персону?", + "confirm_delete2": "Все устройства, связанные с этой персоной, станут неназначенными.", + "create_person": "Добавить персону", + "description": "Определяйте людей, которых может отслеживать Home Assistant", + "detail": { + "create": "Создать", + "delete": "Удалить", + "device_tracker_intro": "Выберите устройства, отслеживающие этого человека.", + "device_tracker_pick": "Выберите устройство для отслеживания", + "device_tracker_picked": "Устройство для отслеживания", + "link_integrations_page": "Страница интеграций", + "link_presence_detection_integrations": "Интеграции обнаружения присутствия", + "linked_user": "Связанный пользователь", + "name": "Имя", + "name_error_msg": "Укажите имя", + "new_person": "Новая персона", + "no_device_tracker_available_intro": "Если у Вас есть отслеживающие устройства, Вы можете назначить их этому человеку. Вы можете добавить Ваше первое устройство, добавив интеграцию обнаружения присутствия со страницы интеграции.", + "update": "Обновить" + }, + "introduction": "Этот раздел позволяет добавлять в Home Assistant интересующих Вас персон.", + "no_persons_created_yet": "У Вас еще нет добавленных персон.", + "note_about_persons_configured_in_yaml": "Примечание:\\nПерсоны, настроенные с помощью configuration.yaml, не могут быть изменены с помощью пользовательского интерфейса." + }, + "scene": { + "activated": "Активирована сцена {name}.", + "caption": "Сцены", + "description": "Создавайте и редактируйте сцены", + "editor": { + "default_name": "Новая сцена", + "devices": { + "add": "Добавить устройство", + "delete": "Удалить устройство", + "header": "Устройства", + "introduction": "Добавьте устройства, которые Вы хотите задействовать в этой сцене, установите для них желаемое состояние." + }, + "entities": { + "add": "Добавить объект", + "delete": "Удалить объект", + "device_entities": "Если Вы добавите объект, который связан с устройством, то будет добавлено это устройство.", + "header": "Объекты", + "introduction": "Объекты, которые не связаны с каким-либо устройством, могут быть указаны здесь.", + "without_device": "Объекты без устройств" + }, + "introduction": "Используйте сцены, чтобы оживить Ваш дом.", + "load_error_not_editable": "Доступны для редактирования только сцены из scenes.yaml.", + "load_error_unknown": "Ошибка загрузки сцены ({err_no}).", + "name": "Название", + "save": "Сохранить", + "unsaved_confirm": "У вас есть несохраненные изменения. Вы уверены, что хотите выйти?" + }, + "picker": { + "add_scene": "Добавить сцену", + "delete_confirm": "Вы уверены, что хотите удалить эту сцену?", + "delete_scene": "Удалить сцену", + "edit_scene": "Редактировать сцену", + "header": "Редактор сцен", + "introduction": "Этот редактор позволяет создавать и редактировать сцены.\\nПожалуйста, ознакомьтесь с инструкциями по указанной ниже ссылке и убедитесь, что правильно настроили Home Assistant.", + "learn_more": "Узнайте больше о сценах", + "no_scenes": "Редактируемые сцены не найдены", + "only_editable": "Доступны для редактирования только сцены из scenes.yaml.", + "pick_scene": "Выберите сцену для редактирования", + "show_info_scene": "Показать информацию о сцене" + } + }, + "script": { + "caption": "Сценарии", + "description": "Создавайте и редактируйте сценарии", + "editor": { + "default_name": "Новый сценарий", + "delete_confirm": "Вы уверены, что хотите удалить этот сценарий?", + "delete_script": "Удалить сценарий", + "header": "Сценарий: {name}", + "introduction": "Используйте сценарии для выполнения последовательности действий.", + "link_available_actions": "Узнайте больше о действиях", + "load_error_not_editable": "Доступны для редактирования только сценарии из scripts.yaml.", + "sequence": "Последовательность", + "sequence_sentence": "Последовательность действий этого сценария." + }, + "picker": { + "add_script": "Добавить сценарий", + "edit_script": "Редактировать сценарий", + "header": "Редактор сценариев", + "introduction": "Этот редактор позволяет создавать и редактировать сценарии.\\nПожалуйста, ознакомьтесь с инструкциями по указанной ниже ссылке и убедитесь, что правильно настроили Home Assistant.", + "learn_more": "Узнайте больше о сценариях", + "no_scripts": "Редактируемые сценарии не найдены", + "trigger_script": "Запустить сценарий" + } + }, + "server_control": { + "caption": "Сервер", + "description": "Управляйте сервером Home Assistant", + "section": { + "reloading": { + "automation": "Перезагрузить автоматизации", + "core": "Перезагрузить ядро", + "group": "Перезагрузить группы", + "heading": "Перезагрузка конфигурации", + "introduction": "Некоторые компоненты Home Assistant можно перезагрузить без необходимости перезапуска всей системы. Перезагрузка выгружает текущую конфигурацию и загружает новую.", + "scene": "Перезагрузить сцены", + "script": "Перезагрузить сценарии" + }, + "server_management": { + "confirm_restart": "Вы уверены, что хотите перезапустить Home Assistant?", + "confirm_stop": "Вы уверены, что хотите остановить Home Assistant?", + "heading": "Управление сервером", + "introduction": "Управляйте Вашим сервером Home Assistant... из Home Assistant.", + "restart": "Перезапустить", + "stop": "Остановить" + }, + "validation": { + "check_config": "Начать проверку", + "heading": "Проверка конфигурации", + "introduction": "Проверьте файлы конфигурации, если Вы внесли в них изменения.", + "invalid": "Ошибка в конфигурации", + "valid": "Конфигурация выполнена верно" + } + } + }, + "users": { + "add_user": { + "caption": "Добавить пользователя", + "create": "Добавить", + "name": "Имя", + "password": "Пароль", + "username": "Логин" + }, + "caption": "Пользователи", + "description": "Управляйте учетными записями пользователей", + "editor": { + "activate_user": "Активировать", + "active": "Активен", + "caption": "Просмотр пользователя", + "change_password": "Изменить пароль", + "confirm_user_deletion": "Вы уверены, что хотите удалить {name}?", + "deactivate_user": "Деактивировать", + "delete_user": "Удалить", + "enter_new_name": "Введите новое имя", + "group": "Группа", + "group_update_failed": "Не удалось обновить группу", + "id": "ID", + "owner": "Владелец", + "rename_user": "Изменить имя", + "system_generated": "Системный", + "system_generated_users_not_removable": "Системные пользователи защищены от удаления.", + "unnamed_user": "Безымянный пользователь", + "user_rename_failed": "Не удалось переименовать пользователя" + }, + "picker": { + "system_generated": "Создан системой", + "title": "Пользователи" + } }, "zha": { - "caption": "ZHA", - "description": "Управляйте сетью Zigbee Home Automation", - "services": { - "reconfigure": "Перенастройка устройства ZHA. Используйте эту службу, если у Вас есть проблемы с устройством. Если рассматриваемое устройство работает от батареи, пожалуйста, убедитесь, что оно не находится в режиме сна и принимает команды, когда вы запускаете эту службу.", - "updateDeviceName": "Установите имя для этого устройства в реестре устройств.", - "remove": "Удалить устройство из сети Zigbee." - }, - "device_card": { - "device_name_placeholder": "Название", - "area_picker_label": "Помещение", - "update_name_button": "Обновить название" - }, "add_device_page": { - "header": "Zigbee Home Automation", - "spinner": "Поиск Zigbee устройств...", "discovery_text": "Здесь будут отображаться обнаруженные устройства. Следуйте инструкциям для Вашего устройства, чтобы включить режим сопряжения.", - "search_again": "Повторный поиск" + "header": "Zigbee Home Automation", + "search_again": "Повторный поиск", + "spinner": "Поиск Zigbee устройств..." + }, + "caption": "ZHA", + "cluster_attributes": { + "attributes_of_cluster": "Атрибуты выбранного кластера", + "get_zigbee_attribute": "Получить атрибут Zigbee", + "header": "Атрибуты кластера", + "help_attribute_dropdown": "Выберите атрибут для просмотра или установите его значение.", + "help_get_zigbee_attribute": "Получить значение для выбранного атрибута.", + "help_set_zigbee_attribute": "Установите значение атрибута для указанного кластера на указанном объекте.", + "introduction": "Просмотр и редактирование атрибутов кластера.", + "set_zigbee_attribute": "Установить атрибут Zigbee" + }, + "cluster_commands": { + "commands_of_cluster": "Команды выбранного кластера", + "header": "Команды кластера", + "help_command_dropdown": "Выберите команду для взаимодействия.", + "introduction": "Просмотр и выдача команд кластеров.", + "issue_zigbee_command": "Выдать команду Zigbee" + }, + "clusters": { + "help_cluster_dropdown": "Выберите кластер для просмотра атрибутов и команд." }, "common": { "add_devices": "Добавить устройства", @@ -1025,472 +1442,266 @@ "manufacturer_code_override": "Переназначить код производителя", "value": "Значение" }, + "description": "Управляйте сетью Zigbee Home Automation", + "device_card": { + "area_picker_label": "Помещение", + "device_name_placeholder": "Название", + "update_name_button": "Обновить название" + }, "network_management": { "header": "Управление сетью", "introduction": "Команды, которые влияют на всю сеть" }, "node_management": { "header": "Управление устройством", - "introduction": "Команды ZHA, которые влияют на одно устройство. Выберите устройство, чтобы увидеть список доступных команд.", - "hint_battery_devices": "Примечание:\nСпящие (работающие от батареи) устройства должны быть активны при выполнении команд. Обычно устройство выходит из режима сна, когда срабатывает на изменение внешних условий.", + "help_node_dropdown": "Выберите устройство для просмотра индивидуальных параметров.", + "hint_battery_devices": "Примечание:\\nСпящие (работающие от батареи) устройства должны быть активны при выполнении команд. Обычно устройство выходит из режима сна, когда срабатывает на изменение внешних условий.", "hint_wakeup": "Некоторые устройства, такие как датчики Xiaomi, имеют кнопку пробуждения, которую Вы можете нажимать с интервалом ~ 5 секунд, чтобы держать устройства в активном состоянии во время взаимодействия с ними.", - "help_node_dropdown": "Выберите устройство для просмотра индивидуальных параметров." + "introduction": "Команды ZHA, которые влияют на одно устройство. Выберите устройство, чтобы увидеть список доступных команд." }, - "clusters": { - "help_cluster_dropdown": "Выберите кластер для просмотра атрибутов и команд." - }, - "cluster_attributes": { - "header": "Атрибуты кластера", - "introduction": "Просмотр и редактирование атрибутов кластера.", - "attributes_of_cluster": "Атрибуты выбранного кластера", - "get_zigbee_attribute": "Получить атрибут Zigbee", - "set_zigbee_attribute": "Установить атрибут Zigbee", - "help_attribute_dropdown": "Выберите атрибут для просмотра или установите его значение.", - "help_get_zigbee_attribute": "Получить значение для выбранного атрибута.", - "help_set_zigbee_attribute": "Установите значение атрибута для указанного кластера на указанном объекте." - }, - "cluster_commands": { - "header": "Команды кластера", - "introduction": "Просмотр и выдача команд кластеров.", - "commands_of_cluster": "Команды выбранного кластера", - "issue_zigbee_command": "Выдать команду Zigbee", - "help_command_dropdown": "Выберите команду для взаимодействия." + "services": { + "reconfigure": "Перенастройка устройства ZHA. Используйте эту службу, если у Вас есть проблемы с устройством. Если рассматриваемое устройство работает от батареи, пожалуйста, убедитесь, что оно не находится в режиме сна и принимает команды, когда вы запускаете эту службу.", + "remove": "Удалить устройство из сети Zigbee.", + "updateDeviceName": "Установите имя для этого устройства в реестре устройств." } }, - "area_registry": { - "caption": "Помещения", - "description": "Управляйте помещениями в Вашем доме", - "picker": { - "header": "Управление помещениями", - "introduction": "Этот раздел используется для определения местоположения устройств. Данная информация будет использоваться в Home Assistant, чтобы помочь вам в организации вашего интерфейса, определении прав доступа и интеграции с другими системами.", - "introduction2": "Чтобы назначить устройству местоположение, используйте указанную ниже ссылку для перехода на страницу интеграций, а затем откройте уже настроенную интеграцию.", - "integrations_page": "Страница интеграций", - "no_areas": "У Вас еще нет добавленных помещений.", - "create_area": "ДОБАВИТЬ ПОМЕЩЕНИЕ" + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Индекс", + "instance": "Экземпляр", + "unknown": "неизвестно", + "value": "Значение", + "wakeup_interval": "Интервал пробуждения" }, - "no_areas": "У Вас еще нет добавленных помещений.", - "create_area": "ДОБАВИТЬ", - "editor": { - "default_name": "Новое помещение", - "delete": "УДАЛИТЬ", - "update": "ОБНОВИТЬ", - "create": "ДОБАВИТЬ" - } - }, - "entity_registry": { - "caption": "Объекты", - "description": "Управляйте доступными объектами", - "picker": { - "header": "Управление объектами", - "unavailable": "(недоступен)", - "introduction": "Home Assistant ведет реестр каждого объекта, который когда-либо был создан в системе. Каждому из этих объектов присвоен ID, который зарезервирован только для этого объекта.", - "introduction2": "Используйте данный реестр, чтобы изменить ID или название объекта либо удалить запись из Home Assistant. Обратите внимание, что удаление записи из реестра объектов не удалит сам объект. Для этого перейдите по указанной ниже ссылке и удалите его со страницы интеграций.", - "integrations_page": "Страница интеграций", - "show_disabled": "Показывать отключенные объекты", - "headers": { - "name": "Название", - "entity_id": "ID объекта", - "integration": "Интеграция", - "enabled": "Включено" - } + "description": "Управляйте Вашей сетью Z-Wave", + "learn_more": "Узнайте больше о Z-Wave", + "network_management": { + "header": "Управление сетью Z-Wave", + "introduction": "Управляйте сетью Z-Wave с помощью представленных команд. Информацию о результате выполненных команд Вы можете получить в журнале OZW." }, - "editor": { - "unavailable": "Этот объект в настоящее время недоступен.", - "default_name": "Новый объект", - "delete": "УДАЛИТЬ", - "update": "ОБНОВИТЬ", - "enabled_label": "Включить объект", - "enabled_cause": "Отключено из-за {cause}.", - "enabled_description": "Отключенные объекты не будут добавлены в Home Assistant.", - "confirm_delete": "Вы уверены, что хотите удалить эту запись?", - "confirm_delete2": "Удаление записи не приведет к удалению объекта из Home Assistant. Для того, чтобы удалить объект, удалите интеграцию '{platform}' из Home Assistant." - } - }, - "person": { - "caption": "Люди", - "description": "Определяйте людей, которых может отслеживать Home Assistant", - "detail": { - "name": "Имя", - "device_tracker_intro": "Выберите устройства, отслеживающие этого человека.", - "device_tracker_picked": "Устройство для отслеживания", - "device_tracker_pick": "Выберите устройство для отслеживания", - "new_person": "Новая персона", - "name_error_msg": "Укажите имя", - "linked_user": "Связанный пользователь", - "no_device_tracker_available_intro": "Если у Вас есть отслеживающие устройства, Вы можете назначить их этому человеку. Вы можете добавить Ваше первое устройство, добавив интеграцию обнаружения присутствия со страницы интеграции.", - "link_presence_detection_integrations": "Интеграции обнаружения присутствия", - "link_integrations_page": "Страница интеграций", - "delete": "Удалить", - "create": "Создать", - "update": "Обновить" + "network_status": { + "network_started": "Сеть Z-Wave работает", + "network_started_note_all_queried": "Все узлы были опрошены.", + "network_started_note_some_queried": "Активные узлы были опрошены. Спящие узлы будут опрошены, когда выйдут из режима сна.", + "network_starting": "Запуск сети Z-Wave...", + "network_starting_note": "Это может занять некоторое время в зависимости от размера Вашей сети.", + "network_stopped": "Сеть Z-Wave отключена" }, - "introduction": "Этот раздел позволяет добавлять в Home Assistant интересующих Вас персон.", - "note_about_persons_configured_in_yaml": "Примечание:\nПерсоны, настроенные с помощью configuration.yaml, не могут быть изменены с помощью пользовательского интерфейса.", - "no_persons_created_yet": "У Вас еще нет добавленных персон.", - "create_person": "Добавить персону", - "add_person": "Добавить персону", - "confirm_delete": "Вы уверены, что хотите удалить эту персону?", - "confirm_delete2": "Все устройства, связанные с этой персоной, станут неназначенными." - }, - "server_control": { - "caption": "Сервер", - "description": "Управляйте сервером Home Assistant", - "section": { - "validation": { - "heading": "Проверка конфигурации", - "introduction": "Проверьте файлы конфигурации, если Вы внесли в них изменения.", - "check_config": "Начать проверку", - "valid": "Конфигурация выполнена верно", - "invalid": "Ошибка в конфигурации" - }, - "reloading": { - "heading": "Перезагрузка конфигурации", - "introduction": "Некоторые компоненты Home Assistant можно перезагрузить без необходимости перезапуска всей системы. Перезагрузка выгружает текущую конфигурацию и загружает новую.", - "core": "Перезагрузить ядро", - "group": "Перезагрузить группы", - "automation": "Перезагрузить автоматизации", - "script": "Перезагрузить сценарии", - "scene": "Перезагрузить сцены" - }, - "server_management": { - "heading": "Управление сервером", - "introduction": "Управляйте Вашим сервером Home Assistant... из Home Assistant.", - "restart": "Перезапустить", - "stop": "Остановить", - "confirm_restart": "Вы уверены, что хотите перезапустить Home Assistant?", - "confirm_stop": "Вы уверены, что хотите остановить Home Assistant?" - } - } - }, - "devices": { - "caption": "Устройства", - "description": "Управляйте подключенными устройствами", - "automation": { - "triggers": { - "caption": "Сделать что-то, когда..." - }, - "conditions": { - "caption": "Сделать что-то, только если..." - }, - "actions": { - "caption": "Когда что-то происходит..." - } - } - }, - "common": { - "editor": { - "confirm_unsaved": "У Вас есть несохраненные изменения. Вы уверены, что хотите выйти?" + "node_config": { + "config_parameter": "Параметр конфигурации", + "config_value": "Значение конфигурации", + "false": "Ложь", + "header": "Параметры конфигурации узла", + "seconds": "секунд", + "set_config_parameter": "Установить параметр конфигурации", + "set_wakeup": "Установить интервал пробуждения", + "true": "Истина" + }, + "ozw_log": { + "header": "Журнал OZW", + "introduction": "Просмотр журнала событий. 0 - минимум (загружает весь журнал), 1000 - максимум. Журнал обновляется автоматически." + }, + "services": { + "add_node": "Добавить узел", + "add_node_secure": "Добавить защищенный узел", + "cancel_command": "Отменить команду", + "heal_network": "Исправить сеть", + "remove_node": "Удалить узел", + "save_config": "Сохранить конфигурацию", + "soft_reset": "Сброс", + "start_network": "Включить", + "stop_network": "Отключить", + "test_network": "Тестировать" + }, + "values": { + "header": "Значения узлов" } } }, - "profile": { - "push_notifications": { - "header": "Push-уведомления", - "description": "Отправлять уведомления на это устройство", - "error_load_platform": "Настроить notify.html5.", - "error_use_https": "Требуется SSL для веб-интерфейса.", - "push_notifications": "Push-уведомления", - "link_promo": "Узнать больше" - }, - "language": { - "header": "Язык", - "link_promo": "Помочь в переводе", - "dropdown_label": "Язык" - }, - "themes": { - "header": "Тема", - "error_no_theme": "Нет доступных тем.", - "link_promo": "Узнать о темах", - "dropdown_label": "Тема" - }, - "refresh_tokens": { - "header": "Токены обновления", - "description": "Каждый токен обновления означает выполненный вход в систему. Токен обновления текущего сеанса пользователя будет автоматически удален при нажатии кнопки выхода из системы. Ниже Вы можете просмотреть токены обновления, которые в настоящее время активны для Вашей учетной записи.", - "token_title": "Токен обновления для {clientId}", - "created_at": "Создан {date}", - "confirm_delete": "Вы уверены, что хотите удалить токен обновления для {name}?", - "delete_failed": "Не удалось удалить токен обновления.", - "last_used": "Последнее использование {date} из {location}", - "not_used": "Никогда не использовался", - "current_token_tooltip": "Не удалось удалить текущий токен обновления" - }, - "long_lived_access_tokens": { - "header": "Долгосрочные токены доступа", - "description": "Создайте долгосрочные токены доступа, чтобы Ваши скрипты могли взаимодействовать с Home Assistant. Каждый токен будет действителен в течение 10 лет с момента создания. Ниже Вы можете просмотреть долгосрочные токены доступа, которые в настоящее время активны.", - "learn_auth_requests": "Узнайте, как выполнять аутентифицированные запросы.", - "created_at": "Создан {date}", - "confirm_delete": "Вы уверены, что хотите удалить токен доступа для {name}?", - "delete_failed": "Не удалось удалить токен доступа.", - "create": "Создать токен", - "create_failed": "Не удалось создать токен доступа.", - "prompt_name": "Введите название для токена", - "prompt_copy_token": "Скопируйте Ваш токен доступа. Он больше не будет показан.", - "empty_state": "У вас еще нет долгосрочных токенов доступа.", - "last_used": "Последнее использование {date} из {location}", - "not_used": "Никогда не использовался" - }, - "current_user": "Добро пожаловать, {fullName}! Вы вошли в систему.", - "is_owner": "Вы являетесь владельцем.", - "change_password": { - "header": "Изменить пароль", - "current_password": "Текущий пароль", - "new_password": "Новый пароль", - "confirm_new_password": "Подтвердите новый пароль", - "error_required": "Обязательное поле", - "submit": "Подтвердить" - }, - "mfa": { - "header": "Модули многофакторной аутентификации", - "disable": "Отключить", - "enable": "Включить", - "confirm_disable": "Вы уверены, что хотите отключить {name}?" - }, - "mfa_setup": { - "title_aborted": "Отменено", - "title_success": "Выполнено успешно!", - "step_done": "Настройка выполнена для {step}", - "close": "Закрыть", - "submit": "Подтвердить" - }, - "logout": "Выйти", - "force_narrow": { - "header": "Всегда скрывать боковую панель", - "description": "Боковая панель будет скрыта, аналогично мобильному интерфейсу" - }, - "vibrate": { - "header": "Вибрация", - "description": "Получать тактильный отклик при управлении устройствами" - }, - "advanced_mode": { - "title": "Расширенный режим", - "description": "Home Assistant по умолчанию скрывает расширенные функции и параметры. Активируя расширенный режим, Вы сделаете эти функции доступными. Эта настройка не влияет на других пользователей, использующих Home Assistant." + "custom": { + "external_panel": { + "complete_access": "Подтверждая, Вы предоставите для панели доступ ко всем данным в Home Assistant.", + "hide_message": "Ознакомьтесь с инструкциями к компоненту Panel Custom, чтобы узнать как скрыть это сообщение.", + "question_trust": "Доверяете ли Вы сторонней панели {name} адресу {link} ?" } }, - "page-authorize": { - "initializing": "Инициализация", - "authorizing_client": "Получение доступа к {clientId}.", - "logging_in_with": "Провайдер аутентификации: **{authProviderName}**.", - "pick_auth_provider": "Или войти с помощью", - "abort_intro": "Вход прерван", - "form": { - "working": "Пожалуйста, подождите", - "unknown_error": "Что-то пошло не так", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Логин", - "password": "Пароль" - } - }, - "mfa": { - "data": { - "code": "Код двухфакторной аутентификации" - }, - "description": "Введите код двухфакторной аутентификации, полученный от **{mfa_module_name}**:" - } - }, - "error": { - "invalid_auth": "Неверный логин или пароль", - "invalid_code": "Неверный код аутентификации" - }, - "abort": { - "login_expired": "Время сеанса истекло, пожалуйста войдите в систему снова." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "Пароль API" - }, - "description": "Пожалуйста, введите пароль API, указанный в Вашей конфигурации http:" - }, - "mfa": { - "data": { - "code": "Код двухфакторной аутентификации" - }, - "description": "Введите код двухфакторной аутентификации, полученный от **{mfa_module_name}**:" - } - }, - "error": { - "invalid_auth": "Неверный пароль API", - "invalid_code": "Неверный код аутентификации" - }, - "abort": { - "no_api_password_set": "Вы не настроили пароль для API.", - "login_expired": "Время сеанса истекло, пожалуйста войдите в систему снова." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Пользователь" - }, - "description": "Пожалуйста, выберите пользователя для авторизации:" - } - }, - "abort": { - "not_whitelisted": "Ваш компьютер не включён в белый список." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Логин", - "password": "Пароль" - } - }, - "mfa": { - "data": { - "code": "Код двухфакторной аутентификации" - }, - "description": "Введите код двухфакторной аутентификации, полученный от **{mfa_module_name}**:" - } - }, - "error": { - "invalid_auth": "Неверный логин или пароль", - "invalid_code": "Неверный код аутентификации" - }, - "abort": { - "login_expired": "Время сеанса истекло, пожалуйста войдите в систему снова." - } - } - } - } - }, - "page-onboarding": { - "intro": "Готовы ли Вы разбудить свой дом, вернуть свою конфиденциальность и присоединиться к всемирному сообществу?", - "user": { - "intro": "Давайте начнём с создания учётной записи пользователя.", - "required_field": "Обязательное поле", - "data": { - "name": "Имя", - "username": "Логин", - "password": "Пароль", - "password_confirm": "Подтвердите пароль" + "developer-tools": { + "tabs": { + "events": { + "alert_event_type": "Укажите событие.", + "available_events": "Доступные события", + "count_listeners": "(подписано: {count})", + "data": "Данные события в формате YAML (необязательно)", + "description": "Здесь Вы можете создать и отправить событие в Home Assistant.", + "documentation": "Узнайте больше о событиях.", + "event_fired": "Событие {name} произошло в", + "fire_event": "Создать событие", + "listen_to_events": "Подписаться на событие", + "listening_to": "Подписано на", + "notification_event_fired": "Событие {type} успешно создано", + "start_listening": "Подписаться", + "stop_listening": "Отписаться", + "subscribe_to": "Событие", + "title": "События", + "type": "Событие" }, - "create_account": "Создать учетную запись", - "error": { - "required_fields": "Заполните все обязательные поля", - "password_not_match": "Пароли не совпадают" + "info": { + "built_using": "Создано с использованием", + "custom_uis": "Кастомные интерфейсы:", + "default_ui": "{action} {name} по умолчанию на этом устройстве", + "developed_by": "Разработано множеством замечательных людей.", + "frontend": "пользовательский интерфейс", + "frontend_version": "Версия интерфейса: {version} - {type}", + "home_assistant_logo": "Логотип Home Assistant", + "icons_by": "Значки от", + "license": "Опубликовано под лицензией Apache 2.0", + "lovelace_ui": "Перейти к пользовательскому интерфейсу Lovelace", + "path_configuration": "Путь к configuration.yaml: {path}", + "remove": "Не использовать", + "server": "сервер", + "set": "Использовать", + "source": "Исходный код:", + "states_ui": "Перейти к пользовательскому интерфейсу states", + "system_health_error": "Компонент System Health не загружен. Добавьте 'system_health:' в файл configuration.yaml.", + "title": "О системе" + }, + "logs": { + "clear": "Очистить", + "details": "Детализация журнала: {level}", + "load_full_log": "Показать весь журнал", + "loading_log": "Загрузка журнала…", + "multiple_messages": "первое сообщение получено в {time} и повторялось {counter} раз", + "no_errors": "Нет сообщений об ошибках.", + "no_issues": "Нет сообщений о проблемах.", + "refresh": "Обновить", + "title": "Лог" + }, + "mqtt": { + "description_listen": "Подписаться на топик", + "description_publish": "Опубликовать данные", + "listening_to": "Подписано на", + "message_received": "Сообщение {id} получено в {time} из {topic}:", + "payload": "Значение (включая шаблоны)", + "publish": "Опубликовать", + "start_listening": "Подписаться", + "stop_listening": "Отписаться", + "subscribe_to": "Топик", + "title": "MQTT", + "topic": "Топик" + }, + "services": { + "alert_parsing_yaml": "Ошибка при разборе синтаксиса YAML: {data}", + "call_service": "Вызвать службу", + "column_description": "Описание", + "column_example": "Пример", + "column_parameter": "Параметр", + "data": "Данные службы в формате YAML (необязательно)", + "description": "Здесь Вы можете вызвать любую службу Home Assistant из списка доступных.", + "fill_example_data": "Заполнить данными из примера", + "no_description": "Описание недоступно", + "no_parameters": "Нет параметров для этой службы.", + "select_service": "Выберите службу, чтобы увидеть описание.", + "title": "Службы" + }, + "states": { + "alert_entity_field": "Укажите объект.", + "attributes": "Атрибуты", + "current_entities": "Список актуальных объектов", + "description1": "Здесь Вы можете вручную изменить состояние устройства в Home Assistant.", + "description2": "Изменённое состояние не будет синхронизировано с устройством.", + "entity": "Объект", + "filter_attributes": "Фильтр по атрибутам", + "filter_entities": "Фильтр по объектам", + "filter_states": "Фильтр по состояниям", + "more_info": "Подробнее", + "no_entities": "Не найдено", + "set_state": "Задать состояние", + "state": "Состояние", + "state_attributes": "Атрибуты состояния в формате YAML (необязательно)", + "title": "Состояния" + }, + "templates": { + "description": "Здесь Вы можете протестировать поведение шаблонов. Шаблоны используют шаблонизатор Jinja2 с некоторыми специальными расширениями Home Assistant.", + "editor": "Редактор шаблонов", + "jinja_documentation": "Узнайте больше о шаблонизаторе Jinja2", + "template_extensions": "Узнайте больше о шаблонах Home Assistant", + "title": "Шаблоны", + "unknown_error_template": "Неизвестная ошибка при визуализации шаблона." } - }, - "integration": { - "intro": "Устройства и сервисы представлены в Home Assistant как интеграции. Вы можете добавить их сейчас или сделать это позже в разделе настроек.", - "more_integrations": "Ещё", - "finish": "Готово" - }, - "core-config": { - "intro": "Добро пожаловать, {name}! Как Вы хотите назвать свой Home Assistant?", - "intro_location": "Мы хотели бы знать, где Вы живете. Это поможет нам правильно отображать информацию и позволит Вам настраивать автоматизацию на основе данных о рассвете и закате. Эти данные никогда не будут переданы за пределы Вашей локальной сети.", - "intro_location_detect": "Мы можем помочь Вам заполнить эту информацию, сделав однократный запрос во внешнюю службу.", - "location_name_default": "Home Assistant", - "button_detect": "Заполнить", - "finish": "Далее" } }, + "history": { + "period": "Период", + "showing_entries": "Отображение записей за" + }, + "logbook": { + "entries_not_found": "В журнале нет записей.", + "period": "Период", + "showing_entries": "Отображение записей за" + }, "lovelace": { "cards": { - "shopping-list": { - "checked_items": "Отмеченные элементы", - "clear_items": "Очистить отмеченные элементы", - "add_item": "Добавить элемент" - }, + "confirm_delete": "Вы уверены, что хотите удалить эту карточку?", "empty_state": { - "title": "Добро пожаловать домой", + "go_to_integrations_page": "Перейти на страницу интеграций", "no_devices": "На этой странице можно управлять Вашими устройствами, однако похоже, что ни одно устройство еще не добавлено. Для начала перейдите на страницу интеграций.", - "go_to_integrations_page": "Перейти на страницу интеграций" + "title": "Добро пожаловать домой" }, "picture-elements": { - "hold": "Удержание:", - "tap": "Нажатие:", - "navigate_to": "Перейти к {location}", - "toggle": "Переключить {name}", "call_service": "Вызвать службу {name}", + "hold": "Удержание:", "more_info": "Показать больше информации: {name}", + "navigate_to": "Перейти к {location}", + "tap": "Нажатие:", + "toggle": "Переключить {name}", "url": "Открыть окно {url_path}" }, - "confirm_delete": "Вы уверены, что хотите удалить эту карточку?" + "shopping-list": { + "add_item": "Добавить элемент", + "checked_items": "Отмеченные элементы", + "clear_items": "Очистить отмеченные элементы" + } + }, + "changed_toast": { + "message": "Конфигурация Lovelace была изменена, обновить эту страницу?", + "refresh": "Обновить" }, "editor": { - "edit_card": { - "header": "Настройка карточки", - "save": "Сохранить", - "toggle_editor": "Переключить редактор", - "pick_card": "Какую карточку Вы хотели бы добавить?", - "add": "Добавить карточку", - "edit": "Изменить", - "delete": "Удалить", - "move": "Переместить", - "show_visual_editor": "Форма ввода", - "show_code_editor": "Текстовый редактор", - "pick_card_view_title": "Какую карточку Вы хотели бы добавить на вкладку {name}?", - "options": "Больше параметров" - }, - "migrate": { - "header": "Конфигурация несовместима", - "para_no_id": "Этот элемент не имеет ID. Добавьте ID для этого элемента в 'ui-lovelace.yaml'.", - "para_migrate": "Home Assistant может автоматически добавить ID для всех карточек и вкладок, если нажать кнопку 'Перенести настройки'.", - "migrate": "Перенести настройки" - }, - "header": "Редактирование интерфейса", - "edit_view": { - "header": "Настройки вкладки", - "add": "Добавить вкладку", - "edit": "Изменить вкладку", - "delete": "Удалить вкладку", - "header_name": "Настройки вкладки \"{name}\"" - }, - "save_config": { - "header": "Получение контроля над пользовательским интерфейсом", - "para": "По умолчанию Home Assistant будет обслуживать Ваш пользовательский интерфейс, автоматически добавляя новые объекты и новые компоненты Lovelace, если они доступны. Если Вы получите контроль над пользовательским интерфейсом, изменения больше не будут вноситься автоматически.", - "para_sure": "Вы уверены, что хотите самостоятельно контролировать пользовательский интерфейс?", - "cancel": "Оставить как есть", - "save": "Получить контроль" - }, - "menu": { - "raw_editor": "Текстовый редактор", - "open": "Открыть меню Lovelace" - }, - "raw_editor": { - "header": "Редактирование конфигурации", - "save": "Сохранить", - "unsaved_changes": "Несохраненные изменения", - "saved": "Сохранено" - }, - "edit_lovelace": { - "header": "Заголовок для Lovelace", - "explanation": "Этот заголовок будет показан над всеми Вашими карточками и вкладками." - }, "card": { "alarm_panel": { "available_states": "Доступные состояния" }, + "alarm-panel": { + "available_states": "Доступные состояния", + "name": "Alarm Panel" + }, + "conditional": { + "name": "Conditional" + }, "config": { - "required": "обязательно", - "optional": "необязательно" + "optional": "необязательно", + "required": "обязательно" }, "entities": { - "show_header_toggle": "Переключатель в заголовке", "name": "Entities", + "show_header_toggle": "Переключатель в заголовке", "toggle": "Переключить объекты" }, + "entity-button": { + "name": "Entity Button" + }, + "entity-filter": { + "name": "Entity Filter" + }, "gauge": { + "name": "Gauge", "severity": { "define": "Задать оттенок для значений", "green": "Зелёный", "red": "Красный", "yellow": "Желтый" - }, - "name": "Gauge" - }, - "glance": { - "columns": "Столбцы", - "name": "Glance" + } }, "generic": { "aspect_ratio": "Соотношение сторон", @@ -1511,39 +1722,14 @@ "show_name": "Название", "show_state": "Состояние", "tap_action": "При нажатии", - "title": "Название", "theme": "Тема", + "title": "Название", "unit": "Единица измерения", "url": "URL-адрес" }, - "map": { - "geo_location_sources": "Источники геолокации", - "dark_mode": "Ночной режим", - "default_zoom": "Масштаб по умолчанию", - "source": "Источник", - "name": "Map" - }, - "markdown": { - "content": "Содержание", - "name": "Markdown" - }, - "sensor": { - "graph_detail": "Детализация графика", - "graph_type": "Тип графика", - "name": "Sensor" - }, - "alarm-panel": { - "name": "Alarm Panel", - "available_states": "Доступные состояния" - }, - "conditional": { - "name": "Conditional" - }, - "entity-button": { - "name": "Entity Button" - }, - "entity-filter": { - "name": "Entity Filter" + "glance": { + "columns": "Столбцы", + "name": "Glance" }, "history-graph": { "name": "History Graph" @@ -1557,12 +1743,20 @@ "light": { "name": "Light" }, + "map": { + "dark_mode": "Ночной режим", + "default_zoom": "Масштаб по умолчанию", + "geo_location_sources": "Источники геолокации", + "name": "Map", + "source": "Источник" + }, + "markdown": { + "content": "Содержание", + "name": "Markdown" + }, "media-control": { "name": "Media Control" }, - "picture": { - "name": "Picture" - }, "picture-elements": { "name": "Picture Elements" }, @@ -1572,9 +1766,17 @@ "picture-glance": { "name": "Picture Glance" }, + "picture": { + "name": "Picture" + }, "plant-status": { "name": "Plant Status" }, + "sensor": { + "graph_detail": "Детализация графика", + "graph_type": "Тип графика", + "name": "Sensor" + }, "shopping-list": { "name": "Список покупок" }, @@ -1588,434 +1790,368 @@ "name": "Прогноз погоды" } }, + "edit_card": { + "add": "Добавить карточку", + "delete": "Удалить", + "edit": "Изменить", + "header": "Настройка карточки", + "move": "Переместить", + "options": "Больше параметров", + "pick_card": "Какую карточку Вы хотели бы добавить?", + "pick_card_view_title": "Какую карточку Вы хотели бы добавить на вкладку {name}?", + "save": "Сохранить", + "show_code_editor": "Текстовый редактор", + "show_visual_editor": "Форма ввода", + "toggle_editor": "Переключить редактор" + }, + "edit_lovelace": { + "edit_title": "Изменить заголовок", + "explanation": "Этот заголовок будет показан над всеми Вашими карточками и вкладками.", + "header": "Заголовок для Lovelace" + }, + "edit_view": { + "add": "Добавить вкладку", + "delete": "Удалить вкладку", + "edit": "Изменить вкладку", + "header": "Настройки вкладки", + "header_name": "Настройки вкладки \"{name}\"", + "move_left": "Переместить вкладку влево", + "move_right": "Переместить вкладку вправо" + }, + "header": "Редактирование интерфейса", + "menu": { + "open": "Открыть меню Lovelace", + "raw_editor": "Текстовый редактор" + }, + "migrate": { + "header": "Конфигурация несовместима", + "migrate": "Перенести настройки", + "para_migrate": "Home Assistant может автоматически добавить ID для всех карточек и вкладок, если нажать кнопку 'Перенести настройки'.", + "para_no_id": "Этот элемент не имеет ID. Добавьте ID для этого элемента в 'ui-lovelace.yaml'." + }, + "raw_editor": { + "confirm_unsaved_changes": "У вас есть несохраненные изменения. Вы уверены, что хотите выйти?", + "confirm_unsaved_comments": "Ваша конфигурация содержит комментарии, они не будут сохранены. Вы хотите продолжить?", + "error_invalid_config": "Ваша конфигурация недействительна: {error}", + "error_parse_yaml": "Ошибка при разборе синтаксиса YAML: {error}", + "error_save_yaml": "Не удалось сохранить YAML: {error}", + "header": "Редактирование конфигурации", + "save": "Сохранить", + "saved": "Сохранено", + "unsaved_changes": "Несохраненные изменения" + }, + "save_config": { + "cancel": "Оставить как есть", + "header": "Получение контроля над пользовательским интерфейсом", + "para": "По умолчанию Home Assistant будет обслуживать Ваш пользовательский интерфейс, автоматически добавляя новые объекты и новые компоненты Lovelace, если они доступны. Если Вы получите контроль над пользовательским интерфейсом, изменения больше не будут вноситься автоматически.", + "para_sure": "Вы уверены, что хотите самостоятельно контролировать пользовательский интерфейс?", + "save": "Получить контроль" + }, "view": { "panel_mode": { - "title": "Режим панели", - "description": "Первая карточка будет растянута на всю ширину. Другие карточки не будут отображаться на этой вкладке" + "description": "Первая карточка будет растянута на всю ширину. Другие карточки не будут отображаться на этой вкладке", + "title": "Режим панели" } } }, "menu": { + "close": "Закрыть", "configure_ui": "Настройка интерфейса", - "unused_entities": "Неиспользуемые объекты", "help": "Справка", - "refresh": "Обновить" - }, - "warning": { - "entity_not_found": "Объект {entity} недоступен.", - "entity_non_numeric": "Объект не является числом: {entity}" - }, - "changed_toast": { - "message": "Конфигурация Lovelace была изменена, обновить эту страницу?", - "refresh": "Обновить" + "refresh": "Обновить", + "unused_entities": "Неиспользуемые объекты" }, "reload_lovelace": "Перезагрузить Lovelace", + "unused_entities": { + "available_entities": "Здесь представлен список объектов, которые не используются в Вашем пользовательском интерфейсе Lovelace.", + "domain": "Домен", + "entity": "Объект", + "entity_id": "ID объекта", + "last_changed": "Последнее изменение", + "select_to_add": "Выберите объекты, которые Вы хотели бы использовать в интерфейсе, затем нажмите кнопку Добавить.", + "title": "Неиспользуемые объекты" + }, "views": { "confirm_delete": "Вы уверены, что хотите удалить эту вкладку?", "existing_cards": "Прежде чем удалять вкладку, удалите из нее все карточки." + }, + "warning": { + "entity_non_numeric": "Объект не является числом: {entity}", + "entity_not_found": "Объект {entity} недоступен." } }, + "mailbox": { + "delete_button": "Удалить", + "delete_prompt": "Удалить это сообщение?", + "empty": "У вас нет сообщений", + "playback_title": "Воспроизвести сообщение" + }, + "page-authorize": { + "abort_intro": "Вход прерван", + "authorizing_client": "Получение доступа к {clientId}.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Время сеанса истекло, пожалуйста войдите в систему снова." + }, + "error": { + "invalid_auth": "Неверный логин или пароль", + "invalid_code": "Неверный код аутентификации" + }, + "step": { + "init": { + "data": { + "password": "Пароль", + "username": "Логин" + } + }, + "mfa": { + "data": { + "code": "Код двухфакторной аутентификации" + }, + "description": "Введите код двухфакторной аутентификации, полученный от **{mfa_module_name}**:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Время сеанса истекло, пожалуйста войдите в систему снова." + }, + "error": { + "invalid_auth": "Неверный логин или пароль", + "invalid_code": "Неверный код аутентификации" + }, + "step": { + "init": { + "data": { + "password": "Пароль", + "username": "Логин" + } + }, + "mfa": { + "data": { + "code": "Код двухфакторной аутентификации" + }, + "description": "Введите код двухфакторной аутентификации, полученный от **{mfa_module_name}**:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Время сеанса истекло, пожалуйста войдите в систему снова.", + "no_api_password_set": "Вы не настроили пароль для API." + }, + "error": { + "invalid_auth": "Неверный пароль API", + "invalid_code": "Неверный код аутентификации" + }, + "step": { + "init": { + "data": { + "password": "Пароль API" + }, + "description": "Пожалуйста, введите пароль API, указанный в Вашей конфигурации http:" + }, + "mfa": { + "data": { + "code": "Код двухфакторной аутентификации" + }, + "description": "Введите код двухфакторной аутентификации, полученный от **{mfa_module_name}**:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Ваш компьютер не включён в белый список." + }, + "step": { + "init": { + "data": { + "user": "Пользователь" + }, + "description": "Пожалуйста, выберите пользователя для авторизации:" + } + } + } + }, + "unknown_error": "Что-то пошло не так", + "working": "Пожалуйста, подождите" + }, + "initializing": "Инициализация", + "logging_in_with": "Провайдер аутентификации: **{authProviderName}**.", + "pick_auth_provider": "Или войти с помощью" + }, "page-demo": { "cards": { "demo": { "demo_by": "автор: {name}", - "next_demo": "Далее", "introduction": "Добро пожаловать! Здесь Вы можете увидеть лучшие пользовательские интерфейсы, созданные нашим сообществом.", - "learn_more": "Узнайте больше о Home Assistant" + "learn_more": "Узнайте больше о Home Assistant", + "next_demo": "Далее" } }, "config": { "arsaboo": { - "names": { - "upstairs": "Второй этаж", - "family_room": "Гостиная", - "kitchen": "Кухня", - "patio": "Внутренний дворик", - "hallway": "Прихожая", - "master_bedroom": "Спальня", - "left": "Левая сторона", - "right": "Правая сторона", - "mirror": "Зеркало", - "temperature_study": "Температура в кабинете" - }, "labels": { - "lights": "Освещение", - "information": "Информация", - "morning_commute": "Утренняя поездка", + "activity": "Процесс", + "air": "Воздух", "commute_home": "Поездка домой", "entertainment": "Развлечения", - "activity": "Процесс", "hdmi_input": "Вход HDMI", "hdmi_switcher": "Переключатель HDMI", - "volume": "Громкость", + "information": "Информация", + "lights": "Освещение", + "morning_commute": "Утренняя поездка", "total_tv_time": "Общее время ТВ", "turn_tv_off": "Выключить телевизор", - "air": "Воздух" + "volume": "Громкость" + }, + "names": { + "family_room": "Гостиная", + "hallway": "Прихожая", + "kitchen": "Кухня", + "left": "Левая сторона", + "master_bedroom": "Спальня", + "mirror": "Зеркало", + "patio": "Внутренний дворик", + "right": "Правая сторона", + "temperature_study": "Температура в кабинете", + "upstairs": "Второй этаж" }, "unit": { - "watching": "наблюдение", - "minutes_abbr": "мин." + "minutes_abbr": "мин.", + "watching": "наблюдение" } } } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Заполнить", + "finish": "Далее", + "intro": "Добро пожаловать, {name}! Как Вы хотите назвать свой Home Assistant?", + "intro_location": "Мы хотели бы знать, где Вы живете. Это поможет нам правильно отображать информацию и позволит Вам настраивать автоматизацию на основе данных о рассвете и закате. Эти данные никогда не будут переданы за пределы Вашей локальной сети.", + "intro_location_detect": "Мы можем помочь Вам заполнить эту информацию, сделав однократный запрос во внешнюю службу.", + "location_name_default": "Home Assistant" + }, + "integration": { + "finish": "Готово", + "intro": "Устройства и сервисы представлены в Home Assistant как интеграции. Вы можете добавить их сейчас или сделать это позже в разделе настроек.", + "more_integrations": "Ещё" + }, + "intro": "Готовы ли Вы разбудить свой дом, вернуть свою конфиденциальность и присоединиться к всемирному сообществу?", + "user": { + "create_account": "Создать учетную запись", + "data": { + "name": "Имя", + "password": "Пароль", + "password_confirm": "Подтвердите пароль", + "username": "Логин" + }, + "error": { + "password_not_match": "Пароли не совпадают", + "required_fields": "Заполните все обязательные поля" + }, + "intro": "Давайте начнём с создания учётной записи пользователя.", + "required_field": "Обязательное поле" + } + }, + "profile": { + "advanced_mode": { + "description": "Home Assistant по умолчанию скрывает расширенные функции и параметры. Активируя расширенный режим, Вы сделаете эти функции доступными. Эта настройка не влияет на других пользователей, использующих Home Assistant.", + "hint_enable": "Хотите больше параметров для конфигурирования? Активируйте расширенный режим на", + "link_profile_page": "странице Вашего профиля", + "title": "Расширенный режим" + }, + "change_password": { + "confirm_new_password": "Подтвердите новый пароль", + "current_password": "Текущий пароль", + "error_required": "Обязательное поле", + "header": "Изменить пароль", + "new_password": "Новый пароль", + "submit": "Подтвердить" + }, + "current_user": "Добро пожаловать, {fullName}! Вы вошли в систему.", + "force_narrow": { + "description": "Боковая панель будет скрыта, аналогично мобильному интерфейсу", + "header": "Всегда скрывать боковую панель" + }, + "is_owner": "Вы являетесь владельцем.", + "language": { + "dropdown_label": "Язык", + "header": "Язык", + "link_promo": "Помочь в переводе" + }, + "logout": "Выйти", + "long_lived_access_tokens": { + "confirm_delete": "Вы уверены, что хотите удалить токен доступа для {name}?", + "create": "Создать токен", + "create_failed": "Не удалось создать токен доступа.", + "created_at": "Создан {date}", + "delete_failed": "Не удалось удалить токен доступа.", + "description": "Создайте долгосрочные токены доступа, чтобы Ваши скрипты могли взаимодействовать с Home Assistant. Каждый токен будет действителен в течение 10 лет с момента создания. Ниже Вы можете просмотреть долгосрочные токены доступа, которые в настоящее время активны.", + "empty_state": "У вас еще нет долгосрочных токенов доступа.", + "header": "Долгосрочные токены доступа", + "last_used": "Последнее использование {date} из {location}", + "learn_auth_requests": "Узнайте, как выполнять аутентифицированные запросы.", + "not_used": "Никогда не использовался", + "prompt_copy_token": "Скопируйте Ваш токен доступа. Он больше не будет показан.", + "prompt_name": "Введите название для токена" + }, + "mfa_setup": { + "close": "Закрыть", + "step_done": "Настройка выполнена для {step}", + "submit": "Подтвердить", + "title_aborted": "Отменено", + "title_success": "Выполнено успешно!" + }, + "mfa": { + "confirm_disable": "Вы уверены, что хотите отключить {name}?", + "disable": "Отключить", + "enable": "Включить", + "header": "Модули многофакторной аутентификации" + }, + "push_notifications": { + "description": "Отправлять уведомления на это устройство", + "error_load_platform": "Настроить notify.html5.", + "error_use_https": "Требуется SSL для веб-интерфейса.", + "header": "Push-уведомления", + "link_promo": "Узнать больше", + "push_notifications": "Push-уведомления" + }, + "refresh_tokens": { + "confirm_delete": "Вы уверены, что хотите удалить токен обновления для {name}?", + "created_at": "Создан {date}", + "current_token_tooltip": "Не удалось удалить текущий токен обновления", + "delete_failed": "Не удалось удалить токен обновления.", + "description": "Каждый токен обновления означает выполненный вход в систему. Токен обновления текущего сеанса пользователя будет автоматически удален при нажатии кнопки выхода из системы. Ниже Вы можете просмотреть токены обновления, которые в настоящее время активны для Вашей учетной записи.", + "header": "Токены обновления", + "last_used": "Последнее использование {date} из {location}", + "not_used": "Никогда не использовался", + "token_title": "Токен обновления для {clientId}" + }, + "themes": { + "dropdown_label": "Тема", + "error_no_theme": "Нет доступных тем.", + "header": "Тема", + "link_promo": "Узнать о темах" + }, + "vibrate": { + "description": "Получать тактильный отклик при управлении устройствами", + "header": "Вибрация" + } + }, + "shopping-list": { + "add_item": "Добавить элемент", + "clear_completed": "Очистить завершенные", + "microphone_tip": "Нажмите на микрофон в правом верхнем углу и скажите или напечатайте “Add candy to my shopping list”" } }, "sidebar": { - "log_out": "Выход", "external_app_configuration": "Настройки приложения", + "log_out": "Выход", "sidebar_toggle": "Переключатель в боковой панели" - }, - "common": { - "loading": "Загрузка", - "cancel": "Отменить", - "save": "Сохранить", - "successfully_saved": "Успешно сохранено" - }, - "duration": { - "day": "{count} {count, plural,\none {д.}\nother {д.}\n}", - "week": "{count} {count, plural,\none {нед.}\nother {нед.}\n}", - "second": "{count} {count, plural,\n one {сек.}\n other {сек.}\n}", - "minute": "{count} {count, plural,\none {мин.}\nother {мин.}\n}", - "hour": "{count} {count, plural,\none {ч.}\nother {ч.}\n}" - }, - "login-form": { - "password": "Пароль", - "remember": "Запомнить", - "log_in": "Вход" - }, - "card": { - "camera": { - "not_available": "Изображение не доступно" - }, - "persistent_notification": { - "dismiss": "Закрыть" - }, - "scene": { - "activate": "Активировать" - }, - "script": { - "execute": "Выполнить" - }, - "weather": { - "attributes": { - "air_pressure": "Давление", - "humidity": "Влажность", - "temperature": "Температура", - "visibility": "Видимость", - "wind_speed": "Ветер" - }, - "cardinal_direction": { - "e": "В", - "ene": "ВСВ", - "ese": "ВЮВ", - "n": "С", - "ne": "СВ", - "nne": "ССВ", - "nw": "СЗ", - "nnw": "ССЗ", - "s": "Ю", - "se": "ЮВ", - "sse": "ЮЮВ", - "ssw": "ЮЮЗ", - "sw": "ЮЗ", - "w": "З", - "wnw": "ЗСЗ", - "wsw": "ЗЮЗ" - }, - "forecast": "Прогноз" - }, - "alarm_control_panel": { - "code": "Код", - "clear_code": "Очистить", - "disarm": "Без охраны", - "arm_home": "Охрана (дома)", - "arm_away": "Охрана (не дома)", - "arm_night": "Ночная охрана", - "armed_custom_bypass": "Охрана с исключениями", - "arm_custom_bypass": "Охрана с исключениями" - }, - "automation": { - "last_triggered": "Последний запуск", - "trigger": "Запуск" - }, - "cover": { - "position": "Положение", - "tilt_position": "Положение наклона" - }, - "fan": { - "speed": "Скорость", - "oscillate": "Колебания", - "direction": "Направление", - "forward": "Вперед", - "reverse": "Задний ход" - }, - "light": { - "brightness": "Яркость", - "color_temperature": "Цветовая температура", - "white_value": "Значение для белого цвета", - "effect": "Эффект" - }, - "media_player": { - "text_to_speak": "Воспроизвести текст", - "source": "Источник", - "sound_mode": "Режим звука" - }, - "climate": { - "currently": "Сейчас", - "on_off": "Вкл \/ Выкл", - "target_temperature": "Заданная температура", - "target_humidity": "Заданная влажность", - "operation": "Операция", - "fan_mode": "Режим вентиляции", - "swing_mode": "Режим качания воздушных шторок", - "away_mode": "Режим ожидания", - "aux_heat": "Дополнительный нагрев", - "preset_mode": "Набор настроек", - "target_temperature_entity": "{name} заданная температура", - "target_temperature_mode": "{name} заданная температура {mode}", - "current_temperature": "{name} текущая температура", - "heating": "{name} обогрев", - "cooling": "{name} охлаждение", - "high": "высокий", - "low": "низкий" - }, - "lock": { - "code": "Код", - "lock": "Закрыть", - "unlock": "Открыть" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Продолжить уборку", - "return_to_base": "Вернуться к док-станции", - "start_cleaning": "Начать уборку", - "turn_on": "Включить", - "turn_off": "Выключить" - } - }, - "water_heater": { - "currently": "Сейчас", - "on_off": "Вкл \/ Выкл", - "target_temperature": "Заданная температура", - "operation": "Операция", - "away_mode": "Режим \"не дома\"" - }, - "timer": { - "actions": { - "start": "Запуск", - "pause": "Пауза", - "cancel": "Отмена", - "finish": "Готово" - } - }, - "counter": { - "actions": { - "increment": "прибавлять", - "decrement": "убавлять", - "reset": "сбросить" - } - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "Объект", - "clear": "Очистить", - "show_entities": "Показать объекты" - } - }, - "service-picker": { - "service": "Служба" - }, - "relative_time": { - "past": "{time} назад", - "future": "через {time}", - "never": "Никогда", - "duration": { - "second": "{count} {count, plural,\n one {сек.}\n other {сек.}\n}", - "minute": "{count} {count, plural,\none {мин.}\nother {мин.}\n}", - "hour": "{count} {count, plural,\none {ч.}\nother {ч.}\n}", - "day": "{count} {count, plural,\none {д.}\nother {д.}\n}", - "week": "{count} {count, plural,\none {нед.}\nother {нед.}\n}" - } - }, - "history_charts": { - "loading_history": "Загрузка истории...", - "no_history_found": "История не найдена." - }, - "device-picker": { - "clear": "Очистить", - "show_devices": "Показать устройства" - } - }, - "notification_toast": { - "entity_turned_on": "{entity} включается", - "entity_turned_off": "{entity} выключается", - "service_called": "Вызов службы {service}.", - "service_call_failed": "Не удалось вызвать службу {service}.", - "connection_lost": "Соединение потеряно. Повторное подключение ...", - "triggered": "Сработало от {name}" - }, - "dialogs": { - "more_info_settings": { - "save": "Сохранить", - "name": "Название", - "entity_id": "ID объекта" - }, - "more_info_control": { - "script": { - "last_action": "Последнее действие" - }, - "sun": { - "elevation": "Высота над горизонтом", - "rising": "Восход", - "setting": "Заход" - }, - "updater": { - "title": "Инструкция по обновлению" - } - }, - "options_flow": { - "form": { - "header": "Параметры" - }, - "success": { - "description": "Параметры успешно сохранены." - } - }, - "config_entry_system_options": { - "title": "{integration}", - "enable_new_entities_label": "Добавлять новые объекты", - "enable_new_entities_description": "{integration} будет автоматически добавлять в Home Assistant вновь обнаруженные объекты" - }, - "zha_device_info": { - "manuf": "{manufacturer}", - "no_area": "Не указано", - "services": { - "reconfigure": "Перенастройка устройства ZHA. Используйте эту службу, если у Вас есть проблемы с устройством. Если рассматриваемое устройство работает от батареи, пожалуйста, убедитесь, что оно не находится в режиме сна и принимает команды, когда вы запускаете эту службу.", - "updateDeviceName": "Укажите название для этого устройства в реестре устройств.", - "remove": "Удалить устройство из сети Zigbee." - }, - "zha_device_card": { - "device_name_placeholder": "Название", - "area_picker_label": "Помещение", - "update_name_button": "Обновить название" - }, - "buttons": { - "add": "Добавить устройства", - "remove": "Удалить устройство", - "reconfigure": "Перенастроить устройство" - }, - "quirk": "Нестандартный обработчик", - "last_seen": "Устройство было в сети", - "power_source": "Источник питания", - "unknown": "Неизвестно" - }, - "confirmation": { - "cancel": "Отменить", - "ok": "ОК", - "title": "Вы уверены?" - } - }, - "auth_store": { - "ask": "Вы хотите сохранить этот логин?", - "decline": "Нет, спасибо", - "confirm": "Сохранить логин" - }, - "notification_drawer": { - "click_to_configure": "Нажмите кнопку, чтобы настроить {entity}", - "empty": "Нет уведомлений", - "title": "Уведомления" - } - }, - "domain": { - "alarm_control_panel": "Панель сигнализации", - "automation": "Автоматизация", - "binary_sensor": "Бинарный датчик", - "calendar": "Календарь", - "camera": "Камера", - "climate": "Климат", - "configurator": "Конфигуратор", - "conversation": "Диалог", - "cover": "Шторы", - "device_tracker": "Отслеживание устройств", - "fan": "Вентилятор", - "history_graph": "График", - "group": "Группа", - "image_processing": "Обработка изображения", - "input_boolean": "Переключатель", - "input_datetime": "Дата и время", - "input_select": "Список", - "input_number": "Число", - "input_text": "Текст", - "light": "Освещение", - "lock": "Замок", - "mailbox": "Почтовый ящик", - "media_player": "Медиа плеер", - "notify": "Уведомления", - "plant": "Растение", - "proximity": "Расстояние", - "remote": "Пульт ДУ", - "scene": "Сцена", - "script": "Сценарий", - "sensor": "Датчик", - "sun": "Солнце", - "switch": "Выключатель", - "updater": "Обновление", - "weblink": "Интернет-ссылка", - "zwave": "Z-Wave", - "vacuum": "Пылесос", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Статус системы", - "person": "Люди" - }, - "attribute": { - "weather": { - "humidity": "Влажность", - "visibility": "Видимость", - "wind_speed": "Скорость ветра" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Выкл", - "on": "Вкл", - "auto": "Авто" - }, - "preset_mode": { - "none": "Не выбран", - "eco": "Экономия", - "away": "Не дома", - "boost": "Турбо", - "comfort": "Комфорт", - "home": "Дома", - "sleep": "Ночь", - "activity": "Активность" - }, - "hvac_action": { - "off": "Выключено", - "heating": "Обогрев", - "cooling": "Охлаждение", - "drying": "Осушение", - "idle": "Бездействие", - "fan": "Вентиляция" - } - } - }, - "groups": { - "system-admin": "Администраторы", - "system-users": "Пользователи", - "system-read-only": "Системные пользователи" - }, - "config_entry": { - "disabled_by": { - "user": "Пользователь", - "integration": "Интеграция", - "config_entry": "Запись" } } } \ No newline at end of file diff --git a/translations/sk.json b/translations/sk.json index 16222e2ab5..1ec780989b 100644 --- a/translations/sk.json +++ b/translations/sk.json @@ -1,53 +1,193 @@ { - "panel": { - "config": "Nastavenia", - "states": "Prehľad", - "map": "Mapa", - "logbook": "Denník", - "history": "História", + "attribute": { + "weather": { + "humidity": "Vlhkosť", + "visibility": "Viditeľnosť", + "wind_speed": "Rýchlosť vetra" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Zadanie konfigurácie", + "integration": "integrácia", + "user": "Používateľ" + } + }, + "domain": { + "alarm_control_panel": "Ovládací panel alarmu", + "automation": "Automatizácia", + "binary_sensor": "Binárny senzor", + "calendar": "Kalendár", + "camera": "Kamera", + "climate": "Klimatizácia", + "configurator": "Konfigurátor", + "conversation": "Konverzácia", + "cover": "Kryt", + "device_tracker": "Sledovanie zariadenia", + "fan": "Ventilátor", + "group": "Skupina", + "hassio": "Hass.io", + "history_graph": "Graf histórie", + "homeassistant": "Home Assistant", + "image_processing": "Spracovanie obrazu", + "input_boolean": "Logický vstup", + "input_datetime": "Vstupný dátum a čas", + "input_number": "Číselný vstup", + "input_select": "Výber z možností", + "input_text": "Vstupný text", + "light": "Svetlo", + "lock": "Zámok", + "lovelace": "Lovelace", "mailbox": "Poštová schránka", - "shopping_list": "Nákupný zoznam", + "media_player": "Prehrávač médií", + "notify": "Upozornenie", + "person": "Osoba", + "plant": "Rastlina", + "proximity": "Blízkosť", + "remote": "Diaľkové ovládanie", + "scene": "Scéna", + "script": "Skript", + "sensor": "Senzor", + "sun": "Slnko", + "switch": "Prepínač", + "system_health": "Stav systému", + "updater": "Aktualizátor", + "vacuum": "Vysávač", + "weblink": "Webový odkaz", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Správcovia", + "system-read-only": "Používatelia len na čítanie", + "system-users": "Používatelia" + }, + "panel": { + "calendar": "Kalendár", + "config": "Nastavenia", "dev-info": "Info", "developer_tools": "Vývojárske nástroje", - "calendar": "Kalendár", - "profile": "Profil" + "history": "História", + "logbook": "Denník", + "mailbox": "Poštová schránka", + "map": "Mapa", + "profile": "Profil", + "shopping_list": "Nákupný zoznam", + "states": "Prehľad" + }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Auto", + "off": "Vypnutý", + "on": "Zapnutý" + }, + "hvac_action": { + "cooling": "Chladenie", + "drying": "Sušenie", + "fan": "Ventilátor", + "heating": "Kúrenie", + "idle": "Nečinný", + "off": "Vypnutý" + }, + "preset_mode": { + "activity": "Aktívny", + "away": "Preč", + "boost": "Turbo", + "comfort": "Komfort", + "eco": "Eko", + "home": "Doma", + "none": "Žiadny", + "sleep": "Pohotovostný režim" + } + } + }, + "state_badge": { + "alarm_control_panel": { + "armed": "Zakód", + "armed_away": "Zakód", + "armed_custom_bypass": "Zakód", + "armed_home": "Zakód", + "armed_night": "Zakód", + "arming": "Aktivácia", + "disarmed": "Odkód", + "disarming": "Deakt", + "pending": "Čaká", + "triggered": "Alarm" + }, + "default": { + "entity_not_found": "Entita nebola nájdená", + "error": "Chyba", + "unavailable": "Nedost", + "unknown": "Nezn" + }, + "device_tracker": { + "home": "Doma", + "not_home": "Preč" + }, + "person": { + "home": "Doma", + "not_home": "Preč" + } }, "state": { - "default": { - "off": "Neaktívny", - "on": "Aktívny", - "unknown": "Neznámy", - "unavailable": "Nedostupný" - }, "alarm_control_panel": { "armed": "Aktívny", - "disarmed": "Neaktívny", - "armed_home": "Aktívny doma", "armed_away": "Aktívny v neprítomnosti", + "armed_custom_bypass": "Zakódované prispôsobené vylúčenie", + "armed_home": "Aktívny doma", "armed_night": "Aktívny v noci", - "pending": "Čaká sa", "arming": "Aktivuje sa", + "disarmed": "Neaktívny", "disarming": "Deaktivuje sa", - "triggered": "Spustený", - "armed_custom_bypass": "Zakódované prispôsobené vylúčenie" + "pending": "Čaká sa", + "triggered": "Spustený" }, "automation": { "off": "Neaktívny", "on": "Aktívna" }, "binary_sensor": { + "battery": { + "off": "Normálna", + "on": "Slabá" + }, + "cold": { + "off": "Normálny", + "on": "Studený" + }, + "connectivity": { + "off": "Odpojený", + "on": "Pripojený" + }, "default": { "off": "Neaktívny", "on": "Aktívny" }, - "moisture": { - "off": "Sucho", - "on": "Vlhko" + "door": { + "off": "Zatvorené", + "on": "Otvorené" + }, + "garage_door": { + "off": "Zatvorené", + "on": "Otvorené" }, "gas": { "off": "Žiadny plyn", "on": "Zachytený plyn" }, + "heat": { + "off": "Normálny", + "on": "Horúci" + }, + "lock": { + "off": "Zamknutý", + "on": "Odomknutý" + }, + "moisture": { + "off": "Sucho", + "on": "Vlhko" + }, "motion": { "off": "Kľud", "on": "Pohyb" @@ -56,6 +196,22 @@ "off": "Voľné", "on": "Obsadené" }, + "opening": { + "off": "Zatvorené", + "on": "Otvorené" + }, + "presence": { + "off": "Preč", + "on": "Doma" + }, + "problem": { + "off": "OK", + "on": "Problém" + }, + "safety": { + "off": "Zabezpečené", + "on": "Nezabezpečené" + }, "smoke": { "off": "Žiadny dym", "on": "Zachytený dym" @@ -68,53 +224,9 @@ "off": "Kľud", "on": "Zachytené vibrácie" }, - "opening": { - "off": "Zatvorené", - "on": "Otvorené" - }, - "safety": { - "off": "Zabezpečené", - "on": "Nezabezpečené" - }, - "presence": { - "off": "Preč", - "on": "Doma" - }, - "battery": { - "off": "Normálna", - "on": "Slabá" - }, - "problem": { - "off": "OK", - "on": "Problém" - }, - "connectivity": { - "off": "Odpojený", - "on": "Pripojený" - }, - "cold": { - "off": "Normálny", - "on": "Studený" - }, - "door": { - "off": "Zatvorené", - "on": "Otvorené" - }, - "garage_door": { - "off": "Zatvorené", - "on": "Otvorené" - }, - "heat": { - "off": "Normálny", - "on": "Horúci" - }, "window": { "off": "Zatvorené", "on": "Otvorené" - }, - "lock": { - "off": "Zamknutý", - "on": "Odomknutý" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "Aktívny" }, "camera": { + "idle": "Nečinná", "recording": "Záznam", - "streaming": "Streamovanie", - "idle": "Nečinná" + "streaming": "Streamovanie" }, "climate": { - "off": "Vypnuté", - "on": "Zapnuté", - "heat": "Kúrenie", - "cool": "Chladenie", - "idle": "Nečinné", "auto": "Automatika", + "cool": "Chladenie", "dry": "Sušenie", - "fan_only": "Iba ventilátor", "eco": "Eco režim", "electric": "Elektrické", - "performance": "Výkon", - "high_demand": "Vysoký výkon", - "heat_pump": "Tepelné čerpadlo", + "fan_only": "Iba ventilátor", "gas": "Plyn", + "heat": "Kúrenie", + "heat_cool": "Vykurovanie \/ Chladenie", + "heat_pump": "Tepelné čerpadlo", + "high_demand": "Vysoký výkon", + "idle": "Nečinné", "manual": "Ručne", - "heat_cool": "Vykurovanie \/ Chladenie" + "off": "Vypnuté", + "on": "Zapnuté", + "performance": "Výkon" }, "configurator": { "configure": "Konfigurovať", "configured": "Nakonfigurované" }, "cover": { - "open": "Otvorené", - "opening": "Otvára sa", "closed": "Zatvorené", "closing": "Zatvára sa", + "open": "Otvorené", + "opening": "Otvára sa", "stopped": "Zastavené" }, + "default": { + "off": "Neaktívny", + "on": "Aktívny", + "unavailable": "Nedostupný", + "unknown": "Neznámy" + }, "device_tracker": { "home": "Doma", "not_home": "Preč" @@ -164,19 +282,19 @@ "on": "Zapnutý" }, "group": { - "off": "Vypnutá", - "on": "Zapnutá", - "home": "Doma", - "not_home": "Preč", - "open": "Otvorená", - "opening": "Otvára sa", "closed": "Zatvorená", "closing": "Zatvára sa", - "stopped": "Zastavené", + "home": "Doma", "locked": "Zamknutá", - "unlocked": "Odomknutá", + "not_home": "Preč", + "off": "Vypnutá", "ok": "OK", - "problem": "Problém" + "on": "Zapnutá", + "open": "Otvorená", + "opening": "Otvára sa", + "problem": "Problém", + "stopped": "Zastavené", + "unlocked": "Odomknutá" }, "input_boolean": { "off": "Vypnuté", @@ -191,13 +309,17 @@ "unlocked": "Odomknutý" }, "media_player": { + "idle": "Nečinný", "off": "Vypnutý", "on": "Zapnutý", - "playing": "Prehrávanie", "paused": "Pozastavený", - "idle": "Nečinný", + "playing": "Prehrávanie", "standby": "Pohotovostný režim" }, + "person": { + "home": "Doma", + "not_home": "Preč" + }, "plant": { "ok": "OK", "problem": "Problém" @@ -225,34 +347,10 @@ "off": "Vypnutý", "on": "Zapnutý" }, - "zwave": { - "default": { - "initializing": "Inicializácia", - "dead": "Nereaguje", - "sleeping": "Úsporný režim", - "ready": "Pripravené" - }, - "query_stage": { - "initializing": "Inicializácia ( {query_stage} )", - "dead": "Nereaguje ({query_stage})" - } - }, - "weather": { - "clear-night": "Jasno, v noci", - "cloudy": "Zamračené", - "fog": "Hmla", - "hail": "Krupobitie", - "lightning": "Blesky", - "lightning-rainy": "Blesky, daždivo", - "partlycloudy": "Čiastočne zamračené", - "pouring": "Lejúco", - "rainy": "Daždivo", - "snowy": "Zasneženo", - "snowy-rainy": "Zasneženo, daždivo", - "sunny": "slnečno", - "windy": "Veterno", - "windy-variant": "Veterno", - "exceptional": "Výnimočné" + "timer": { + "active": "aktívny", + "idle": "nečinný", + "paused": "pozastavený" }, "vacuum": { "cleaning": "Čistí", @@ -264,198 +362,663 @@ "paused": "Pozastavený", "returning": "Vracia sa do doku" }, - "timer": { - "active": "aktívny", - "idle": "nečinný", - "paused": "pozastavený" + "weather": { + "clear-night": "Jasno, v noci", + "cloudy": "Zamračené", + "exceptional": "Výnimočné", + "fog": "Hmla", + "hail": "Krupobitie", + "lightning": "Blesky", + "lightning-rainy": "Blesky, daždivo", + "partlycloudy": "Čiastočne zamračené", + "pouring": "Lejúco", + "rainy": "Daždivo", + "snowy": "Zasneženo", + "snowy-rainy": "Zasneženo, daždivo", + "sunny": "slnečno", + "windy": "Veterno", + "windy-variant": "Veterno" }, - "person": { - "home": "Doma", - "not_home": "Preč" - } - }, - "state_badge": { - "default": { - "unknown": "Nezn", - "unavailable": "Nedost", - "error": "Chyba", - "entity_not_found": "Entita nebola nájdená" - }, - "alarm_control_panel": { - "armed": "Zakód", - "disarmed": "Odkód", - "armed_home": "Zakód", - "armed_away": "Zakód", - "armed_night": "Zakód", - "pending": "Čaká", - "arming": "Aktivácia", - "disarming": "Deakt", - "triggered": "Alarm", - "armed_custom_bypass": "Zakód" - }, - "device_tracker": { - "home": "Doma", - "not_home": "Preč" - }, - "person": { - "home": "Doma", - "not_home": "Preč" + "zwave": { + "default": { + "dead": "Nereaguje", + "initializing": "Inicializácia", + "ready": "Pripravené", + "sleeping": "Úsporný režim" + }, + "query_stage": { + "dead": "Nereaguje ({query_stage})", + "initializing": "Inicializácia ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Úspešne vymazané", - "add_item": "Pridať položku", - "microphone_tip": "Kliknite na ikonu mikrofónu vpravo hore a povedzte “Add candy to my shopping list”" + "auth_store": { + "ask": "Chcete tieto prihlasovacie údaje uložiť?", + "confirm": "Uložiť prihlasovacie údaje", + "decline": "Nie ďakujem" + }, + "card": { + "alarm_control_panel": { + "arm_away": "Zakódovať odchod", + "arm_custom_bypass": "Prispôsobené vylúčenie", + "arm_home": "Zakódovať doma", + "arm_night": "Zakódovať na noc", + "armed_custom_bypass": "Prispôsobené vylúčenie", + "clear_code": "Zrušiť", + "code": "Kód", + "disarm": "Odkódovať" }, - "developer-tools": { - "tabs": { - "services": { - "title": "Služby", - "description": "Vývojársky nástroj vám umožňuje zavolať akúkoľvek dostupnú službu v Home Assistant.", - "call_service": "Zavolať službu", - "select_service": "Ak chcete zobraziť popis, vyberte službu", - "no_description": "Nie je k dispozícii žiadny popis", - "no_parameters": "Táto služba nemá žiadne parametre.", - "column_parameter": "Parameter", - "column_description": "Popis", - "column_example": "Príklad", - "fill_example_data": "Vyplniť vzorové údaje", - "alert_parsing_yaml": "Chyba pri analýze YAML: {data}" - }, - "states": { - "title": "Stavy", - "description1": "Nastavte zobrazenie zariadenia v Home Assistant", - "description2": "Toto nebude komunikovať so skutočným zariadením.", - "entity": "Entita", - "state": "Stav", - "attributes": "Atribúty", - "set_state": "Nastaviť stav", - "current_entities": "Aktuálne entity", - "more_info": "Viac informácií" - }, - "events": { - "title": "Udalosti", - "description": "Spustite udalosť na zbernicu udalostí.", - "documentation": "Dokumentácia udalostí.", - "type": "Typ udalosti", - "data": "Údaje o udalosti (YAML, voliteľné)", - "event_fired": "Udalosť {name} sa spustila", - "count_listeners": "( {count} poslucháčov)", - "listen_to_events": "Počúvanie udalostí", - "listening_to": "Počúvanie", - "subscribe_to": "Udalosť na ktorú čakať", - "start_listening": "Začať počúvať", - "stop_listening": "Zastaviť počúvanie", - "alert_event_type": "Typ udalosti je povinné pole", - "notification_event_fired": "Udalosť {type} úspešne spustená!" - }, - "templates": { - "title": "Šablóny", - "description": "Šablóny sa vykresľujú pomocou nástroja šablóny Jinja2 s niektorými špecifickými rozšíreniami pre Home Assistant.", - "editor": "Editor šablóna", - "template_extensions": "Rozšírenia šablóny Home Assistant" - }, - "mqtt": { - "title": "MQTT", - "description_publish": "Publikovať paket", - "topic": "téma", - "payload": "Obsah (šablóny sú povolené)", - "publish": "Publikovať", - "description_listen": "Počúvať tému", - "listening_to": "Počúvam", - "subscribe_to": "Téma na odber", - "start_listening": "Začať počúvať", - "stop_listening": "Zastaviť počúvanie", - "message_received": "Správa {id} prijatá v {topic} o {time} :" - }, - "info": { - "title": "Info", - "remove": "Odstrániť", - "set": "Nastaviť", - "default_ui": "{action} {name} ako predvolená stránka na tomto zariadení", - "lovelace_ui": "Prejsť do používateľského rozhrania Lovelace", - "states_ui": "Prejsť do užívateľského rozhrania stavov", - "home_assistant_logo": "Home Assistant logo", - "path_configuration": "Cesta k configuration.yaml: {path}", - "developed_by": "Vyvinuté partiou úžasných ľudí.", - "license": "Publikované pod licenciou Apache 2.0", - "source": "Zdroj:", - "server": "server", - "frontend": "frontend-ui", - "built_using": "Postavené pomocou", - "icons_by": "Ikony od", - "frontend_version": "Verzia frontendu: {version} - {type}", - "custom_uis": "Vlastné používateľské rozhrania:", - "system_health_error": "Súčasť System Health nie je načítaná. Pridajte 'system_health:' do súboru configuration.yaml" - }, - "logs": { - "title": "Logy", - "details": "Podrobnosti denníka ( {level} )", - "load_full_log": "Načítať celý denník denníka asistenta", - "loading_log": "Načítava sa denník chýb...", - "no_errors": "Neboli hlásené žiadne chyby.", - "clear": "Vyčistiť", - "refresh": "Obnoviť", - "multiple_messages": "správa sa prvýkrát vyskytla o {time} a opakuje sa {counter} krát" - } + "automation": { + "last_triggered": "Naposledy spustené", + "trigger": "Spustiť" + }, + "camera": { + "not_available": "Obrázok nie je k dispozícii" + }, + "climate": { + "aux_heat": "Prídavné kúrenie", + "away_mode": "Režim neprítomnosti", + "cooling": "{name} chladenie", + "currently": "Aktuálne", + "fan_mode": "Režim ventilátora", + "heating": "{name} kúrenie", + "high": "vysoká", + "low": "nízka", + "on_off": "Zapnúť \/ vypnúť", + "operation": "Prevádzka", + "preset_mode": "Predvoľba", + "swing_mode": "Vejárový režim", + "target_humidity": "Cieľová vlhkosť", + "target_temperature": "Cieľová teplota", + "target_temperature_entity": "{name} cieľová teplota", + "target_temperature_mode": "{name} cieľová teplota {mode}" + }, + "counter": { + "actions": { + "decrement": "úbytok", + "increment": "prírastok", + "reset": "resetovať" } }, - "history": { - "showing_entries": "Zobrazujú sa záznamy pre", - "period": "Obdobie" + "cover": { + "position": "Poloha", + "tilt_position": "Poloha sklonu" }, - "logbook": { - "showing_entries": "Zobrazujú sa záznamy za obdobie", - "period": "Obdobie" + "fan": { + "direction": "Smer", + "forward": "Dopredu", + "oscillate": "Pohyblivý smer", + "reverse": "Reverzný", + "speed": "Rýchlosť" }, - "mailbox": { - "empty": "Nemáte žiadne správy", - "playback_title": "Prehrávanie správ", - "delete_prompt": "Vymazať túto správu?", - "delete_button": "Vymazať" + "light": { + "brightness": "Jas", + "color_temperature": "Teplota farby", + "effect": "Efekt", + "white_value": "Hodnota bielej" }, + "lock": { + "code": "Kód", + "lock": "Zamknúť", + "unlock": "Odomknúť" + }, + "media_player": { + "sound_mode": "Režim zvuku", + "source": "Zdroj", + "text_to_speak": "Text, ktorý chcete hovoriť" + }, + "persistent_notification": { + "dismiss": "Zrušiť" + }, + "scene": { + "activate": "Aktivovať" + }, + "script": { + "execute": "Vykonať" + }, + "timer": { + "actions": { + "cancel": "Zrušiť", + "finish": "Dokončiť", + "pause": "Pozastaviť", + "start": "Štart" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Pokračovať v čistení", + "return_to_base": "Návrat do doku", + "start_cleaning": "Začať čistenie", + "turn_off": "Vypnúť", + "turn_on": "Zapnúť" + } + }, + "water_heater": { + "away_mode": "Režim neprítomnosti", + "currently": "Aktuálne", + "on_off": "Zapnúť \/ vypnúť", + "operation": "V prevádzke", + "target_temperature": "Cieľová teplota" + }, + "weather": { + "attributes": { + "air_pressure": "Tlak vzduchu", + "humidity": "Vlhkosť", + "temperature": "Teplota", + "visibility": "Viditeľnosť", + "wind_speed": "Rýchlosť vetra" + }, + "cardinal_direction": { + "e": "V", + "ene": "VSV", + "ese": "VJV", + "n": "S", + "ne": "SV", + "nne": "SSV", + "nnw": "SSZ", + "nw": "SZ", + "s": "J", + "se": "JV", + "sse": "JJV", + "ssw": "JJZ", + "sw": "JZ", + "w": "Z", + "wnw": "ZSZ", + "wsw": "ZJZ" + }, + "forecast": "Predpoveď" + } + }, + "common": { + "cancel": "Zrušiť", + "loading": "Načítava sa", + "save": "Uložiť", + "successfully_saved": "Úspešne uložené" + }, + "components": { + "device-picker": { + "clear": "Vyčistiť", + "show_devices": "Zobraziť zariadenia" + }, + "entity": { + "entity-picker": { + "clear": "Vyčistiť", + "entity": "Entita", + "show_entities": "Zobraziť entity" + } + }, + "history_charts": { + "loading_history": "Načítavam históriu stavov", + "no_history_found": "Nenašla sa žiadna história stavov" + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\none {deň}\\nother {dní}\\n}", + "hour": "{count} {count, plural,\\n one {hodina}\\n other {hodiny}\\n}", + "minute": "{count} {count, plural,\\none {minúta}\\nother {minút}\\n}", + "second": "{count} {count, plural,\\none {sekunda}\\nother {sekúnd}\\n}", + "week": "{count} {count, plural,\\none {týždeň}\\nother {týždne}\\n}" + }, + "future": "O {time}", + "never": "Nikdy", + "past": "Pred {time}" + }, + "service-picker": { + "service": "Služba" + } + }, + "dialogs": { + "config_entry_system_options": { + "enable_new_entities_description": "Ak je zakázaná, novoobjavené entity pre {integration} nebudú automaticky pridané do domáceho asistenta.", + "enable_new_entities_label": "Povoliť novo pridané entity.", + "title": "Systémové možnosti pre {integration}" + }, + "confirmation": { + "cancel": "Zrušiť", + "ok": "OK", + "title": "Ste si istý?" + }, + "more_info_control": { + "script": { + "last_action": "Posledná akcia" + }, + "sun": { + "elevation": "Nadmorská výška", + "rising": "Vychádzajúce", + "setting": "Zapadajúce" + }, + "updater": { + "title": "Pokyny pre aktualizáciu" + } + }, + "more_info_settings": { + "entity_id": "Entity ID", + "name": "Prepísať názov", + "save": "Uložiť" + }, + "options_flow": { + "form": { + "header": "Možnosti" + }, + "success": { + "description": "Možnosti boli úspešne uložené." + } + }, + "zha_device_info": { + "buttons": { + "add": "Pridať zariadenia", + "reconfigure": "Prekonfigurovať zariadenie" + }, + "last_seen": "Naposledy videný", + "manuf": "od {manufacturer}", + "no_area": "Žiadna oblasť", + "power_source": "Zdroj napájania", + "services": { + "reconfigure": "Znovu nakonfigurujte ZHA zariadenie (opravte zariadenie). Použite, ak máte problémy so zariadením. Ak ide o zariadenie napájané z batérie, skontrolujte, či je pri používaní tejto služby hore a či prijíma príkazy.", + "remove": "Odstráňte zariadenie zo siete Zigbee.", + "updateDeviceName": "Nastaviť vlastný názov pre toto zariadenie v registri zariadení." + }, + "unknown": "Neznámy", + "zha_device_card": { + "area_picker_label": "Oblasť", + "device_name_placeholder": "Používateľom zadaný názov", + "update_name_button": "Aktualizovať názov" + } + } + }, + "duration": { + "day": "{count} {count, plural,\\none {deň}\\nfew {dni}\\nother {dní}\\n}", + "hour": "{count} {count, plural,\\n one {hodina}\\n other {hodiny}\\n}", + "minute": "{count} {count, plural,\\none {minúta}\\nother {minút}\\n}", + "second": "{count} {count, plural,\\none {sekunda}\\nfew {sekundy}\\nother {sekúnd}\\n}", + "week": "{count} {count, plural,\\none {týždeň}\\nfew {týždne}\\nother {týždňov}\\n}" + }, + "login-form": { + "log_in": "Prihlásiť sa", + "password": "Heslo", + "remember": "Zapamätať" + }, + "notification_drawer": { + "click_to_configure": "Kliknutím na tlačidlo nakonfigurujete {entity}", + "empty": "Žiadne upozornenia", + "title": "Upozornenia" + }, + "notification_toast": { + "connection_lost": "Prerušené spojenie. Opätovné pripájanie...", + "entity_turned_off": "Vypnuté {entity}.", + "entity_turned_on": "Zapnuté {entity}.", + "service_call_failed": "Nepodarilo sa zavolať službu {service}.", + "service_called": "Služba {service} zavolaná.", + "triggered": "Spustené {name}" + }, + "panel": { "config": { - "header": "Konfigurovať Home Assistant", - "introduction": "Tu je možné konfigurovať vaše komponenty a Home Assistant. Aktuálne sa z používateľského rozhrania nedá konfigurovať všetko, ale pracujeme na tom.", + "area_registry": { + "caption": "Register oblastí", + "create_area": "VYTVORIŤ OBLASŤ", + "description": "Prehľad všetkých oblastí vo vašej domácnosti.", + "editor": { + "create": "VYTVORIŤ", + "default_name": "Nová oblasť", + "delete": "VYMAZAŤ", + "update": "AKTUALIZOVAŤ" + }, + "no_areas": "Vyzerá to, že ešte nemáte žiadne oblasti!", + "picker": { + "create_area": "VYTVORIŤ OBLASŤ", + "header": "Register oblastí", + "integrations_page": "Stránka Integrácie", + "introduction": "Oblasti sa používajú na usporiadanie zariadení. Tieto informácie sa použijú v službe Home Assistant, aby vám pomohli pri organizovaní rozhrania, povolení a integrácií s inými systémami.", + "introduction2": "Ak chcete umiestniť zariadenia do oblasti, pomocou odkazu nižšie prejdite na stránku integrácií a potom kliknite na nakonfigurovanú integráciu a prejdite na karty zariadení.", + "no_areas": "Vyzerá to, že ešte nemáte žiadne oblasti!" + } + }, + "automation": { + "caption": "Automatizácie", + "description": "Vytvárajte a upravujte automatizácie", + "editor": { + "actions": { + "add": "Pridať akciu", + "delete": "Odstrániť", + "delete_confirm": "Ste si istý odstránením ? ", + "duplicate": "Duplikovať", + "header": "Akcie", + "introduction": "Akcie, ktoré vykoná Home Assistant, sa aktivujú po spustení automatizácie. \\n\\n [Viac informácií o akciách.](https:\/\/home-assistant.io\/docs\/automation\/action\/)", + "learn_more": "Získajte viac informácií o akciách", + "type_select": "Typ akcie", + "type": { + "condition": { + "label": "Podmienka" + }, + "delay": { + "delay": "Oneskorenie", + "label": "Oneskorenie" + }, + "device_id": { + "extra_fields": { + "code": "Kód" + }, + "label": "Zariadenie" + }, + "event": { + "event": "Udalosť:", + "label": "Odpáliť udalosť", + "service_data": "Dáta služby" + }, + "scene": { + "label": "Aktivovať scénu" + }, + "service": { + "label": "Zavolať službu", + "service_data": "Dáta služby" + }, + "wait_template": { + "label": "Čakať", + "timeout": "Časový limit (voliteľné)", + "wait_template": "Šablóna čakania" + } + }, + "unsupported_action": "Nepodporovaná akcia: {action}" + }, + "alias": "Názov", + "conditions": { + "add": "Pridať podmienku", + "delete": "Odstrániť", + "delete_confirm": "Ste si istý odstránením ? ", + "duplicate": "Duplikovať", + "header": "Podmienky", + "introduction": "Podmienky sú voliteľnou súčasťou pravidla automatizácie a môžu sa použiť na zabránenie tomu, aby sa akcia vykonala pri spustení. Podmienky vyzerajú veľmi podobne ako spúšťače, ale sú veľmi odlišné. Spúšťač sa zameria na udalosti, ktoré sa dejú v systéme, zatiaľ čo podmienka sa zameriava iba na to, ako systém práve vyzerá. Spúšťač môže pozorovať, že je zapnutý spínač. Podmienkou je iba to, či je vypínač v súčasnosti zapnutý alebo vypnutý. \\n\\n [Viac informácií o podmienkach.](https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", + "learn_more": "Získajte viac informácií o podmienkach", + "type_select": "Typ podmienky", + "type": { + "and": { + "label": "a" + }, + "device": { + "extra_fields": { + "above": "Nad", + "below": "Pod", + "for": "Trvanie" + }, + "label": "Zariadenie" + }, + "numeric_state": { + "above": "Nad", + "below": "Pod", + "label": "Číselná hodnota", + "value_template": "Šablóna hodnoty (voliteľné)" + }, + "or": { + "label": "alebo" + }, + "state": { + "label": "Stav", + "state": "Stav" + }, + "sun": { + "after": "Po:", + "after_offset": "Oneskorenie po (voliteľné)", + "before": "Pred:", + "before_offset": "Predstih pred (voliteľné)", + "label": "Slnko", + "sunrise": "Východ slnka", + "sunset": "Západ slnka" + }, + "template": { + "label": "Šablóna", + "value_template": "Šablóna hodnoty" + }, + "time": { + "after": "Po", + "before": "Pred", + "label": "Čas" + }, + "zone": { + "entity": "Entita s umiestnením", + "label": "Zóna", + "zone": "Zóna" + } + }, + "unsupported_condition": "Nepodporovaná podmienka: {condition}" + }, + "default_name": "Nová automatizácia", + "description": { + "label": "Popis", + "placeholder": "Voliteľný popis" + }, + "introduction": "Použite automatizácie, aby váš domov ožil", + "load_error_not_editable": "Len automatizácie v automations.yaml je možné upravovať.", + "load_error_unknown": "Chyba pri načítaní automatizácie ( {err_no} ).", + "save": "Uložiť", + "triggers": { + "add": "Pridať spúšťač", + "delete": "Odstrániť", + "delete_confirm": "Ste si istý odstránením ?", + "duplicate": "Duplikovať", + "header": "Spúšťače", + "introduction": "Spúšťače spúšťajú spracovanie pravidla automatizácie. Pre rovnaké pravidlo je možné určiť viac spúšťačov. Po spustení spúšťača aplikácia Home Assistant overí prípadné podmienky a zavolá akciu. \\n\\n [Viac informácií o spúšťačov.](https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", + "learn_more": "Získajte viac informácií o spúšťačoch", + "type_select": "Typ spúšťača", + "type": { + "device": { + "extra_fields": { + "above": "Nad", + "below": "Pod", + "for": "Trvanie" + }, + "label": "Zariadenie" + }, + "event": { + "event_data": "Dáta udalosti", + "event_type": "Typ udalosti", + "label": "Udalosť" + }, + "geo_location": { + "enter": "Vstup", + "event": "Udalosť:", + "label": "Geolokácia", + "leave": "Opustiť", + "source": "Zdroj", + "zone": "Zóna" + }, + "homeassistant": { + "event": "Udalosť:", + "label": "Home Assistant", + "shutdown": "Vypnutie", + "start": "Štart" + }, + "mqtt": { + "label": "MQTT", + "payload": "Správa (voliteľné)", + "topic": "Topic" + }, + "numeric_state": { + "above": "Nad", + "below": "Pod", + "label": "Číselná hodnota", + "value_template": "Šablóna hodnoty (voliteľné)" + }, + "state": { + "for": "Trvanie stavu", + "from": "Z", + "label": "Stav", + "to": "Na" + }, + "sun": { + "event": "Udalosť:", + "label": "Slnko", + "offset": "Kompenzácia (voliteľné)", + "sunrise": "Východ slnka", + "sunset": "Západ slnka" + }, + "template": { + "label": "Šablóna", + "value_template": "Šablóna hodnoty" + }, + "time_pattern": { + "hours": "Hodín", + "label": "Časový vzor", + "minutes": "Minút", + "seconds": "Sekúnd" + }, + "time": { + "at": "Čas o", + "label": "Čas" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook ID" + }, + "zone": { + "enter": "Vstúpenie", + "entity": "Entita s umiestnením", + "event": "Udalosť:", + "label": "Zóna", + "leave": "Opustenie", + "zone": "Zóna" + } + }, + "unsupported_platform": "Nepodporovaná platforma: {platform}" + }, + "unsaved_confirm": "Máte neuložené zmeny. Naozaj chcete odísť?" + }, + "picker": { + "add_automation": "Pridať automatizáciu", + "header": "Editor automatizácií", + "introduction": "Editor automatizácií vám umožňuje vytvárať a upravovať automatizácie. Prečítajte si prosím [pokyny](https:\/\/home-assistant.io\/docs\/automation\/editor\/), aby ste sa uistili, že ste nakonfigurovali Home Assistant správne.", + "learn_more": "Získajte viac informácií o automatizáciách", + "no_automations": "Nepodarilo sa nájsť žiadne editovateľné automatizácie", + "pick_automation": "Vyberte automatizáciu, ktorú chcete upraviť" + } + }, + "cloud": { + "account": { + "alexa": { + "config_documentation": "Dokumentácia konfigurácie", + "enable_ha_skill": "Povoliť Home Assistant skill pre Alexu", + "enable_state_reporting": "Povoliť hlásenie stavu", + "info": "Vďaka integrácii Alexa pre Home Assistant Cloud budete môcť ovládať všetky svoje zariadenia Home Assistant pomocou akéhokoľvek zariadenia s podporou Alexa.", + "info_state_reporting": "Ak povolíte hlásenie stavu, Home Assistant odošle všetky zmeny stavov vystavených entít do Amazonu. To vám umožní vždy vidieť najnovšie stavy v aplikácii Alexa a pomocou zmien stavov vytvárať rutiny.", + "sync_entities": "Synchronizovať entity", + "title": "Alexa" + }, + "connected": "Pripojené", + "connection_status": "Stav cloudového pripojenia", + "fetching_subscription": "Načítava sa predplatné...", + "google": { + "enter_pin_hint": "Ak chcete používať bezpečnostné zariadenia, zadajte kód PIN", + "manage_entities": "Spravovať entity", + "security_devices": "Zabezpečovacie zariadenia", + "sync_entities": "Synchronizovať entity so službou Google" + }, + "integrations": "Integrácie", + "integrations_introduction": "Integrácia Home Assistant Cloud vám umožňuje pripojiť sa k službám v cloude bez toho, aby ste museli verejne publikovať inštanciu Home Assistant do internetu.", + "integrations_introduction2": "Pozrite si webovú stránku ", + "integrations_link_all_features": " všetky dostupné funkcie ", + "nabu_casa_account": "Účet Nabu Casa", + "not_connected": "Nepripojené", + "remote": { + "access_is_being_prepared": "Pripravuje sa vzdialený prístup. Budeme vás informovať, keď bude pripravený.", + "certificate_info": "Informácie o certifikáte", + "info": "Home Assistant Cloud poskytuje zabezpečené vzdialené pripojenie k vašej inštancií kým ste mimo domova.", + "instance_is_available": "Vaša inštancia je k dispozícii na stránke", + "instance_will_be_available": "Vaša inštancia bude k dispozícii na adrese", + "link_learn_how_it_works": "Zistite, ako to funguje", + "title": "Diaľkové ovládanie" + }, + "sign_out": "Odhlásiť sa", + "thank_you_note": "Ďakujeme, že ste sa stali súčasťou Home Assistant Cloudu. Vďaka ľuďom, ako ste vy, sme schopní urobiť skvelý zážitok z automatizácie domácnosti pre každého. Ďakujeme!", + "webhooks": { + "disable_hook_error_msg": "Nepodarilo sa deaktivovať webhook:", + "link_learn_more": "Prečítajte si viac informácií o vytváraní automatizácií na báze Webhook.", + "loading": "Načítava sa ...", + "manage": "Spravovať", + "no_hooks_yet_link_automation": "automatizácia webhookov", + "no_hooks_yet_link_integration": "integrácia založená na webhook", + "no_hooks_yet2": "alebo vytvorením " + } + }, + "alexa": { + "banner": "Úprava týchto entít cez toto používateľské rozhranie je zakázaná, pretože ste nakonfigurovali filtre entít v súbore Configuration.yaml." + }, + "caption": "Home Assistant Cloud", + "description_features": "Ovládanie mimo domova, integrácia s Alexa a Google Assistant.", + "description_login": "Prihlásený ako {email}", + "description_not_login": "Neprihlásený", + "dialog_certificate": { + "fingerprint": "Odtlačok certifikátu:" + }, + "dialog_cloudhook": { + "available_at": "Webhook je k dispozícii na tejto webovej adrese:", + "close": "Zavrieť", + "copied_to_clipboard": "Skopírované do schránky", + "managed_by_integration": "Tento webhook je riadený integráciou a nemožno ho zakázať.", + "webhook_for": "Webhook pre {name}" + }, + "forgot_password": { + "check_your_email": "Pokyny na obnovenie hesla nájdete vo svojom e-maile.", + "instructions": "Zadajte svoju e-mailovú adresu a my vám pošleme odkaz na obnovenie hesla.", + "send_reset_email": "Poslať resetovací e-mail", + "title": "Zabudnuté heslo" + }, + "google": { + "banner": "Úprava týchto entít cez toto používateľské rozhranie je zakázaná, pretože ste nakonfigurovali filtre entít v súbore Configuration.yaml.", + "not_exposed_entities": "Nezverejnené entity" + }, + "login": { + "alert_password_change_required": "Pred prihlásením musíte zmeniť svoje heslo.", + "dismiss": "Zrušiť", + "email": "E-mail", + "email_error_msg": "Neplatný email", + "forgot_password": "zabudnuté heslo?", + "learn_more_link": "Získajte viac informácií o Home Assistant Cloud", + "password": "Heslo", + "sign_in": "Prihlásiť sa", + "start_trial": "Začnite bezplatnú 1-mesačnú skúšobnú verziu", + "trial_info": "Nie sú potrebné žiadne platobné informácie" + }, + "register": { + "password": "Heslo", + "resend_confirm_email": "Znova odoslať potvrdzovací e-mail", + "title": "Registrovať účet" + } + }, + "common": { + "editor": { + "confirm_unsaved": "Máte neuložené zmeny. Naozaj chcete odísť?" + } + }, "core": { "caption": "Všeobecné", "description": "Zmeňte svoju všeobecnú konfiguráciu Home Assistant", "section": { "core": { - "header": "Všeobecná konfigurácia", - "introduction": "Zmena konfigurácie môže byť ťažkým procesom. My vieme. Táto sekcia sa Vám pokúsi zjednodušiť život.", "core_config": { "edit_requires_storage": "Editor je zablokovaný, pretože konfigurácia je uložená v configuration.yaml", - "location_name": "Názov vašej Home Assistant inštalácie", - "latitude": "Zemepisná šírka", - "longitude": "Zemepisná dĺžka", "elevation": "Nadmorská výška", "elevation_meters": "metrov", + "imperial_example": "Fahrenheita, libry", + "latitude": "Zemepisná šírka", + "location_name": "Názov vašej Home Assistant inštalácie", + "longitude": "Zemepisná dĺžka", + "metric_example": "Celsia, kilogramy", + "save_button": "Uložiť", "time_zone": "Časové pásmo", "unit_system": "Jednotková sústava", "unit_system_imperial": "Imperiálny", - "unit_system_metric": "Metrický", - "imperial_example": "Fahrenheita, libry", - "metric_example": "Celsia, kilogramy", - "save_button": "Uložiť" - } + "unit_system_metric": "Metrický" + }, + "header": "Všeobecná konfigurácia", + "introduction": "Zmena konfigurácie môže byť ťažkým procesom. My vieme. Táto sekcia sa Vám pokúsi zjednodušiť život." }, "server_control": { - "validation": { - "heading": "Kontrola konfigurácie", - "introduction": "Overte svoju konfiguráciu, ak ste nedávno vykonali nejaké zmeny v konfigurácii a chcete sa uistiť, že je to všetko v poriadku", - "check_config": "Skontrolujte konfiguráciu", - "valid": "Konfigurácia je platná!", - "invalid": "Konfigurácia je neplatná" - }, "reloading": { - "heading": "Načítavanie novej konfigurácie", - "introduction": "Niektoré časti aplikácie Home Assistant sa môžu načítať bez nutnosti reštartovania. Opätovným načítaním sa zahodí aktuálna konfigurácia a načíta sa nová.", + "automation": "Znovu načítať automatizácie", "core": "Znovu načítať jadro", "group": "Znovu načítať skupiny", - "automation": "Znovu načítať automatizácie", + "heading": "Načítavanie novej konfigurácie", + "introduction": "Niektoré časti aplikácie Home Assistant sa môžu načítať bez nutnosti reštartovania. Opätovným načítaním sa zahodí aktuálna konfigurácia a načíta sa nová.", "script": "Znovu načítať skripty" }, "server_management": { @@ -463,6 +1026,13 @@ "introduction": "Ovládajte Váš Home Assistant server... z aplikácie Home Assistant.", "restart": "Reštartovať", "stop": "Zastaviť" + }, + "validation": { + "check_config": "Skontrolujte konfiguráciu", + "heading": "Kontrola konfigurácie", + "introduction": "Overte svoju konfiguráciu, ak ste nedávno vykonali nejaké zmeny v konfigurácii a chcete sa uistiť, že je to všetko v poriadku", + "invalid": "Konfigurácia je neplatná", + "valid": "Konfigurácia je platná!" } } } @@ -475,899 +1045,422 @@ "introduction": "Upravujte atribúty v rámci entity. Pridané \/ upravené prispôsobenia sa prejavia okamžite. Odstránené prispôsobenia sa prejavia po aktualizácii entity." } }, - "automation": { - "caption": "Automatizácie", - "description": "Vytvárajte a upravujte automatizácie", - "picker": { - "header": "Editor automatizácií", - "introduction": "Editor automatizácií vám umožňuje vytvárať a upravovať automatizácie. Prečítajte si prosím [pokyny](https:\/\/home-assistant.io\/docs\/automation\/editor\/), aby ste sa uistili, že ste nakonfigurovali Home Assistant správne.", - "pick_automation": "Vyberte automatizáciu, ktorú chcete upraviť", - "no_automations": "Nepodarilo sa nájsť žiadne editovateľné automatizácie", - "add_automation": "Pridať automatizáciu", - "learn_more": "Získajte viac informácií o automatizáciách" - }, - "editor": { - "introduction": "Použite automatizácie, aby váš domov ožil", - "default_name": "Nová automatizácia", - "save": "Uložiť", - "unsaved_confirm": "Máte neuložené zmeny. Naozaj chcete odísť?", - "alias": "Názov", - "triggers": { - "header": "Spúšťače", - "introduction": "Spúšťače spúšťajú spracovanie pravidla automatizácie. Pre rovnaké pravidlo je možné určiť viac spúšťačov. Po spustení spúšťača aplikácia Home Assistant overí prípadné podmienky a zavolá akciu. \n\n [Viac informácií o spúšťačov.](https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", - "add": "Pridať spúšťač", - "duplicate": "Duplikovať", - "delete": "Odstrániť", - "delete_confirm": "Ste si istý odstránením ?", - "unsupported_platform": "Nepodporovaná platforma: {platform}", - "type_select": "Typ spúšťača", - "type": { - "event": { - "label": "Udalosť", - "event_type": "Typ udalosti", - "event_data": "Dáta udalosti" - }, - "state": { - "label": "Stav", - "from": "Z", - "to": "Na", - "for": "Trvanie stavu" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Udalosť:", - "start": "Štart", - "shutdown": "Vypnutie" - }, - "mqtt": { - "label": "MQTT", - "topic": "Topic", - "payload": "Správa (voliteľné)" - }, - "numeric_state": { - "label": "Číselná hodnota", - "above": "Nad", - "below": "Pod", - "value_template": "Šablóna hodnoty (voliteľné)" - }, - "sun": { - "label": "Slnko", - "event": "Udalosť:", - "sunrise": "Východ slnka", - "sunset": "Západ slnka", - "offset": "Kompenzácia (voliteľné)" - }, - "template": { - "label": "Šablóna", - "value_template": "Šablóna hodnoty" - }, - "time": { - "label": "Čas", - "at": "Čas o" - }, - "zone": { - "label": "Zóna", - "entity": "Entita s umiestnením", - "zone": "Zóna", - "event": "Udalosť:", - "enter": "Vstúpenie", - "leave": "Opustenie" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook ID" - }, - "time_pattern": { - "label": "Časový vzor", - "hours": "Hodín", - "minutes": "Minút", - "seconds": "Sekúnd" - }, - "geo_location": { - "label": "Geolokácia", - "source": "Zdroj", - "zone": "Zóna", - "event": "Udalosť:", - "enter": "Vstup", - "leave": "Opustiť" - }, - "device": { - "label": "Zariadenie", - "extra_fields": { - "above": "Nad", - "below": "Pod", - "for": "Trvanie" - } - } - }, - "learn_more": "Získajte viac informácií o spúšťačoch" + "devices": { + "automation": { + "actions": { + "caption": "Keď sa niečo spustí..." }, "conditions": { - "header": "Podmienky", - "introduction": "Podmienky sú voliteľnou súčasťou pravidla automatizácie a môžu sa použiť na zabránenie tomu, aby sa akcia vykonala pri spustení. Podmienky vyzerajú veľmi podobne ako spúšťače, ale sú veľmi odlišné. Spúšťač sa zameria na udalosti, ktoré sa dejú v systéme, zatiaľ čo podmienka sa zameriava iba na to, ako systém práve vyzerá. Spúšťač môže pozorovať, že je zapnutý spínač. Podmienkou je iba to, či je vypínač v súčasnosti zapnutý alebo vypnutý. \n\n [Viac informácií o podmienkach.](https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", - "add": "Pridať podmienku", - "duplicate": "Duplikovať", - "delete": "Odstrániť", - "delete_confirm": "Ste si istý odstránením ? ", - "unsupported_condition": "Nepodporovaná podmienka: {condition}", - "type_select": "Typ podmienky", - "type": { - "state": { - "label": "Stav", - "state": "Stav" - }, - "numeric_state": { - "label": "Číselná hodnota", - "above": "Nad", - "below": "Pod", - "value_template": "Šablóna hodnoty (voliteľné)" - }, - "sun": { - "label": "Slnko", - "before": "Pred:", - "after": "Po:", - "before_offset": "Predstih pred (voliteľné)", - "after_offset": "Oneskorenie po (voliteľné)", - "sunrise": "Východ slnka", - "sunset": "Západ slnka" - }, - "template": { - "label": "Šablóna", - "value_template": "Šablóna hodnoty" - }, - "time": { - "label": "Čas", - "after": "Po", - "before": "Pred" - }, - "zone": { - "label": "Zóna", - "entity": "Entita s umiestnením", - "zone": "Zóna" - }, - "device": { - "label": "Zariadenie", - "extra_fields": { - "above": "Nad", - "below": "Pod", - "for": "Trvanie" - } - }, - "and": { - "label": "a" - }, - "or": { - "label": "alebo" - } - }, - "learn_more": "Získajte viac informácií o podmienkach" + "caption": "Urob niečo len vtedy, ak ..." }, - "actions": { - "header": "Akcie", - "introduction": "Akcie, ktoré vykoná Home Assistant, sa aktivujú po spustení automatizácie. \n\n [Viac informácií o akciách.](https:\/\/home-assistant.io\/docs\/automation\/action\/)", - "add": "Pridať akciu", - "duplicate": "Duplikovať", - "delete": "Odstrániť", - "delete_confirm": "Ste si istý odstránením ? ", - "unsupported_action": "Nepodporovaná akcia: {action}", - "type_select": "Typ akcie", - "type": { - "service": { - "label": "Zavolať službu", - "service_data": "Dáta služby" - }, - "delay": { - "label": "Oneskorenie", - "delay": "Oneskorenie" - }, - "wait_template": { - "label": "Čakať", - "wait_template": "Šablóna čakania", - "timeout": "Časový limit (voliteľné)" - }, - "condition": { - "label": "Podmienka" - }, - "event": { - "label": "Odpáliť udalosť", - "event": "Udalosť:", - "service_data": "Dáta služby" - }, - "device_id": { - "label": "Zariadenie", - "extra_fields": { - "code": "Kód" - } - }, - "scene": { - "label": "Aktivovať scénu" - } - }, - "learn_more": "Získajte viac informácií o akciách" - }, - "load_error_not_editable": "Len automatizácie v automations.yaml je možné upravovať.", - "load_error_unknown": "Chyba pri načítaní automatizácie ( {err_no} ).", - "description": { - "label": "Popis", - "placeholder": "Voliteľný popis" - } - } - }, - "script": { - "caption": "Skript", - "description": "Vytvárajte a upravujte skripty", - "picker": { - "header": "Editor skriptov", - "introduction": "Editor skriptov vám umožňuje vytvárať a upravovať skripty. Postupujte podľa odkazu nižšie a prečítajte si pokyny, aby ste sa uistili, že ste Home Assistant nakonfigurovali správne.", - "learn_more": "Viac informácií o skriptoch", - "add_script": "Pridať skript" - }, - "editor": { - "header": "Skript: {name}", - "default_name": "Nový skript", - "load_error_not_editable": "Iba skripty zo súboru scripts.yaml sú editovateľné.", - "delete_confirm": "Naozaj chcete odstrániť tento skript?" - } - }, - "zwave": { - "caption": "Z-Wave", - "description": "Spravujte svoju Z-Wave sieť", - "network_management": { - "header": "Správa siete Z-Wave", - "introduction": "Spúšťajte príkazy, ktoré ovplyvňujú sieť Z-Wave. Nebudete mať spätnú väzbu o tom, či väčšina príkazov bola úspešná, ale môžete skontrolovať protokol OZW a pokúsiť sa to zistiť." - }, - "network_status": { - "network_stopped": "Sieť Z-Wave bola zastavená", - "network_starting": "Spúšťa sa sieť Z-Wave ...", - "network_starting_note": "Môže to chvíľu trvať v závislosti od veľkosti siete.", - "network_started": "Sieť Z-Wave bola spustena", - "network_started_note_some_queried": "Bdelé uzly boli kontaktované. Spiace uzly budú kontaktované, keď sa prebudia.", - "network_started_note_all_queried": "Všetky uzly boli kontaktované." - }, - "services": { - "start_network": "Spustiť sieť", - "stop_network": "Zastaviť sieť", - "heal_network": "Vyliečiť sieť", - "test_network": "Otestovať sieť", - "soft_reset": "Softvérový reset", - "save_config": "Uložiť konfiguráciu", - "add_node_secure": "Bezpečne pridať zariadenie", - "add_node": "Pridať zariadenie", - "remove_node": "Odstrániť zariadenie", - "cancel_command": "Zrušiť príkaz" - }, - "common": { - "value": "Hodnota", - "instance": "Inštancie", - "index": "Index", - "unknown": "Neznámy", - "wakeup_interval": "Interval prebudenia" - }, - "values": { - "header": "Hodnoty zariadenia" - }, - "node_config": { - "header": "Upraviť konfiguráciu zariadenia", - "seconds": "Sekúnd", - "set_wakeup": "Nastaviť interval prebudenia", - "config_parameter": "Konfigurovať parameter", - "config_value": "Konfiguračná hodnota", - "true": "True", - "false": "False", - "set_config_parameter": "Nastavte konfiguračný parameter" - }, - "learn_more": "Viac informácií o Z-Wave", - "ozw_log": { - "introduction": "Zobraziť denník. 0 je minimum (načíta celý protokol) a 1000 je maximum. Načítanie zobrazí statický protokol a posledný riadok sa automaticky aktualizuje s určeným počtom riadkov protokolu." - } - }, - "users": { - "caption": "Používatelia", - "description": "Správa používateľov", - "picker": { - "title": "Používatelia" - }, - "editor": { - "rename_user": "Premenovať používateľa", - "change_password": "Zmeniť heslo", - "activate_user": "Aktivovať používateľa", - "deactivate_user": "Deaktivovať používateľa", - "delete_user": "Vymazať používateľa", - "caption": "Zobraziť používateľa", - "system_generated_users_not_removable": "Nie je možné odstrániť používateľov generovaných systémom." - }, - "add_user": { - "caption": "Pridať používateľa", - "name": "Meno", - "username": "Užívateľské meno", - "password": "Heslo", - "create": "Vytvoriť" - } - }, - "cloud": { - "caption": "Home Assistant Cloud", - "description_login": "Prihlásený ako {email}", - "description_not_login": "Neprihlásený", - "description_features": "Ovládanie mimo domova, integrácia s Alexa a Google Assistant.", - "login": { - "learn_more_link": "Získajte viac informácií o Home Assistant Cloud", - "dismiss": "Zrušiť", - "sign_in": "Prihlásiť sa", - "email": "E-mail", - "email_error_msg": "Neplatný email", - "password": "Heslo", - "forgot_password": "zabudnuté heslo?", - "start_trial": "Začnite bezplatnú 1-mesačnú skúšobnú verziu", - "trial_info": "Nie sú potrebné žiadne platobné informácie", - "alert_password_change_required": "Pred prihlásením musíte zmeniť svoje heslo." - }, - "forgot_password": { - "title": "Zabudnuté heslo", - "instructions": "Zadajte svoju e-mailovú adresu a my vám pošleme odkaz na obnovenie hesla.", - "send_reset_email": "Poslať resetovací e-mail", - "check_your_email": "Pokyny na obnovenie hesla nájdete vo svojom e-maile." - }, - "register": { - "title": "Registrovať účet", - "password": "Heslo", - "resend_confirm_email": "Znova odoslať potvrdzovací e-mail" - }, - "account": { - "thank_you_note": "Ďakujeme, že ste sa stali súčasťou Home Assistant Cloudu. Vďaka ľuďom, ako ste vy, sme schopní urobiť skvelý zážitok z automatizácie domácnosti pre každého. Ďakujeme!", - "nabu_casa_account": "Účet Nabu Casa", - "connection_status": "Stav cloudového pripojenia", - "sign_out": "Odhlásiť sa", - "integrations": "Integrácie", - "integrations_introduction": "Integrácia Home Assistant Cloud vám umožňuje pripojiť sa k službám v cloude bez toho, aby ste museli verejne publikovať inštanciu Home Assistant do internetu.", - "integrations_introduction2": "Pozrite si webovú stránku ", - "integrations_link_all_features": " všetky dostupné funkcie ", - "connected": "Pripojené", - "not_connected": "Nepripojené", - "fetching_subscription": "Načítava sa predplatné...", - "remote": { - "title": "Diaľkové ovládanie", - "access_is_being_prepared": "Pripravuje sa vzdialený prístup. Budeme vás informovať, keď bude pripravený.", - "info": "Home Assistant Cloud poskytuje zabezpečené vzdialené pripojenie k vašej inštancií kým ste mimo domova.", - "instance_is_available": "Vaša inštancia je k dispozícii na stránke", - "instance_will_be_available": "Vaša inštancia bude k dispozícii na adrese", - "link_learn_how_it_works": "Zistite, ako to funguje", - "certificate_info": "Informácie o certifikáte" - }, - "alexa": { - "title": "Alexa", - "info": "Vďaka integrácii Alexa pre Home Assistant Cloud budete môcť ovládať všetky svoje zariadenia Home Assistant pomocou akéhokoľvek zariadenia s podporou Alexa.", - "enable_ha_skill": "Povoliť Home Assistant skill pre Alexu", - "config_documentation": "Dokumentácia konfigurácie", - "enable_state_reporting": "Povoliť hlásenie stavu", - "info_state_reporting": "Ak povolíte hlásenie stavu, Home Assistant odošle všetky zmeny stavov vystavených entít do Amazonu. To vám umožní vždy vidieť najnovšie stavy v aplikácii Alexa a pomocou zmien stavov vytvárať rutiny.", - "sync_entities": "Synchronizovať entity" - }, - "google": { - "security_devices": "Zabezpečovacie zariadenia", - "enter_pin_hint": "Ak chcete používať bezpečnostné zariadenia, zadajte kód PIN", - "sync_entities": "Synchronizovať entity so službou Google", - "manage_entities": "Spravovať entity" - }, - "webhooks": { - "no_hooks_yet_link_integration": "integrácia založená na webhook", - "no_hooks_yet2": "alebo vytvorením ", - "no_hooks_yet_link_automation": "automatizácia webhookov", - "link_learn_more": "Prečítajte si viac informácií o vytváraní automatizácií na báze Webhook.", - "loading": "Načítava sa ...", - "manage": "Spravovať", - "disable_hook_error_msg": "Nepodarilo sa deaktivovať webhook:" + "triggers": { + "caption": "Urob niečo, keď ..." } }, - "alexa": { - "banner": "Úprava týchto entít cez toto používateľské rozhranie je zakázaná, pretože ste nakonfigurovali filtre entít v súbore Configuration.yaml." + "caption": "Zariadenia", + "description": "Spravovať pripojené zariadenia" + }, + "entity_registry": { + "caption": "Register entít", + "description": "Prehľad všetkých známych entít.", + "editor": { + "confirm_delete": "Naozaj chcete odstrániť túto entitu?", + "confirm_delete2": "Odstránením entity sa entita neodstráni z Home Assistant. Ak to chcete urobiť, budete musieť odstrániť integráciu '{platform}' z Home Assistant.", + "default_name": "Nová oblasť", + "delete": "VYMAZAŤ", + "enabled_cause": "Zakázané {cause}", + "enabled_description": "Zakázané entity nebudú pridané do Home Assistanta", + "enabled_label": "Povoliť entitu", + "unavailable": "Táto entita nie je momentálne k dispozícii.", + "update": "AKTUALIZOVAŤ" }, - "dialog_certificate": { - "fingerprint": "Odtlačok certifikátu:" - }, - "google": { - "banner": "Úprava týchto entít cez toto používateľské rozhranie je zakázaná, pretože ste nakonfigurovali filtre entít v súbore Configuration.yaml.", - "not_exposed_entities": "Nezverejnené entity" - }, - "dialog_cloudhook": { - "webhook_for": "Webhook pre {name}", - "available_at": "Webhook je k dispozícii na tejto webovej adrese:", - "managed_by_integration": "Tento webhook je riadený integráciou a nemožno ho zakázať.", - "close": "Zavrieť", - "copied_to_clipboard": "Skopírované do schránky" + "picker": { + "header": "Register entít", + "headers": { + "enabled": "Povolené", + "integration": "Integrácia", + "name": "Názov" + }, + "integrations_page": "Stránka Integrácie", + "introduction": "Home Assistant vedie register všetkých subjektov, ktoré kedy videl a ktoré môžu byť jednoznačne identifikované. Každá z týchto entít bude mať pridelené ID, ktoré bude vyhradené len pre tento subjekt.", + "introduction2": "Použite register entít na prepísanie mena, zmenu ID entity alebo odstránenie položky z Home Assistant. Poznámka: Odstránenie položky databázy entít neodstráni entitu. Postupujte podľa nižšie uvedeného odkazu a odstráňte ho z integračnej stránky.", + "show_disabled": "Zobraziť zakázané entity", + "unavailable": "(nedostupné)" } }, + "header": "Konfigurovať Home Assistant", "integrations": { "caption": "Integrácie", - "description": "Spravujte a nastavujte integrácie", - "discovered": "Objavené", - "configured": "Nakonfigurovaný", - "new": "Nastaviť novú integráciu", - "configure": "Konfigurovať", - "none": "Nič zatiaľ nebolo nakonfigurované", "config_entry": { - "no_devices": "Táto integrácia nemá žiadne zariadenia.", - "no_device": "Entity bez zariadení", + "area": "V {area}", + "delete_button": "Odstrániť {integration}", "delete_confirm": "Naozaj chcete odstrániť túto integráciu?", - "restart_confirm": "Ak chcete dokončiť odstránenie tejto integrácie, reštartujte Home Assistant", - "manuf": "od {manufacturer}", - "via": "Pripojené cez", - "firmware": "Firmvér: {version}", "device_unavailable": "zariadenie nie je k dispozícii", "entity_unavailable": "entita nie je k dispozícii", - "no_area": "Žiadna oblasť", + "firmware": "Firmvér: {version}", "hub": "Pripojené cez", + "manuf": "od {manufacturer}", + "no_area": "Žiadna oblasť", + "no_device": "Entity bez zariadení", + "no_devices": "Táto integrácia nemá žiadne zariadenia.", + "restart_confirm": "Ak chcete dokončiť odstránenie tejto integrácie, reštartujte Home Assistant", "settings_button": "Upraviť nastavenia pre {integration}", "system_options_button": "Systémové možnosti pre {integration}", - "delete_button": "Odstrániť {integration}", - "area": "V {area}" + "via": "Pripojené cez" }, "config_flow": { "external_step": { "description": "Tento krok vyžaduje, aby ste navštívili externú webovú stránku, ktorá dokončí proces.", "open_site": "Otvoriť webovú stránku" } - } - }, - "zha": { - "caption": "ZHA", - "description": "Správa siete Zigbee Home Automation", - "services": { - "reconfigure": "Znovu nakonfigurujte zariadenie ZHA (oprava zariadenia). Použite, len ak máte problémy so zariadením. Ak sa jedná o zariadenie s batériovým napájaním, uistite sa, že pri používaní tejto služby, nebolo zariadenie v režime spánku a prijímalo príkazy.", - "updateDeviceName": "Nastavte vlastný názov pre toto zariadenie v registri zariadenia.", - "remove": "Odstráňte zariadenie zo siete Zigbee." - }, - "device_card": { - "device_name_placeholder": "Meno používateľa", - "area_picker_label": "Oblasť", - "update_name_button": "Aktualizovať názov" - }, - "add_device_page": { - "header": "Zigbee Home Automation - Pridať zariadenia", - "spinner": "Vyhľadávanie ZHA Zigbee zariadení ...", - "discovery_text": "Tu sa zobrazia objavené zariadenia. Postupujte podľa pokynov pre zariadenie (zariadenia) a umiestnite zariadenie (zariadenia) do režimu párovania." - }, - "common": { - "manufacturer_code_override": "Prepísanie kódu výrobcu" - }, - "node_management": { - "introduction": "Spúšťajte príkazy ZHA, ktoré ovplyvňujú jedno zariadenie. Vyberte zariadenie a zobrazte zoznam dostupných príkazov.", - "hint_battery_devices": "Poznámka: Spiace (napájané z batérie) zariadenia musia byť pri vykonávaní príkazov zobudené. Spiace zariadenie môžete zvyčajne prebudiť jeho spustením.", - "hint_wakeup": "Niektoré zariadenia, ako sú senzory Xiaomi, majú tlačidlo budenia, ktoré môžete stlačiť v intervaloch približne 5 sekúnd, ktoré udržia zariadenia pri bdelosti, keď s nimi komunikujete.", - "help_node_dropdown": "Vyberte zariadenie na zobrazenie možností zariadenia." - }, - "clusters": { - "help_cluster_dropdown": "Vyberte klaster na zobrazenie atribútov a príkazov." - }, - "cluster_attributes": { - "header": "Atribúty klastra", - "introduction": "Zobraziť a upraviť atribúty klastra.", - "attributes_of_cluster": "Atribúty vybraného klastra", - "get_zigbee_attribute": "Získať atribút Zigbee", - "set_zigbee_attribute": "Nastaviť atribút ZigBee", - "help_attribute_dropdown": "Vyberte atribút, ktorý chcete zobraziť alebo nastaviť jeho hodnotu.", - "help_get_zigbee_attribute": "Získajte hodnotu vybratého atribútu.", - "help_set_zigbee_attribute": "Nastavte hodnotu atribútu pre určený klaster na určenej entite." - }, - "cluster_commands": { - "header": "Príkazy klastra", - "introduction": "Zobrazenie a vydávanie príkazov klastra.", - "commands_of_cluster": "Príkazy vybraného klastra", - "issue_zigbee_command": "Vydanie príkazu Zigbee", - "help_command_dropdown": "Vyberte príkaz, s ktorým chcete pracovať." - } - }, - "area_registry": { - "caption": "Register oblastí", - "description": "Prehľad všetkých oblastí vo vašej domácnosti.", - "picker": { - "header": "Register oblastí", - "introduction": "Oblasti sa používajú na usporiadanie zariadení. Tieto informácie sa použijú v službe Home Assistant, aby vám pomohli pri organizovaní rozhrania, povolení a integrácií s inými systémami.", - "introduction2": "Ak chcete umiestniť zariadenia do oblasti, pomocou odkazu nižšie prejdite na stránku integrácií a potom kliknite na nakonfigurovanú integráciu a prejdite na karty zariadení.", - "integrations_page": "Stránka Integrácie", - "no_areas": "Vyzerá to, že ešte nemáte žiadne oblasti!", - "create_area": "VYTVORIŤ OBLASŤ" - }, - "no_areas": "Vyzerá to, že ešte nemáte žiadne oblasti!", - "create_area": "VYTVORIŤ OBLASŤ", - "editor": { - "default_name": "Nová oblasť", - "delete": "VYMAZAŤ", - "update": "AKTUALIZOVAŤ", - "create": "VYTVORIŤ" - } - }, - "entity_registry": { - "caption": "Register entít", - "description": "Prehľad všetkých známych entít.", - "picker": { - "header": "Register entít", - "unavailable": "(nedostupné)", - "introduction": "Home Assistant vedie register všetkých subjektov, ktoré kedy videl a ktoré môžu byť jednoznačne identifikované. Každá z týchto entít bude mať pridelené ID, ktoré bude vyhradené len pre tento subjekt.", - "introduction2": "Použite register entít na prepísanie mena, zmenu ID entity alebo odstránenie položky z Home Assistant. Poznámka: Odstránenie položky databázy entít neodstráni entitu. Postupujte podľa nižšie uvedeného odkazu a odstráňte ho z integračnej stránky.", - "integrations_page": "Stránka Integrácie", - "show_disabled": "Zobraziť zakázané entity", - "headers": { - "name": "Názov", - "integration": "Integrácia", - "enabled": "Povolené" - } - }, - "editor": { - "unavailable": "Táto entita nie je momentálne k dispozícii.", - "default_name": "Nová oblasť", - "delete": "VYMAZAŤ", - "update": "AKTUALIZOVAŤ", - "enabled_label": "Povoliť entitu", - "enabled_cause": "Zakázané {cause}", - "enabled_description": "Zakázané entity nebudú pridané do Home Assistanta", - "confirm_delete": "Naozaj chcete odstrániť túto entitu?", - "confirm_delete2": "Odstránením entity sa entita neodstráni z Home Assistant. Ak to chcete urobiť, budete musieť odstrániť integráciu '{platform}' z Home Assistant." - } + }, + "configure": "Konfigurovať", + "configured": "Nakonfigurovaný", + "description": "Spravujte a nastavujte integrácie", + "discovered": "Objavené", + "new": "Nastaviť novú integráciu", + "none": "Nič zatiaľ nebolo nakonfigurované" }, + "introduction": "Tu je možné konfigurovať vaše komponenty a Home Assistant. Aktuálne sa z používateľského rozhrania nedá konfigurovať všetko, ale pracujeme na tom.", "person": { + "add_person": "Pridať osobu", "caption": "Osoby", + "confirm_delete": "Naozaj chcete túto osobu odstrániť?", + "create_person": "Vytvoriť osobu", "description": "Spravujte osoby, ktoré Home Assistant sleduje.", "detail": { - "name": "Meno", "device_tracker_intro": "Vyberte zariadenia, ktoré patria tejto osobe.", - "device_tracker_picked": "Sledovať zariadenie", "device_tracker_pick": "Vyberte zariadenie na sledovanie", - "new_person": "Nová osoba", - "name_error_msg": "Meno je povinné", + "device_tracker_picked": "Sledovať zariadenie", + "link_presence_detection_integrations": "Integrácie detekcie prítomnosti", "linked_user": "Prepojený používateľa", - "no_device_tracker_available_intro": "Ak máte zariadenia, ktoré zisťujú prítomnosť osoby, budete ich môcť priradiť tu. Prvé zariadenie môžete pridať pridaním integrácie na zisťovanie prítomnosti zo stránky integrácií.", - "link_presence_detection_integrations": "Integrácie detekcie prítomnosti" + "name": "Meno", + "name_error_msg": "Meno je povinné", + "new_person": "Nová osoba", + "no_device_tracker_available_intro": "Ak máte zariadenia, ktoré zisťujú prítomnosť osoby, budete ich môcť priradiť tu. Prvé zariadenie môžete pridať pridaním integrácie na zisťovanie prítomnosti zo stránky integrácií." }, - "introduction": "Tu môžete definovať každú osobu, ktorá vás zaujíma v Home Assistant.", - "create_person": "Vytvoriť osobu", - "add_person": "Pridať osobu", - "confirm_delete": "Naozaj chcete túto osobu odstrániť?" + "introduction": "Tu môžete definovať každú osobu, ktorá vás zaujíma v Home Assistant." + }, + "script": { + "caption": "Skript", + "description": "Vytvárajte a upravujte skripty", + "editor": { + "default_name": "Nový skript", + "delete_confirm": "Naozaj chcete odstrániť tento skript?", + "header": "Skript: {name}", + "load_error_not_editable": "Iba skripty zo súboru scripts.yaml sú editovateľné." + }, + "picker": { + "add_script": "Pridať skript", + "header": "Editor skriptov", + "introduction": "Editor skriptov vám umožňuje vytvárať a upravovať skripty. Postupujte podľa odkazu nižšie a prečítajte si pokyny, aby ste sa uistili, že ste Home Assistant nakonfigurovali správne.", + "learn_more": "Viac informácií o skriptoch" + } }, "server_control": { "caption": "Správa servera", "description": "Reštartujte a zastavte server Home Assistant", "section": { - "validation": { - "heading": "Kontrola konfigurácie", - "introduction": "Overte svoju konfiguráciu, ak ste nedávno vykonali nejaké zmeny v konfigurácii a chcete sa uistiť, že je to všetko v poriadku", - "check_config": "Skontrolujte konfiguráciu", - "valid": "Konfigurácia je platná!", - "invalid": "Konfigurácia je neplatná" - }, "reloading": { - "heading": "Načítavanie novej konfigurácie", - "introduction": "Niektoré časti aplikácie Home Assistant sa môžu načítať bez nutnosti reštartovania. Opätovným načítaním sa zahodí aktuálna konfigurácia a načíta sa nová.", + "automation": "Znovu načítať automatizácie", "core": "Znovu načítať jadro", "group": "Znovu načítať skupiny", - "automation": "Znovu načítať automatizácie", - "script": "Znovu načítať skripty", - "scene": "Znovu načítať scény" + "heading": "Načítavanie novej konfigurácie", + "introduction": "Niektoré časti aplikácie Home Assistant sa môžu načítať bez nutnosti reštartovania. Opätovným načítaním sa zahodí aktuálna konfigurácia a načíta sa nová.", + "scene": "Znovu načítať scény", + "script": "Znovu načítať skripty" }, "server_management": { + "confirm_restart": "Naozaj chcete reštartovať Home Assistanta?", + "confirm_stop": "Naozaj chcete zastaviť Home Assistanta?", "heading": "Správa servera", "introduction": "Ovládajte Váš Home Assistant server... z aplikácie Home Assistant.", "restart": "Reštartovať", - "stop": "Zastaviť", - "confirm_restart": "Naozaj chcete reštartovať Home Assistanta?", - "confirm_stop": "Naozaj chcete zastaviť Home Assistanta?" + "stop": "Zastaviť" + }, + "validation": { + "check_config": "Skontrolujte konfiguráciu", + "heading": "Kontrola konfigurácie", + "introduction": "Overte svoju konfiguráciu, ak ste nedávno vykonali nejaké zmeny v konfigurácii a chcete sa uistiť, že je to všetko v poriadku", + "invalid": "Konfigurácia je neplatná", + "valid": "Konfigurácia je platná!" } } }, - "devices": { - "caption": "Zariadenia", - "description": "Spravovať pripojené zariadenia", - "automation": { - "triggers": { - "caption": "Urob niečo, keď ..." - }, - "conditions": { - "caption": "Urob niečo len vtedy, ak ..." - }, - "actions": { - "caption": "Keď sa niečo spustí..." - } - } - }, - "common": { - "editor": { - "confirm_unsaved": "Máte neuložené zmeny. Naozaj chcete odísť?" - } - } - }, - "profile": { - "push_notifications": { - "header": "Push upozornenia", - "description": "Posielať upozornenia na toto zariadenie.", - "error_load_platform": "Konfigurujte upozornenia notify.html5.", - "error_use_https": "Vyžaduje zapnuté SSL pre rozhranie.", - "push_notifications": "Push upozornenia", - "link_promo": "Viac informácií" - }, - "language": { - "header": "Jazyk", - "link_promo": "Pomôžte s prekladom", - "dropdown_label": "Jazyk" - }, - "themes": { - "header": "Téma", - "error_no_theme": "Nie sú k dispozícii žiadne témy.", - "link_promo": "Získajte viac informácií o témach", - "dropdown_label": "Téma" - }, - "refresh_tokens": { - "header": "Obnovovacie Tokeny", - "description": "Každý obnovovací token predstavuje prihlásenú reláciu. Obnovovacie tokeny sa po kliknutí na tlačidlo Odhlásiť sa automaticky odstránia. Pre váš účet sú aktívne nasledovné obnovovacie tokeny.", - "token_title": "Obnovovací token pre {clientId}", - "created_at": "Vytvorený {date}", - "confirm_delete": "Naozaj chcete odstrániť obnovovací token pre {name}?", - "delete_failed": "Nepodarilo sa odstrániť obnovovací token", - "last_used": "Naposledy použitý {date} z {location}", - "not_used": "Nikdy nebol použitý", - "current_token_tooltip": "Nedá sa odstrániť aktuálny obnovovací token" - }, - "long_lived_access_tokens": { - "header": "Prístupové tokeny s dlhou životnosťou", - "description": "Vytvorte prístupové tokeny s dlhou životnosťou, ktoré umožnia vašim skriptom komunikovať s vašou inštanciou Home Assistant. Každý token bude platný 10 rokov od vytvorenia. Nasledujúce prístupové tokeny s dlhou životnosťou sú v súčasnosti aktívne.", - "learn_auth_requests": "Zistite, ako vytvárať overené požiadavky.", - "created_at": "Vytvorený {date}", - "confirm_delete": "Naozaj chcete odstrániť prístupový token pre {name}?", - "delete_failed": "Nepodarilo sa odstrániť prístupový token.", - "create": "Vytvoriť Token", - "create_failed": "Nepodarilo sa vytvoriť prístupový token.", - "prompt_name": "Názov?", - "prompt_copy_token": "Skopírujte svoj nový prístupový token. Znova sa nezobrazí.", - "empty_state": "Nemáte žiadne prístupové tokeny s dlhou životnosťou.", - "last_used": "Naposledy použitý {date} z {location}", - "not_used": "Nikdy nebol použitý" - }, - "current_user": "Momentálne ste prihlásení ako {fullName}.", - "is_owner": "Ste vlastníkom.", - "change_password": { - "header": "Zmena hesla", - "current_password": "Aktuálne heslo", - "new_password": "Nové heslo", - "confirm_new_password": "Potvrďte nové heslo", - "error_required": "Požadované", - "submit": "Odoslať" - }, - "mfa": { - "header": "Multifaktorové autentifikačné moduly", - "disable": "Zakázať", - "enable": "Povoliť", - "confirm_disable": "Naozaj chcete zakázať {name}?" - }, - "mfa_setup": { - "title_aborted": "Prerušené", - "title_success": "Úspech!", - "step_done": "Nastavenie dokončené krok {step}", - "close": "Zavrieť", - "submit": "Odoslať" - }, - "logout": "Odhlásiť sa", - "force_narrow": { - "header": "Vždy skryť bočný panel", - "description": "Predvolene sa skryje bočný panel, podobne ako v prípade mobilných zariadení." - }, - "vibrate": { - "header": "Vibrácie", - "description": "Pri ovládaní zariadení povoľte alebo zakážte vibrácie tohto zariadenia." - }, - "advanced_mode": { - "title": "Rozšírený režim", - "description": "Home Asistent v predvolenom nastavení skryje rozšírené funkcie a možnosti. Začiarknutím tohto prepínača môžete tieto funkcie sprístupniť. Toto nastavenie je špecifické pre konkrétneho používateľa a nemá vplyv na ostatných používateľov používajúcich Home Assistant." - } - }, - "page-authorize": { - "initializing": "Inicializácia", - "authorizing_client": "Chystáte sa poskytnúť {clientId} prístup k vašej inštancii Home Assistantu.", - "logging_in_with": "Prihlasovanie pomocou **{authProviderName}**.", - "pick_auth_provider": "Alebo sa prihláste prostredníctvom", - "abort_intro": "Prihlásenie bolo zrušené", - "form": { - "working": "Prosím čakajte", - "unknown_error": "Niečo sa pokazilo", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Používateľské meno", - "password": "Heslo" - } - }, - "mfa": { - "data": { - "code": "Kód dvojfaktorovej autentifikácie" - }, - "description": "Otvorte **{mfa_module_name}** v zariadení, aby ste si pozreli svoj dvojfaktorový autentifikačný kód a overili svoju totožnosť:" - } - }, - "error": { - "invalid_auth": "Nesprávne používateľské meno alebo heslo", - "invalid_code": "Neplatný overovací kód" - }, - "abort": { - "login_expired": "Platnosť relácie skončila, prosím prihláste znova." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "Heslo API rozhrania" - }, - "description": "Prosím zadajte heslo API rozhrania v konfigurácií http:" - }, - "mfa": { - "data": { - "code": "Kód dvojfaktorovej autentifikácie" - }, - "description": "Otvorte **{mfa_module_name}** v zariadení, aby ste si pozreli svoj dvojfaktorový autentifikačný kód a overili svoju totožnosť:" - } - }, - "error": { - "invalid_auth": "Neplatné heslo rozhrania API", - "invalid_code": "Neplatný autentifikačný kód" - }, - "abort": { - "no_api_password_set": "Nemáte nakonfigurované heslo rozhrania API.", - "login_expired": "Relácia vypršala, prosím prihláste sa znova." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Používateľ" - }, - "description": "Välj en användare att logga in som:" - } - }, - "abort": { - "not_whitelisted": "Váš počítač nie je v zozname povolených zariadení." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Používateľské meno", - "password": "Heslo" - } - }, - "mfa": { - "data": { - "code": "2-faktorový autentifikačný kód" - }, - "description": "Otvorte **{mfa_module_name}** v zariadení, aby ste si pozreli svoj dvojfaktorový autentifikačný kód a overili svoju totožnosť:" - } - }, - "error": { - "invalid_auth": "Nesprávne používateľské meno alebo heslo", - "invalid_code": "Nesprávny autentifikačný kód" - }, - "abort": { - "login_expired": "Relácia vypršala, prihláste sa prosím znova" - } - } - } - } - }, - "page-onboarding": { - "intro": "Ste pripravení prebudiť váš domov, získať vaše súkromie a pripojiť sa k celosvetovej komunite bastličov?", - "user": { - "intro": "Poďme začať vytvorením používateľského konta.", - "required_field": "Požadované", - "data": { + "users": { + "add_user": { + "caption": "Pridať používateľa", + "create": "Vytvoriť", "name": "Meno", - "username": "Používateľské meno", "password": "Heslo", - "password_confirm": "Potvrďte nové heslo" + "username": "Užívateľské meno" }, - "create_account": "Vytvoriť účet", - "error": { - "required_fields": "Vyplňte všetky povinné polia", - "password_not_match": "Heslá sa nezhodujú" + "caption": "Používatelia", + "description": "Správa používateľov", + "editor": { + "activate_user": "Aktivovať používateľa", + "caption": "Zobraziť používateľa", + "change_password": "Zmeniť heslo", + "deactivate_user": "Deaktivovať používateľa", + "delete_user": "Vymazať používateľa", + "rename_user": "Premenovať používateľa", + "system_generated_users_not_removable": "Nie je možné odstrániť používateľov generovaných systémom." + }, + "picker": { + "title": "Používatelia" } }, - "integration": { - "intro": "Zariadenia a služby sú v systéme Home Assistant zobrazené ako integrácie. Môžete ich nastaviť teraz alebo to urobiť neskôr z konfiguračnej obrazovky.", - "more_integrations": "Viac", - "finish": "Dokončiť" + "zha": { + "add_device_page": { + "discovery_text": "Tu sa zobrazia objavené zariadenia. Postupujte podľa pokynov pre zariadenie (zariadenia) a umiestnite zariadenie (zariadenia) do režimu párovania.", + "header": "Zigbee Home Automation - Pridať zariadenia", + "spinner": "Vyhľadávanie ZHA Zigbee zariadení ..." + }, + "caption": "ZHA", + "cluster_attributes": { + "attributes_of_cluster": "Atribúty vybraného klastra", + "get_zigbee_attribute": "Získať atribút Zigbee", + "header": "Atribúty klastra", + "help_attribute_dropdown": "Vyberte atribút, ktorý chcete zobraziť alebo nastaviť jeho hodnotu.", + "help_get_zigbee_attribute": "Získajte hodnotu vybratého atribútu.", + "help_set_zigbee_attribute": "Nastavte hodnotu atribútu pre určený klaster na určenej entite.", + "introduction": "Zobraziť a upraviť atribúty klastra.", + "set_zigbee_attribute": "Nastaviť atribút ZigBee" + }, + "cluster_commands": { + "commands_of_cluster": "Príkazy vybraného klastra", + "header": "Príkazy klastra", + "help_command_dropdown": "Vyberte príkaz, s ktorým chcete pracovať.", + "introduction": "Zobrazenie a vydávanie príkazov klastra.", + "issue_zigbee_command": "Vydanie príkazu Zigbee" + }, + "clusters": { + "help_cluster_dropdown": "Vyberte klaster na zobrazenie atribútov a príkazov." + }, + "common": { + "manufacturer_code_override": "Prepísanie kódu výrobcu" + }, + "description": "Správa siete Zigbee Home Automation", + "device_card": { + "area_picker_label": "Oblasť", + "device_name_placeholder": "Meno používateľa", + "update_name_button": "Aktualizovať názov" + }, + "node_management": { + "help_node_dropdown": "Vyberte zariadenie na zobrazenie možností zariadenia.", + "hint_battery_devices": "Poznámka: Spiace (napájané z batérie) zariadenia musia byť pri vykonávaní príkazov zobudené. Spiace zariadenie môžete zvyčajne prebudiť jeho spustením.", + "hint_wakeup": "Niektoré zariadenia, ako sú senzory Xiaomi, majú tlačidlo budenia, ktoré môžete stlačiť v intervaloch približne 5 sekúnd, ktoré udržia zariadenia pri bdelosti, keď s nimi komunikujete.", + "introduction": "Spúšťajte príkazy ZHA, ktoré ovplyvňujú jedno zariadenie. Vyberte zariadenie a zobrazte zoznam dostupných príkazov." + }, + "services": { + "reconfigure": "Znovu nakonfigurujte zariadenie ZHA (oprava zariadenia). Použite, len ak máte problémy so zariadením. Ak sa jedná o zariadenie s batériovým napájaním, uistite sa, že pri používaní tejto služby, nebolo zariadenie v režime spánku a prijímalo príkazy.", + "remove": "Odstráňte zariadenie zo siete Zigbee.", + "updateDeviceName": "Nastavte vlastný názov pre toto zariadenie v registri zariadenia." + } }, - "core-config": { - "intro": "Dobrý deň, {name}, vitajte v Home Assistant. Ako by ste chceli pomenovať svoj domov?", - "intro_location": "Radi by sme vedeli, kde žijete. Tieto informácie vám pomôžu pri zobrazovaní informácií a nastavovaní automatizácie na základe slnka. Tieto údaje sa nikdy nezdieľajú mimo vašej siete.", - "intro_location_detect": "Môžeme vám pomôcť vyplniť tieto informácie jednorazovou žiadosťou o externú službu.", - "location_name_default": "Domov", - "button_detect": "Zistiť", - "finish": "Ďalej" + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Index", + "instance": "Inštancie", + "unknown": "Neznámy", + "value": "Hodnota", + "wakeup_interval": "Interval prebudenia" + }, + "description": "Spravujte svoju Z-Wave sieť", + "learn_more": "Viac informácií o Z-Wave", + "network_management": { + "header": "Správa siete Z-Wave", + "introduction": "Spúšťajte príkazy, ktoré ovplyvňujú sieť Z-Wave. Nebudete mať spätnú väzbu o tom, či väčšina príkazov bola úspešná, ale môžete skontrolovať protokol OZW a pokúsiť sa to zistiť." + }, + "network_status": { + "network_started": "Sieť Z-Wave bola spustena", + "network_started_note_all_queried": "Všetky uzly boli kontaktované.", + "network_started_note_some_queried": "Bdelé uzly boli kontaktované. Spiace uzly budú kontaktované, keď sa prebudia.", + "network_starting": "Spúšťa sa sieť Z-Wave ...", + "network_starting_note": "Môže to chvíľu trvať v závislosti od veľkosti siete.", + "network_stopped": "Sieť Z-Wave bola zastavená" + }, + "node_config": { + "config_parameter": "Konfigurovať parameter", + "config_value": "Konfiguračná hodnota", + "false": "False", + "header": "Upraviť konfiguráciu zariadenia", + "seconds": "Sekúnd", + "set_config_parameter": "Nastavte konfiguračný parameter", + "set_wakeup": "Nastaviť interval prebudenia", + "true": "True" + }, + "ozw_log": { + "introduction": "Zobraziť denník. 0 je minimum (načíta celý protokol) a 1000 je maximum. Načítanie zobrazí statický protokol a posledný riadok sa automaticky aktualizuje s určeným počtom riadkov protokolu." + }, + "services": { + "add_node": "Pridať zariadenie", + "add_node_secure": "Bezpečne pridať zariadenie", + "cancel_command": "Zrušiť príkaz", + "heal_network": "Vyliečiť sieť", + "remove_node": "Odstrániť zariadenie", + "save_config": "Uložiť konfiguráciu", + "soft_reset": "Softvérový reset", + "start_network": "Spustiť sieť", + "stop_network": "Zastaviť sieť", + "test_network": "Otestovať sieť" + }, + "values": { + "header": "Hodnoty zariadenia" + } } }, + "developer-tools": { + "tabs": { + "events": { + "alert_event_type": "Typ udalosti je povinné pole", + "count_listeners": "( {count} poslucháčov)", + "data": "Údaje o udalosti (YAML, voliteľné)", + "description": "Spustite udalosť na zbernicu udalostí.", + "documentation": "Dokumentácia udalostí.", + "event_fired": "Udalosť {name} sa spustila", + "listen_to_events": "Počúvanie udalostí", + "listening_to": "Počúvanie", + "notification_event_fired": "Udalosť {type} úspešne spustená!", + "start_listening": "Začať počúvať", + "stop_listening": "Zastaviť počúvanie", + "subscribe_to": "Udalosť na ktorú čakať", + "title": "Udalosti", + "type": "Typ udalosti" + }, + "info": { + "built_using": "Postavené pomocou", + "custom_uis": "Vlastné používateľské rozhrania:", + "default_ui": "{action} {name} ako predvolená stránka na tomto zariadení", + "developed_by": "Vyvinuté partiou úžasných ľudí.", + "frontend": "frontend-ui", + "frontend_version": "Verzia frontendu: {version} - {type}", + "home_assistant_logo": "Home Assistant logo", + "icons_by": "Ikony od", + "license": "Publikované pod licenciou Apache 2.0", + "lovelace_ui": "Prejsť do používateľského rozhrania Lovelace", + "path_configuration": "Cesta k configuration.yaml: {path}", + "remove": "Odstrániť", + "server": "server", + "set": "Nastaviť", + "source": "Zdroj:", + "states_ui": "Prejsť do užívateľského rozhrania stavov", + "system_health_error": "Súčasť System Health nie je načítaná. Pridajte 'system_health:' do súboru configuration.yaml", + "title": "Info" + }, + "logs": { + "clear": "Vyčistiť", + "details": "Podrobnosti denníka ( {level} )", + "load_full_log": "Načítať celý denník denníka asistenta", + "loading_log": "Načítava sa denník chýb...", + "multiple_messages": "správa sa prvýkrát vyskytla o {time} a opakuje sa {counter} krát", + "no_errors": "Neboli hlásené žiadne chyby.", + "refresh": "Obnoviť", + "title": "Logy" + }, + "mqtt": { + "description_listen": "Počúvať tému", + "description_publish": "Publikovať paket", + "listening_to": "Počúvam", + "message_received": "Správa {id} prijatá v {topic} o {time} :", + "payload": "Obsah (šablóny sú povolené)", + "publish": "Publikovať", + "start_listening": "Začať počúvať", + "stop_listening": "Zastaviť počúvanie", + "subscribe_to": "Téma na odber", + "title": "MQTT", + "topic": "téma" + }, + "services": { + "alert_parsing_yaml": "Chyba pri analýze YAML: {data}", + "call_service": "Zavolať službu", + "column_description": "Popis", + "column_example": "Príklad", + "column_parameter": "Parameter", + "description": "Vývojársky nástroj vám umožňuje zavolať akúkoľvek dostupnú službu v Home Assistant.", + "fill_example_data": "Vyplniť vzorové údaje", + "no_description": "Nie je k dispozícii žiadny popis", + "no_parameters": "Táto služba nemá žiadne parametre.", + "select_service": "Ak chcete zobraziť popis, vyberte službu", + "title": "Služby" + }, + "states": { + "attributes": "Atribúty", + "current_entities": "Aktuálne entity", + "description1": "Nastavte zobrazenie zariadenia v Home Assistant", + "description2": "Toto nebude komunikovať so skutočným zariadením.", + "entity": "Entita", + "more_info": "Viac informácií", + "set_state": "Nastaviť stav", + "state": "Stav", + "title": "Stavy" + }, + "templates": { + "description": "Šablóny sa vykresľujú pomocou nástroja šablóny Jinja2 s niektorými špecifickými rozšíreniami pre Home Assistant.", + "editor": "Editor šablóna", + "template_extensions": "Rozšírenia šablóny Home Assistant", + "title": "Šablóny" + } + } + }, + "history": { + "period": "Obdobie", + "showing_entries": "Zobrazujú sa záznamy pre" + }, + "logbook": { + "period": "Obdobie", + "showing_entries": "Zobrazujú sa záznamy za obdobie" + }, "lovelace": { "cards": { - "shopping-list": { - "checked_items": "Označené položky", - "clear_items": "Vymazať označené položky", - "add_item": "Pridať položku" - }, "empty_state": { - "title": "Vitajte doma", + "go_to_integrations_page": "Prejsť na stránku integrácií", "no_devices": "Táto stránka vám umožňuje ovládať vaše zariadenia, zdá sa však, že ešte nemáte nastavené žiadne zariadenia. Ak chcete začať, choďte na stránku integrácií.", - "go_to_integrations_page": "Prejsť na stránku integrácií" + "title": "Vitajte doma" }, "picture-elements": { - "hold": "Držať:", - "tap": "Ťuknite:", - "navigate_to": "Navigovať do {location}", - "toggle": "Prepnúť {name}", "call_service": "Zavolať službu {name}", + "hold": "Držať:", "more_info": "Zobraziť viac informácií: {name}", + "navigate_to": "Navigovať do {location}", + "tap": "Ťuknite:", + "toggle": "Prepnúť {name}", "url": "Otvoriť okno na {url_path}" + }, + "shopping-list": { + "add_item": "Pridať položku", + "checked_items": "Označené položky", + "clear_items": "Vymazať označené položky" } }, + "changed_toast": { + "message": "Konfigurácia Lovelace bola aktualizovaná, chcete ju obnoviť?", + "refresh": "Obnoviť" + }, "editor": { - "edit_card": { - "header": "Konfigurácia karty", - "save": "Uložiť", - "toggle_editor": "Prepnúť editor", - "pick_card": "Ktorú kartu chcete pridať?", - "add": "Pridať kartu", - "edit": "Upraviť", - "delete": "Odstrániť", - "move": "Presunúť", - "show_visual_editor": "Zobraziť vizuálny editor", - "show_code_editor": "Zobraziť editor kódu", - "options": "Viac možností" - }, - "migrate": { - "header": "Nekompatibilná konfigurácia", - "para_no_id": "Tento prvok nemá žiadne ID. Doplňte, prosím, ID pre tento prvok v súbore 'ui-lovelace.yaml'.", - "para_migrate": "Home Assistant môže automaticky pridať identifikátory pre všetky vaše karty a zobrazenia, keď kliknete na tlačidlo 'Migrovať konfiguráciu'.", - "migrate": "Migrovať konfiguráciu" - }, - "header": "Upraviť používateľské rozhranie", - "edit_view": { - "header": "Konfigurácia zobrazenia", - "add": "Pridať zobrazenie", - "edit": "Upraviť zobrazenie", - "delete": "Odstrániť zobrazenie", - "header_name": "{name} Zobraziť konfiguráciu" - }, - "save_config": { - "header": "Prevziať kontrolu rozhrania Lovelace", - "para": "Štandardne bude Home Assistant udržiavať vaše používateľské rozhranie a aktualizovať ho, keď budú k dispozícii nové entity alebo komponenty rozhrania Lovelace. Ak prevezmete kontrolu, už za vás nebudeme automaticky robiť zmeny.", - "para_sure": "Skutočne chcete prevziať kontrolu vášho používateľského rozhrania?", - "cancel": "Zrušiť", - "save": "Prevziať kontrolu" - }, - "menu": { - "raw_editor": "Raw editor konfigurácie", - "open": "Otvoriť Lovelace menu" - }, - "raw_editor": { - "header": "Upraviť konfiguráciu", - "save": "Uložiť", - "unsaved_changes": "Neuložené zmeny", - "saved": "Uložené" - }, - "edit_lovelace": { - "header": "Názov vášho Lovelace UI", - "explanation": "Tento názov sa zobrazuje nad všetkými vašimi zobrazeniami v Lovelace." - }, "card": { "alarm_panel": { "available_states": "Dostupné stavy" }, + "alarm-panel": { + "name": "Ovládací panel alarmu" + }, "config": { - "required": "Požadované", - "optional": "Voliteľné" + "optional": "Voliteľné", + "required": "Požadované" }, "entities": { - "show_header_toggle": "Zobraziť prepínač hlavičky?", "name": "Entity", + "show_header_toggle": "Zobraziť prepínač hlavičky?", "toggle": "Prepnúť entity." }, + "entity-button": { + "name": "Entita Tlačítka" + }, + "entity-filter": { + "name": "Filter entít" + }, "generic": { "camera_view": "Zobrazenie kamery", "entities": "Entity", @@ -1387,30 +1480,6 @@ "unit": "Jednotka", "url": "Url" }, - "map": { - "geo_location_sources": "Zdroje geolokácie", - "dark_mode": "Tmavý režim?", - "default_zoom": "Predvolený zoom", - "source": "Zdroj", - "name": "Mapa" - }, - "markdown": { - "content": "Obsah" - }, - "sensor": { - "graph_detail": "Detail grafu", - "graph_type": "Typ grafu", - "name": "Snímač" - }, - "alarm-panel": { - "name": "Ovládací panel alarmu" - }, - "entity-button": { - "name": "Entita Tlačítka" - }, - "entity-filter": { - "name": "Filter entít" - }, "glance": { "name": "Náhľad" }, @@ -1426,12 +1495,19 @@ "light": { "name": "Svetlo" }, + "map": { + "dark_mode": "Tmavý režim?", + "default_zoom": "Predvolený zoom", + "geo_location_sources": "Zdroje geolokácie", + "name": "Mapa", + "source": "Zdroj" + }, + "markdown": { + "content": "Obsah" + }, "media-control": { "name": "Ovládanie médií" }, - "picture": { - "name": "Obrázok" - }, "picture-elements": { "name": "Entita obrázka" }, @@ -1441,6 +1517,14 @@ "picture-glance": { "name": "Náhľad obrázka" }, + "picture": { + "name": "Obrázok" + }, + "sensor": { + "graph_detail": "Detail grafu", + "graph_type": "Typ grafu", + "name": "Snímač" + }, "shopping-list": { "name": "Zoznam nákupov" }, @@ -1454,430 +1538,346 @@ "name": "Predpoveď počasia" } }, + "edit_card": { + "add": "Pridať kartu", + "delete": "Odstrániť", + "edit": "Upraviť", + "header": "Konfigurácia karty", + "move": "Presunúť", + "options": "Viac možností", + "pick_card": "Ktorú kartu chcete pridať?", + "save": "Uložiť", + "show_code_editor": "Zobraziť editor kódu", + "show_visual_editor": "Zobraziť vizuálny editor", + "toggle_editor": "Prepnúť editor" + }, + "edit_lovelace": { + "explanation": "Tento názov sa zobrazuje nad všetkými vašimi zobrazeniami v Lovelace.", + "header": "Názov vášho Lovelace UI" + }, + "edit_view": { + "add": "Pridať zobrazenie", + "delete": "Odstrániť zobrazenie", + "edit": "Upraviť zobrazenie", + "header": "Konfigurácia zobrazenia", + "header_name": "{name} Zobraziť konfiguráciu" + }, + "header": "Upraviť používateľské rozhranie", + "menu": { + "open": "Otvoriť Lovelace menu", + "raw_editor": "Raw editor konfigurácie" + }, + "migrate": { + "header": "Nekompatibilná konfigurácia", + "migrate": "Migrovať konfiguráciu", + "para_migrate": "Home Assistant môže automaticky pridať identifikátory pre všetky vaše karty a zobrazenia, keď kliknete na tlačidlo 'Migrovať konfiguráciu'.", + "para_no_id": "Tento prvok nemá žiadne ID. Doplňte, prosím, ID pre tento prvok v súbore 'ui-lovelace.yaml'." + }, + "raw_editor": { + "header": "Upraviť konfiguráciu", + "save": "Uložiť", + "saved": "Uložené", + "unsaved_changes": "Neuložené zmeny" + }, + "save_config": { + "cancel": "Zrušiť", + "header": "Prevziať kontrolu rozhrania Lovelace", + "para": "Štandardne bude Home Assistant udržiavať vaše používateľské rozhranie a aktualizovať ho, keď budú k dispozícii nové entity alebo komponenty rozhrania Lovelace. Ak prevezmete kontrolu, už za vás nebudeme automaticky robiť zmeny.", + "para_sure": "Skutočne chcete prevziať kontrolu vášho používateľského rozhrania?", + "save": "Prevziať kontrolu" + }, "view": { "panel_mode": { - "title": "Režim panelu?", - "description": "Takto bude prvá karta v plnej šírke; ostatné karty v tomto zobrazení sa nebudú vykresľovať." + "description": "Takto bude prvá karta v plnej šírke; ostatné karty v tomto zobrazení sa nebudú vykresľovať.", + "title": "Režim panelu?" } } }, "menu": { "configure_ui": "Konfigurovať používateľské rozhranie", - "unused_entities": "Nepoužité entity", "help": "Pomoc", - "refresh": "Obnoviť" - }, - "warning": { - "entity_not_found": "Entita nie je k dispozícií {entity}", - "entity_non_numeric": "Entita je nečíselná: {entity}" - }, - "changed_toast": { - "message": "Konfigurácia Lovelace bola aktualizovaná, chcete ju obnoviť?", - "refresh": "Obnoviť" + "refresh": "Obnoviť", + "unused_entities": "Nepoužité entity" }, "reload_lovelace": "Znovu načítať Lovelace", "views": { "confirm_delete": "Naozaj chcete odstrániť toto zobrazenie?" + }, + "warning": { + "entity_non_numeric": "Entita je nečíselná: {entity}", + "entity_not_found": "Entita nie je k dispozícií {entity}" } }, + "mailbox": { + "delete_button": "Vymazať", + "delete_prompt": "Vymazať túto správu?", + "empty": "Nemáte žiadne správy", + "playback_title": "Prehrávanie správ" + }, + "page-authorize": { + "abort_intro": "Prihlásenie bolo zrušené", + "authorizing_client": "Chystáte sa poskytnúť {clientId} prístup k vašej inštancii Home Assistantu.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Relácia vypršala, prihláste sa prosím znova" + }, + "error": { + "invalid_auth": "Nesprávne používateľské meno alebo heslo", + "invalid_code": "Nesprávny autentifikačný kód" + }, + "step": { + "init": { + "data": { + "password": "Heslo", + "username": "Používateľské meno" + } + }, + "mfa": { + "data": { + "code": "2-faktorový autentifikačný kód" + }, + "description": "Otvorte **{mfa_module_name}** v zariadení, aby ste si pozreli svoj dvojfaktorový autentifikačný kód a overili svoju totožnosť:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Platnosť relácie skončila, prosím prihláste znova." + }, + "error": { + "invalid_auth": "Nesprávne používateľské meno alebo heslo", + "invalid_code": "Neplatný overovací kód" + }, + "step": { + "init": { + "data": { + "password": "Heslo", + "username": "Používateľské meno" + } + }, + "mfa": { + "data": { + "code": "Kód dvojfaktorovej autentifikácie" + }, + "description": "Otvorte **{mfa_module_name}** v zariadení, aby ste si pozreli svoj dvojfaktorový autentifikačný kód a overili svoju totožnosť:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Relácia vypršala, prosím prihláste sa znova.", + "no_api_password_set": "Nemáte nakonfigurované heslo rozhrania API." + }, + "error": { + "invalid_auth": "Neplatné heslo rozhrania API", + "invalid_code": "Neplatný autentifikačný kód" + }, + "step": { + "init": { + "data": { + "password": "Heslo API rozhrania" + }, + "description": "Prosím zadajte heslo API rozhrania v konfigurácií http:" + }, + "mfa": { + "data": { + "code": "Kód dvojfaktorovej autentifikácie" + }, + "description": "Otvorte **{mfa_module_name}** v zariadení, aby ste si pozreli svoj dvojfaktorový autentifikačný kód a overili svoju totožnosť:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Váš počítač nie je v zozname povolených zariadení." + }, + "step": { + "init": { + "data": { + "user": "Používateľ" + }, + "description": "Välj en användare att logga in som:" + } + } + } + }, + "unknown_error": "Niečo sa pokazilo", + "working": "Prosím čakajte" + }, + "initializing": "Inicializácia", + "logging_in_with": "Prihlasovanie pomocou **{authProviderName}**.", + "pick_auth_provider": "Alebo sa prihláste prostredníctvom" + }, "page-demo": { "cards": { "demo": { "demo_by": "od {name}", - "next_demo": "Ďalšie demo", "introduction": "Vitaj ! Dostali ste sa na demo Home Assistant, kde prezentujeme najlepšie používateľské rozhrania vytvorené našou komunitou.", - "learn_more": "Získajte viac informácií o Home Assistant" + "learn_more": "Získajte viac informácií o Home Assistant", + "next_demo": "Ďalšie demo" } }, "config": { "arsaboo": { - "names": { - "upstairs": "Poschodie", - "family_room": "Obývacia izba", - "kitchen": "Kuchyňa", - "patio": "Terasa", - "hallway": "Chodba", - "master_bedroom": "Spálňa", - "left": "Vľavo", - "right": "Vpravo", - "mirror": "Zrkadlenie", - "temperature_study": "Teplotná štúdia" - }, "labels": { - "lights": "Svetlá", - "information": "Informácie", - "morning_commute": "Ranné dochádzanie", + "activity": "Aktivita", + "air": "Vzduch", "commute_home": "Dochádzanie domov", "entertainment": "Zábava", - "activity": "Aktivita", "hdmi_input": "Vstup HDMI", "hdmi_switcher": "HDMI prepínač", - "volume": "Hlasitosť", + "information": "Informácie", + "lights": "Svetlá", + "morning_commute": "Ranné dochádzanie", "total_tv_time": "Celkový čas sledovanie TV", "turn_tv_off": "Vypnúť TV", - "air": "Vzduch" + "volume": "Hlasitosť" + }, + "names": { + "family_room": "Obývacia izba", + "hallway": "Chodba", + "kitchen": "Kuchyňa", + "left": "Vľavo", + "master_bedroom": "Spálňa", + "mirror": "Zrkadlenie", + "patio": "Terasa", + "right": "Vpravo", + "temperature_study": "Teplotná štúdia", + "upstairs": "Poschodie" }, "unit": { - "watching": "Sledovanie", - "minutes_abbr": "Min" + "minutes_abbr": "Min", + "watching": "Sledovanie" } } } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Zistiť", + "finish": "Ďalej", + "intro": "Dobrý deň, {name}, vitajte v Home Assistant. Ako by ste chceli pomenovať svoj domov?", + "intro_location": "Radi by sme vedeli, kde žijete. Tieto informácie vám pomôžu pri zobrazovaní informácií a nastavovaní automatizácie na základe slnka. Tieto údaje sa nikdy nezdieľajú mimo vašej siete.", + "intro_location_detect": "Môžeme vám pomôcť vyplniť tieto informácie jednorazovou žiadosťou o externú službu.", + "location_name_default": "Domov" + }, + "integration": { + "finish": "Dokončiť", + "intro": "Zariadenia a služby sú v systéme Home Assistant zobrazené ako integrácie. Môžete ich nastaviť teraz alebo to urobiť neskôr z konfiguračnej obrazovky.", + "more_integrations": "Viac" + }, + "intro": "Ste pripravení prebudiť váš domov, získať vaše súkromie a pripojiť sa k celosvetovej komunite bastličov?", + "user": { + "create_account": "Vytvoriť účet", + "data": { + "name": "Meno", + "password": "Heslo", + "password_confirm": "Potvrďte nové heslo", + "username": "Používateľské meno" + }, + "error": { + "password_not_match": "Heslá sa nezhodujú", + "required_fields": "Vyplňte všetky povinné polia" + }, + "intro": "Poďme začať vytvorením používateľského konta.", + "required_field": "Požadované" + } + }, + "profile": { + "advanced_mode": { + "description": "Home Asistent v predvolenom nastavení skryje rozšírené funkcie a možnosti. Začiarknutím tohto prepínača môžete tieto funkcie sprístupniť. Toto nastavenie je špecifické pre konkrétneho používateľa a nemá vplyv na ostatných používateľov používajúcich Home Assistant.", + "title": "Rozšírený režim" + }, + "change_password": { + "confirm_new_password": "Potvrďte nové heslo", + "current_password": "Aktuálne heslo", + "error_required": "Požadované", + "header": "Zmena hesla", + "new_password": "Nové heslo", + "submit": "Odoslať" + }, + "current_user": "Momentálne ste prihlásení ako {fullName}.", + "force_narrow": { + "description": "Predvolene sa skryje bočný panel, podobne ako v prípade mobilných zariadení.", + "header": "Vždy skryť bočný panel" + }, + "is_owner": "Ste vlastníkom.", + "language": { + "dropdown_label": "Jazyk", + "header": "Jazyk", + "link_promo": "Pomôžte s prekladom" + }, + "logout": "Odhlásiť sa", + "long_lived_access_tokens": { + "confirm_delete": "Naozaj chcete odstrániť prístupový token pre {name}?", + "create": "Vytvoriť Token", + "create_failed": "Nepodarilo sa vytvoriť prístupový token.", + "created_at": "Vytvorený {date}", + "delete_failed": "Nepodarilo sa odstrániť prístupový token.", + "description": "Vytvorte prístupové tokeny s dlhou životnosťou, ktoré umožnia vašim skriptom komunikovať s vašou inštanciou Home Assistant. Každý token bude platný 10 rokov od vytvorenia. Nasledujúce prístupové tokeny s dlhou životnosťou sú v súčasnosti aktívne.", + "empty_state": "Nemáte žiadne prístupové tokeny s dlhou životnosťou.", + "header": "Prístupové tokeny s dlhou životnosťou", + "last_used": "Naposledy použitý {date} z {location}", + "learn_auth_requests": "Zistite, ako vytvárať overené požiadavky.", + "not_used": "Nikdy nebol použitý", + "prompt_copy_token": "Skopírujte svoj nový prístupový token. Znova sa nezobrazí.", + "prompt_name": "Názov?" + }, + "mfa_setup": { + "close": "Zavrieť", + "step_done": "Nastavenie dokončené krok {step}", + "submit": "Odoslať", + "title_aborted": "Prerušené", + "title_success": "Úspech!" + }, + "mfa": { + "confirm_disable": "Naozaj chcete zakázať {name}?", + "disable": "Zakázať", + "enable": "Povoliť", + "header": "Multifaktorové autentifikačné moduly" + }, + "push_notifications": { + "description": "Posielať upozornenia na toto zariadenie.", + "error_load_platform": "Konfigurujte upozornenia notify.html5.", + "error_use_https": "Vyžaduje zapnuté SSL pre rozhranie.", + "header": "Push upozornenia", + "link_promo": "Viac informácií", + "push_notifications": "Push upozornenia" + }, + "refresh_tokens": { + "confirm_delete": "Naozaj chcete odstrániť obnovovací token pre {name}?", + "created_at": "Vytvorený {date}", + "current_token_tooltip": "Nedá sa odstrániť aktuálny obnovovací token", + "delete_failed": "Nepodarilo sa odstrániť obnovovací token", + "description": "Každý obnovovací token predstavuje prihlásenú reláciu. Obnovovacie tokeny sa po kliknutí na tlačidlo Odhlásiť sa automaticky odstránia. Pre váš účet sú aktívne nasledovné obnovovacie tokeny.", + "header": "Obnovovacie Tokeny", + "last_used": "Naposledy použitý {date} z {location}", + "not_used": "Nikdy nebol použitý", + "token_title": "Obnovovací token pre {clientId}" + }, + "themes": { + "dropdown_label": "Téma", + "error_no_theme": "Nie sú k dispozícii žiadne témy.", + "header": "Téma", + "link_promo": "Získajte viac informácií o témach" + }, + "vibrate": { + "description": "Pri ovládaní zariadení povoľte alebo zakážte vibrácie tohto zariadenia.", + "header": "Vibrácie" + } + }, + "shopping-list": { + "add_item": "Pridať položku", + "clear_completed": "Úspešne vymazané", + "microphone_tip": "Kliknite na ikonu mikrofónu vpravo hore a povedzte “Add candy to my shopping list”" } }, "sidebar": { - "log_out": "Odhlásiť sa", "external_app_configuration": "Konfigurácia aplikácie", + "log_out": "Odhlásiť sa", "sidebar_toggle": "Prepínač bočného panela" - }, - "common": { - "loading": "Načítava sa", - "cancel": "Zrušiť", - "save": "Uložiť", - "successfully_saved": "Úspešne uložené" - }, - "duration": { - "day": "{count} {count, plural,\none {deň}\nfew {dni}\nother {dní}\n}", - "week": "{count} {count, plural,\none {týždeň}\nfew {týždne}\nother {týždňov}\n}", - "second": "{count} {count, plural,\none {sekunda}\nfew {sekundy}\nother {sekúnd}\n}", - "minute": "{count} {count, plural,\none {minúta}\nother {minút}\n}", - "hour": "{count} {count, plural,\n one {hodina}\n other {hodiny}\n}" - }, - "login-form": { - "password": "Heslo", - "remember": "Zapamätať", - "log_in": "Prihlásiť sa" - }, - "card": { - "camera": { - "not_available": "Obrázok nie je k dispozícii" - }, - "persistent_notification": { - "dismiss": "Zrušiť" - }, - "scene": { - "activate": "Aktivovať" - }, - "script": { - "execute": "Vykonať" - }, - "weather": { - "attributes": { - "air_pressure": "Tlak vzduchu", - "humidity": "Vlhkosť", - "temperature": "Teplota", - "visibility": "Viditeľnosť", - "wind_speed": "Rýchlosť vetra" - }, - "cardinal_direction": { - "e": "V", - "ene": "VSV", - "ese": "VJV", - "n": "S", - "ne": "SV", - "nne": "SSV", - "nw": "SZ", - "nnw": "SSZ", - "s": "J", - "se": "JV", - "sse": "JJV", - "ssw": "JJZ", - "sw": "JZ", - "w": "Z", - "wnw": "ZSZ", - "wsw": "ZJZ" - }, - "forecast": "Predpoveď" - }, - "alarm_control_panel": { - "code": "Kód", - "clear_code": "Zrušiť", - "disarm": "Odkódovať", - "arm_home": "Zakódovať doma", - "arm_away": "Zakódovať odchod", - "arm_night": "Zakódovať na noc", - "armed_custom_bypass": "Prispôsobené vylúčenie", - "arm_custom_bypass": "Prispôsobené vylúčenie" - }, - "automation": { - "last_triggered": "Naposledy spustené", - "trigger": "Spustiť" - }, - "cover": { - "position": "Poloha", - "tilt_position": "Poloha sklonu" - }, - "fan": { - "speed": "Rýchlosť", - "oscillate": "Pohyblivý smer", - "direction": "Smer", - "forward": "Dopredu", - "reverse": "Reverzný" - }, - "light": { - "brightness": "Jas", - "color_temperature": "Teplota farby", - "white_value": "Hodnota bielej", - "effect": "Efekt" - }, - "media_player": { - "text_to_speak": "Text, ktorý chcete hovoriť", - "source": "Zdroj", - "sound_mode": "Režim zvuku" - }, - "climate": { - "currently": "Aktuálne", - "on_off": "Zapnúť \/ vypnúť", - "target_temperature": "Cieľová teplota", - "target_humidity": "Cieľová vlhkosť", - "operation": "Prevádzka", - "fan_mode": "Režim ventilátora", - "swing_mode": "Vejárový režim", - "away_mode": "Režim neprítomnosti", - "aux_heat": "Prídavné kúrenie", - "preset_mode": "Predvoľba", - "target_temperature_entity": "{name} cieľová teplota", - "target_temperature_mode": "{name} cieľová teplota {mode}", - "heating": "{name} kúrenie", - "cooling": "{name} chladenie", - "high": "vysoká", - "low": "nízka" - }, - "lock": { - "code": "Kód", - "lock": "Zamknúť", - "unlock": "Odomknúť" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Pokračovať v čistení", - "return_to_base": "Návrat do doku", - "start_cleaning": "Začať čistenie", - "turn_on": "Zapnúť", - "turn_off": "Vypnúť" - } - }, - "water_heater": { - "currently": "Aktuálne", - "on_off": "Zapnúť \/ vypnúť", - "target_temperature": "Cieľová teplota", - "operation": "V prevádzke", - "away_mode": "Režim neprítomnosti" - }, - "timer": { - "actions": { - "start": "Štart", - "pause": "Pozastaviť", - "cancel": "Zrušiť", - "finish": "Dokončiť" - } - }, - "counter": { - "actions": { - "increment": "prírastok", - "decrement": "úbytok", - "reset": "resetovať" - } - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "Entita", - "clear": "Vyčistiť", - "show_entities": "Zobraziť entity" - } - }, - "service-picker": { - "service": "Služba" - }, - "relative_time": { - "past": "Pred {time}", - "future": "O {time}", - "never": "Nikdy", - "duration": { - "second": "{count} {count, plural,\none {sekunda}\nother {sekúnd}\n}", - "minute": "{count} {count, plural,\none {minúta}\nother {minút}\n}", - "hour": "{count} {count, plural,\n one {hodina}\n other {hodiny}\n}", - "day": "{count} {count, plural,\none {deň}\nother {dní}\n}", - "week": "{count} {count, plural,\none {týždeň}\nother {týždne}\n}" - } - }, - "history_charts": { - "loading_history": "Načítavam históriu stavov", - "no_history_found": "Nenašla sa žiadna história stavov" - }, - "device-picker": { - "clear": "Vyčistiť", - "show_devices": "Zobraziť zariadenia" - } - }, - "notification_toast": { - "entity_turned_on": "Zapnuté {entity}.", - "entity_turned_off": "Vypnuté {entity}.", - "service_called": "Služba {service} zavolaná.", - "service_call_failed": "Nepodarilo sa zavolať službu {service}.", - "connection_lost": "Prerušené spojenie. Opätovné pripájanie...", - "triggered": "Spustené {name}" - }, - "dialogs": { - "more_info_settings": { - "save": "Uložiť", - "name": "Prepísať názov", - "entity_id": "Entity ID" - }, - "more_info_control": { - "script": { - "last_action": "Posledná akcia" - }, - "sun": { - "elevation": "Nadmorská výška", - "rising": "Vychádzajúce", - "setting": "Zapadajúce" - }, - "updater": { - "title": "Pokyny pre aktualizáciu" - } - }, - "options_flow": { - "form": { - "header": "Možnosti" - }, - "success": { - "description": "Možnosti boli úspešne uložené." - } - }, - "config_entry_system_options": { - "title": "Systémové možnosti pre {integration}", - "enable_new_entities_label": "Povoliť novo pridané entity.", - "enable_new_entities_description": "Ak je zakázaná, novoobjavené entity pre {integration} nebudú automaticky pridané do domáceho asistenta." - }, - "zha_device_info": { - "manuf": "od {manufacturer}", - "no_area": "Žiadna oblasť", - "services": { - "reconfigure": "Znovu nakonfigurujte ZHA zariadenie (opravte zariadenie). Použite, ak máte problémy so zariadením. Ak ide o zariadenie napájané z batérie, skontrolujte, či je pri používaní tejto služby hore a či prijíma príkazy.", - "updateDeviceName": "Nastaviť vlastný názov pre toto zariadenie v registri zariadení.", - "remove": "Odstráňte zariadenie zo siete Zigbee." - }, - "zha_device_card": { - "device_name_placeholder": "Používateľom zadaný názov", - "area_picker_label": "Oblasť", - "update_name_button": "Aktualizovať názov" - }, - "buttons": { - "add": "Pridať zariadenia", - "reconfigure": "Prekonfigurovať zariadenie" - }, - "last_seen": "Naposledy videný", - "power_source": "Zdroj napájania", - "unknown": "Neznámy" - }, - "confirmation": { - "cancel": "Zrušiť", - "ok": "OK", - "title": "Ste si istý?" - } - }, - "auth_store": { - "ask": "Chcete tieto prihlasovacie údaje uložiť?", - "decline": "Nie ďakujem", - "confirm": "Uložiť prihlasovacie údaje" - }, - "notification_drawer": { - "click_to_configure": "Kliknutím na tlačidlo nakonfigurujete {entity}", - "empty": "Žiadne upozornenia", - "title": "Upozornenia" - } - }, - "domain": { - "alarm_control_panel": "Ovládací panel alarmu", - "automation": "Automatizácia", - "binary_sensor": "Binárny senzor", - "calendar": "Kalendár", - "camera": "Kamera", - "climate": "Klimatizácia", - "configurator": "Konfigurátor", - "conversation": "Konverzácia", - "cover": "Kryt", - "device_tracker": "Sledovanie zariadenia", - "fan": "Ventilátor", - "history_graph": "Graf histórie", - "group": "Skupina", - "image_processing": "Spracovanie obrazu", - "input_boolean": "Logický vstup", - "input_datetime": "Vstupný dátum a čas", - "input_select": "Výber z možností", - "input_number": "Číselný vstup", - "input_text": "Vstupný text", - "light": "Svetlo", - "lock": "Zámok", - "mailbox": "Poštová schránka", - "media_player": "Prehrávač médií", - "notify": "Upozornenie", - "plant": "Rastlina", - "proximity": "Blízkosť", - "remote": "Diaľkové ovládanie", - "scene": "Scéna", - "script": "Skript", - "sensor": "Senzor", - "sun": "Slnko", - "switch": "Prepínač", - "updater": "Aktualizátor", - "weblink": "Webový odkaz", - "zwave": "Z-Wave", - "vacuum": "Vysávač", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Stav systému", - "person": "Osoba" - }, - "attribute": { - "weather": { - "humidity": "Vlhkosť", - "visibility": "Viditeľnosť", - "wind_speed": "Rýchlosť vetra" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Vypnutý", - "on": "Zapnutý", - "auto": "Auto" - }, - "preset_mode": { - "none": "Žiadny", - "eco": "Eko", - "away": "Preč", - "boost": "Turbo", - "comfort": "Komfort", - "home": "Doma", - "sleep": "Pohotovostný režim", - "activity": "Aktívny" - }, - "hvac_action": { - "off": "Vypnutý", - "heating": "Kúrenie", - "cooling": "Chladenie", - "drying": "Sušenie", - "idle": "Nečinný", - "fan": "Ventilátor" - } - } - }, - "groups": { - "system-admin": "Správcovia", - "system-users": "Používatelia", - "system-read-only": "Používatelia len na čítanie" - }, - "config_entry": { - "disabled_by": { - "user": "Používateľ", - "integration": "integrácia", - "config_entry": "Zadanie konfigurácie" } } } \ No newline at end of file diff --git a/translations/sl.json b/translations/sl.json index b9823ffe18..1880841aa3 100644 --- a/translations/sl.json +++ b/translations/sl.json @@ -1,53 +1,193 @@ { + "attribute": { + "weather": { + "humidity": "Vlažnost", + "visibility": "Vidljivost", + "wind_speed": "Hitrost vetra" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Vnos konfiguracije", + "integration": "Integracija", + "user": "Uporabnik" + } + }, + "domain": { + "alarm_control_panel": "Nadzorna plošča Alarma", + "automation": "Avtomatizacija", + "binary_sensor": "Binarni senzor", + "calendar": "Koledar", + "camera": "Kamera", + "climate": "Klimat", + "configurator": "Konfigurator", + "conversation": "Pogovor", + "cover": "Cover", + "device_tracker": "Sledilnik naprave", + "fan": "Ventilator", + "group": "Skupina", + "hassio": "Hass.io", + "history_graph": "Graf zgodovine", + "homeassistant": "Home Assistant", + "image_processing": "Obdelava slike", + "input_boolean": "vnesite logično vrednost", + "input_datetime": "Vnos datuma in časa", + "input_number": "Vnesite številko", + "input_select": "Izbira vnosa", + "input_text": "Vnesite besedilo", + "light": "Luči", + "lock": "Ključavnice", + "lovelace": "Lovelace", + "mailbox": "Poštni predal", + "media_player": "Medijski predvajalnik", + "notify": "Obvesti", + "person": "Oseba", + "plant": "Plant", + "proximity": "Bližina", + "remote": "Oddaljeno", + "scene": "Scena", + "script": "Skripta", + "sensor": "Senzor", + "sun": "Sonce", + "switch": "Stikalo", + "system_health": "Zdravje sistema", + "updater": "Posodobitelj", + "vacuum": "Sesam", + "weblink": "Spletna povezava", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Skrbniki", + "system-read-only": "Uporabniki \"samo za branje\"", + "system-users": "Uporabniki" + }, "panel": { + "calendar": "Koledar", "config": "Konfiguracija", - "states": "Pregled", - "map": "Zemljevid", - "logbook": "Dnevnik", - "history": "Zgodovina", - "mailbox": "Nabiralnik", - "shopping_list": "Nakupovalni seznam", "dev-info": "Info", "developer_tools": "Orodja za razvijalce", - "calendar": "Koledar", - "profile": "Profil" + "history": "Zgodovina", + "logbook": "Dnevnik", + "mailbox": "Nabiralnik", + "map": "Zemljevid", + "profile": "Profil", + "shopping_list": "Nakupovalni seznam", + "states": "Pregled" + }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Samodejno", + "off": "Izključen", + "on": "Vklopljen" + }, + "hvac_action": { + "cooling": "Hlajenje", + "drying": "Sušenje", + "fan": "Ventilator", + "heating": "Ogrevanje", + "idle": "V pripravljenosti", + "off": "Izključen" + }, + "preset_mode": { + "activity": "Dejavnost", + "away": "Odsoten", + "boost": "Povečanje", + "comfort": "Udobje", + "eco": "Eko", + "home": "Doma", + "none": "Noben", + "sleep": "Spanje" + } + } + }, + "state_badge": { + "alarm_control_panel": { + "armed": "Aktiven", + "armed_away": "Aktiven", + "armed_custom_bypass": "Aktiven", + "armed_home": "Aktiven", + "armed_night": "Aktiven", + "arming": "Vklapljam", + "disarmed": "Off", + "disarming": "Izklopi", + "pending": "V teku", + "triggered": "Sprožen" + }, + "default": { + "entity_not_found": "Entiteta ni bila najdena", + "error": "Napaka", + "unavailable": "N\/A", + "unknown": "Neznano" + }, + "device_tracker": { + "home": "Doma", + "not_home": "Odsoten" + }, + "person": { + "home": "Doma", + "not_home": "Odsoten" + } }, "state": { - "default": { - "off": "Izključen", - "on": "Vklopljen", - "unknown": "Neznano", - "unavailable": "Ni na voljo" - }, "alarm_control_panel": { "armed": "Omogočen", - "disarmed": "Onemogočen", - "armed_home": "Omogočen-doma", "armed_away": "Omogočen-zunaj", + "armed_custom_bypass": "Vklopljen izjeme po meri", + "armed_home": "Omogočen-doma", "armed_night": "Omogočen-noč", - "pending": "V teku", "arming": "Omogočanje", + "disarmed": "Onemogočen", "disarming": "Onemogočanje", - "triggered": "Sprožen", - "armed_custom_bypass": "Vklopljen izjeme po meri" + "pending": "V teku", + "triggered": "Sprožen" }, "automation": { "off": "Izključen", "on": "Vklopljen" }, "binary_sensor": { + "battery": { + "off": "Normalno", + "on": "Nizko" + }, + "cold": { + "off": "Normalno", + "on": "Hladno" + }, + "connectivity": { + "off": "Povezava prekinjena", + "on": "Povezan" + }, "default": { "off": "Izključen", "on": "Vklopljen" }, - "moisture": { - "off": "Suho", - "on": "Mokro" + "door": { + "off": "Zaprto", + "on": "Odprto" + }, + "garage_door": { + "off": "Zaprto", + "on": "Odprto" }, "gas": { "off": "Čisto", "on": "Zaznano" }, + "heat": { + "off": "Normalno", + "on": "Vroče" + }, + "lock": { + "off": "Zaklenjeno", + "on": "Odklenjeno" + }, + "moisture": { + "off": "Suho", + "on": "Mokro" + }, "motion": { "off": "Čisto", "on": "Zaznano" @@ -56,6 +196,22 @@ "off": "Čisto", "on": "Zaznano" }, + "opening": { + "off": "Zaprto", + "on": "Odprto" + }, + "presence": { + "off": "Odsoten", + "on": "Doma" + }, + "problem": { + "off": "OK", + "on": "Težava" + }, + "safety": { + "off": "Varno", + "on": "Nevarno" + }, "smoke": { "off": "Čisto", "on": "Zaznano" @@ -68,53 +224,9 @@ "off": "Čisto", "on": "Zaznano" }, - "opening": { - "off": "Zaprto", - "on": "Odprto" - }, - "safety": { - "off": "Varno", - "on": "Nevarno" - }, - "presence": { - "off": "Odsoten", - "on": "Doma" - }, - "battery": { - "off": "Normalno", - "on": "Nizko" - }, - "problem": { - "off": "OK", - "on": "Težava" - }, - "connectivity": { - "off": "Povezava prekinjena", - "on": "Povezan" - }, - "cold": { - "off": "Normalno", - "on": "Hladno" - }, - "door": { - "off": "Zaprto", - "on": "Odprto" - }, - "garage_door": { - "off": "Zaprto", - "on": "Odprto" - }, - "heat": { - "off": "Normalno", - "on": "Vroče" - }, "window": { "off": "Zaprto", "on": "Odprto" - }, - "lock": { - "off": "Zaklenjeno", - "on": "Odklenjeno" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "Vklopljen" }, "camera": { + "idle": "V pripravljenosti", "recording": "Snemanje", - "streaming": "Pretakanje", - "idle": "V pripravljenosti" + "streaming": "Pretakanje" }, "climate": { - "off": "Izključen", - "on": "Vklopljen", - "heat": "Toplo", - "cool": "Mrzlo", - "idle": "V pripravljenosti", "auto": "Samodejno", + "cool": "Mrzlo", "dry": "Suho", - "fan_only": "Samo ventilator", "eco": "Eko", "electric": "Električna", - "performance": "Učinkovitost", - "high_demand": "Visoka poraba", - "heat_pump": "Toplotna črpalka", + "fan_only": "Samo ventilator", "gas": "Plin", + "heat": "Toplo", + "heat_cool": "Gretje\/Hlajenje", + "heat_pump": "Toplotna črpalka", + "high_demand": "Visoka poraba", + "idle": "V pripravljenosti", "manual": "Ročno", - "heat_cool": "Gretje\/Hlajenje" + "off": "Izključen", + "on": "Vklopljen", + "performance": "Učinkovitost" }, "configurator": { "configure": "Konfiguriraj", "configured": "Konfigurirano" }, "cover": { - "open": "Odprto", - "opening": "Odpiranje", "closed": "Zaprto", "closing": "Zapiranje", + "open": "Odprto", + "opening": "Odpiranje", "stopped": "Ustavljeno" }, + "default": { + "off": "Izključen", + "on": "Vklopljen", + "unavailable": "Ni na voljo", + "unknown": "Neznano" + }, "device_tracker": { "home": "Doma", "not_home": "Odsoten" @@ -164,19 +282,19 @@ "on": "Vklopljen" }, "group": { - "off": "Izključen", - "on": "Vklopljen", - "home": "Doma", - "not_home": "Odsoten", - "open": "Odprto", - "opening": "Odpiranje", "closed": "Zaprto", "closing": "Zapiranje", - "stopped": "Ustavljeno", + "home": "Doma", "locked": "Zaklenjeno", - "unlocked": "Odklenjeno", + "not_home": "Odsoten", + "off": "Izključen", "ok": "OK", - "problem": "Težava" + "on": "Vklopljen", + "open": "Odprto", + "opening": "Odpiranje", + "problem": "Težava", + "stopped": "Ustavljeno", + "unlocked": "Odklenjeno" }, "input_boolean": { "off": "Izključen", @@ -191,13 +309,17 @@ "unlocked": "Odklenjeno" }, "media_player": { + "idle": "V pripravljenosti", "off": "Izključen", "on": "Vklopljen", - "playing": "Predvaja", "paused": "Na pavzi", - "idle": "V pripravljenosti", + "playing": "Predvaja", "standby": "V pripravljenosti" }, + "person": { + "home": "Doma", + "not_home": "Odsoten" + }, "plant": { "ok": "OK", "problem": "Težava" @@ -225,34 +347,10 @@ "off": "Izključen", "on": "Vklopljen" }, - "zwave": { - "default": { - "initializing": "Inicializacija", - "dead": "Mrtev", - "sleeping": "Spanje", - "ready": "Pripravljen" - }, - "query_stage": { - "initializing": "Inicializacija ({query_stage})", - "dead": "Mrtev ({query_stage})" - } - }, - "weather": { - "clear-night": "Jasna, noč", - "cloudy": "Oblačno", - "fog": "Megla", - "hail": "Toča", - "lightning": "Grmenje", - "lightning-rainy": "Grmenje, deževno", - "partlycloudy": "Delno oblačno", - "pouring": "Močan dež", - "rainy": "Deževno", - "snowy": "Snežno", - "snowy-rainy": "Snežno, deževno", - "sunny": "Sončno", - "windy": "Vetrovno", - "windy-variant": "Vetrovno", - "exceptional": "Izjemno" + "timer": { + "active": "aktiven", + "idle": "V pripravljenosti", + "paused": "Na pavzi" }, "vacuum": { "cleaning": "Čistim", @@ -264,210 +362,729 @@ "paused": "Zaustavljeno", "returning": "Vračam se na postajo" }, - "timer": { - "active": "aktiven", - "idle": "V pripravljenosti", - "paused": "Na pavzi" + "weather": { + "clear-night": "Jasna, noč", + "cloudy": "Oblačno", + "exceptional": "Izjemno", + "fog": "Megla", + "hail": "Toča", + "lightning": "Grmenje", + "lightning-rainy": "Grmenje, deževno", + "partlycloudy": "Delno oblačno", + "pouring": "Močan dež", + "rainy": "Deževno", + "snowy": "Snežno", + "snowy-rainy": "Snežno, deževno", + "sunny": "Sončno", + "windy": "Vetrovno", + "windy-variant": "Vetrovno" }, - "person": { - "home": "Doma", - "not_home": "Odsoten" - } - }, - "state_badge": { - "default": { - "unknown": "Neznano", - "unavailable": "N\/A", - "error": "Napaka", - "entity_not_found": "Entiteta ni bila najdena" - }, - "alarm_control_panel": { - "armed": "Aktiven", - "disarmed": "Off", - "armed_home": "Aktiven", - "armed_away": "Aktiven", - "armed_night": "Aktiven", - "pending": "V teku", - "arming": "Vklapljam", - "disarming": "Izklopi", - "triggered": "Sprožen", - "armed_custom_bypass": "Aktiven" - }, - "device_tracker": { - "home": "Doma", - "not_home": "Odsoten" - }, - "person": { - "home": "Doma", - "not_home": "Odsoten" + "zwave": { + "default": { + "dead": "Mrtev", + "initializing": "Inicializacija", + "ready": "Pripravljen", + "sleeping": "Spanje" + }, + "query_stage": { + "dead": "Mrtev ({query_stage})", + "initializing": "Inicializacija ({query_stage})" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Počisti dokončane", - "add_item": "Dodaj potrebščino", - "microphone_tip": "Tapnite mikrofon zgoraj desno in recite (Le ANG) \"Add candy to my shopping list\"" + "auth_store": { + "ask": "Ali želite shraniti to prijavo?", + "confirm": "Shrani prijavo", + "decline": "Ne hvala" + }, + "card": { + "alarm_control_panel": { + "arm_away": "Vklopi odsoten", + "arm_custom_bypass": "Izjeme po meri", + "arm_home": "Vklopi doma", + "arm_night": "Vklopi nočni način", + "armed_custom_bypass": "Po meri", + "clear_code": "Počisti", + "code": "Koda", + "disarm": "Izklopi" }, - "developer-tools": { - "tabs": { - "services": { - "title": "Storitve", - "description": "Storitev dev orodje vam omogoča, da pokličete vse razpoložljive storitve v Home Assistant.", - "data": "Podatki o storitvah (YAML, neobvezno)", - "call_service": "Kliči Storitev", - "select_service": "Izberite storitev, da si ogledate opis", - "no_description": "Opis ni na voljo", - "no_parameters": "Ta storitev nima nobenih parametrov.", - "column_parameter": "Parameter", - "column_description": "Opis", - "column_example": "Primer", - "fill_example_data": "Izpolnite primer podatkov", - "alert_parsing_yaml": "Napaka pri razčlenjevanju YAML-a: {data}" - }, - "states": { - "title": "Stanja", - "description1": "Nastavite predstavitev naprave v programu Home Assistant.", - "description2": "To ne bo komuniciralo z dejansko napravo.", - "entity": "Subjekt", - "state": "Stanje", - "attributes": "Lastnosti", - "state_attributes": "Lastnosti stanja (YAML, neobvezno)", - "set_state": "Nastavi stanje", - "current_entities": "Trenutne entitete", - "filter_entities": "Filter entitet", - "filter_states": "Filter stanj", - "filter_attributes": "Filter atributov", - "no_entities": "Brez entitet", - "more_info": "Več informacij", - "alert_entity_field": "Entiteta je obvezno polje" - }, - "events": { - "title": "Dogodki", - "description": "Zaženite dogodek na \"event bus\".", - "documentation": "Dokumentacija o dogodkih.", - "type": "Vrsta dogodka", - "data": "Podatki o dogodku (YAML, neobvezno)", - "fire_event": "Zaženite dogodek", - "event_fired": "Dogodek {name} zagnan", - "available_events": "Razpoložljivi dogodki", - "count_listeners": "({count} poslušalcev)", - "listen_to_events": "Poslušajte dogodkom", - "listening_to": "Poslušanje", - "subscribe_to": "Dogodek, na katerega se lahko naročite", - "start_listening": "Začnite poslušati", - "stop_listening": "Nehajte poslušati", - "alert_event_type": "Vrsta dogodka je obvezno polje", - "notification_event_fired": "Dogodek {type} uspešno zagnan!" - }, - "templates": { - "title": "Predloge", - "description": "Predloge so upodobljene s pomočjo mehanizma za predloge Jinja2 z nekaterimi posebnimi razširitvami Home Assistant.", - "editor": "Urejevalnik predlog", - "jinja_documentation": "Dokumentacija predloge Jinja2", - "template_extensions": "Home Assistant razširitvene predloge", - "unknown_error_template": "Neznana napaka upodabljanju predloge" - }, - "mqtt": { - "title": "MQTT", - "description_publish": "Objavi paket", - "topic": "tema", - "payload": "Tovor (predloga je dovoljena)", - "publish": "Objavi", - "description_listen": "Poslušajte temi", - "listening_to": "Poslušanje", - "subscribe_to": "Tema, na katero se lahko naročite", - "start_listening": "Začnite poslušati", - "stop_listening": "Nehajte poslušati", - "message_received": "Sporočilo {id} prejeto v {topic} ob {time}:" - }, - "info": { - "title": "Info", - "remove": "Odstrani", - "set": "Nastavite", - "default_ui": "{action} {name} kot privzeta stran v tej napravi", - "lovelace_ui": "Pojdite na uporabniški vmesnik Lovelace", - "states_ui": "Pojdite na uporabniški vmesnik \"states\"", - "home_assistant_logo": "Home Assistant logotip", - "path_configuration": "Pot do configuration.yaml: {path}", - "developed_by": "Razvija ga kup osupljivih ljudi.", - "license": "Objavljeno pod licenco Apache 2.0", - "source": "Vir:", - "server": "strežnik", - "frontend": "frontend-ui", - "built_using": "Zgrajen z uporabo", - "icons_by": "Ikone ustvarili z", - "frontend_version": "Frontend različica: {version} - {type}", - "custom_uis": "Uporabniški vmesniki po meri:", - "system_health_error": "Komponenta \"system health\" ni naložena. Dodajte \"system_health:\" v svoj configuration.yaml" - }, - "logs": { - "title": "Dnevniki", - "details": "Podrobnosti dnevnika ({level})", - "load_full_log": "Naloži celoten dnevnik Home Assistant-a", - "loading_log": "Nalaganje dnevnika napak ...", - "no_errors": "Ni prijavljenih napak.", - "no_issues": "Ni novih težav!", - "clear": "Počisti", - "refresh": "Osveži", - "multiple_messages": "sporočilo se je prvič pojavilo ob {time} in se prikaže {counter} krat" - } + "automation": { + "last_triggered": "Nazadnje sprožen", + "trigger": "Sprožilec" + }, + "camera": { + "not_available": "Slika ni na voljo" + }, + "climate": { + "aux_heat": "Dodatna toplota", + "away_mode": "Način odsotnosti", + "cooling": "{name} hlajenje", + "current_temperature": "{name} trenutna temperatura", + "currently": "Trenutno", + "fan_mode": "Način ventilatorja", + "heating": "{name} ogrevanje", + "high": "visoka", + "low": "nizka", + "on_off": "Vključen \/ izključen", + "operation": "Delovanje", + "preset_mode": "Prednastavitev", + "swing_mode": "Način Swing", + "target_humidity": "Ciljna vlažnost", + "target_temperature": "Ciljna temperatura", + "target_temperature_entity": "{name} ciljna temperatura", + "target_temperature_mode": "{name} ciljna temperatura {mode}" + }, + "counter": { + "actions": { + "decrement": "pojemek", + "increment": "prirastek", + "reset": "ponastavi" } }, - "history": { - "showing_entries": "Prikaz vnosov za", - "period": "Obdobje" + "cover": { + "position": "Položaj", + "tilt_position": "Položaj nagiba" }, - "logbook": { - "showing_entries": "Prikaz vnosov za", - "period": "Obdobje" + "fan": { + "direction": "Smer", + "forward": "Naprej", + "oscillate": "Nihanje", + "reverse": "Obratno", + "speed": "Hitrost" }, - "mailbox": { - "empty": "Nimate sporočil", - "playback_title": "Predvajaj sporočilo", - "delete_prompt": "Želite izbrisati to sporočilo?", - "delete_button": "Izbriši" + "light": { + "brightness": "Svetlost", + "color_temperature": "Temperatura barve", + "effect": "Učinek", + "white_value": "Bela vrednost" }, + "lock": { + "code": "Koda", + "lock": "Zakleni", + "unlock": "Odkleni" + }, + "media_player": { + "sound_mode": "Zvočni način", + "source": "Vir", + "text_to_speak": "Besedilo v govor" + }, + "persistent_notification": { + "dismiss": "Opusti" + }, + "scene": { + "activate": "Aktiviraj" + }, + "script": { + "execute": "Izvedi" + }, + "timer": { + "actions": { + "cancel": "Prekliči", + "finish": "Dokončaj", + "pause": "pavza", + "start": "Zagon" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Nadaljuj s čiščenjem", + "return_to_base": "Vrni se na postajo", + "start_cleaning": "Začni čiščenje", + "turn_off": "Izklopite", + "turn_on": "Vklopite" + } + }, + "water_heater": { + "away_mode": "Način odsotnosti", + "currently": "Trenutno", + "on_off": "Vključen \/ izključen", + "operation": "Delovanje", + "target_temperature": "Ciljna temperatura" + }, + "weather": { + "attributes": { + "air_pressure": "Zračni tlak", + "humidity": "Vlažnost", + "temperature": "Temperatura", + "visibility": "Vidljivost", + "wind_speed": "Hitrost vetra" + }, + "cardinal_direction": { + "e": "Vzhod", + "ene": "Vzhodno-severovzhod", + "ese": "Vzhodno-jugovzhod", + "n": "Sever", + "ne": "Severovzhod", + "nne": "Severo-severovzhod", + "nnw": "Severo-severozahod", + "nw": "Severozahod", + "s": "Jug", + "se": "Jugovzhod", + "sse": "Jugo-juhovzhod", + "ssw": "Jugo-jugozahod", + "sw": "Jugozahod", + "w": "Zahod", + "wnw": "Zahod-severozahod", + "wsw": "Zahod-jugozahod" + }, + "forecast": "Napoved" + } + }, + "common": { + "cancel": "Prekliči", + "loading": "Nalaganje", + "save": "Shrani", + "successfully_saved": "Shranjeno" + }, + "components": { + "device-picker": { + "clear": "Počisti", + "show_devices": "Pokažite naprave" + }, + "entity": { + "entity-picker": { + "clear": "Počisti", + "entity": "Entiteta", + "show_entities": "Pokaži entitete" + } + }, + "history_charts": { + "loading_history": "Nalagam zgodovino stanj...", + "no_history_found": "Ni najdene zgodovine stanj." + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\none {Dan}\\nother {Dni}\\n}", + "hour": "{count} {count, plural,\\n one {Ura}\\n other {Ur}\\n}", + "minute": "{count} {count, plural,\\n one {minuta}\\n other {minut}\\n}", + "second": "{count} {count, plural,\\none {sekunda}\\nother {sekund}\\n}", + "week": "{count} {count, plural,\\none {Teden}\\nother {Tednov}\\n}" + }, + "future": "Čez {time}", + "never": "Nikoli", + "past": "Pred {time}" + }, + "service-picker": { + "service": "Storitev" + } + }, + "dialogs": { + "config_entry_system_options": { + "enable_new_entities_description": "Če je onemogočeno, novo odkrite entitete za {integration} ne bodo samodejno dodane v Home Assistant.", + "enable_new_entities_label": "Omogočite novo dodane subjekte.", + "title": "Sistemske možnosti za {integration}" + }, + "confirmation": { + "cancel": "Prekliči", + "ok": "V redu", + "title": "Ste prepričani?" + }, + "more_info_control": { + "script": { + "last_action": "Zadnje Dejanje" + }, + "sun": { + "elevation": "Nadmorska višina", + "rising": "Naraščajoče", + "setting": "Nastavitve" + }, + "updater": { + "title": "Navodila za posodabitev" + } + }, + "more_info_settings": { + "entity_id": "ID entitete", + "name": "Preglasitev imena", + "save": "Shrani" + }, + "options_flow": { + "form": { + "header": "Možnosti" + }, + "success": { + "description": "Možnosti so uspešno shranjene." + } + }, + "zha_device_info": { + "buttons": { + "add": "Dodajte naprave", + "reconfigure": "Ponovno konfigurirajte napravo", + "remove": "Odstranite napravo" + }, + "last_seen": "Nazadnje viden", + "manuf": "naredil: {manufacturer}", + "no_area": "Brez območja", + "power_source": "Vir napajanja", + "quirk": "Posebnost", + "services": { + "reconfigure": "Ponovno konfigurirajte napravo ZHA (\"pozdravite\" napravo). To uporabite, če imate z njo težave. Če ta naprava deluje na baterije, se prepričajte, da je budna in sprejema ukaze pri uporabi te storitve.", + "remove": "Odstranite napravo iz omrežja Zigbee.", + "updateDeviceName": "Nastavite ime po meri za to napravo v registru naprav." + }, + "unknown": "Neznano", + "zha_device_card": { + "area_picker_label": "Območje", + "device_name_placeholder": "Ime, ki ga je dodelil uporabnik", + "update_name_button": "Posodobi ime" + } + } + }, + "duration": { + "day": "{count} {count, plural,\\none {Dan}\\nother {Dni}\\n}", + "hour": "{count} {count, plural,\\n one {Ura}\\n other {Ur}\\n}", + "minute": "{count} {count, plural,\\n one {Minuta}\\n other {Minut}\\n}", + "second": "{count} {count, plural,\\none {Sekunda}\\nother {Sekund}\\n}", + "week": "{count} {count, plural,\\none {Teden}\\nother {Tednov}\\n}" + }, + "login-form": { + "log_in": "Prijavi se", + "password": "Geslo", + "remember": "Zapomni si" + }, + "notification_drawer": { + "click_to_configure": "Kliknite gumb, da konfigurirate {entity}", + "empty": "Ni obvestil", + "title": "Obvestila" + }, + "notification_toast": { + "connection_lost": "Povezava prekinjena. Vnovično vzpostavljanje povezave...", + "entity_turned_off": "Izklopljen {entity}.", + "entity_turned_on": "Vklopljen je {entity}.", + "service_call_failed": "Storitve ni bilo mogoče poklicati {service}.", + "service_called": "Storitev {service} klicana.", + "triggered": "Sproženo {name}" + }, + "panel": { "config": { - "header": "Konfiguriraj Home Assistant", - "introduction": "Tukaj je mogoče konfigurirati vaše komponente in Home Assistanta. Vsega ni mogoče konfigurirati iz uporabniškega vmesnika (vendar delamo na tem).", + "area_registry": { + "caption": "Register območij", + "create_area": "USTVARITE OBMOČJE", + "description": "Pregled vseh območij v vašem domu.", + "editor": { + "create": "USTVARITE", + "default_name": "Novo območje", + "delete": "BRISANJE", + "update": "POSODOBITEV" + }, + "no_areas": "Izgleda, da še nimate območij!", + "picker": { + "create_area": "USTVARITE OBMOČJE", + "header": "Register območij", + "integrations_page": "Stran za integracije", + "introduction": "Področja se uporabljajo za organizacijo področja naprav. Te informacije bodo uporabljene v celotnem Home Assistant-u in vam bodo pomagale pri organizaciji vašega vmesnika, dovoljenj in integracij z drugimi sistemi.", + "introduction2": "Če želite namestiti napravo na območje, uporabite spodnjo povezavo, da se pomaknete na stran za integracije, nato pa kliknite konfigurirano integracijo, da pridete do kartic naprave.", + "no_areas": "Izgleda, da še nimate območij!" + } + }, + "automation": { + "caption": "Avtomatizacija", + "description": "Ustvarite in uredite avtomatizacije", + "editor": { + "actions": { + "add": "Dodaj akcijo", + "delete": "Izbriši", + "delete_confirm": "Ste prepričani, da želite izbrisati?", + "duplicate": "Podvoji", + "header": "Akcije", + "introduction": "Akcije so, kaj bo storil Home Assistant, ko se sproži avtomatizacija. \\n\\n [Več o dejavnostih.] (Https:\/\/home-assistant.io\/docs\/automation\/action\/)", + "learn_more": "Več o akcijah", + "type_select": "Vrsta ukrepa", + "type": { + "condition": { + "label": "Stanje" + }, + "delay": { + "delay": "Zamik", + "label": "Zamik" + }, + "device_id": { + "extra_fields": { + "code": "Koda" + }, + "label": "Naprava" + }, + "event": { + "event": "Dogodek:", + "label": "Požarni dogodek", + "service_data": "Podatki storitve" + }, + "scene": { + "label": "Aktivirajte sceno" + }, + "service": { + "label": "Kliči storitev", + "service_data": "Podatki storitve" + }, + "wait_template": { + "label": "počakajte", + "timeout": "Časovna omejitev (neobvezno)", + "wait_template": "Čakalna predloga" + } + }, + "unsupported_action": "Nepodprta akcija: {action}" + }, + "alias": "Ime", + "conditions": { + "add": "Dodaj pogoj", + "delete": "Izbriši", + "delete_confirm": "Ste prepričani, da želite izbrisati?", + "duplicate": "Podvoji", + "header": "Pogoji", + "introduction": "Pogoji so neobvezni del pravila za avtomatizacijo in jih je mogoče uporabiti za preprečitev, da bi se dejanje zgodilo ob sprožitvi. Pogoji so zelo podobni sprožilcem, vendar so zelo različni. Sprožilec bo pogledal dogodke, ki se dogajajo v sistemu, medtem, ko pogoj gleda samo na to, kako sistem trenutno izgleda. Sprožilec lahko opazi, da je stikalo vklopljeno. Pogoj lahko vidi le, če je stikalo trenutno vklopljeno ali izklopljeno. \\n\\n [Več o pogojih.] (Https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", + "learn_more": "Več o pogojih", + "type_select": "Vrsta pogoja", + "type": { + "and": { + "label": "In" + }, + "device": { + "extra_fields": { + "above": "Nad", + "below": "Pod", + "for": "Trajanje" + }, + "label": "Naprava" + }, + "numeric_state": { + "above": "Nad", + "below": "Pod", + "label": "Numerično stanje", + "value_template": "Vrednostna predloga (neobvezno)" + }, + "or": { + "label": "Ali" + }, + "state": { + "label": "Stanje", + "state": "Stanje" + }, + "sun": { + "after": "Po:", + "after_offset": "Po odmiku (neobvezno)", + "before": "Pred:", + "before_offset": "Pred odmikom (neobvezno)", + "label": "Sonce", + "sunrise": "sončni vzhod", + "sunset": "Sončni zahod" + }, + "template": { + "label": "Predloga", + "value_template": "Vrednostna predloga" + }, + "time": { + "after": "Po", + "before": "Pred", + "label": "Čas" + }, + "zone": { + "entity": "Entitete z lokacijo", + "label": "Območje", + "zone": "Območje" + } + }, + "unsupported_condition": "Nepodprti pogoj: {condition}" + }, + "default_name": "Nova avtomatizacija", + "description": { + "label": "Opis", + "placeholder": "Izbirni opis" + }, + "introduction": "Uporabite avtomatizacije za oživitev vašega doma.", + "load_error_not_editable": "Urejati je mogoče le avtomatizacije v automations.yaml.", + "load_error_unknown": "Napaka pri nalaganju avtomatizacije ( {err_no}).", + "save": "Shrani", + "triggers": { + "add": "Dodaj sprožilec", + "delete": "Izbriši", + "delete_confirm": "Ste prepričani, da želite izbrisati?", + "duplicate": "Podvoji", + "header": "Sprožilci", + "introduction": "Sprožilci so tisto, kar začne postopek obdelave avtomatizacije pravila. Za isto pravilo je mogoče določiti več sprožilcev. Ko se začne sprožilec, bo Home Assistant potrdil pogoje, če so, in poklical dejanje. \\n\\n [Več o sprožilcih.] (Https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", + "learn_more": "Več o sprožilcih", + "type_select": "Tip sprožilca", + "type": { + "device": { + "extra_fields": { + "above": "Nad", + "below": "Pod", + "for": "Trajanje" + }, + "label": "Naprava" + }, + "event": { + "event_data": "Podatki o dogodku", + "event_type": "Vrsta dogodka", + "label": "Dogodek" + }, + "geo_location": { + "enter": "Vnesite", + "event": "Dogodek:", + "label": "Geolokacija", + "leave": "Odidi", + "source": "Vir", + "zone": "Območje" + }, + "homeassistant": { + "event": "Dogodek:", + "label": "Home Assistant", + "shutdown": "Zaustavitev", + "start": "Zagon" + }, + "mqtt": { + "label": "MQTT", + "payload": "Obremenitev (neobvezno)", + "topic": "Tema" + }, + "numeric_state": { + "above": "Nad", + "below": "Pod", + "label": "Numerično stanje", + "value_template": "Vrednostna predloga (neobvezno)" + }, + "state": { + "for": "Za", + "from": "Od", + "label": "Stanje", + "to": "Za" + }, + "sun": { + "event": "Dogodek:", + "label": "Sonce", + "offset": "Odmik (neobvezno)", + "sunrise": "Sončni vzhod", + "sunset": "Sončni zahod" + }, + "template": { + "label": "Predloga", + "value_template": "Vrednostna predloga" + }, + "time_pattern": { + "hours": "Ur", + "label": "Časovni vzorec", + "minutes": "Minut", + "seconds": "Sekund" + }, + "time": { + "at": "Ob", + "label": "Čas" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook ID" + }, + "zone": { + "enter": "Vnesite", + "entity": "Entitete z lokacijo", + "event": "Dogodek:", + "label": "Območje", + "leave": "Odidi", + "zone": "Območje" + } + }, + "unsupported_platform": "Nepodprta platforma: {platform}" + }, + "unsaved_confirm": "Imate neshranjene spremembe. Ste prepričani, da želite zapustiti stran?" + }, + "picker": { + "add_automation": "Dodaj avtomatizacijo", + "header": "Urejevalnik avtomatizacije", + "introduction": "Urejevalnik za avtomatizacijo vam omogoča ustvarjanje in urejanje avtomatizacij. Prosimo, da preberete [navodila] (https:\/\/home-assistant.io\/docs\/automation\/editor\/), da preverite, ali ste pravilno nastavili Home Assistant-a.", + "learn_more": "Več o avtomatizacijah", + "no_automations": "Ne moremo najti nobene avtomatizacije za urejanje", + "pick_automation": "Izberite avtomatizacijo za urejanje" + } + }, + "cloud": { + "account": { + "alexa": { + "config_documentation": "Dokumentacija o konfiguraciji", + "disable": "onemogočiti", + "enable": "omogočiti", + "enable_ha_skill": "Omogoči Home Assistant spretnost za Alexo", + "enable_state_reporting": "Omogoči poročanje o stanju", + "info": "Z integracijo Alexa za Home Assistant cloud boste lahko nadzirali vse svoje naprave s pomočjo katere koli naprave, ki podpira Alexa.", + "info_state_reporting": "Če omogočite poročanje o stanju, bo Home Assistant amazonu poslal vse spremembe stanja izpostavljenih entitet. To vam omogoča, da vedno vidite najnovejša stanja v aplikaciji Alexa.", + "manage_entities": "Upravljajte entitete", + "state_reporting_error": "Stanja poročila ni mogoče {enable_disable}.", + "sync_entities": "Sinhroniziranje entitet", + "sync_entities_error": "Sinhroniziranje entitet ni uspelo:", + "title": "Alexa" + }, + "connected": "Povezan", + "connection_status": "Stanje povezave v oblaku", + "fetching_subscription": "Pridobivam naročnino...", + "google": { + "config_documentation": "Dokumentacija o konfiguraciji", + "devices_pin": "Pin koda za varnostne naprave", + "enable_ha_skill": "Aktivirajte spretnost Home Assistant za Pomočnika Google", + "enable_state_reporting": "Omogoči poročanje o stanju", + "enter_pin_error": "PIN-a ni mogoče shraniti:", + "enter_pin_hint": "Vnesite kodo PIN za uporabo varnostnih naprav", + "enter_pin_info": "Prosimo vnesite kodo pin za interakcijo z varnostnimi napravami. Varnostne naprave so vrata, garažna vrata in ključavnice. Med interakcijo s takšnimi napravami prek Googlovega pomočnika boste morali povedati \/ vnesti ta pin.", + "info": "Z integracijo Pomočnik Google za Home Assistant cloud boste lahko nadzirali vse svoje naprave s pomočjo katere koli naprave, ki ga podpirajo.", + "info_state_reporting": "Če omogočite poročanje o stanju, bo Home Assistant Googlu poslal vse spremembe stanja izpostavljenih entitet. To vam omogoča, da vedno vidite najnovejša stanja v aplikaciji Google.", + "manage_entities": "Upravljajte entitete", + "security_devices": "Varnostne naprave", + "sync_entities": "Sinhronizirajte entitete z Googlom", + "title": "Pomočnik Google" + }, + "integrations": "Integracije", + "integrations_introduction": "Integracija za Home Assistant Cloud vam omogoča povezovanje s storitvami v oblaku, ne da bi vam bilo treba Home Assistant javno izpostavljati po internetu.", + "integrations_introduction2": "Preverite spletno stran za ", + "integrations_link_all_features": "vse razpoložljive funkcije", + "manage_account": "Upravljanje računa", + "nabu_casa_account": "Nabu Casa račun", + "not_connected": "Brez povezave", + "remote": { + "access_is_being_prepared": "Oddaljeni dostop se pripravlja. Obvestili vas bomo, ko bo pripravljen.", + "certificate_info": "Informacije o potrdilu", + "info": "Home Assistant Cloud zagotavlja varno oddaljeno povezavo do vašega primerka, medtem ko ste zunaj doma.", + "instance_is_available": "Vaš primerek je na voljo na", + "instance_will_be_available": "Vaš primerek bo na voljo na", + "link_learn_how_it_works": "Naučite se, kako deluje", + "title": "Daljinsko Upravljanje" + }, + "sign_out": "Izpis", + "thank_you_note": "Zahvaljujemo se vam za to, da ste del Home Assistant Cloud-a. Zaradi ljudi, kot ste vi, smo sposobni narediti dobro izkušnjo avtomatizacije doma za vsakogar. hvala!", + "webhooks": { + "disable_hook_error_msg": "Ni uspelo onemogočiti webhook:", + "info": "Vsemu, kar je nastavljeno tako, da se sproži webhook je mogoče dati javno dostopen URL, kar jim omogoča, pošljanje podatkov nazaj na Home Assistant od kjerkoli, ne da bi izpostavili vaš primerek na internetu.", + "link_learn_more": "Preberite več o ustvarjanju avtomatizacij, ki jih poganjajo webhook-i.", + "loading": "Nalaganje", + "manage": "Upravljanje", + "no_hooks_yet": "Izgleda, da še nimate webhooks-ov. Začnite s konfiguracijo ", + "no_hooks_yet_link_automation": "webhook avtomatizacije", + "no_hooks_yet_link_integration": "integracijo, ki temelji na Webhook-u", + "no_hooks_yet2": "ali z ustvarjanjem", + "title": "Webhooks" + } + }, + "alexa": { + "banner": "Urejanje entitet, ki so izpostavljeni prek tega uporabniškega vmesnika, je onemogočeno, ker ste v config.yaml konfigurirali filtre entitet.", + "expose": "Izpostavite Alexi", + "exposed_entities": "Izpostavljene entitete", + "not_exposed_entities": "Entitete, ki niso izpostavljene", + "title": "Alexa" + }, + "caption": "Home Assistant Cloud", + "description_features": "Imejte nadzor nad domom tudi, ko vas ni doma, povežite z Alexa in Google Asistentom.", + "description_login": "Prijavljen kot {email}", + "description_not_login": "Niste prijavljeni", + "dialog_certificate": { + "certificate_expiration_date": "Datum poteka certifikata", + "certificate_information": "Podatki o certifikatu", + "close": "Zapri", + "fingerprint": "Prstni odtis certifikata:", + "will_be_auto_renewed": "Bo samodejno obnovljen" + }, + "dialog_cloudhook": { + "available_at": "Webhook je na voljo na naslednjem URL-ju:", + "close": "Zapri", + "confirm_disable": "Ali ste prepričani, da želite onemogočiti ta webhook?", + "copied_to_clipboard": "Kopirano v odložišče", + "info_disable_webhook": "Če ne želite več uporabljati tega webhook-a, ga lahko", + "link_disable_webhook": "onemogoče", + "managed_by_integration": "Ta webhook upravlja integracija in je ni mogoče onemogočiti.", + "view_documentation": "Oglejte si dokumentacijo", + "webhook_for": "Webhook za {name}" + }, + "forgot_password": { + "check_your_email": "Preverite vaš e-poštni za navodila za ponastavitev gesla.", + "email": "E-poštni naslov", + "email_error_msg": "Neveljavna e-pošta", + "instructions": "Vnesite svoj e-poštni naslov in poslali vam bomo povezavo za ponastavitev gesla.", + "send_reset_email": "Pošljite email za ponastavitev", + "subtitle": "Ste pozabili geslo", + "title": "Pozabljeno geslo" + }, + "google": { + "banner": "Urejanje entitet, ki so izpostavljeni prek tega uporabniškega vmesnika, je onemogočeno, ker ste v config.yaml konfigurirali filtre entitet.", + "disable_2FA": "Onemogočite dvofaktorsko preverjanje pristnosti", + "expose": "Izpostavite Pomočniku Google", + "exposed_entities": "Izpostavljene entitete", + "not_exposed_entities": "Entitete, ki niso izpostavljene", + "sync_to_google": "Sinhroniziranje sprememb z Googlom.", + "title": "Pomočnik Google" + }, + "login": { + "alert_email_confirm_necessary": "Pred prijavo morate potrditi svojo e-pošto.", + "alert_password_change_required": "Pred prijavo morate spremeniti geslo.", + "dismiss": "Opustite", + "email": "E-poštni naslov", + "email_error_msg": "Neveljaven e-poštni naslov", + "forgot_password": "pozabljeno geslo?", + "introduction": "Home Assistant Cloud vam tudi takrat, ko vas ni doma zagotavlja varno oddaljeno povezavo do vašega Home Assistant-a. Prav tako vam omogoča, da se povežete z ostalimi oblačnimi storitvami Amazon Alexa in Google Assistant.", + "introduction2": "To storitev upravlja naš partner ", + "introduction2a": ", podjetje, ki so ga ustanovili ustanovitelji Home Assistant-a.", + "introduction3": "Home Assistant Cloud je naročniška storitev z enomesečno brezplačno poizkusno dobo. Podatki o plačilnih karticah niso potrebni.", + "learn_more_link": "Preberite več o Home Assistant Cloud-u", + "password": "Geslo", + "password_error_msg": "Gesla morajo biti dolga vsaj 8 znakov", + "sign_in": "Vpišite se", + "start_trial": "Začnite brezplačno 1 mesečno preskusno različico", + "title": "Prijava v oblak", + "trial_info": "Podatki o plačilu niso potrebni" + }, + "register": { + "account_created": "Račun ustvarjen! Preverite vašo e-pošto za navodila o tem, kako aktivirate vaš račun.", + "create_account": "Ustvarite račun", + "email_address": "E-poštni naslov", + "email_error_msg": "Neveljavna e-pošta", + "feature_amazon_alexa": "Integracija z Amazon Alexo", + "feature_google_home": "Integracijo z Googlovim asistentom", + "feature_remote_control": "Nadzor Home assistant-a zunaj doma", + "feature_webhook_apps": "Enostavna integracija s spletnimi aplikacijami, kot je OwnTracks", + "headline": "Začnite brezplačno preskusno različico", + "information": "Ustvarite račun, če želite začeti brezplačno enomesečno preskušanje Home Assistant Cloud-a. Podatki o plačilu niso potrebni.", + "information2": "Preizkus vam bo omogočil dostop do vseh prednosti Home Assistant Cloud, vključno z:", + "information3": "To storitev upravlja naš partner ", + "information3a": ", podjetje, ki so ga ustanovili ustanovitelji Home Assistant-a.", + "information4": "Z registracijo računa se strinjate z naslednjimi pravili in pogoji.", + "link_privacy_policy": "Politika zasebnosti", + "link_terms_conditions": "Pravila in Pogoji", + "password": "Geslo", + "password_error_msg": "Gesla morajo biti dolga vsaj 8 znakov", + "resend_confirm_email": "Ponovno pošlji potrditveno e-poštno sporočilo", + "start_trial": "Začnite preizkus", + "title": "Registrirajte račun" + } + }, + "common": { + "editor": { + "confirm_unsaved": "Imate neshranjene spremembe. Ste prepričani, da želite zapustiti?" + } + }, "core": { "caption": "Splošno", "description": "Preverite vašo konfiguracijo in nadzorujte strežnik", "section": { "core": { - "header": "Konfiguracija in nadzor strežnika", - "introduction": "Spreminjanje konfiguracije je lahko zapleten proces. Vemo. Ta del bo poskušal narediti vaše življenje malo lažje.", "core_config": { "edit_requires_storage": "Urejevalnik je onemogočen, ker je konfiguracija shranjena v configuration.yaml.", - "location_name": "Ime vašega instalacije vašega Home Assistant-a.", - "latitude": "Zemljepisna širina", - "longitude": "Zemljepisna dolžina", "elevation": "Nadmorska višina", "elevation_meters": "metrov", + "imperial_example": "Fahrenheit, funtov", + "latitude": "Zemljepisna širina", + "location_name": "Ime vašega instalacije vašega Home Assistant-a.", + "longitude": "Zemljepisna dolžina", + "metric_example": "Celzija, kilogramov", + "save_button": "Shrani", "time_zone": "Časovni pas", "unit_system": "Sistem enot", "unit_system_imperial": "Imperial", - "unit_system_metric": "Metrično", - "imperial_example": "Fahrenheit, funtov", - "metric_example": "Celzija, kilogramov", - "save_button": "Shrani" - } + "unit_system_metric": "Metrično" + }, + "header": "Konfiguracija in nadzor strežnika", + "introduction": "Spreminjanje konfiguracije je lahko zapleten proces. Vemo. Ta del bo poskušal narediti vaše življenje malo lažje." }, "server_control": { - "validation": { - "heading": "Preverjanje konfiguracije", - "introduction": "Potrdite svojo konfiguracijo, če ste nedavno spremenili svojo konfiguracijo in se prepričajte, da je vse veljavno", - "check_config": "Preverite konfiguracijo", - "valid": "Konfiguracija veljavna!", - "invalid": "Konfiguracija ni veljavna" - }, "reloading": { - "heading": "Ponovno nalaganje konfiguracije", - "introduction": "Nekateri deli Home Assistanta se lahko znova naložijo brez potrebe po ponovnem zagonu. S pritiskom na \"ponovno naloži\" se bo naložila nova konfiguracija", + "automation": "Ponovno naloži avtomizacije", "core": "Ponovno naloži jedro", "group": "Ponovno naloži skupine", - "automation": "Ponovno naloži avtomizacije", + "heading": "Ponovno nalaganje konfiguracije", + "introduction": "Nekateri deli Home Assistanta se lahko znova naložijo brez potrebe po ponovnem zagonu. S pritiskom na \"ponovno naloži\" se bo naložila nova konfiguracija", "script": "Ponovno naloži skripte" }, "server_management": { @@ -475,6 +1092,13 @@ "introduction": "Nadzirajte strežnik Home Assistant ... iz Home Assistanta", "restart": "Ponovni zagon", "stop": "Ustavi" + }, + "validation": { + "check_config": "Preverite konfiguracijo", + "heading": "Preverjanje konfiguracije", + "introduction": "Potrdite svojo konfiguracijo, če ste nedavno spremenili svojo konfiguracijo in se prepričajte, da je vse veljavno", + "invalid": "Konfiguracija ni veljavna", + "valid": "Konfiguracija veljavna!" } } } @@ -487,507 +1111,69 @@ "introduction": "Prilagajanja atributov na entiteti. Dodane\/spremenjene prilagoditve začnejo veljati takoj. Odstranjene pa po posodobitvi entitete." } }, - "automation": { - "caption": "Avtomatizacija", - "description": "Ustvarite in uredite avtomatizacije", - "picker": { - "header": "Urejevalnik avtomatizacije", - "introduction": "Urejevalnik za avtomatizacijo vam omogoča ustvarjanje in urejanje avtomatizacij. Prosimo, da preberete [navodila] (https:\/\/home-assistant.io\/docs\/automation\/editor\/), da preverite, ali ste pravilno nastavili Home Assistant-a.", - "pick_automation": "Izberite avtomatizacijo za urejanje", - "no_automations": "Ne moremo najti nobene avtomatizacije za urejanje", - "add_automation": "Dodaj avtomatizacijo", - "learn_more": "Več o avtomatizacijah" - }, - "editor": { - "introduction": "Uporabite avtomatizacije za oživitev vašega doma.", - "default_name": "Nova avtomatizacija", - "save": "Shrani", - "unsaved_confirm": "Imate neshranjene spremembe. Ste prepričani, da želite zapustiti stran?", - "alias": "Ime", - "triggers": { - "header": "Sprožilci", - "introduction": "Sprožilci so tisto, kar začne postopek obdelave avtomatizacije pravila. Za isto pravilo je mogoče določiti več sprožilcev. Ko se začne sprožilec, bo Home Assistant potrdil pogoje, če so, in poklical dejanje. \n\n [Več o sprožilcih.] (Https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", - "add": "Dodaj sprožilec", - "duplicate": "Podvoji", - "delete": "Izbriši", - "delete_confirm": "Ste prepričani, da želite izbrisati?", - "unsupported_platform": "Nepodprta platforma: {platform}", - "type_select": "Tip sprožilca", - "type": { - "event": { - "label": "Dogodek", - "event_type": "Vrsta dogodka", - "event_data": "Podatki o dogodku" - }, - "state": { - "label": "Stanje", - "from": "Od", - "to": "Za", - "for": "Za" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Dogodek:", - "start": "Zagon", - "shutdown": "Zaustavitev" - }, - "mqtt": { - "label": "MQTT", - "topic": "Tema", - "payload": "Obremenitev (neobvezno)" - }, - "numeric_state": { - "label": "Numerično stanje", - "above": "Nad", - "below": "Pod", - "value_template": "Vrednostna predloga (neobvezno)" - }, - "sun": { - "label": "Sonce", - "event": "Dogodek:", - "sunrise": "Sončni vzhod", - "sunset": "Sončni zahod", - "offset": "Odmik (neobvezno)" - }, - "template": { - "label": "Predloga", - "value_template": "Vrednostna predloga" - }, - "time": { - "label": "Čas", - "at": "Ob" - }, - "zone": { - "label": "Območje", - "entity": "Entitete z lokacijo", - "zone": "Območje", - "event": "Dogodek:", - "enter": "Vnesite", - "leave": "Odidi" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook ID" - }, - "time_pattern": { - "label": "Časovni vzorec", - "hours": "Ur", - "minutes": "Minut", - "seconds": "Sekund" - }, - "geo_location": { - "label": "Geolokacija", - "source": "Vir", - "zone": "Območje", - "event": "Dogodek:", - "enter": "Vnesite", - "leave": "Odidi" - }, - "device": { - "label": "Naprava", - "extra_fields": { - "above": "Nad", - "below": "Pod", - "for": "Trajanje" - } - } - }, - "learn_more": "Več o sprožilcih" + "devices": { + "automation": { + "actions": { + "caption": "Ko se nekaj sproži ..." }, "conditions": { - "header": "Pogoji", - "introduction": "Pogoji so neobvezni del pravila za avtomatizacijo in jih je mogoče uporabiti za preprečitev, da bi se dejanje zgodilo ob sprožitvi. Pogoji so zelo podobni sprožilcem, vendar so zelo različni. Sprožilec bo pogledal dogodke, ki se dogajajo v sistemu, medtem, ko pogoj gleda samo na to, kako sistem trenutno izgleda. Sprožilec lahko opazi, da je stikalo vklopljeno. Pogoj lahko vidi le, če je stikalo trenutno vklopljeno ali izklopljeno. \n\n [Več o pogojih.] (Https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", - "add": "Dodaj pogoj", - "duplicate": "Podvoji", - "delete": "Izbriši", - "delete_confirm": "Ste prepričani, da želite izbrisati?", - "unsupported_condition": "Nepodprti pogoj: {condition}", - "type_select": "Vrsta pogoja", - "type": { - "state": { - "label": "Stanje", - "state": "Stanje" - }, - "numeric_state": { - "label": "Numerično stanje", - "above": "Nad", - "below": "Pod", - "value_template": "Vrednostna predloga (neobvezno)" - }, - "sun": { - "label": "Sonce", - "before": "Pred:", - "after": "Po:", - "before_offset": "Pred odmikom (neobvezno)", - "after_offset": "Po odmiku (neobvezno)", - "sunrise": "sončni vzhod", - "sunset": "Sončni zahod" - }, - "template": { - "label": "Predloga", - "value_template": "Vrednostna predloga" - }, - "time": { - "label": "Čas", - "after": "Po", - "before": "Pred" - }, - "zone": { - "label": "Območje", - "entity": "Entitete z lokacijo", - "zone": "Območje" - }, - "device": { - "label": "Naprava", - "extra_fields": { - "above": "Nad", - "below": "Pod", - "for": "Trajanje" - } - }, - "and": { - "label": "In" - }, - "or": { - "label": "Ali" - } - }, - "learn_more": "Več o pogojih" + "caption": "Naredite nekaj, samo če ..." }, - "actions": { - "header": "Akcije", - "introduction": "Akcije so, kaj bo storil Home Assistant, ko se sproži avtomatizacija. \n\n [Več o dejavnostih.] (Https:\/\/home-assistant.io\/docs\/automation\/action\/)", - "add": "Dodaj akcijo", - "duplicate": "Podvoji", - "delete": "Izbriši", - "delete_confirm": "Ste prepričani, da želite izbrisati?", - "unsupported_action": "Nepodprta akcija: {action}", - "type_select": "Vrsta ukrepa", - "type": { - "service": { - "label": "Kliči storitev", - "service_data": "Podatki storitve" - }, - "delay": { - "label": "Zamik", - "delay": "Zamik" - }, - "wait_template": { - "label": "počakajte", - "wait_template": "Čakalna predloga", - "timeout": "Časovna omejitev (neobvezno)" - }, - "condition": { - "label": "Stanje" - }, - "event": { - "label": "Požarni dogodek", - "event": "Dogodek:", - "service_data": "Podatki storitve" - }, - "device_id": { - "label": "Naprava", - "extra_fields": { - "code": "Koda" - } - }, - "scene": { - "label": "Aktivirajte sceno" - } - }, - "learn_more": "Več o akcijah" - }, - "load_error_not_editable": "Urejati je mogoče le avtomatizacije v automations.yaml.", - "load_error_unknown": "Napaka pri nalaganju avtomatizacije ( {err_no}).", - "description": { - "label": "Opis", - "placeholder": "Izbirni opis" - } - } - }, - "script": { - "caption": "Skripte", - "description": "Ustvarite in uredite skripte", - "picker": { - "header": "Urejevalnik skript", - "introduction": "Urejevalnik skript vam omogoča njihovo ustvarjanje in urejanje. Upoštevajte spodnjo povezavo in si preberite navodila, da se prepričate, da ste pravilno konfigurirali Home Assistant-a.", - "learn_more": "Preberite več o skriptah", - "no_scripts": "Nismo našli nobene skripte za urejanje", - "add_script": "Dodaj skripto" - }, - "editor": { - "header": "Skripta: {name}", - "default_name": "Nova Skripta", - "load_error_not_editable": "Urejati je mogoče le skripte znotraj scripts.yaml.", - "delete_confirm": "Ali ste prepričani, da želite izbrisati to skripto?" - } - }, - "zwave": { - "caption": "Z-Wave", - "description": "Upravljajte Z-Wave omrežje", - "network_management": { - "header": "Upravljanje z omrežjem Z-Wave", - "introduction": "Zaženite ukaze, ki vplivajo na omrežje Z-Wave. Ne boste dobili povratne informacije o tem, ali je večina ukazov uspela, vendar lahko preverite dnevnik OZW, da boste izvedeli več." - }, - "network_status": { - "network_stopped": "Omrežje Z-Wave ustavljeno", - "network_starting": "Zaganjam Z-Wave Omrežje...", - "network_starting_note": "Odvisno od velikosti vašega omrežja, lahko to traja nekaj časa.", - "network_started": "Z-Wave omrežje zagnano", - "network_started_note_some_queried": "Budna vozlišča so bila poizvedana. Speča bodo, ko se zbudijo.", - "network_started_note_all_queried": "Vsa vozlišča so bila poizvedena." - }, - "services": { - "start_network": "Zaženite omrežje", - "stop_network": "Ustavite omrežje", - "heal_network": "Pozdravite omrežje", - "test_network": "Preizkusite omrežje", - "soft_reset": "Resetiraj", - "save_config": "Shrani konfiguracijo", - "add_node_secure": "Dodaj vozlišče varno", - "add_node": "Dodaj vozlišče", - "remove_node": "Odstrani vozlišče", - "cancel_command": "Prekliči ukaz" - }, - "common": { - "value": "Vrednost", - "instance": "Instanca", - "index": "Indeks", - "unknown": "Neznano", - "wakeup_interval": "Interval bujenja" - }, - "values": { - "header": "Vrednosti vozlišča" - }, - "node_config": { - "header": "Možnosti konfiguracije vozlišča", - "seconds": "Sekund", - "set_wakeup": "Nastavite Interval bujenja", - "config_parameter": "Vrednostni parameter", - "config_value": "Vrednost nastavite", - "true": "Prav", - "false": "Lažno", - "set_config_parameter": "Nastavite Config Parameter" - }, - "learn_more": "Preberite več o Z-Wave", - "ozw_log": { - "header": "OZW dnevnik", - "introduction": "Oglejte si dnevnik. 0 je minimum (naloži celoten dnevnik), 1000 pa največ. Prikazan bo statični dnevnik, konec pa se bo samodejno posodobil z zadnjim določenim številom vrstic dnevnika." - } - }, - "users": { - "caption": "Uporabniki", - "description": "Upravljajte uporabnike", - "picker": { - "title": "Uporabniki", - "system_generated": "Sistemsko generirano" - }, - "editor": { - "rename_user": "Preimenuj uporabnika", - "change_password": "Spremeni geslo", - "activate_user": "Aktiviraj uporabnika", - "deactivate_user": "Deaktiviraj uporabnika", - "delete_user": "Izbriši uporabnika", - "caption": "Prikaži uporabnika", - "id": "ID", - "owner": "Lastnik", - "group": "Skupina", - "active": "aktiven", - "system_generated": "Sistemsko generirano", - "system_generated_users_not_removable": "Sistemskih uporabnikov ni mogoče odstraniti.", - "unnamed_user": "Neimenovani uporabnik", - "enter_new_name": "Vnesite novo ime", - "user_rename_failed": "Preimenovanje uporabnika ni uspelo:", - "group_update_failed": "Posodobitev skupine ni uspela:", - "confirm_user_deletion": "Ali ste prepričani, da želite izbrisati {name}?" - }, - "add_user": { - "caption": "Dodaj uporabnika", - "name": "Ime", - "username": "Uporabniško ime", - "password": "Geslo", - "create": "Ustvari" - } - }, - "cloud": { - "caption": "Home Assistant Cloud", - "description_login": "Prijavljen kot {email}", - "description_not_login": "Niste prijavljeni", - "description_features": "Imejte nadzor nad domom tudi, ko vas ni doma, povežite z Alexa in Google Asistentom.", - "login": { - "title": "Prijava v oblak", - "introduction": "Home Assistant Cloud vam tudi takrat, ko vas ni doma zagotavlja varno oddaljeno povezavo do vašega Home Assistant-a. Prav tako vam omogoča, da se povežete z ostalimi oblačnimi storitvami Amazon Alexa in Google Assistant.", - "introduction2": "To storitev upravlja naš partner ", - "introduction2a": ", podjetje, ki so ga ustanovili ustanovitelji Home Assistant-a.", - "introduction3": "Home Assistant Cloud je naročniška storitev z enomesečno brezplačno poizkusno dobo. Podatki o plačilnih karticah niso potrebni.", - "learn_more_link": "Preberite več o Home Assistant Cloud-u", - "dismiss": "Opustite", - "sign_in": "Vpišite se", - "email": "E-poštni naslov", - "email_error_msg": "Neveljaven e-poštni naslov", - "password": "Geslo", - "password_error_msg": "Gesla morajo biti dolga vsaj 8 znakov", - "forgot_password": "pozabljeno geslo?", - "start_trial": "Začnite brezplačno 1 mesečno preskusno različico", - "trial_info": "Podatki o plačilu niso potrebni", - "alert_password_change_required": "Pred prijavo morate spremeniti geslo.", - "alert_email_confirm_necessary": "Pred prijavo morate potrditi svojo e-pošto." - }, - "forgot_password": { - "title": "Pozabljeno geslo", - "subtitle": "Ste pozabili geslo", - "instructions": "Vnesite svoj e-poštni naslov in poslali vam bomo povezavo za ponastavitev gesla.", - "email": "E-poštni naslov", - "email_error_msg": "Neveljavna e-pošta", - "send_reset_email": "Pošljite email za ponastavitev", - "check_your_email": "Preverite vaš e-poštni za navodila za ponastavitev gesla." - }, - "register": { - "title": "Registrirajte račun", - "headline": "Začnite brezplačno preskusno različico", - "information": "Ustvarite račun, če želite začeti brezplačno enomesečno preskušanje Home Assistant Cloud-a. Podatki o plačilu niso potrebni.", - "information2": "Preizkus vam bo omogočil dostop do vseh prednosti Home Assistant Cloud, vključno z:", - "feature_remote_control": "Nadzor Home assistant-a zunaj doma", - "feature_google_home": "Integracijo z Googlovim asistentom", - "feature_amazon_alexa": "Integracija z Amazon Alexo", - "feature_webhook_apps": "Enostavna integracija s spletnimi aplikacijami, kot je OwnTracks", - "information3": "To storitev upravlja naš partner ", - "information3a": ", podjetje, ki so ga ustanovili ustanovitelji Home Assistant-a.", - "information4": "Z registracijo računa se strinjate z naslednjimi pravili in pogoji.", - "link_terms_conditions": "Pravila in Pogoji", - "link_privacy_policy": "Politika zasebnosti", - "create_account": "Ustvarite račun", - "email_address": "E-poštni naslov", - "email_error_msg": "Neveljavna e-pošta", - "password": "Geslo", - "password_error_msg": "Gesla morajo biti dolga vsaj 8 znakov", - "start_trial": "Začnite preizkus", - "resend_confirm_email": "Ponovno pošlji potrditveno e-poštno sporočilo", - "account_created": "Račun ustvarjen! Preverite vašo e-pošto za navodila o tem, kako aktivirate vaš račun." - }, - "account": { - "thank_you_note": "Zahvaljujemo se vam za to, da ste del Home Assistant Cloud-a. Zaradi ljudi, kot ste vi, smo sposobni narediti dobro izkušnjo avtomatizacije doma za vsakogar. hvala!", - "nabu_casa_account": "Nabu Casa račun", - "connection_status": "Stanje povezave v oblaku", - "manage_account": "Upravljanje računa", - "sign_out": "Izpis", - "integrations": "Integracije", - "integrations_introduction": "Integracija za Home Assistant Cloud vam omogoča povezovanje s storitvami v oblaku, ne da bi vam bilo treba Home Assistant javno izpostavljati po internetu.", - "integrations_introduction2": "Preverite spletno stran za ", - "integrations_link_all_features": "vse razpoložljive funkcije", - "connected": "Povezan", - "not_connected": "Brez povezave", - "fetching_subscription": "Pridobivam naročnino...", - "remote": { - "title": "Daljinsko Upravljanje", - "access_is_being_prepared": "Oddaljeni dostop se pripravlja. Obvestili vas bomo, ko bo pripravljen.", - "info": "Home Assistant Cloud zagotavlja varno oddaljeno povezavo do vašega primerka, medtem ko ste zunaj doma.", - "instance_is_available": "Vaš primerek je na voljo na", - "instance_will_be_available": "Vaš primerek bo na voljo na", - "link_learn_how_it_works": "Naučite se, kako deluje", - "certificate_info": "Informacije o potrdilu" - }, - "alexa": { - "title": "Alexa", - "info": "Z integracijo Alexa za Home Assistant cloud boste lahko nadzirali vse svoje naprave s pomočjo katere koli naprave, ki podpira Alexa.", - "enable_ha_skill": "Omogoči Home Assistant spretnost za Alexo", - "config_documentation": "Dokumentacija o konfiguraciji", - "enable_state_reporting": "Omogoči poročanje o stanju", - "info_state_reporting": "Če omogočite poročanje o stanju, bo Home Assistant amazonu poslal vse spremembe stanja izpostavljenih entitet. To vam omogoča, da vedno vidite najnovejša stanja v aplikaciji Alexa.", - "sync_entities": "Sinhroniziranje entitet", - "manage_entities": "Upravljajte entitete", - "sync_entities_error": "Sinhroniziranje entitet ni uspelo:", - "state_reporting_error": "Stanja poročila ni mogoče {enable_disable}.", - "enable": "omogočiti", - "disable": "onemogočiti" - }, - "google": { - "title": "Pomočnik Google", - "info": "Z integracijo Pomočnik Google za Home Assistant cloud boste lahko nadzirali vse svoje naprave s pomočjo katere koli naprave, ki ga podpirajo.", - "enable_ha_skill": "Aktivirajte spretnost Home Assistant za Pomočnika Google", - "config_documentation": "Dokumentacija o konfiguraciji", - "enable_state_reporting": "Omogoči poročanje o stanju", - "info_state_reporting": "Če omogočite poročanje o stanju, bo Home Assistant Googlu poslal vse spremembe stanja izpostavljenih entitet. To vam omogoča, da vedno vidite najnovejša stanja v aplikaciji Google.", - "security_devices": "Varnostne naprave", - "enter_pin_info": "Prosimo vnesite kodo pin za interakcijo z varnostnimi napravami. Varnostne naprave so vrata, garažna vrata in ključavnice. Med interakcijo s takšnimi napravami prek Googlovega pomočnika boste morali povedati \/ vnesti ta pin.", - "devices_pin": "Pin koda za varnostne naprave", - "enter_pin_hint": "Vnesite kodo PIN za uporabo varnostnih naprav", - "sync_entities": "Sinhronizirajte entitete z Googlom", - "manage_entities": "Upravljajte entitete", - "enter_pin_error": "PIN-a ni mogoče shraniti:" - }, - "webhooks": { - "title": "Webhooks", - "info": "Vsemu, kar je nastavljeno tako, da se sproži webhook je mogoče dati javno dostopen URL, kar jim omogoča, pošljanje podatkov nazaj na Home Assistant od kjerkoli, ne da bi izpostavili vaš primerek na internetu.", - "no_hooks_yet": "Izgleda, da še nimate webhooks-ov. Začnite s konfiguracijo ", - "no_hooks_yet_link_integration": "integracijo, ki temelji na Webhook-u", - "no_hooks_yet2": "ali z ustvarjanjem", - "no_hooks_yet_link_automation": "webhook avtomatizacije", - "link_learn_more": "Preberite več o ustvarjanju avtomatizacij, ki jih poganjajo webhook-i.", - "loading": "Nalaganje", - "manage": "Upravljanje", - "disable_hook_error_msg": "Ni uspelo onemogočiti webhook:" + "triggers": { + "caption": "Naredi nekaj, ko ..." } }, - "alexa": { - "title": "Alexa", - "banner": "Urejanje entitet, ki so izpostavljeni prek tega uporabniškega vmesnika, je onemogočeno, ker ste v config.yaml konfigurirali filtre entitet.", - "exposed_entities": "Izpostavljene entitete", - "not_exposed_entities": "Entitete, ki niso izpostavljene", - "expose": "Izpostavite Alexi" + "caption": "Naprave", + "description": "Upravljajte povezane naprave" + }, + "entity_registry": { + "caption": "Seznam entitet", + "description": "Pregled vseh znanih entitet.", + "editor": { + "confirm_delete": "Ali ste prepričani, da želite izbrisati ta vnos?", + "confirm_delete2": "Če izbrišete vnos, entiteta ne bo odstranjena iz programa Home Assistant. Če želite to narediti, boste morali odstraniti integracijo '{platform}' iz programa Home Assistant.", + "default_name": "Novo območje", + "delete": "BRISANJE", + "enabled_cause": "Onemogočeno zaradi {cause}.", + "enabled_description": "Onemogočeni subjekti ne bodo dodani v Home Assistant-a.", + "enabled_label": "Omogoči entiteto", + "unavailable": "Ta entiteta trenutno ni na voljo.", + "update": "POSODOBITEV" }, - "dialog_certificate": { - "certificate_information": "Podatki o certifikatu", - "certificate_expiration_date": "Datum poteka certifikata", - "will_be_auto_renewed": "Bo samodejno obnovljen", - "fingerprint": "Prstni odtis certifikata:", - "close": "Zapri" - }, - "google": { - "title": "Pomočnik Google", - "expose": "Izpostavite Pomočniku Google", - "disable_2FA": "Onemogočite dvofaktorsko preverjanje pristnosti", - "banner": "Urejanje entitet, ki so izpostavljeni prek tega uporabniškega vmesnika, je onemogočeno, ker ste v config.yaml konfigurirali filtre entitet.", - "exposed_entities": "Izpostavljene entitete", - "not_exposed_entities": "Entitete, ki niso izpostavljene", - "sync_to_google": "Sinhroniziranje sprememb z Googlom." - }, - "dialog_cloudhook": { - "webhook_for": "Webhook za {name}", - "available_at": "Webhook je na voljo na naslednjem URL-ju:", - "managed_by_integration": "Ta webhook upravlja integracija in je ni mogoče onemogočiti.", - "info_disable_webhook": "Če ne želite več uporabljati tega webhook-a, ga lahko", - "link_disable_webhook": "onemogoče", - "view_documentation": "Oglejte si dokumentacijo", - "close": "Zapri", - "confirm_disable": "Ali ste prepričani, da želite onemogočiti ta webhook?", - "copied_to_clipboard": "Kopirano v odložišče" + "picker": { + "header": "Seznam entitet", + "headers": { + "enabled": "Omogočeno", + "entity_id": "ID subjekta", + "integration": "Integracija", + "name": "Ime" + }, + "integrations_page": "Stran za integracije", + "introduction": "Home Assistant vodi register vseh entitet, ki jih je kdajkoli videl in jih je mogoče enolično identificirati. Vsak od teh entitet ima dodeljen ID entitete, ki bo rezerviran samo za to entiteto.", + "introduction2": "Z registrom entitet preglasite ime, spremenite ID entitete ali odstranite vnos iz Home Assistent-a. Opomba, odstranitev vnosa registra entitet ne bo odstranila entitete. Če želite to narediti, sledite spodnji povezavi in jo odstranite s strani za integracijo.", + "show_disabled": "Pokaži onemogočene subjekte", + "unavailable": "(ni na voljo)" } }, + "header": "Konfiguriraj Home Assistant", "integrations": { "caption": "Integracije", - "description": "Upravljanje in nastavitev integracij", - "discovered": "Odkrito", - "configured": "Konfigurirano", - "new": "Nastavite novo integracijo", - "configure": "Konfiguriraj", - "none": "Nič še ni konfigurirano", "config_entry": { - "no_devices": "Ta integracija je brez naprav.", - "no_device": "Entitete brez naprav", + "area": "V {area}", + "delete_button": "Izbriši {integration}", "delete_confirm": "Ali ste prepričani, da želite izbrisati to integracijo?", - "restart_confirm": "Znova zaženite Home Assistant-a, da dokončate odstranitev te integracije", - "manuf": "po {manufacturer}", - "via": "Povezan prek", - "firmware": "Firmware: {version}", "device_unavailable": "naprava ni na voljo", "entity_unavailable": "entiteta ni na voljo", - "no_area": "Brez območja", + "firmware": "Firmware: {version}", "hub": "Povezan prek", + "manuf": "po {manufacturer}", + "no_area": "Brez območja", + "no_device": "Entitete brez naprav", + "no_devices": "Ta integracija je brez naprav.", + "restart_confirm": "Znova zaženite Home Assistant-a, da dokončate odstranitev te integracije", "settings_button": "Uredite nastavitve za {integration}", "system_options_button": "Sistemske možnosti za {integration}", - "delete_button": "Izbriši {integration}", - "area": "V {area}" + "via": "Povezan prek" }, "config_flow": { "external_step": { @@ -995,28 +1181,151 @@ "open_site": "Odprite spletno stran" } }, + "configure": "Konfiguriraj", + "configured": "Konfigurirano", + "description": "Upravljanje in nastavitev integracij", + "discovered": "Odkrito", + "home_assistant_website": "spletne strani Home Assistant", + "new": "Nastavite novo integracijo", + "none": "Nič še ni konfigurirano", "note_about_integrations": "Vseh integracij še ni mogoče konfigurirati prek uporabniškega vmesnika.", - "note_about_website_reference": "Več jih je na voljo prek", - "home_assistant_website": "spletne strani Home Assistant" + "note_about_website_reference": "Več jih je na voljo prek" + }, + "introduction": "Tukaj je mogoče konfigurirati vaše komponente in Home Assistanta. Vsega ni mogoče konfigurirati iz uporabniškega vmesnika (vendar delamo na tem).", + "person": { + "add_person": "Dodaj osebo", + "caption": "Osebe", + "confirm_delete": "Ali ste prepričani, da želite izbrisati to osebo?", + "confirm_delete2": "Vse naprave, ki pripadajo tej osebi, bodo postale nedodeljene.", + "create_person": "Ustvari osebo", + "description": "Upravljajte osebe, ki jih sledi Home Assistant.", + "detail": { + "create": "Ustvarite", + "delete": "Izbriši", + "device_tracker_intro": "Izberite naprave, ki pripadajo tej osebi.", + "device_tracker_pick": "Izberite napravo za sledenje", + "device_tracker_picked": "Sledi Napravi", + "link_integrations_page": "Stran za integracije", + "link_presence_detection_integrations": "Integracije zaznavanja prisotnosti", + "linked_user": "Povezani uporabnik", + "name": "Ime", + "name_error_msg": "Ime je obvezno", + "new_person": "Nova oseba", + "no_device_tracker_available_intro": "Ko imate naprave, ki kažejo na prisotnost osebe, jih boste lahko tukaj dodelili osebi. Svojo prvo napravo lahko dodate tako, da na strani z integracijami dodate zaznavanje prisotnosti.", + "update": "Posodobite" + }, + "introduction": "Tu lahko določite vsako osebo (uporabnika) v Home Assistant-a.", + "no_persons_created_yet": "Izgleda, da še niste ustvarili nobene osebe.", + "note_about_persons_configured_in_yaml": "Opomba: oseb, konfiguriranih prek config.yaml, ni mogoče urejati prek uporabniškega vmesnika." + }, + "script": { + "caption": "Skripte", + "description": "Ustvarite in uredite skripte", + "editor": { + "default_name": "Nova Skripta", + "delete_confirm": "Ali ste prepričani, da želite izbrisati to skripto?", + "header": "Skripta: {name}", + "load_error_not_editable": "Urejati je mogoče le skripte znotraj scripts.yaml." + }, + "picker": { + "add_script": "Dodaj skripto", + "header": "Urejevalnik skript", + "introduction": "Urejevalnik skript vam omogoča njihovo ustvarjanje in urejanje. Upoštevajte spodnjo povezavo in si preberite navodila, da se prepričate, da ste pravilno konfigurirali Home Assistant-a.", + "learn_more": "Preberite več o skriptah", + "no_scripts": "Nismo našli nobene skripte za urejanje" + } + }, + "server_control": { + "caption": "Nadzor strežnika", + "description": "Znova zaženite in ustavite strežnik Home Assistant", + "section": { + "reloading": { + "automation": "Ponovno naloži avtomatizacije", + "core": "Ponovno naloži jedro", + "group": "Ponovno naloži skupine", + "heading": "Ponovno nalaganje konfiguracije", + "introduction": "Nekateri deli Home Assistanta se lahko znova naložijo brez potrebe po ponovnem zagonu. S pritiskom na \"ponovno naloži\" se bo naložila nova konfiguracija", + "scene": "Ponovno naloži scene", + "script": "Ponovno naloži skripte" + }, + "server_management": { + "confirm_restart": "Ali ste prepričani, da želite znova zagnati Home Assistant-a?", + "confirm_stop": "Ali ste prepričani, da želite ustaviti Home Assistant-a?", + "heading": "Upravljanje strežnika", + "introduction": "Nadzirajte strežnik Home Assistant ... iz Home Assistant-a", + "restart": "Ponovni zagon", + "stop": "Ustavi" + }, + "validation": { + "check_config": "Preverite nastavitve", + "heading": "Preverjanje konfiguracije", + "introduction": "Potrdite svojo konfiguracijo, če ste nedavno spremenili svojo konfiguracijo in se prepričajte, da je vse veljavno", + "invalid": "Konfiguracija ni veljavna", + "valid": "Konfiguracija veljavna!" + } + } + }, + "users": { + "add_user": { + "caption": "Dodaj uporabnika", + "create": "Ustvari", + "name": "Ime", + "password": "Geslo", + "username": "Uporabniško ime" + }, + "caption": "Uporabniki", + "description": "Upravljajte uporabnike", + "editor": { + "activate_user": "Aktiviraj uporabnika", + "active": "aktiven", + "caption": "Prikaži uporabnika", + "change_password": "Spremeni geslo", + "confirm_user_deletion": "Ali ste prepričani, da želite izbrisati {name}?", + "deactivate_user": "Deaktiviraj uporabnika", + "delete_user": "Izbriši uporabnika", + "enter_new_name": "Vnesite novo ime", + "group": "Skupina", + "group_update_failed": "Posodobitev skupine ni uspela:", + "id": "ID", + "owner": "Lastnik", + "rename_user": "Preimenuj uporabnika", + "system_generated": "Sistemsko generirano", + "system_generated_users_not_removable": "Sistemskih uporabnikov ni mogoče odstraniti.", + "unnamed_user": "Neimenovani uporabnik", + "user_rename_failed": "Preimenovanje uporabnika ni uspelo:" + }, + "picker": { + "system_generated": "Sistemsko generirano", + "title": "Uporabniki" + } }, "zha": { - "caption": "ZHA", - "description": "Upravljanje omrežja za avtomatizacijo doma Zigbee", - "services": { - "reconfigure": "Ponovno konfigurirajte napravo ZHA (\"pozdravite\" napravo). To uporabite, če imate z njo težave. Če ta naprava deluje na baterije, se prepričajte, da je budna in sprejema ukaze pri uporabi te storitve.", - "updateDeviceName": "Nastavite ime po meri za to napravo v registru naprav.", - "remove": "Odstranite napravo iz omrežja ZigBee." - }, - "device_card": { - "device_name_placeholder": "Ime, ki ga je dodelil uporabnik", - "area_picker_label": "Območje", - "update_name_button": "Posodobi ime" - }, "add_device_page": { - "header": "Zigbee Home Automation - Dodaj naprave", - "spinner": "Iskanje ZHA Zigbee naprav...", "discovery_text": "Tukaj bodo prikazane odkrite naprave. Sledite navodilom za napravo in jo postavite v način seznanjanja.", - "search_again": "Ponovno iskanje" + "header": "Zigbee Home Automation - Dodaj naprave", + "search_again": "Ponovno iskanje", + "spinner": "Iskanje ZHA Zigbee naprav..." + }, + "caption": "ZHA", + "cluster_attributes": { + "attributes_of_cluster": "Atributi izbrane gruče", + "get_zigbee_attribute": "Pridobite Zigbee Atribute", + "header": "Atributi gruče", + "help_attribute_dropdown": "Izberite atribut, če si želite ogledati ali nastaviti njegovo vrednost.", + "help_get_zigbee_attribute": "Pridobite vrednost za izbrani atribut.", + "help_set_zigbee_attribute": "Nastavite vrednost atributa za določeno gručo v določeni entiteti.", + "introduction": "Oglejte si atribute gruče in jih uredite.", + "set_zigbee_attribute": "Nastavite Zigbee atribute" + }, + "cluster_commands": { + "commands_of_cluster": "Ukazi izbrane gruče", + "header": "Ukazi Gruče", + "help_command_dropdown": "Izberite ukaz za interakcijo.", + "introduction": "Oglejte si in izdajte ukaze gruče.", + "issue_zigbee_command": "Izdajte ukaz Zigbee" + }, + "clusters": { + "help_cluster_dropdown": "Izberite gručo, če si želite ogledati njene atribute in ukaze." }, "common": { "add_devices": "Dodajte naprave", @@ -1025,472 +1334,258 @@ "manufacturer_code_override": "Preglasitev kode proizvajalca", "value": "Vrednost" }, + "description": "Upravljanje omrežja za avtomatizacijo doma Zigbee", + "device_card": { + "area_picker_label": "Območje", + "device_name_placeholder": "Ime, ki ga je dodelil uporabnik", + "update_name_button": "Posodobi ime" + }, "network_management": { "header": "Upravljanje omrežja", "introduction": "Ukazi, ki vplivajo na celotno omrežje" }, "node_management": { "header": "Upravljanje naprav", - "introduction": "Zaženite ukaze ZHA, ki vplivajo na posamezno napravo. Izberite napravo in si oglejte seznam ukazov, ki so na voljo.", + "help_node_dropdown": "Izberite napravo za ogled njenih možnosti.", "hint_battery_devices": "Opomba: (naprave na baterijski pogon) naprave, ki spijo, morajo biti budne pri izvajanju ukazov proti njim. Zaspano napravo lahko na splošno zbudite tako, da jo sprožite.", "hint_wakeup": "Nekatere naprave, kot so Xiaomi senzorji, imajo gumb za prebujanje, ki ga lahko pritisnete v ~ 5-sekundnih intervalih, da bodo budne med interakcijo z njimi.", - "help_node_dropdown": "Izberite napravo za ogled njenih možnosti." + "introduction": "Zaženite ukaze ZHA, ki vplivajo na posamezno napravo. Izberite napravo in si oglejte seznam ukazov, ki so na voljo." }, - "clusters": { - "help_cluster_dropdown": "Izberite gručo, če si želite ogledati njene atribute in ukaze." - }, - "cluster_attributes": { - "header": "Atributi gruče", - "introduction": "Oglejte si atribute gruče in jih uredite.", - "attributes_of_cluster": "Atributi izbrane gruče", - "get_zigbee_attribute": "Pridobite Zigbee Atribute", - "set_zigbee_attribute": "Nastavite Zigbee atribute", - "help_attribute_dropdown": "Izberite atribut, če si želite ogledati ali nastaviti njegovo vrednost.", - "help_get_zigbee_attribute": "Pridobite vrednost za izbrani atribut.", - "help_set_zigbee_attribute": "Nastavite vrednost atributa za določeno gručo v določeni entiteti." - }, - "cluster_commands": { - "header": "Ukazi Gruče", - "introduction": "Oglejte si in izdajte ukaze gruče.", - "commands_of_cluster": "Ukazi izbrane gruče", - "issue_zigbee_command": "Izdajte ukaz Zigbee", - "help_command_dropdown": "Izberite ukaz za interakcijo." + "services": { + "reconfigure": "Ponovno konfigurirajte napravo ZHA (\"pozdravite\" napravo). To uporabite, če imate z njo težave. Če ta naprava deluje na baterije, se prepričajte, da je budna in sprejema ukaze pri uporabi te storitve.", + "remove": "Odstranite napravo iz omrežja ZigBee.", + "updateDeviceName": "Nastavite ime po meri za to napravo v registru naprav." } }, - "area_registry": { - "caption": "Register območij", - "description": "Pregled vseh območij v vašem domu.", - "picker": { - "header": "Register območij", - "introduction": "Področja se uporabljajo za organizacijo področja naprav. Te informacije bodo uporabljene v celotnem Home Assistant-u in vam bodo pomagale pri organizaciji vašega vmesnika, dovoljenj in integracij z drugimi sistemi.", - "introduction2": "Če želite namestiti napravo na območje, uporabite spodnjo povezavo, da se pomaknete na stran za integracije, nato pa kliknite konfigurirano integracijo, da pridete do kartic naprave.", - "integrations_page": "Stran za integracije", - "no_areas": "Izgleda, da še nimate območij!", - "create_area": "USTVARITE OBMOČJE" + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Indeks", + "instance": "Instanca", + "unknown": "Neznano", + "value": "Vrednost", + "wakeup_interval": "Interval bujenja" }, - "no_areas": "Izgleda, da še nimate območij!", - "create_area": "USTVARITE OBMOČJE", - "editor": { - "default_name": "Novo območje", - "delete": "BRISANJE", - "update": "POSODOBITEV", - "create": "USTVARITE" - } - }, - "entity_registry": { - "caption": "Seznam entitet", - "description": "Pregled vseh znanih entitet.", - "picker": { - "header": "Seznam entitet", - "unavailable": "(ni na voljo)", - "introduction": "Home Assistant vodi register vseh entitet, ki jih je kdajkoli videl in jih je mogoče enolično identificirati. Vsak od teh entitet ima dodeljen ID entitete, ki bo rezerviran samo za to entiteto.", - "introduction2": "Z registrom entitet preglasite ime, spremenite ID entitete ali odstranite vnos iz Home Assistent-a. Opomba, odstranitev vnosa registra entitet ne bo odstranila entitete. Če želite to narediti, sledite spodnji povezavi in jo odstranite s strani za integracijo.", - "integrations_page": "Stran za integracije", - "show_disabled": "Pokaži onemogočene subjekte", - "headers": { - "name": "Ime", - "entity_id": "ID subjekta", - "integration": "Integracija", - "enabled": "Omogočeno" - } + "description": "Upravljajte Z-Wave omrežje", + "learn_more": "Preberite več o Z-Wave", + "network_management": { + "header": "Upravljanje z omrežjem Z-Wave", + "introduction": "Zaženite ukaze, ki vplivajo na omrežje Z-Wave. Ne boste dobili povratne informacije o tem, ali je večina ukazov uspela, vendar lahko preverite dnevnik OZW, da boste izvedeli več." }, - "editor": { - "unavailable": "Ta entiteta trenutno ni na voljo.", - "default_name": "Novo območje", - "delete": "BRISANJE", - "update": "POSODOBITEV", - "enabled_label": "Omogoči entiteto", - "enabled_cause": "Onemogočeno zaradi {cause}.", - "enabled_description": "Onemogočeni subjekti ne bodo dodani v Home Assistant-a.", - "confirm_delete": "Ali ste prepričani, da želite izbrisati ta vnos?", - "confirm_delete2": "Če izbrišete vnos, entiteta ne bo odstranjena iz programa Home Assistant. Če želite to narediti, boste morali odstraniti integracijo '{platform}' iz programa Home Assistant." - } - }, - "person": { - "caption": "Osebe", - "description": "Upravljajte osebe, ki jih sledi Home Assistant.", - "detail": { - "name": "Ime", - "device_tracker_intro": "Izberite naprave, ki pripadajo tej osebi.", - "device_tracker_picked": "Sledi Napravi", - "device_tracker_pick": "Izberite napravo za sledenje", - "new_person": "Nova oseba", - "name_error_msg": "Ime je obvezno", - "linked_user": "Povezani uporabnik", - "no_device_tracker_available_intro": "Ko imate naprave, ki kažejo na prisotnost osebe, jih boste lahko tukaj dodelili osebi. Svojo prvo napravo lahko dodate tako, da na strani z integracijami dodate zaznavanje prisotnosti.", - "link_presence_detection_integrations": "Integracije zaznavanja prisotnosti", - "link_integrations_page": "Stran za integracije", - "delete": "Izbriši", - "create": "Ustvarite", - "update": "Posodobite" + "network_status": { + "network_started": "Z-Wave omrežje zagnano", + "network_started_note_all_queried": "Vsa vozlišča so bila poizvedena.", + "network_started_note_some_queried": "Budna vozlišča so bila poizvedana. Speča bodo, ko se zbudijo.", + "network_starting": "Zaganjam Z-Wave Omrežje...", + "network_starting_note": "Odvisno od velikosti vašega omrežja, lahko to traja nekaj časa.", + "network_stopped": "Omrežje Z-Wave ustavljeno" }, - "introduction": "Tu lahko določite vsako osebo (uporabnika) v Home Assistant-a.", - "note_about_persons_configured_in_yaml": "Opomba: oseb, konfiguriranih prek config.yaml, ni mogoče urejati prek uporabniškega vmesnika.", - "no_persons_created_yet": "Izgleda, da še niste ustvarili nobene osebe.", - "create_person": "Ustvari osebo", - "add_person": "Dodaj osebo", - "confirm_delete": "Ali ste prepričani, da želite izbrisati to osebo?", - "confirm_delete2": "Vse naprave, ki pripadajo tej osebi, bodo postale nedodeljene." - }, - "server_control": { - "caption": "Nadzor strežnika", - "description": "Znova zaženite in ustavite strežnik Home Assistant", - "section": { - "validation": { - "heading": "Preverjanje konfiguracije", - "introduction": "Potrdite svojo konfiguracijo, če ste nedavno spremenili svojo konfiguracijo in se prepričajte, da je vse veljavno", - "check_config": "Preverite nastavitve", - "valid": "Konfiguracija veljavna!", - "invalid": "Konfiguracija ni veljavna" - }, - "reloading": { - "heading": "Ponovno nalaganje konfiguracije", - "introduction": "Nekateri deli Home Assistanta se lahko znova naložijo brez potrebe po ponovnem zagonu. S pritiskom na \"ponovno naloži\" se bo naložila nova konfiguracija", - "core": "Ponovno naloži jedro", - "group": "Ponovno naloži skupine", - "automation": "Ponovno naloži avtomatizacije", - "script": "Ponovno naloži skripte", - "scene": "Ponovno naloži scene" - }, - "server_management": { - "heading": "Upravljanje strežnika", - "introduction": "Nadzirajte strežnik Home Assistant ... iz Home Assistant-a", - "restart": "Ponovni zagon", - "stop": "Ustavi", - "confirm_restart": "Ali ste prepričani, da želite znova zagnati Home Assistant-a?", - "confirm_stop": "Ali ste prepričani, da želite ustaviti Home Assistant-a?" - } - } - }, - "devices": { - "caption": "Naprave", - "description": "Upravljajte povezane naprave", - "automation": { - "triggers": { - "caption": "Naredi nekaj, ko ..." - }, - "conditions": { - "caption": "Naredite nekaj, samo če ..." - }, - "actions": { - "caption": "Ko se nekaj sproži ..." - } - } - }, - "common": { - "editor": { - "confirm_unsaved": "Imate neshranjene spremembe. Ste prepričani, da želite zapustiti?" + "node_config": { + "config_parameter": "Vrednostni parameter", + "config_value": "Vrednost nastavite", + "false": "Lažno", + "header": "Možnosti konfiguracije vozlišča", + "seconds": "Sekund", + "set_config_parameter": "Nastavite Config Parameter", + "set_wakeup": "Nastavite Interval bujenja", + "true": "Prav" + }, + "ozw_log": { + "header": "OZW dnevnik", + "introduction": "Oglejte si dnevnik. 0 je minimum (naloži celoten dnevnik), 1000 pa največ. Prikazan bo statični dnevnik, konec pa se bo samodejno posodobil z zadnjim določenim številom vrstic dnevnika." + }, + "services": { + "add_node": "Dodaj vozlišče", + "add_node_secure": "Dodaj vozlišče varno", + "cancel_command": "Prekliči ukaz", + "heal_network": "Pozdravite omrežje", + "remove_node": "Odstrani vozlišče", + "save_config": "Shrani konfiguracijo", + "soft_reset": "Resetiraj", + "start_network": "Zaženite omrežje", + "stop_network": "Ustavite omrežje", + "test_network": "Preizkusite omrežje" + }, + "values": { + "header": "Vrednosti vozlišča" } } }, - "profile": { - "push_notifications": { - "header": "Push obvestila", - "description": "Pošiljaj obvestila tej napravi", - "error_load_platform": "Konfiguriraj notify.html5 (push obvestila).", - "error_use_https": "Zahteva SSL za Frontend.", - "push_notifications": "Push obvestila", - "link_promo": "Preberite več" - }, - "language": { - "header": "Jezik", - "link_promo": "Pomagajte pri prevodu", - "dropdown_label": "Jezik" - }, - "themes": { - "header": "Tema", - "error_no_theme": "Teme niso na voljo.", - "link_promo": "Preberite več o temah", - "dropdown_label": "Tema" - }, - "refresh_tokens": { - "header": "Osvežilni žetoni", - "description": "Vsak osvežilni žeton predstavlja sejo za prijavo. Osvežilni žetoni se samodejno odstranijo, ko kliknete odjava. Za vaš račun so trenutno aktivni naslednji žetoni za osveževanje.", - "token_title": "Žeton za osveževanje za {clientId}", - "created_at": "Ustvarjen na {date}", - "confirm_delete": "Ali ste prepričani, da želite izbrisati žeton za osveževanje za {name} ?", - "delete_failed": "Žetonov za osveževanje ni bilo mogoče izbrisati.", - "last_used": "Nazadnje uporabljen {date} iz {location}", - "not_used": "Nikoli ni bil uporabljen", - "current_token_tooltip": "Trenutni žeton ni mogoče izbrisati" - }, - "long_lived_access_tokens": { - "header": "Dolgotrajni dostopni žetoni", - "description": "Ustvarite dolgožive žetone dostopa, s katerimi lahko skripte komunicirajo z vašim primerkom Home Assistanta. Vsak žeton bo veljaven 10 let od nastanka. Trenutno so aktivni naslednji dolgotrajni dostopni žetoni.", - "learn_auth_requests": "Naučite se, kako naredite preverjene zahteve.", - "created_at": "Ustvarjen na {date}", - "confirm_delete": "Ali ste prepričani, da želite izbrisati žeton za dostop za {name} ?", - "delete_failed": "Ni bilo mogoče ustvariti žetona za dostop.", - "create": "Ustvari žeton", - "create_failed": "Ni bilo mogoče ustvariti žetona za dostop.", - "prompt_name": "Ime?", - "prompt_copy_token": "Kopirate žeton za dostop. Ta ne bo prikazan znova.", - "empty_state": "Nimate dostopnih žetonov z daljšim rokom trajanja.", - "last_used": "Nazadnje uporabljen {date} iz {location}", - "not_used": "Nikoli ni bil uporabljen" - }, - "current_user": "Trenutno ste prijavljeni kot {fullName}.", - "is_owner": "Ste lastnik.", - "change_password": { - "header": "Spremeni geslo", - "current_password": "Trenutno geslo", - "new_password": "Novo geslo", - "confirm_new_password": "Potrdite novo geslo", - "error_required": "Zahtevano", - "submit": "Pošlji" - }, - "mfa": { - "header": "Večfaktorski moduli za preverjanje pristnosti", - "disable": "Onemogoči", - "enable": "Omogoči", - "confirm_disable": "Ali ste prepričani, da želite onemogočiti {name} ?" - }, - "mfa_setup": { - "title_aborted": "Prekinjeno", - "title_success": "Uspeh!", - "step_done": "Nastavitev je bila opravljena za {step}", - "close": "Zapri", - "submit": "Pošlji" - }, - "logout": "Odjava", - "force_narrow": { - "header": "Vedno skrij stransko vrstico", - "description": "To bo privzeto skrilo stransko vrstico, podobno kot pri mobilnih napravah." - }, - "vibrate": { - "header": "Vibriraj", - "description": "V tej napravi omogočite ali onemogočite vibracije pri krmiljenju naprav." - }, - "advanced_mode": { - "title": "Napredni način", - "description": "Home Assistant privzeto skrije napredne funkcije in možnosti. Do teh funkcij lahko dostopate tako, da vklopite to stikalo. To je uporabniško določena nastavitev, ki ne vpliva na druge uporabnike." - } - }, - "page-authorize": { - "initializing": "Inicializacija", - "authorizing_client": "Dali boste {clientId} dostop do vašega Home Assistanta.", - "logging_in_with": "Prijava z **{authProviderName}**.", - "pick_auth_provider": "Ali se prijavite z", - "abort_intro": "Prijava prekinjena", - "form": { - "working": "Prosimo počakajte", - "unknown_error": "Nekaj ​​je šlo narobe", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Uporabniško ime", - "password": "Geslo" - } - }, - "mfa": { - "data": { - "code": "Dvofaktorska koda za avtorizacijo" - }, - "description": "V svoji napravi odprite **{mfa_module_name}**, da si ogledate svojo dvofaktorsko kodo za preverjanje pristnosti in preverite svojo identiteto:" - } - }, - "error": { - "invalid_auth": "Neveljavno uporabniško ime ali geslo", - "invalid_code": "Neveljavna avtorizacijska koda" - }, - "abort": { - "login_expired": "Seja je potekla, prosimo, prijavite se znova." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "API Geslo" - }, - "description": "Prosimo vnesite API geslo v vašem http config-u:" - }, - "mfa": { - "data": { - "code": "Dvofaktorska koda za avtorizacijo" - }, - "description": "V svoji napravi odprite **{mfa_module_name}**, da si ogledate svojo dvofaktorsko kodo za preverjanje pristnosti in preverite svojo identiteto:" - } - }, - "error": { - "invalid_auth": "Neveljavna API geslo", - "invalid_code": "Neveljavna avtorizacijska koda" - }, - "abort": { - "no_api_password_set": "Nimate nastavljenega gesla API-ja.", - "login_expired": "Seja je potekla, prosimo, prijavite se znova." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Uporabnik" - }, - "description": "Izberite uporabnika s katerim se želite prijaviti:" - } - }, - "abort": { - "not_whitelisted": "Vaš računalnik ni dodan med zaupanja vredne." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Uporabniško ime", - "password": "Geslo" - } - }, - "mfa": { - "data": { - "code": "Dvofaktorska koda za avtorizacijo" - }, - "description": "V svoji napravi odprite **{mfa_module_name}**, da si ogledate svojo dvofaktorsko kodo za preverjanje pristnosti in preverite svojo identiteto:" - } - }, - "error": { - "invalid_auth": "Neveljavno uporabniško ime ali geslo", - "invalid_code": "Neveljavna avtorizacijska koda" - }, - "abort": { - "login_expired": "Seja je potekla, prosimo, prijavite se znova." - } - } - } - } - }, - "page-onboarding": { - "intro": "Ali ste pripravljeni prebuditi svoj dom, povrniti svojo zasebnost in se pridružiti svetovni skupnosti ustvarjalcev?", - "user": { - "intro": "Začnite tako, da ustvarite uporabniški račun.", - "required_field": "Zahtevano", - "data": { - "name": "Ime", - "username": "Uporabniško ime", - "password": "Geslo", - "password_confirm": "Potrdi Geslo" + "developer-tools": { + "tabs": { + "events": { + "alert_event_type": "Vrsta dogodka je obvezno polje", + "available_events": "Razpoložljivi dogodki", + "count_listeners": "({count} poslušalcev)", + "data": "Podatki o dogodku (YAML, neobvezno)", + "description": "Zaženite dogodek na \"event bus\".", + "documentation": "Dokumentacija o dogodkih.", + "event_fired": "Dogodek {name} zagnan", + "fire_event": "Zaženite dogodek", + "listen_to_events": "Poslušajte dogodkom", + "listening_to": "Poslušanje", + "notification_event_fired": "Dogodek {type} uspešno zagnan!", + "start_listening": "Začnite poslušati", + "stop_listening": "Nehajte poslušati", + "subscribe_to": "Dogodek, na katerega se lahko naročite", + "title": "Dogodki", + "type": "Vrsta dogodka" }, - "create_account": "Ustvarite račun", - "error": { - "required_fields": "Izpolnite vsa zahtevana polja", - "password_not_match": "Gesli se ne ujemata" + "info": { + "built_using": "Zgrajen z uporabo", + "custom_uis": "Uporabniški vmesniki po meri:", + "default_ui": "{action} {name} kot privzeta stran v tej napravi", + "developed_by": "Razvija ga kup osupljivih ljudi.", + "frontend": "frontend-ui", + "frontend_version": "Frontend različica: {version} - {type}", + "home_assistant_logo": "Home Assistant logotip", + "icons_by": "Ikone ustvarili z", + "license": "Objavljeno pod licenco Apache 2.0", + "lovelace_ui": "Pojdite na uporabniški vmesnik Lovelace", + "path_configuration": "Pot do configuration.yaml: {path}", + "remove": "Odstrani", + "server": "strežnik", + "set": "Nastavite", + "source": "Vir:", + "states_ui": "Pojdite na uporabniški vmesnik \"states\"", + "system_health_error": "Komponenta \"system health\" ni naložena. Dodajte \"system_health:\" v svoj configuration.yaml", + "title": "Info" + }, + "logs": { + "clear": "Počisti", + "details": "Podrobnosti dnevnika ({level})", + "load_full_log": "Naloži celoten dnevnik Home Assistant-a", + "loading_log": "Nalaganje dnevnika napak ...", + "multiple_messages": "sporočilo se je prvič pojavilo ob {time} in se prikaže {counter} krat", + "no_errors": "Ni prijavljenih napak.", + "no_issues": "Ni novih težav!", + "refresh": "Osveži", + "title": "Dnevniki" + }, + "mqtt": { + "description_listen": "Poslušajte temi", + "description_publish": "Objavi paket", + "listening_to": "Poslušanje", + "message_received": "Sporočilo {id} prejeto v {topic} ob {time}:", + "payload": "Tovor (predloga je dovoljena)", + "publish": "Objavi", + "start_listening": "Začnite poslušati", + "stop_listening": "Nehajte poslušati", + "subscribe_to": "Tema, na katero se lahko naročite", + "title": "MQTT", + "topic": "tema" + }, + "services": { + "alert_parsing_yaml": "Napaka pri razčlenjevanju YAML-a: {data}", + "call_service": "Kliči Storitev", + "column_description": "Opis", + "column_example": "Primer", + "column_parameter": "Parameter", + "data": "Podatki o storitvah (YAML, neobvezno)", + "description": "Storitev dev orodje vam omogoča, da pokličete vse razpoložljive storitve v Home Assistant.", + "fill_example_data": "Izpolnite primer podatkov", + "no_description": "Opis ni na voljo", + "no_parameters": "Ta storitev nima nobenih parametrov.", + "select_service": "Izberite storitev, da si ogledate opis", + "title": "Storitve" + }, + "states": { + "alert_entity_field": "Entiteta je obvezno polje", + "attributes": "Lastnosti", + "current_entities": "Trenutne entitete", + "description1": "Nastavite predstavitev naprave v programu Home Assistant.", + "description2": "To ne bo komuniciralo z dejansko napravo.", + "entity": "Subjekt", + "filter_attributes": "Filter atributov", + "filter_entities": "Filter entitet", + "filter_states": "Filter stanj", + "more_info": "Več informacij", + "no_entities": "Brez entitet", + "set_state": "Nastavi stanje", + "state": "Stanje", + "state_attributes": "Lastnosti stanja (YAML, neobvezno)", + "title": "Stanja" + }, + "templates": { + "description": "Predloge so upodobljene s pomočjo mehanizma za predloge Jinja2 z nekaterimi posebnimi razširitvami Home Assistant.", + "editor": "Urejevalnik predlog", + "jinja_documentation": "Dokumentacija predloge Jinja2", + "template_extensions": "Home Assistant razširitvene predloge", + "title": "Predloge", + "unknown_error_template": "Neznana napaka upodabljanju predloge" } - }, - "integration": { - "intro": "Naprave in storitve so v Home Assistantu predstavljene kot integracije. Zdaj jih lahko nastavite ali pa to storite kasneje iz konfiguracijske strani.", - "more_integrations": "Več", - "finish": "Dokončaj" - }, - "core-config": { - "intro": "Pozdravljeni {name}, dobrodošli v Home Assistantu. Kako bi radi poimenovali vaš dom?", - "intro_location": "Radi bi vedeli, kje živite. Te informacije vam bodo pomagale pri prikazovanju informacij in postavitvi avtomatizacij, ki temeljijo na soncu. Ti podatki se nikoli ne delijo izven vašega omrežja.", - "intro_location_detect": "Lahko vam pomagamo izpolniti te informacije z enkratno zahtevo za zunanjo storitev.", - "location_name_default": "Dom", - "button_detect": "Odkrij", - "finish": "Naslednji" } }, + "history": { + "period": "Obdobje", + "showing_entries": "Prikaz vnosov za" + }, + "logbook": { + "period": "Obdobje", + "showing_entries": "Prikaz vnosov za" + }, "lovelace": { "cards": { - "shopping-list": { - "checked_items": "Označeni predmeti", - "clear_items": "Počisti označene elemente", - "add_item": "Dodaj element" - }, + "confirm_delete": "Ali ste prepričani, da želite izbrisati to kartico?", "empty_state": { - "title": "Dobrodošli Doma", + "go_to_integrations_page": "Pojdite na stran za integracije.", "no_devices": "Ta stran vam omogoča nadzor nad napravami, vendar je videti, da še niste nastavili nobenih naprav. Pojdite na stran za integracije, da začnete.", - "go_to_integrations_page": "Pojdite na stran za integracije." + "title": "Dobrodošli Doma" }, "picture-elements": { - "hold": "Pridržite:", - "tap": "Tapnite:", - "navigate_to": "Pojdite na {location}", - "toggle": "Preklopi {name}", "call_service": "Kličite storitev {name}", + "hold": "Pridržite:", "more_info": "Pokaži več informacij: {name}", + "navigate_to": "Pojdite na {location}", + "tap": "Tapnite:", + "toggle": "Preklopi {name}", "url": "Odprite okno za {url_path}" }, - "confirm_delete": "Ali ste prepričani, da želite izbrisati to kartico?" + "shopping-list": { + "add_item": "Dodaj element", + "checked_items": "Označeni predmeti", + "clear_items": "Počisti označene elemente" + } + }, + "changed_toast": { + "message": "Konfiguracija Lovelace je bila spremenjena, jo želiš osvežiti?", + "refresh": "Osveži" }, "editor": { - "edit_card": { - "header": "Konfiguracija kartice", - "save": "Shrani", - "toggle_editor": "Preklop na urejevalnik", - "pick_card": "Katero kartico želite dodati?", - "add": "Dodaj kartico", - "edit": "Uredi", - "delete": "Izbriši", - "move": "Premakni", - "show_visual_editor": "Pokaži vizualni urejevalnik", - "show_code_editor": "Pokaži urejevalnik kode", - "pick_card_view_title": "Katero kartico želite dodati v pogled {name}?", - "options": "Več možnosti" - }, - "migrate": { - "header": "Konfiguracija Nezdružljiva", - "para_no_id": "Ta element nima ID-ja. Prosimo, dodajte ID tega elementa v 'ui-lovelace.yaml'.", - "para_migrate": "Home Assistant lahko doda ID-je vsem vašim karticam in pogledom samodejno s pritiskom gumba »Migriraj nastavitve«.", - "migrate": "Migriraj nastavitve" - }, - "header": "Uredi UI", - "edit_view": { - "header": "Prikaži konfiguracijo", - "add": "Dodaj pogled", - "edit": "Uredi pogled", - "delete": "Izbriši pogled", - "header_name": "{name} Prikaži konfiguracijo" - }, - "save_config": { - "header": "Prevzemite nadzor nad lovelace vmesnikom", - "para": "Home Assistant bo privzeto vzdrževal vaš uporabniški vmesnik, ga posodabljal, ko bodo na voljo nove entitete ali komponente Lovelace. Če prevzamete nadzor, vam ga ne bo več samodejno popravljal.", - "para_sure": "Ali ste prepričani, da želite prevzeti nadzor nad vašim vmesnikom?", - "cancel": "Pozabi", - "save": "Prevzemite nadzor" - }, - "menu": { - "raw_editor": "Urejevalnik konfiguracije", - "open": "Odprite meni Lovelace" - }, - "raw_editor": { - "header": "Uredi nastavitve", - "save": "Shrani", - "unsaved_changes": "Neshranjene spremembe", - "saved": "Shranjeno" - }, - "edit_lovelace": { - "header": "Naslov vašega uporabniškega vmesnika Lovelace", - "explanation": "Ta naslov je prikazan nad vsemi vašimi pogledi v Lovelace-u." - }, "card": { "alarm_panel": { "available_states": "Stanja na voljo" }, + "alarm-panel": { + "available_states": "Stanja na voljo", + "name": "Alarmna plošča" + }, + "conditional": { + "name": "Pogojno" + }, "config": { - "required": "Obvezno", - "optional": "Neobvezno" + "optional": "Neobvezno", + "required": "Obvezno" }, "entities": { - "show_header_toggle": "Pokaži preklop glave?", "name": "Subjekti", + "show_header_toggle": "Pokaži preklop glave?", "toggle": "Preklopi entitete." }, + "entity-button": { + "name": "Subjekt gumba" + }, + "entity-filter": { + "name": "Filter entitet" + }, "gauge": { + "name": "Merilnik", "severity": { "define": "Določi resnost?", "green": "Zelena", "red": "Rdeča", "yellow": "Rumena" - }, - "name": "Merilnik" - }, - "glance": { - "columns": "Stolpci", - "name": "Pregled" + } }, "generic": { "aspect_ratio": "Razmerje Med Širino In Višino", @@ -1511,39 +1606,14 @@ "show_name": "Prikaži ime?", "show_state": "Prikaži stanje?", "tap_action": "Dejanje dotika", - "title": "Naslov", "theme": "Tema", + "title": "Naslov", "unit": "Enota", "url": "URL" }, - "map": { - "geo_location_sources": "Geolokacijski viri", - "dark_mode": "Temni način?", - "default_zoom": "Privzeta povečava", - "source": "Vir", - "name": "Zemljevid" - }, - "markdown": { - "content": "Vsebina", - "name": "Markdown" - }, - "sensor": { - "graph_detail": "Podrobnosti grafa", - "graph_type": "Vrsta grafikona", - "name": "Senzor" - }, - "alarm-panel": { - "name": "Alarmna plošča", - "available_states": "Stanja na voljo" - }, - "conditional": { - "name": "Pogojno" - }, - "entity-button": { - "name": "Subjekt gumba" - }, - "entity-filter": { - "name": "Filter entitet" + "glance": { + "columns": "Stolpci", + "name": "Pregled" }, "history-graph": { "name": "Graf zgodovine" @@ -1557,12 +1627,20 @@ "light": { "name": "Luči" }, + "map": { + "dark_mode": "Temni način?", + "default_zoom": "Privzeta povečava", + "geo_location_sources": "Geolokacijski viri", + "name": "Zemljevid", + "source": "Vir" + }, + "markdown": { + "content": "Vsebina", + "name": "Markdown" + }, "media-control": { "name": "Nadzor predvajalnika" }, - "picture": { - "name": "Slika" - }, "picture-elements": { "name": "Slikovni elementi" }, @@ -1572,9 +1650,17 @@ "picture-glance": { "name": "Pogled slike" }, + "picture": { + "name": "Slika" + }, "plant-status": { "name": "Stanje rastline" }, + "sensor": { + "graph_detail": "Podrobnosti grafa", + "graph_type": "Vrsta grafikona", + "name": "Senzor" + }, "shopping-list": { "name": "Nakupovalni seznam" }, @@ -1588,434 +1674,348 @@ "name": "Vremenska napoved" } }, + "edit_card": { + "add": "Dodaj kartico", + "delete": "Izbriši", + "edit": "Uredi", + "header": "Konfiguracija kartice", + "move": "Premakni", + "options": "Več možnosti", + "pick_card": "Katero kartico želite dodati?", + "pick_card_view_title": "Katero kartico želite dodati v pogled {name}?", + "save": "Shrani", + "show_code_editor": "Pokaži urejevalnik kode", + "show_visual_editor": "Pokaži vizualni urejevalnik", + "toggle_editor": "Preklop na urejevalnik" + }, + "edit_lovelace": { + "explanation": "Ta naslov je prikazan nad vsemi vašimi pogledi v Lovelace-u.", + "header": "Naslov vašega uporabniškega vmesnika Lovelace" + }, + "edit_view": { + "add": "Dodaj pogled", + "delete": "Izbriši pogled", + "edit": "Uredi pogled", + "header": "Prikaži konfiguracijo", + "header_name": "{name} Prikaži konfiguracijo" + }, + "header": "Uredi UI", + "menu": { + "open": "Odprite meni Lovelace", + "raw_editor": "Urejevalnik konfiguracije" + }, + "migrate": { + "header": "Konfiguracija Nezdružljiva", + "migrate": "Migriraj nastavitve", + "para_migrate": "Home Assistant lahko doda ID-je vsem vašim karticam in pogledom samodejno s pritiskom gumba »Migriraj nastavitve«.", + "para_no_id": "Ta element nima ID-ja. Prosimo, dodajte ID tega elementa v 'ui-lovelace.yaml'." + }, + "raw_editor": { + "header": "Uredi nastavitve", + "save": "Shrani", + "saved": "Shranjeno", + "unsaved_changes": "Neshranjene spremembe" + }, + "save_config": { + "cancel": "Pozabi", + "header": "Prevzemite nadzor nad lovelace vmesnikom", + "para": "Home Assistant bo privzeto vzdrževal vaš uporabniški vmesnik, ga posodabljal, ko bodo na voljo nove entitete ali komponente Lovelace. Če prevzamete nadzor, vam ga ne bo več samodejno popravljal.", + "para_sure": "Ali ste prepričani, da želite prevzeti nadzor nad vašim vmesnikom?", + "save": "Prevzemite nadzor" + }, "view": { "panel_mode": { - "title": "Način panel?", - "description": "To prikaže prvo kartico v polni širini, ostale ne bodo prikazane." + "description": "To prikaže prvo kartico v polni širini, ostale ne bodo prikazane.", + "title": "Način panel?" } } }, "menu": { "configure_ui": "Konfiguriraj UI", - "unused_entities": "Neuporabljene entitete", "help": "Pomoč", - "refresh": "Osveži" - }, - "warning": { - "entity_not_found": "Entiteta ni na voljo: {entity}", - "entity_non_numeric": "Entiteta je neštevilska: {entity}" - }, - "changed_toast": { - "message": "Konfiguracija Lovelace je bila spremenjena, jo želiš osvežiti?", - "refresh": "Osveži" + "refresh": "Osveži", + "unused_entities": "Neuporabljene entitete" }, "reload_lovelace": "Ponovno naloži Lovelace", "views": { "confirm_delete": "Ali ste prepričani, da želite izbrisati ta pogled?", "existing_cards": "Ne morete izbrisati pogleda, v katerem so kartice. Najprej jih odstranite." + }, + "warning": { + "entity_non_numeric": "Entiteta je neštevilska: {entity}", + "entity_not_found": "Entiteta ni na voljo: {entity}" } }, + "mailbox": { + "delete_button": "Izbriši", + "delete_prompt": "Želite izbrisati to sporočilo?", + "empty": "Nimate sporočil", + "playback_title": "Predvajaj sporočilo" + }, + "page-authorize": { + "abort_intro": "Prijava prekinjena", + "authorizing_client": "Dali boste {clientId} dostop do vašega Home Assistanta.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Seja je potekla, prosimo, prijavite se znova." + }, + "error": { + "invalid_auth": "Neveljavno uporabniško ime ali geslo", + "invalid_code": "Neveljavna avtorizacijska koda" + }, + "step": { + "init": { + "data": { + "password": "Geslo", + "username": "Uporabniško ime" + } + }, + "mfa": { + "data": { + "code": "Dvofaktorska koda za avtorizacijo" + }, + "description": "V svoji napravi odprite **{mfa_module_name}**, da si ogledate svojo dvofaktorsko kodo za preverjanje pristnosti in preverite svojo identiteto:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Seja je potekla, prosimo, prijavite se znova." + }, + "error": { + "invalid_auth": "Neveljavno uporabniško ime ali geslo", + "invalid_code": "Neveljavna avtorizacijska koda" + }, + "step": { + "init": { + "data": { + "password": "Geslo", + "username": "Uporabniško ime" + } + }, + "mfa": { + "data": { + "code": "Dvofaktorska koda za avtorizacijo" + }, + "description": "V svoji napravi odprite **{mfa_module_name}**, da si ogledate svojo dvofaktorsko kodo za preverjanje pristnosti in preverite svojo identiteto:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Seja je potekla, prosimo, prijavite se znova.", + "no_api_password_set": "Nimate nastavljenega gesla API-ja." + }, + "error": { + "invalid_auth": "Neveljavna API geslo", + "invalid_code": "Neveljavna avtorizacijska koda" + }, + "step": { + "init": { + "data": { + "password": "API Geslo" + }, + "description": "Prosimo vnesite API geslo v vašem http config-u:" + }, + "mfa": { + "data": { + "code": "Dvofaktorska koda za avtorizacijo" + }, + "description": "V svoji napravi odprite **{mfa_module_name}**, da si ogledate svojo dvofaktorsko kodo za preverjanje pristnosti in preverite svojo identiteto:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Vaš računalnik ni dodan med zaupanja vredne." + }, + "step": { + "init": { + "data": { + "user": "Uporabnik" + }, + "description": "Izberite uporabnika s katerim se želite prijaviti:" + } + } + } + }, + "unknown_error": "Nekaj ​​je šlo narobe", + "working": "Prosimo počakajte" + }, + "initializing": "Inicializacija", + "logging_in_with": "Prijava z **{authProviderName}**.", + "pick_auth_provider": "Ali se prijavite z" + }, "page-demo": { "cards": { "demo": { "demo_by": "avtor: {name}", - "next_demo": "Naslednja predstavitev", "introduction": "Dobrodošli doma! Dosegli ste predstavitev Home Assistant-a, kjer smo predstavili najboljše uporabniške vmesnike, ki jih je ustvarila naša skupnost.", - "learn_more": "Več o Home Assistant-u" + "learn_more": "Več o Home Assistant-u", + "next_demo": "Naslednja predstavitev" } }, "config": { "arsaboo": { - "names": { - "upstairs": "Zgoraj", - "family_room": "Dnevna soba", - "kitchen": "Kuhinja", - "patio": "Terasa", - "hallway": "Hodnik", - "master_bedroom": "Glavna spalnica", - "left": "Levo", - "right": "Desno", - "mirror": "Ogledalo", - "temperature_study": "Študija temperature" - }, "labels": { - "lights": "Luči", - "information": "Informacije", - "morning_commute": "Jutranja vožnja", + "activity": "Dejavnost", + "air": "Zrak", "commute_home": "Vožnja do doma", "entertainment": "Zabava", - "activity": "Dejavnost", "hdmi_input": "HDMI vhod", "hdmi_switcher": "HDMI stikalo", - "volume": "Glasnost", + "information": "Informacije", + "lights": "Luči", + "morning_commute": "Jutranja vožnja", "total_tv_time": "Skupni TV čas", "turn_tv_off": "Izklop televizije", - "air": "Zrak" + "volume": "Glasnost" + }, + "names": { + "family_room": "Dnevna soba", + "hallway": "Hodnik", + "kitchen": "Kuhinja", + "left": "Levo", + "master_bedroom": "Glavna spalnica", + "mirror": "Ogledalo", + "patio": "Terasa", + "right": "Desno", + "temperature_study": "Študija temperature", + "upstairs": "Zgoraj" }, "unit": { - "watching": "gledam", - "minutes_abbr": "min" + "minutes_abbr": "min", + "watching": "gledam" } } } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Odkrij", + "finish": "Naslednji", + "intro": "Pozdravljeni {name}, dobrodošli v Home Assistantu. Kako bi radi poimenovali vaš dom?", + "intro_location": "Radi bi vedeli, kje živite. Te informacije vam bodo pomagale pri prikazovanju informacij in postavitvi avtomatizacij, ki temeljijo na soncu. Ti podatki se nikoli ne delijo izven vašega omrežja.", + "intro_location_detect": "Lahko vam pomagamo izpolniti te informacije z enkratno zahtevo za zunanjo storitev.", + "location_name_default": "Dom" + }, + "integration": { + "finish": "Dokončaj", + "intro": "Naprave in storitve so v Home Assistantu predstavljene kot integracije. Zdaj jih lahko nastavite ali pa to storite kasneje iz konfiguracijske strani.", + "more_integrations": "Več" + }, + "intro": "Ali ste pripravljeni prebuditi svoj dom, povrniti svojo zasebnost in se pridružiti svetovni skupnosti ustvarjalcev?", + "user": { + "create_account": "Ustvarite račun", + "data": { + "name": "Ime", + "password": "Geslo", + "password_confirm": "Potrdi Geslo", + "username": "Uporabniško ime" + }, + "error": { + "password_not_match": "Gesli se ne ujemata", + "required_fields": "Izpolnite vsa zahtevana polja" + }, + "intro": "Začnite tako, da ustvarite uporabniški račun.", + "required_field": "Zahtevano" + } + }, + "profile": { + "advanced_mode": { + "description": "Home Assistant privzeto skrije napredne funkcije in možnosti. Do teh funkcij lahko dostopate tako, da vklopite to stikalo. To je uporabniško določena nastavitev, ki ne vpliva na druge uporabnike.", + "title": "Napredni način" + }, + "change_password": { + "confirm_new_password": "Potrdite novo geslo", + "current_password": "Trenutno geslo", + "error_required": "Zahtevano", + "header": "Spremeni geslo", + "new_password": "Novo geslo", + "submit": "Pošlji" + }, + "current_user": "Trenutno ste prijavljeni kot {fullName}.", + "force_narrow": { + "description": "To bo privzeto skrilo stransko vrstico, podobno kot pri mobilnih napravah.", + "header": "Vedno skrij stransko vrstico" + }, + "is_owner": "Ste lastnik.", + "language": { + "dropdown_label": "Jezik", + "header": "Jezik", + "link_promo": "Pomagajte pri prevodu" + }, + "logout": "Odjava", + "long_lived_access_tokens": { + "confirm_delete": "Ali ste prepričani, da želite izbrisati žeton za dostop za {name} ?", + "create": "Ustvari žeton", + "create_failed": "Ni bilo mogoče ustvariti žetona za dostop.", + "created_at": "Ustvarjen na {date}", + "delete_failed": "Ni bilo mogoče ustvariti žetona za dostop.", + "description": "Ustvarite dolgožive žetone dostopa, s katerimi lahko skripte komunicirajo z vašim primerkom Home Assistanta. Vsak žeton bo veljaven 10 let od nastanka. Trenutno so aktivni naslednji dolgotrajni dostopni žetoni.", + "empty_state": "Nimate dostopnih žetonov z daljšim rokom trajanja.", + "header": "Dolgotrajni dostopni žetoni", + "last_used": "Nazadnje uporabljen {date} iz {location}", + "learn_auth_requests": "Naučite se, kako naredite preverjene zahteve.", + "not_used": "Nikoli ni bil uporabljen", + "prompt_copy_token": "Kopirate žeton za dostop. Ta ne bo prikazan znova.", + "prompt_name": "Ime?" + }, + "mfa_setup": { + "close": "Zapri", + "step_done": "Nastavitev je bila opravljena za {step}", + "submit": "Pošlji", + "title_aborted": "Prekinjeno", + "title_success": "Uspeh!" + }, + "mfa": { + "confirm_disable": "Ali ste prepričani, da želite onemogočiti {name} ?", + "disable": "Onemogoči", + "enable": "Omogoči", + "header": "Večfaktorski moduli za preverjanje pristnosti" + }, + "push_notifications": { + "description": "Pošiljaj obvestila tej napravi", + "error_load_platform": "Konfiguriraj notify.html5 (push obvestila).", + "error_use_https": "Zahteva SSL za Frontend.", + "header": "Push obvestila", + "link_promo": "Preberite več", + "push_notifications": "Push obvestila" + }, + "refresh_tokens": { + "confirm_delete": "Ali ste prepričani, da želite izbrisati žeton za osveževanje za {name} ?", + "created_at": "Ustvarjen na {date}", + "current_token_tooltip": "Trenutni žeton ni mogoče izbrisati", + "delete_failed": "Žetonov za osveževanje ni bilo mogoče izbrisati.", + "description": "Vsak osvežilni žeton predstavlja sejo za prijavo. Osvežilni žetoni se samodejno odstranijo, ko kliknete odjava. Za vaš račun so trenutno aktivni naslednji žetoni za osveževanje.", + "header": "Osvežilni žetoni", + "last_used": "Nazadnje uporabljen {date} iz {location}", + "not_used": "Nikoli ni bil uporabljen", + "token_title": "Žeton za osveževanje za {clientId}" + }, + "themes": { + "dropdown_label": "Tema", + "error_no_theme": "Teme niso na voljo.", + "header": "Tema", + "link_promo": "Preberite več o temah" + }, + "vibrate": { + "description": "V tej napravi omogočite ali onemogočite vibracije pri krmiljenju naprav.", + "header": "Vibriraj" + } + }, + "shopping-list": { + "add_item": "Dodaj potrebščino", + "clear_completed": "Počisti dokončane", + "microphone_tip": "Tapnite mikrofon zgoraj desno in recite (Le ANG) \"Add candy to my shopping list\"" } }, "sidebar": { - "log_out": "Odjava", "external_app_configuration": "Konfiguracija aplikacije", + "log_out": "Odjava", "sidebar_toggle": "Preklop stranske vrstice" - }, - "common": { - "loading": "Nalaganje", - "cancel": "Prekliči", - "save": "Shrani", - "successfully_saved": "Shranjeno" - }, - "duration": { - "day": "{count} {count, plural,\none {Dan}\nother {Dni}\n}", - "week": "{count} {count, plural,\none {Teden}\nother {Tednov}\n}", - "second": "{count} {count, plural,\none {Sekunda}\nother {Sekund}\n}", - "minute": "{count} {count, plural,\n one {Minuta}\n other {Minut}\n}", - "hour": "{count} {count, plural,\n one {Ura}\n other {Ur}\n}" - }, - "login-form": { - "password": "Geslo", - "remember": "Zapomni si", - "log_in": "Prijavi se" - }, - "card": { - "camera": { - "not_available": "Slika ni na voljo" - }, - "persistent_notification": { - "dismiss": "Opusti" - }, - "scene": { - "activate": "Aktiviraj" - }, - "script": { - "execute": "Izvedi" - }, - "weather": { - "attributes": { - "air_pressure": "Zračni tlak", - "humidity": "Vlažnost", - "temperature": "Temperatura", - "visibility": "Vidljivost", - "wind_speed": "Hitrost vetra" - }, - "cardinal_direction": { - "e": "Vzhod", - "ene": "Vzhodno-severovzhod", - "ese": "Vzhodno-jugovzhod", - "n": "Sever", - "ne": "Severovzhod", - "nne": "Severo-severovzhod", - "nw": "Severozahod", - "nnw": "Severo-severozahod", - "s": "Jug", - "se": "Jugovzhod", - "sse": "Jugo-juhovzhod", - "ssw": "Jugo-jugozahod", - "sw": "Jugozahod", - "w": "Zahod", - "wnw": "Zahod-severozahod", - "wsw": "Zahod-jugozahod" - }, - "forecast": "Napoved" - }, - "alarm_control_panel": { - "code": "Koda", - "clear_code": "Počisti", - "disarm": "Izklopi", - "arm_home": "Vklopi doma", - "arm_away": "Vklopi odsoten", - "arm_night": "Vklopi nočni način", - "armed_custom_bypass": "Po meri", - "arm_custom_bypass": "Izjeme po meri" - }, - "automation": { - "last_triggered": "Nazadnje sprožen", - "trigger": "Sprožilec" - }, - "cover": { - "position": "Položaj", - "tilt_position": "Položaj nagiba" - }, - "fan": { - "speed": "Hitrost", - "oscillate": "Nihanje", - "direction": "Smer", - "forward": "Naprej", - "reverse": "Obratno" - }, - "light": { - "brightness": "Svetlost", - "color_temperature": "Temperatura barve", - "white_value": "Bela vrednost", - "effect": "Učinek" - }, - "media_player": { - "text_to_speak": "Besedilo v govor", - "source": "Vir", - "sound_mode": "Zvočni način" - }, - "climate": { - "currently": "Trenutno", - "on_off": "Vključen \/ izključen", - "target_temperature": "Ciljna temperatura", - "target_humidity": "Ciljna vlažnost", - "operation": "Delovanje", - "fan_mode": "Način ventilatorja", - "swing_mode": "Način Swing", - "away_mode": "Način odsotnosti", - "aux_heat": "Dodatna toplota", - "preset_mode": "Prednastavitev", - "target_temperature_entity": "{name} ciljna temperatura", - "target_temperature_mode": "{name} ciljna temperatura {mode}", - "current_temperature": "{name} trenutna temperatura", - "heating": "{name} ogrevanje", - "cooling": "{name} hlajenje", - "high": "visoka", - "low": "nizka" - }, - "lock": { - "code": "Koda", - "lock": "Zakleni", - "unlock": "Odkleni" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Nadaljuj s čiščenjem", - "return_to_base": "Vrni se na postajo", - "start_cleaning": "Začni čiščenje", - "turn_on": "Vklopite", - "turn_off": "Izklopite" - } - }, - "water_heater": { - "currently": "Trenutno", - "on_off": "Vključen \/ izključen", - "target_temperature": "Ciljna temperatura", - "operation": "Delovanje", - "away_mode": "Način odsotnosti" - }, - "timer": { - "actions": { - "start": "Zagon", - "pause": "pavza", - "cancel": "Prekliči", - "finish": "Dokončaj" - } - }, - "counter": { - "actions": { - "increment": "prirastek", - "decrement": "pojemek", - "reset": "ponastavi" - } - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "Entiteta", - "clear": "Počisti", - "show_entities": "Pokaži entitete" - } - }, - "service-picker": { - "service": "Storitev" - }, - "relative_time": { - "past": "Pred {time}", - "future": "Čez {time}", - "never": "Nikoli", - "duration": { - "second": "{count} {count, plural,\none {sekunda}\nother {sekund}\n}", - "minute": "{count} {count, plural,\n one {minuta}\n other {minut}\n}", - "hour": "{count} {count, plural,\n one {Ura}\n other {Ur}\n}", - "day": "{count} {count, plural,\none {Dan}\nother {Dni}\n}", - "week": "{count} {count, plural,\none {Teden}\nother {Tednov}\n}" - } - }, - "history_charts": { - "loading_history": "Nalagam zgodovino stanj...", - "no_history_found": "Ni najdene zgodovine stanj." - }, - "device-picker": { - "clear": "Počisti", - "show_devices": "Pokažite naprave" - } - }, - "notification_toast": { - "entity_turned_on": "Vklopljen je {entity}.", - "entity_turned_off": "Izklopljen {entity}.", - "service_called": "Storitev {service} klicana.", - "service_call_failed": "Storitve ni bilo mogoče poklicati {service}.", - "connection_lost": "Povezava prekinjena. Vnovično vzpostavljanje povezave...", - "triggered": "Sproženo {name}" - }, - "dialogs": { - "more_info_settings": { - "save": "Shrani", - "name": "Preglasitev imena", - "entity_id": "ID entitete" - }, - "more_info_control": { - "script": { - "last_action": "Zadnje Dejanje" - }, - "sun": { - "elevation": "Nadmorska višina", - "rising": "Naraščajoče", - "setting": "Nastavitve" - }, - "updater": { - "title": "Navodila za posodabitev" - } - }, - "options_flow": { - "form": { - "header": "Možnosti" - }, - "success": { - "description": "Možnosti so uspešno shranjene." - } - }, - "config_entry_system_options": { - "title": "Sistemske možnosti za {integration}", - "enable_new_entities_label": "Omogočite novo dodane subjekte.", - "enable_new_entities_description": "Če je onemogočeno, novo odkrite entitete za {integration} ne bodo samodejno dodane v Home Assistant." - }, - "zha_device_info": { - "manuf": "naredil: {manufacturer}", - "no_area": "Brez območja", - "services": { - "reconfigure": "Ponovno konfigurirajte napravo ZHA (\"pozdravite\" napravo). To uporabite, če imate z njo težave. Če ta naprava deluje na baterije, se prepričajte, da je budna in sprejema ukaze pri uporabi te storitve.", - "updateDeviceName": "Nastavite ime po meri za to napravo v registru naprav.", - "remove": "Odstranite napravo iz omrežja Zigbee." - }, - "zha_device_card": { - "device_name_placeholder": "Ime, ki ga je dodelil uporabnik", - "area_picker_label": "Območje", - "update_name_button": "Posodobi ime" - }, - "buttons": { - "add": "Dodajte naprave", - "remove": "Odstranite napravo", - "reconfigure": "Ponovno konfigurirajte napravo" - }, - "quirk": "Posebnost", - "last_seen": "Nazadnje viden", - "power_source": "Vir napajanja", - "unknown": "Neznano" - }, - "confirmation": { - "cancel": "Prekliči", - "ok": "V redu", - "title": "Ste prepričani?" - } - }, - "auth_store": { - "ask": "Ali želite shraniti to prijavo?", - "decline": "Ne hvala", - "confirm": "Shrani prijavo" - }, - "notification_drawer": { - "click_to_configure": "Kliknite gumb, da konfigurirate {entity}", - "empty": "Ni obvestil", - "title": "Obvestila" - } - }, - "domain": { - "alarm_control_panel": "Nadzorna plošča Alarma", - "automation": "Avtomatizacija", - "binary_sensor": "Binarni senzor", - "calendar": "Koledar", - "camera": "Kamera", - "climate": "Klimat", - "configurator": "Konfigurator", - "conversation": "Pogovor", - "cover": "Cover", - "device_tracker": "Sledilnik naprave", - "fan": "Ventilator", - "history_graph": "Graf zgodovine", - "group": "Skupina", - "image_processing": "Obdelava slike", - "input_boolean": "vnesite logično vrednost", - "input_datetime": "Vnos datuma in časa", - "input_select": "Izbira vnosa", - "input_number": "Vnesite številko", - "input_text": "Vnesite besedilo", - "light": "Luči", - "lock": "Ključavnice", - "mailbox": "Poštni predal", - "media_player": "Medijski predvajalnik", - "notify": "Obvesti", - "plant": "Plant", - "proximity": "Bližina", - "remote": "Oddaljeno", - "scene": "Scena", - "script": "Skripta", - "sensor": "Senzor", - "sun": "Sonce", - "switch": "Stikalo", - "updater": "Posodobitelj", - "weblink": "Spletna povezava", - "zwave": "Z-Wave", - "vacuum": "Sesam", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Zdravje sistema", - "person": "Oseba" - }, - "attribute": { - "weather": { - "humidity": "Vlažnost", - "visibility": "Vidljivost", - "wind_speed": "Hitrost vetra" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Izključen", - "on": "Vklopljen", - "auto": "Samodejno" - }, - "preset_mode": { - "none": "Noben", - "eco": "Eko", - "away": "Odsoten", - "boost": "Povečanje", - "comfort": "Udobje", - "home": "Doma", - "sleep": "Spanje", - "activity": "Dejavnost" - }, - "hvac_action": { - "off": "Izključen", - "heating": "Ogrevanje", - "cooling": "Hlajenje", - "drying": "Sušenje", - "idle": "V pripravljenosti", - "fan": "Ventilator" - } - } - }, - "groups": { - "system-admin": "Skrbniki", - "system-users": "Uporabniki", - "system-read-only": "Uporabniki \"samo za branje\"" - }, - "config_entry": { - "disabled_by": { - "user": "Uporabnik", - "integration": "Integracija", - "config_entry": "Vnos konfiguracije" } } } \ No newline at end of file diff --git a/translations/sr-Latn.json b/translations/sr-Latn.json index e4047b8ba3..d7ca3a2343 100644 --- a/translations/sr-Latn.json +++ b/translations/sr-Latn.json @@ -1,19 +1,19 @@ { + "domain": { + "zwave": "Z-Wave" + }, "panel": { "config": "Konfiguracija", - "states": "Pregled", - "map": "Mapa", - "logbook": "Dnevnik", "history": "Istorija", + "logbook": "Dnevnik", "mailbox": "Poštansko sanduče", - "shopping_list": "Lista za kupovinu" + "map": "Mapa", + "shopping_list": "Lista za kupovinu", + "states": "Pregled" }, "state": { - "zwave": { - "query_stage": { - "initializing": " ( {query_stage} )", - "dead": " ({query_stage})" - } + "climate": { + "manual": "Упутство" }, "weather": { "clear-night": "Vedra noć", @@ -31,50 +31,14 @@ "windy": "Vetrovito", "windy-variant": "Vetrovito" }, - "climate": { - "manual": "Упутство" + "zwave": { + "query_stage": { + "dead": " ({query_stage})", + "initializing": " ( {query_stage} )" + } } }, "ui": { - "sidebar": { - "log_out": "Odjaviti se" - }, - "panel": { - "developer-tools": { - "tabs": { - "mqtt": { - "title": "MQTT" - } - } - }, - "config": { - "zwave": { - "caption": "Z-Wave", - "node_config": { - "set_config_parameter": "Подесите параметар Цонфиг" - } - }, - "automation": { - "editor": { - "triggers": { - "type": { - "numeric_state": { - "label": "Numeričko stanje", - "above": "Iznad", - "below": "Ispod" - }, - "sun": { - "label": "Sunce" - } - } - } - } - }, - "cloud": { - "caption": "Home Assistant Cloud" - } - } - }, "card": { "scene": { "activate": "Aktiviraj" @@ -97,8 +61,8 @@ "n": "S", "ne": "SI", "nne": "SSI", - "nw": "SZ", "nnw": "SSZ", + "nw": "SZ", "s": "J", "se": "JI", "sse": "JJI", @@ -110,9 +74,45 @@ }, "forecast": "Vremenska prognoza" } + }, + "panel": { + "config": { + "automation": { + "editor": { + "triggers": { + "type": { + "numeric_state": { + "above": "Iznad", + "below": "Ispod", + "label": "Numeričko stanje" + }, + "sun": { + "label": "Sunce" + } + } + } + } + }, + "cloud": { + "caption": "Home Assistant Cloud" + }, + "zwave": { + "caption": "Z-Wave", + "node_config": { + "set_config_parameter": "Подесите параметар Цонфиг" + } + } + }, + "developer-tools": { + "tabs": { + "mqtt": { + "title": "MQTT" + } + } + } + }, + "sidebar": { + "log_out": "Odjaviti se" } - }, - "domain": { - "zwave": "Z-Wave" } } \ No newline at end of file diff --git a/translations/sr.json b/translations/sr.json index b54958aff9..93a2640c4c 100644 --- a/translations/sr.json +++ b/translations/sr.json @@ -1,15 +1,45 @@ { + "domain": { + "person": "Особа", + "zwave": "Z-Wave" + }, "panel": { + "calendar": "Kalendar", "config": "Конфигурација", - "states": "Преглед", - "map": "Мапа", - "logbook": "Дневник", "history": "Историја", + "logbook": "Дневник", "mailbox": "Поштанско сандуче", + "map": "Мапа", "shopping_list": "Листа за куповину", - "calendar": "Kalendar" + "states": "Преглед" + }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Аутоматски", + "off": "Искључен", + "on": "Укључен" + } + } + }, + "state_badge": { + "alarm_control_panel": { + "arming": "Aktiviranje", + "disarming": "Deaktiviraj" + }, + "default": { + "entity_not_found": "Вредност није пронађена", + "error": "Грешка" + }, + "person": { + "home": "Кући", + "not_home": "Одсутан" + } }, "state": { + "climate": { + "manual": "Упутство" + }, "sun": { "above_horizon": "Iznad horizonta", "below_horizon": "Ispod horizonta" @@ -18,81 +48,52 @@ "off": "Isključen", "on": "Uključen" }, + "timer": { + "active": "укључен", + "idle": "неактна чекању" + }, "zwave": { "default": { "ready": "Spreman" }, "query_stage": { - "initializing": " ( {query_stage} )", - "dead": " ({query_stage})" + "dead": " ({query_stage})", + "initializing": " ( {query_stage} )" } - }, - "climate": { - "manual": "Упутство" - }, - "timer": { - "active": "укључен", - "idle": "неактна чекању" - } - }, - "state_badge": { - "alarm_control_panel": { - "arming": "Aktiviranje", - "disarming": "Deaktiviraj" - }, - "person": { - "home": "Кући", - "not_home": "Одсутан" - }, - "default": { - "error": "Грешка", - "entity_not_found": "Вредност није пронађена" } }, "ui": { - "sidebar": { - "log_out": "Одјавити се" + "card": { + "lock": { + "lock": "Zaključaj", + "unlock": "Otključaj" + }, + "media_player": { + "sound_mode": "Režim zvuka", + "source": "Izvor" + } + }, + "dialogs": { + "more_info_settings": { + "name": "Naziv", + "save": "Sačuvaj" + } }, "panel": { - "developer-tools": { - "tabs": { - "mqtt": { - "title": "MQTT" - } - } - }, "config": { - "zwave": { - "caption": "Z-Wave", - "node_config": { - "set_config_parameter": "Подесите параметар Цонфиг" - } - }, - "cloud": { - "caption": "Home Assistant Cloud" - }, - "users": { - "editor": { - "caption": "Прикажи корисника" - }, - "add_user": { - "caption": "Додај корисника", - "name": "Име", - "username": "Корисничко име", - "password": "Лозинка", - "create": "Направите" - } - }, "automation": { - "picker": { - "learn_more": "Сазнајте више о аутоматизацијама" - }, "editor": { "triggers": { "learn_more": "Сазнајте више о окидачима" } + }, + "picker": { + "learn_more": "Сазнајте више о аутоматизацијама" } }, + "cloud": { + "caption": "Home Assistant Cloud" + }, "integrations": { "config_flow": { "external_step": { @@ -100,9 +101,48 @@ "open_site": "Отворите сајт" } } + }, + "users": { + "add_user": { + "caption": "Додај корисника", + "create": "Направите", + "name": "Име", + "password": "Лозинка", + "username": "Корисничко име" + }, + "editor": { + "caption": "Прикажи корисника" + } + }, + "zwave": { + "caption": "Z-Wave", + "node_config": { + "set_config_parameter": "Подесите параметар Цонфиг" + } + } + }, + "developer-tools": { + "tabs": { + "mqtt": { + "title": "MQTT" + } + } + }, + "lovelace": { + "cards": { + "picture-elements": { + "hold": "Придржи:", + "more_info": "Покажи више информација: {name}", + "navigate_to": "Отиђите на {location}", + "tap": "Додирни", + "toggle": "Укључи {name}" + } } }, "page-onboarding": { + "integration": { + "finish": "Крај" + }, "user": { "data": { "password_confirm": "Потврда лозинке" @@ -110,51 +150,11 @@ "error": { "password_not_match": "Лозинке се не подударају" } - }, - "integration": { - "finish": "Крај" - } - }, - "lovelace": { - "cards": { - "picture-elements": { - "hold": "Придржи:", - "tap": "Додирни", - "navigate_to": "Отиђите на {location}", - "toggle": "Укључи {name}", - "more_info": "Покажи више информација: {name}" - } } } }, - "card": { - "lock": { - "lock": "Zaključaj", - "unlock": "Otključaj" - }, - "media_player": { - "source": "Izvor", - "sound_mode": "Režim zvuka" - } - }, - "dialogs": { - "more_info_settings": { - "save": "Sačuvaj", - "name": "Naziv" - } - } - }, - "domain": { - "zwave": "Z-Wave", - "person": "Особа" - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Искључен", - "on": "Укључен", - "auto": "Аутоматски" - } + "sidebar": { + "log_out": "Одјавити се" } } } \ No newline at end of file diff --git a/translations/sv.json b/translations/sv.json index ea0cf805ca..238a848c83 100644 --- a/translations/sv.json +++ b/translations/sv.json @@ -1,53 +1,193 @@ { - "panel": { - "config": "Konfiguration", - "states": "Översikt", - "map": "Karta", - "logbook": "Loggbok", - "history": "Historik", + "attribute": { + "weather": { + "humidity": "Luftfuktighet", + "visibility": "Sikt", + "wind_speed": "Vindhastighet" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Konfigurationsvärde", + "integration": "Integration", + "user": "Användare" + } + }, + "domain": { + "alarm_control_panel": "Larmkontrollpanel", + "automation": "Automation", + "binary_sensor": "Binär sensor", + "calendar": "Kalender", + "camera": "Kamera", + "climate": "Klimat", + "configurator": "Konfiguratorn", + "conversation": "Samtal", + "cover": "Rullgardin", + "device_tracker": "Enhetsspårare", + "fan": "Fläkt", + "group": "Grupp", + "hassio": "Hass.io", + "history_graph": "Historikdiagram", + "homeassistant": "Home Assistant", + "image_processing": "Bildbehandling", + "input_boolean": "Välj av eller på", + "input_datetime": "Mata in datum och tid", + "input_number": "Mata in tal", + "input_select": "Välj", + "input_text": "Mata in text", + "light": "Lampor", + "lock": "Lås", + "lovelace": "Lovelace", "mailbox": "Brevlåda", - "shopping_list": "Inköpslista", + "media_player": "Mediaspelare", + "notify": "Meddela", + "person": "Person", + "plant": "Växt", + "proximity": "Närhet", + "remote": "Fjärrkontroll", + "scene": "Scen", + "script": "Skript", + "sensor": "Sensor", + "sun": "Sol", + "switch": "Kontakt", + "system_health": "Systemhälsa", + "updater": "Uppdaterare", + "vacuum": "Dammsugare", + "weblink": "Webblänk", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Administratörer", + "system-read-only": "Användare med läsbehörighet", + "system-users": "Användare" + }, + "panel": { + "calendar": "Kalender", + "config": "Konfiguration", "dev-info": "Info", "developer_tools": "Utvecklarverktyg", - "calendar": "Kalender", - "profile": "Profil" + "history": "Historik", + "logbook": "Loggbok", + "mailbox": "Brevlåda", + "map": "Karta", + "profile": "Profil", + "shopping_list": "Inköpslista", + "states": "Översikt" + }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Auto", + "off": "Av", + "on": "På" + }, + "hvac_action": { + "cooling": "Kyler", + "drying": "Avfuktar", + "fan": "Fläkt", + "heating": "Värmer", + "idle": "Inaktiv", + "off": "Av" + }, + "preset_mode": { + "activity": "Aktivitet", + "away": "Borta", + "boost": "Boost-läge", + "comfort": "Komfort", + "eco": "Eko", + "home": "Hemma", + "none": "Ingen", + "sleep": "Sover" + } + } + }, + "state_badge": { + "alarm_control_panel": { + "armed": "Tillkopplat", + "armed_away": "Larmat", + "armed_custom_bypass": "Tillkopplat", + "armed_home": "Larmat", + "armed_night": "Larmat", + "arming": "Tillkopplar", + "disarmed": "Frånkopplat", + "disarming": "Frånkopplar", + "pending": "Väntar", + "triggered": "Utlöst" + }, + "default": { + "entity_not_found": "Enheten hittades inte", + "error": "Fel", + "unavailable": "Otillgänglig", + "unknown": "Okänd" + }, + "device_tracker": { + "home": "Hemma", + "not_home": "Borta" + }, + "person": { + "home": "Hemma", + "not_home": "Borta" + } }, "state": { - "default": { - "off": "Av", - "on": "På", - "unknown": "Okänd", - "unavailable": "Otillgänglig" - }, "alarm_control_panel": { "armed": "Larmat", - "disarmed": "Avlarmat", - "armed_home": "Hemmalarmat", "armed_away": "Larmat", + "armed_custom_bypass": "Larm förbikopplat", + "armed_home": "Hemmalarmat", "armed_night": "Nattlarmat", - "pending": "Väntande", "arming": "Tillkopplar", + "disarmed": "Avlarmat", "disarming": "Frånkopplar", - "triggered": "Utlöst", - "armed_custom_bypass": "Larm förbikopplat" + "pending": "Väntande", + "triggered": "Utlöst" }, "automation": { "off": "Av", "on": "På" }, "binary_sensor": { + "battery": { + "off": "Normal", + "on": "Låg" + }, + "cold": { + "off": "Normal", + "on": "Kallt" + }, + "connectivity": { + "off": "Frånkopplad", + "on": "Ansluten" + }, "default": { "off": "Av", "on": "På" }, - "moisture": { - "off": "Torr", - "on": "Blöt" + "door": { + "off": "Stängd", + "on": "Öppen" + }, + "garage_door": { + "off": "Stängd", + "on": "Öppen" }, "gas": { "off": "Klart", "on": "Detekterad" }, + "heat": { + "off": "Normal", + "on": "Varmt" + }, + "lock": { + "off": "Låst", + "on": "Olåst" + }, + "moisture": { + "off": "Torr", + "on": "Blöt" + }, "motion": { "off": "Klart", "on": "Detekterad" @@ -56,6 +196,22 @@ "off": "Tomt", "on": "Detekterad" }, + "opening": { + "off": "Stängd", + "on": "Öppen" + }, + "presence": { + "off": "Borta", + "on": "Hemma" + }, + "problem": { + "off": "Ok", + "on": "Problem" + }, + "safety": { + "off": "Säker", + "on": "Osäker" + }, "smoke": { "off": "Klart", "on": "Detekterad" @@ -68,53 +224,9 @@ "off": "Klart", "on": "Detekterad" }, - "opening": { - "off": "Stängd", - "on": "Öppen" - }, - "safety": { - "off": "Säker", - "on": "Osäker" - }, - "presence": { - "off": "Borta", - "on": "Hemma" - }, - "battery": { - "off": "Normal", - "on": "Låg" - }, - "problem": { - "off": "Ok", - "on": "Problem" - }, - "connectivity": { - "off": "Frånkopplad", - "on": "Ansluten" - }, - "cold": { - "off": "Normal", - "on": "Kallt" - }, - "door": { - "off": "Stängd", - "on": "Öppen" - }, - "garage_door": { - "off": "Stängd", - "on": "Öppen" - }, - "heat": { - "off": "Normal", - "on": "Varmt" - }, "window": { "off": "Stängt", "on": "Öppet" - }, - "lock": { - "off": "Låst", - "on": "Olåst" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "På" }, "camera": { + "idle": "Inaktiv", "recording": "Spelar in", - "streaming": "Strömmar", - "idle": "Inaktiv" + "streaming": "Strömmar" }, "climate": { - "off": "Av", - "on": "På", - "heat": "Värme", - "cool": "Kyla", - "idle": "Inaktiv", "auto": "Automatisk", + "cool": "Kyla", "dry": "Avfuktning", - "fan_only": "Endast fläkt", "eco": "Eco", "electric": "Elektrisk", - "performance": "Högeffektläge", - "high_demand": "Stort behov", - "heat_pump": "Värmepump", + "fan_only": "Endast fläkt", "gas": "Gas", + "heat": "Värme", + "heat_cool": "Värme\/Kyla", + "heat_pump": "Värmepump", + "high_demand": "Stort behov", + "idle": "Inaktiv", "manual": "Manuell", - "heat_cool": "Värme\/Kyla" + "off": "Av", + "on": "På", + "performance": "Högeffektläge" }, "configurator": { "configure": "Konfigurera", "configured": "Konfigurerad" }, "cover": { - "open": "Öppen", - "opening": "Öppnar", "closed": "Stängd", "closing": "Stänger", + "open": "Öppen", + "opening": "Öppnar", "stopped": "Stoppad" }, + "default": { + "off": "Av", + "on": "På", + "unavailable": "Otillgänglig", + "unknown": "Okänd" + }, "device_tracker": { "home": "Hemma", "not_home": "Borta" @@ -164,19 +282,19 @@ "on": "På" }, "group": { - "off": "Av", - "on": "På", - "home": "Hemma", - "not_home": "Borta", - "open": "Öppen", - "opening": "Öppnar", "closed": "Stängd", "closing": "Stänger", - "stopped": "Stoppad", + "home": "Hemma", "locked": "Låst", - "unlocked": "Olåst", + "not_home": "Borta", + "off": "Av", "ok": "Ok", - "problem": "Problem" + "on": "På", + "open": "Öppen", + "opening": "Öppnar", + "problem": "Problem", + "stopped": "Stoppad", + "unlocked": "Olåst" }, "input_boolean": { "off": "Av", @@ -191,13 +309,17 @@ "unlocked": "Olåst" }, "media_player": { + "idle": "Inaktiv", "off": "Av", "on": "På", - "playing": "Spelar", "paused": "Pausad", - "idle": "Inaktiv", + "playing": "Spelar", "standby": "Viloläge" }, + "person": { + "home": "Hemma", + "not_home": "Borta" + }, "plant": { "ok": "Ok", "problem": "Problem" @@ -225,34 +347,10 @@ "off": "Av", "on": "På" }, - "zwave": { - "default": { - "initializing": "Initierar", - "dead": "Död", - "sleeping": "Sovande", - "ready": "Redo" - }, - "query_stage": { - "initializing": "Initierar ({query_stage})", - "dead": "Död ({query_stage})" - } - }, - "weather": { - "clear-night": "Klart, natt", - "cloudy": "Molnigt", - "fog": "Dimma", - "hail": "Hagel", - "lightning": "Åska", - "lightning-rainy": "Åska, regnigt", - "partlycloudy": "Delvis molnigt", - "pouring": "Ösregn", - "rainy": "Regnigt", - "snowy": "Snöigt", - "snowy-rainy": "Snöigt, regnigt", - "sunny": "Soligt", - "windy": "Blåsigt", - "windy-variant": "Blåsigt", - "exceptional": "Exceptionellt" + "timer": { + "active": "aktiv", + "idle": "inaktiv", + "paused": "pausad" }, "vacuum": { "cleaning": "Städar", @@ -264,911 +362,99 @@ "paused": "Pausad", "returning": "Återgår till docka" }, - "timer": { - "active": "aktiv", - "idle": "inaktiv", - "paused": "pausad" + "weather": { + "clear-night": "Klart, natt", + "cloudy": "Molnigt", + "exceptional": "Exceptionellt", + "fog": "Dimma", + "hail": "Hagel", + "lightning": "Åska", + "lightning-rainy": "Åska, regnigt", + "partlycloudy": "Delvis molnigt", + "pouring": "Ösregn", + "rainy": "Regnigt", + "snowy": "Snöigt", + "snowy-rainy": "Snöigt, regnigt", + "sunny": "Soligt", + "windy": "Blåsigt", + "windy-variant": "Blåsigt" }, - "person": { - "home": "Hemma", - "not_home": "Borta" - } - }, - "state_badge": { - "default": { - "unknown": "Okänd", - "unavailable": "Otillgänglig", - "error": "Fel", - "entity_not_found": "Enheten hittades inte" - }, - "alarm_control_panel": { - "armed": "Tillkopplat", - "disarmed": "Frånkopplat", - "armed_home": "Larmat", - "armed_away": "Larmat", - "armed_night": "Larmat", - "pending": "Väntar", - "arming": "Tillkopplar", - "disarming": "Frånkopplar", - "triggered": "Utlöst", - "armed_custom_bypass": "Tillkopplat" - }, - "device_tracker": { - "home": "Hemma", - "not_home": "Borta" - }, - "person": { - "home": "Hemma", - "not_home": "Borta" + "zwave": { + "default": { + "dead": "Död", + "initializing": "Initierar", + "ready": "Redo", + "sleeping": "Sovande" + }, + "query_stage": { + "dead": "Död ({query_stage})", + "initializing": "Initierar ({query_stage})" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Rensning slutförd", - "add_item": "Lägg till objekt", - "microphone_tip": "Tryck på mikrofonen längst upp till höger och säg \"Add candy to my shopping list\"" - }, - "developer-tools": { - "tabs": { - "services": { - "title": "Tjänster" - }, - "states": { - "title": "Tillstånd", - "more_info": "Mer information" - }, - "events": { - "title": "Händelser" - }, - "templates": { - "title": "Mallar" - }, - "mqtt": { - "title": "MQTT" - }, - "info": { - "title": "Info" - }, - "logs": { - "title": "Loggar" - } - } - }, - "history": { - "showing_entries": "Visar poster för", - "period": "Period" - }, - "logbook": { - "showing_entries": "Visar poster för", - "period": "Period" - }, - "mailbox": { - "empty": "Du har inga meddelanden", - "playback_title": "Meddelandeuppspelning", - "delete_prompt": "Vill du ta bort det här meddelandet?", - "delete_button": "Ta bort" - }, - "config": { - "header": "Konfigurera Home Assistant", - "introduction": "Här går det att konfigurera dina komponenter och Home Assistant. Det är inte möjligt att ställa in allt från användargränssnittet ännu, men vi jobbar på det.", - "core": { - "caption": "Allmänt", - "description": "Kontrollera din konfiguration och hantera servern.", - "section": { - "core": { - "header": "Konfiguration och serverhantering", - "introduction": "Att ändra din konfiguration kan vara en tröttsam process. Vi vet. Den här avdelningen försöker göra ditt liv lite enklare.", - "core_config": { - "edit_requires_storage": "Redigeraren är inaktiverad eftersom konfigurationen lagras i configuration.yaml.", - "location_name": "Namn på din Home Assistant-installation", - "latitude": "Latitud", - "longitude": "Longitud", - "elevation": "Höjd över havet", - "elevation_meters": "meter", - "time_zone": "Tidszon", - "unit_system": "Enhetssystem", - "unit_system_imperial": "Imperial", - "unit_system_metric": "Metrisk", - "imperial_example": "Fahrenheit, pounds", - "metric_example": "Celsius, kilogram", - "save_button": "Spara" - } - }, - "server_control": { - "validation": { - "heading": "Validering av konfiguration", - "introduction": "Kontrollera din konfiguration om du nyligen gjort ändringar och vill säkerställa att den fortfarande är giltig", - "check_config": "Kontrollera konfigurationen", - "valid": "Konfigurationen är giltig!", - "invalid": "Konfigurationen är inte giltig" - }, - "reloading": { - "heading": "Uppdatering av konfigurationen", - "introduction": "Vissa delar av Home Assistant kan laddas om utan att en omstart krävs. Att trycka på \"Uppdatera\" innebär att den nuvarande konfiguration inaktiveras och den nya laddas.", - "core": "Ladda om kärnan", - "group": "Uppdatera grupper", - "automation": "Uppdatera automationer", - "script": "Uppdatera skript" - }, - "server_management": { - "heading": "Serverhantering", - "introduction": "Hantera din Home Assistant server... från Home Assistant.", - "restart": "Starta om", - "stop": "Stoppa" - } - } - } - }, - "customize": { - "caption": "Anpassning", - "description": "Anpassa dina entiteter", - "picker": { - "header": "Anpassning", - "introduction": "Justera attribut per enhet. Tillagda och redigerade anpassningar kommer att tillträda omedelbart. Borttagna anpassningar kommer att träda i kraft när enheten är uppdaterad." - } - }, - "automation": { - "caption": "Automationer", - "description": "Skapa och redigera automationer", - "picker": { - "header": "Automatiseringseditor", - "introduction": "Automatiseringseditorn låter dig skapa och redigera automationer. Läs [instruktionerna](https:\/\/home-assistant.io\/docs\/automation\/editor\/) för att se till att du har konfigurerat Home Assistant korrekt.", - "pick_automation": "Välj automation att redigera", - "no_automations": "Vi kunde inte hitta några redigerbara automationer", - "add_automation": "Lägg till automatisering", - "learn_more": "Lär dig mer om automatiseringar" - }, - "editor": { - "introduction": "Använd automatiseringar för väcka liv i ditt hem", - "default_name": "Ny automation", - "save": "Spara", - "unsaved_confirm": "Du har osparade ändringar. Är du säker på att du vill lämna?", - "alias": "Namn", - "triggers": { - "header": "Triggers", - "introduction": "Triggers är det som startar en automation. Det är möjligt att ange flera triggers för samma regel. När en trigger inträffar kommer Home Assistant att validera eventuella villkor och sedan köra åtgärden.", - "add": "Lägg till händelse", - "duplicate": "Duplicera", - "delete": "Radera", - "delete_confirm": "Säker på att du vill radera?", - "unsupported_platform": "Plattform stöds ej: {platform}", - "type_select": "Aktiveringstyp", - "type": { - "event": { - "label": "Händelse", - "event_type": "Händelsetyp", - "event_data": "Händelsedata" - }, - "state": { - "label": "Tillstånd", - "from": "Från", - "to": "Till", - "for": "För" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Händelse:", - "start": "Starta", - "shutdown": "Stoppa" - }, - "mqtt": { - "label": "MQTT", - "topic": "Ämne", - "payload": "Nyttolast (tillval)" - }, - "numeric_state": { - "label": "Numeriskt tillstånd", - "above": "Över", - "below": "Under", - "value_template": "Värdesmall (valfritt)" - }, - "sun": { - "label": "Solen", - "event": "Händelse", - "sunrise": "Soluppgång", - "sunset": "Solnedgång", - "offset": "Förskjutning (valfritt)" - }, - "template": { - "label": "Mall", - "value_template": "Värdemall" - }, - "time": { - "label": "Tid", - "at": "När" - }, - "zone": { - "label": "Zon", - "entity": "Entitet med position", - "zone": "Zon", - "event": "Händelse", - "enter": "Ankommer", - "leave": "Lämnar" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook ID" - }, - "time_pattern": { - "label": "Tidsmönster", - "hours": "Timmar", - "minutes": "Minuter", - "seconds": "Sekunder" - }, - "geo_location": { - "label": "Geolocation", - "source": "Källa", - "zone": "Zon", - "event": "Händelse:", - "enter": "Ankomma", - "leave": "Lämna" - }, - "device": { - "label": "Enhet" - } - }, - "learn_more": "Lär dig mer om utlösare" - }, - "conditions": { - "header": "Villkor", - "introduction": "Villkor är en valfri del av en automatiseringsregel och kan användas för att förhindra att en åtgärd inträffar när den triggas. Villkoren liknar triggers men är väldigt olika. En trigger reagerar på händelser som händer i systemet medan ett villkor bara utvärderar hur systemet ser ut just nu. En trigger kan reagera på att en strömbrytare slås på. Ett villkor kan bara se om en strömbrytare är på eller av. ", - "add": "Lägg till villkor", - "duplicate": "Duplicera", - "delete": "Radera", - "delete_confirm": "Säker på att du vill radera?", - "unsupported_condition": "Villkor stöds inte: {condition}", - "type_select": "Villkorstyp", - "type": { - "state": { - "label": "Tillstånd", - "state": "Tillstånd" - }, - "numeric_state": { - "label": "Siffervärde", - "above": "Över", - "below": "Under", - "value_template": "Värdemall (valfritt)" - }, - "sun": { - "label": "Solen", - "before": "Före:", - "after": "Efter:", - "before_offset": "Förskjutning innan (valfritt)", - "after_offset": "Förskjutning efter (valfritt)", - "sunrise": "Soluppgång", - "sunset": "Solnedgång" - }, - "template": { - "label": "Mall", - "value_template": "Värdemall" - }, - "time": { - "label": "Tid", - "after": "Efter", - "before": "Före" - }, - "zone": { - "label": "Zon", - "entity": "Entitet med position", - "zone": "Zon" - }, - "device": { - "label": "Enhet" - } - }, - "learn_more": "Lär dig mer om villkor" - }, - "actions": { - "header": "Åtgärder", - "introduction": "Åtgärderna är vad Home Assistant gör när automatiseringen triggas.", - "add": "Lägg till åtgärd", - "duplicate": "Duplicera", - "delete": "Radera", - "delete_confirm": "Är du säker på att du vill radera?", - "unsupported_action": "Åtgärd stöds inte: {action}", - "type_select": "Åtgärdstyp", - "type": { - "service": { - "label": "Kör tjänst", - "service_data": "Händelsedata" - }, - "delay": { - "label": "Paus", - "delay": "Fördröjning" - }, - "wait_template": { - "label": "paus", - "wait_template": "paus mall", - "timeout": "Timeout (valfritt)" - }, - "condition": { - "label": "Villkor" - }, - "event": { - "label": "Utlös händelse", - "event": "Händelse", - "service_data": "Tjänstedata" - }, - "device_id": { - "label": "Enhet" - } - }, - "learn_more": "Lär dig mer om händelser" - }, - "load_error_not_editable": "Endast automatiseringar i automations.yaml kan redigeras.", - "load_error_unknown": "Fel vid inläsning av automatisering ({err_no})." - } - }, - "script": { - "caption": "Skript", - "description": "Skapa och redigera skript" - }, - "zwave": { - "caption": "Z-Wave", - "description": "Hantera ditt Z-Wave nätverk", - "network_management": { - "header": "Hantering av Z-Wave-nätverk", - "introduction": "Kör kommandon som påverkar Z-Wave-nätverket. De flesta kommandon ger ingen bekräftelse om de lyckas men du kan kontrollera OZW-loggen för att försöka ta reda på det." - }, - "network_status": { - "network_stopped": "Z-Wave-nätverk stoppat", - "network_starting": "Startar Z-Wave-nätverk...", - "network_starting_note": "Detta kan ta ett tag beroende på storleken på ditt nätverk.", - "network_started": "Z-Wave nätverk startat", - "network_started_note_some_queried": "Vakna noder har frågats. Vilande noder frågas när de vaknar.", - "network_started_note_all_queried": "Alla noder har frågats." - }, - "services": { - "start_network": "Starta Nätverket", - "stop_network": "Stoppa nätverket", - "heal_network": "Reparera nätverk", - "test_network": "Testa nätverk", - "soft_reset": "Mjuk återställning", - "save_config": "Spara konfiguration", - "add_node_secure": "Lägg till nod med säkerhet", - "add_node": "Lägg till nod", - "remove_node": "Ta bort nod", - "cancel_command": "Avbryt kommandot" - }, - "common": { - "value": "Värde", - "instance": "Instans", - "index": "Index", - "unknown": "okänt", - "wakeup_interval": "Uppvakningsintervall" - }, - "values": { - "header": "Nodvärden" - }, - "node_config": { - "header": "Alternativ för nodkonfiguration", - "seconds": "sekunder", - "set_wakeup": "Ställ in uppvakningsintervall", - "config_parameter": "Konfigurera parameter", - "config_value": "Konfigurera värde", - "true": "Sant", - "false": "Falskt", - "set_config_parameter": "Ställ in konfigurationsparametrar" - } - }, - "users": { - "caption": "Användare", - "description": "Hantera användare", - "picker": { - "title": "Användare" - }, - "editor": { - "rename_user": "Byt namn på användare", - "change_password": "Ändra lösenord", - "activate_user": "Aktivera användare", - "deactivate_user": "Avaktivera användare", - "delete_user": "Ta bort användare", - "caption": "Visa användare" - }, - "add_user": { - "caption": "Lägg till användare", - "name": "Namn", - "username": "Användarnamn", - "password": "Lösenord", - "create": "Skapa" - } - }, - "cloud": { - "caption": "Home Assistant Cloud", - "description_login": "Inloggad som {email}", - "description_not_login": "Inte inloggad", - "description_features": "Styra även när du inte är hemma, integrera med Alexa och Google Assistant." - }, - "integrations": { - "caption": "Integrationer", - "description": "Hantera och konfigurera integrationer", - "discovered": "Upptäckt", - "configured": "Konfigurerad", - "new": "Skapa en ny integration", - "configure": "Konfigurera", - "none": "Ingenting konfigurerat än", - "config_entry": { - "no_devices": "Denna integration har inga enheter.", - "no_device": "Entitet utan enheter", - "delete_confirm": "Är du säker på att du vill radera denna integration?", - "restart_confirm": "Starta om Home Assistant för att slutföra borttagningen av denna integration", - "manuf": "av {manufacturer}", - "via": "Ansluten via", - "firmware": "Firmware: {version}", - "device_unavailable": "enhet otillgänglig", - "entity_unavailable": "entitet otillgänglig", - "no_area": "Inget område (\"area\")", - "hub": "Ansluten via" - }, - "config_flow": { - "external_step": { - "description": "Det här steget kräver att du besöker en extern webbplats för att slutföra.", - "open_site": "Öppna webbplats" - } - } - }, - "zha": { - "caption": "ZHA", - "description": "Zigbee Home Automation (ZHA) nätverkshantering", - "services": { - "reconfigure": "Omkonfigurera ZHA-enheten (läk enheten). Använd det här om du har problem med enheten. Om den aktuella enheten är en batteridriven enhet, se till att den är påslagen och accepterar kommandon när du använder den här tjänstens funktion.", - "updateDeviceName": "Ange ett anpassat namn för den här enheten i enhetsregistret", - "remove": "Ta bort en enhet från Zigbee-nätverket." - }, - "device_card": { - "device_name_placeholder": "Användarnamn", - "area_picker_label": "Plats", - "update_name_button": "Uppdatera namn" - }, - "add_device_page": { - "header": "Zigbee Home Automation - Lägg till enheter", - "spinner": "Söker efter ZHA Zigbee-enheter ...", - "discovery_text": "Upptäckta enheter kommer dyka upp här. Följ instruktionerna för dina enheter och sätt dem i parningsläge." - } - }, - "area_registry": { - "caption": "Områdesregister", - "description": "Oversikt över alla områden i ditt hem", - "picker": { - "header": "Områdesregister", - "introduction": "Områden används för att organisera var enheter befinner sig. Denna information kommer att användas i hela Home Assistant för att hjälpa dig att organisera ditt gränssnitt, behörigheter och integreringar med andra system.", - "introduction2": "Om du vill placera enheter i ett område använder du länken nedan för att navigera till integrationssidan och klickar sedan på en konfigurerad integration för att komma till enhetskort.", - "integrations_page": "Integrationssidan", - "no_areas": "Det verkar som om du inte har några områden ännu", - "create_area": "Skapa område" - }, - "no_areas": "Det verkar som om du inte har några områden än!", - "create_area": "SKAPA OMRÅDE", - "editor": { - "default_name": "Nytt område", - "delete": "RADERA", - "update": "UPPDATERA", - "create": "SKAPA" - } - }, - "entity_registry": { - "caption": "Entitetsregister", - "description": "Översikt över alla kända entiteter", - "picker": { - "header": "Enhetsregister", - "unavailable": "(ej tillgänglig)", - "introduction": "Home Assistant har ett enhetsregister som innehåller samtliga identifierade enheter som någonsin har setts. Var och en av dessa enheter kommer att ha ett ID-nummer som är reserverat för bara den enheten.", - "introduction2": "Använd enhetsregistret för att skriva över namnet, ändra ID eller ta bort posten ifrån Home Assistant. Obs! Att ta bort posten ifrån entity registry (enhetsregister) kommer inte att ta bort enheten. För att göra det, följ länken nedan och ta bort det från integreringssidan.", - "integrations_page": "Integrationssida" - }, - "editor": { - "unavailable": "Denna enhet är inte tillgänglig för tillfället.", - "default_name": "Nytt område", - "delete": "RADERA", - "update": "UPPDATERA", - "enabled_label": "Aktivera enhet", - "enabled_cause": "Inaktiverad på grund av {cause}.", - "enabled_description": "Inaktiverade enheter kommer ej läggas till i Home Assistant." - } - }, - "person": { - "caption": "Personer", - "description": "Hantera de personer som Home Assistant spårar.", - "detail": { - "name": "Namn", - "device_tracker_intro": "Välj de enheter som tillhör till den här personen.", - "device_tracker_picked": "Spåra enheten", - "device_tracker_pick": "Välj enhet att spåra" - } - }, - "server_control": { - "caption": "Serverhantering", - "description": "Starta om och stoppa Home Assistant-servern", - "section": { - "validation": { - "heading": "Validering av konfiguration", - "introduction": "Kontrollera din konfiguration om du nyligen gjort ändringar och du vill säkerställa att den är giltig", - "check_config": "Kontrollera konfigurationen", - "valid": "Konfigurationen är giltig!", - "invalid": "Konfigurationen är inte giltig" - }, - "reloading": { - "heading": "Konfigurationen laddas om", - "introduction": "Vissa delar av Home Assistant kan laddas om utan att en omstart krävs. Att trycka på \"ladda om\" innebär att den nuvarande konfiguration inaktiveras och den nya laddas.", - "core": "Ladda om kärnan", - "group": "Ladda om grupper", - "automation": "Ladda om automationer", - "script": "Ladda om skript", - "scene": "Ladda om scener" - }, - "server_management": { - "heading": "Serverhantering", - "introduction": "Kontrollera din Home Assistant-server ... från Home Assistant.", - "restart": "Starta om", - "stop": "Stoppa", - "confirm_restart": "Är du säker på att du vill starta om Home Assistant?", - "confirm_stop": "Är du säker på att du vill stoppa Home Assistant?" - } - } - }, - "devices": { - "caption": "Enheter", - "description": "Hantera anslutna enheter" - } - }, - "profile": { - "push_notifications": { - "header": "Push-meddelanden", - "description": "Skicka meddelanden till den här enheten", - "error_load_platform": "Konfigurera notify.html5.", - "error_use_https": "Kräver att SSL är aktiverat för frontend.", - "push_notifications": "Push-meddelanden", - "link_promo": "Läs mer" - }, - "language": { - "header": "Språk", - "link_promo": "Hjälp till att översätta", - "dropdown_label": "Språk" - }, - "themes": { - "header": "Tema", - "error_no_theme": "Inga teman finns tillgängliga.", - "link_promo": "Läs mer om teman", - "dropdown_label": "Tema" - }, - "refresh_tokens": { - "header": "Uppdatera tokens", - "description": "Varje uppdateringstoken representerar en inloggningssession. Uppdateringstokens kommer automatiskt att raderas när du loggar ut. Följande uppdateringstokens är för närvarande aktiva för ditt konto.", - "token_title": "Uppdatera token för {clientId}", - "created_at": "Skapades den {date}", - "confirm_delete": "Är du säker på att du vill radera uppdateringstoken för {name} ?", - "delete_failed": "Kunde inte radera uppdateringstoken.", - "last_used": "Senast använt den {date} från {location}", - "not_used": "Har aldrig använts", - "current_token_tooltip": "Det går inte att radera nuvarande uppdateringstoken" - }, - "long_lived_access_tokens": { - "header": "Långlivade åtkomsttoken", - "description": "Skapa långlivade åtkomsttokens för att låta dina skript interagera med din Home Assistant. Varje token kommer att vara giltig i 10 år från skapandet. Följande långlivade åtkomsttoken är för närvarande aktiva.", - "learn_auth_requests": "Lär dig hur du gör autentiserade förfrågningar.", - "created_at": "Skapades den {date}", - "confirm_delete": "Är du säker du vill radera åtkomsttoken för {name}?", - "delete_failed": "Det gick inte att ta bort åtkomsttoken.", - "create": "Skapa token", - "create_failed": "Det gick inte att skapa åtkomsttoken.", - "prompt_name": "Namn?", - "prompt_copy_token": "Kopiera din åtkomsttoken. Den kommer inte att visas igen.", - "empty_state": "Du har än så länge inga långlivade åtkomsttokens.", - "last_used": "Användes senast den {date} från {location}", - "not_used": "Har aldrig använts" - }, - "current_user": "Du är inloggad som {fullName}.", - "is_owner": "Du är en ägare.", - "change_password": { - "header": "Ändra lösenord", - "current_password": "Nuvarande lösenord", - "new_password": "Nytt lösenord", - "confirm_new_password": "Bekräfta nytt lösenord", - "error_required": "Krävs", - "submit": "Skicka" - }, - "mfa": { - "header": "Tvåfaktorsautentiseringsmoduler", - "disable": "Inaktivera", - "enable": "Aktivera", - "confirm_disable": "Är du säker på att du vill avaktivera {name}?" - }, - "mfa_setup": { - "title_aborted": "Avbruten", - "title_success": "Framgång!", - "step_done": "Inställningen klar för {step}", - "close": "Stäng", - "submit": "Skicka" - }, - "logout": "Logga ut", - "force_narrow": { - "header": "Göm alltid sidofältet", - "description": "Detta kommer att dölja sidofältet som standard, liknande mobilupplevelsen." - } - }, - "page-authorize": { - "initializing": "Initierar", - "authorizing_client": "Du håller på att ge {clientId} behörighet till din Home Assistant.", - "logging_in_with": "Loggar in med **{authProviderName}**.", - "pick_auth_provider": "Eller logga in med", - "abort_intro": "Inloggning avbruten", - "form": { - "working": "Vänligen vänta", - "unknown_error": "Något gick fel", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Användarnamn", - "password": "Lösenord" - } - }, - "mfa": { - "data": { - "code": "Tvåfaktorsautentiseringskod" - }, - "description": "Öppna **{mfa_module_name}** på din enhet för att visa din tvåfaktors autentiseringskod och verifiera din identitet:" - } - }, - "error": { - "invalid_auth": "Felaktigt användarnamn eller lösenord", - "invalid_code": "Ogiltig autentiseringskod" - }, - "abort": { - "login_expired": "Sessionen avslutades. Logga in igen." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "API-lösenord" - }, - "description": "Lägg in ett API-lösenord i din http konfig:" - }, - "mfa": { - "data": { - "code": "Tvåfaktorsautentiseringskod" - }, - "description": "Öppna **{mfa_module_name}** på din enhet för att visa din tvåfaktors autentiseringskod och verifiera din identitet:" - } - }, - "error": { - "invalid_auth": "Ogiltigt API-lösenord", - "invalid_code": "Ogiltig autentiseringskod" - }, - "abort": { - "no_api_password_set": "Du har inget API-lösenord konfigurerat", - "login_expired": "Sessionen har gått ut, vänligen logga in igen." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Användare" - }, - "description": "Välj den användare du vill logga in som:" - } - }, - "abort": { - "not_whitelisted": "Din dator är inte vitlistad" - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Användarnamn", - "password": "Lösenord" - } - }, - "mfa": { - "data": { - "code": "Tvåfaktors autentiseringskod" - }, - "description": "Öppna **{mfa_module_name}** på din enhet för att visa din tvåfaktors autentiseringskod och verifiera din identitet:" - } - }, - "error": { - "invalid_auth": "Felaktigt användarnamn eller lösenord", - "invalid_code": "Ogiltig autentiseringskod" - }, - "abort": { - "login_expired": "Sessionen har gått ut, vänligen logga in igen." - } - } - } - } - }, - "page-onboarding": { - "intro": "Är du redo att väcka ditt hem, återta din integritet och gå med i en världsomspännande gemenskap av hemmafixare?", - "user": { - "intro": "Låt oss börja med att skapa ett användarkonto", - "required_field": "Krävs", - "data": { - "name": "Namn", - "username": "Användarnamn", - "password": "Lösenord", - "password_confirm": "Bekräfta lösenord" - }, - "create_account": "Skapa konto", - "error": { - "required_fields": "Fyll i alla fält som krävs", - "password_not_match": "Lösenorden överensstämmer inte" - } - }, - "integration": { - "intro": "Enheter och tjänster representeras i Home Assistant som integrationer. Du kan ställa in dem nu eller göra det senare från konfigurations-skärmen.", - "more_integrations": "Mer", - "finish": "Slutför" - }, - "core-config": { - "intro": "Hej {name}, välkommen till Home Assistant. Hur skulle du vilja namnge ditt hem?", - "intro_location": "Vi skulle vilja veta var du bor. Den här informationen hjälper dig att visa information och ställa in solbaserade automatiseringar. Dessa data delas aldrig utanför nätverket.", - "intro_location_detect": "Vi kan hjälpa dig att fylla i denna information genom att göra en engångsförfrågan till en extern tjänst.", - "location_name_default": "Hem", - "button_detect": "Upptäcka", - "finish": "Nästa" - } - }, - "lovelace": { - "cards": { - "shopping-list": { - "checked_items": "Markerade objekt", - "clear_items": "Rensa markerade objekt", - "add_item": "Lägg till objekt" - }, - "empty_state": { - "title": "Välkommen hem", - "no_devices": "På den här sidan kan du styra dina enheter, men det ser ut som om du inte har några enheter ännu. Gå till integrationssidan för att komma igång.", - "go_to_integrations_page": "Gå till integrationssidan." - }, - "picture-elements": { - "hold": "Håll:", - "tap": "Tryck:", - "navigate_to": "Navigera till {location}", - "toggle": "Växla {name}", - "call_service": "Kör tjänst {name}", - "more_info": "Visa mer-info: {name}" - } - }, - "editor": { - "edit_card": { - "header": "Kortkonfiguration", - "save": "Spara", - "toggle_editor": "Visa \/ Dölj redigerare", - "pick_card": "Välj det kort du vill lägga till.", - "add": "Lägg till kort", - "edit": "Redigera", - "delete": "Ta bort", - "move": "Flytta", - "options": "Fler alternativ" - }, - "migrate": { - "header": "Ogiltig konfiguration", - "para_no_id": "Det här elementet har inget ID. Lägg till ett ID till det här elementet i \"ui-lovelace.yaml\".", - "para_migrate": "Home Assistant kan automatiskt lägga till ID till alla dina kort och vyer genom att du klickar på \"Migrera konfiguration\".", - "migrate": "Migrera konfigurationen" - }, - "header": "Ändra användargränssnittet", - "edit_view": { - "header": "Visa konfiguration", - "add": "Lägg till vy", - "edit": "Redigera vy", - "delete": "Radera vy" - }, - "save_config": { - "header": "Ta kontroll över Lovelace UI", - "para": "Home Assistant kommer som standard att behålla ditt användargränssnitt, uppdatera det när nya enheter eller Lovelace-komponenter blir tillgängliga. Om du tar kontroll kommer vi inte längre göra ändringar automatiskt för dig.", - "para_sure": "Är du säker på att du vill ta kontroll över ditt användargränssnitt?", - "cancel": "Glöm det", - "save": "Ta kontroll" - }, - "menu": { - "raw_editor": "Rå konfigurationseditor", - "open": "Öppna Lovelace-menyn" - }, - "raw_editor": { - "header": "Ändra konfigurationen", - "save": "Spara", - "unsaved_changes": "Osparade ändringar", - "saved": "Sparad" - }, - "edit_lovelace": { - "header": "Titel på ditt Lovelace-gränssnitt", - "explanation": "Den här titeln visas ovanför alla dina vyer i Lovelace." - } - }, - "menu": { - "configure_ui": "Konfigurera användargränssnittet", - "unused_entities": "Oanvända enheter", - "help": "Hjälp", - "refresh": "Uppdatera" - }, - "warning": { - "entity_not_found": "Enheten är ej tillgänglig: {entity}", - "entity_non_numeric": "Enheten är icke-numerisk: {entity}" - }, - "changed_toast": { - "message": "Lovelace-konfigurationen uppdaterades, vill du ladda om?", - "refresh": "Uppdatera" - }, - "reload_lovelace": "Ladda om Lovelace" - }, - "page-demo": { - "cards": { - "demo": { - "demo_by": "av {name}", - "next_demo": "Nästa demonstration", - "introduction": "Välkommen hem! Du har nått Home Assistant demon, där vi visar upp de bästa användargränssnitt som skapats av vårt community.", - "learn_more": "Lär dig mer om Home Assistant" - } - }, - "config": { - "arsaboo": { - "names": { - "upstairs": "Övervåningen", - "family_room": "Familjerum", - "kitchen": "Kök", - "patio": "Uteplats", - "hallway": "Hall", - "master_bedroom": "Huvudsovrum", - "left": "Vänster", - "right": "Höger", - "mirror": "Spegla" - }, - "labels": { - "lights": "Ljus", - "information": "Information", - "morning_commute": "Morgonpendling", - "commute_home": "Pendling hem", - "entertainment": "Underhållning", - "activity": "Aktivitet", - "hdmi_input": "HDMI-ingång", - "hdmi_switcher": "HDMI-omkopplare", - "volume": "Volym", - "total_tv_time": "TV-tid totalt", - "turn_tv_off": "Stäng av TV", - "air": "Fläkt" - }, - "unit": { - "watching": "ser på", - "minutes_abbr": "min" - } - } - } - } - }, - "sidebar": { - "log_out": "Logga ut", - "external_app_configuration": "Appkonfiguration", - "sidebar_toggle": "Växlingsknapp för sidofält" - }, - "common": { - "loading": "Läser in", - "cancel": "Avbryt", - "save": "Spara", - "successfully_saved": "Inställningar sparades" - }, - "duration": { - "day": "{count} {count, plural,\none {dag}\nother {dagar}\n}", - "week": "{count} {count, plural,\none {vecka}\nother {veckor}\n}", - "second": "{count} {count, plural,\none {sekund}\nother {sekunder}\n}", - "minute": "{count} {count, plural,\n one {minut}\n other {minuter}\n}", - "hour": "{count} {count, plural,\n one {timme}\n other {timmar}\n}" - }, - "login-form": { - "password": "Lösenord", - "remember": "Kom ihåg", - "log_in": "Logga in" + "auth_store": { + "ask": "Vill du spara den här inloggningen?", + "confirm": "Spara inloggning", + "decline": "Nej tack" }, "card": { + "alarm_control_panel": { + "arm_away": "Larma bortaläge", + "arm_custom_bypass": "Larm förbikopplat", + "arm_home": "Larma hemmaläge", + "arm_night": "Larma nattläge", + "armed_custom_bypass": "Larm förbikopplat", + "clear_code": "Rensa", + "code": "Kod", + "disarm": "Larma från" + }, + "automation": { + "last_triggered": "Utlöstes senast", + "trigger": "Aktivera" + }, "camera": { "not_available": "Bilden är inte tillgänglig" }, + "climate": { + "aux_heat": "Underhållsvärme", + "away_mode": "Bortaläge", + "currently": "Nuvarande", + "fan_mode": "Fläktläge", + "on_off": "På \/ av", + "operation": "Driftläge", + "preset_mode": "Förinställning", + "swing_mode": "Svepläge", + "target_humidity": "Önskad luftfuktighet", + "target_temperature": "Önskad temperatur" + }, + "cover": { + "position": "Position", + "tilt_position": "Tilt position" + }, + "fan": { + "direction": "Riktning", + "forward": "Framåt", + "oscillate": "Pendlar", + "reverse": "Baklänges", + "speed": "Hastighet" + }, + "light": { + "brightness": "Ljusstyrka", + "color_temperature": "Färgtemperatur", + "effect": "Effekt", + "white_value": "Vitt värde" + }, + "lock": { + "code": "Kod", + "lock": "Lås", + "unlock": "Lås upp" + }, + "media_player": { + "sound_mode": "Ljudläge", + "source": "Källa", + "text_to_speak": "Text till tal" + }, "persistent_notification": { "dismiss": "Avfärda" }, @@ -1178,6 +464,30 @@ "script": { "execute": "Kör" }, + "timer": { + "actions": { + "cancel": "avbryt", + "finish": "slutför", + "pause": "pausa", + "start": "starta" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "Fortsätt städning", + "return_to_base": "Återgå till docka", + "start_cleaning": "Börja städning", + "turn_off": "Stäng av", + "turn_on": "Starta" + } + }, + "water_heater": { + "away_mode": "Bortaläge", + "currently": "Nuvarande", + "on_off": "På \/ av", + "operation": "Operation", + "target_temperature": "Måltemperatur" + }, "weather": { "attributes": { "air_pressure": "Lufttryck", @@ -1193,8 +503,8 @@ "n": "N", "ne": "NO", "nne": "NNO", - "nw": "NV", "nnw": "NNV", + "nw": "NV", "s": "S", "se": "SO", "sse": "SSO", @@ -1205,128 +515,50 @@ "wsw": "VSV" }, "forecast": "Prognos" - }, - "alarm_control_panel": { - "code": "Kod", - "clear_code": "Rensa", - "disarm": "Larma från", - "arm_home": "Larma hemmaläge", - "arm_away": "Larma bortaläge", - "arm_night": "Larma nattläge", - "armed_custom_bypass": "Larm förbikopplat", - "arm_custom_bypass": "Larm förbikopplat" - }, - "automation": { - "last_triggered": "Utlöstes senast", - "trigger": "Aktivera" - }, - "cover": { - "position": "Position", - "tilt_position": "Tilt position" - }, - "fan": { - "speed": "Hastighet", - "oscillate": "Pendlar", - "direction": "Riktning", - "forward": "Framåt", - "reverse": "Baklänges" - }, - "light": { - "brightness": "Ljusstyrka", - "color_temperature": "Färgtemperatur", - "white_value": "Vitt värde", - "effect": "Effekt" - }, - "media_player": { - "text_to_speak": "Text till tal", - "source": "Källa", - "sound_mode": "Ljudläge" - }, - "climate": { - "currently": "Nuvarande", - "on_off": "På \/ av", - "target_temperature": "Önskad temperatur", - "target_humidity": "Önskad luftfuktighet", - "operation": "Driftläge", - "fan_mode": "Fläktläge", - "swing_mode": "Svepläge", - "away_mode": "Bortaläge", - "aux_heat": "Underhållsvärme", - "preset_mode": "Förinställning" - }, - "lock": { - "code": "Kod", - "lock": "Lås", - "unlock": "Lås upp" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Fortsätt städning", - "return_to_base": "Återgå till docka", - "start_cleaning": "Börja städning", - "turn_on": "Starta", - "turn_off": "Stäng av" - } - }, - "water_heater": { - "currently": "Nuvarande", - "on_off": "På \/ av", - "target_temperature": "Måltemperatur", - "operation": "Operation", - "away_mode": "Bortaläge" - }, - "timer": { - "actions": { - "start": "starta", - "pause": "pausa", - "cancel": "avbryt", - "finish": "slutför" - } } }, + "common": { + "cancel": "Avbryt", + "loading": "Läser in", + "save": "Spara", + "successfully_saved": "Inställningar sparades" + }, "components": { + "device-picker": { + "clear": "Rensa", + "show_devices": "Visa enheter" + }, "entity": { "entity-picker": { - "entity": "Entitet", - "clear": "Rensa" - } - }, - "service-picker": { - "service": "Tjänst" - }, - "relative_time": { - "past": "{time} sedan", - "future": "Om {time}", - "never": "Aldrig", - "duration": { - "second": "{count} {count, plural,\n one {sekund}\n other {sekunder}\n}", - "minute": "{count} {count, plural,\n one {minut}\n other {minuter}\n}", - "hour": "{count} {count, plural,\n one {timme}\n other {timmar}\n}", - "day": "{count} {count, plural,\none {dag}\nother {dagar}\n}", - "week": "{count} {count, plural,\none {vecka}\nother {veckor}\n}" + "clear": "Rensa", + "entity": "Entitet" } }, "history_charts": { "loading_history": "Laddar historik...", "no_history_found": "Ingen historik hittad." }, - "device-picker": { - "clear": "Rensa", - "show_devices": "Visa enheter" + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\none {dag}\\nother {dagar}\\n}", + "hour": "{count} {count, plural,\\n one {timme}\\n other {timmar}\\n}", + "minute": "{count} {count, plural,\\n one {minut}\\n other {minuter}\\n}", + "second": "{count} {count, plural,\\n one {sekund}\\n other {sekunder}\\n}", + "week": "{count} {count, plural,\\none {vecka}\\nother {veckor}\\n}" + }, + "future": "Om {time}", + "never": "Aldrig", + "past": "{time} sedan" + }, + "service-picker": { + "service": "Tjänst" } }, - "notification_toast": { - "entity_turned_on": "Slog på {entity}.", - "entity_turned_off": "Slog av {entity}.", - "service_called": "Tjänsten {service} anropad.", - "service_call_failed": "Misslyckades med att anropa tjänsten {service}.", - "connection_lost": "Anslutning tappad. Ansluter igen..." - }, "dialogs": { - "more_info_settings": { - "save": "Spara", - "name": "Skriv över namn", - "entity_id": "Entitets-ID" + "config_entry_system_options": { + "enable_new_entities_description": "Nyupptäckta enheter kommer ej läggas till automatiskt i Home Assistant om de är inaktiverade.", + "enable_new_entities_label": "Aktivera nyligen tillagda enheter.", + "title": "Inställningar" }, "more_info_control": { "script": { @@ -1341,6 +573,11 @@ "title": "Uppdateringsanvisningar" } }, + "more_info_settings": { + "entity_id": "Entitets-ID", + "name": "Skriv över namn", + "save": "Spara" + }, "options_flow": { "form": { "header": "Inställningar" @@ -1349,125 +586,888 @@ "description": "Inställningar sparade" } }, - "config_entry_system_options": { - "title": "Inställningar", - "enable_new_entities_label": "Aktivera nyligen tillagda enheter.", - "enable_new_entities_description": "Nyupptäckta enheter kommer ej läggas till automatiskt i Home Assistant om de är inaktiverade." - }, "zha_device_info": { "manuf": "av {manufacturer}", "no_area": "Inget område", "services": { "reconfigure": "Konfigurera om ZHA-enheten (läk enheten). Använd det här om du har problem med enheten. Om den aktuella enheten är en batteridriven enhet, se till att den är påslagen och accepterar kommandon när du använder den här tjänsten.", - "updateDeviceName": "Ange ett anpassat namn för den här enheten i enhetsregistret", - "remove": "Ta bort en enhet från Zigbee-nätverket." + "remove": "Ta bort en enhet från Zigbee-nätverket.", + "updateDeviceName": "Ange ett anpassat namn för den här enheten i enhetsregistret" }, "zha_device_card": { - "device_name_placeholder": "Användarnamn", "area_picker_label": "Område", + "device_name_placeholder": "Användarnamn", "update_name_button": "Uppdatera namn" } } }, - "auth_store": { - "ask": "Vill du spara den här inloggningen?", - "decline": "Nej tack", - "confirm": "Spara inloggning" + "duration": { + "day": "{count} {count, plural,\\none {dag}\\nother {dagar}\\n}", + "hour": "{count} {count, plural,\\n one {timme}\\n other {timmar}\\n}", + "minute": "{count} {count, plural,\\n one {minut}\\n other {minuter}\\n}", + "second": "{count} {count, plural,\\none {sekund}\\nother {sekunder}\\n}", + "week": "{count} {count, plural,\\none {vecka}\\nother {veckor}\\n}" + }, + "login-form": { + "log_in": "Logga in", + "password": "Lösenord", + "remember": "Kom ihåg" }, "notification_drawer": { "click_to_configure": "Klicka på knappen för att konfigurera {entity}", "empty": "Inga notiser", "title": "Notiser" - } - }, - "domain": { - "alarm_control_panel": "Larmkontrollpanel", - "automation": "Automation", - "binary_sensor": "Binär sensor", - "calendar": "Kalender", - "camera": "Kamera", - "climate": "Klimat", - "configurator": "Konfiguratorn", - "conversation": "Samtal", - "cover": "Rullgardin", - "device_tracker": "Enhetsspårare", - "fan": "Fläkt", - "history_graph": "Historikdiagram", - "group": "Grupp", - "image_processing": "Bildbehandling", - "input_boolean": "Välj av eller på", - "input_datetime": "Mata in datum och tid", - "input_select": "Välj", - "input_number": "Mata in tal", - "input_text": "Mata in text", - "light": "Lampor", - "lock": "Lås", - "mailbox": "Brevlåda", - "media_player": "Mediaspelare", - "notify": "Meddela", - "plant": "Växt", - "proximity": "Närhet", - "remote": "Fjärrkontroll", - "scene": "Scen", - "script": "Skript", - "sensor": "Sensor", - "sun": "Sol", - "switch": "Kontakt", - "updater": "Uppdaterare", - "weblink": "Webblänk", - "zwave": "Z-Wave", - "vacuum": "Dammsugare", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Systemhälsa", - "person": "Person" - }, - "attribute": { - "weather": { - "humidity": "Luftfuktighet", - "visibility": "Sikt", - "wind_speed": "Vindhastighet" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Av", - "on": "På", - "auto": "Auto" + }, + "notification_toast": { + "connection_lost": "Anslutning tappad. Ansluter igen...", + "entity_turned_off": "Slog av {entity}.", + "entity_turned_on": "Slog på {entity}.", + "service_call_failed": "Misslyckades med att anropa tjänsten {service}.", + "service_called": "Tjänsten {service} anropad." + }, + "panel": { + "config": { + "area_registry": { + "caption": "Områdesregister", + "create_area": "SKAPA OMRÅDE", + "description": "Oversikt över alla områden i ditt hem", + "editor": { + "create": "SKAPA", + "default_name": "Nytt område", + "delete": "RADERA", + "update": "UPPDATERA" + }, + "no_areas": "Det verkar som om du inte har några områden än!", + "picker": { + "create_area": "Skapa område", + "header": "Områdesregister", + "integrations_page": "Integrationssidan", + "introduction": "Områden används för att organisera var enheter befinner sig. Denna information kommer att användas i hela Home Assistant för att hjälpa dig att organisera ditt gränssnitt, behörigheter och integreringar med andra system.", + "introduction2": "Om du vill placera enheter i ett område använder du länken nedan för att navigera till integrationssidan och klickar sedan på en konfigurerad integration för att komma till enhetskort.", + "no_areas": "Det verkar som om du inte har några områden ännu" + } + }, + "automation": { + "caption": "Automationer", + "description": "Skapa och redigera automationer", + "editor": { + "actions": { + "add": "Lägg till åtgärd", + "delete": "Radera", + "delete_confirm": "Är du säker på att du vill radera?", + "duplicate": "Duplicera", + "header": "Åtgärder", + "introduction": "Åtgärderna är vad Home Assistant gör när automatiseringen triggas.", + "learn_more": "Lär dig mer om händelser", + "type_select": "Åtgärdstyp", + "type": { + "condition": { + "label": "Villkor" + }, + "delay": { + "delay": "Fördröjning", + "label": "Paus" + }, + "device_id": { + "label": "Enhet" + }, + "event": { + "event": "Händelse", + "label": "Utlös händelse", + "service_data": "Tjänstedata" + }, + "service": { + "label": "Kör tjänst", + "service_data": "Händelsedata" + }, + "wait_template": { + "label": "paus", + "timeout": "Timeout (valfritt)", + "wait_template": "paus mall" + } + }, + "unsupported_action": "Åtgärd stöds inte: {action}" + }, + "alias": "Namn", + "conditions": { + "add": "Lägg till villkor", + "delete": "Radera", + "delete_confirm": "Säker på att du vill radera?", + "duplicate": "Duplicera", + "header": "Villkor", + "introduction": "Villkor är en valfri del av en automatiseringsregel och kan användas för att förhindra att en åtgärd inträffar när den triggas. Villkoren liknar triggers men är väldigt olika. En trigger reagerar på händelser som händer i systemet medan ett villkor bara utvärderar hur systemet ser ut just nu. En trigger kan reagera på att en strömbrytare slås på. Ett villkor kan bara se om en strömbrytare är på eller av. ", + "learn_more": "Lär dig mer om villkor", + "type_select": "Villkorstyp", + "type": { + "device": { + "label": "Enhet" + }, + "numeric_state": { + "above": "Över", + "below": "Under", + "label": "Siffervärde", + "value_template": "Värdemall (valfritt)" + }, + "state": { + "label": "Tillstånd", + "state": "Tillstånd" + }, + "sun": { + "after": "Efter:", + "after_offset": "Förskjutning efter (valfritt)", + "before": "Före:", + "before_offset": "Förskjutning innan (valfritt)", + "label": "Solen", + "sunrise": "Soluppgång", + "sunset": "Solnedgång" + }, + "template": { + "label": "Mall", + "value_template": "Värdemall" + }, + "time": { + "after": "Efter", + "before": "Före", + "label": "Tid" + }, + "zone": { + "entity": "Entitet med position", + "label": "Zon", + "zone": "Zon" + } + }, + "unsupported_condition": "Villkor stöds inte: {condition}" + }, + "default_name": "Ny automation", + "introduction": "Använd automatiseringar för väcka liv i ditt hem", + "load_error_not_editable": "Endast automatiseringar i automations.yaml kan redigeras.", + "load_error_unknown": "Fel vid inläsning av automatisering ({err_no}).", + "save": "Spara", + "triggers": { + "add": "Lägg till händelse", + "delete": "Radera", + "delete_confirm": "Säker på att du vill radera?", + "duplicate": "Duplicera", + "header": "Triggers", + "introduction": "Triggers är det som startar en automation. Det är möjligt att ange flera triggers för samma regel. När en trigger inträffar kommer Home Assistant att validera eventuella villkor och sedan köra åtgärden.", + "learn_more": "Lär dig mer om utlösare", + "type_select": "Aktiveringstyp", + "type": { + "device": { + "label": "Enhet" + }, + "event": { + "event_data": "Händelsedata", + "event_type": "Händelsetyp", + "label": "Händelse" + }, + "geo_location": { + "enter": "Ankomma", + "event": "Händelse:", + "label": "Geolocation", + "leave": "Lämna", + "source": "Källa", + "zone": "Zon" + }, + "homeassistant": { + "event": "Händelse:", + "label": "Home Assistant", + "shutdown": "Stoppa", + "start": "Starta" + }, + "mqtt": { + "label": "MQTT", + "payload": "Nyttolast (tillval)", + "topic": "Ämne" + }, + "numeric_state": { + "above": "Över", + "below": "Under", + "label": "Numeriskt tillstånd", + "value_template": "Värdesmall (valfritt)" + }, + "state": { + "for": "För", + "from": "Från", + "label": "Tillstånd", + "to": "Till" + }, + "sun": { + "event": "Händelse", + "label": "Solen", + "offset": "Förskjutning (valfritt)", + "sunrise": "Soluppgång", + "sunset": "Solnedgång" + }, + "template": { + "label": "Mall", + "value_template": "Värdemall" + }, + "time_pattern": { + "hours": "Timmar", + "label": "Tidsmönster", + "minutes": "Minuter", + "seconds": "Sekunder" + }, + "time": { + "at": "När", + "label": "Tid" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook ID" + }, + "zone": { + "enter": "Ankommer", + "entity": "Entitet med position", + "event": "Händelse", + "label": "Zon", + "leave": "Lämnar", + "zone": "Zon" + } + }, + "unsupported_platform": "Plattform stöds ej: {platform}" + }, + "unsaved_confirm": "Du har osparade ändringar. Är du säker på att du vill lämna?" + }, + "picker": { + "add_automation": "Lägg till automatisering", + "header": "Automatiseringseditor", + "introduction": "Automatiseringseditorn låter dig skapa och redigera automationer. Läs [instruktionerna](https:\/\/home-assistant.io\/docs\/automation\/editor\/) för att se till att du har konfigurerat Home Assistant korrekt.", + "learn_more": "Lär dig mer om automatiseringar", + "no_automations": "Vi kunde inte hitta några redigerbara automationer", + "pick_automation": "Välj automation att redigera" + } + }, + "cloud": { + "caption": "Home Assistant Cloud", + "description_features": "Styra även när du inte är hemma, integrera med Alexa och Google Assistant.", + "description_login": "Inloggad som {email}", + "description_not_login": "Inte inloggad" + }, + "core": { + "caption": "Allmänt", + "description": "Kontrollera din konfiguration och hantera servern.", + "section": { + "core": { + "core_config": { + "edit_requires_storage": "Redigeraren är inaktiverad eftersom konfigurationen lagras i configuration.yaml.", + "elevation": "Höjd över havet", + "elevation_meters": "meter", + "imperial_example": "Fahrenheit, pounds", + "latitude": "Latitud", + "location_name": "Namn på din Home Assistant-installation", + "longitude": "Longitud", + "metric_example": "Celsius, kilogram", + "save_button": "Spara", + "time_zone": "Tidszon", + "unit_system": "Enhetssystem", + "unit_system_imperial": "Imperial", + "unit_system_metric": "Metrisk" + }, + "header": "Konfiguration och serverhantering", + "introduction": "Att ändra din konfiguration kan vara en tröttsam process. Vi vet. Den här avdelningen försöker göra ditt liv lite enklare." + }, + "server_control": { + "reloading": { + "automation": "Uppdatera automationer", + "core": "Ladda om kärnan", + "group": "Uppdatera grupper", + "heading": "Uppdatering av konfigurationen", + "introduction": "Vissa delar av Home Assistant kan laddas om utan att en omstart krävs. Att trycka på \"Uppdatera\" innebär att den nuvarande konfiguration inaktiveras och den nya laddas.", + "script": "Uppdatera skript" + }, + "server_management": { + "heading": "Serverhantering", + "introduction": "Hantera din Home Assistant server... från Home Assistant.", + "restart": "Starta om", + "stop": "Stoppa" + }, + "validation": { + "check_config": "Kontrollera konfigurationen", + "heading": "Validering av konfiguration", + "introduction": "Kontrollera din konfiguration om du nyligen gjort ändringar och vill säkerställa att den fortfarande är giltig", + "invalid": "Konfigurationen är inte giltig", + "valid": "Konfigurationen är giltig!" + } + } + } + }, + "customize": { + "caption": "Anpassning", + "description": "Anpassa dina entiteter", + "picker": { + "header": "Anpassning", + "introduction": "Justera attribut per enhet. Tillagda och redigerade anpassningar kommer att tillträda omedelbart. Borttagna anpassningar kommer att träda i kraft när enheten är uppdaterad." + } + }, + "devices": { + "caption": "Enheter", + "description": "Hantera anslutna enheter" + }, + "entity_registry": { + "caption": "Entitetsregister", + "description": "Översikt över alla kända entiteter", + "editor": { + "default_name": "Nytt område", + "delete": "RADERA", + "enabled_cause": "Inaktiverad på grund av {cause}.", + "enabled_description": "Inaktiverade enheter kommer ej läggas till i Home Assistant.", + "enabled_label": "Aktivera enhet", + "unavailable": "Denna enhet är inte tillgänglig för tillfället.", + "update": "UPPDATERA" + }, + "picker": { + "header": "Enhetsregister", + "integrations_page": "Integrationssida", + "introduction": "Home Assistant har ett enhetsregister som innehåller samtliga identifierade enheter som någonsin har setts. Var och en av dessa enheter kommer att ha ett ID-nummer som är reserverat för bara den enheten.", + "introduction2": "Använd enhetsregistret för att skriva över namnet, ändra ID eller ta bort posten ifrån Home Assistant. Obs! Att ta bort posten ifrån entity registry (enhetsregister) kommer inte att ta bort enheten. För att göra det, följ länken nedan och ta bort det från integreringssidan.", + "unavailable": "(ej tillgänglig)" + } + }, + "header": "Konfigurera Home Assistant", + "integrations": { + "caption": "Integrationer", + "config_entry": { + "delete_confirm": "Är du säker på att du vill radera denna integration?", + "device_unavailable": "enhet otillgänglig", + "entity_unavailable": "entitet otillgänglig", + "firmware": "Firmware: {version}", + "hub": "Ansluten via", + "manuf": "av {manufacturer}", + "no_area": "Inget område (\"area\")", + "no_device": "Entitet utan enheter", + "no_devices": "Denna integration har inga enheter.", + "restart_confirm": "Starta om Home Assistant för att slutföra borttagningen av denna integration", + "via": "Ansluten via" + }, + "config_flow": { + "external_step": { + "description": "Det här steget kräver att du besöker en extern webbplats för att slutföra.", + "open_site": "Öppna webbplats" + } + }, + "configure": "Konfigurera", + "configured": "Konfigurerad", + "description": "Hantera och konfigurera integrationer", + "discovered": "Upptäckt", + "new": "Skapa en ny integration", + "none": "Ingenting konfigurerat än" + }, + "introduction": "Här går det att konfigurera dina komponenter och Home Assistant. Det är inte möjligt att ställa in allt från användargränssnittet ännu, men vi jobbar på det.", + "person": { + "caption": "Personer", + "description": "Hantera de personer som Home Assistant spårar.", + "detail": { + "device_tracker_intro": "Välj de enheter som tillhör till den här personen.", + "device_tracker_pick": "Välj enhet att spåra", + "device_tracker_picked": "Spåra enheten", + "name": "Namn" + } + }, + "script": { + "caption": "Skript", + "description": "Skapa och redigera skript" + }, + "server_control": { + "caption": "Serverhantering", + "description": "Starta om och stoppa Home Assistant-servern", + "section": { + "reloading": { + "automation": "Ladda om automationer", + "core": "Ladda om kärnan", + "group": "Ladda om grupper", + "heading": "Konfigurationen laddas om", + "introduction": "Vissa delar av Home Assistant kan laddas om utan att en omstart krävs. Att trycka på \"ladda om\" innebär att den nuvarande konfiguration inaktiveras och den nya laddas.", + "scene": "Ladda om scener", + "script": "Ladda om skript" + }, + "server_management": { + "confirm_restart": "Är du säker på att du vill starta om Home Assistant?", + "confirm_stop": "Är du säker på att du vill stoppa Home Assistant?", + "heading": "Serverhantering", + "introduction": "Kontrollera din Home Assistant-server ... från Home Assistant.", + "restart": "Starta om", + "stop": "Stoppa" + }, + "validation": { + "check_config": "Kontrollera konfigurationen", + "heading": "Validering av konfiguration", + "introduction": "Kontrollera din konfiguration om du nyligen gjort ändringar och du vill säkerställa att den är giltig", + "invalid": "Konfigurationen är inte giltig", + "valid": "Konfigurationen är giltig!" + } + } + }, + "users": { + "add_user": { + "caption": "Lägg till användare", + "create": "Skapa", + "name": "Namn", + "password": "Lösenord", + "username": "Användarnamn" + }, + "caption": "Användare", + "description": "Hantera användare", + "editor": { + "activate_user": "Aktivera användare", + "caption": "Visa användare", + "change_password": "Ändra lösenord", + "deactivate_user": "Avaktivera användare", + "delete_user": "Ta bort användare", + "rename_user": "Byt namn på användare" + }, + "picker": { + "title": "Användare" + } + }, + "zha": { + "add_device_page": { + "discovery_text": "Upptäckta enheter kommer dyka upp här. Följ instruktionerna för dina enheter och sätt dem i parningsläge.", + "header": "Zigbee Home Automation - Lägg till enheter", + "spinner": "Söker efter ZHA Zigbee-enheter ..." + }, + "caption": "ZHA", + "description": "Zigbee Home Automation (ZHA) nätverkshantering", + "device_card": { + "area_picker_label": "Plats", + "device_name_placeholder": "Användarnamn", + "update_name_button": "Uppdatera namn" + }, + "services": { + "reconfigure": "Omkonfigurera ZHA-enheten (läk enheten). Använd det här om du har problem med enheten. Om den aktuella enheten är en batteridriven enhet, se till att den är påslagen och accepterar kommandon när du använder den här tjänstens funktion.", + "remove": "Ta bort en enhet från Zigbee-nätverket.", + "updateDeviceName": "Ange ett anpassat namn för den här enheten i enhetsregistret" + } + }, + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Index", + "instance": "Instans", + "unknown": "okänt", + "value": "Värde", + "wakeup_interval": "Uppvakningsintervall" + }, + "description": "Hantera ditt Z-Wave nätverk", + "network_management": { + "header": "Hantering av Z-Wave-nätverk", + "introduction": "Kör kommandon som påverkar Z-Wave-nätverket. De flesta kommandon ger ingen bekräftelse om de lyckas men du kan kontrollera OZW-loggen för att försöka ta reda på det." + }, + "network_status": { + "network_started": "Z-Wave nätverk startat", + "network_started_note_all_queried": "Alla noder har frågats.", + "network_started_note_some_queried": "Vakna noder har frågats. Vilande noder frågas när de vaknar.", + "network_starting": "Startar Z-Wave-nätverk...", + "network_starting_note": "Detta kan ta ett tag beroende på storleken på ditt nätverk.", + "network_stopped": "Z-Wave-nätverk stoppat" + }, + "node_config": { + "config_parameter": "Konfigurera parameter", + "config_value": "Konfigurera värde", + "false": "Falskt", + "header": "Alternativ för nodkonfiguration", + "seconds": "sekunder", + "set_config_parameter": "Ställ in konfigurationsparametrar", + "set_wakeup": "Ställ in uppvakningsintervall", + "true": "Sant" + }, + "services": { + "add_node": "Lägg till nod", + "add_node_secure": "Lägg till nod med säkerhet", + "cancel_command": "Avbryt kommandot", + "heal_network": "Reparera nätverk", + "remove_node": "Ta bort nod", + "save_config": "Spara konfiguration", + "soft_reset": "Mjuk återställning", + "start_network": "Starta Nätverket", + "stop_network": "Stoppa nätverket", + "test_network": "Testa nätverk" + }, + "values": { + "header": "Nodvärden" + } + } }, - "preset_mode": { - "none": "Ingen", - "eco": "Eko", - "away": "Borta", - "boost": "Boost-läge", - "comfort": "Komfort", - "home": "Hemma", - "sleep": "Sover", - "activity": "Aktivitet" + "developer-tools": { + "tabs": { + "events": { + "title": "Händelser" + }, + "info": { + "title": "Info" + }, + "logs": { + "title": "Loggar" + }, + "mqtt": { + "title": "MQTT" + }, + "services": { + "title": "Tjänster" + }, + "states": { + "more_info": "Mer information", + "title": "Tillstånd" + }, + "templates": { + "title": "Mallar" + } + } }, - "hvac_action": { - "off": "Av", - "heating": "Värmer", - "cooling": "Kyler", - "drying": "Avfuktar", - "idle": "Inaktiv", - "fan": "Fläkt" + "history": { + "period": "Period", + "showing_entries": "Visar poster för" + }, + "logbook": { + "period": "Period", + "showing_entries": "Visar poster för" + }, + "lovelace": { + "cards": { + "empty_state": { + "go_to_integrations_page": "Gå till integrationssidan.", + "no_devices": "På den här sidan kan du styra dina enheter, men det ser ut som om du inte har några enheter ännu. Gå till integrationssidan för att komma igång.", + "title": "Välkommen hem" + }, + "picture-elements": { + "call_service": "Kör tjänst {name}", + "hold": "Håll:", + "more_info": "Visa mer-info: {name}", + "navigate_to": "Navigera till {location}", + "tap": "Tryck:", + "toggle": "Växla {name}" + }, + "shopping-list": { + "add_item": "Lägg till objekt", + "checked_items": "Markerade objekt", + "clear_items": "Rensa markerade objekt" + } + }, + "changed_toast": { + "message": "Lovelace-konfigurationen uppdaterades, vill du ladda om?", + "refresh": "Uppdatera" + }, + "editor": { + "edit_card": { + "add": "Lägg till kort", + "delete": "Ta bort", + "edit": "Redigera", + "header": "Kortkonfiguration", + "move": "Flytta", + "options": "Fler alternativ", + "pick_card": "Välj det kort du vill lägga till.", + "save": "Spara", + "toggle_editor": "Visa \/ Dölj redigerare" + }, + "edit_lovelace": { + "explanation": "Den här titeln visas ovanför alla dina vyer i Lovelace.", + "header": "Titel på ditt Lovelace-gränssnitt" + }, + "edit_view": { + "add": "Lägg till vy", + "delete": "Radera vy", + "edit": "Redigera vy", + "header": "Visa konfiguration" + }, + "header": "Ändra användargränssnittet", + "menu": { + "open": "Öppna Lovelace-menyn", + "raw_editor": "Rå konfigurationseditor" + }, + "migrate": { + "header": "Ogiltig konfiguration", + "migrate": "Migrera konfigurationen", + "para_migrate": "Home Assistant kan automatiskt lägga till ID till alla dina kort och vyer genom att du klickar på \"Migrera konfiguration\".", + "para_no_id": "Det här elementet har inget ID. Lägg till ett ID till det här elementet i \"ui-lovelace.yaml\"." + }, + "raw_editor": { + "header": "Ändra konfigurationen", + "save": "Spara", + "saved": "Sparad", + "unsaved_changes": "Osparade ändringar" + }, + "save_config": { + "cancel": "Glöm det", + "header": "Ta kontroll över Lovelace UI", + "para": "Home Assistant kommer som standard att behålla ditt användargränssnitt, uppdatera det när nya enheter eller Lovelace-komponenter blir tillgängliga. Om du tar kontroll kommer vi inte längre göra ändringar automatiskt för dig.", + "para_sure": "Är du säker på att du vill ta kontroll över ditt användargränssnitt?", + "save": "Ta kontroll" + } + }, + "menu": { + "configure_ui": "Konfigurera användargränssnittet", + "help": "Hjälp", + "refresh": "Uppdatera", + "unused_entities": "Oanvända enheter" + }, + "reload_lovelace": "Ladda om Lovelace", + "warning": { + "entity_non_numeric": "Enheten är icke-numerisk: {entity}", + "entity_not_found": "Enheten är ej tillgänglig: {entity}" + } + }, + "mailbox": { + "delete_button": "Ta bort", + "delete_prompt": "Vill du ta bort det här meddelandet?", + "empty": "Du har inga meddelanden", + "playback_title": "Meddelandeuppspelning" + }, + "page-authorize": { + "abort_intro": "Inloggning avbruten", + "authorizing_client": "Du håller på att ge {clientId} behörighet till din Home Assistant.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Sessionen har gått ut, vänligen logga in igen." + }, + "error": { + "invalid_auth": "Felaktigt användarnamn eller lösenord", + "invalid_code": "Ogiltig autentiseringskod" + }, + "step": { + "init": { + "data": { + "password": "Lösenord", + "username": "Användarnamn" + } + }, + "mfa": { + "data": { + "code": "Tvåfaktors autentiseringskod" + }, + "description": "Öppna **{mfa_module_name}** på din enhet för att visa din tvåfaktors autentiseringskod och verifiera din identitet:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Sessionen avslutades. Logga in igen." + }, + "error": { + "invalid_auth": "Felaktigt användarnamn eller lösenord", + "invalid_code": "Ogiltig autentiseringskod" + }, + "step": { + "init": { + "data": { + "password": "Lösenord", + "username": "Användarnamn" + } + }, + "mfa": { + "data": { + "code": "Tvåfaktorsautentiseringskod" + }, + "description": "Öppna **{mfa_module_name}** på din enhet för att visa din tvåfaktors autentiseringskod och verifiera din identitet:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Sessionen har gått ut, vänligen logga in igen.", + "no_api_password_set": "Du har inget API-lösenord konfigurerat" + }, + "error": { + "invalid_auth": "Ogiltigt API-lösenord", + "invalid_code": "Ogiltig autentiseringskod" + }, + "step": { + "init": { + "data": { + "password": "API-lösenord" + }, + "description": "Lägg in ett API-lösenord i din http konfig:" + }, + "mfa": { + "data": { + "code": "Tvåfaktorsautentiseringskod" + }, + "description": "Öppna **{mfa_module_name}** på din enhet för att visa din tvåfaktors autentiseringskod och verifiera din identitet:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Din dator är inte vitlistad" + }, + "step": { + "init": { + "data": { + "user": "Användare" + }, + "description": "Välj den användare du vill logga in som:" + } + } + } + }, + "unknown_error": "Något gick fel", + "working": "Vänligen vänta" + }, + "initializing": "Initierar", + "logging_in_with": "Loggar in med **{authProviderName}**.", + "pick_auth_provider": "Eller logga in med" + }, + "page-demo": { + "cards": { + "demo": { + "demo_by": "av {name}", + "introduction": "Välkommen hem! Du har nått Home Assistant demon, där vi visar upp de bästa användargränssnitt som skapats av vårt community.", + "learn_more": "Lär dig mer om Home Assistant", + "next_demo": "Nästa demonstration" + } + }, + "config": { + "arsaboo": { + "labels": { + "activity": "Aktivitet", + "air": "Fläkt", + "commute_home": "Pendling hem", + "entertainment": "Underhållning", + "hdmi_input": "HDMI-ingång", + "hdmi_switcher": "HDMI-omkopplare", + "information": "Information", + "lights": "Ljus", + "morning_commute": "Morgonpendling", + "total_tv_time": "TV-tid totalt", + "turn_tv_off": "Stäng av TV", + "volume": "Volym" + }, + "names": { + "family_room": "Familjerum", + "hallway": "Hall", + "kitchen": "Kök", + "left": "Vänster", + "master_bedroom": "Huvudsovrum", + "mirror": "Spegla", + "patio": "Uteplats", + "right": "Höger", + "upstairs": "Övervåningen" + }, + "unit": { + "minutes_abbr": "min", + "watching": "ser på" + } + } + } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Upptäcka", + "finish": "Nästa", + "intro": "Hej {name}, välkommen till Home Assistant. Hur skulle du vilja namnge ditt hem?", + "intro_location": "Vi skulle vilja veta var du bor. Den här informationen hjälper dig att visa information och ställa in solbaserade automatiseringar. Dessa data delas aldrig utanför nätverket.", + "intro_location_detect": "Vi kan hjälpa dig att fylla i denna information genom att göra en engångsförfrågan till en extern tjänst.", + "location_name_default": "Hem" + }, + "integration": { + "finish": "Slutför", + "intro": "Enheter och tjänster representeras i Home Assistant som integrationer. Du kan ställa in dem nu eller göra det senare från konfigurations-skärmen.", + "more_integrations": "Mer" + }, + "intro": "Är du redo att väcka ditt hem, återta din integritet och gå med i en världsomspännande gemenskap av hemmafixare?", + "user": { + "create_account": "Skapa konto", + "data": { + "name": "Namn", + "password": "Lösenord", + "password_confirm": "Bekräfta lösenord", + "username": "Användarnamn" + }, + "error": { + "password_not_match": "Lösenorden överensstämmer inte", + "required_fields": "Fyll i alla fält som krävs" + }, + "intro": "Låt oss börja med att skapa ett användarkonto", + "required_field": "Krävs" + } + }, + "profile": { + "change_password": { + "confirm_new_password": "Bekräfta nytt lösenord", + "current_password": "Nuvarande lösenord", + "error_required": "Krävs", + "header": "Ändra lösenord", + "new_password": "Nytt lösenord", + "submit": "Skicka" + }, + "current_user": "Du är inloggad som {fullName}.", + "force_narrow": { + "description": "Detta kommer att dölja sidofältet som standard, liknande mobilupplevelsen.", + "header": "Göm alltid sidofältet" + }, + "is_owner": "Du är en ägare.", + "language": { + "dropdown_label": "Språk", + "header": "Språk", + "link_promo": "Hjälp till att översätta" + }, + "logout": "Logga ut", + "long_lived_access_tokens": { + "confirm_delete": "Är du säker du vill radera åtkomsttoken för {name}?", + "create": "Skapa token", + "create_failed": "Det gick inte att skapa åtkomsttoken.", + "created_at": "Skapades den {date}", + "delete_failed": "Det gick inte att ta bort åtkomsttoken.", + "description": "Skapa långlivade åtkomsttokens för att låta dina skript interagera med din Home Assistant. Varje token kommer att vara giltig i 10 år från skapandet. Följande långlivade åtkomsttoken är för närvarande aktiva.", + "empty_state": "Du har än så länge inga långlivade åtkomsttokens.", + "header": "Långlivade åtkomsttoken", + "last_used": "Användes senast den {date} från {location}", + "learn_auth_requests": "Lär dig hur du gör autentiserade förfrågningar.", + "not_used": "Har aldrig använts", + "prompt_copy_token": "Kopiera din åtkomsttoken. Den kommer inte att visas igen.", + "prompt_name": "Namn?" + }, + "mfa_setup": { + "close": "Stäng", + "step_done": "Inställningen klar för {step}", + "submit": "Skicka", + "title_aborted": "Avbruten", + "title_success": "Framgång!" + }, + "mfa": { + "confirm_disable": "Är du säker på att du vill avaktivera {name}?", + "disable": "Inaktivera", + "enable": "Aktivera", + "header": "Tvåfaktorsautentiseringsmoduler" + }, + "push_notifications": { + "description": "Skicka meddelanden till den här enheten", + "error_load_platform": "Konfigurera notify.html5.", + "error_use_https": "Kräver att SSL är aktiverat för frontend.", + "header": "Push-meddelanden", + "link_promo": "Läs mer", + "push_notifications": "Push-meddelanden" + }, + "refresh_tokens": { + "confirm_delete": "Är du säker på att du vill radera uppdateringstoken för {name} ?", + "created_at": "Skapades den {date}", + "current_token_tooltip": "Det går inte att radera nuvarande uppdateringstoken", + "delete_failed": "Kunde inte radera uppdateringstoken.", + "description": "Varje uppdateringstoken representerar en inloggningssession. Uppdateringstokens kommer automatiskt att raderas när du loggar ut. Följande uppdateringstokens är för närvarande aktiva för ditt konto.", + "header": "Uppdatera tokens", + "last_used": "Senast använt den {date} från {location}", + "not_used": "Har aldrig använts", + "token_title": "Uppdatera token för {clientId}" + }, + "themes": { + "dropdown_label": "Tema", + "error_no_theme": "Inga teman finns tillgängliga.", + "header": "Tema", + "link_promo": "Läs mer om teman" + } + }, + "shopping-list": { + "add_item": "Lägg till objekt", + "clear_completed": "Rensning slutförd", + "microphone_tip": "Tryck på mikrofonen längst upp till höger och säg \"Add candy to my shopping list\"" } - } - }, - "groups": { - "system-admin": "Administratörer", - "system-users": "Användare", - "system-read-only": "Användare med läsbehörighet" - }, - "config_entry": { - "disabled_by": { - "user": "Användare", - "integration": "Integration", - "config_entry": "Konfigurationsvärde" + }, + "sidebar": { + "external_app_configuration": "Appkonfiguration", + "log_out": "Logga ut", + "sidebar_toggle": "Växlingsknapp för sidofält" } } } \ No newline at end of file diff --git a/translations/ta.json b/translations/ta.json index 5661186706..d3c03b239d 100644 --- a/translations/ta.json +++ b/translations/ta.json @@ -1,31 +1,64 @@ { + "domain": { + "input_text": "உரை உள்ளிடு", + "light": "மின் விளக்கு", + "lock": "பூட்டு", + "mailbox": "அஞ்சல் பெட்டி", + "media_player": "மீடியா பிளேயர்", + "notify": "தெரிவி", + "remote": "ரிமோட்", + "scene": "காட்சி", + "script": "ஸ்கிரிப்ட்", + "sensor": "சென்சார்", + "sun": "சூரியன்", + "switch": "ஸ்விட்ச்", + "updater": "அப்டேட்டர்", + "weblink": "இணையதள இணைப்பு", + "zwave": "Z-Wave" + }, "panel": { "config": "அமைப்புகள்", - "states": "கண்ணோட்டம்", - "map": "வரைபடம்", - "logbook": "பதிவேடுகள்", "history": "வரலாறு", + "logbook": "பதிவேடுகள்", "mailbox": "அஞ்சல் பெட்டி", - "shopping_list": "பொருட்கள் பட்டியல்" + "map": "வரைபடம்", + "shopping_list": "பொருட்கள் பட்டியல்", + "states": "கண்ணோட்டம்" }, - "state": { - "default": { - "off": "ஆஃப்", - "on": "ஆன்", - "unknown": "தெரியவில்லை", - "unavailable": "கிடைக்கவில்லை" - }, + "state_badge": { "alarm_control_panel": { "armed": "எச்சரிக்கை ஒலி அமைக்கப்பட்டுள்ளது", - "disarmed": "எச்சரிக்கை ஒலி அமைக்கப்படவில்லை", - "armed_home": "எச்சரிக்கை ஒலி முகப்பு", - "armed_away": "எச்சரிக்கை ஒலி வெளியே", - "armed_night": "எச்சரிக்கை ஒலி இரவில்", - "pending": "நிலுவையில்", + "armed_away": "எச்சரிக்கை ஒலி அமைக்கப்பட்டுள்ளது ", + "armed_custom_bypass": "எச்சரிக்கை ஒலி அமைக்கப்பட்டுள்ளது", + "armed_home": "எச்சரிக்கை ஒலி அமைக்கப்பட்டுள்ளது ", + "armed_night": "எச்சரிக்கை ஒலி அமைக்கப்பட்டுள்ளது", "arming": "எச்சரிக்கை ஒலி அமைக்கிறது", + "disarmed": "எச்சரிக்கை ஒலி அமைக்கப்படவில்லை", + "disarming": "எச்சரிக்கை ஒலி அமைக்கப்படவில்லை", + "pending": "கிடப்பில்", + "triggered": "தூண்ட" + }, + "default": { + "unavailable": "கிடைக்கவில்லை", + "unknown": "தெரியாத" + }, + "device_tracker": { + "home": "வீட்டில்", + "not_home": "தொலைவில்" + } + }, + "state": { + "alarm_control_panel": { + "armed": "எச்சரிக்கை ஒலி அமைக்கப்பட்டுள்ளது", + "armed_away": "எச்சரிக்கை ஒலி வெளியே", + "armed_custom_bypass": "விருப்ப எச்சரிக்கை ஒலி", + "armed_home": "எச்சரிக்கை ஒலி முகப்பு", + "armed_night": "எச்சரிக்கை ஒலி இரவில்", + "arming": "எச்சரிக்கை ஒலி அமைக்கிறது", + "disarmed": "எச்சரிக்கை ஒலி அமைக்கப்படவில்லை", "disarming": "எச்சரிக்கை ஒலி நீக்கம்", - "triggered": "தூண்டப்படுகிறது", - "armed_custom_bypass": "விருப்ப எச்சரிக்கை ஒலி" + "pending": "நிலுவையில்", + "triggered": "தூண்டப்படுகிறது" }, "automation": { "off": "ஆஃப்", @@ -36,14 +69,18 @@ "off": "ஆஃப்", "on": "ஆன் " }, - "moisture": { - "off": "உலர்", - "on": "ஈரம்" - }, "gas": { "off": "தெளிவு", "on": "கண்டறியப்பட்டது" }, + "heat": { + "off": "ஆஃப்", + "on": "சூடான" + }, + "moisture": { + "off": "உலர்", + "on": "ஈரம்" + }, "motion": { "off": "தெளிவு ", "on": "கண்டறியப்பட்டது" @@ -52,6 +89,22 @@ "off": "தெளிவு ", "on": "கண்டறியப்பட்டது" }, + "opening": { + "off": "மூடப்பட்டது", + "on": "திறக்கப்பட்டுள்ளது" + }, + "presence": { + "off": "தொலைவில்", + "on": "முகப்பு" + }, + "problem": { + "off": "சரி", + "on": "சிக்கல்" + }, + "safety": { + "off": "பாதுகாப்பான", + "on": "பாதுகாப்பற்ற" + }, "smoke": { "off": "தெளிவு ", "on": "கண்டறியப்பட்டது" @@ -64,26 +117,6 @@ "off": "தெளிவு ", "on": "கண்டறியப்பட்டது" }, - "opening": { - "off": "மூடப்பட்டது", - "on": "திறக்கப்பட்டுள்ளது" - }, - "safety": { - "off": "பாதுகாப்பான", - "on": "பாதுகாப்பற்ற" - }, - "presence": { - "off": "தொலைவில்", - "on": "முகப்பு" - }, - "problem": { - "off": "சரி", - "on": "சிக்கல்" - }, - "heat": { - "off": "ஆஃப்", - "on": "சூடான" - }, "window": { "off": "மூடப்பட்டுள்ளது", "on": "திறக்கப்பட்டுள்ளது" @@ -94,38 +127,44 @@ "on": "ஆன் " }, "camera": { + "idle": "பணியின்றி", "recording": "பதிவு", - "streaming": "ஸ்ட்ரீமிங்", - "idle": "பணியின்றி" + "streaming": "ஸ்ட்ரீமிங்" }, "climate": { - "off": "ஆஃப்", - "on": "ஆன் ", - "heat": "வெப்பம்", - "cool": "குளிர்", - "idle": "பணியின்றி", "auto": "தானாக இயங்குதல்", + "cool": "குளிர்", "dry": "உலர்ந்த", - "fan_only": "விசிறி மட்டும்", "eco": "சுற்றுச்சூழல்", "electric": "மின்சார", - "performance": "செயல்திறன்", - "high_demand": "அதிக தேவை", - "heat_pump": "வெப்ப பம்ப்", + "fan_only": "விசிறி மட்டும்", "gas": "வாயு", - "manual": "கையேடு" + "heat": "வெப்பம்", + "heat_pump": "வெப்ப பம்ப்", + "high_demand": "அதிக தேவை", + "idle": "பணியின்றி", + "manual": "கையேடு", + "off": "ஆஃப்", + "on": "ஆன் ", + "performance": "செயல்திறன்" }, "configurator": { "configure": "உள்ளமை", "configured": "உள்ளமைக்கப்பட்டது" }, "cover": { - "open": "திறக்கப்பட்டுள்ளது", - "opening": "திறக்கிறது", "closed": "மூடப்பட்டது", "closing": "மூடுகிறது", + "open": "திறக்கப்பட்டுள்ளது", + "opening": "திறக்கிறது", "stopped": "நிறுத்தப்பட்டது" }, + "default": { + "off": "ஆஃப்", + "on": "ஆன்", + "unavailable": "கிடைக்கவில்லை", + "unknown": "தெரியவில்லை" + }, "device_tracker": { "home": "முகப்பு", "not_home": "தொலைவில்" @@ -135,19 +174,19 @@ "on": "விசிறி ஆன்" }, "group": { - "off": "ஆஃப்", - "on": "ஆன்", - "home": "வீட்டில்", - "not_home": "தொலைவில்", - "open": "திறக்கப்பட்டுள்ளது ", - "opening": "திறக்கிறது ", "closed": "மூடப்பட்டுள்ளது ", "closing": "மூடுகிறது ", - "stopped": "நிறுத்தப்பட்டுள்ளது ", + "home": "வீட்டில்", "locked": "பூட்டப்பட்டுள்ளது ", - "unlocked": "திறக்கப்பட்டுள்ளது ", + "not_home": "தொலைவில்", + "off": "ஆஃப்", "ok": "சரி", - "problem": "சிக்கல்" + "on": "ஆன்", + "open": "திறக்கப்பட்டுள்ளது ", + "opening": "திறக்கிறது ", + "problem": "சிக்கல்", + "stopped": "நிறுத்தப்பட்டுள்ளது ", + "unlocked": "திறக்கப்பட்டுள்ளது " }, "input_boolean": { "off": "ஆஃப்", @@ -162,11 +201,11 @@ "unlocked": "திறக்கப்பட்டது" }, "media_player": { + "idle": "பணியின்றி", "off": "ஆஃப்", "on": "ஆன்", - "playing": "விளையாடுதல்", "paused": "இடைநிறுத்தப்பட்டுள்ளது", - "idle": "பணியின்றி", + "playing": "விளையாடுதல்", "standby": "காத்திரு" }, "plant": { @@ -198,51 +237,24 @@ }, "zwave": { "default": { - "initializing": "துவக்குகிறது", "dead": "இறந்துவிட்டது", - "sleeping": "தூங்குகின்றது", - "ready": "தயார்" + "initializing": "துவக்குகிறது", + "ready": "தயார்", + "sleeping": "தூங்குகின்றது" }, "query_stage": { - "initializing": "துவக்குகிறது ( {query_stage} )", - "dead": "இறந்துவிட்டது ({query_stage})" + "dead": "இறந்துவிட்டது ({query_stage})", + "initializing": "துவக்குகிறது ( {query_stage} )" } } }, - "state_badge": { - "default": { - "unknown": "தெரியாத", - "unavailable": "கிடைக்கவில்லை" - }, - "alarm_control_panel": { - "armed": "எச்சரிக்கை ஒலி அமைக்கப்பட்டுள்ளது", - "disarmed": "எச்சரிக்கை ஒலி அமைக்கப்படவில்லை", - "armed_home": "எச்சரிக்கை ஒலி அமைக்கப்பட்டுள்ளது ", - "armed_away": "எச்சரிக்கை ஒலி அமைக்கப்பட்டுள்ளது ", - "armed_night": "எச்சரிக்கை ஒலி அமைக்கப்பட்டுள்ளது", - "pending": "கிடப்பில்", - "arming": "எச்சரிக்கை ஒலி அமைக்கிறது", - "disarming": "எச்சரிக்கை ஒலி அமைக்கப்படவில்லை", - "triggered": "தூண்ட", - "armed_custom_bypass": "எச்சரிக்கை ஒலி அமைக்கப்பட்டுள்ளது" - }, - "device_tracker": { - "home": "வீட்டில்", - "not_home": "தொலைவில்" - } - }, "ui": { - "sidebar": { - "log_out": "வெளியேறு" + "login-form": { + "log_in": "உள் நுழை", + "password": "கடவுச்சொல்", + "remember": "நினைவில் கொள்" }, "panel": { - "developer-tools": { - "tabs": { - "mqtt": { - "title": "MQTT" - } - } - }, "config": { "zwave": { "caption": "Z-Wave", @@ -250,29 +262,17 @@ "set_config_parameter": "கட்டமைப்பு அளவுருவை அமைக்கவும்" } } + }, + "developer-tools": { + "tabs": { + "mqtt": { + "title": "MQTT" + } + } } }, - "login-form": { - "password": "கடவுச்சொல்", - "remember": "நினைவில் கொள்", - "log_in": "உள் நுழை" + "sidebar": { + "log_out": "வெளியேறு" } - }, - "domain": { - "input_text": "உரை உள்ளிடு", - "light": "மின் விளக்கு", - "lock": "பூட்டு", - "mailbox": "அஞ்சல் பெட்டி", - "media_player": "மீடியா பிளேயர்", - "notify": "தெரிவி", - "remote": "ரிமோட்", - "scene": "காட்சி", - "script": "ஸ்கிரிப்ட்", - "sensor": "சென்சார்", - "sun": "சூரியன்", - "switch": "ஸ்விட்ச்", - "updater": "அப்டேட்டர்", - "weblink": "இணையதள இணைப்பு", - "zwave": "Z-Wave" } } \ No newline at end of file diff --git a/translations/te.json b/translations/te.json index 05baad4f2f..111de81e79 100644 --- a/translations/te.json +++ b/translations/te.json @@ -1,52 +1,139 @@ { - "panel": { - "config": "అమరిక", - "states": "టూకీగా", - "map": "మ్యాప్", - "logbook": "చిట్టా", - "history": "చరిత్ర", + "attribute": { + "weather": { + "humidity": "తేమ", + "visibility": "దృష్టి గోచరత", + "wind_speed": "గాలి వేగం" + } + }, + "domain": { + "alarm_control_panel": "అలారం నియంత్రణ ప్యానెల్", + "automation": "ఆటోమేషన్", + "binary_sensor": "బైనరీ సెన్సార్", + "calendar": "క్యాలెండరు", + "camera": "కెమేరా", + "climate": "వాతావరణం", + "configurator": "కాన్ఫిగరేటర్", + "conversation": "సంభాషణ", + "cover": "కవర్", + "device_tracker": "పరికరం ట్రాకర్", + "fan": "ఫ్యాన్", + "group": "గ్రూప్", + "history_graph": "చరిత్ర గ్రాఫ్", + "image_processing": "ఇమేజ్ ప్రాసెసింగ్", + "input_boolean": "ఇన్పుట్ బూలియన్", + "input_datetime": "ఇన్పుట్ తేదీసమయం", + "input_number": "ఇన్పుట్ సంఖ్య", + "input_select": "ఇన్పుట్ ఎంచుకో", + "input_text": "ఇన్పుట్ టెక్స్ట్", + "light": "లైట్", + "lock": "లాక్", "mailbox": "మెయిల్ బాక్స్", - "shopping_list": "షాపింగ్ జాబితా", + "media_player": "మీడియా ప్లేయర్", + "notify": "తెలియజేయి", + "plant": "మొక్క", + "proximity": "సామీప్యత", + "remote": "రిమోట్", + "scene": "దృశ్యం", + "script": "స్క్రిప్ట్", + "sensor": "సెన్సర్", + "sun": "సూర్యుడు", + "switch": "స్విచ్", + "updater": "Updater", + "weblink": "వెబ్ లింకు", + "zwave": "Z-Wave" + }, + "panel": { + "calendar": "క్యాలెండర్", + "config": "అమరిక", "dev-info": "సమాచారం", "developer_tools": "డెవలపర్ టూల్స్", - "calendar": "క్యాలెండర్" + "history": "చరిత్ర", + "logbook": "చిట్టా", + "mailbox": "మెయిల్ బాక్స్", + "map": "మ్యాప్", + "shopping_list": "షాపింగ్ జాబితా", + "states": "టూకీగా" + }, + "state_badge": { + "alarm_control_panel": { + "armed": "భద్రంగా ఉంది", + "armed_away": "భద్రంగా ఉంది", + "armed_custom_bypass": "భద్రంగా ఉంది", + "armed_home": "ఇల్లు భద్రం", + "armed_night": "భద్రంగా ఉంది", + "arming": "భద్రించుట", + "disarmed": "భద్రత లేదు", + "disarming": "భద్రత లేదు", + "pending": "నిలుపు", + "triggered": "ఊపందుకుంది" + }, + "default": { + "unavailable": "అందుబాటులో లేదు", + "unknown": "తెలియదు" + }, + "device_tracker": { + "home": "ఇంట్లో", + "not_home": "బయట" + } }, "state": { - "default": { - "off": "ఆఫ్", - "on": "ఆన్", - "unknown": "తెలియదు", - "unavailable": "అందుబాటులో లేదు" - }, "alarm_control_panel": { "armed": "భద్రత వుంది", - "disarmed": "భద్రత లేదు", - "armed_home": "సెక్యూరిటీ సిస్టమ్ ఆన్ చేయబడింది", "armed_away": "ఇంట బయట భద్రత", + "armed_custom_bypass": "భద్రత కస్టమ్ బైపాస్", + "armed_home": "సెక్యూరిటీ సిస్టమ్ ఆన్ చేయబడింది", "armed_night": "రాత్రి పూట భద్రత", - "pending": "పెండింగ్", "arming": "భద్రించుట", + "disarmed": "భద్రత లేదు", "disarming": "భద్రత తీసివేయుట", - "triggered": "ఊపందుకుంది", - "armed_custom_bypass": "భద్రత కస్టమ్ బైపాస్" + "pending": "పెండింగ్", + "triggered": "ఊపందుకుంది" }, "automation": { "off": "ఆఫ్", "on": "ఆన్" }, "binary_sensor": { + "battery": { + "off": "సాధారణ", + "on": "తక్కువ" + }, + "cold": { + "on": "చల్లని" + }, + "connectivity": { + "off": "డిస్కనెక్ట్", + "on": "కనెక్ట్" + }, "default": { "off": "ఆఫ్", "on": "ఆన్" }, - "moisture": { - "off": "పొడి", - "on": "తడి" + "door": { + "off": "మూసుకుంది", + "on": "తెరిచివుంది" + }, + "garage_door": { + "off": "మూసుకుంది", + "on": "తెరిచివుంది" }, "gas": { "off": "గ్యాస్ ఆఫ్", "on": "గ్యాస్ ఆన్" }, + "heat": { + "off": "సాధారణ", + "on": "వేడి" + }, + "lock": { + "off": "లాక్ చేయబడింది", + "on": "లాక్ చేయబడలేదు" + }, + "moisture": { + "off": "పొడి", + "on": "తడి" + }, "motion": { "off": "కదలిక లేదు", "on": "కదలిక వుంది" @@ -55,6 +142,22 @@ "off": "ఉనికిడి లేదు", "on": "ఉనికిడి ఉంది" }, + "opening": { + "off": "మూసివుంది", + "on": "తెరుచుకుంటోంది" + }, + "presence": { + "off": "బయట", + "on": "ఇంట" + }, + "problem": { + "off": "OK", + "on": "సమస్య" + }, + "safety": { + "off": "క్షేమం", + "on": "క్షేమం కాదు" + }, "smoke": { "off": "పొగ లేదు", "on": "పొగ వుంది" @@ -67,52 +170,9 @@ "off": "కదలట్లేదు", "on": "కదులుతోంది" }, - "opening": { - "off": "మూసివుంది", - "on": "తెరుచుకుంటోంది" - }, - "safety": { - "off": "క్షేమం", - "on": "క్షేమం కాదు" - }, - "presence": { - "off": "బయట", - "on": "ఇంట" - }, - "battery": { - "off": "సాధారణ", - "on": "తక్కువ" - }, - "problem": { - "off": "OK", - "on": "సమస్య" - }, - "connectivity": { - "off": "డిస్కనెక్ట్", - "on": "కనెక్ట్" - }, - "cold": { - "on": "చల్లని" - }, - "door": { - "off": "మూసుకుంది", - "on": "తెరిచివుంది" - }, - "garage_door": { - "off": "మూసుకుంది", - "on": "తెరిచివుంది" - }, - "heat": { - "off": "సాధారణ", - "on": "వేడి" - }, "window": { "off": "మూసుకుంది", "on": "తెరిచివుంది" - }, - "lock": { - "off": "లాక్ చేయబడింది", - "on": "లాక్ చేయబడలేదు" } }, "calendar": { @@ -120,38 +180,44 @@ "on": "ఆన్" }, "camera": { + "idle": "ఐడిల్", "recording": "రికార్డింగ్", - "streaming": "ప్రసారం", - "idle": "ఐడిల్" + "streaming": "ప్రసారం" }, "climate": { - "off": "ఆఫ్", - "on": "ఆన్", - "heat": "వెచ్చగా", - "cool": "చల్లగా", - "idle": "ఐడిల్", "auto": "దానంతట అదే", + "cool": "చల్లగా", "dry": "పొడి", - "fan_only": "ఫ్యాన్ మాత్రమే", "eco": "పర్యావరణం", "electric": "ఎలక్ట్రిక్", - "performance": "ప్రదర్శన", - "high_demand": "అధిక డిమాండ్", - "heat_pump": "వేడి పంపు", + "fan_only": "ఫ్యాన్ మాత్రమే", "gas": "వాయువు", - "manual": "మాన్యువల్" + "heat": "వెచ్చగా", + "heat_pump": "వేడి పంపు", + "high_demand": "అధిక డిమాండ్", + "idle": "ఐడిల్", + "manual": "మాన్యువల్", + "off": "ఆఫ్", + "on": "ఆన్", + "performance": "ప్రదర్శన" }, "configurator": { "configure": "కాన్ఫిగర్", "configured": "కాన్ఫిగర్" }, "cover": { - "open": "తెరిచివుంది", - "opening": "తెరుచుకుంటోంది", "closed": "మూసుకుంది", "closing": "మూసుకుంటోంది", + "open": "తెరిచివుంది", + "opening": "తెరుచుకుంటోంది", "stopped": "ఆగివుంది" }, + "default": { + "off": "ఆఫ్", + "on": "ఆన్", + "unavailable": "అందుబాటులో లేదు", + "unknown": "తెలియదు" + }, "device_tracker": { "home": "ఇంట", "not_home": "బయట" @@ -161,19 +227,19 @@ "on": "ఆన్" }, "group": { - "off": "ఆఫ్", - "on": "ఆన్", - "home": "ఇంట", - "not_home": "బయట", - "open": "తెరిచివుంది", - "opening": "తెరుచుకుంటోంది", "closed": "మూసుకుంది", "closing": "మూసుకుంటోంది", - "stopped": "ఆపివుంది", + "home": "ఇంట", "locked": "మూసి వుండు", - "unlocked": "తెరుచి వుండు", + "not_home": "బయట", + "off": "ఆఫ్", "ok": "అలాగే", - "problem": "సమస్య" + "on": "ఆన్", + "open": "తెరిచివుంది", + "opening": "తెరుచుకుంటోంది", + "problem": "సమస్య", + "stopped": "ఆపివుంది", + "unlocked": "తెరుచి వుండు" }, "input_boolean": { "off": "ఆఫ్", @@ -188,11 +254,11 @@ "unlocked": "తెరుచి వుండు" }, "media_player": { + "idle": "ఐడిల్", "off": "ఆఫ్", "on": "ఆన్", - "playing": "ఆడుతోంది", "paused": "ఆపివుంది", - "idle": "ఐడిల్", + "playing": "ఆడుతోంది", "standby": "నిలకడ" }, "plant": { @@ -222,17 +288,8 @@ "off": "ఆఫ్", "on": "ఆన్" }, - "zwave": { - "default": { - "initializing": "సిద్ధం అవుతోంది", - "dead": "మృత పరికరం", - "sleeping": "నిద్రిస్తోంది", - "ready": "రెడీ" - }, - "query_stage": { - "initializing": "సిద్ధం అవుతోంది ( {query_stage} )", - "dead": "మృత పరికరం ({query_stage})" - } + "vacuum": { + "cleaning": "శుభ్రపరుచుతోంది" }, "weather": { "cloudy": "మేఘావృతం", @@ -249,326 +306,45 @@ "windy": "గాలులతో", "windy-variant": "గాలులతో" }, - "vacuum": { - "cleaning": "శుభ్రపరుచుతోంది" - } - }, - "state_badge": { - "default": { - "unknown": "తెలియదు", - "unavailable": "అందుబాటులో లేదు" - }, - "alarm_control_panel": { - "armed": "భద్రంగా ఉంది", - "disarmed": "భద్రత లేదు", - "armed_home": "ఇల్లు భద్రం", - "armed_away": "భద్రంగా ఉంది", - "armed_night": "భద్రంగా ఉంది", - "pending": "నిలుపు", - "arming": "భద్రించుట", - "disarming": "భద్రత లేదు", - "triggered": "ఊపందుకుంది", - "armed_custom_bypass": "భద్రంగా ఉంది" - }, - "device_tracker": { - "home": "ఇంట్లో", - "not_home": "బయట" + "zwave": { + "default": { + "dead": "మృత పరికరం", + "initializing": "సిద్ధం అవుతోంది", + "ready": "రెడీ", + "sleeping": "నిద్రిస్తోంది" + }, + "query_stage": { + "dead": "మృత పరికరం ({query_stage})", + "initializing": "సిద్ధం అవుతోంది ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "పూర్తయినవి తొలిగించు", - "add_item": "క్రొత్తది జోడించు", - "microphone_tip": "కుడి వైపున మైక్రోఫోన్ను నొక్కి, “Add candy to my shopping list”" - }, - "developer-tools": { - "tabs": { - "services": { - "title": "సేవలు" - }, - "states": { - "title": "స్టేట్స్" - }, - "events": { - "title": "సంఘటనలు" - }, - "templates": { - "title": "టెంప్లేట్లు" - }, - "mqtt": { - "title": "MQTT" - } - } - }, - "history": { - "period": "కాలం" - }, - "mailbox": { - "empty": "మీకు ఏ సందేశాలు లేవు", - "playback_title": "సందేశం ప్లేబ్యాక్", - "delete_prompt": "ఈ సందేశాన్ని తొలగించాలా?", - "delete_button": "తొలగించు" - }, - "config": { - "header": "కాన్ఫిగర్ Home Assistant", - "core": { - "section": { - "server_control": { - "validation": { - "check_config": "కాన్ఫిగరేషన్ను తనిఖీ చేయండి", - "valid": "మంచి కాన్ఫిగరేషన్!", - "invalid": "చెల్లని కాన్ఫిగరేషన్" - }, - "reloading": { - "heading": "మీ కాన్ఫిగరేషన్ రీలోడ్ అవుతోంది", - "core": "రీలోడ్ కోర్", - "group": "గ్రూప్స్ మళ్లీ లోడ్ చేయండి", - "automation": "ఆటోమేషన్లను మళ్లీ లోడ్ చేయండి", - "script": "స్క్రిప్ట్లను మళ్లీ లోడ్ చేయండి" - }, - "server_management": { - "heading": "సర్వర్ నిర్వహణ", - "restart": "పునఃప్రారంభించు", - "stop": "ఆపు" - } - } - } - }, - "customize": { - "caption": "మార్పులు చేర్పులు" - }, - "automation": { - "caption": "ఆటోమేషన్", - "description": "ఆటోమేషన్లను సృష్టించండి మరియు సవరించండి", - "picker": { - "header": "ఆటోమేషన్ ఎడిటర్", - "pick_automation": "సవరించడానికి ఆటోమేషన్ను ఎంచుకోండి", - "no_automations": "సవరించగలిగే ఆటోమేషన్లు లేవు", - "add_automation": "కొత్త ఆటోమేషన్" - }, - "editor": { - "introduction": "ఆటోమేషన్ల ద్వారా మీ ఇంటికి ప్రాణం పోయండి", - "default_name": "కొత్త ఆటోమేషన్", - "save": "సేవ్", - "triggers": { - "add": "క్రొత్తది జోడించు", - "duplicate": "నకిలీ", - "delete": "తొలగించు", - "delete_confirm": "ఖచ్చితంగా తొలగించాలనుకుంటున్నారా?", - "type_select": "ట్రిగ్గర్ రకం", - "type": { - "event": { - "label": "ఈవెంట్", - "event_type": "ఈవెంట్ రకం", - "event_data": "ఈవెంట్ డేటా" - }, - "state": { - "label": "స్థితి", - "from": "నుండి", - "to": "టు" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "ఈవెంట్", - "start": "ప్రారంభం" - }, - "mqtt": { - "label": "MQTT", - "topic": "విషయం", - "payload": "పేలోడ్ " - }, - "numeric_state": { - "label": "సంఖ్యా స్థితి", - "above": "పైన", - "below": "క్రింద" - }, - "sun": { - "sunrise": "సూర్యోదయం", - "sunset": "సూర్యాస్తమయం" - }, - "template": { - "label": "టెంప్లేట్" - }, - "time": { - "label": "సమయం", - "at": "At" - }, - "zone": { - "enter": "\nప్రవేశించు" - } - } - }, - "conditions": { - "add": "అంశాన్ని జోడించు", - "duplicate": "నకిలీ", - "delete": "తీసివేయి", - "delete_confirm": "ఇది మీరు delete చేయాలని అనుకుంటున్నారా?", - "type_select": "కండిషన్ రకం", - "type": { - "numeric_state": { - "above": "పైన", - "below": "కింద" - }, - "sun": { - "label": "సూర్యుడు", - "before": "ముందు", - "after": "తరువాత", - "before_offset": "ఆఫ్సెట్కు ముందు (ఐచ్ఛికం)", - "after_offset": "ఆఫ్సెట్ తర్వాత (ఐచ్ఛికం)", - "sunrise": "సూర్యోదయం", - "sunset": "సూర్యాస్తమయం" - }, - "time": { - "after": "తరువాత", - "before": "ముందు" - } - } - }, - "actions": { - "header": "చర్యలు", - "add": "అంశాన్ని జోడించు", - "unsupported_action": "మద్దతు లేని చర్య: {action}", - "type_select": "యాక్షన్ రకం", - "type": { - "delay": { - "label": "ఆలస్యము" - }, - "wait_template": { - "label": "వేచిచూడండి", - "timeout": "సమయం ముగిసింది (ఐచ్ఛికం)" - }, - "condition": { - "label": "కండిషన్" - }, - "event": { - "label": "ఫైర్ ఈవెంట్" - } - } - } - } - }, - "script": { - "caption": "స్క్రిప్ట్", - "description": "స్క్రిప్ట్లను సృష్టించండి మరియు సవరించండి" - }, - "zwave": { - "caption": "Z-Wave", - "description": "మీ Z- వేవ్ నెట్వర్క్ని నిర్వహించండి", - "node_config": { - "set_config_parameter": "కాన్ఫిగర్ పారామితిని సెట్ చేయండి" - } - }, - "users": { - "caption": "వినియోగదారులు", - "picker": { - "title": "వినియోగదారులు" - }, - "editor": { - "change_password": "పాస్ వర్డ్ ను మార్చండి" - } - } - }, - "profile": { - "push_notifications": { - "description": "ఈ పరికరానికి ప్రకటనలను పంపండి.", - "link_promo": "మరింత తెలుసుకోండి" - }, - "language": { - "header": "భాషా", - "link_promo": "అనువాదకు సహాయం చెయ్యండి", - "dropdown_label": "భాష" - }, - "refresh_tokens": { - "header": "రిఫ్రెష్ టోకెన్లు" - }, - "long_lived_access_tokens": { - "created_at": "{date} లో రూపొందించబడింది", - "prompt_name": "పేరు?", - "not_used": "ఎప్పుడూ ఉపయోగించలేదు" - } - }, - "page-authorize": { - "initializing": "ప్రారంభమవుతోంది", - "abort_intro": "లాగిన్ ప్రక్రియ ఆపివేయపడింది", - "form": { - "working": "దయచేసి వేచి ఉండండి", - "unknown_error": "ఎక్కడో తేడ జరిగింది", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "యూజర్ పేరు", - "password": "పాస్వర్డ్" - } - } - }, - "error": { - "invalid_auth": "తప్పు యూజర్ పేరు లేదా తప్పు పాస్ వర్డ్" - }, - "abort": { - "login_expired": "సెషన్ గడువు ముగిసింది, మళ్ళీ లాగిన్ అవ్వండి." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "యూజర్" - } - } - }, - "abort": { - "not_whitelisted": "మీ కంప్యూటర్ అనుమతి జాబితాలో లేదు." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "యూజర్ పేరు" - } - } - }, - "error": { - "invalid_auth": "తప్పు యూజర్ పేరు లేదా తప్పు పాస్ వర్డ్" - }, - "abort": { - "login_expired": "సెషన్ గడువు ముగిసింది, మళ్ళీ లాగిన్ అవ్వండి." - } - } - } - } - }, - "page-onboarding": { - "user": { - "intro": "వినియోగదారు ఖాతాను సృష్టించడం ద్వారా ప్రారంభిద్దాం.", - "required_field": "ఇది అవసరం", - "data": { - "name": "పేరు", - "username": "యూజర్ పేరు", - "password": "పాస్ వర్డ్" - } - } - } - }, - "sidebar": { - "log_out": "లాగ్ అవుట్" - }, - "common": { - "loading": "లోడింగ్", - "cancel": "రద్దు" - }, - "login-form": { - "password": "పాస్వర్డ్", - "remember": "గుర్తుంచుకో", - "log_in": "లాగిన్" + "auth_store": { + "ask": "మీరు ఈ లాగిన్ సేవ్ చేయాలనుకుంటున్నారా?", + "confirm": "లాగిన్ సేవ్ చేయండి", + "decline": "అక్కర్లేదు" }, "card": { + "alarm_control_panel": { + "clear_code": "Clear", + "code": "కోడ్" + }, + "automation": { + "last_triggered": "ఎప్పుడు మొదలెయ్యంది" + }, "camera": { "not_available": "చిత్రం అందుబాటులో లేదు" }, + "fan": { + "speed": "స్పీడ్" + }, + "lock": { + "unlock": "అన్లాక్" + }, + "media_player": { + "sound_mode": "ధ్వని రీతి" + }, "persistent_notification": { "dismiss": "తొలగించు" }, @@ -578,6 +354,12 @@ "script": { "execute": "అమలు చేయండి" }, + "vacuum": { + "actions": { + "start_cleaning": "శుభ్రపరచడం ప్రారంభించండి", + "turn_off": "ఆపివేయండి" + } + }, "weather": { "attributes": { "visibility": "కనిపించే దూరం", @@ -590,8 +372,8 @@ "n": "N", "ne": "NE", "nne": "NNE", - "nw": "NW", "nnw": "NNW", + "nw": "NW", "s": "S", "se": "SE", "sse": "SSE", @@ -602,36 +384,18 @@ "wsw": "WSW" }, "forecast": "వాతావరణ సూచన" - }, - "alarm_control_panel": { - "code": "కోడ్", - "clear_code": "Clear" - }, - "automation": { - "last_triggered": "ఎప్పుడు మొదలెయ్యంది" - }, - "fan": { - "speed": "స్పీడ్" - }, - "lock": { - "unlock": "అన్లాక్" - }, - "media_player": { - "sound_mode": "ధ్వని రీతి" - }, - "vacuum": { - "actions": { - "start_cleaning": "శుభ్రపరచడం ప్రారంభించండి", - "turn_off": "ఆపివేయండి" - } } }, + "common": { + "cancel": "రద్దు", + "loading": "లోడింగ్" + }, "components": { - "service-picker": { - "service": "సర్వీస్" - }, "relative_time": { "never": "ఎన్నడూ జరగలేదు" + }, + "service-picker": { + "service": "సర్వీస్" } }, "dialogs": { @@ -639,58 +403,294 @@ "save": "సేవ్" } }, - "auth_store": { - "ask": "మీరు ఈ లాగిన్ సేవ్ చేయాలనుకుంటున్నారా?", - "decline": "అక్కర్లేదు", - "confirm": "లాగిన్ సేవ్ చేయండి" + "login-form": { + "log_in": "లాగిన్", + "password": "పాస్వర్డ్", + "remember": "గుర్తుంచుకో" }, "notification_drawer": { "empty": "ప్రకటనలు లేవు", "title": "ప్రకటనలు" - } - }, - "domain": { - "alarm_control_panel": "అలారం నియంత్రణ ప్యానెల్", - "automation": "ఆటోమేషన్", - "binary_sensor": "బైనరీ సెన్సార్", - "calendar": "క్యాలెండరు", - "camera": "కెమేరా", - "climate": "వాతావరణం", - "configurator": "కాన్ఫిగరేటర్", - "conversation": "సంభాషణ", - "cover": "కవర్", - "device_tracker": "పరికరం ట్రాకర్", - "fan": "ఫ్యాన్", - "history_graph": "చరిత్ర గ్రాఫ్", - "group": "గ్రూప్", - "image_processing": "ఇమేజ్ ప్రాసెసింగ్", - "input_boolean": "ఇన్పుట్ బూలియన్", - "input_datetime": "ఇన్పుట్ తేదీసమయం", - "input_select": "ఇన్పుట్ ఎంచుకో", - "input_number": "ఇన్పుట్ సంఖ్య", - "input_text": "ఇన్పుట్ టెక్స్ట్", - "light": "లైట్", - "lock": "లాక్", - "mailbox": "మెయిల్ బాక్స్", - "media_player": "మీడియా ప్లేయర్", - "notify": "తెలియజేయి", - "plant": "మొక్క", - "proximity": "సామీప్యత", - "remote": "రిమోట్", - "scene": "దృశ్యం", - "script": "స్క్రిప్ట్", - "sensor": "సెన్సర్", - "sun": "సూర్యుడు", - "switch": "స్విచ్", - "updater": "Updater", - "weblink": "వెబ్ లింకు", - "zwave": "Z-Wave" - }, - "attribute": { - "weather": { - "humidity": "తేమ", - "visibility": "దృష్టి గోచరత", - "wind_speed": "గాలి వేగం" + }, + "panel": { + "config": { + "automation": { + "caption": "ఆటోమేషన్", + "description": "ఆటోమేషన్లను సృష్టించండి మరియు సవరించండి", + "editor": { + "actions": { + "add": "అంశాన్ని జోడించు", + "header": "చర్యలు", + "type_select": "యాక్షన్ రకం", + "type": { + "condition": { + "label": "కండిషన్" + }, + "delay": { + "label": "ఆలస్యము" + }, + "event": { + "label": "ఫైర్ ఈవెంట్" + }, + "wait_template": { + "label": "వేచిచూడండి", + "timeout": "సమయం ముగిసింది (ఐచ్ఛికం)" + } + }, + "unsupported_action": "మద్దతు లేని చర్య: {action}" + }, + "conditions": { + "add": "అంశాన్ని జోడించు", + "delete": "తీసివేయి", + "delete_confirm": "ఇది మీరు delete చేయాలని అనుకుంటున్నారా?", + "duplicate": "నకిలీ", + "type_select": "కండిషన్ రకం", + "type": { + "numeric_state": { + "above": "పైన", + "below": "కింద" + }, + "sun": { + "after": "తరువాత", + "after_offset": "ఆఫ్సెట్ తర్వాత (ఐచ్ఛికం)", + "before": "ముందు", + "before_offset": "ఆఫ్సెట్కు ముందు (ఐచ్ఛికం)", + "label": "సూర్యుడు", + "sunrise": "సూర్యోదయం", + "sunset": "సూర్యాస్తమయం" + }, + "time": { + "after": "తరువాత", + "before": "ముందు" + } + } + }, + "default_name": "కొత్త ఆటోమేషన్", + "introduction": "ఆటోమేషన్ల ద్వారా మీ ఇంటికి ప్రాణం పోయండి", + "save": "సేవ్", + "triggers": { + "add": "క్రొత్తది జోడించు", + "delete": "తొలగించు", + "delete_confirm": "ఖచ్చితంగా తొలగించాలనుకుంటున్నారా?", + "duplicate": "నకిలీ", + "type_select": "ట్రిగ్గర్ రకం", + "type": { + "event": { + "event_data": "ఈవెంట్ డేటా", + "event_type": "ఈవెంట్ రకం", + "label": "ఈవెంట్" + }, + "homeassistant": { + "event": "ఈవెంట్", + "label": "Home Assistant", + "start": "ప్రారంభం" + }, + "mqtt": { + "label": "MQTT", + "payload": "పేలోడ్ ", + "topic": "విషయం" + }, + "numeric_state": { + "above": "పైన", + "below": "క్రింద", + "label": "సంఖ్యా స్థితి" + }, + "state": { + "from": "నుండి", + "label": "స్థితి", + "to": "టు" + }, + "sun": { + "sunrise": "సూర్యోదయం", + "sunset": "సూర్యాస్తమయం" + }, + "template": { + "label": "టెంప్లేట్" + }, + "time": { + "at": "At", + "label": "సమయం" + }, + "zone": { + "enter": "\\nప్రవేశించు" + } + } + } + }, + "picker": { + "add_automation": "కొత్త ఆటోమేషన్", + "header": "ఆటోమేషన్ ఎడిటర్", + "no_automations": "సవరించగలిగే ఆటోమేషన్లు లేవు", + "pick_automation": "సవరించడానికి ఆటోమేషన్ను ఎంచుకోండి" + } + }, + "core": { + "section": { + "server_control": { + "reloading": { + "automation": "ఆటోమేషన్లను మళ్లీ లోడ్ చేయండి", + "core": "రీలోడ్ కోర్", + "group": "గ్రూప్స్ మళ్లీ లోడ్ చేయండి", + "heading": "మీ కాన్ఫిగరేషన్ రీలోడ్ అవుతోంది", + "script": "స్క్రిప్ట్లను మళ్లీ లోడ్ చేయండి" + }, + "server_management": { + "heading": "సర్వర్ నిర్వహణ", + "restart": "పునఃప్రారంభించు", + "stop": "ఆపు" + }, + "validation": { + "check_config": "కాన్ఫిగరేషన్ను తనిఖీ చేయండి", + "invalid": "చెల్లని కాన్ఫిగరేషన్", + "valid": "మంచి కాన్ఫిగరేషన్!" + } + } + } + }, + "customize": { + "caption": "మార్పులు చేర్పులు" + }, + "header": "కాన్ఫిగర్ Home Assistant", + "script": { + "caption": "స్క్రిప్ట్", + "description": "స్క్రిప్ట్లను సృష్టించండి మరియు సవరించండి" + }, + "users": { + "caption": "వినియోగదారులు", + "editor": { + "change_password": "పాస్ వర్డ్ ను మార్చండి" + }, + "picker": { + "title": "వినియోగదారులు" + } + }, + "zwave": { + "caption": "Z-Wave", + "description": "మీ Z- వేవ్ నెట్వర్క్ని నిర్వహించండి", + "node_config": { + "set_config_parameter": "కాన్ఫిగర్ పారామితిని సెట్ చేయండి" + } + } + }, + "developer-tools": { + "tabs": { + "events": { + "title": "సంఘటనలు" + }, + "mqtt": { + "title": "MQTT" + }, + "services": { + "title": "సేవలు" + }, + "states": { + "title": "స్టేట్స్" + }, + "templates": { + "title": "టెంప్లేట్లు" + } + } + }, + "history": { + "period": "కాలం" + }, + "mailbox": { + "delete_button": "తొలగించు", + "delete_prompt": "ఈ సందేశాన్ని తొలగించాలా?", + "empty": "మీకు ఏ సందేశాలు లేవు", + "playback_title": "సందేశం ప్లేబ్యాక్" + }, + "page-authorize": { + "abort_intro": "లాగిన్ ప్రక్రియ ఆపివేయపడింది", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "సెషన్ గడువు ముగిసింది, మళ్ళీ లాగిన్ అవ్వండి." + }, + "error": { + "invalid_auth": "తప్పు యూజర్ పేరు లేదా తప్పు పాస్ వర్డ్" + }, + "step": { + "init": { + "data": { + "username": "యూజర్ పేరు" + } + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "సెషన్ గడువు ముగిసింది, మళ్ళీ లాగిన్ అవ్వండి." + }, + "error": { + "invalid_auth": "తప్పు యూజర్ పేరు లేదా తప్పు పాస్ వర్డ్" + }, + "step": { + "init": { + "data": { + "password": "పాస్వర్డ్", + "username": "యూజర్ పేరు" + } + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "మీ కంప్యూటర్ అనుమతి జాబితాలో లేదు." + }, + "step": { + "init": { + "data": { + "user": "యూజర్" + } + } + } + } + }, + "unknown_error": "ఎక్కడో తేడ జరిగింది", + "working": "దయచేసి వేచి ఉండండి" + }, + "initializing": "ప్రారంభమవుతోంది" + }, + "page-onboarding": { + "user": { + "data": { + "name": "పేరు", + "password": "పాస్ వర్డ్", + "username": "యూజర్ పేరు" + }, + "intro": "వినియోగదారు ఖాతాను సృష్టించడం ద్వారా ప్రారంభిద్దాం.", + "required_field": "ఇది అవసరం" + } + }, + "profile": { + "language": { + "dropdown_label": "భాష", + "header": "భాషా", + "link_promo": "అనువాదకు సహాయం చెయ్యండి" + }, + "long_lived_access_tokens": { + "created_at": "{date} లో రూపొందించబడింది", + "not_used": "ఎప్పుడూ ఉపయోగించలేదు", + "prompt_name": "పేరు?" + }, + "push_notifications": { + "description": "ఈ పరికరానికి ప్రకటనలను పంపండి.", + "link_promo": "మరింత తెలుసుకోండి" + }, + "refresh_tokens": { + "header": "రిఫ్రెష్ టోకెన్లు" + } + }, + "shopping-list": { + "add_item": "క్రొత్తది జోడించు", + "clear_completed": "పూర్తయినవి తొలిగించు", + "microphone_tip": "కుడి వైపున మైక్రోఫోన్ను నొక్కి, “Add candy to my shopping list”" + } + }, + "sidebar": { + "log_out": "లాగ్ అవుట్" } } } \ No newline at end of file diff --git a/translations/th.json b/translations/th.json index 76a0e8a22c..cbcc4acf92 100644 --- a/translations/th.json +++ b/translations/th.json @@ -1,53 +1,176 @@ { - "panel": { - "config": "การตั้งค่า", - "states": "ภาพรวม", - "map": "แผนที่", - "logbook": "สมุดบันทึก", - "history": "ประวัติการทำงาน", + "attribute": { + "weather": { + "humidity": "ความชื้น", + "visibility": "ทัศนวิสัย", + "wind_speed": "ความเร็วลม" + } + }, + "domain": { + "alarm_control_panel": "แผงควบคุมสัญญาณเตือนภัย", + "automation": "การทำงานอัตโนมัติ", + "binary_sensor": "เซ็นเซอร์แบบไบนารี", + "calendar": "ปฏิทิน", + "camera": "กล้อง", + "climate": "สภาพอากาศ", + "configurator": "ตัวตั้งค่า", + "conversation": "การสนทนา", + "cover": "ม่าน", + "device_tracker": "อุปกรณ์ติดตาม", + "fan": "พัดลม", + "group": "กลุ่ม", + "hassio": "Hass.io", + "history_graph": "กราฟประวัติ", + "homeassistant": "Home Assistant", + "image_processing": "การประมวลผลภาพ", + "input_boolean": "ป้อนค่าตรรกะ", + "input_datetime": "ป้อนวันเวลา", + "input_number": "ป้อนตัวเลข", + "input_select": "เลือกข้อมูล", + "input_text": "ป้อนข้อความ", + "light": "แสงสว่าง", + "lock": "ล็อค", + "lovelace": "Lovelace", "mailbox": "กล่องจดหมาย", - "shopping_list": "รายการซื้อของ", + "media_player": "เครื่องเล่นสื่อ", + "notify": "แจ้ง", + "person": "บุคคล", + "plant": "พืช", + "proximity": "ใกล้ชิด", + "remote": "รีโมต", + "scene": "ฉาก", + "script": "สคริปต์", + "sensor": "เซนเซอร์", + "sun": "ดวงอาทิตย์", + "switch": "สวิตซ์", + "system_health": "ข้อมูลสถานะของระบบ", + "updater": "อัพเดต", + "vacuum": "เครื่องดูดฝุ่น", + "weblink": "เว็บลิงค์", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "ผู้ดูแลระบบ", + "system-read-only": "ผู้ใช้ที่สามารถดูได้อย่างเดียว", + "system-users": "ผู้ใช้" + }, + "panel": { + "calendar": "ปฏิทิน", + "config": "การตั้งค่า", "dev-info": "ข้อมูล", "developer_tools": "เครื่องมือสำหรับนักพัฒนา", - "calendar": "ปฏิทิน", - "profile": "ข้อมูลส่วนตัว" + "history": "ประวัติการทำงาน", + "logbook": "สมุดบันทึก", + "mailbox": "กล่องจดหมาย", + "map": "แผนที่", + "profile": "ข้อมูลส่วนตัว", + "shopping_list": "รายการซื้อของ", + "states": "ภาพรวม" }, - "state": { - "default": { - "off": "ปิด", - "on": "เปิด", - "unknown": "ไม่ทราบสถานะ", - "unavailable": "ไม่พร้อมใช้งาน" - }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "อัตโนมัติ", + "off": "ปิด", + "on": "เปิด" + }, + "hvac_action": { + "idle": "ไม่ได้ใช้งาน", + "off": "ปิด" + }, + "preset_mode": { + "activity": "กิจกรรม", + "home": "บ้าน" + } + } + }, + "state_badge": { "alarm_control_panel": { "armed": "เปิดการป้องกัน", + "armed_away": "เปิดการป้องกัน", + "armed_custom_bypass": "เปิดการป้องกัน", + "armed_home": "เฝ้าระวังอยู่", + "armed_night": "เปิดการป้องกัน", + "arming": "กำลังเปิดการป้องกัน", "disarmed": "ปลดการป้องกัน", - "armed_home": "เปิดการป้องกัน-โหมดอยู่บ้าน", - "armed_away": "เปิดการป้องกัน-โหมดไม่อยู่บ้าน", - "armed_night": "เปิดการป้องกัน-โหมดกลางคืน", + "disarming": "กำลังปลดการป้องกัน", "pending": "ค้างอยู่", + "triggered": "ถูกกระตุ้น" + }, + "default": { + "entity_not_found": "ไม่พบเอนทิตี", + "error": "เกิดข้อผิดพลาด", + "unavailable": "ไม่พร้อมใช้งาน", + "unknown": "ไม่ทราบสถานะ" + }, + "device_tracker": { + "home": "อยู่บ้าน", + "not_home": "ไม่อยู่" + }, + "person": { + "home": "อยู่บ้าน", + "not_home": "ไม่อยู่บ้าน" + } + }, + "state": { + "alarm_control_panel": { + "armed": "เปิดการป้องกัน", + "armed_away": "เปิดการป้องกัน-โหมดไม่อยู่บ้าน", + "armed_custom_bypass": "ป้องกันโดยกำหนดเอง", + "armed_home": "เปิดการป้องกัน-โหมดอยู่บ้าน", + "armed_night": "เปิดการป้องกัน-โหมดกลางคืน", "arming": "เปิดการป้องกัน", + "disarmed": "ปลดการป้องกัน", "disarming": "ปลดการป้องกัน", - "triggered": "ถูกกระตุ้น", - "armed_custom_bypass": "ป้องกันโดยกำหนดเอง" + "pending": "ค้างอยู่", + "triggered": "ถูกกระตุ้น" }, "automation": { "off": "ปิด", "on": "เปิด" }, "binary_sensor": { + "battery": { + "off": "ปกติ", + "on": "ต่ำ" + }, + "cold": { + "off": "ปกติ", + "on": "หนาว" + }, + "connectivity": { + "off": "ตัดการเชื่อมต่อ", + "on": "เชื่อมต่อแล้ว" + }, "default": { "off": "ปิด", "on": "เปิด" }, - "moisture": { - "off": "แห้ง", - "on": "เปียก" + "door": { + "off": "ปิดแล้ว", + "on": "เปิด" + }, + "garage_door": { + "off": "ปิดแล้ว", + "on": "เปิด" }, "gas": { "off": "ไม่พบแก๊ส", "on": "ตรวจพบแก๊ส" }, + "heat": { + "off": "ปกติ", + "on": "ร้อน" + }, + "lock": { + "off": "ล็อคอยู่", + "on": "ปลดล็อคแล้ว" + }, + "moisture": { + "off": "แห้ง", + "on": "เปียก" + }, "motion": { "off": "ไม่พบการเคลื่อนไหว", "on": "พบการเคลื่อนไหว" @@ -56,6 +179,22 @@ "off": "ไม่พบ", "on": "พบ" }, + "opening": { + "off": "ปิด", + "on": "เปิด" + }, + "presence": { + "off": "ไม่อยู่", + "on": "อยู่บ้าน" + }, + "problem": { + "off": "ตกลง", + "on": "ปัญหา" + }, + "safety": { + "off": "ปิด", + "on": "เปิด" + }, "smoke": { "off": "ไม่พบควัน", "on": "พบควัน" @@ -68,53 +207,9 @@ "off": "ไม่พบการสั่น", "on": "พบการสั่น" }, - "opening": { - "off": "ปิด", - "on": "เปิด" - }, - "safety": { - "off": "ปิด", - "on": "เปิด" - }, - "presence": { - "off": "ไม่อยู่", - "on": "อยู่บ้าน" - }, - "battery": { - "off": "ปกติ", - "on": "ต่ำ" - }, - "problem": { - "off": "ตกลง", - "on": "ปัญหา" - }, - "connectivity": { - "off": "ตัดการเชื่อมต่อ", - "on": "เชื่อมต่อแล้ว" - }, - "cold": { - "off": "ปกติ", - "on": "หนาว" - }, - "door": { - "off": "ปิดแล้ว", - "on": "เปิด" - }, - "garage_door": { - "off": "ปิดแล้ว", - "on": "เปิด" - }, - "heat": { - "off": "ปกติ", - "on": "ร้อน" - }, "window": { "off": "ปิดแล้ว", "on": "เปิด" - }, - "lock": { - "off": "ล็อคอยู่", - "on": "ปลดล็อคแล้ว" } }, "calendar": { @@ -122,38 +217,44 @@ "on": "เปิด" }, "camera": { + "idle": "ไม่ได้ใช้งาน", "recording": "กำลังบันทึก", - "streaming": "สตรีมมิ่ง", - "idle": "ไม่ได้ใช้งาน" + "streaming": "สตรีมมิ่ง" }, "climate": { - "off": "ปิด", - "on": "เปิด", - "heat": "ร้อน", - "cool": "เย็น", - "idle": "ไม่ได้ใช้งาน", "auto": "อัตโนมัติ", + "cool": "เย็น", "dry": "แห้ง", - "fan_only": "เฉพาะพัดลม", "eco": "อีโค", "electric": "ไฟฟ้า", - "performance": "ประสิทธิภาพ", - "high_demand": "ความต้องการสูง", - "heat_pump": "ปั๊มความร้อน", + "fan_only": "เฉพาะพัดลม", "gas": "แก๊ส", - "manual": "คู่มือ" + "heat": "ร้อน", + "heat_pump": "ปั๊มความร้อน", + "high_demand": "ความต้องการสูง", + "idle": "ไม่ได้ใช้งาน", + "manual": "คู่มือ", + "off": "ปิด", + "on": "เปิด", + "performance": "ประสิทธิภาพ" }, "configurator": { "configure": "ตั้งค่า", "configured": "ตั้งค่าแล้ว" }, "cover": { - "open": "เปิด", - "opening": "กำลังเปิด", "closed": "ปิด", "closing": "กำลังปิด", + "open": "เปิด", + "opening": "กำลังเปิด", "stopped": "หยุด" }, + "default": { + "off": "ปิด", + "on": "เปิด", + "unavailable": "ไม่พร้อมใช้งาน", + "unknown": "ไม่ทราบสถานะ" + }, "device_tracker": { "home": "อยู่บ้าน", "not_home": "ไม่อยู่" @@ -163,19 +264,19 @@ "on": "เปิด" }, "group": { - "off": "ปิด", - "on": "เปิด", - "home": "อยู่บ้าน", - "not_home": "ไม่อยู่บ้าน", - "open": "เปิด", - "opening": "กำลังเปิด", "closed": "ปิดแล้ว", "closing": "กำลังปิด", - "stopped": "หยุดแล้ว", + "home": "อยู่บ้าน", "locked": "ล็อคแล้ว", - "unlocked": "ปลดล็อคแล้ว", + "not_home": "ไม่อยู่บ้าน", + "off": "ปิด", "ok": "พร้อมใช้งาน", - "problem": "มีปัญหา" + "on": "เปิด", + "open": "เปิด", + "opening": "กำลังเปิด", + "problem": "มีปัญหา", + "stopped": "หยุดแล้ว", + "unlocked": "ปลดล็อคแล้ว" }, "input_boolean": { "off": "ปิด", @@ -190,13 +291,17 @@ "unlocked": "ปลดล็อค" }, "media_player": { + "idle": "ไม่ได้ใช้งาน", "off": "ปิด", "on": "เปิด", - "playing": "กำลังเล่น", "paused": "หยุดชั่วคราว", - "idle": "ไม่ได้ใช้งาน", + "playing": "กำลังเล่น", "standby": "แสตนด์บาย" }, + "person": { + "home": "อยู่บ้าน", + "not_home": "ไม่อยู่บ้าน" + }, "plant": { "ok": "พร้อมใช้งาน", "problem": "มีปัญหา" @@ -224,17 +329,20 @@ "off": "ปิด", "on": "เปิด" }, - "zwave": { - "default": { - "initializing": "กำลังเริ่มต้น", - "dead": "ไม่พร้อมใช้งาน", - "sleeping": "กำลังหลับ", - "ready": "พร้อมใช้งาน" - }, - "query_stage": { - "initializing": "กำลังเริ่มต้น ( {query_stage} )", - "dead": "ไม่พร้อมใช้งาน ({query_stage})" - } + "timer": { + "active": "ใช้งานอยู่", + "idle": "ไม่ได้ใช้งาน", + "paused": "หยุดชั่วคราว" + }, + "vacuum": { + "cleaning": "กำลังทำความสะอาด", + "docked": "เชื่อมต่อ", + "error": "ผิดพลาด", + "idle": "ว่าง", + "off": "ปิด", + "on": "เปิด", + "paused": "หยุดชั่วคราว", + "returning": "กลับไปจุดเชื่อมต่อ" }, "weather": { "clear-night": "ฟ้าโปร่ง, กลางคืน", @@ -252,798 +360,79 @@ "windy": "ลมแรง", "windy-variant": "ลมแรง" }, - "vacuum": { - "cleaning": "กำลังทำความสะอาด", - "docked": "เชื่อมต่อ", - "error": "ผิดพลาด", - "idle": "ว่าง", - "off": "ปิด", - "on": "เปิด", - "paused": "หยุดชั่วคราว", - "returning": "กลับไปจุดเชื่อมต่อ" - }, - "timer": { - "active": "ใช้งานอยู่", - "idle": "ไม่ได้ใช้งาน", - "paused": "หยุดชั่วคราว" - }, - "person": { - "home": "อยู่บ้าน", - "not_home": "ไม่อยู่บ้าน" - } - }, - "state_badge": { - "default": { - "unknown": "ไม่ทราบสถานะ", - "unavailable": "ไม่พร้อมใช้งาน", - "error": "เกิดข้อผิดพลาด", - "entity_not_found": "ไม่พบเอนทิตี" - }, - "alarm_control_panel": { - "armed": "เปิดการป้องกัน", - "disarmed": "ปลดการป้องกัน", - "armed_home": "เฝ้าระวังอยู่", - "armed_away": "เปิดการป้องกัน", - "armed_night": "เปิดการป้องกัน", - "pending": "ค้างอยู่", - "arming": "กำลังเปิดการป้องกัน", - "disarming": "กำลังปลดการป้องกัน", - "triggered": "ถูกกระตุ้น", - "armed_custom_bypass": "เปิดการป้องกัน" - }, - "device_tracker": { - "home": "อยู่บ้าน", - "not_home": "ไม่อยู่" - }, - "person": { - "home": "อยู่บ้าน", - "not_home": "ไม่อยู่บ้าน" + "zwave": { + "default": { + "dead": "ไม่พร้อมใช้งาน", + "initializing": "กำลังเริ่มต้น", + "ready": "พร้อมใช้งาน", + "sleeping": "กำลังหลับ" + }, + "query_stage": { + "dead": "ไม่พร้อมใช้งาน ({query_stage})", + "initializing": "กำลังเริ่มต้น ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "จัดการเรียบร้อย", - "add_item": "เพิ่มรายการใหม่", - "microphone_tip": "ลองแตะไมโครโฟนที่ด้านบนขวาและพูดว่า \"เพิ่มลูกอมลงในรายการช้อปปิ้งของฉัน\" ดูสิ!" - }, - "developer-tools": { - "tabs": { - "services": { - "title": "บริการ" - }, - "states": { - "title": "สถานะ" - }, - "events": { - "title": "เหตุการณ์" - }, - "templates": { - "title": "แม่แบบ" - }, - "mqtt": { - "title": "MQTT" - }, - "info": { - "title": "ข้อมูล" - } - } - }, - "history": { - "showing_entries": "วันที่ต้องการแสดง", - "period": "ช่วงเวลา" - }, - "logbook": { - "showing_entries": "วันที่ต้องการแสดง", - "period": "ช่วงเวลา" - }, - "mailbox": { - "empty": "ไม่มีข้อความ", - "playback_title": "เล่นข้อความ", - "delete_prompt": "ลบข้อความนี้หรือไม่?", - "delete_button": "ลบ" - }, - "config": { - "header": "การตั้งค่า Home Assistant", - "introduction": "ดูสิ! สามารถกำหนดค่าส่วนประกอบต่างๆ ของคุณได้ด้วย รวมถึงส่วนของระบบของ Home Assistant เลยเชียวนะ! ถึงแม้ตอนนี้ส่วนการแสดงผลยังทำไม่ได้ก็ตาม แต่เรากำลังพัฒนามันอยู่ คงจะใช้ได้เร็วๆ นี้ละ", - "core": { - "caption": "ทั่วไป", - "description": "ตรวจสอบไฟล์การกำหนดค่าและควบคุมเซิร์ฟเวอร์", - "section": { - "core": { - "header": "การกำหนดค่าและควบคุมเซิร์ฟเวอร์", - "introduction": "เรารู้นะว่าการตั้งค่าเนี่ยมันน่าเบื่อขนาดไหน ในส่วนนี้มันจะช่วยทำให้ชีวิตคุณง่ายขึ้นนิดหน่อย", - "core_config": { - "edit_requires_storage": "ตัวช่วยแก้ไขถูกปิดใช้งาน เนื่องจากการกำหนดค่าถูกกำหนดไว้ในไฟล์ configuration.yaml", - "location_name": "ชื่อในการติดตั้ง Home Assistant ของคุณ", - "latitude": "ละติจูด", - "longitude": "ลองจิจูด", - "elevation": "มุมเงย", - "elevation_meters": "เมตร", - "time_zone": "เขตเวลา", - "unit_system": "ระบบหน่วย", - "unit_system_imperial": "ของจักรพรรดิ", - "unit_system_metric": "เมตริก", - "imperial_example": "ฟาเรนไฮต์, ปอนด์", - "metric_example": "เซลเซียส, กิโลกรัม", - "save_button": "บันทึก" - } - }, - "server_control": { - "validation": { - "heading": "ตรวจสอบการกำหนดค่า", - "introduction": "ตรวจสอบความถูกต้องการกำหนดค่าของคุณหากคุณเพิ่งทำการเปลี่ยนแปลงบางอย่างกับการกำหนดค่าของคุณและต้องการตรวจสอบให้แน่ใจว่าถูกต้องทั้งหมด", - "check_config": "ตรวจสอบการกำหนดค่า", - "valid": "การกำหนดค่าถูกต้อง!", - "invalid": "การกำหนดค่าไม่ถูกต้อง" - }, - "reloading": { - "heading": "โหลดไฟล์ตั้งค่าต่างๆ ใหม่", - "introduction": "บางส่วนของระบบสามารถรีโหลดใหม่ได้ โดยไม่ต้องรีสตาร์ท เมื่อกดปุ่มแล้วระบบจะโหลดไฟล์นั้นใหม่อีกครั้งนึงขึ้นมา", - "core": "โหลดส่วนกลางใหม่", - "group": "โหลดกลุ่มใหม่", - "automation": "โหลดระบบอัตโนมัติใหม่", - "script": "โหลดสคริปต์อีกครั้ง" - }, - "server_management": { - "heading": "การจัดการเซิร์ฟเวอร์", - "introduction": "สำหรับควบคุมเซิร์ฟเวอร์ Home Assistant อีกทีนึงจาก Home Assistant อีกที", - "restart": "เริ่มต้นใหม่", - "stop": "หยุด" - } - } - } - }, - "customize": { - "caption": "การปรับแต่ง", - "description": "ปรับแต่งเอนทิตี้ในรูปแบบของคุณ", - "picker": { - "header": "การปรับแต่ง", - "introduction": "ปรับแต่งคุณลักษณะของเอนทิตี้แต่ละตัว เมื่อมีการเพิ่มหรือแก้ไขจะมีผลทันที หากลบคุณลักษณะจะเห็นผลต่อเมื่อเอนทิตี้นั้นได้รับการอัพเดท" - } - }, - "automation": { - "caption": "การทำงานอัตโนมัติ", - "description": "สร้างและแก้ไขระบบอัตโนมัติ", - "picker": { - "header": "เครื่องมือแก้ไข ระบบอัตโนมัติ", - "introduction": "เป็นตัวช่วยแก้ไขที่ทำให้คุณสามารถสร้างหรือแก้ไขการทำงานอัตโนมัติ\nโปรดอ่าน [คำแนะนำ] (https:\/\/home-assistant.io\/docs\/automation\/editor\/) เพื่อให้การกำหนดค่าของคุณเป็นไปได้อย่างถูกต้อง", - "pick_automation": "เลือกระบบอัตโนมัติเพื่อแก้ไข", - "no_automations": "เราไม่พบระบบอัตโนมัติใด ๆ สามารถแก้ไขได้", - "add_automation": "เพิ่มระบบอัตโนมัติ", - "learn_more": "เรียนรู้เพิ่มเติมเกี่ยวกับ Automation" - }, - "editor": { - "introduction": "ใช้ระบบอัตโนมัติเพื่อทำให้บ้านของคุณมีชีวิตชีวา", - "default_name": "ระบบอัตโนมัติใหม่", - "save": "บันทึก", - "unsaved_confirm": "คุณมีการเปลี่ยนแปลงที่ยังไม่ได้บันทึก คุณแน่ใจหรือไม่ว่าต้องการออก?", - "alias": "ชื่อ", - "triggers": { - "header": "ทริกเกอร์", - "introduction": "ทริกเกอร์คือสิ่งที่เริ่มต้นในการประมวลผลกฎอัตโนมัติ คุณสามารถระบุทริกเกอร์หลายรายการสำหรับกฎเดียวกันได้ เมื่อตัวทริกเกอร์เริ่มทำงานผู้ช่วยแรกจะตรวจสอบเงื่อนไขหากมีและเรียกการดำเนินการ.\n\n[เรียนรู้เพิ่มเติมเกี่ยวกับทริกเกอร์] (https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", - "add": "เพิ่มทริกเกอร์", - "duplicate": "ซ้ำ", - "delete": "ลบ", - "delete_confirm": "แน่ใจหรือว่าต้องการจะลบ?", - "unsupported_platform": "แพลตฟอร์มที่ไม่สนับสนุน: {platform}", - "type_select": "ประเภททริกเกอร์", - "type": { - "event": { - "label": "เหตุการณ์", - "event_type": "ชนิดเหตุการณ์", - "event_data": "ข้อมูลเหตุการณ์" - }, - "state": { - "label": "สถานะ", - "from": "จาก", - "to": "ไปยัง", - "for": "ถึง" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "เหตุการณ์:", - "start": "เริ่มต้น", - "shutdown": "ปิด" - }, - "mqtt": { - "label": "MQTT", - "topic": "หัวข้อเรื่อง", - "payload": "Payload (ตัวเลือก)" - }, - "numeric_state": { - "label": "สถานะตัวเลข", - "above": "เหนือกว่า", - "below": "ต่ำกว่า", - "value_template": "ค่าแบบ (เลือกเพิ่ม)" - }, - "sun": { - "label": "พระอาทิตย์", - "event": "เหตุการณ์", - "sunrise": "พระอาทิตย์ขึ้น", - "sunset": "พระอาทิตย์ตกดิน", - "offset": "ช่วงเวลา(เลือกเพิ่ม)" - }, - "template": { - "label": "แบบ", - "value_template": "ค่าแบบ" - }, - "time": { - "label": "เวลา", - "at": "ที่" - }, - "zone": { - "label": "โซน", - "entity": "รายละเอียดพร้อมสถานที่ตั้ง", - "zone": "โซน", - "event": "การกระทำ", - "enter": "เข้าสู่", - "leave": "ออกจาก" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook ID" - }, - "time_pattern": { - "label": "รูปแบบเวลา", - "hours": "ชั่วโมง", - "minutes": "นาที", - "seconds": "วินาที" - }, - "geo_location": { - "label": "พิกัดตำแหน่ง", - "source": "แหล่งที่มา", - "zone": "โซน", - "event": "เหตุการณ์:", - "enter": "เข้าสู่", - "leave": "ออก" - } - }, - "learn_more": "เรียนรู้เพิ่มเติมเกี่ยวกับ Trigger" - }, - "conditions": { - "header": "เงื่อนไข", - "introduction": "เงื่อนไขเป็นส่วนที่ปล่อยว่างได้ของกฎอัตโนมัติและสามารถใช้เพื่อป้องกันไม่ให้เกิดการกระทำเมื่อถูกเรียกใช้งาน เงื่อนไขดูคล้ายกับการกระตุ้น แต่แตกต่างกันมาก การกระตุ้นจะพิจารณาเหตุการณ์ที่เกิดขึ้นในระบบในขณะที่เงื่อนไขจะดูเฉพาะที่ระบบจะดูในตอนนี้เท่านั้น การกระตุ้นสามารถสังเกตได้จากสวิตช์ที่กำลังเปิดอยู่ โดยเงื่อนไขสามารถเห็นได้เฉพาะเมื่อสวิตช์เปิดหรือปิดอยู่เท่านั้น", - "add": "เพิ่มเงื่อนไข", - "duplicate": "แยกออกมาเป็นอันใหม่", - "delete": "ลบ", - "delete_confirm": "คุณแน่ใจหรือไม่ว่าจะลบสิ่งนี้ทิ้ง?", - "unsupported_condition": "ไม่รองรับเงื่อนไข: {condition}", - "type_select": "ประเภทเงื่อนไข", - "type": { - "state": { - "label": "สถานะ", - "state": "สถานะ" - }, - "numeric_state": { - "label": "สถานะตัวเลข", - "above": "เหนือหัว", - "below": "ต่ำกว่า", - "value_template": "ค่าของรูปแบบ (ปล่อยว่างได้)" - }, - "sun": { - "label": "ดวงอาทิตย์", - "before": "ก่อน:", - "after": "หลังจาก:", - "before_offset": "ก่อนช่วงเวลา(เลือกเพิ่ม)", - "after_offset": "หลังจากช่วงเวลา(เลือกเพิ่ม)", - "sunrise": "พระอาทิตย์ขึ้น", - "sunset": "พระอาทิตย์ตก" - }, - "template": { - "label": "แม่แบบ", - "value_template": "ค่าของรูปแม่แบบ" - }, - "time": { - "label": "เวลา", - "after": "หลังจาก", - "before": "ก่อนที่จะ" - }, - "zone": { - "label": "โซน", - "entity": "Entity พร้อมตำแหน่ง", - "zone": "โซน" - } - }, - "learn_more": "เรียนรู้เพิ่มเติมเกี่ยวกับเงื่อนไข" - }, - "actions": { - "header": "การกระทำ", - "introduction": "ใช้สำหรับการกระทำที่ Home Assistant จะทำต่อเมื่อระบบอัตโนมัติมีการเรียกใช้งาน", - "add": "เพิ่มการกระทำ", - "duplicate": "แยกออกมาเป็นอันใหม่", - "delete": "ลบ", - "delete_confirm": "คุณแน่ใจหรือไม่ว่าจะลบสิ่งนี้ทิ้ง?", - "unsupported_action": "ไม่รองรับการดำเนินการ: {action}", - "type_select": "ประเภทการทำงาน", - "type": { - "service": { - "label": "เรียกบริการ", - "service_data": "ข้อมูลบริการ" - }, - "delay": { - "label": "หน่วงเวลา", - "delay": "หน่วงเวลา" - }, - "wait_template": { - "label": "รอ", - "wait_template": "แบบ รอ", - "timeout": "หมดเวลา (ตัวเลือก)" - }, - "condition": { - "label": "สถานะ" - }, - "event": { - "label": "กระทำเหตุการณ์", - "event": "การกระทำ", - "service_data": "บริการ" - } - }, - "learn_more": "เรียนรู้เพิ่มเติมเกี่ยวกับ Action" - }, - "load_error_not_editable": "ระบบอัตโนมัติที่อยู่ในไฟล์ Automations.yaml เท่านั้นที่สามารถแก้ไขได้", - "load_error_unknown": "เกิดข้อผิดพลาดในการโหลดระบบอัตโนมัติ ({err_no})" - } - }, - "script": { - "caption": "สคริปต์", - "description": "สร้างและแก้ไขสคริปต์" - }, - "zwave": { - "caption": "Z-Wave", - "description": "จัดการเครือข่าย Z-Wave", - "common": { - "value": "ค่า", - "unknown": "ไม่ทราบ" - }, - "node_config": { - "seconds": "วินาที", - "set_config_parameter": "ตั้งค่าพารามิเตอร์การกำหนดค่า" - } - }, - "users": { - "caption": "ผู้ใช้", - "description": "จัดการผู้ใช้งานในระบบ", - "picker": { - "title": "ผู้ใช้" - }, - "editor": { - "rename_user": "เปลี่ยนชื่อผู้ใช้", - "change_password": "เปลี่ยนรหัสผ่าน", - "activate_user": "เปิดใช้งานผู้ใช้", - "deactivate_user": "ปิดใช้งานผู้ใช้", - "delete_user": "ลบผู้ใช้", - "caption": "ดูผู้ใช้" - }, - "add_user": { - "caption": "เพิ่มผู้ใช้", - "name": "ชื่อ", - "username": "ชื่อผู้ใช้", - "password": "รหัสผ่าน", - "create": "สร้าง" - } - }, - "cloud": { - "caption": "Home Assistant Cloud", - "description_login": "ลงชื่อเข้าใช้เป็น {email}", - "description_not_login": "ยังไม่ได้เข้าสู่ระบบ", - "description_features": "ควบคุมการทำงานเมื่อออกจากบ้านร่วมกับ Alexa และ Google Assistant" - }, - "integrations": { - "caption": "การทำงานร่วมกัน", - "description": "จัดการการเชื่อมต่อของอุปกรณ์กับการบริการ", - "discovered": "ค้นพบแล้ว", - "configured": "ตั้งค่าไว้แล้ว", - "new": "สร้างการทำงานร่วมกันอันใหม่", - "configure": "ปรับแต่ง", - "none": "ยังไม่มีการกำหนดค่าใดๆ เลย", - "config_entry": { - "no_devices": "การทำงานร่วมกันนี้ไม่มีอุปกรณ์ใดๆ อยู่เลย", - "no_device": "เป็น Entities โดยไม่มีอุปกรณ์", - "delete_confirm": "แน่ใจหรือว่าต้องการจะลบการบูรณาการนี้", - "restart_confirm": "เริ่ม Home Assistant ใหม่หลังจากลบการบูรณาการนี้", - "manuf": "โดย {manufacturer}", - "via": "เชื่อมต่อแล้ว", - "firmware": "Firmware: {version}", - "device_unavailable": "อุปกรณ์นี้ไม่พร้อมใช้งาน", - "entity_unavailable": "Entity นี้ไม่พร้อมใช้งาน", - "no_area": "ไม่มีห้อง" - }, - "config_flow": { - "external_step": { - "description": "ขั้นตอนนี้กำหนดให้คุณเยี่ยมชมเว็บไซต์ภายนอกเพื่อทำให้การดำเนินการสมบูรณ์", - "open_site": "เปิดเว็บไซต์" - } - } - }, - "zha": { - "caption": "ZHA", - "description": "การจัดการระบบอัติโนมัติของ Zigbee", - "services": { - "reconfigure": "กำหนดค่าอุปกรณ์ ZHA อีกครั้ง (เพื่อรักษาอุปกรณ์) ใช้สิ่งนี้หากคุณมีปัญหากับอุปกรณ์ หากอุปกรณ์ดังกล่าวเป็นอุปกรณ์ที่ใช้พลังงานจากแบตเตอรี่โปรดตรวจสอบให้แน่ใจว่าอุปกรณ์นั้นเปิดอยู่และยอมรับคำสั่งเมื่อคุณใช้บริการ", - "updateDeviceName": "ตั้งชื่อที่กำหนดเองสำหรับอุปกรณ์นี้ในการลงทะเบียนอุปกรณ์", - "remove": "ลบอุปกรณ์ออกจากเครือข่าย Zigbee" - }, - "device_card": { - "device_name_placeholder": "ชื่อที่ผู้ใช้กำหนดให้", - "area_picker_label": "ห้อง", - "update_name_button": "ชื่อการปรับปรุง" - }, - "add_device_page": { - "header": "Zigbee Home Automation - เพิ่มอุปกรณ์", - "spinner": "กำลังค้นหาอุปกรณ์ ZHA Zigbee ...", - "discovery_text": "อุปกรณ์ที่ค้นหาเจอจะปรากฏที่นี่ ทำตามคำแนะนำบนอุปกรณ์ของคุณและให้อุปกรณ์อยู่ในโหมดการจับคู่ด้วย" - } - }, - "area_registry": { - "caption": "ค่าของห้อง", - "description": "ภาพรวมของห้องทั้งหมดในบ้านของคุณ", - "picker": { - "header": "ค่าของห้อง", - "introduction": "Areas are used to organize where devices are. This information will be used throughout Home Assistant to help you in organizing your interface, permissions and integrations with other systems.", - "introduction2": "สำหรับการวางอุปกรณ์นี้ลงในห้องนี้ ใช้ลิงค์ด้านล่างเพื่อไปยังหน้า 'การทำงานร่วมกัน' และคลิ๊กทีุ่่ม 'ตั้งค่าให้ทำงานร่วมกัน' เพื่อที่จะให้แสดงการ์ดสำหรับอุปกรณ์นั้น", - "integrations_page": "หน้าการทำงานร่วมกัน", - "no_areas": "ดูเหมือนว่าคุณยังไม่มีห้องเลย!", - "create_area": "สร้างห้องใหม่" - }, - "no_areas": "ดูเหมือนว่าคุณยังไม่มีห้องเลย!", - "create_area": "สร้างห้องใหม่", - "editor": { - "default_name": "ห้องใหม่", - "delete": "ลบ", - "update": "แก้ไข", - "create": "สร้าง" - } - }, - "entity_registry": { - "caption": "เอนทิตีรีจิสทรี", - "description": "ภาพรวมของเอนทิตีทั้งหมดที่รู้จัก", - "picker": { - "header": "เอนทิตีรีจิสทรี", - "unavailable": "(ไม่พร้อมใช้งาน)", - "introduction": "ระบบจะเก็บค่าของทุกๆ เอนทิตี้ไว้ โดยมันจะเป็นแบบนั้นและสามารถระบุค่าให้ไม่ซ้ำกันได้ ในแต่ละเอนทิตี้นั้นจะมี 'รหัสเอนทิตี้' ถูกกำหนดไว้อยู่แล้วซึ่งจะถูกกำหนดไว้ให้ใช้กับเอนทิตี้นั้นๆ เท่านั้น", - "introduction2": "ใช้เอนทิตี้รีจิสตรีเพื่อแทนที่ชื่อเปลี่ยนรหัสประจำเอนทิตีหรือลบรายการออกจาก Home Assistant \nหมายเหตุ: การลบรายการเอนทิตีรีจิสตรีจะไม่ลบเอนทิตี โดยทำตามลิงก์ด้านล่างและลบออกจากหน้าการรวมระบบ", - "integrations_page": "หน้าการทำงานร่วมกัน" - }, - "editor": { - "unavailable": "Entity นี้ยังไม่พร้อมใช้งานในขณะนี้", - "default_name": "ห้องใหม่", - "delete": "ลบ", - "update": "อัพเดท" - } - }, - "person": { - "caption": "บุคคล", - "description": "จัดการบุคคลที่ระบบจะทำการติดตาม", - "detail": { - "name": "ชื่อ", - "device_tracker_intro": "เลือกอุปกรณ์ที่จะให้บุคคลนี้เป็นเจ้าของ", - "device_tracker_picked": "ติดตามอุปกรณ์", - "device_tracker_pick": "เลือกอุปกรณ์ที่จะติดตาม" - } - }, - "server_control": { - "section": { - "validation": { - "check_config": "ตรวจสอบการกำหนดค่า" - }, - "reloading": { - "core": "โหลดส่วนกลางใหม่", - "group": "โหลดกลุ่มใหม่", - "script": "โหลดสคริปต์อีกครั้ง" - }, - "server_management": { - "heading": "การจัดการเซิร์ฟเวอร์", - "restart": "เริ่มต้นใหม่", - "stop": "หยุด" - } - } - } - }, - "profile": { - "push_notifications": { - "header": "การแจ้งเตือน", - "description": "ส่งการแจ้งเตือนไปยังอุปกรณ์นี้", - "error_load_platform": "กำหนดค่า notify.html5.", - "error_use_https": "ต้องเปิดใช้งาน SSL สำหรับส่วนหน้า", - "push_notifications": "การแจ้งเตือน", - "link_promo": "เรียนรู้เพิ่มเติม" - }, - "language": { - "header": "ภาษา", - "link_promo": "ช่วยเราแปลภาษาเป็นประเทศของคุณ", - "dropdown_label": "ภาษา" - }, - "themes": { - "header": "ชุดตกแต่ง", - "error_no_theme": "ไม่มีธีม", - "link_promo": "เรียนรู้เกี่ยวกับธีม", - "dropdown_label": "ธีม" - }, - "refresh_tokens": { - "header": "Refresh Tokens", - "description": "ในแต่ละครั้ง Refresh Token จะถูกเห็นเป็น Login Session โดย Refresh Token จะถูกลบอัตโนมัติเมื่อคุณกดปุ่มออกจากระบบ\nRefresh Token ต่อไปนี้กำลังถูกใช้ในบัญชีของคุณอยู่..", - "token_title": "Refresh Tokens สำหรับ {clientId}", - "created_at": "สร้างเมื่อ {date}", - "confirm_delete": "คุณแน่ใจหรือไม่ว่าต้องการลบ Refresh Tokens ของ {name} ?", - "delete_failed": "การลบ Refresh Token ล้มเหลว", - "last_used": "ใช้ครั้งล่าสุดเมื่อ {date} จาก {location}", - "not_used": "ยังไม่เคยถูกใช้งาน", - "current_token_tooltip": "ไม่สามารถลบ Refresh Token ปัจจุบันได้" - }, - "long_lived_access_tokens": { - "header": "โทเค็นการเข้าถึงระยะยาว", - "description": "สร้างโทเค็นการเข้าถึงระยะยาวเพื่อให้สคริปต์ของคุณเชื่อมต่อกับ Home Assistant ได้ โดยแต่ละโทเค็นที่สร้างขึ้นจะอยู่ได้ 10 ปีนับจากวันที่สร้าง\nโทเค็นการเข้าถึงระยะยาวต่อไปนี้กำลังถูกใช้ในบัญชีของคุณอยู่..", - "learn_auth_requests": "เรียนรู้วิธีสร้างคำขอที่มีการรับรองความถูกต้อง", - "created_at": "สร้างเมื่อ {date}", - "confirm_delete": "คุณแน่ใจหรือไม่ว่าต้องการลบโทเค็นการเข้าถึงของ {name} ?", - "delete_failed": "เกิดข้อผิดพลาดในการลบ Access Token", - "create": "สร้าง Token ใหม่", - "create_failed": "เกิดข้อผิดพลาดในการลบ Access Token ", - "prompt_name": "ชื่อ?", - "prompt_copy_token": "จด Access Token ของคุณไว้ที่อื่นด้วย มันจะไม่แสดงให้เห็นอีกแล้วหลังจากนี้", - "empty_state": "คุณยังไม่มีโทเค็นการเข้าถึงระยะยาวเลย", - "last_used": "ใช้ครั้งล่าสุดเมื่อ {date} จาก {location}", - "not_used": "ยังไม่เคยถูกใช้งาน" - }, - "current_user": "ขณะนี้คุณเข้าสู่ระบบในชื่อ {fullName}", - "is_owner": "ในฐานะ \"เจ้าของ\"", - "change_password": { - "header": "เปลี่ยนรหัสผ่าน", - "current_password": "รหัสผ่านปัจจุบัน", - "new_password": "รหัสผ่านใหม่", - "confirm_new_password": "ยืนยันรหัสผ่านใหม่", - "error_required": "ต้องระบุ", - "submit": "ส่งข้อมูล" - }, - "mfa": { - "header": "โมดูลการพิสูจน์ตัวตนแบบหลายปัจจัย", - "disable": "ปิดการใช้งาน", - "enable": "เปิดใช้งาน", - "confirm_disable": "คุณแน่ใจหรือไม่ว่าต้องการปิดใช้งาน {name} ?" - }, - "mfa_setup": { - "title_aborted": "ยกเลิก", - "title_success": "สำเร็จ!", - "step_done": "ติดตั้งเสร็จแล้วในขั้นตอนที่ {step}", - "close": "ปิด", - "submit": "ส่งข้อมูล" - }, - "force_narrow": { - "header": "ซ่อนแถบด้านข้างเสมอ" - } - }, - "page-authorize": { - "initializing": "กำลังเริ่มการทำงาน", - "authorizing_client": "คุณกำลังจะให้ {clientId} เข้าถึงเซิร์ฟเวอร์ Home Assistant ของคุณ", - "logging_in_with": "เข้าสู่ระบบด้วย ** {authProviderName} **", - "pick_auth_provider": "หรือเข้าสู่ระบบด้วย", - "abort_intro": "เข้าสู่ระบบถูกยกเลิก", - "form": { - "working": "กรุณารอสักครู่", - "unknown_error": "มีบางอย่างผิดพลาด", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "ชื่อผู้ใช้", - "password": "รหัสผ่าน" - } - }, - "mfa": { - "data": { - "code": "รหัสรับรองความถูกต้องสองปัจจัย" - }, - "description": "เปิด ** {mfa_module_name} ** บนอุปกรณ์ของคุณเพื่อดูรหัสการตรวจสอบสิทธิ์แบบสองปัจจัยและยืนยันตัวตนของคุณ" - } - }, - "error": { - "invalid_auth": "ชื่อผู้ใช้หรือรหัสผ่านไม่ถูกต้อง", - "invalid_code": "รหัสรับรองความถูกต้องสองปัจจัย ไม่ถูกต้อง" - }, - "abort": { - "login_expired": "เซสชันหมดอายุ กรุณาเข้าสู่ระบบอีกครั้ง" - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "รหัสผ่าน API" - }, - "description": "โปรดป้อน API Password ในการกำหนดค่า http ของคุณ:" - }, - "mfa": { - "data": { - "code": "รหัสรับรองความถูกต้องสองปัจจัย" - }, - "description": "เปิด ** {mfa_module_name} ** บนอุปกรณ์ของคุณเพื่อดูรหัสการตรวจสอบสิทธิ์แบบสองปัจจัยและยืนยันตัวตนของคุณ" - } - }, - "error": { - "invalid_auth": "API Password ไม่ถูกต้อง", - "invalid_code": "รหัสรับรองความถูกต้องสองปัจจัย ไม่ถูกต้อง" - }, - "abort": { - "no_api_password_set": "คุณยังไม่ได้ตั้งค่า API Password เลย", - "login_expired": "เซสชั่นหมดอายุ โปรดเข้าสู่ระบบใหม่" - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "ผู้ใช้" - }, - "description": "โปรดเลือกผู้ใช้ที่ คุณต้องการเข้าสู่ระบบในชื่อของ" - } - }, - "abort": { - "not_whitelisted": "คอมพิวเตอร์ของคุณไม่ได้รับสิทธิ์ในการเข้าถึง" - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "ชื่อผู้ใช้", - "password": "รหัสผ่าน" - } - }, - "mfa": { - "data": { - "code": "รหัสผ่านยืนยัน 2 ขั้นตอน" - }, - "description": "เปิด ** {mfa_module_name} ** บนอุปกรณ์ของคุณเพื่อดูรหัสการตรวจสอบสิทธิ์แบบสองปัจจัยและยืนยันตัวตนของคุณ" - } - }, - "error": { - "invalid_auth": "ชื่อผู้ใช้หรือรหัสผ่านไม่ถูกต้อง", - "invalid_code": "Authentication code ไม่ถูกต้อง" - }, - "abort": { - "login_expired": "เซสชันหมดอายุ กรุณาเข้าสู่ระบบอีกครั้ง" - } - } - } - } - }, - "page-onboarding": { - "intro": "พร้อมที่จะปลุกบ้านของคุณแล้วหรือยัง เรียกความเป็นส่วนตัวของคุณและเข้าร่วมกับชุมชนของเราดูสิ!", - "user": { - "intro": "มาเริ่มกันเลยด้วยการสร้างบัญชีผู้ใช้", - "required_field": "ต้องระบุ", - "data": { - "name": "ชื่อ", - "username": "ชื่อผู้ใช้", - "password": "รหัสผ่าน", - "password_confirm": "ยืนยันรหัสผ่าน" - }, - "create_account": "สร้างบัญชี", - "error": { - "required_fields": "กรอกข้อมูลในฟิลด์ที่จำเป็นทั้งหมด", - "password_not_match": "รหัสผ่านไม่ตรงกัน" - } - }, - "integration": { - "intro": "อุปกรณ์และบริการแสดงอยู่ใน Home Assistant เป็นการผสานรวม คุณสามารถตั้งค่าตอนนี้หรือทำภายหลังจากหน้าจอการตั้งค่า", - "more_integrations": "เพิ่มเติม", - "finish": "เสร็จสิ้น" - }, - "core-config": { - "intro": "สวัสดี {name} ยินดีต้อนรับสู่ Home Assistant คุณต้องการตั้งชื่อบ้านของคุณยังไงดีละ", - "intro_location": "เราต้องการทราบว่าคุณอาศัยอยู่ที่ไหน ข้อมูลนี้จะช่วยในการแสดงข้อมูลต่างๆ และตั้งค่าการทำงานอัตโนมัติตามดวงอาทิตย์ ข้อมูลนี้จะไม่เปิดเผยไปยังนอกเครือข่ายของคุณ", - "intro_location_detect": "เราสามารถช่วยคุณกรอกข้อมูลส่วนนี้ได้โดยร้องขอข้อมูลไปยังบริการภายนอกครั้งเดียว", - "location_name_default": "บ้าน", - "button_detect": "ตรวจจับ", - "finish": "ต่อไป" - } - }, - "lovelace": { - "cards": { - "shopping-list": { - "checked_items": "รายการที่เลือก", - "clear_items": "ล้างรายการที่เลือก", - "add_item": "เพิ่มรายการ" - }, - "empty_state": { - "title": "ยินดีต้อนรับกลับบ้าน", - "no_devices": "หน้านี้ช่วยให้คุณควบคุมอุปกรณ์ของคุณได้ แต่ยังไงก็ตามมันดูเหมือนว่าคุณยังไม่ได้ติดตั้งอุปกรณ์อะไรไว้เลย ไปยัง 'หน้าการทำงานด้วยกัน' เพื่อเริ่มติดตั้ง", - "go_to_integrations_page": "ไปที่หน้าการรวมระบบ" - }, - "picture-elements": { - "hold": "ถือ:", - "tap": "แตะ:", - "navigate_to": "นำทางไปยัง {location}", - "toggle": "สลับ {name}", - "call_service": "เรียกบริการ {name}", - "more_info": "แสดงข้อมูลเพิ่มเติม: {name}" - } - }, - "editor": { - "edit_card": { - "header": "การกำหนดค่าการ์ด", - "save": "บันทึก", - "toggle_editor": "เปิด\/ปิดเครื่องมือแก้ไข", - "pick_card": "เลือกการ์ดที่คุณอยากจะเพิ่ม", - "add": "เพิ่มการ์ดใหม่", - "edit": "แก้ไข", - "delete": "ลบ", - "move": "ย้าย" - }, - "migrate": { - "header": "การกำหนดค่าไม่ถูกต้อง", - "para_no_id": "องค์ประกอบนี้ยังไม่มี ID (สามารถเพิ่ม ID ลงในองค์ประกอบนี้ได้ในไฟล์ 'ui-lovelace.yaml')", - "para_migrate": "Home Assistant สามารถเพิ่มเลขกำกับของการ์ดและแสดงผลอัตโนมัติให้คุณได้ โดยกดปุ่ม 'Mirate Config'", - "migrate": "โอนย้ายการกำหนดค่า" - }, - "header": "แก้ไข UI", - "edit_view": { - "header": "ดูการกำหนดค่า", - "add": "เพิ่มมุมมอง", - "edit": "แก้ไขมุมมอง", - "delete": "ลบมุมมอง" - }, - "save_config": { - "header": "ควบคุม Lovelace UI ในแบบของคุณ", - "para": "โดยเริ่มต้น Home Assistant จะควบคุมส่วนต่อประสานผู้ใช้งานเอง เมื่อมี Entity หรือส่วนควบคุมใหม่ๆ จะถูกแสดงขึ้นให้เอง แต่ถ้าคุณอยากจะควบคุมเอง เราจะไม่มีการอัพเดทตามข้างต้นให้กับคุณ", - "para_sure": "คุณแน่ใจหรือไม่ว่าต้องการควบคุมส่วนต่อประสานผู้ใช้งาน?", - "cancel": "ไม่เป็นไร", - "save": "ใช้การควบคุม" - }, - "menu": { - "raw_editor": "ตัวแก้ไข config แบบดิบๆ" - }, - "raw_editor": { - "header": "แก้ไขการกำหนดค่า", - "save": "บันทึก", - "unsaved_changes": "การเปลี่ยนแปลงที่ยังไม่ได้ถูกบันทึก", - "saved": "บันทึกแล้ว" - } - }, - "menu": { - "configure_ui": "ตั้งค่าการแสดงผล", - "unused_entities": "เอนทิตีที่ไม่ได้ใช้", - "help": "วิธีใช้", - "refresh": "รีเฟรช" - }, - "warning": { - "entity_not_found": "Entity ไม่พร้อมใช้งาน: {entity}", - "entity_non_numeric": "Entity ที่ไม่ใช่ตัวเลข: {entity}" - }, - "changed_toast": { - "message": "อัพเดทการกำหนดค่าส่วนแสดงผล Lovelace แล้ว คุณต้องการจะรีเฟรชหน้าหรือไม่", - "refresh": "รีเฟรช" - }, - "reload_lovelace": "โหลดส่วนแสดงผล Lovelace ใหม่" - } - }, - "sidebar": { - "log_out": "ออกจากระบบ", - "external_app_configuration": "การกำหนดค่าแอพ" - }, - "common": { - "loading": "กำลังโหลด", - "cancel": "ยกเลิก", - "save": "บันทึก" - }, - "duration": { - "day": "{count} {count, plural,\n one {วัน}\n other {วัน}\n}", - "week": "{count} {count, plural,\n one {สัปดาห์}\n other {สัปดาห์}\n}", - "second": "วินาที", - "minute": "{count} {count, plural,\n one {นาที}\n other {นาที}\n}", - "hour": "{count} {count, plural,\n one {ชั่วโมง}\n other {ชั่วโมง}\n}" - }, - "login-form": { - "password": "รหัสผ่าน", - "remember": "จดจำ", - "log_in": "ลงชื่อเข้า" + "auth_store": { + "ask": "คุณต้องการจำการเข้าระบบนี้หรือไม่?", + "confirm": "จำการเข้าสู่ระบบ", + "decline": "ไม่เป็นไรขอบคุณ" }, "card": { + "alarm_control_panel": { + "arm_away": "ล็อคแบบออกข้างนอก", + "arm_custom_bypass": "ปล่อยผ่านตามที่กำหนด", + "arm_home": "ล็อคแบบอยู่บ้าน", + "arm_night": "เฝ้ายามกลางคืน", + "armed_custom_bypass": "ปล่อยผ่านตามที่กำหนด", + "clear_code": "ล้าง", + "code": "รหัส", + "disarm": "ปิดระบบสัญญาณกันขโมย" + }, + "automation": { + "last_triggered": "การทำงานครั้งล่าสุด", + "trigger": "การทำงาน" + }, "camera": { "not_available": "ไม่มีรูปภาพ" }, + "climate": { + "aux_heat": "ความร้อน Aux", + "away_mode": "โหมดไม่อยู่บ้าน", + "currently": "ในขณะนี้", + "fan_mode": "โหมดของพัดลม", + "on_off": "เปิด \/ ปิด", + "operation": "การทำงาน", + "swing_mode": "โหมดแกว่ง", + "target_humidity": "ค่าความชื้นที่ต้องการ", + "target_temperature": "อุณหภูมิที่ต้องการ" + }, + "cover": { + "position": "ตำแหน่ง", + "tilt_position": "ตำแหน่งการเอียง" + }, + "fan": { + "direction": "ทิศทาง", + "oscillate": "การส่าย", + "speed": "ความเร็วลม" + }, + "light": { + "brightness": "ความสว่าง", + "color_temperature": "อุณหภูมิสี", + "effect": "ลูกเล่น", + "white_value": "ค่าสีขาว" + }, + "lock": { + "code": "Code", + "lock": "ล็อค", + "unlock": "ปลดล็อค" + }, + "media_player": { + "sound_mode": "โหมดเสียง", + "source": "แหล่งที่มา", + "text_to_speak": "ข้อความที่จะให้ออกเสียง" + }, "persistent_notification": { "dismiss": "ยกเลิก" }, @@ -1053,6 +442,22 @@ "script": { "execute": "ปฏิบัติ" }, + "vacuum": { + "actions": { + "resume_cleaning": "ทำความสะอาดต่อไป", + "return_to_base": "กลับไปจุดเชื่อมต่อ", + "start_cleaning": "เริ่มทำความสะอาด", + "turn_off": "ปิดใข้งาน", + "turn_on": "เปิดใข้งาน" + } + }, + "water_heater": { + "away_mode": "โหมดไม่อยู่บ้าน", + "currently": "ในขณะนี้", + "on_off": "เปิด \/ ปิด", + "operation": "การดำเนินการ", + "target_temperature": "อุณหภูมิ" + }, "weather": { "attributes": { "air_pressure": "ความกดอากาศ", @@ -1068,8 +473,8 @@ "n": "ทิศเหนือ", "ne": "ทิศตะวันออกเฉียงเหนือ", "nne": "ทิศอีสานเฉียงเหนือ", - "nw": "ทิศตะวันตกเฉียงเหนือ", "nnw": "ทิศพายัพเฉียงเหนือ", + "nw": "ทิศตะวันตกเฉียงเหนือ", "s": "ทิศใต้", "se": "ทิศตะวันออกเฉียงใต้", "sse": "ทิศอาคเนย์เฉียงใต้", @@ -1080,113 +485,40 @@ "wsw": "ทิศตะวันตกเฉียงใต้ค่อนตะวันตก" }, "forecast": "พยากรณ์ล่วงหน้า" - }, - "alarm_control_panel": { - "code": "รหัส", - "clear_code": "ล้าง", - "disarm": "ปิดระบบสัญญาณกันขโมย", - "arm_home": "ล็อคแบบอยู่บ้าน", - "arm_away": "ล็อคแบบออกข้างนอก", - "arm_night": "เฝ้ายามกลางคืน", - "armed_custom_bypass": "ปล่อยผ่านตามที่กำหนด", - "arm_custom_bypass": "ปล่อยผ่านตามที่กำหนด" - }, - "automation": { - "last_triggered": "การทำงานครั้งล่าสุด", - "trigger": "การทำงาน" - }, - "cover": { - "position": "ตำแหน่ง", - "tilt_position": "ตำแหน่งการเอียง" - }, - "fan": { - "speed": "ความเร็วลม", - "oscillate": "การส่าย", - "direction": "ทิศทาง" - }, - "light": { - "brightness": "ความสว่าง", - "color_temperature": "อุณหภูมิสี", - "white_value": "ค่าสีขาว", - "effect": "ลูกเล่น" - }, - "media_player": { - "text_to_speak": "ข้อความที่จะให้ออกเสียง", - "source": "แหล่งที่มา", - "sound_mode": "โหมดเสียง" - }, - "climate": { - "currently": "ในขณะนี้", - "on_off": "เปิด \/ ปิด", - "target_temperature": "อุณหภูมิที่ต้องการ", - "target_humidity": "ค่าความชื้นที่ต้องการ", - "operation": "การทำงาน", - "fan_mode": "โหมดของพัดลม", - "swing_mode": "โหมดแกว่ง", - "away_mode": "โหมดไม่อยู่บ้าน", - "aux_heat": "ความร้อน Aux" - }, - "lock": { - "code": "Code", - "lock": "ล็อค", - "unlock": "ปลดล็อค" - }, - "vacuum": { - "actions": { - "resume_cleaning": "ทำความสะอาดต่อไป", - "return_to_base": "กลับไปจุดเชื่อมต่อ", - "start_cleaning": "เริ่มทำความสะอาด", - "turn_on": "เปิดใข้งาน", - "turn_off": "ปิดใข้งาน" - } - }, - "water_heater": { - "currently": "ในขณะนี้", - "on_off": "เปิด \/ ปิด", - "target_temperature": "อุณหภูมิ", - "operation": "การดำเนินการ", - "away_mode": "โหมดไม่อยู่บ้าน" } }, + "common": { + "cancel": "ยกเลิก", + "loading": "กำลังโหลด", + "save": "บันทึก" + }, "components": { "entity": { "entity-picker": { "entity": "เลือกเอนทิตี" } }, - "service-picker": { - "service": "บริการ" - }, - "relative_time": { - "past": "{time}ที่แล้ว", - "future": "{time} ที่แล้ว", - "never": "ไม่เคย", - "duration": { - "second": "{count} {count, plural,\n one {วินาที}\n other {วินาที}\n}", - "minute": "{count} {count, plural,\n one {นาที}\n other {นาที}\n}", - "hour": "{count} {count, plural,\n one {ชั่วโมง}\n other {ชั่วโมง}\n}", - "day": "{count} {count, plural,\n one {วัน}\n other {วัน}\n}", - "week": "{count} {count, plural,\n one {สัปดาห์}\n other {สัปดาห์}\n}" - } - }, "history_charts": { "loading_history": "กำลังโหลดประวัติการทำงาน..", "no_history_found": "ไม่พบประวัติการทำงาน" + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\n one {วัน}\\n other {วัน}\\n}", + "hour": "{count} {count, plural,\\n one {ชั่วโมง}\\n other {ชั่วโมง}\\n}", + "minute": "{count} {count, plural,\\n one {นาที}\\n other {นาที}\\n}", + "second": "{count} {count, plural,\\n one {วินาที}\\n other {วินาที}\\n}", + "week": "{count} {count, plural,\\n one {สัปดาห์}\\n other {สัปดาห์}\\n}" + }, + "future": "{time} ที่แล้ว", + "never": "ไม่เคย", + "past": "{time}ที่แล้ว" + }, + "service-picker": { + "service": "บริการ" } }, - "notification_toast": { - "entity_turned_on": "เปิดใช้งาน {entity} แล้ว", - "entity_turned_off": "ปิดใช้งาน {entity} แล้ว", - "service_called": "เรียกบริการ {service} แล้ว", - "service_call_failed": "การเรียกบริการ {service} ล้มเหลว", - "connection_lost": "สูญเสียการเชื่อมต่อ ดำเนินการเชื่อมต่อใหม่..." - }, "dialogs": { - "more_info_settings": { - "save": "บันทึก", - "name": "ชื่อที่สำหรับแทนที่ค่าเดิม", - "entity_id": "รหัสประจำเอนทิตี" - }, "more_info_control": { "script": { "last_action": "การทำงานครั้งล่าสุด" @@ -1199,90 +531,758 @@ "updater": { "title": "คำแนะนำในการอัพเดท" } + }, + "more_info_settings": { + "entity_id": "รหัสประจำเอนทิตี", + "name": "ชื่อที่สำหรับแทนที่ค่าเดิม", + "save": "บันทึก" } }, - "auth_store": { - "ask": "คุณต้องการจำการเข้าระบบนี้หรือไม่?", - "decline": "ไม่เป็นไรขอบคุณ", - "confirm": "จำการเข้าสู่ระบบ" + "duration": { + "day": "{count} {count, plural,\\n one {วัน}\\n other {วัน}\\n}", + "hour": "{count} {count, plural,\\n one {ชั่วโมง}\\n other {ชั่วโมง}\\n}", + "minute": "{count} {count, plural,\\n one {นาที}\\n other {นาที}\\n}", + "second": "วินาที", + "week": "{count} {count, plural,\\n one {สัปดาห์}\\n other {สัปดาห์}\\n}" + }, + "login-form": { + "log_in": "ลงชื่อเข้า", + "password": "รหัสผ่าน", + "remember": "จดจำ" }, "notification_drawer": { "click_to_configure": "คลิกปุ่มเพื่อกำหนดค่า {entity}", "empty": "ไม่มีการแจ้งเตือน", "title": "การแจ้งเตือน" - } - }, - "domain": { - "alarm_control_panel": "แผงควบคุมสัญญาณเตือนภัย", - "automation": "การทำงานอัตโนมัติ", - "binary_sensor": "เซ็นเซอร์แบบไบนารี", - "calendar": "ปฏิทิน", - "camera": "กล้อง", - "climate": "สภาพอากาศ", - "configurator": "ตัวตั้งค่า", - "conversation": "การสนทนา", - "cover": "ม่าน", - "device_tracker": "อุปกรณ์ติดตาม", - "fan": "พัดลม", - "history_graph": "กราฟประวัติ", - "group": "กลุ่ม", - "image_processing": "การประมวลผลภาพ", - "input_boolean": "ป้อนค่าตรรกะ", - "input_datetime": "ป้อนวันเวลา", - "input_select": "เลือกข้อมูล", - "input_number": "ป้อนตัวเลข", - "input_text": "ป้อนข้อความ", - "light": "แสงสว่าง", - "lock": "ล็อค", - "mailbox": "กล่องจดหมาย", - "media_player": "เครื่องเล่นสื่อ", - "notify": "แจ้ง", - "plant": "พืช", - "proximity": "ใกล้ชิด", - "remote": "รีโมต", - "scene": "ฉาก", - "script": "สคริปต์", - "sensor": "เซนเซอร์", - "sun": "ดวงอาทิตย์", - "switch": "สวิตซ์", - "updater": "อัพเดต", - "weblink": "เว็บลิงค์", - "zwave": "Z-Wave", - "vacuum": "เครื่องดูดฝุ่น", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "ข้อมูลสถานะของระบบ", - "person": "บุคคล" - }, - "attribute": { - "weather": { - "humidity": "ความชื้น", - "visibility": "ทัศนวิสัย", - "wind_speed": "ความเร็วลม" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "ปิด", - "on": "เปิด", - "auto": "อัตโนมัติ" + }, + "notification_toast": { + "connection_lost": "สูญเสียการเชื่อมต่อ ดำเนินการเชื่อมต่อใหม่...", + "entity_turned_off": "ปิดใช้งาน {entity} แล้ว", + "entity_turned_on": "เปิดใช้งาน {entity} แล้ว", + "service_call_failed": "การเรียกบริการ {service} ล้มเหลว", + "service_called": "เรียกบริการ {service} แล้ว" + }, + "panel": { + "config": { + "area_registry": { + "caption": "ค่าของห้อง", + "create_area": "สร้างห้องใหม่", + "description": "ภาพรวมของห้องทั้งหมดในบ้านของคุณ", + "editor": { + "create": "สร้าง", + "default_name": "ห้องใหม่", + "delete": "ลบ", + "update": "แก้ไข" + }, + "no_areas": "ดูเหมือนว่าคุณยังไม่มีห้องเลย!", + "picker": { + "create_area": "สร้างห้องใหม่", + "header": "ค่าของห้อง", + "integrations_page": "หน้าการทำงานร่วมกัน", + "introduction": "Areas are used to organize where devices are. This information will be used throughout Home Assistant to help you in organizing your interface, permissions and integrations with other systems.", + "introduction2": "สำหรับการวางอุปกรณ์นี้ลงในห้องนี้ ใช้ลิงค์ด้านล่างเพื่อไปยังหน้า 'การทำงานร่วมกัน' และคลิ๊กทีุ่่ม 'ตั้งค่าให้ทำงานร่วมกัน' เพื่อที่จะให้แสดงการ์ดสำหรับอุปกรณ์นั้น", + "no_areas": "ดูเหมือนว่าคุณยังไม่มีห้องเลย!" + } + }, + "automation": { + "caption": "การทำงานอัตโนมัติ", + "description": "สร้างและแก้ไขระบบอัตโนมัติ", + "editor": { + "actions": { + "add": "เพิ่มการกระทำ", + "delete": "ลบ", + "delete_confirm": "คุณแน่ใจหรือไม่ว่าจะลบสิ่งนี้ทิ้ง?", + "duplicate": "แยกออกมาเป็นอันใหม่", + "header": "การกระทำ", + "introduction": "ใช้สำหรับการกระทำที่ Home Assistant จะทำต่อเมื่อระบบอัตโนมัติมีการเรียกใช้งาน", + "learn_more": "เรียนรู้เพิ่มเติมเกี่ยวกับ Action", + "type_select": "ประเภทการทำงาน", + "type": { + "condition": { + "label": "สถานะ" + }, + "delay": { + "delay": "หน่วงเวลา", + "label": "หน่วงเวลา" + }, + "event": { + "event": "การกระทำ", + "label": "กระทำเหตุการณ์", + "service_data": "บริการ" + }, + "service": { + "label": "เรียกบริการ", + "service_data": "ข้อมูลบริการ" + }, + "wait_template": { + "label": "รอ", + "timeout": "หมดเวลา (ตัวเลือก)", + "wait_template": "แบบ รอ" + } + }, + "unsupported_action": "ไม่รองรับการดำเนินการ: {action}" + }, + "alias": "ชื่อ", + "conditions": { + "add": "เพิ่มเงื่อนไข", + "delete": "ลบ", + "delete_confirm": "คุณแน่ใจหรือไม่ว่าจะลบสิ่งนี้ทิ้ง?", + "duplicate": "แยกออกมาเป็นอันใหม่", + "header": "เงื่อนไข", + "introduction": "เงื่อนไขเป็นส่วนที่ปล่อยว่างได้ของกฎอัตโนมัติและสามารถใช้เพื่อป้องกันไม่ให้เกิดการกระทำเมื่อถูกเรียกใช้งาน เงื่อนไขดูคล้ายกับการกระตุ้น แต่แตกต่างกันมาก การกระตุ้นจะพิจารณาเหตุการณ์ที่เกิดขึ้นในระบบในขณะที่เงื่อนไขจะดูเฉพาะที่ระบบจะดูในตอนนี้เท่านั้น การกระตุ้นสามารถสังเกตได้จากสวิตช์ที่กำลังเปิดอยู่ โดยเงื่อนไขสามารถเห็นได้เฉพาะเมื่อสวิตช์เปิดหรือปิดอยู่เท่านั้น", + "learn_more": "เรียนรู้เพิ่มเติมเกี่ยวกับเงื่อนไข", + "type_select": "ประเภทเงื่อนไข", + "type": { + "numeric_state": { + "above": "เหนือหัว", + "below": "ต่ำกว่า", + "label": "สถานะตัวเลข", + "value_template": "ค่าของรูปแบบ (ปล่อยว่างได้)" + }, + "state": { + "label": "สถานะ", + "state": "สถานะ" + }, + "sun": { + "after": "หลังจาก:", + "after_offset": "หลังจากช่วงเวลา(เลือกเพิ่ม)", + "before": "ก่อน:", + "before_offset": "ก่อนช่วงเวลา(เลือกเพิ่ม)", + "label": "ดวงอาทิตย์", + "sunrise": "พระอาทิตย์ขึ้น", + "sunset": "พระอาทิตย์ตก" + }, + "template": { + "label": "แม่แบบ", + "value_template": "ค่าของรูปแม่แบบ" + }, + "time": { + "after": "หลังจาก", + "before": "ก่อนที่จะ", + "label": "เวลา" + }, + "zone": { + "entity": "Entity พร้อมตำแหน่ง", + "label": "โซน", + "zone": "โซน" + } + }, + "unsupported_condition": "ไม่รองรับเงื่อนไข: {condition}" + }, + "default_name": "ระบบอัตโนมัติใหม่", + "introduction": "ใช้ระบบอัตโนมัติเพื่อทำให้บ้านของคุณมีชีวิตชีวา", + "load_error_not_editable": "ระบบอัตโนมัติที่อยู่ในไฟล์ Automations.yaml เท่านั้นที่สามารถแก้ไขได้", + "load_error_unknown": "เกิดข้อผิดพลาดในการโหลดระบบอัตโนมัติ ({err_no})", + "save": "บันทึก", + "triggers": { + "add": "เพิ่มทริกเกอร์", + "delete": "ลบ", + "delete_confirm": "แน่ใจหรือว่าต้องการจะลบ?", + "duplicate": "ซ้ำ", + "header": "ทริกเกอร์", + "introduction": "ทริกเกอร์คือสิ่งที่เริ่มต้นในการประมวลผลกฎอัตโนมัติ คุณสามารถระบุทริกเกอร์หลายรายการสำหรับกฎเดียวกันได้ เมื่อตัวทริกเกอร์เริ่มทำงานผู้ช่วยแรกจะตรวจสอบเงื่อนไขหากมีและเรียกการดำเนินการ.\\n\\n[เรียนรู้เพิ่มเติมเกี่ยวกับทริกเกอร์] (https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", + "learn_more": "เรียนรู้เพิ่มเติมเกี่ยวกับ Trigger", + "type_select": "ประเภททริกเกอร์", + "type": { + "event": { + "event_data": "ข้อมูลเหตุการณ์", + "event_type": "ชนิดเหตุการณ์", + "label": "เหตุการณ์" + }, + "geo_location": { + "enter": "เข้าสู่", + "event": "เหตุการณ์:", + "label": "พิกัดตำแหน่ง", + "leave": "ออก", + "source": "แหล่งที่มา", + "zone": "โซน" + }, + "homeassistant": { + "event": "เหตุการณ์:", + "label": "Home Assistant", + "shutdown": "ปิด", + "start": "เริ่มต้น" + }, + "mqtt": { + "label": "MQTT", + "payload": "Payload (ตัวเลือก)", + "topic": "หัวข้อเรื่อง" + }, + "numeric_state": { + "above": "เหนือกว่า", + "below": "ต่ำกว่า", + "label": "สถานะตัวเลข", + "value_template": "ค่าแบบ (เลือกเพิ่ม)" + }, + "state": { + "for": "ถึง", + "from": "จาก", + "label": "สถานะ", + "to": "ไปยัง" + }, + "sun": { + "event": "เหตุการณ์", + "label": "พระอาทิตย์", + "offset": "ช่วงเวลา(เลือกเพิ่ม)", + "sunrise": "พระอาทิตย์ขึ้น", + "sunset": "พระอาทิตย์ตกดิน" + }, + "template": { + "label": "แบบ", + "value_template": "ค่าแบบ" + }, + "time_pattern": { + "hours": "ชั่วโมง", + "label": "รูปแบบเวลา", + "minutes": "นาที", + "seconds": "วินาที" + }, + "time": { + "at": "ที่", + "label": "เวลา" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook ID" + }, + "zone": { + "enter": "เข้าสู่", + "entity": "รายละเอียดพร้อมสถานที่ตั้ง", + "event": "การกระทำ", + "label": "โซน", + "leave": "ออกจาก", + "zone": "โซน" + } + }, + "unsupported_platform": "แพลตฟอร์มที่ไม่สนับสนุน: {platform}" + }, + "unsaved_confirm": "คุณมีการเปลี่ยนแปลงที่ยังไม่ได้บันทึก คุณแน่ใจหรือไม่ว่าต้องการออก?" + }, + "picker": { + "add_automation": "เพิ่มระบบอัตโนมัติ", + "header": "เครื่องมือแก้ไข ระบบอัตโนมัติ", + "introduction": "เป็นตัวช่วยแก้ไขที่ทำให้คุณสามารถสร้างหรือแก้ไขการทำงานอัตโนมัติ\\nโปรดอ่าน [คำแนะนำ] (https:\/\/home-assistant.io\/docs\/automation\/editor\/) เพื่อให้การกำหนดค่าของคุณเป็นไปได้อย่างถูกต้อง", + "learn_more": "เรียนรู้เพิ่มเติมเกี่ยวกับ Automation", + "no_automations": "เราไม่พบระบบอัตโนมัติใด ๆ สามารถแก้ไขได้", + "pick_automation": "เลือกระบบอัตโนมัติเพื่อแก้ไข" + } + }, + "cloud": { + "caption": "Home Assistant Cloud", + "description_features": "ควบคุมการทำงานเมื่อออกจากบ้านร่วมกับ Alexa และ Google Assistant", + "description_login": "ลงชื่อเข้าใช้เป็น {email}", + "description_not_login": "ยังไม่ได้เข้าสู่ระบบ" + }, + "core": { + "caption": "ทั่วไป", + "description": "ตรวจสอบไฟล์การกำหนดค่าและควบคุมเซิร์ฟเวอร์", + "section": { + "core": { + "core_config": { + "edit_requires_storage": "ตัวช่วยแก้ไขถูกปิดใช้งาน เนื่องจากการกำหนดค่าถูกกำหนดไว้ในไฟล์ configuration.yaml", + "elevation": "มุมเงย", + "elevation_meters": "เมตร", + "imperial_example": "ฟาเรนไฮต์, ปอนด์", + "latitude": "ละติจูด", + "location_name": "ชื่อในการติดตั้ง Home Assistant ของคุณ", + "longitude": "ลองจิจูด", + "metric_example": "เซลเซียส, กิโลกรัม", + "save_button": "บันทึก", + "time_zone": "เขตเวลา", + "unit_system": "ระบบหน่วย", + "unit_system_imperial": "ของจักรพรรดิ", + "unit_system_metric": "เมตริก" + }, + "header": "การกำหนดค่าและควบคุมเซิร์ฟเวอร์", + "introduction": "เรารู้นะว่าการตั้งค่าเนี่ยมันน่าเบื่อขนาดไหน ในส่วนนี้มันจะช่วยทำให้ชีวิตคุณง่ายขึ้นนิดหน่อย" + }, + "server_control": { + "reloading": { + "automation": "โหลดระบบอัตโนมัติใหม่", + "core": "โหลดส่วนกลางใหม่", + "group": "โหลดกลุ่มใหม่", + "heading": "โหลดไฟล์ตั้งค่าต่างๆ ใหม่", + "introduction": "บางส่วนของระบบสามารถรีโหลดใหม่ได้ โดยไม่ต้องรีสตาร์ท เมื่อกดปุ่มแล้วระบบจะโหลดไฟล์นั้นใหม่อีกครั้งนึงขึ้นมา", + "script": "โหลดสคริปต์อีกครั้ง" + }, + "server_management": { + "heading": "การจัดการเซิร์ฟเวอร์", + "introduction": "สำหรับควบคุมเซิร์ฟเวอร์ Home Assistant อีกทีนึงจาก Home Assistant อีกที", + "restart": "เริ่มต้นใหม่", + "stop": "หยุด" + }, + "validation": { + "check_config": "ตรวจสอบการกำหนดค่า", + "heading": "ตรวจสอบการกำหนดค่า", + "introduction": "ตรวจสอบความถูกต้องการกำหนดค่าของคุณหากคุณเพิ่งทำการเปลี่ยนแปลงบางอย่างกับการกำหนดค่าของคุณและต้องการตรวจสอบให้แน่ใจว่าถูกต้องทั้งหมด", + "invalid": "การกำหนดค่าไม่ถูกต้อง", + "valid": "การกำหนดค่าถูกต้อง!" + } + } + } + }, + "customize": { + "caption": "การปรับแต่ง", + "description": "ปรับแต่งเอนทิตี้ในรูปแบบของคุณ", + "picker": { + "header": "การปรับแต่ง", + "introduction": "ปรับแต่งคุณลักษณะของเอนทิตี้แต่ละตัว เมื่อมีการเพิ่มหรือแก้ไขจะมีผลทันที หากลบคุณลักษณะจะเห็นผลต่อเมื่อเอนทิตี้นั้นได้รับการอัพเดท" + } + }, + "entity_registry": { + "caption": "เอนทิตีรีจิสทรี", + "description": "ภาพรวมของเอนทิตีทั้งหมดที่รู้จัก", + "editor": { + "default_name": "ห้องใหม่", + "delete": "ลบ", + "unavailable": "Entity นี้ยังไม่พร้อมใช้งานในขณะนี้", + "update": "อัพเดท" + }, + "picker": { + "header": "เอนทิตีรีจิสทรี", + "integrations_page": "หน้าการทำงานร่วมกัน", + "introduction": "ระบบจะเก็บค่าของทุกๆ เอนทิตี้ไว้ โดยมันจะเป็นแบบนั้นและสามารถระบุค่าให้ไม่ซ้ำกันได้ ในแต่ละเอนทิตี้นั้นจะมี 'รหัสเอนทิตี้' ถูกกำหนดไว้อยู่แล้วซึ่งจะถูกกำหนดไว้ให้ใช้กับเอนทิตี้นั้นๆ เท่านั้น", + "introduction2": "ใช้เอนทิตี้รีจิสตรีเพื่อแทนที่ชื่อเปลี่ยนรหัสประจำเอนทิตีหรือลบรายการออกจาก Home Assistant \\nหมายเหตุ: การลบรายการเอนทิตีรีจิสตรีจะไม่ลบเอนทิตี โดยทำตามลิงก์ด้านล่างและลบออกจากหน้าการรวมระบบ", + "unavailable": "(ไม่พร้อมใช้งาน)" + } + }, + "header": "การตั้งค่า Home Assistant", + "integrations": { + "caption": "การทำงานร่วมกัน", + "config_entry": { + "delete_confirm": "แน่ใจหรือว่าต้องการจะลบการบูรณาการนี้", + "device_unavailable": "อุปกรณ์นี้ไม่พร้อมใช้งาน", + "entity_unavailable": "Entity นี้ไม่พร้อมใช้งาน", + "firmware": "Firmware: {version}", + "manuf": "โดย {manufacturer}", + "no_area": "ไม่มีห้อง", + "no_device": "เป็น Entities โดยไม่มีอุปกรณ์", + "no_devices": "การทำงานร่วมกันนี้ไม่มีอุปกรณ์ใดๆ อยู่เลย", + "restart_confirm": "เริ่ม Home Assistant ใหม่หลังจากลบการบูรณาการนี้", + "via": "เชื่อมต่อแล้ว" + }, + "config_flow": { + "external_step": { + "description": "ขั้นตอนนี้กำหนดให้คุณเยี่ยมชมเว็บไซต์ภายนอกเพื่อทำให้การดำเนินการสมบูรณ์", + "open_site": "เปิดเว็บไซต์" + } + }, + "configure": "ปรับแต่ง", + "configured": "ตั้งค่าไว้แล้ว", + "description": "จัดการการเชื่อมต่อของอุปกรณ์กับการบริการ", + "discovered": "ค้นพบแล้ว", + "new": "สร้างการทำงานร่วมกันอันใหม่", + "none": "ยังไม่มีการกำหนดค่าใดๆ เลย" + }, + "introduction": "ดูสิ! สามารถกำหนดค่าส่วนประกอบต่างๆ ของคุณได้ด้วย รวมถึงส่วนของระบบของ Home Assistant เลยเชียวนะ! ถึงแม้ตอนนี้ส่วนการแสดงผลยังทำไม่ได้ก็ตาม แต่เรากำลังพัฒนามันอยู่ คงจะใช้ได้เร็วๆ นี้ละ", + "person": { + "caption": "บุคคล", + "description": "จัดการบุคคลที่ระบบจะทำการติดตาม", + "detail": { + "device_tracker_intro": "เลือกอุปกรณ์ที่จะให้บุคคลนี้เป็นเจ้าของ", + "device_tracker_pick": "เลือกอุปกรณ์ที่จะติดตาม", + "device_tracker_picked": "ติดตามอุปกรณ์", + "name": "ชื่อ" + } + }, + "script": { + "caption": "สคริปต์", + "description": "สร้างและแก้ไขสคริปต์" + }, + "server_control": { + "section": { + "reloading": { + "core": "โหลดส่วนกลางใหม่", + "group": "โหลดกลุ่มใหม่", + "script": "โหลดสคริปต์อีกครั้ง" + }, + "server_management": { + "heading": "การจัดการเซิร์ฟเวอร์", + "restart": "เริ่มต้นใหม่", + "stop": "หยุด" + }, + "validation": { + "check_config": "ตรวจสอบการกำหนดค่า" + } + } + }, + "users": { + "add_user": { + "caption": "เพิ่มผู้ใช้", + "create": "สร้าง", + "name": "ชื่อ", + "password": "รหัสผ่าน", + "username": "ชื่อผู้ใช้" + }, + "caption": "ผู้ใช้", + "description": "จัดการผู้ใช้งานในระบบ", + "editor": { + "activate_user": "เปิดใช้งานผู้ใช้", + "caption": "ดูผู้ใช้", + "change_password": "เปลี่ยนรหัสผ่าน", + "deactivate_user": "ปิดใช้งานผู้ใช้", + "delete_user": "ลบผู้ใช้", + "rename_user": "เปลี่ยนชื่อผู้ใช้" + }, + "picker": { + "title": "ผู้ใช้" + } + }, + "zha": { + "add_device_page": { + "discovery_text": "อุปกรณ์ที่ค้นหาเจอจะปรากฏที่นี่ ทำตามคำแนะนำบนอุปกรณ์ของคุณและให้อุปกรณ์อยู่ในโหมดการจับคู่ด้วย", + "header": "Zigbee Home Automation - เพิ่มอุปกรณ์", + "spinner": "กำลังค้นหาอุปกรณ์ ZHA Zigbee ..." + }, + "caption": "ZHA", + "description": "การจัดการระบบอัติโนมัติของ Zigbee", + "device_card": { + "area_picker_label": "ห้อง", + "device_name_placeholder": "ชื่อที่ผู้ใช้กำหนดให้", + "update_name_button": "ชื่อการปรับปรุง" + }, + "services": { + "reconfigure": "กำหนดค่าอุปกรณ์ ZHA อีกครั้ง (เพื่อรักษาอุปกรณ์) ใช้สิ่งนี้หากคุณมีปัญหากับอุปกรณ์ หากอุปกรณ์ดังกล่าวเป็นอุปกรณ์ที่ใช้พลังงานจากแบตเตอรี่โปรดตรวจสอบให้แน่ใจว่าอุปกรณ์นั้นเปิดอยู่และยอมรับคำสั่งเมื่อคุณใช้บริการ", + "remove": "ลบอุปกรณ์ออกจากเครือข่าย Zigbee", + "updateDeviceName": "ตั้งชื่อที่กำหนดเองสำหรับอุปกรณ์นี้ในการลงทะเบียนอุปกรณ์" + } + }, + "zwave": { + "caption": "Z-Wave", + "common": { + "unknown": "ไม่ทราบ", + "value": "ค่า" + }, + "description": "จัดการเครือข่าย Z-Wave", + "node_config": { + "seconds": "วินาที", + "set_config_parameter": "ตั้งค่าพารามิเตอร์การกำหนดค่า" + } + } }, - "preset_mode": { - "home": "บ้าน", - "activity": "กิจกรรม" + "developer-tools": { + "tabs": { + "events": { + "title": "เหตุการณ์" + }, + "info": { + "title": "ข้อมูล" + }, + "mqtt": { + "title": "MQTT" + }, + "services": { + "title": "บริการ" + }, + "states": { + "title": "สถานะ" + }, + "templates": { + "title": "แม่แบบ" + } + } }, - "hvac_action": { - "off": "ปิด", - "idle": "ไม่ได้ใช้งาน" + "history": { + "period": "ช่วงเวลา", + "showing_entries": "วันที่ต้องการแสดง" + }, + "logbook": { + "period": "ช่วงเวลา", + "showing_entries": "วันที่ต้องการแสดง" + }, + "lovelace": { + "cards": { + "empty_state": { + "go_to_integrations_page": "ไปที่หน้าการรวมระบบ", + "no_devices": "หน้านี้ช่วยให้คุณควบคุมอุปกรณ์ของคุณได้ แต่ยังไงก็ตามมันดูเหมือนว่าคุณยังไม่ได้ติดตั้งอุปกรณ์อะไรไว้เลย ไปยัง 'หน้าการทำงานด้วยกัน' เพื่อเริ่มติดตั้ง", + "title": "ยินดีต้อนรับกลับบ้าน" + }, + "picture-elements": { + "call_service": "เรียกบริการ {name}", + "hold": "ถือ:", + "more_info": "แสดงข้อมูลเพิ่มเติม: {name}", + "navigate_to": "นำทางไปยัง {location}", + "tap": "แตะ:", + "toggle": "สลับ {name}" + }, + "shopping-list": { + "add_item": "เพิ่มรายการ", + "checked_items": "รายการที่เลือก", + "clear_items": "ล้างรายการที่เลือก" + } + }, + "changed_toast": { + "message": "อัพเดทการกำหนดค่าส่วนแสดงผล Lovelace แล้ว คุณต้องการจะรีเฟรชหน้าหรือไม่", + "refresh": "รีเฟรช" + }, + "editor": { + "edit_card": { + "add": "เพิ่มการ์ดใหม่", + "delete": "ลบ", + "edit": "แก้ไข", + "header": "การกำหนดค่าการ์ด", + "move": "ย้าย", + "pick_card": "เลือกการ์ดที่คุณอยากจะเพิ่ม", + "save": "บันทึก", + "toggle_editor": "เปิด\/ปิดเครื่องมือแก้ไข" + }, + "edit_view": { + "add": "เพิ่มมุมมอง", + "delete": "ลบมุมมอง", + "edit": "แก้ไขมุมมอง", + "header": "ดูการกำหนดค่า" + }, + "header": "แก้ไข UI", + "menu": { + "raw_editor": "ตัวแก้ไข config แบบดิบๆ" + }, + "migrate": { + "header": "การกำหนดค่าไม่ถูกต้อง", + "migrate": "โอนย้ายการกำหนดค่า", + "para_migrate": "Home Assistant สามารถเพิ่มเลขกำกับของการ์ดและแสดงผลอัตโนมัติให้คุณได้ โดยกดปุ่ม 'Mirate Config'", + "para_no_id": "องค์ประกอบนี้ยังไม่มี ID (สามารถเพิ่ม ID ลงในองค์ประกอบนี้ได้ในไฟล์ 'ui-lovelace.yaml')" + }, + "raw_editor": { + "header": "แก้ไขการกำหนดค่า", + "save": "บันทึก", + "saved": "บันทึกแล้ว", + "unsaved_changes": "การเปลี่ยนแปลงที่ยังไม่ได้ถูกบันทึก" + }, + "save_config": { + "cancel": "ไม่เป็นไร", + "header": "ควบคุม Lovelace UI ในแบบของคุณ", + "para": "โดยเริ่มต้น Home Assistant จะควบคุมส่วนต่อประสานผู้ใช้งานเอง เมื่อมี Entity หรือส่วนควบคุมใหม่ๆ จะถูกแสดงขึ้นให้เอง แต่ถ้าคุณอยากจะควบคุมเอง เราจะไม่มีการอัพเดทตามข้างต้นให้กับคุณ", + "para_sure": "คุณแน่ใจหรือไม่ว่าต้องการควบคุมส่วนต่อประสานผู้ใช้งาน?", + "save": "ใช้การควบคุม" + } + }, + "menu": { + "configure_ui": "ตั้งค่าการแสดงผล", + "help": "วิธีใช้", + "refresh": "รีเฟรช", + "unused_entities": "เอนทิตีที่ไม่ได้ใช้" + }, + "reload_lovelace": "โหลดส่วนแสดงผล Lovelace ใหม่", + "warning": { + "entity_non_numeric": "Entity ที่ไม่ใช่ตัวเลข: {entity}", + "entity_not_found": "Entity ไม่พร้อมใช้งาน: {entity}" + } + }, + "mailbox": { + "delete_button": "ลบ", + "delete_prompt": "ลบข้อความนี้หรือไม่?", + "empty": "ไม่มีข้อความ", + "playback_title": "เล่นข้อความ" + }, + "page-authorize": { + "abort_intro": "เข้าสู่ระบบถูกยกเลิก", + "authorizing_client": "คุณกำลังจะให้ {clientId} เข้าถึงเซิร์ฟเวอร์ Home Assistant ของคุณ", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "เซสชันหมดอายุ กรุณาเข้าสู่ระบบอีกครั้ง" + }, + "error": { + "invalid_auth": "ชื่อผู้ใช้หรือรหัสผ่านไม่ถูกต้อง", + "invalid_code": "Authentication code ไม่ถูกต้อง" + }, + "step": { + "init": { + "data": { + "password": "รหัสผ่าน", + "username": "ชื่อผู้ใช้" + } + }, + "mfa": { + "data": { + "code": "รหัสผ่านยืนยัน 2 ขั้นตอน" + }, + "description": "เปิด ** {mfa_module_name} ** บนอุปกรณ์ของคุณเพื่อดูรหัสการตรวจสอบสิทธิ์แบบสองปัจจัยและยืนยันตัวตนของคุณ" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "เซสชันหมดอายุ กรุณาเข้าสู่ระบบอีกครั้ง" + }, + "error": { + "invalid_auth": "ชื่อผู้ใช้หรือรหัสผ่านไม่ถูกต้อง", + "invalid_code": "รหัสรับรองความถูกต้องสองปัจจัย ไม่ถูกต้อง" + }, + "step": { + "init": { + "data": { + "password": "รหัสผ่าน", + "username": "ชื่อผู้ใช้" + } + }, + "mfa": { + "data": { + "code": "รหัสรับรองความถูกต้องสองปัจจัย" + }, + "description": "เปิด ** {mfa_module_name} ** บนอุปกรณ์ของคุณเพื่อดูรหัสการตรวจสอบสิทธิ์แบบสองปัจจัยและยืนยันตัวตนของคุณ" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "เซสชั่นหมดอายุ โปรดเข้าสู่ระบบใหม่", + "no_api_password_set": "คุณยังไม่ได้ตั้งค่า API Password เลย" + }, + "error": { + "invalid_auth": "API Password ไม่ถูกต้อง", + "invalid_code": "รหัสรับรองความถูกต้องสองปัจจัย ไม่ถูกต้อง" + }, + "step": { + "init": { + "data": { + "password": "รหัสผ่าน API" + }, + "description": "โปรดป้อน API Password ในการกำหนดค่า http ของคุณ:" + }, + "mfa": { + "data": { + "code": "รหัสรับรองความถูกต้องสองปัจจัย" + }, + "description": "เปิด ** {mfa_module_name} ** บนอุปกรณ์ของคุณเพื่อดูรหัสการตรวจสอบสิทธิ์แบบสองปัจจัยและยืนยันตัวตนของคุณ" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "คอมพิวเตอร์ของคุณไม่ได้รับสิทธิ์ในการเข้าถึง" + }, + "step": { + "init": { + "data": { + "user": "ผู้ใช้" + }, + "description": "โปรดเลือกผู้ใช้ที่ คุณต้องการเข้าสู่ระบบในชื่อของ" + } + } + } + }, + "unknown_error": "มีบางอย่างผิดพลาด", + "working": "กรุณารอสักครู่" + }, + "initializing": "กำลังเริ่มการทำงาน", + "logging_in_with": "เข้าสู่ระบบด้วย ** {authProviderName} **", + "pick_auth_provider": "หรือเข้าสู่ระบบด้วย" + }, + "page-onboarding": { + "core-config": { + "button_detect": "ตรวจจับ", + "finish": "ต่อไป", + "intro": "สวัสดี {name} ยินดีต้อนรับสู่ Home Assistant คุณต้องการตั้งชื่อบ้านของคุณยังไงดีละ", + "intro_location": "เราต้องการทราบว่าคุณอาศัยอยู่ที่ไหน ข้อมูลนี้จะช่วยในการแสดงข้อมูลต่างๆ และตั้งค่าการทำงานอัตโนมัติตามดวงอาทิตย์ ข้อมูลนี้จะไม่เปิดเผยไปยังนอกเครือข่ายของคุณ", + "intro_location_detect": "เราสามารถช่วยคุณกรอกข้อมูลส่วนนี้ได้โดยร้องขอข้อมูลไปยังบริการภายนอกครั้งเดียว", + "location_name_default": "บ้าน" + }, + "integration": { + "finish": "เสร็จสิ้น", + "intro": "อุปกรณ์และบริการแสดงอยู่ใน Home Assistant เป็นการผสานรวม คุณสามารถตั้งค่าตอนนี้หรือทำภายหลังจากหน้าจอการตั้งค่า", + "more_integrations": "เพิ่มเติม" + }, + "intro": "พร้อมที่จะปลุกบ้านของคุณแล้วหรือยัง เรียกความเป็นส่วนตัวของคุณและเข้าร่วมกับชุมชนของเราดูสิ!", + "user": { + "create_account": "สร้างบัญชี", + "data": { + "name": "ชื่อ", + "password": "รหัสผ่าน", + "password_confirm": "ยืนยันรหัสผ่าน", + "username": "ชื่อผู้ใช้" + }, + "error": { + "password_not_match": "รหัสผ่านไม่ตรงกัน", + "required_fields": "กรอกข้อมูลในฟิลด์ที่จำเป็นทั้งหมด" + }, + "intro": "มาเริ่มกันเลยด้วยการสร้างบัญชีผู้ใช้", + "required_field": "ต้องระบุ" + } + }, + "profile": { + "change_password": { + "confirm_new_password": "ยืนยันรหัสผ่านใหม่", + "current_password": "รหัสผ่านปัจจุบัน", + "error_required": "ต้องระบุ", + "header": "เปลี่ยนรหัสผ่าน", + "new_password": "รหัสผ่านใหม่", + "submit": "ส่งข้อมูล" + }, + "current_user": "ขณะนี้คุณเข้าสู่ระบบในชื่อ {fullName}", + "force_narrow": { + "header": "ซ่อนแถบด้านข้างเสมอ" + }, + "is_owner": "ในฐานะ \"เจ้าของ\"", + "language": { + "dropdown_label": "ภาษา", + "header": "ภาษา", + "link_promo": "ช่วยเราแปลภาษาเป็นประเทศของคุณ" + }, + "long_lived_access_tokens": { + "confirm_delete": "คุณแน่ใจหรือไม่ว่าต้องการลบโทเค็นการเข้าถึงของ {name} ?", + "create": "สร้าง Token ใหม่", + "create_failed": "เกิดข้อผิดพลาดในการลบ Access Token ", + "created_at": "สร้างเมื่อ {date}", + "delete_failed": "เกิดข้อผิดพลาดในการลบ Access Token", + "description": "สร้างโทเค็นการเข้าถึงระยะยาวเพื่อให้สคริปต์ของคุณเชื่อมต่อกับ Home Assistant ได้ โดยแต่ละโทเค็นที่สร้างขึ้นจะอยู่ได้ 10 ปีนับจากวันที่สร้าง\\nโทเค็นการเข้าถึงระยะยาวต่อไปนี้กำลังถูกใช้ในบัญชีของคุณอยู่..", + "empty_state": "คุณยังไม่มีโทเค็นการเข้าถึงระยะยาวเลย", + "header": "โทเค็นการเข้าถึงระยะยาว", + "last_used": "ใช้ครั้งล่าสุดเมื่อ {date} จาก {location}", + "learn_auth_requests": "เรียนรู้วิธีสร้างคำขอที่มีการรับรองความถูกต้อง", + "not_used": "ยังไม่เคยถูกใช้งาน", + "prompt_copy_token": "จด Access Token ของคุณไว้ที่อื่นด้วย มันจะไม่แสดงให้เห็นอีกแล้วหลังจากนี้", + "prompt_name": "ชื่อ?" + }, + "mfa_setup": { + "close": "ปิด", + "step_done": "ติดตั้งเสร็จแล้วในขั้นตอนที่ {step}", + "submit": "ส่งข้อมูล", + "title_aborted": "ยกเลิก", + "title_success": "สำเร็จ!" + }, + "mfa": { + "confirm_disable": "คุณแน่ใจหรือไม่ว่าต้องการปิดใช้งาน {name} ?", + "disable": "ปิดการใช้งาน", + "enable": "เปิดใช้งาน", + "header": "โมดูลการพิสูจน์ตัวตนแบบหลายปัจจัย" + }, + "push_notifications": { + "description": "ส่งการแจ้งเตือนไปยังอุปกรณ์นี้", + "error_load_platform": "กำหนดค่า notify.html5.", + "error_use_https": "ต้องเปิดใช้งาน SSL สำหรับส่วนหน้า", + "header": "การแจ้งเตือน", + "link_promo": "เรียนรู้เพิ่มเติม", + "push_notifications": "การแจ้งเตือน" + }, + "refresh_tokens": { + "confirm_delete": "คุณแน่ใจหรือไม่ว่าต้องการลบ Refresh Tokens ของ {name} ?", + "created_at": "สร้างเมื่อ {date}", + "current_token_tooltip": "ไม่สามารถลบ Refresh Token ปัจจุบันได้", + "delete_failed": "การลบ Refresh Token ล้มเหลว", + "description": "ในแต่ละครั้ง Refresh Token จะถูกเห็นเป็น Login Session โดย Refresh Token จะถูกลบอัตโนมัติเมื่อคุณกดปุ่มออกจากระบบ\\nRefresh Token ต่อไปนี้กำลังถูกใช้ในบัญชีของคุณอยู่..", + "header": "Refresh Tokens", + "last_used": "ใช้ครั้งล่าสุดเมื่อ {date} จาก {location}", + "not_used": "ยังไม่เคยถูกใช้งาน", + "token_title": "Refresh Tokens สำหรับ {clientId}" + }, + "themes": { + "dropdown_label": "ธีม", + "error_no_theme": "ไม่มีธีม", + "header": "ชุดตกแต่ง", + "link_promo": "เรียนรู้เกี่ยวกับธีม" + } + }, + "shopping-list": { + "add_item": "เพิ่มรายการใหม่", + "clear_completed": "จัดการเรียบร้อย", + "microphone_tip": "ลองแตะไมโครโฟนที่ด้านบนขวาและพูดว่า \"เพิ่มลูกอมลงในรายการช้อปปิ้งของฉัน\" ดูสิ!" } + }, + "sidebar": { + "external_app_configuration": "การกำหนดค่าแอพ", + "log_out": "ออกจากระบบ" } - }, - "groups": { - "system-admin": "ผู้ดูแลระบบ", - "system-users": "ผู้ใช้", - "system-read-only": "ผู้ใช้ที่สามารถดูได้อย่างเดียว" } } \ No newline at end of file diff --git a/translations/tr.json b/translations/tr.json index f8ae81c2c1..653990f0ba 100644 --- a/translations/tr.json +++ b/translations/tr.json @@ -1,53 +1,142 @@ { - "panel": { - "config": "Ayarlar", - "states": "Genel durum", - "map": "Harita", - "logbook": "Kayıt defteri", - "history": "Geçmiş", + "attribute": { + "weather": { + "humidity": "Nem", + "visibility": "Görünürlük", + "wind_speed": "Rüzgar hızı" + } + }, + "domain": { + "alarm_control_panel": "Alarm kontrol paneli", + "automation": "Otomasyon", + "binary_sensor": "İkili sensör", + "calendar": "Takvim", + "camera": "Kamera", + "climate": "İklim", + "configurator": "Yapılandırıcı", + "conversation": "Konuşma", + "cover": "Panjur", + "device_tracker": "Cihaz izleyici", + "fan": "Fan", + "group": "Grup", + "history_graph": "Geçmiş grafiği", + "image_processing": "Görüntü işleme", + "input_boolean": "Doğru\/Yanlış giriniz", + "input_datetime": "Giriş Tarih\/Saat", + "input_number": "Numara giriniz", + "input_select": "Girdi seçiniz", + "input_text": "Metin giriniz", + "light": "Işık", + "lock": "Kilit", "mailbox": "Posta kutusu", - "shopping_list": "Alışveriş listesi", + "media_player": "Medya oynatıcı", + "notify": "Bildir", + "plant": "Bitki", + "proximity": "Yakınlık", + "remote": "Uzaktan Kumanda", + "scene": "Senaryo", + "script": "Senaryo", + "sensor": "Sensör", + "sun": "Güneş", + "switch": "Anahtar", + "updater": "Güncelleyici", + "weblink": "Web bağlantısı", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "panel": { + "calendar": "Takvim", + "config": "Ayarlar", "dev-info": "Bilgi", "developer_tools": "Geliştirici araçları", - "calendar": "Takvim", - "profile": "Profil" + "history": "Geçmiş", + "logbook": "Kayıt defteri", + "mailbox": "Posta kutusu", + "map": "Harita", + "profile": "Profil", + "shopping_list": "Alışveriş listesi", + "states": "Genel durum" }, - "state": { - "default": { - "off": "Kapalı", - "on": "Açık", - "unknown": "Bilinmeyen", - "unavailable": "Mevcut değil" - }, + "state_badge": { "alarm_control_panel": { "armed": "Etkin", + "armed_away": "Etkin", + "armed_custom_bypass": "Etkin", + "armed_home": "Etkin", + "armed_night": "Etkin", + "arming": "Etkinleştir", "disarmed": "Etkisiz", - "armed_home": "Etkin evde", + "disarming": "Etkisiz", + "pending": "Askıda", + "triggered": "Tetiklendi" + }, + "default": { + "unavailable": "Namüsait", + "unknown": "Bilinmiyor" + }, + "device_tracker": { + "home": "Evde", + "not_home": "Dışarıda" + } + }, + "state": { + "alarm_control_panel": { + "armed": "Etkin", "armed_away": "Etkin dışarıda", + "armed_custom_bypass": "Özel alarm atlatması", + "armed_home": "Etkin evde", "armed_night": "Etkin gece", - "pending": "Beklemede", "arming": "Etkinleşiyor", + "disarmed": "Etkisiz", "disarming": "Etkisizleştiriliyor", - "triggered": "Tetiklendi", - "armed_custom_bypass": "Özel alarm atlatması" + "pending": "Beklemede", + "triggered": "Tetiklendi" }, "automation": { "off": "Kapalı", "on": "Açık" }, "binary_sensor": { + "battery": { + "off": "Normal", + "on": "Düşük" + }, + "cold": { + "off": "Normal", + "on": "Soğuk" + }, + "connectivity": { + "off": "Bağlantı kesildi", + "on": "Bağlı" + }, "default": { "off": "Kapalı", "on": "Açık" }, - "moisture": { - "off": "Kuru", - "on": "Islak" + "door": { + "off": "Kapalı", + "on": "Açık" + }, + "garage_door": { + "off": "Kapalı", + "on": "Açık" }, "gas": { "off": "Temiz", "on": "Algılandı" }, + "heat": { + "off": "Normal", + "on": "Sıcak" + }, + "lock": { + "off": "Kilit kapalı", + "on": "Kilit açık" + }, + "moisture": { + "off": "Kuru", + "on": "Islak" + }, "motion": { "off": "Temiz", "on": "Algılandı" @@ -56,6 +145,22 @@ "off": "Temiz", "on": "Algılandı" }, + "opening": { + "off": "Kapalı", + "on": "Açık" + }, + "presence": { + "off": "Dışarda", + "on": "Evde" + }, + "problem": { + "off": "Tamam", + "on": "Sorun" + }, + "safety": { + "off": "Güvenli", + "on": "Güvensiz" + }, "smoke": { "off": "Temiz", "on": "Algılandı" @@ -68,53 +173,9 @@ "off": "Temiz", "on": "Algılandı" }, - "opening": { + "window": { "off": "Kapalı", "on": "Açık" - }, - "safety": { - "off": "Güvenli", - "on": "Güvensiz" - }, - "presence": { - "off": "Dışarda", - "on": "Evde" - }, - "battery": { - "off": "Normal", - "on": "Düşük" - }, - "problem": { - "off": "Tamam", - "on": "Sorun" - }, - "connectivity": { - "off": "Bağlantı kesildi", - "on": "Bağlı" - }, - "cold": { - "off": "Normal", - "on": "Soğuk" - }, - "door": { - "off": "[%key:state::cover::kapalı%]", - "on": "Açık" - }, - "garage_door": { - "off": "[%key:state::cover::kapalı%]", - "on": "Açık" - }, - "heat": { - "off": "Normal", - "on": "Sıcak" - }, - "window": { - "off": "[%key:state::cover::kapalı%]", - "on": "Açık" - }, - "lock": { - "off": "Kilit kapalı", - "on": "Kilit açık" } }, "calendar": { @@ -122,38 +183,44 @@ "on": "Açık" }, "camera": { + "idle": "Boşta", "recording": "Kaydediliyor", - "streaming": "Yayın akışı", - "idle": "Boşta" + "streaming": "Yayın akışı" }, "climate": { - "off": "Kapalı", - "on": "Açık", - "heat": "Sıcak", - "cool": "Serin", - "idle": "Boşta", "auto": "Otomatik", + "cool": "Serin", "dry": "Kuru", - "fan_only": "Sadece fan", "eco": "Eko", "electric": "Elektrikli", - "performance": "Performans", - "high_demand": "Yüksek talep", - "heat_pump": "Isı pompası", + "fan_only": "Sadece fan", "gas": "Gaz", - "manual": "Kılavuz" + "heat": "Sıcak", + "heat_pump": "Isı pompası", + "high_demand": "Yüksek talep", + "idle": "Boşta", + "manual": "Kılavuz", + "off": "Kapalı", + "on": "Açık", + "performance": "Performans" }, "configurator": { "configure": "Ayarla", "configured": "Ayarlandı" }, "cover": { - "open": "Açık", - "opening": "Açılıyor", "closed": "Kapalı", "closing": "Kapanıyor", + "open": "Açık", + "opening": "Açılıyor", "stopped": "Durduruldu" }, + "default": { + "off": "Kapalı", + "on": "Açık", + "unavailable": "Mevcut değil", + "unknown": "Bilinmeyen" + }, "device_tracker": { "home": "Evde", "not_home": "Dışarıda" @@ -163,19 +230,19 @@ "on": "Açık" }, "group": { - "off": "Kapalı", - "on": "Açık", - "home": "Evde", - "not_home": "Dışarıda", - "open": "Açık", - "opening": "Açılıyor", "closed": "Kapandı", "closing": "Kapanıyor", - "stopped": "Durduruldu", + "home": "Evde", "locked": "Kilitli", - "unlocked": "Kilitli değil", + "not_home": "Dışarıda", + "off": "Kapalı", "ok": "Tamam", - "problem": "Problem" + "on": "Açık", + "open": "Açık", + "opening": "Açılıyor", + "problem": "Problem", + "stopped": "Durduruldu", + "unlocked": "Kilitli değil" }, "input_boolean": { "off": "Kapalı", @@ -190,11 +257,11 @@ "unlocked": "Kilitli değil" }, "media_player": { + "idle": "Boşta", "off": "Kapalı", "on": "Açık", - "playing": "Oynuyor", "paused": "Durduruldu", - "idle": "Boşta", + "playing": "Oynuyor", "standby": "Bekleme modu" }, "plant": { @@ -224,17 +291,11 @@ "off": "Kapalı", "on": "Açık" }, - "zwave": { - "default": { - "initializing": "Başlatılıyor", - "dead": "Ölü", - "sleeping": "Uyuyor", - "ready": "Hazır" - }, - "query_stage": { - "initializing": "Başlatılıyor ( {query_stage} )", - "dead": "Ölü ({query_stage})" - } + "vacuum": { + "error": "Hata", + "idle": "Boşta", + "off": "Kapalı", + "on": "Açık" }, "weather": { "clear-night": "Açık, gece", @@ -250,505 +311,79 @@ "windy": "Rüzgarlı", "windy-variant": "Rüzgarlı" }, - "vacuum": { - "error": "Hata", - "idle": "Boşta", - "off": "Kapalı", - "on": "Açık" - } - }, - "state_badge": { - "default": { - "unknown": "Bilinmiyor", - "unavailable": "Namüsait" - }, - "alarm_control_panel": { - "armed": "Etkin", - "disarmed": "Etkisiz", - "armed_home": "Etkin", - "armed_away": "Etkin", - "armed_night": "Etkin", - "pending": "Askıda", - "arming": "Etkinleştir", - "disarming": "Etkisiz", - "triggered": "Tetiklendi", - "armed_custom_bypass": "Etkin" - }, - "device_tracker": { - "home": "Evde", - "not_home": "Dışarıda" + "zwave": { + "default": { + "dead": "Ölü", + "initializing": "Başlatılıyor", + "ready": "Hazır", + "sleeping": "Uyuyor" + }, + "query_stage": { + "dead": "Ölü ({query_stage})", + "initializing": "Başlatılıyor ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Tamamlananları Temizle", - "add_item": "Öge Ekle", - "microphone_tip": "Sağ üstteki mikrofona dokunun ve \"alışveriş listeme şeker ekle\" deyin" - }, - "developer-tools": { - "tabs": { - "services": { - "title": "Servisler" - }, - "states": { - "title": "Durumlar" - }, - "events": { - "title": "Olaylar" - }, - "templates": { - "title": "Taslaklar" - }, - "mqtt": { - "title": "MQTT" - } - } - }, - "history": { - "showing_entries": "Gösterilen girişler", - "period": "Dönem" - }, - "logbook": { - "showing_entries": "Gösterilen girişler" - }, - "mailbox": { - "empty": "Herhangi bir mesaj yok", - "playback_title": "Mesajı dinleme", - "delete_prompt": "Bu mesajı sil?", - "delete_button": "Sil" - }, - "config": { - "header": "Home Assistant'ı yapılandır", - "introduction": "Buradan bileşenlerinizi ve Home Assistant'ınızı yapılandırabilirsiniz. Herşeyi kullanıcı arayüzü ile ayarlamak henüz mümkün değil fakat üzerinde çalışıyoruz", - "core": { - "caption": "Genel", - "description": "Yapılandırma dosyanızı doğrulayın ve sunucuyu kontrol edin", - "section": { - "core": { - "header": "Yapılandırma ve sunucu kontrolü", - "introduction": "Yapılandırmanızı değiştirmek, yorucu bir işlem olabilir. Biliyoruz. Bu bölüm hayatınızı biraz daha kolay hale getirmeye çalışacaktır." - }, - "server_control": { - "validation": { - "heading": "Yapılandırma doğrulaması", - "introduction": "Yapılandırmanızda yakın bir zamanda değişiklikler yaptıysanız ve tümünün geçerli olduğundan emin olmak istiyorsanız yapılandırmanızı doğrulayın", - "check_config": "Yapılandırmayı kontrol et", - "valid": "Yapılandırma geçerli!", - "invalid": "Yapılandırma geçersiz" - }, - "reloading": { - "heading": "Yapılandırma yeniden yükleniyor", - "introduction": "Bazı Home Assistant bileşenleri yeniden başlatmadan yenilenebilinir. Yeniden yükle tuşuna basarak güncel yapılandırmayı bırakarak yenisinin yüklenmesini sağlayabilirsiniz.", - "core": "Çekirdeği yeniden yükle", - "group": "Grupları yeniden yükle", - "automation": "Otomasyonları yeniden yükle", - "script": "Senaryoları yeniden yükle" - }, - "server_management": { - "heading": "Sunucu yönetimi", - "introduction": "Home Assistant sunucunuzu kontrol edin.. Home Assistant üzerinden", - "restart": "Yeniden başlat", - "stop": "Durdur" - } - } - } - }, - "customize": { - "caption": "Özelleştirme", - "description": "Varlıklarınızı kişiselleştirin" - }, - "automation": { - "caption": "Otomasyon", - "description": "Otomasyonları oluşturun ve düzenleyin", - "picker": { - "header": "Otomasyon Düzenleyici" - }, - "editor": { - "save": "Kaydet", - "unsaved_confirm": "Kaydedilmemiş değişiklikleriniz var. Çıkmak istediğinize emin misiniz?", - "alias": "İsim", - "triggers": { - "delete": "Sil", - "unsupported_platform": "Desteklenmeyen platform: {platform}", - "type": { - "sun": { - "event": "Olay:" - }, - "zone": { - "zone": "Bölge", - "event": "Olay:", - "enter": "Girince", - "leave": "Çıkınca" - }, - "state": { - "for": "Süre" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook Kimliği" - }, - "time_pattern": { - "label": "Zaman Deseni", - "hours": "Saat", - "minutes": "Dakika", - "seconds": "Saniye" - } - } - }, - "conditions": { - "duplicate": "Kopya", - "delete": "Sil", - "delete_confirm": "Silmek istediğinizden emin misiniz?", - "unsupported_condition": "Desteklenmeyen durum: {condition}", - "type": { - "state": { - "label": "Durum", - "state": "Durum" - }, - "numeric_state": { - "label": "Sayısal durum", - "above": "Üzerinde", - "below": "Altında", - "value_template": "Değer şablonu (isteğe bağlı)" - }, - "sun": { - "label": "Güneş", - "before": "Önce:", - "after": "Sonra:", - "sunrise": "Gün Doğumu", - "sunset": "Gün Batımı" - }, - "template": { - "label": "Şablon", - "value_template": "Değer şablonu" - }, - "time": { - "label": "Zaman", - "after": "Sonra", - "before": "Önce" - }, - "zone": { - "label": "Bölge", - "entity": "Konumlu girdi", - "zone": "Bölge" - } - } - }, - "actions": { - "duplicate": "Kopya", - "delete": "Sil", - "delete_confirm": "Silmek istediğinize emin misiniz?", - "unsupported_action": "Desteklenmeyen eylem: {action}", - "type": { - "delay": { - "delay": "Gecikme" - }, - "condition": { - "label": "Durum" - }, - "event": { - "event": "Olay:", - "service_data": "Hizmet verisi" - } - } - } - } - }, - "script": { - "caption": "Senaryo", - "description": "Senaryoları oluşturun ve düzenleyin" - }, - "zwave": { - "caption": "Z-Wave", - "description": "Z-Wave ağınızı yönetin", - "node_config": { - "seconds": "Saniye", - "set_wakeup": "Uyandırma Aralığı Ayarla", - "config_parameter": "Yapılandırma Parametresi", - "config_value": "Yapılandırma Değeri", - "true": "Doğru", - "false": "Yanlış", - "set_config_parameter": "Yapılandırma parametresini belirle" - } - }, - "users": { - "caption": "Kullanıcılar", - "description": "Kullanıcıları yönet", - "picker": { - "title": "Kullanıcılar" - }, - "editor": { - "rename_user": "Kullanıcıyı yeniden adlandır", - "change_password": "Parolayı değiştir", - "activate_user": "Kullanıcıyı etkinleştir", - "delete_user": "Kullanıcıyı sil" - } - }, - "cloud": { - "caption": "Home Assistant Cloud", - "description_login": "{email} olarak oturum açtınız", - "description_not_login": "Oturum açmadınız" - }, - "integrations": { - "caption": "Entegrasyonlar", - "description": "Bağlı aygıtları ve hizmetleri yönetin", - "discovered": "Bulundu", - "configured": "Yapılandırıldı", - "new": "Yeni bir entegrasyon kur", - "configure": "Yapılandır", - "none": "Henüz hiçbir şey yapılandırılmamış", - "config_entry": { - "no_devices": "Bu entegrasyona ait hiçbir aygıt yok", - "no_device": "Aygıtsız varlıklar", - "delete_confirm": "Bu entegrasyonu silmek istediğinizden emin misiniz?", - "restart_confirm": "Bu entegrasyonu kaldırmaya devam etmek için Home Assistant'ı yeniden başlatın", - "manuf": "üretici: {manufacturer}", - "via": "Şununla bağlı:", - "firmware": "Aygıt yazılımı: {version}", - "device_unavailable": "aygıt kullanılamıyor", - "entity_unavailable": "varlık kullanılamıyor" - } - }, - "zha": { - "caption": "ZHA", - "description": "Zigbee Ev Otomasyonu ağ yönetimi" - }, - "server_control": { - "section": { - "server_management": { - "restart": "Yeniden başlat" - } - } - } - }, - "profile": { - "push_notifications": { - "description": "Bu cihaza bildirimler gönder", - "link_promo": "Daha fazla bilgi edinin" - }, - "language": { - "header": "Dil", - "dropdown_label": "Dil" - }, - "themes": { - "header": "Tema", - "error_no_theme": "Tema yok.", - "link_promo": "Temalar hakkında bilgi edinin", - "dropdown_label": "Tema" - }, - "refresh_tokens": { - "header": "Yenileme Anahtarları", - "description": "Her yenileme jetonu bir oturum açma oturumunu temsil eder. Yenileme jetonları, çıkış yapmak istediğinizde otomatik olarak kaldırılacaktır. Aşağıdaki yenileme jetonları hesabınız için şu anda aktif.", - "token_title": "{clientId} için yenileme anahtarı", - "created_at": "{date} tarihinde oluşturuldu", - "confirm_delete": "{name} için yenileme anahtarını silmek istediğinizden emin misiniz?", - "last_used": "En son {date} tarihinde {location} konumundan kullanıldı", - "not_used": "Hiç kullanılmadı", - "current_token_tooltip": "Geçerli yenileme anahtarı silinemedi" - }, - "long_lived_access_tokens": { - "learn_auth_requests": "Yetkilendirilmiş istekleri nasıl yapacağınızı öğrenin.", - "created_at": "{date} tarihinde oluşturuldu", - "confirm_delete": "{name} için erişim anahtarını silmek istediğinizden emin misiniz?", - "delete_failed": "Erişim anahtarı silinemedi.", - "create": "Anahtar oluştur.", - "create_failed": "Erişim anahtarı oluşturulamadı.", - "prompt_name": "Ad?", - "prompt_copy_token": "Erişim anahtarınızı kopyalayın. Bu anahtar bir daha görüntülenmeyecektir.", - "empty_state": "Henüz uzun ömürlü erişim anahtarınız yok.", - "last_used": "En son {date} tarihinde {location} konumundan kullanıldı", - "not_used": "Hiç kullanılmamış" - }, - "current_user": "{fullName} olarak giriş yaptınız.", - "is_owner": "Sahipsiniz.", - "change_password": { - "header": "Parolayı Değiştir", - "current_password": "Güncel Parola", - "new_password": "Yeni Parola", - "confirm_new_password": "Yeni Parolayı Onaylayın", - "error_required": "Gerekli", - "submit": "Gönder" - }, - "mfa": { - "header": "Çoklu-faktör Kimlik Doğrulama Modülleri", - "disable": "Devre dışı bırak", - "enable": "Etkinleştir", - "confirm_disable": "{name} adlı öğeyi devre dışı bırakmak istediğinizden emin misiniz?" - }, - "mfa_setup": { - "title_aborted": "İptal edildi", - "title_success": "Başarılı!", - "step_done": "Kurulumun {step} adımı tamamlandı", - "close": "Kapat", - "submit": "Gönder" - } - }, - "page-authorize": { - "initializing": "Başlatılıyor", - "abort_intro": "Giriş iptal edildi", - "form": { - "working": "Lütfen bekleyin", - "unknown_error": "Bir şeyler ters gitti", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Kullanıcı Adı", - "password": "Parola" - } - }, - "mfa": { - "data": { - "code": "İki adımlı kimlik doğrulama kodu" - } - } - }, - "error": { - "invalid_auth": "Geçersiz kullanıcı adı ya da parola", - "invalid_code": "Geçersiz kimlik doğrulama kodu" - }, - "abort": { - "login_expired": "Oturum süresi doldu, lütfen tekrar giriş yapın." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "API Parolası" - } - }, - "mfa": { - "data": { - "code": "İki adımlı kimlik doğrulama kodu" - } - } - }, - "error": { - "invalid_auth": "Geçersiz API parolası", - "invalid_code": "Geçersiz doğrulama kodu" - }, - "abort": { - "login_expired": "Oturum sonlandı, lütfen tekrar giriş yapın." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Kullanıcı" - }, - "description": "Lütfen giriş yapmak istediğiniz bir kullanıcı seçin:" - } - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Kullanıcı Adı" - } - } - }, - "error": { - "invalid_auth": "Geçersiz kullanıcı adı ya da parola" - }, - "abort": { - "login_expired": "Oturum süresi doldu, lütfen tekrar giriş yapın." - } - } - } - } - }, - "page-onboarding": { - "user": { - "intro": "Bir kullanıcı hesabı oluşturarak başlayalım.", - "required_field": "Gerekli", - "data": { - "name": "Ad", - "username": "Kullanıcı Adı", - "password": "Parola" - }, - "create_account": "Hesap Oluştur", - "error": { - "required_fields": "Gerekli tüm alanları doldurun" - } - } - }, - "lovelace": { - "cards": { - "shopping-list": { - "checked_items": "Seçili öğeler", - "clear_items": "Seçili ögeleri temizle", - "add_item": "Öge Ekle" - } - }, - "editor": { - "edit_card": { - "header": "Kart Ayarları", - "save": "Kaydet", - "toggle_editor": "Düzenleyiciye Geçiş", - "pick_card": "Eklemek istediğiniz kartı seçin.", - "add": "Kart Ekle", - "edit": "Düzenle", - "delete": "Sil" - }, - "migrate": { - "header": "Yapılandırma Geçersiz", - "para_no_id": "Bu öğenin bir kimliği yok. Lütfen 'ui-lovelace.yaml' dosyasında bu elemente bir kimlik ekleyin.", - "para_migrate": "'Ayarları aktar' düğmesine bastığınız zaman Home Assistant tüm kartlarınıza ve görünümlerinize otomatik olarak kimlik atayabilir.", - "migrate": "Ayarları aktar" - }, - "header": "Kullanıcı arayüzünü düzenle", - "edit_view": { - "header": "Ayarları görüntüle", - "add": "Görünüm ekle", - "edit": "Görünümü düzenle", - "delete": "Görünümü sil" - }, - "save_config": { - "header": "Lovelace kullanıcı arayüzünü kontrolünüz altına alın", - "para": "Home Assistant varsayılan olarak kullanıcı arayüzünüzü yönetecek, yeni Lovelace bileşenleri ya da varlıklar kullanıma sunulduğunda onu güncelleyecektir. Eğer bunu kontrolünüz altına almak istiyorsanız daha sonra biz sizin için bu değişiklikleri otomatik olarak gerçekleştiremeyeceğiz.", - "para_sure": "Kullanıcı arayüzünüzü kontrol altına almak istediğinize emin misiniz?", - "cancel": "Boşver", - "save": "Kontrol altına al" - } - }, - "menu": { - "configure_ui": "Kullanıcı arayüzünü ayarla" - } - } - }, - "sidebar": { - "log_out": "Çıkış yap" - }, - "common": { - "loading": "Yükleniyor", - "cancel": "İptal", - "save": "Kaydet" - }, - "duration": { - "day": "{count}{count, plural,\n one { gün }\n other { gün }\n}", - "week": "{count}{count, plural,\n one { hafta }\n other { hafta }\n}", - "second": "{count}{count, plural,\n one { saniye }\n other { saniye }\n}" - }, - "login-form": { - "password": "Şifre", - "remember": "Hatırla", - "log_in": "Oturum aç" + "auth_store": { + "ask": "Bu girişi kaydetmek istiyor musunuz?", + "confirm": "Girişi kaydet", + "decline": "Hayır teşekkürler" }, "card": { + "alarm_control_panel": { + "arm_night": "Geceyi etkinleştir", + "armed_custom_bypass": "Özel atlatma", + "code": "kod" + }, "camera": { "not_available": "Resim mevcut değil" }, + "climate": { + "away_mode": "Dışarıda modu", + "fan_mode": "Fan modu", + "on_off": "Açık \/ kapalı", + "swing_mode": "Salınım modu", + "target_humidity": "Hedef nem", + "target_temperature": "Hedef sıcaklık" + }, + "fan": { + "direction": "Yön", + "oscillate": "Salınım", + "speed": "Hız" + }, + "light": { + "brightness": "Parlaklık", + "effect": "Efekt" + }, + "lock": { + "code": "Kod", + "lock": "Kilitle", + "unlock": "Kilidi aç" + }, + "media_player": { + "source": "Kaynak" + }, "persistent_notification": { "dismiss": "Kapat" }, "scene": { "activate": "Etkinleştir" }, + "vacuum": { + "actions": { + "start_cleaning": "Temizlemeye başla", + "turn_off": "Kapat", + "turn_on": "Aç" + } + }, + "water_heater": { + "away_mode": "Dışarıda modu", + "currently": "Şu an", + "on_off": "Açık \/ kapalı", + "operation": "İşlem", + "target_temperature": "Hedef sıcaklık" + }, "weather": { "attributes": { "air_pressure": "Hava basıncı", @@ -758,57 +393,14 @@ "wind_speed": "Rüzgar hızı" }, "forecast": "Tahmin" - }, - "alarm_control_panel": { - "code": "kod", - "arm_night": "Geceyi etkinleştir", - "armed_custom_bypass": "Özel atlatma" - }, - "fan": { - "speed": "Hız", - "oscillate": "Salınım", - "direction": "Yön" - }, - "light": { - "brightness": "Parlaklık", - "effect": "Efekt" - }, - "climate": { - "on_off": "Açık \/ kapalı", - "target_temperature": "Hedef sıcaklık", - "target_humidity": "Hedef nem", - "fan_mode": "Fan modu", - "swing_mode": "Salınım modu", - "away_mode": "Dışarıda modu" - }, - "lock": { - "code": "Kod", - "lock": "Kilitle", - "unlock": "Kilidi aç" - }, - "media_player": { - "source": "Kaynak" - }, - "vacuum": { - "actions": { - "start_cleaning": "Temizlemeye başla", - "turn_on": "Aç", - "turn_off": "Kapat" - } - }, - "water_heater": { - "currently": "Şu an", - "on_off": "Açık \/ kapalı", - "target_temperature": "Hedef sıcaklık", - "operation": "İşlem", - "away_mode": "Dışarıda modu" } }, + "common": { + "cancel": "İptal", + "loading": "Yükleniyor", + "save": "Kaydet" + }, "dialogs": { - "more_info_settings": { - "save": "Kaydet", - "name": "Ad" - }, "more_info_control": { "script": { "last_action": "Son Eylem" @@ -821,61 +413,469 @@ "updater": { "title": "Talimatları Güncelle" } + }, + "more_info_settings": { + "name": "Ad", + "save": "Kaydet" } }, - "auth_store": { - "ask": "Bu girişi kaydetmek istiyor musunuz?", - "decline": "Hayır teşekkürler", - "confirm": "Girişi kaydet" + "duration": { + "day": "{count}{count, plural,\\n one { gün }\\n other { gün }\\n}", + "second": "{count}{count, plural,\\n one { saniye }\\n other { saniye }\\n}", + "week": "{count}{count, plural,\\n one { hafta }\\n other { hafta }\\n}" + }, + "login-form": { + "log_in": "Oturum aç", + "password": "Şifre", + "remember": "Hatırla" }, "notification_drawer": { "empty": "Bildirim bulunmamakta", "title": "Bildirimler" - } - }, - "domain": { - "alarm_control_panel": "Alarm kontrol paneli", - "automation": "Otomasyon", - "binary_sensor": "İkili sensör", - "calendar": "Takvim", - "camera": "Kamera", - "climate": "İklim", - "configurator": "Yapılandırıcı", - "conversation": "Konuşma", - "cover": "Panjur", - "device_tracker": "Cihaz izleyici", - "fan": "Fan", - "history_graph": "Geçmiş grafiği", - "group": "Grup", - "image_processing": "Görüntü işleme", - "input_boolean": "Doğru\/Yanlış giriniz", - "input_datetime": "Giriş Tarih\/Saat", - "input_select": "Girdi seçiniz", - "input_number": "Numara giriniz", - "input_text": "Metin giriniz", - "light": "Işık", - "lock": "Kilit", - "mailbox": "Posta kutusu", - "media_player": "Medya oynatıcı", - "notify": "Bildir", - "plant": "Bitki", - "proximity": "Yakınlık", - "remote": "Uzaktan Kumanda", - "scene": "Senaryo", - "script": "Senaryo", - "sensor": "Sensör", - "sun": "Güneş", - "switch": "Anahtar", - "updater": "Güncelleyici", - "weblink": "Web bağlantısı", - "zwave": "Z-Wave", - "zha": "ZHA" - }, - "attribute": { - "weather": { - "humidity": "Nem", - "visibility": "Görünürlük", - "wind_speed": "Rüzgar hızı" + }, + "panel": { + "config": { + "automation": { + "caption": "Otomasyon", + "description": "Otomasyonları oluşturun ve düzenleyin", + "editor": { + "actions": { + "delete": "Sil", + "delete_confirm": "Silmek istediğinize emin misiniz?", + "duplicate": "Kopya", + "type": { + "condition": { + "label": "Durum" + }, + "delay": { + "delay": "Gecikme" + }, + "event": { + "event": "Olay:", + "service_data": "Hizmet verisi" + } + }, + "unsupported_action": "Desteklenmeyen eylem: {action}" + }, + "alias": "İsim", + "conditions": { + "delete": "Sil", + "delete_confirm": "Silmek istediğinizden emin misiniz?", + "duplicate": "Kopya", + "type": { + "numeric_state": { + "above": "Üzerinde", + "below": "Altında", + "label": "Sayısal durum", + "value_template": "Değer şablonu (isteğe bağlı)" + }, + "state": { + "label": "Durum", + "state": "Durum" + }, + "sun": { + "after": "Sonra:", + "before": "Önce:", + "label": "Güneş", + "sunrise": "Gün Doğumu", + "sunset": "Gün Batımı" + }, + "template": { + "label": "Şablon", + "value_template": "Değer şablonu" + }, + "time": { + "after": "Sonra", + "before": "Önce", + "label": "Zaman" + }, + "zone": { + "entity": "Konumlu girdi", + "label": "Bölge", + "zone": "Bölge" + } + }, + "unsupported_condition": "Desteklenmeyen durum: {condition}" + }, + "save": "Kaydet", + "triggers": { + "delete": "Sil", + "type": { + "state": { + "for": "Süre" + }, + "sun": { + "event": "Olay:" + }, + "time_pattern": { + "hours": "Saat", + "label": "Zaman Deseni", + "minutes": "Dakika", + "seconds": "Saniye" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook Kimliği" + }, + "zone": { + "enter": "Girince", + "event": "Olay:", + "leave": "Çıkınca", + "zone": "Bölge" + } + }, + "unsupported_platform": "Desteklenmeyen platform: {platform}" + }, + "unsaved_confirm": "Kaydedilmemiş değişiklikleriniz var. Çıkmak istediğinize emin misiniz?" + }, + "picker": { + "header": "Otomasyon Düzenleyici" + } + }, + "cloud": { + "caption": "Home Assistant Cloud", + "description_login": "{email} olarak oturum açtınız", + "description_not_login": "Oturum açmadınız" + }, + "core": { + "caption": "Genel", + "description": "Yapılandırma dosyanızı doğrulayın ve sunucuyu kontrol edin", + "section": { + "core": { + "header": "Yapılandırma ve sunucu kontrolü", + "introduction": "Yapılandırmanızı değiştirmek, yorucu bir işlem olabilir. Biliyoruz. Bu bölüm hayatınızı biraz daha kolay hale getirmeye çalışacaktır." + }, + "server_control": { + "reloading": { + "automation": "Otomasyonları yeniden yükle", + "core": "Çekirdeği yeniden yükle", + "group": "Grupları yeniden yükle", + "heading": "Yapılandırma yeniden yükleniyor", + "introduction": "Bazı Home Assistant bileşenleri yeniden başlatmadan yenilenebilinir. Yeniden yükle tuşuna basarak güncel yapılandırmayı bırakarak yenisinin yüklenmesini sağlayabilirsiniz.", + "script": "Senaryoları yeniden yükle" + }, + "server_management": { + "heading": "Sunucu yönetimi", + "introduction": "Home Assistant sunucunuzu kontrol edin.. Home Assistant üzerinden", + "restart": "Yeniden başlat", + "stop": "Durdur" + }, + "validation": { + "check_config": "Yapılandırmayı kontrol et", + "heading": "Yapılandırma doğrulaması", + "introduction": "Yapılandırmanızda yakın bir zamanda değişiklikler yaptıysanız ve tümünün geçerli olduğundan emin olmak istiyorsanız yapılandırmanızı doğrulayın", + "invalid": "Yapılandırma geçersiz", + "valid": "Yapılandırma geçerli!" + } + } + } + }, + "customize": { + "caption": "Özelleştirme", + "description": "Varlıklarınızı kişiselleştirin" + }, + "header": "Home Assistant'ı yapılandır", + "integrations": { + "caption": "Entegrasyonlar", + "config_entry": { + "delete_confirm": "Bu entegrasyonu silmek istediğinizden emin misiniz?", + "device_unavailable": "aygıt kullanılamıyor", + "entity_unavailable": "varlık kullanılamıyor", + "firmware": "Aygıt yazılımı: {version}", + "manuf": "üretici: {manufacturer}", + "no_device": "Aygıtsız varlıklar", + "no_devices": "Bu entegrasyona ait hiçbir aygıt yok", + "restart_confirm": "Bu entegrasyonu kaldırmaya devam etmek için Home Assistant'ı yeniden başlatın", + "via": "Şununla bağlı:" + }, + "configure": "Yapılandır", + "configured": "Yapılandırıldı", + "description": "Bağlı aygıtları ve hizmetleri yönetin", + "discovered": "Bulundu", + "new": "Yeni bir entegrasyon kur", + "none": "Henüz hiçbir şey yapılandırılmamış" + }, + "introduction": "Buradan bileşenlerinizi ve Home Assistant'ınızı yapılandırabilirsiniz. Herşeyi kullanıcı arayüzü ile ayarlamak henüz mümkün değil fakat üzerinde çalışıyoruz", + "script": { + "caption": "Senaryo", + "description": "Senaryoları oluşturun ve düzenleyin" + }, + "server_control": { + "section": { + "server_management": { + "restart": "Yeniden başlat" + } + } + }, + "users": { + "caption": "Kullanıcılar", + "description": "Kullanıcıları yönet", + "editor": { + "activate_user": "Kullanıcıyı etkinleştir", + "change_password": "Parolayı değiştir", + "delete_user": "Kullanıcıyı sil", + "rename_user": "Kullanıcıyı yeniden adlandır" + }, + "picker": { + "title": "Kullanıcılar" + } + }, + "zha": { + "caption": "ZHA", + "description": "Zigbee Ev Otomasyonu ağ yönetimi" + }, + "zwave": { + "caption": "Z-Wave", + "description": "Z-Wave ağınızı yönetin", + "node_config": { + "config_parameter": "Yapılandırma Parametresi", + "config_value": "Yapılandırma Değeri", + "false": "Yanlış", + "seconds": "Saniye", + "set_config_parameter": "Yapılandırma parametresini belirle", + "set_wakeup": "Uyandırma Aralığı Ayarla", + "true": "Doğru" + } + } + }, + "developer-tools": { + "tabs": { + "events": { + "title": "Olaylar" + }, + "mqtt": { + "title": "MQTT" + }, + "services": { + "title": "Servisler" + }, + "states": { + "title": "Durumlar" + }, + "templates": { + "title": "Taslaklar" + } + } + }, + "history": { + "period": "Dönem", + "showing_entries": "Gösterilen girişler" + }, + "logbook": { + "showing_entries": "Gösterilen girişler" + }, + "lovelace": { + "cards": { + "shopping-list": { + "add_item": "Öge Ekle", + "checked_items": "Seçili öğeler", + "clear_items": "Seçili ögeleri temizle" + } + }, + "editor": { + "edit_card": { + "add": "Kart Ekle", + "delete": "Sil", + "edit": "Düzenle", + "header": "Kart Ayarları", + "pick_card": "Eklemek istediğiniz kartı seçin.", + "save": "Kaydet", + "toggle_editor": "Düzenleyiciye Geçiş" + }, + "edit_view": { + "add": "Görünüm ekle", + "delete": "Görünümü sil", + "edit": "Görünümü düzenle", + "header": "Ayarları görüntüle" + }, + "header": "Kullanıcı arayüzünü düzenle", + "migrate": { + "header": "Yapılandırma Geçersiz", + "migrate": "Ayarları aktar", + "para_migrate": "'Ayarları aktar' düğmesine bastığınız zaman Home Assistant tüm kartlarınıza ve görünümlerinize otomatik olarak kimlik atayabilir.", + "para_no_id": "Bu öğenin bir kimliği yok. Lütfen 'ui-lovelace.yaml' dosyasında bu elemente bir kimlik ekleyin." + }, + "save_config": { + "cancel": "Boşver", + "header": "Lovelace kullanıcı arayüzünü kontrolünüz altına alın", + "para": "Home Assistant varsayılan olarak kullanıcı arayüzünüzü yönetecek, yeni Lovelace bileşenleri ya da varlıklar kullanıma sunulduğunda onu güncelleyecektir. Eğer bunu kontrolünüz altına almak istiyorsanız daha sonra biz sizin için bu değişiklikleri otomatik olarak gerçekleştiremeyeceğiz.", + "para_sure": "Kullanıcı arayüzünüzü kontrol altına almak istediğinize emin misiniz?", + "save": "Kontrol altına al" + } + }, + "menu": { + "configure_ui": "Kullanıcı arayüzünü ayarla" + } + }, + "mailbox": { + "delete_button": "Sil", + "delete_prompt": "Bu mesajı sil?", + "empty": "Herhangi bir mesaj yok", + "playback_title": "Mesajı dinleme" + }, + "page-authorize": { + "abort_intro": "Giriş iptal edildi", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Oturum süresi doldu, lütfen tekrar giriş yapın." + }, + "error": { + "invalid_auth": "Geçersiz kullanıcı adı ya da parola" + }, + "step": { + "init": { + "data": { + "username": "Kullanıcı Adı" + } + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Oturum süresi doldu, lütfen tekrar giriş yapın." + }, + "error": { + "invalid_auth": "Geçersiz kullanıcı adı ya da parola", + "invalid_code": "Geçersiz kimlik doğrulama kodu" + }, + "step": { + "init": { + "data": { + "password": "Parola", + "username": "Kullanıcı Adı" + } + }, + "mfa": { + "data": { + "code": "İki adımlı kimlik doğrulama kodu" + } + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Oturum sonlandı, lütfen tekrar giriş yapın." + }, + "error": { + "invalid_auth": "Geçersiz API parolası", + "invalid_code": "Geçersiz doğrulama kodu" + }, + "step": { + "init": { + "data": { + "password": "API Parolası" + } + }, + "mfa": { + "data": { + "code": "İki adımlı kimlik doğrulama kodu" + } + } + } + }, + "trusted_networks": { + "step": { + "init": { + "data": { + "user": "Kullanıcı" + }, + "description": "Lütfen giriş yapmak istediğiniz bir kullanıcı seçin:" + } + } + } + }, + "unknown_error": "Bir şeyler ters gitti", + "working": "Lütfen bekleyin" + }, + "initializing": "Başlatılıyor" + }, + "page-onboarding": { + "user": { + "create_account": "Hesap Oluştur", + "data": { + "name": "Ad", + "password": "Parola", + "username": "Kullanıcı Adı" + }, + "error": { + "required_fields": "Gerekli tüm alanları doldurun" + }, + "intro": "Bir kullanıcı hesabı oluşturarak başlayalım.", + "required_field": "Gerekli" + } + }, + "profile": { + "change_password": { + "confirm_new_password": "Yeni Parolayı Onaylayın", + "current_password": "Güncel Parola", + "error_required": "Gerekli", + "header": "Parolayı Değiştir", + "new_password": "Yeni Parola", + "submit": "Gönder" + }, + "current_user": "{fullName} olarak giriş yaptınız.", + "is_owner": "Sahipsiniz.", + "language": { + "dropdown_label": "Dil", + "header": "Dil" + }, + "long_lived_access_tokens": { + "confirm_delete": "{name} için erişim anahtarını silmek istediğinizden emin misiniz?", + "create": "Anahtar oluştur.", + "create_failed": "Erişim anahtarı oluşturulamadı.", + "created_at": "{date} tarihinde oluşturuldu", + "delete_failed": "Erişim anahtarı silinemedi.", + "empty_state": "Henüz uzun ömürlü erişim anahtarınız yok.", + "last_used": "En son {date} tarihinde {location} konumundan kullanıldı", + "learn_auth_requests": "Yetkilendirilmiş istekleri nasıl yapacağınızı öğrenin.", + "not_used": "Hiç kullanılmamış", + "prompt_copy_token": "Erişim anahtarınızı kopyalayın. Bu anahtar bir daha görüntülenmeyecektir.", + "prompt_name": "Ad?" + }, + "mfa_setup": { + "close": "Kapat", + "step_done": "Kurulumun {step} adımı tamamlandı", + "submit": "Gönder", + "title_aborted": "İptal edildi", + "title_success": "Başarılı!" + }, + "mfa": { + "confirm_disable": "{name} adlı öğeyi devre dışı bırakmak istediğinizden emin misiniz?", + "disable": "Devre dışı bırak", + "enable": "Etkinleştir", + "header": "Çoklu-faktör Kimlik Doğrulama Modülleri" + }, + "push_notifications": { + "description": "Bu cihaza bildirimler gönder", + "link_promo": "Daha fazla bilgi edinin" + }, + "refresh_tokens": { + "confirm_delete": "{name} için yenileme anahtarını silmek istediğinizden emin misiniz?", + "created_at": "{date} tarihinde oluşturuldu", + "current_token_tooltip": "Geçerli yenileme anahtarı silinemedi", + "description": "Her yenileme jetonu bir oturum açma oturumunu temsil eder. Yenileme jetonları, çıkış yapmak istediğinizde otomatik olarak kaldırılacaktır. Aşağıdaki yenileme jetonları hesabınız için şu anda aktif.", + "header": "Yenileme Anahtarları", + "last_used": "En son {date} tarihinde {location} konumundan kullanıldı", + "not_used": "Hiç kullanılmadı", + "token_title": "{clientId} için yenileme anahtarı" + }, + "themes": { + "dropdown_label": "Tema", + "error_no_theme": "Tema yok.", + "header": "Tema", + "link_promo": "Temalar hakkında bilgi edinin" + } + }, + "shopping-list": { + "add_item": "Öge Ekle", + "clear_completed": "Tamamlananları Temizle", + "microphone_tip": "Sağ üstteki mikrofona dokunun ve \"alışveriş listeme şeker ekle\" deyin" + } + }, + "sidebar": { + "log_out": "Çıkış yap" } } } \ No newline at end of file diff --git a/translations/uk.json b/translations/uk.json index 7e8e325968..49bb57ef61 100644 --- a/translations/uk.json +++ b/translations/uk.json @@ -1,53 +1,193 @@ { - "panel": { - "config": "Конфігурація", - "states": "Огляд", - "map": "Мапа", - "logbook": "Журнал", - "history": "Історія", + "attribute": { + "weather": { + "humidity": "Вологість", + "visibility": "Видимість", + "wind_speed": "Швидкість вітру" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "Запис", + "integration": "Інтеграція", + "user": "Користувач" + } + }, + "domain": { + "alarm_control_panel": "Панель керування сигналізацією", + "automation": "Автоматизація", + "binary_sensor": "Бінарний датчик", + "calendar": "Календар", + "camera": "Камера", + "climate": "Клімат", + "configurator": "Конфігуратор", + "conversation": "Розмова", + "cover": "Заголовок", + "device_tracker": "Трекер пристрою", + "fan": "Вентилятор", + "group": "Група", + "hassio": "Hass.io", + "history_graph": "Графік історії", + "homeassistant": "Home Assistant", + "image_processing": "Обробка зображень", + "input_boolean": "Введення логічного значення", + "input_datetime": "Введення дати", + "input_number": "Введіть номер", + "input_select": "Вибрати", + "input_text": "Введення тексту", + "light": "Освітлення", + "lock": "Замок", + "lovelace": "Lovelace", "mailbox": "Поштова скринька", - "shopping_list": "Список покупок", + "media_player": "Медіа плеєр", + "notify": "Повідомлення", + "person": "Людина", + "plant": "Рослина", + "proximity": "Відстань", + "remote": "Пульт ДУ", + "scene": "Сцена", + "script": "Сценарій", + "sensor": "Датчик", + "sun": "Сонце", + "switch": "Перемикач", + "system_health": "Безпека системи", + "updater": "Оновлення", + "vacuum": "Пилосос", + "weblink": "Посилання", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Адміністратори", + "system-read-only": "Користувачі лише для читання", + "system-users": "Користувачі" + }, + "panel": { + "calendar": "Календар", + "config": "Конфігурація", "dev-info": "Інформація", "developer_tools": "Інструменти для розробників", - "calendar": "Календар", - "profile": "Профіль" + "history": "Історія", + "logbook": "Журнал", + "mailbox": "Поштова скринька", + "map": "Мапа", + "profile": "Профіль", + "shopping_list": "Список покупок", + "states": "Огляд" }, - "state": { - "default": { - "off": "Вимкнено", - "on": "Увімкнено", - "unknown": "Невідомо", - "unavailable": "Недоступний" - }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Авто", + "off": "Вимкнений", + "on": "Увімкнений" + }, + "hvac_action": { + "cooling": "Охолодження", + "drying": "Осушення", + "fan": "Вентилятор", + "heating": "Опалення", + "idle": "Очікування", + "off": "Вимкнено" + }, + "preset_mode": { + "activity": "Діяльність", + "away": "Відсутній", + "boost": "Підвищення", + "comfort": "Комфорт", + "eco": "Еко", + "home": "Вдома", + "none": "Немає", + "sleep": "Сон" + } + } + }, + "state_badge": { "alarm_control_panel": { "armed": "Охорона", - "disarmed": "Знято", - "armed_home": "Будинкова охорона", - "armed_away": "Охорона (не вдома)", - "armed_night": "Нічна охорона", - "pending": "Очікую", - "arming": "Ставлю на охорону", + "armed_away": "Охорона", + "armed_custom_bypass": "Охорона", + "armed_home": "Охорона", + "armed_night": "Охорона", + "arming": "Ставлю", + "disarmed": "Знято з охорони", "disarming": "Зняття", - "triggered": "Тривога", - "armed_custom_bypass": "Охорона з винятками" + "pending": "Очікування", + "triggered": "Тривога" + }, + "default": { + "entity_not_found": "Об'єкт не знайдено", + "error": "Помилка", + "unavailable": "Недоступно", + "unknown": "Невід" + }, + "device_tracker": { + "home": "Вдома", + "not_home": "Відсутній" + }, + "person": { + "home": "Вдома", + "not_home": "Не вдома" + } + }, + "state": { + "alarm_control_panel": { + "armed": "Охорона", + "armed_away": "Охорона (не вдома)", + "armed_custom_bypass": "Охорона з винятками", + "armed_home": "Будинкова охорона", + "armed_night": "Нічна охорона", + "arming": "Ставлю на охорону", + "disarmed": "Знято", + "disarming": "Зняття", + "pending": "Очікую", + "triggered": "Тривога" }, "automation": { "off": "Вимкнено", "on": "Увімкнено" }, "binary_sensor": { + "battery": { + "off": "Нормальний", + "on": "Низький" + }, + "cold": { + "off": "Норма", + "on": "Охолодження" + }, + "connectivity": { + "off": "Відключено", + "on": "Підключено" + }, "default": { "off": "Вимкнено", "on": "Увімкнено" }, - "moisture": { - "off": "Сухо", - "on": "Волого" + "door": { + "off": "Зачинені", + "on": "Відчинені" + }, + "garage_door": { + "off": "ЗачиненІ", + "on": "Відкриті" }, "gas": { "off": "Чисто", "on": "Виявлено газ" }, + "heat": { + "off": "Норма", + "on": "Нагрівання" + }, + "lock": { + "off": "Заблоковано", + "on": "Розблоковано" + }, + "moisture": { + "off": "Сухо", + "on": "Волого" + }, "motion": { "off": "Немає руху", "on": "Виявлено рух" @@ -56,6 +196,22 @@ "off": "Чисто", "on": "Виявлено присутність" }, + "opening": { + "off": "Закрито", + "on": "Відкритий" + }, + "presence": { + "off": "Не вдома", + "on": "Вдома" + }, + "problem": { + "off": "ОК", + "on": "Проблема" + }, + "safety": { + "off": "Безпечно", + "on": "Небезпечно" + }, "smoke": { "off": "Чисто", "on": "Виявлено дим" @@ -68,53 +224,9 @@ "off": "Не виявлено", "on": "Виявлена вібрація" }, - "opening": { - "off": "Закрито", - "on": "Відкритий" - }, - "safety": { - "off": "Безпечно", - "on": "Небезпечно" - }, - "presence": { - "off": "Не вдома", - "on": "Вдома" - }, - "battery": { - "off": "Нормальний", - "on": "Низький" - }, - "problem": { - "off": "ОК", - "on": "Проблема" - }, - "connectivity": { - "off": "Відключено", - "on": "Підключено" - }, - "cold": { - "off": "Норма", - "on": "Охолодження" - }, - "door": { - "off": "Зачинені", - "on": "Відчинені" - }, - "garage_door": { - "off": "ЗачиненІ", - "on": "Відкриті" - }, - "heat": { - "off": "Норма", - "on": "Нагрівання" - }, "window": { "off": "Зачинене", "on": "Відчинене" - }, - "lock": { - "off": "Заблоковано", - "on": "Розблоковано" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "Увімкнено" }, "camera": { + "idle": "Очікування", "recording": "Запис", - "streaming": "Трансляція", - "idle": "Очікування" + "streaming": "Трансляція" }, "climate": { - "off": "Вимкнено", - "on": "Увімкнено", - "heat": "Обігрівання", - "cool": "Охолодження", - "idle": "Очікування", "auto": "Автоматичний", + "cool": "Охолодження", "dry": "Осушення", - "fan_only": "Лише вентилятор", "eco": "Еко", "electric": "Електро", - "performance": "Продуктивність", - "high_demand": "Велике споживання", - "heat_pump": "Тепловий насос", + "fan_only": "Лише вентилятор", "gas": "Газ", + "heat": "Обігрівання", + "heat_cool": "Опалення\/Охолодження", + "heat_pump": "Тепловий насос", + "high_demand": "Велике споживання", + "idle": "Очікування", "manual": "Вручну", - "heat_cool": "Опалення\/Охолодження" + "off": "Вимкнено", + "on": "Увімкнено", + "performance": "Продуктивність" }, "configurator": { "configure": "Налаштувати", "configured": "Налаштовано" }, "cover": { - "open": "Відчинено", - "opening": "Відкривається", "closed": "Зачинено", "closing": "Закривається", + "open": "Відчинено", + "opening": "Відкривається", "stopped": "Призупинено" }, + "default": { + "off": "Вимкнено", + "on": "Увімкнено", + "unavailable": "Недоступний", + "unknown": "Невідомо" + }, "device_tracker": { "home": "Вдома", "not_home": "Відсутній" @@ -164,19 +282,19 @@ "on": "Увімкнено" }, "group": { - "off": "Вимкнено", - "on": "Увімкнено", - "home": "Вдома", - "not_home": "Не вдома", - "open": "Відчинено", - "opening": "Відкривається", "closed": "Зачинено", "closing": "Закривається", - "stopped": "Призупинено", + "home": "Вдома", "locked": "Заблоковано", - "unlocked": "Розблоковано", + "not_home": "Не вдома", + "off": "Вимкнено", "ok": "ОК", - "problem": "Халепа" + "on": "Увімкнено", + "open": "Відчинено", + "opening": "Відкривається", + "problem": "Халепа", + "stopped": "Призупинено", + "unlocked": "Розблоковано" }, "input_boolean": { "off": "Вимкнено", @@ -191,13 +309,17 @@ "unlocked": "Розблоковано" }, "media_player": { + "idle": "Бездіяльність", "off": "Вимкнено", "on": "Увімкнено", - "playing": "Програвання", "paused": "Призупинено", - "idle": "Бездіяльність", + "playing": "Програвання", "standby": "Очікування" }, + "person": { + "home": "Вдома", + "not_home": "Відсутній" + }, "plant": { "ok": "ТАК", "problem": "Халепа" @@ -225,34 +347,10 @@ "off": "Вимкнено", "on": "Увімкнено" }, - "zwave": { - "default": { - "initializing": "Ініціалізація", - "dead": "Неробоча", - "sleeping": "Сплячка", - "ready": "Готовий" - }, - "query_stage": { - "initializing": "Ініціалізація ( {query_stage} )", - "dead": "Неробоча ({query_stage})" - } - }, - "weather": { - "clear-night": "Ясно, ніч", - "cloudy": "Хмарно", - "fog": "Туман", - "hail": "Град", - "lightning": "Блискавка", - "lightning-rainy": "Блискавка, дощ", - "partlycloudy": "Невелика хмарність", - "pouring": "Злива", - "rainy": "Дощова", - "snowy": "Сніжно", - "snowy-rainy": "Сніг, дощ", - "sunny": "Сонячно", - "windy": "Вітряно", - "windy-variant": "Вітряно", - "exceptional": "Попередження" + "timer": { + "active": "активний", + "idle": "очікування", + "paused": "на паузі" }, "vacuum": { "cleaning": "Прибирання", @@ -264,147 +362,539 @@ "paused": "Призупинено", "returning": "Повернення до дока" }, - "timer": { - "active": "активний", - "idle": "очікування", - "paused": "на паузі" + "weather": { + "clear-night": "Ясно, ніч", + "cloudy": "Хмарно", + "exceptional": "Попередження", + "fog": "Туман", + "hail": "Град", + "lightning": "Блискавка", + "lightning-rainy": "Блискавка, дощ", + "partlycloudy": "Невелика хмарність", + "pouring": "Злива", + "rainy": "Дощова", + "snowy": "Сніжно", + "snowy-rainy": "Сніг, дощ", + "sunny": "Сонячно", + "windy": "Вітряно", + "windy-variant": "Вітряно" }, - "person": { - "home": "Вдома", - "not_home": "Відсутній" - } - }, - "state_badge": { - "default": { - "unknown": "Невід", - "unavailable": "Недоступно", - "error": "Помилка", - "entity_not_found": "Об'єкт не знайдено" - }, - "alarm_control_panel": { - "armed": "Охорона", - "disarmed": "Знято з охорони", - "armed_home": "Охорона", - "armed_away": "Охорона", - "armed_night": "Охорона", - "pending": "Очікування", - "arming": "Ставлю", - "disarming": "Зняття", - "triggered": "Тривога", - "armed_custom_bypass": "Охорона" - }, - "device_tracker": { - "home": "Вдома", - "not_home": "Відсутній" - }, - "person": { - "home": "Вдома", - "not_home": "Не вдома" + "zwave": { + "default": { + "dead": "Неробоча", + "initializing": "Ініціалізація", + "ready": "Готовий", + "sleeping": "Сплячка" + }, + "query_stage": { + "dead": "Неробоча ({query_stage})", + "initializing": "Ініціалізація ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Очистити позначені елементи", - "add_item": "Додати елемент", - "microphone_tip": "Торкніться мікрофона у верхньому правому куті та скажіть \"Add candy to my shopping list\"" + "auth_store": { + "ask": "Ви хочете зберегти цей логін?", + "confirm": "Зберегти логін", + "decline": "Ні, дякую" + }, + "card": { + "alarm_control_panel": { + "arm_away": "Охорона (не вдома)", + "arm_custom_bypass": "Користувацький обхід", + "arm_home": "Поставити на охорону", + "arm_night": "Нічна охорона", + "armed_custom_bypass": "Користувацький обхід", + "clear_code": "Очистити", + "code": "Код", + "disarm": "Зняття з охорони" }, - "developer-tools": { - "tabs": { - "services": { - "title": "Сервіси" - }, - "states": { - "title": "Стан", - "more_info": "Більше інформації" - }, - "events": { - "title": "Події" - }, - "templates": { - "title": "Шаблон", - "editor": "Редактор шаблонів", - "jinja_documentation": "Документація щодо шаблону Jinja2", - "template_extensions": "Розширення шаблонів Home Assistant", - "unknown_error_template": "Невідома помилка відтворення шаблону" - }, - "mqtt": { - "title": "MQTT" - }, - "info": { - "title": "Інформація", - "remove": "Видалити", - "set": "Встановити", - "path_configuration": "Шлях до config.yaml: {path}", - "developed_by": "Розроблена купою дивовижних людей.", - "license": "Опубліковано під ліцензією Apache 2.0", - "source": "Джерело:", - "built_using": "Побудований за допомогою", - "icons_by": "Ікони від", - "frontend_version": "Версія Frontend: {version} - {type}" - }, - "logs": { - "title": "Лог", - "details": "Деталі журналу ({level})", - "load_full_log": "Завантажте повний журнал Home Assistant", - "multiple_messages": "повідомлення вперше виникло в {time} і показується {counter} раз" - } + "automation": { + "last_triggered": "Спрацьовано", + "trigger": "Тригер" + }, + "camera": { + "not_available": "Зображення недоступне" + }, + "climate": { + "aux_heat": "Aux тепла", + "away_mode": "Режиму очікування", + "currently": "В даний час", + "fan_mode": "Режим вентилятора", + "on_off": "Вкл \/ викл", + "operation": "Режим", + "preset_mode": "Режим", + "swing_mode": "Режим гойдання", + "target_humidity": "Цільова вологість", + "target_temperature": "Задана температура" + }, + "cover": { + "position": "Положення", + "tilt_position": "Положення нахилу" + }, + "fan": { + "direction": "Напрямок", + "forward": "Від себе", + "oscillate": "Коливання", + "reverse": "На себе", + "speed": "Швидкість" + }, + "light": { + "brightness": "Яскравість", + "color_temperature": "Температура кольору", + "effect": "Ефект", + "white_value": "Значення білого" + }, + "lock": { + "code": "Код", + "lock": "Блокувати", + "unlock": "Розблокувати" + }, + "media_player": { + "sound_mode": "Режим звуку", + "source": "Джерело", + "text_to_speak": "Текст для відтворення" + }, + "persistent_notification": { + "dismiss": "Відхилити" + }, + "scene": { + "activate": "Активувати" + }, + "script": { + "execute": "Виконати" + }, + "timer": { + "actions": { + "cancel": "Скасувати", + "finish": "Готово", + "pause": "Пауза", + "start": "Запуск" } }, - "history": { - "showing_entries": "Показані записи для", - "period": "Період" + "vacuum": { + "actions": { + "resume_cleaning": "Відновити очищення", + "return_to_base": "Повернутись до дока", + "start_cleaning": "Почати очищення", + "turn_off": "Вимкнути", + "turn_on": "Ввімкнути" + } }, - "logbook": { - "showing_entries": "Відображення записів за", - "period": "Період" + "water_heater": { + "away_mode": "Режиму очікування", + "currently": "В даний час", + "on_off": "Вкл \/ викл", + "operation": "Операція", + "target_temperature": "Задана температура" }, - "mailbox": { - "empty": "У вас немає повідомлень", - "playback_title": "Відтворення повідомлення", - "delete_prompt": "Видалити це повідомлення?", - "delete_button": "Видалити" + "weather": { + "attributes": { + "air_pressure": "Тиск повітря", + "humidity": "Вологість", + "temperature": "Температура", + "visibility": "Видимість", + "wind_speed": "Швидкість вітру" + }, + "cardinal_direction": { + "e": "E", + "ene": "ENE", + "ese": "ESE", + "n": "N", + "ne": "NE", + "nne": "NNE", + "nnw": "NNW", + "nw": "NW", + "s": "S", + "se": "SE", + "sse": "SSE", + "ssw": "SSW", + "sw": "SW", + "w": "W", + "wnw": "WNW", + "wsw": "WSW" + }, + "forecast": "Прогноз" + } + }, + "common": { + "cancel": "Скасувати", + "loading": "Завантаження", + "save": "Зберегти", + "successfully_saved": "Успішно збережено" + }, + "components": { + "device-picker": { + "clear": "Очистити", + "show_devices": "Показати пристрої" }, + "entity": { + "entity-picker": { + "clear": "Очистити", + "entity": "Об'єкт", + "show_entities": "Показати об'єкти" + } + }, + "history_charts": { + "loading_history": "Завантаження історії стану ...", + "no_history_found": "Немає історії станів." + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\n one {д.}\\n other {д.}\\n}", + "hour": "{count} {count, plural,\\n one {год.}\\n other {год.}\\n}", + "minute": "{count} {count, plural,\\n one {хв.}\\n other {хв.}\\n}", + "second": "{count} {count, plural,\\n one {сек.}\\n other {сек.}\\n}", + "week": "{count} {count, plural,\\n one {тиж.}\\n other {тиж.}\\n}" + }, + "future": "{time} тому", + "never": "Ніколи", + "past": "{time} тому" + }, + "service-picker": { + "service": "Сервіс" + } + }, + "dialogs": { + "config_entry_system_options": { + "enable_new_entities_description": "Якщо вимкнено, нововиявлені об'єкти для {integration} не будуть автоматично додані до Home Assistant.", + "enable_new_entities_label": "Додавати нові об'єкти.", + "title": "Параметри системи для {integration}" + }, + "confirmation": { + "cancel": "Скасувати", + "title": "Ви впевнені?" + }, + "more_info_control": { + "script": { + "last_action": "Остання дія" + }, + "sun": { + "elevation": "Висота", + "rising": "Схід сонця", + "setting": "Захід сонця" + }, + "updater": { + "title": "Інструкції по оновленню" + } + }, + "more_info_settings": { + "entity_id": "Ідентифікатор об'єкта", + "name": "Назва", + "save": "Зберегти" + }, + "options_flow": { + "form": { + "header": "Параметри" + }, + "success": { + "description": "Параметри успішно збережені." + } + }, + "zha_device_info": { + "manuf": "Виробник: {manufacturer}", + "no_area": "Не вказано", + "services": { + "reconfigure": "Перенастроювання пристрою ZHA. Використовуйте цю службу, якщо у Вас є проблеми з пристроєм. Якщо даний пристрій працює від батареї, будь ласка, переконайтеся, що воно не знаходиться в режимі сну і приймає команди, коли ви запускаєте цю службу.", + "remove": "Видалити пристрій з мережі Zigbee.", + "updateDeviceName": "Встановіть ім'я для цього пристрою в реєстрі пристроїв." + }, + "zha_device_card": { + "area_picker_label": "Приміщення", + "device_name_placeholder": "Логін", + "update_name_button": "Оновити назву" + } + } + }, + "duration": { + "day": "{count} {count, plural,\\n one {д.}\\n other {д.}\\n}", + "hour": "{count} {count, plural,\\n one {год.}\\n other {год.}\\n}", + "minute": "{count} {count, plural,\\n one {хв.}\\n other {хв.}\\n}", + "second": "{count} {count, plural,\\n one {сек.}\\n other {сек.}\\n}", + "week": "{count} {count, plural,\\n one {тиж.}\\n other {тиж.}\\n}" + }, + "login-form": { + "log_in": "Ввійти", + "password": "Пароль", + "remember": "Запам'ятати" + }, + "notification_drawer": { + "click_to_configure": "Натисніть кнопку, щоб налаштувати {entity}", + "empty": "Немає сповіщень", + "title": "Сповіщення" + }, + "notification_toast": { + "connection_lost": "З'єднання втрачено. Повторне підключення...", + "entity_turned_off": "Вимкнено {entity}.", + "entity_turned_on": "Увімкнено {entity}.", + "service_call_failed": "Не вдалося викликати сервіс {service}.", + "service_called": "Служба {service} викликається." + }, + "panel": { "config": { - "header": "Налаштуваня Home Assistant", - "introduction": "Тут можна налаштувати свої компоненти та Home Assistant. Не все можна налаштувати з інтерфейсу користувача, але ми працюємо над цим.", + "area_registry": { + "caption": "Реєстр зони", + "create_area": "СТВОРИТИ ЗОНУ", + "description": "Огляд всіх областей у вашому домі.", + "editor": { + "create": "СТВОРИТИ", + "default_name": "Нова зона", + "delete": "ВИДАЛИТИ", + "update": "ОНОВИТИ" + }, + "no_areas": "Схоже, що у вас ще немає зон!", + "picker": { + "create_area": "СТВОРИТИ ЗОНУ", + "header": "Реєстр зон", + "integrations_page": "Сторінка інтеграцій ", + "introduction": "Області використовуються для організації пристроїв. Ця інформація буде використовуватися Home Assistant, щоб допомогти вам організувати ваш інтерфейс, дозволи та інтеграції з іншими системами.", + "introduction2": "Щоб розмістити пристрої в області, скористайтеся посиланням нижче, щоб перейти до сторінки інтеграції, а потім натисніть налаштовану інтеграцію, щоб дістатися до карток пристрою.", + "no_areas": "Схоже, що у вас ще немає створених зон!" + } + }, + "automation": { + "caption": "Автоматизація", + "description": "Створення та редагування автоматизації", + "editor": { + "actions": { + "add": "Додати дію", + "delete": "Видалити", + "delete_confirm": "Ви впевнені, що хочете видалити?", + "duplicate": "Дублювати", + "header": "Дії", + "introduction": "Що Home Assistant буде робити, коли автоматизація спрацьовує. \\n\\n [Докладніше про дії.] (https:\/\/home-assistant.io\/docs\/automation\/action\/)", + "learn_more": "Докладніше про дії", + "type_select": "Тип дії", + "type": { + "condition": { + "label": "Умова" + }, + "delay": { + "delay": "Затримка", + "label": "Затримка" + }, + "device_id": { + "extra_fields": { + "code": "Код" + }, + "label": "Пристрій" + }, + "event": { + "event": "Подія:", + "label": "Викликати подію", + "service_data": "Дані сервісу" + }, + "service": { + "label": "Викликати сервіс", + "service_data": "Дані сервісу" + }, + "wait_template": { + "label": "Чекати", + "timeout": "Тайм-аут (необов'язково)", + "wait_template": "Шаблон Wait" + } + }, + "unsupported_action": "Непідтримувана дія: {action}" + }, + "alias": "Назва", + "conditions": { + "add": "Додати умову", + "delete": "Видалити", + "delete_confirm": "Ви впевнені, що хочете видалити?", + "duplicate": "Дублювати", + "header": "Умови", + "introduction": "Умови є необов'язковою частиною правила автоматизації і можуть використовуватися для запобігання дії, що відбувається під час запуску. Умови виглядають дуже схоже на тригери, але вони різні. Тригер буде дивитися на події, що відбуваються в системі, в той час як умова тільки дивиться на те, як система виглядає зараз. Тригер може спостерігати, що перемикач включений. Умова може бачити тільки, якщо перемикач ввімкнено або вимкнено. \\n\\n [Докладніше про умови.] (https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", + "learn_more": "Докладніше про умови", + "type_select": "Тип умови", + "type": { + "and": { + "label": "Та" + }, + "device": { + "label": "Пристрій" + }, + "numeric_state": { + "above": "Над", + "below": "Нижче", + "label": "Числовий статус", + "value_template": "Значення шаблону (не обов'язково)" + }, + "or": { + "label": "Або" + }, + "state": { + "label": "Статус", + "state": "Статус" + }, + "sun": { + "after": "Після:", + "after_offset": "Після зміщення (опціонально)", + "before": "Перед:", + "before_offset": "Перед зміщенням (необов'язково)", + "label": "Сонце", + "sunrise": "Схід", + "sunset": "Захід" + }, + "template": { + "label": "Шаблон", + "value_template": "Значення шаблону" + }, + "time": { + "after": "Після", + "before": "До", + "label": "Час" + }, + "zone": { + "entity": "Об'єкт з місцем розташування", + "label": "Зона", + "zone": "Зона" + } + }, + "unsupported_condition": "Непідтримувана умова: {condition}" + }, + "default_name": "Нова автоматизація", + "description": { + "label": "Опис" + }, + "introduction": "Використовуйте автоматизацію, щоб оживити ваш будинок", + "load_error_not_editable": "Можна редагувати лише секцію automations у файлі automations.yaml", + "load_error_unknown": "Помилка під час завантаження автоматизації ({err_no}).", + "save": "Зберегти", + "triggers": { + "add": "Додати тригер", + "delete": "Видалити", + "delete_confirm": "Ви впевнені, що хочете видалити?", + "duplicate": "Дублювати", + "header": "Тригери", + "introduction": "Тригери - це те, що починає обробляти правило автоматизації. Можна вказати декілька тригерів для одного і того ж правила. Після запуску тригера, Home Assistant перевірить умови, якщо такі є, і викликає дію. \\n\\n [Докладніше про тригери.] (https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", + "learn_more": "Докладніше про тригери", + "type_select": "Тип тригера", + "type": { + "device": { + "label": "Пристрій" + }, + "event": { + "event_data": "Дані події", + "event_type": "Тип події", + "label": "Подія:" + }, + "geo_location": { + "enter": "Увійти", + "event": "Подія:", + "label": "Геолокація", + "leave": "Залишити", + "source": "Джерело", + "zone": "Зона" + }, + "homeassistant": { + "event": "Подія:", + "label": "Home Assistant", + "shutdown": "Завершення роботи", + "start": "Початок" + }, + "mqtt": { + "label": "MQTT", + "payload": "Корисне навантаження (необов'язково)", + "topic": "Тема" + }, + "numeric_state": { + "above": "Вище", + "below": "Нижче", + "label": "Числовий стан", + "value_template": "Значення шаблону (необов'язково)" + }, + "state": { + "for": "Протягом", + "from": "Від", + "label": "Статус", + "to": "До" + }, + "sun": { + "event": "Подія:", + "label": "Сонце", + "offset": "Зміщення (необов'язково)", + "sunrise": "Схід сонця", + "sunset": "Захід сонця" + }, + "template": { + "label": "Шаблон", + "value_template": "Значення шаблону" + }, + "time_pattern": { + "hours": "Годин", + "label": "Шаблон часу", + "minutes": "Хвилин", + "seconds": "Секунд" + }, + "time": { + "at": "У", + "label": "Час" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook ID" + }, + "zone": { + "enter": "Увійшов", + "entity": "Місце розташування об'єкту", + "event": "Подія:", + "label": "Зона", + "leave": "Залишив", + "zone": "Зона:" + } + }, + "unsupported_platform": "Непідтримувана платформа: {platform}" + }, + "unsaved_confirm": "У вас є незбережені зміни. Ви впевнені, що хочете вийти?" + }, + "picker": { + "add_automation": "Додати автоматизацію", + "header": "Редактор автоматизації", + "introduction": "Редактор автоматизації дозволяє створювати та редагувати автоматизації. Будь ласка, прочитайте [інструкції] (https:\/\/home-assistant.io\/docs\/automation\/editor\/), щоб переконатися, що ви правильно налаштували Home Assistant.", + "learn_more": "Докладніше про автоматизації", + "no_automations": "Ми не знайшли автоматизації для редагування", + "pick_automation": "Оберіть автоматизацію для редагування" + } + }, + "cloud": { + "caption": "Хмара Home Assistant", + "description_features": "Керуйте далеко від дому, інтегруйтеся з Alexa та Google Assistant.", + "description_login": "Увійшли в систему як {email}", + "description_not_login": "Не ввійшли в систему", + "dialog_cloudhook": { + "close": "Закрити" + } + }, "core": { "caption": "Основні", "description": "Змініть загальну конфігурацію Home Assistant", "section": { "core": { - "header": "Конфігурація та керування сервером", - "introduction": "Зміна вашої конфігурації може бути неабияким процесом. Ми знаємо. Цей розділ намагатиметься полегшити ваше життя.", "core_config": { "edit_requires_storage": "Редактор відключено, оскільки конфігурація вже збережена у configuration.yaml.", - "location_name": "Заголовок для вашого Home Assistant", - "latitude": "Широта", - "longitude": "Довгота", "elevation": "Висота", "elevation_meters": "метрів", + "imperial_example": "Фаренгейти, фунти", + "latitude": "Широта", + "location_name": "Заголовок для вашого Home Assistant", + "longitude": "Довгота", + "metric_example": "Цельсії, кілограми", + "save_button": "Зберегти", "time_zone": "Часовий пояс", "unit_system": "Система одиниць", "unit_system_imperial": "Імперська", - "unit_system_metric": "Метрична", - "imperial_example": "Фаренгейти, фунти", - "metric_example": "Цельсії, кілограми", - "save_button": "Зберегти" - } + "unit_system_metric": "Метрична" + }, + "header": "Конфігурація та керування сервером", + "introduction": "Зміна вашої конфігурації може бути неабияким процесом. Ми знаємо. Цей розділ намагатиметься полегшити ваше життя." }, "server_control": { - "validation": { - "heading": "Перевірка конфігурації", - "introduction": "Перевірте вашу конфігурацію, якщо ви нещодавно внесли деякі зміни у вашу конфігурацію та хочете переконатися, що вона є дійсною", - "check_config": "Перевірте конфігурацію", - "valid": "Конфігурація дійсна!", - "invalid": "Конфігурація недійсна" - }, "reloading": { - "heading": "Перезавантаження конфігурації", - "introduction": "Деякі частини Home Assistant можна оновити без необхідності перезавантаження. Натискання перезавантаження вивантажить поточну конфігурацію та завантажить нову.", + "automation": "Перезавантажити автоматизації", "core": "Перезавантажити ядро", "group": "Перезавантажити групи", - "automation": "Перезавантажити автоматизації", + "heading": "Перезавантаження конфігурації", + "introduction": "Деякі частини Home Assistant можна оновити без необхідності перезавантаження. Натискання перезавантаження вивантажить поточну конфігурацію та завантажить нову.", "script": "Перезавантажити скрипти" }, "server_management": { @@ -412,6 +902,13 @@ "introduction": "Контролюйте сервер Home Assistant ... з Home Assistant", "restart": "Перезапустити", "stop": "Зупинити" + }, + "validation": { + "check_config": "Перевірте конфігурацію", + "heading": "Перевірка конфігурації", + "introduction": "Перевірте вашу конфігурацію, якщо ви нещодавно внесли деякі зміни у вашу конфігурацію та хочете переконатися, що вона є дійсною", + "invalid": "Конфігурація недійсна", + "valid": "Конфігурація дійсна!" } } } @@ -424,336 +921,58 @@ "introduction": "Налаштування атрибутів на об'єкт. Додані \/ відредаговані налаштування набудуть чинності негайно. Видалені налаштування набудуть чинності після оновлення об'єкта." } }, - "automation": { - "caption": "Автоматизація", - "description": "Створення та редагування автоматизації", - "picker": { - "header": "Редактор автоматизації", - "introduction": "Редактор автоматизації дозволяє створювати та редагувати автоматизації. Будь ласка, прочитайте [інструкції] (https:\/\/home-assistant.io\/docs\/automation\/editor\/), щоб переконатися, що ви правильно налаштували Home Assistant.", - "pick_automation": "Оберіть автоматизацію для редагування", - "no_automations": "Ми не знайшли автоматизації для редагування", - "add_automation": "Додати автоматизацію", - "learn_more": "Докладніше про автоматизації" - }, - "editor": { - "introduction": "Використовуйте автоматизацію, щоб оживити ваш будинок", - "default_name": "Нова автоматизація", - "save": "Зберегти", - "unsaved_confirm": "У вас є незбережені зміни. Ви впевнені, що хочете вийти?", - "alias": "Назва", - "triggers": { - "header": "Тригери", - "introduction": "Тригери - це те, що починає обробляти правило автоматизації. Можна вказати декілька тригерів для одного і того ж правила. Після запуску тригера, Home Assistant перевірить умови, якщо такі є, і викликає дію. \n\n [Докладніше про тригери.] (https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", - "add": "Додати тригер", - "duplicate": "Дублювати", - "delete": "Видалити", - "delete_confirm": "Ви впевнені, що хочете видалити?", - "unsupported_platform": "Непідтримувана платформа: {platform}", - "type_select": "Тип тригера", - "type": { - "event": { - "label": "Подія:", - "event_type": "Тип події", - "event_data": "Дані події" - }, - "state": { - "label": "Статус", - "from": "Від", - "to": "До", - "for": "Протягом" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Подія:", - "start": "Початок", - "shutdown": "Завершення роботи" - }, - "mqtt": { - "label": "MQTT", - "topic": "Тема", - "payload": "Корисне навантаження (необов'язково)" - }, - "numeric_state": { - "label": "Числовий стан", - "above": "Вище", - "below": "Нижче", - "value_template": "Значення шаблону (необов'язково)" - }, - "sun": { - "label": "Сонце", - "event": "Подія:", - "sunrise": "Схід сонця", - "sunset": "Захід сонця", - "offset": "Зміщення (необов'язково)" - }, - "template": { - "label": "Шаблон", - "value_template": "Значення шаблону" - }, - "time": { - "label": "Час", - "at": "У" - }, - "zone": { - "label": "Зона", - "entity": "Місце розташування об'єкту", - "zone": "Зона:", - "event": "Подія:", - "enter": "Увійшов", - "leave": "Залишив" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook ID" - }, - "time_pattern": { - "label": "Шаблон часу", - "hours": "Годин", - "minutes": "Хвилин", - "seconds": "Секунд" - }, - "geo_location": { - "label": "Геолокація", - "source": "Джерело", - "zone": "Зона", - "event": "Подія:", - "enter": "Увійти", - "leave": "Залишити" - }, - "device": { - "label": "Пристрій" - } - }, - "learn_more": "Докладніше про тригери" - }, + "devices": { + "automation": { "conditions": { - "header": "Умови", - "introduction": "Умови є необов'язковою частиною правила автоматизації і можуть використовуватися для запобігання дії, що відбувається під час запуску. Умови виглядають дуже схоже на тригери, але вони різні. Тригер буде дивитися на події, що відбуваються в системі, в той час як умова тільки дивиться на те, як система виглядає зараз. Тригер може спостерігати, що перемикач включений. Умова може бачити тільки, якщо перемикач ввімкнено або вимкнено. \n\n [Докладніше про умови.] (https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", - "add": "Додати умову", - "duplicate": "Дублювати", - "delete": "Видалити", - "delete_confirm": "Ви впевнені, що хочете видалити?", - "unsupported_condition": "Непідтримувана умова: {condition}", - "type_select": "Тип умови", - "type": { - "state": { - "label": "Статус", - "state": "Статус" - }, - "numeric_state": { - "label": "Числовий статус", - "above": "Над", - "below": "Нижче", - "value_template": "Значення шаблону (не обов'язково)" - }, - "sun": { - "label": "Сонце", - "before": "Перед:", - "after": "Після:", - "before_offset": "Перед зміщенням (необов'язково)", - "after_offset": "Після зміщення (опціонально)", - "sunrise": "Схід", - "sunset": "Захід" - }, - "template": { - "label": "Шаблон", - "value_template": "Значення шаблону" - }, - "time": { - "label": "Час", - "after": "Після", - "before": "До" - }, - "zone": { - "label": "Зона", - "entity": "Об'єкт з місцем розташування", - "zone": "Зона" - }, - "device": { - "label": "Пристрій" - }, - "and": { - "label": "Та" - }, - "or": { - "label": "Або" - } - }, - "learn_more": "Докладніше про умови" + "caption": "Робити щось, тільки якщо..." }, - "actions": { - "header": "Дії", - "introduction": "Що Home Assistant буде робити, коли автоматизація спрацьовує. \n\n [Докладніше про дії.] (https:\/\/home-assistant.io\/docs\/automation\/action\/)", - "add": "Додати дію", - "duplicate": "Дублювати", - "delete": "Видалити", - "delete_confirm": "Ви впевнені, що хочете видалити?", - "unsupported_action": "Непідтримувана дія: {action}", - "type_select": "Тип дії", - "type": { - "service": { - "label": "Викликати сервіс", - "service_data": "Дані сервісу" - }, - "delay": { - "label": "Затримка", - "delay": "Затримка" - }, - "wait_template": { - "label": "Чекати", - "wait_template": "Шаблон Wait", - "timeout": "Тайм-аут (необов'язково)" - }, - "condition": { - "label": "Умова" - }, - "event": { - "label": "Викликати подію", - "event": "Подія:", - "service_data": "Дані сервісу" - }, - "device_id": { - "label": "Пристрій", - "extra_fields": { - "code": "Код" - } - } - }, - "learn_more": "Докладніше про дії" - }, - "load_error_not_editable": "Можна редагувати лише секцію automations у файлі automations.yaml", - "load_error_unknown": "Помилка під час завантаження автоматизації ({err_no}).", - "description": { - "label": "Опис" + "triggers": { + "caption": "Зроби щось, коли..." } - } - }, - "script": { - "caption": "Сценарій", - "description": "Створення та редагування скриптів", - "picker": { - "header": "Редактор Скриптів ", - "introduction": "Редактор скриптів дозволяє створювати та редагувати скрипти. Перейдіть за посиланням нижче, щоб прочитати вказівки, щоб переконатися, що ви правильно налаштували Home Assistant.", - "learn_more": "Дізнатися більше про скрипти", - "add_script": "Додати скрипт" }, + "caption": "Пристрої", + "description": "Керування підключеними пристроями" + }, + "entity_registry": { + "caption": "Реєстр об'єктів", + "description": "Огляд всіх відомих об'єктів.", "editor": { - "header": "Скрипт: {name}", - "default_name": "Новий Скрипт", - "load_error_not_editable": "Тільки скрипти всередині scripts.yaml доступні для редагування", - "delete_confirm": "Ви впевнені, що хочете видалити цей скрипт?" - } - }, - "zwave": { - "caption": "Z-Wave", - "description": "Керуйте мережею Z-Wave", - "network_management": { - "header": "Керування мережею Z-Wave", - "introduction": "Керуйте мережею Z-Wave за допомогою представлених команд. Інформацію про результат виконаних команд Ви можете отримати в журналі OZW." + "default_name": "Нова зона", + "delete": "ВИДАЛИТИ", + "enabled_cause": "Відключено: {cause}.", + "enabled_description": "Відключені об'єкти не будуть додані в Home Assistant.", + "enabled_label": "Увімкнути об'єкт", + "unavailable": "Цей об'єкт наразі недоступний.", + "update": "ОНОВИТИ" }, - "network_status": { - "network_stopped": "Мережа Z-Wave вимкнена", - "network_starting": "Запуск мережі Z-Wave ...", - "network_starting_note": "Це може зайняти деякий час в залежності від розміру Вашої мережі.", - "network_started": "Мережа Z-Wave працює", - "network_started_note_some_queried": "Активні вузли були опитані. Сплячі вузли будуть опитані, коли вийдуть з режиму сну.", - "network_started_note_all_queried": "Всі вузли були опитані." - }, - "services": { - "start_network": "Увімкнути", - "stop_network": "Вимкнути", - "heal_network": "Виправити мережу", - "test_network": "Тестувати", - "soft_reset": "Скидання", - "save_config": "Зберегти конфігурацію", - "add_node_secure": "Додати захищений вузол", - "add_node": "Додати вузол", - "remove_node": "Видалити вузол", - "cancel_command": "Скасувати команду" - }, - "common": { - "value": "Значення", - "instance": "Екземпляр", - "index": "Індекс", - "unknown": "невідомо", - "wakeup_interval": "Інтервал пробудження" - }, - "values": { - "header": "Значення вузлів" - }, - "node_config": { - "header": "Параметри конфігурації вузла", - "seconds": "секунд", - "set_wakeup": "Встановити інтервал пробудження", - "config_parameter": "Параметр конфігурації", - "config_value": "Значення параметра", - "true": "Істина", - "false": "Брехня", - "set_config_parameter": "Встановити параметр налаштування" - } - }, - "users": { - "caption": "Користувачі", - "description": "Управління користувачами", "picker": { - "title": "Користувачі", - "system_generated": "Системний" - }, - "editor": { - "rename_user": "Перейменувати користувача", - "change_password": "Змінити пароль", - "activate_user": "Активувати користувача", - "deactivate_user": "Деактивувати користувача", - "delete_user": "Видалити користувача", - "caption": "Переглянути користувача", - "owner": "Власник", - "group": "Група", - "active": "Активний", - "system_generated": "Системний", - "system_generated_users_not_removable": "Не вдається видалити користувачів, створених системою.", - "unnamed_user": "Безіменний користувач", - "enter_new_name": "Введіть нове ім'я", - "user_rename_failed": "Помилка перейменування користувача:", - "group_update_failed": "Помилка оновлення групи:", - "confirm_user_deletion": "Справді видалити {name} ?" - }, - "add_user": { - "caption": "Додати користувача", - "name": "Ім'я", - "username": "Ім'я користувача", - "password": "Пароль", - "create": "Створити" - } - }, - "cloud": { - "caption": "Хмара Home Assistant", - "description_login": "Увійшли в систему як {email}", - "description_not_login": "Не ввійшли в систему", - "description_features": "Керуйте далеко від дому, інтегруйтеся з Alexa та Google Assistant.", - "dialog_cloudhook": { - "close": "Закрити" + "header": "Реєстр об'єктів", + "headers": { + "enabled": "Увімкнено", + "integration": "Інтеграція", + "name": "Назва" + }, + "integrations_page": "Сторінка інтеграцій", + "introduction": "Home Assistant зберігає реєстр кожного об'єкта, який він коли-небудь бачив, який може бути унікально ідентифікований. Кожному з цих об'єктів буде призначений ідентифікатор, який буде зарезервований тільки для цього об'єкта.", + "introduction2": "Використовуйте реєстр об'єктів, щоб перевизначити ім'я, змінити ідентифікатор об'єкта або видалити запис з Home Assistant. Примітка: видалення запису реєстру не видалить об'єкт. Щоб зробити це, перейдіть за наведеним нижче посиланням і видаліть його з сторінки інтеграції.", + "unavailable": "(недоступно)" } }, + "header": "Налаштуваня Home Assistant", "integrations": { "caption": "Інтеграція", - "description": "Управління та налаштування інтеграцій", - "discovered": "Виявлено", - "configured": "Налаштовано", - "new": "Налаштуйте нову інтеграцію", - "configure": "Налаштувати", - "none": "Ще нічого не налаштовано", "config_entry": { - "no_devices": "Ця інтеграція не має пристроїв.", - "no_device": "Об'єкти без пристроїв", "delete_confirm": "Ви впевнені, що хочете видалити цю інтеграцію?", - "restart_confirm": "Перезавантажте Home Assistant, щоб завершити видалення цієї інтеграції", - "manuf": "створено: {manufacturer}", - "via": "Підключено через", - "firmware": "Прошивка: {version}", "device_unavailable": "пристрій недоступний", "entity_unavailable": "Недоступний", + "firmware": "Прошивка: {version}", + "hub": "Підключено через", + "manuf": "створено: {manufacturer}", "no_area": "Немає області", - "hub": "Підключено через" + "no_device": "Об'єкти без пристроїв", + "no_devices": "Ця інтеграція не має пристроїв.", + "restart_confirm": "Перезавантажте Home Assistant, щоб завершити видалення цієї інтеграції", + "via": "Підключено через" }, "config_flow": { "external_step": { @@ -761,413 +980,266 @@ "open_site": "Відкрити веб-сайт" } }, + "configure": "Налаштувати", + "configured": "Налаштовано", + "description": "Управління та налаштування інтеграцій", + "discovered": "Виявлено", + "home_assistant_website": "Веб-сайт Home Assistant", + "new": "Налаштуйте нову інтеграцію", + "none": "Ще нічого не налаштовано", "note_about_integrations": "Ще не всі інтеграції можна налаштувати через інтерфейс користувача.", - "note_about_website_reference": "Більше можна знайти на", - "home_assistant_website": "Веб-сайт Home Assistant" - }, - "zha": { - "caption": "ZHA", - "description": "Управління мережею домашньої автоматизації Zigbee", - "services": { - "reconfigure": "Переконфігуруйте пристрій ZHA. Використовуйте це, якщо у вас виникли проблеми з пристроєм. Якщо пристрій, про який йде мова, живиться від батареї, будь ласка, переконайтеся, що він працює і приймає команди.", - "updateDeviceName": "Встановіть зручну назву для цього пристрою у реєстрі.", - "remove": "Видалити пристрій із мережі Zigbee." - }, - "device_card": { - "device_name_placeholder": "Ім'я", - "area_picker_label": "Зона", - "update_name_button": "Змінити ім'я" - }, - "add_device_page": { - "header": "Розумні пристрої на базі Zigbee - додавання пристроїв", - "spinner": "Пошук пристроїв ZHA Zigbee ...", - "discovery_text": "Тут будуть показані автоматично виявлені пристрої. Дотримуйтесь вказівок на ваший пристроях і переведіть пристрої в режим з'єднання." - } - }, - "area_registry": { - "caption": "Реєстр зони", - "description": "Огляд всіх областей у вашому домі.", - "picker": { - "header": "Реєстр зон", - "introduction": "Області використовуються для організації пристроїв. Ця інформація буде використовуватися Home Assistant, щоб допомогти вам організувати ваш інтерфейс, дозволи та інтеграції з іншими системами.", - "introduction2": "Щоб розмістити пристрої в області, скористайтеся посиланням нижче, щоб перейти до сторінки інтеграції, а потім натисніть налаштовану інтеграцію, щоб дістатися до карток пристрою.", - "integrations_page": "Сторінка інтеграцій ", - "no_areas": "Схоже, що у вас ще немає створених зон!", - "create_area": "СТВОРИТИ ЗОНУ" - }, - "no_areas": "Схоже, що у вас ще немає зон!", - "create_area": "СТВОРИТИ ЗОНУ", - "editor": { - "default_name": "Нова зона", - "delete": "ВИДАЛИТИ", - "update": "ОНОВИТИ", - "create": "СТВОРИТИ" - } - }, - "entity_registry": { - "caption": "Реєстр об'єктів", - "description": "Огляд всіх відомих об'єктів.", - "picker": { - "header": "Реєстр об'єктів", - "unavailable": "(недоступно)", - "introduction": "Home Assistant зберігає реєстр кожного об'єкта, який він коли-небудь бачив, який може бути унікально ідентифікований. Кожному з цих об'єктів буде призначений ідентифікатор, який буде зарезервований тільки для цього об'єкта.", - "introduction2": "Використовуйте реєстр об'єктів, щоб перевизначити ім'я, змінити ідентифікатор об'єкта або видалити запис з Home Assistant. Примітка: видалення запису реєстру не видалить об'єкт. Щоб зробити це, перейдіть за наведеним нижче посиланням і видаліть його з сторінки інтеграції.", - "integrations_page": "Сторінка інтеграцій", - "headers": { - "name": "Назва", - "integration": "Інтеграція", - "enabled": "Увімкнено" - } - }, - "editor": { - "unavailable": "Цей об'єкт наразі недоступний.", - "default_name": "Нова зона", - "delete": "ВИДАЛИТИ", - "update": "ОНОВИТИ", - "enabled_label": "Увімкнути об'єкт", - "enabled_cause": "Відключено: {cause}.", - "enabled_description": "Відключені об'єкти не будуть додані в Home Assistant." - } + "note_about_website_reference": "Більше можна знайти на" }, + "introduction": "Тут можна налаштувати свої компоненти та Home Assistant. Не все можна налаштувати з інтерфейсу користувача, але ми працюємо над цим.", "person": { + "add_person": "Додати Людини", "caption": "Особи", + "confirm_delete": "Ви впевнені, що хочете видалити цю людину?", + "confirm_delete2": "Усі пристрої, які належать цій особі, стануть непризначеними.", + "create_person": "Створити Людину", "description": "Керуйте особами, які відстежуються Home Assistant.", "detail": { - "name": "Ім'я", - "device_tracker_intro": "Виберіть пристрої, які належать цій людині.", - "device_tracker_picked": "Пристрій для відстеження", - "device_tracker_pick": "Виберіть пристрій для відстеження", - "new_person": "Нова людина", - "name_error_msg": "Ім'я є обов'язковим", - "linked_user": "Пов'язаний користувач", - "no_device_tracker_available_intro": "Коли у вас будуть пристрої, які вказують на присутність людини, ви зможете призначити їх людині тут. Ви можете додати свій перший пристрій, додавши інтеграцію виявлення присутності на сторінці інтеграції.", - "link_presence_detection_integrations": "Інтеграції виявлення присутності", - "link_integrations_page": "Сторінка інтеграцій", - "delete": "Видалити", "create": "Створити", + "delete": "Видалити", + "device_tracker_intro": "Виберіть пристрої, які належать цій людині.", + "device_tracker_pick": "Виберіть пристрій для відстеження", + "device_tracker_picked": "Пристрій для відстеження", + "link_integrations_page": "Сторінка інтеграцій", + "link_presence_detection_integrations": "Інтеграції виявлення присутності", + "linked_user": "Пов'язаний користувач", + "name": "Ім'я", + "name_error_msg": "Ім'я є обов'язковим", + "new_person": "Нова людина", + "no_device_tracker_available_intro": "Коли у вас будуть пристрої, які вказують на присутність людини, ви зможете призначити їх людині тут. Ви можете додати свій перший пристрій, додавши інтеграцію виявлення присутності на сторінці інтеграції.", "update": "Оновити" }, - "note_about_persons_configured_in_yaml": "Примітка: люди, налаштовані за допомогою config.yaml, не можуть редагуватися через інтерфейс користувача.", "no_persons_created_yet": "Схоже, ви ще не створили жодної людини.", - "create_person": "Створити Людину", - "add_person": "Додати Людини", - "confirm_delete": "Ви впевнені, що хочете видалити цю людину?", - "confirm_delete2": "Усі пристрої, які належать цій особі, стануть непризначеними." + "note_about_persons_configured_in_yaml": "Примітка: люди, налаштовані за допомогою config.yaml, не можуть редагуватися через інтерфейс користувача." + }, + "script": { + "caption": "Сценарій", + "description": "Створення та редагування скриптів", + "editor": { + "default_name": "Новий Скрипт", + "delete_confirm": "Ви впевнені, що хочете видалити цей скрипт?", + "header": "Скрипт: {name}", + "load_error_not_editable": "Тільки скрипти всередині scripts.yaml доступні для редагування" + }, + "picker": { + "add_script": "Додати скрипт", + "header": "Редактор Скриптів ", + "introduction": "Редактор скриптів дозволяє створювати та редагувати скрипти. Перейдіть за посиланням нижче, щоб прочитати вказівки, щоб переконатися, що ви правильно налаштували Home Assistant.", + "learn_more": "Дізнатися більше про скрипти" + } }, "server_control": { "caption": "Керування сервером", "description": "Перезавантаження та зупинення сервера Home Assistant", "section": { - "validation": { - "heading": "Перевірка конфігурації", - "introduction": "Перевірте вашу конфігурацію, якщо ви нещодавно внесли деякі зміни у вашу конфігурацію та хочете переконатися, що вона є дійсною", - "check_config": "Перевірити конфігурацію", - "valid": "Конфігурація дійсна!", - "invalid": "Конфігурація недійсна" - }, "reloading": { - "heading": "Перезавантаження конфігурації", - "introduction": "Деякі частини Home Assistant можна оновити без необхідності перезавантаження. Натискання перезавантаження вивантажить поточну конфігурацію та завантажить нову.", + "automation": "Перезавантаження автоматизації", "core": "Перезавантажити ядро", "group": "Перезавантажити групи", - "automation": "Перезавантаження автоматизації", - "script": "Перезавантажити скрипти", - "scene": "Перезавантажити сцени" + "heading": "Перезавантаження конфігурації", + "introduction": "Деякі частини Home Assistant можна оновити без необхідності перезавантаження. Натискання перезавантаження вивантажить поточну конфігурацію та завантажить нову.", + "scene": "Перезавантажити сцени", + "script": "Перезавантажити скрипти" }, "server_management": { + "confirm_restart": "Ви впевнені, що хочете перезапустити Home Assistant?", + "confirm_stop": "Ви впевнені, що хочете зупинити Home Assistant?", "heading": "Управління сервером", "introduction": "Контролюйте сервер Home Assistant ... з Home Assistant", "restart": "Перезапустити", - "stop": "Зупинити", - "confirm_restart": "Ви впевнені, що хочете перезапустити Home Assistant?", - "confirm_stop": "Ви впевнені, що хочете зупинити Home Assistant?" + "stop": "Зупинити" + }, + "validation": { + "check_config": "Перевірити конфігурацію", + "heading": "Перевірка конфігурації", + "introduction": "Перевірте вашу конфігурацію, якщо ви нещодавно внесли деякі зміни у вашу конфігурацію та хочете переконатися, що вона є дійсною", + "invalid": "Конфігурація недійсна", + "valid": "Конфігурація дійсна!" } } }, - "devices": { - "caption": "Пристрої", - "description": "Керування підключеними пристроями", - "automation": { - "triggers": { - "caption": "Зроби щось, коли..." - }, - "conditions": { - "caption": "Робити щось, тільки якщо..." - } - } - } - }, - "profile": { - "push_notifications": { - "header": "Push-Повідомлення", - "description": "Надіслати сповіщення на цей пристрій.", - "error_load_platform": "Налаштувати notify.html5.", - "error_use_https": "Потрібно ввімкнути SSL для інтерфейсу.", - "push_notifications": "Push-повідомлення", - "link_promo": "Дізнатися більше" - }, - "language": { - "header": "Мова", - "link_promo": "Допомога в перекладі", - "dropdown_label": "Мова" - }, - "themes": { - "header": "Тема", - "error_no_theme": "Немає доступних тем.", - "link_promo": "Дізнайтеся про теми", - "dropdown_label": "Тема" - }, - "refresh_tokens": { - "header": "Токени оновлення", - "description": "Кожен токен оновлення відображає сеанс входу в систему. Токени оновлення автоматично видалятимуться, коли ви натиснете вийти. Наступні токени оновлення доступні для вашого облікового запису.", - "token_title": "Оновити токен для {clientId}", - "created_at": "Створений в {date}", - "confirm_delete": "Ви впевнені, що хочете видалити токен оновлення для {name} ?", - "delete_failed": "Не вдалося видалити токен оновлення.", - "last_used": "Останнє використання в {date} з {location}", - "not_used": "Ніколи не використовувався", - "current_token_tooltip": "Неможливо видалити поточний токен оновлення" - }, - "long_lived_access_tokens": { - "header": "Токени довготермінового доступу", - "description": "Створюйте довгоживі токени доступу, щоб ваші сценарії могли взаємодіяти з Home Assistant. Кожен токен буде дійсним протягом 10 років. Наступні довгоживучі токени доступу наразі активні.", - "learn_auth_requests": "Дізнайтеся, як зробити аутентифіковані запити.", - "created_at": "Створено в {date}", - "confirm_delete": "Ви впевнені, що хочете видалити токен доступу для {name} ?", - "delete_failed": "Не вдалося видалити токен доступу.", - "create": "Створити токен", - "create_failed": "Не вдалося створити токен доступу.", - "prompt_name": "Назва", - "prompt_copy_token": "Скопіюйте ваш токен доступу. Знову він не буде показаний.", - "empty_state": "У вас немає довгоіснуючих токенів доступу.", - "last_used": "Останнє використання в {date} з {location}", - "not_used": "Ніколи не використовувався" - }, - "current_user": "Ви ввійшли як {fullName}.", - "is_owner": "Ви є власником.", - "change_password": { - "header": "Змінити пароль", - "current_password": "Поточний пароль", - "new_password": "Новий пароль", - "confirm_new_password": "Підтвердіть новий пароль", - "error_required": "Необхідно", - "submit": "Відправити" - }, - "mfa": { - "header": "Багатофакторна перевірка справжності модулів", - "disable": "Вимкнути", - "enable": "Увімкнути", - "confirm_disable": "Ви впевнені, що хочете вимкнути {name} ?" - }, - "mfa_setup": { - "title_aborted": "Скасовано", - "title_success": "Успішно!", - "step_done": "Налаштування виконано для {step}", - "close": "Закрити", - "submit": "Відправити" - }, - "logout": "Вийти", - "force_narrow": { - "header": "Завжди приховувати бічну панель", - "description": "Це дозволить приховати бічну панель за замовчуванням, як і для мобільних пристроїв." - }, - "advanced_mode": { - "title": "Розширений режим" - } - }, - "page-authorize": { - "initializing": "Ініціалізація", - "authorizing_client": "Ви збираєтеся надати {clientId} доступ до Home Assistant.", - "logging_in_with": "Вхід з **{authProviderName}**.", - "pick_auth_provider": "Або увійти з", - "abort_intro": "Логін скасовано", - "form": { - "working": "Будь ласка, зачекайте", - "unknown_error": "Щось пішло не так", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Ім'я користувача", - "password": "Пароль" - } - }, - "mfa": { - "data": { - "code": "Двофакторний ідентифікаційний код" - }, - "description": "Відкрийте **{mfa_module_name}** на своєму пристрої, щоб переглянути свій двофакторний код автентифікації та підтвердити свою особу:" - } - }, - "error": { - "invalid_auth": "Неправильне ім'я користувача або пароль", - "invalid_code": "Невірний код автентифікації" - }, - "abort": { - "login_expired": "Сесія закінчилася, увійдіть знову." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "Пароль API" - }, - "description": "Будь ласка, введіть пароль API в ваш http конфіг:" - }, - "mfa": { - "data": { - "code": "Двофакторний ідентифікаційний код" - }, - "description": "Відкрийте **{mfa_module_name}** на своєму пристрої, щоб переглянути свій двофакторний код автентифікації та підтвердити свою особу:" - } - }, - "error": { - "invalid_auth": "Невірний пароль API", - "invalid_code": "Невірний код авторизації" - }, - "abort": { - "no_api_password_set": "Ви не маєте налаштованого пароля API.", - "login_expired": "Термін дії сессії закінчився, авторизуйтесь ще раз" - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Користувач" - }, - "description": "Будь-ласка, виберіть користувача, яким ви хочете увійти:" - } - }, - "abort": { - "not_whitelisted": "Ваш комп'ютер не включений в білий список." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Логін", - "password": "Пароль" - } - }, - "mfa": { - "data": { - "code": "Код двофакторної аутентифікації" - }, - "description": "Відкрийте **{mfa_module_name}** на своєму пристрої, щоб переглянути свій двофакторний код автентифікації та підтвердити свою особу:" - } - }, - "error": { - "invalid_auth": "Неправильне ім'я користувача або пароль", - "invalid_code": "Невірний код аутентифікації" - }, - "abort": { - "login_expired": "Сесія закінчилася, увійдіть знову." - } - } - } - } - }, - "page-onboarding": { - "intro": "Ви готові розбудити свій будинок, повернути вашу конфіденційність і приєднатися до світової спільноти майстрів?", - "user": { - "intro": "Давайте почнемо з створення облікового запису користувача.", - "required_field": "Необхідні", - "data": { + "users": { + "add_user": { + "caption": "Додати користувача", + "create": "Створити", "name": "Ім'я", - "username": "Імя користувача", "password": "Пароль", - "password_confirm": "Підтвердити пароль" + "username": "Ім'я користувача" }, - "create_account": "Створити обліковий запис", - "error": { - "required_fields": "Заповніть усі необхідні поля", - "password_not_match": "Паролі не збігаються" + "caption": "Користувачі", + "description": "Управління користувачами", + "editor": { + "activate_user": "Активувати користувача", + "active": "Активний", + "caption": "Переглянути користувача", + "change_password": "Змінити пароль", + "confirm_user_deletion": "Справді видалити {name} ?", + "deactivate_user": "Деактивувати користувача", + "delete_user": "Видалити користувача", + "enter_new_name": "Введіть нове ім'я", + "group": "Група", + "group_update_failed": "Помилка оновлення групи:", + "owner": "Власник", + "rename_user": "Перейменувати користувача", + "system_generated": "Системний", + "system_generated_users_not_removable": "Не вдається видалити користувачів, створених системою.", + "unnamed_user": "Безіменний користувач", + "user_rename_failed": "Помилка перейменування користувача:" + }, + "picker": { + "system_generated": "Системний", + "title": "Користувачі" } }, - "integration": { - "intro": "Пристрої та послуги в Home Assistant, які вимагають інтеграції з зовнішніми джерелами. Ви можете їх налаштувати зараз або зробити це пізніше на екрані конфігурації.", - "more_integrations": "Більше", - "finish": "Завершити" + "zha": { + "add_device_page": { + "discovery_text": "Тут будуть показані автоматично виявлені пристрої. Дотримуйтесь вказівок на ваший пристроях і переведіть пристрої в режим з'єднання.", + "header": "Розумні пристрої на базі Zigbee - додавання пристроїв", + "spinner": "Пошук пристроїв ZHA Zigbee ..." + }, + "caption": "ZHA", + "description": "Управління мережею домашньої автоматизації Zigbee", + "device_card": { + "area_picker_label": "Зона", + "device_name_placeholder": "Ім'я", + "update_name_button": "Змінити ім'я" + }, + "services": { + "reconfigure": "Переконфігуруйте пристрій ZHA. Використовуйте це, якщо у вас виникли проблеми з пристроєм. Якщо пристрій, про який йде мова, живиться від батареї, будь ласка, переконайтеся, що він працює і приймає команди.", + "remove": "Видалити пристрій із мережі Zigbee.", + "updateDeviceName": "Встановіть зручну назву для цього пристрою у реєстрі." + } }, - "core-config": { - "intro": "Привіт {name}, Ласкаво просимо до Home Assistant. Як би ви хотіли назвати свій дім?", - "intro_location": "Ми хотіли б знати, де ви живете. Ця інформація допоможе нам відображати інформацію та налаштування, базуючись положенні сонця. Ці дані ніколи не передаються за межі вашої локальної мережі.", - "intro_location_detect": "Ми можемо допомогти вам заповнити цю інформацію, зробивши одноразовий запит до зовнішньої служби.", - "location_name_default": "Головна", - "button_detect": "Виявити", - "finish": "Далі" + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Індекс", + "instance": "Екземпляр", + "unknown": "невідомо", + "value": "Значення", + "wakeup_interval": "Інтервал пробудження" + }, + "description": "Керуйте мережею Z-Wave", + "network_management": { + "header": "Керування мережею Z-Wave", + "introduction": "Керуйте мережею Z-Wave за допомогою представлених команд. Інформацію про результат виконаних команд Ви можете отримати в журналі OZW." + }, + "network_status": { + "network_started": "Мережа Z-Wave працює", + "network_started_note_all_queried": "Всі вузли були опитані.", + "network_started_note_some_queried": "Активні вузли були опитані. Сплячі вузли будуть опитані, коли вийдуть з режиму сну.", + "network_starting": "Запуск мережі Z-Wave ...", + "network_starting_note": "Це може зайняти деякий час в залежності від розміру Вашої мережі.", + "network_stopped": "Мережа Z-Wave вимкнена" + }, + "node_config": { + "config_parameter": "Параметр конфігурації", + "config_value": "Значення параметра", + "false": "Брехня", + "header": "Параметри конфігурації вузла", + "seconds": "секунд", + "set_config_parameter": "Встановити параметр налаштування", + "set_wakeup": "Встановити інтервал пробудження", + "true": "Істина" + }, + "services": { + "add_node": "Додати вузол", + "add_node_secure": "Додати захищений вузол", + "cancel_command": "Скасувати команду", + "heal_network": "Виправити мережу", + "remove_node": "Видалити вузол", + "save_config": "Зберегти конфігурацію", + "soft_reset": "Скидання", + "start_network": "Увімкнути", + "stop_network": "Вимкнути", + "test_network": "Тестувати" + }, + "values": { + "header": "Значення вузлів" + } } }, + "developer-tools": { + "tabs": { + "events": { + "title": "Події" + }, + "info": { + "built_using": "Побудований за допомогою", + "developed_by": "Розроблена купою дивовижних людей.", + "frontend_version": "Версія Frontend: {version} - {type}", + "icons_by": "Ікони від", + "license": "Опубліковано під ліцензією Apache 2.0", + "path_configuration": "Шлях до config.yaml: {path}", + "remove": "Видалити", + "set": "Встановити", + "source": "Джерело:", + "title": "Інформація" + }, + "logs": { + "details": "Деталі журналу ({level})", + "load_full_log": "Завантажте повний журнал Home Assistant", + "multiple_messages": "повідомлення вперше виникло в {time} і показується {counter} раз", + "title": "Лог" + }, + "mqtt": { + "title": "MQTT" + }, + "services": { + "title": "Сервіси" + }, + "states": { + "more_info": "Більше інформації", + "title": "Стан" + }, + "templates": { + "editor": "Редактор шаблонів", + "jinja_documentation": "Документація щодо шаблону Jinja2", + "template_extensions": "Розширення шаблонів Home Assistant", + "title": "Шаблон", + "unknown_error_template": "Невідома помилка відтворення шаблону" + } + } + }, + "history": { + "period": "Період", + "showing_entries": "Показані записи для" + }, + "logbook": { + "period": "Період", + "showing_entries": "Відображення записів за" + }, "lovelace": { "cards": { - "shopping-list": { - "checked_items": "Позначені елементи", - "clear_items": "Очистити позначені елементи", - "add_item": "Додати елемент" - }, + "confirm_delete": "Ви впевнені, що хочете видалити цю карту?", "empty_state": { - "title": "Ласкаво просимо додому", + "go_to_integrations_page": "Перейти на сторінку інтеграцій.", "no_devices": "Ця сторінка дозволяє керувати пристроями, однак, схоже, у вас ще немає налаштованих пристроїв. Щоб почати, перейдіть на сторінку інтеграції.", - "go_to_integrations_page": "Перейти на сторінку інтеграцій." + "title": "Ласкаво просимо додому" }, "picture-elements": { - "hold": "Утримуйте:", - "tap": "Торкніться:", - "navigate_to": "Перейти до {location}", - "toggle": "Переключити {name}", "call_service": "Звернутись до сервісу {name}", - "more_info": "Показати більше: {name}" + "hold": "Утримуйте:", + "more_info": "Показати більше: {name}", + "navigate_to": "Перейти до {location}", + "tap": "Торкніться:", + "toggle": "Переключити {name}" }, - "confirm_delete": "Ви впевнені, що хочете видалити цю карту?" + "shopping-list": { + "add_item": "Додати елемент", + "checked_items": "Позначені елементи", + "clear_items": "Очистити позначені елементи" + } + }, + "changed_toast": { + "message": "Конфігурацію Lovelace було оновлено, хочете оновити?", + "refresh": "Оновити" }, "editor": { - "edit_card": { - "header": "Конфігурація картки", - "save": "Зберегти", - "toggle_editor": "Перемкнути редактор", - "pick_card": "Виберіть картку, яку хочете додати.", - "add": "Додати картку", - "edit": "Редагувати", - "delete": "Видалити", - "move": "Переміщення" - }, - "migrate": { - "header": "Конфігурація несумісна", - "para_no_id": "Цей елемент не має ID. Додайте ID до цього елемента в 'ui-lovelace.yaml'.", - "para_migrate": "Домашній помічник може автоматично додавати ідентифікатори ID до всіх ваших карт і переглядів, натиснувши кнопку \"Перенести налаштування\".", - "migrate": "Перенесення конфігурації" - }, - "header": "Редагування інтерфейсу", - "edit_view": { - "header": "Перегляд Конфігурації", - "add": "Додати вигляд", - "edit": "Редагувати вигляд", - "delete": "Видалити вигляд" - }, - "save_config": { - "header": "Візьміть під свій контроль Lovelace UI", - "para": "За замовчуванням Home Assistant буде підтримувати ваш інтерфейс, оновлюючи його, коли з'являться нові об'єкти або компоненти Lovelace. Якщо ви візьмете під контроль, ми більше не будемо автоматично вносити зміни для вас.", - "para_sure": "Ви впевнені, що хочете взяти під свій контроль інтерфейс?", - "cancel": "Неважливо", - "save": "Взяти під контроль" - }, - "menu": { - "raw_editor": "Текстовий редактор" - }, - "raw_editor": { - "header": "Редагувати конфігурацію", - "save": "Зберегти", - "unsaved_changes": "Незбережені зміни", - "saved": "Збережено" - }, - "edit_lovelace": { - "header": "Заголовок для Lovelace", - "explanation": "Цей заголовок буде показаний над вашими картками в Lovelace" - }, "card": { "light": { "name": "Освітлення" @@ -1191,6 +1263,49 @@ "name": "Прогноз погоди" } }, + "edit_card": { + "add": "Додати картку", + "delete": "Видалити", + "edit": "Редагувати", + "header": "Конфігурація картки", + "move": "Переміщення", + "pick_card": "Виберіть картку, яку хочете додати.", + "save": "Зберегти", + "toggle_editor": "Перемкнути редактор" + }, + "edit_lovelace": { + "explanation": "Цей заголовок буде показаний над вашими картками в Lovelace", + "header": "Заголовок для Lovelace" + }, + "edit_view": { + "add": "Додати вигляд", + "delete": "Видалити вигляд", + "edit": "Редагувати вигляд", + "header": "Перегляд Конфігурації" + }, + "header": "Редагування інтерфейсу", + "menu": { + "raw_editor": "Текстовий редактор" + }, + "migrate": { + "header": "Конфігурація несумісна", + "migrate": "Перенесення конфігурації", + "para_migrate": "Домашній помічник може автоматично додавати ідентифікатори ID до всіх ваших карт і переглядів, натиснувши кнопку \"Перенести налаштування\".", + "para_no_id": "Цей елемент не має ID. Додайте ID до цього елемента в 'ui-lovelace.yaml'." + }, + "raw_editor": { + "header": "Редагувати конфігурацію", + "save": "Зберегти", + "saved": "Збережено", + "unsaved_changes": "Незбережені зміни" + }, + "save_config": { + "cancel": "Неважливо", + "header": "Візьміть під свій контроль Lovelace UI", + "para": "За замовчуванням Home Assistant буде підтримувати ваш інтерфейс, оновлюючи його, коли з'являться нові об'єкти або компоненти Lovelace. Якщо ви візьмете під контроль, ми більше не будемо автоматично вносити зміни для вас.", + "para_sure": "Ви впевнені, що хочете взяти під свій контроль інтерфейс?", + "save": "Взяти під контроль" + }, "view": { "panel_mode": { "title": "Панельний режим?" @@ -1199,397 +1314,282 @@ }, "menu": { "configure_ui": "Налаштувати інтерфейс користувача", - "unused_entities": "Незадіяні об'єкти", "help": "Допомога", - "refresh": "Оновити" - }, - "warning": { - "entity_not_found": "Об'єкт не доступний: {entity}", - "entity_non_numeric": "Об'єкт не є числовим: {entity}" - }, - "changed_toast": { - "message": "Конфігурацію Lovelace було оновлено, хочете оновити?", - "refresh": "Оновити" + "refresh": "Оновити", + "unused_entities": "Незадіяні об'єкти" }, "reload_lovelace": "Перезавантажити Lovelace", "views": { "confirm_delete": "Ви впевнені, що хочете видалити цей вид?" + }, + "warning": { + "entity_non_numeric": "Об'єкт не є числовим: {entity}", + "entity_not_found": "Об'єкт не доступний: {entity}" } }, + "mailbox": { + "delete_button": "Видалити", + "delete_prompt": "Видалити це повідомлення?", + "empty": "У вас немає повідомлень", + "playback_title": "Відтворення повідомлення" + }, + "page-authorize": { + "abort_intro": "Логін скасовано", + "authorizing_client": "Ви збираєтеся надати {clientId} доступ до Home Assistant.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Сесія закінчилася, увійдіть знову." + }, + "error": { + "invalid_auth": "Неправильне ім'я користувача або пароль", + "invalid_code": "Невірний код аутентифікації" + }, + "step": { + "init": { + "data": { + "password": "Пароль", + "username": "Логін" + } + }, + "mfa": { + "data": { + "code": "Код двофакторної аутентифікації" + }, + "description": "Відкрийте **{mfa_module_name}** на своєму пристрої, щоб переглянути свій двофакторний код автентифікації та підтвердити свою особу:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Сесія закінчилася, увійдіть знову." + }, + "error": { + "invalid_auth": "Неправильне ім'я користувача або пароль", + "invalid_code": "Невірний код автентифікації" + }, + "step": { + "init": { + "data": { + "password": "Пароль", + "username": "Ім'я користувача" + } + }, + "mfa": { + "data": { + "code": "Двофакторний ідентифікаційний код" + }, + "description": "Відкрийте **{mfa_module_name}** на своєму пристрої, щоб переглянути свій двофакторний код автентифікації та підтвердити свою особу:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Термін дії сессії закінчився, авторизуйтесь ще раз", + "no_api_password_set": "Ви не маєте налаштованого пароля API." + }, + "error": { + "invalid_auth": "Невірний пароль API", + "invalid_code": "Невірний код авторизації" + }, + "step": { + "init": { + "data": { + "password": "Пароль API" + }, + "description": "Будь ласка, введіть пароль API в ваш http конфіг:" + }, + "mfa": { + "data": { + "code": "Двофакторний ідентифікаційний код" + }, + "description": "Відкрийте **{mfa_module_name}** на своєму пристрої, щоб переглянути свій двофакторний код автентифікації та підтвердити свою особу:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Ваш комп'ютер не включений в білий список." + }, + "step": { + "init": { + "data": { + "user": "Користувач" + }, + "description": "Будь-ласка, виберіть користувача, яким ви хочете увійти:" + } + } + } + }, + "unknown_error": "Щось пішло не так", + "working": "Будь ласка, зачекайте" + }, + "initializing": "Ініціалізація", + "logging_in_with": "Вхід з **{authProviderName}**.", + "pick_auth_provider": "Або увійти з" + }, "page-demo": { "cards": { "demo": { "demo_by": "створено: {name}", - "next_demo": "Наступний дизайн", "introduction": "Ласкаво просимо додому! Ви знаходитесь на сторінці демонстрації системи Home Assistant. Тут ви зможете переглянути найкращі інтерфейси користувача, створені нашою спільнотою.", - "learn_more": "Дізнайтеся більше про Home Assistant" + "learn_more": "Дізнайтеся більше про Home Assistant", + "next_demo": "Наступний дизайн" } }, "config": { "arsaboo": { - "names": { - "upstairs": "Нагорі", - "family_room": "Вітальня", - "kitchen": "Кухня", - "patio": "Зона відпочинку", - "hallway": "Коридор", - "master_bedroom": "Головна спальня", - "left": "Ліворуч", - "right": "Праворуч", - "mirror": "Дзеркало" - }, "labels": { - "lights": "Фари", - "information": "Інформація", - "morning_commute": "Їхати на роботу", + "activity": "Діяльність", + "air": "Повітря", "commute_home": "Їхати додому", "entertainment": "Розваги", - "activity": "Діяльність", "hdmi_input": "HDMI-вхід", "hdmi_switcher": "HDMI-перемикач", - "volume": "Гучність", + "information": "Інформація", + "lights": "Фари", + "morning_commute": "Їхати на роботу", "total_tv_time": "Сумарний час перегляду", "turn_tv_off": "Вимкнути телевізор", - "air": "Повітря" + "volume": "Гучність" + }, + "names": { + "family_room": "Вітальня", + "hallway": "Коридор", + "kitchen": "Кухня", + "left": "Ліворуч", + "master_bedroom": "Головна спальня", + "mirror": "Дзеркало", + "patio": "Зона відпочинку", + "right": "Праворуч", + "upstairs": "Нагорі" }, "unit": { - "watching": "спостерігати", - "minutes_abbr": "хв" + "minutes_abbr": "хв", + "watching": "спостерігати" } } } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Виявити", + "finish": "Далі", + "intro": "Привіт {name}, Ласкаво просимо до Home Assistant. Як би ви хотіли назвати свій дім?", + "intro_location": "Ми хотіли б знати, де ви живете. Ця інформація допоможе нам відображати інформацію та налаштування, базуючись положенні сонця. Ці дані ніколи не передаються за межі вашої локальної мережі.", + "intro_location_detect": "Ми можемо допомогти вам заповнити цю інформацію, зробивши одноразовий запит до зовнішньої служби.", + "location_name_default": "Головна" + }, + "integration": { + "finish": "Завершити", + "intro": "Пристрої та послуги в Home Assistant, які вимагають інтеграції з зовнішніми джерелами. Ви можете їх налаштувати зараз або зробити це пізніше на екрані конфігурації.", + "more_integrations": "Більше" + }, + "intro": "Ви готові розбудити свій будинок, повернути вашу конфіденційність і приєднатися до світової спільноти майстрів?", + "user": { + "create_account": "Створити обліковий запис", + "data": { + "name": "Ім'я", + "password": "Пароль", + "password_confirm": "Підтвердити пароль", + "username": "Імя користувача" + }, + "error": { + "password_not_match": "Паролі не збігаються", + "required_fields": "Заповніть усі необхідні поля" + }, + "intro": "Давайте почнемо з створення облікового запису користувача.", + "required_field": "Необхідні" + } + }, + "profile": { + "advanced_mode": { + "title": "Розширений режим" + }, + "change_password": { + "confirm_new_password": "Підтвердіть новий пароль", + "current_password": "Поточний пароль", + "error_required": "Необхідно", + "header": "Змінити пароль", + "new_password": "Новий пароль", + "submit": "Відправити" + }, + "current_user": "Ви ввійшли як {fullName}.", + "force_narrow": { + "description": "Це дозволить приховати бічну панель за замовчуванням, як і для мобільних пристроїв.", + "header": "Завжди приховувати бічну панель" + }, + "is_owner": "Ви є власником.", + "language": { + "dropdown_label": "Мова", + "header": "Мова", + "link_promo": "Допомога в перекладі" + }, + "logout": "Вийти", + "long_lived_access_tokens": { + "confirm_delete": "Ви впевнені, що хочете видалити токен доступу для {name} ?", + "create": "Створити токен", + "create_failed": "Не вдалося створити токен доступу.", + "created_at": "Створено в {date}", + "delete_failed": "Не вдалося видалити токен доступу.", + "description": "Створюйте довгоживі токени доступу, щоб ваші сценарії могли взаємодіяти з Home Assistant. Кожен токен буде дійсним протягом 10 років. Наступні довгоживучі токени доступу наразі активні.", + "empty_state": "У вас немає довгоіснуючих токенів доступу.", + "header": "Токени довготермінового доступу", + "last_used": "Останнє використання в {date} з {location}", + "learn_auth_requests": "Дізнайтеся, як зробити аутентифіковані запити.", + "not_used": "Ніколи не використовувався", + "prompt_copy_token": "Скопіюйте ваш токен доступу. Знову він не буде показаний.", + "prompt_name": "Назва" + }, + "mfa_setup": { + "close": "Закрити", + "step_done": "Налаштування виконано для {step}", + "submit": "Відправити", + "title_aborted": "Скасовано", + "title_success": "Успішно!" + }, + "mfa": { + "confirm_disable": "Ви впевнені, що хочете вимкнути {name} ?", + "disable": "Вимкнути", + "enable": "Увімкнути", + "header": "Багатофакторна перевірка справжності модулів" + }, + "push_notifications": { + "description": "Надіслати сповіщення на цей пристрій.", + "error_load_platform": "Налаштувати notify.html5.", + "error_use_https": "Потрібно ввімкнути SSL для інтерфейсу.", + "header": "Push-Повідомлення", + "link_promo": "Дізнатися більше", + "push_notifications": "Push-повідомлення" + }, + "refresh_tokens": { + "confirm_delete": "Ви впевнені, що хочете видалити токен оновлення для {name} ?", + "created_at": "Створений в {date}", + "current_token_tooltip": "Неможливо видалити поточний токен оновлення", + "delete_failed": "Не вдалося видалити токен оновлення.", + "description": "Кожен токен оновлення відображає сеанс входу в систему. Токени оновлення автоматично видалятимуться, коли ви натиснете вийти. Наступні токени оновлення доступні для вашого облікового запису.", + "header": "Токени оновлення", + "last_used": "Останнє використання в {date} з {location}", + "not_used": "Ніколи не використовувався", + "token_title": "Оновити токен для {clientId}" + }, + "themes": { + "dropdown_label": "Тема", + "error_no_theme": "Немає доступних тем.", + "header": "Тема", + "link_promo": "Дізнайтеся про теми" + } + }, + "shopping-list": { + "add_item": "Додати елемент", + "clear_completed": "Очистити позначені елементи", + "microphone_tip": "Торкніться мікрофона у верхньому правому куті та скажіть \"Add candy to my shopping list\"" } }, "sidebar": { - "log_out": "Вийти", - "external_app_configuration": "Конфігурація застосунку" - }, - "common": { - "loading": "Завантаження", - "cancel": "Скасувати", - "save": "Зберегти", - "successfully_saved": "Успішно збережено" - }, - "duration": { - "day": "{count} {count, plural,\n one {д.}\n other {д.}\n}", - "week": "{count} {count, plural,\n one {тиж.}\n other {тиж.}\n}", - "second": "{count} {count, plural,\n one {сек.}\n other {сек.}\n}", - "minute": "{count} {count, plural,\n one {хв.}\n other {хв.}\n}", - "hour": "{count} {count, plural,\n one {год.}\n other {год.}\n}" - }, - "login-form": { - "password": "Пароль", - "remember": "Запам'ятати", - "log_in": "Ввійти" - }, - "card": { - "camera": { - "not_available": "Зображення недоступне" - }, - "persistent_notification": { - "dismiss": "Відхилити" - }, - "scene": { - "activate": "Активувати" - }, - "script": { - "execute": "Виконати" - }, - "weather": { - "attributes": { - "air_pressure": "Тиск повітря", - "humidity": "Вологість", - "temperature": "Температура", - "visibility": "Видимість", - "wind_speed": "Швидкість вітру" - }, - "cardinal_direction": { - "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" - }, - "forecast": "Прогноз" - }, - "alarm_control_panel": { - "code": "Код", - "clear_code": "Очистити", - "disarm": "Зняття з охорони", - "arm_home": "Поставити на охорону", - "arm_away": "Охорона (не вдома)", - "arm_night": "Нічна охорона", - "armed_custom_bypass": "Користувацький обхід", - "arm_custom_bypass": "Користувацький обхід" - }, - "automation": { - "last_triggered": "Спрацьовано", - "trigger": "Тригер" - }, - "cover": { - "position": "Положення", - "tilt_position": "Положення нахилу" - }, - "fan": { - "speed": "Швидкість", - "oscillate": "Коливання", - "direction": "Напрямок", - "forward": "Від себе", - "reverse": "На себе" - }, - "light": { - "brightness": "Яскравість", - "color_temperature": "Температура кольору", - "white_value": "Значення білого", - "effect": "Ефект" - }, - "media_player": { - "text_to_speak": "Текст для відтворення", - "source": "Джерело", - "sound_mode": "Режим звуку" - }, - "climate": { - "currently": "В даний час", - "on_off": "Вкл \/ викл", - "target_temperature": "Задана температура", - "target_humidity": "Цільова вологість", - "operation": "Режим", - "fan_mode": "Режим вентилятора", - "swing_mode": "Режим гойдання", - "away_mode": "Режиму очікування", - "aux_heat": "Aux тепла", - "preset_mode": "Режим" - }, - "lock": { - "code": "Код", - "lock": "Блокувати", - "unlock": "Розблокувати" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Відновити очищення", - "return_to_base": "Повернутись до дока", - "start_cleaning": "Почати очищення", - "turn_on": "Ввімкнути", - "turn_off": "Вимкнути" - } - }, - "water_heater": { - "currently": "В даний час", - "on_off": "Вкл \/ викл", - "target_temperature": "Задана температура", - "operation": "Операція", - "away_mode": "Режиму очікування" - }, - "timer": { - "actions": { - "start": "Запуск", - "pause": "Пауза", - "cancel": "Скасувати", - "finish": "Готово" - } - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "Об'єкт", - "clear": "Очистити", - "show_entities": "Показати об'єкти" - } - }, - "service-picker": { - "service": "Сервіс" - }, - "relative_time": { - "past": "{time} тому", - "future": "{time} тому", - "never": "Ніколи", - "duration": { - "second": "{count} {count, plural,\n one {сек.}\n other {сек.}\n}", - "minute": "{count} {count, plural,\n one {хв.}\n other {хв.}\n}", - "hour": "{count} {count, plural,\n one {год.}\n other {год.}\n}", - "day": "{count} {count, plural,\n one {д.}\n other {д.}\n}", - "week": "{count} {count, plural,\n one {тиж.}\n other {тиж.}\n}" - } - }, - "history_charts": { - "loading_history": "Завантаження історії стану ...", - "no_history_found": "Немає історії станів." - }, - "device-picker": { - "clear": "Очистити", - "show_devices": "Показати пристрої" - } - }, - "notification_toast": { - "entity_turned_on": "Увімкнено {entity}.", - "entity_turned_off": "Вимкнено {entity}.", - "service_called": "Служба {service} викликається.", - "service_call_failed": "Не вдалося викликати сервіс {service}.", - "connection_lost": "З'єднання втрачено. Повторне підключення..." - }, - "dialogs": { - "more_info_settings": { - "save": "Зберегти", - "name": "Назва", - "entity_id": "Ідентифікатор об'єкта" - }, - "more_info_control": { - "script": { - "last_action": "Остання дія" - }, - "sun": { - "elevation": "Висота", - "rising": "Схід сонця", - "setting": "Захід сонця" - }, - "updater": { - "title": "Інструкції по оновленню" - } - }, - "options_flow": { - "form": { - "header": "Параметри" - }, - "success": { - "description": "Параметри успішно збережені." - } - }, - "config_entry_system_options": { - "title": "Параметри системи для {integration}", - "enable_new_entities_label": "Додавати нові об'єкти.", - "enable_new_entities_description": "Якщо вимкнено, нововиявлені об'єкти для {integration} не будуть автоматично додані до Home Assistant." - }, - "zha_device_info": { - "manuf": "Виробник: {manufacturer}", - "no_area": "Не вказано", - "services": { - "reconfigure": "Перенастроювання пристрою ZHA. Використовуйте цю службу, якщо у Вас є проблеми з пристроєм. Якщо даний пристрій працює від батареї, будь ласка, переконайтеся, що воно не знаходиться в режимі сну і приймає команди, коли ви запускаєте цю службу.", - "updateDeviceName": "Встановіть ім'я для цього пристрою в реєстрі пристроїв.", - "remove": "Видалити пристрій з мережі Zigbee." - }, - "zha_device_card": { - "device_name_placeholder": "Логін", - "area_picker_label": "Приміщення", - "update_name_button": "Оновити назву" - } - }, - "confirmation": { - "cancel": "Скасувати", - "title": "Ви впевнені?" - } - }, - "auth_store": { - "ask": "Ви хочете зберегти цей логін?", - "decline": "Ні, дякую", - "confirm": "Зберегти логін" - }, - "notification_drawer": { - "click_to_configure": "Натисніть кнопку, щоб налаштувати {entity}", - "empty": "Немає сповіщень", - "title": "Сповіщення" - } - }, - "domain": { - "alarm_control_panel": "Панель керування сигналізацією", - "automation": "Автоматизація", - "binary_sensor": "Бінарний датчик", - "calendar": "Календар", - "camera": "Камера", - "climate": "Клімат", - "configurator": "Конфігуратор", - "conversation": "Розмова", - "cover": "Заголовок", - "device_tracker": "Трекер пристрою", - "fan": "Вентилятор", - "history_graph": "Графік історії", - "group": "Група", - "image_processing": "Обробка зображень", - "input_boolean": "Введення логічного значення", - "input_datetime": "Введення дати", - "input_select": "Вибрати", - "input_number": "Введіть номер", - "input_text": "Введення тексту", - "light": "Освітлення", - "lock": "Замок", - "mailbox": "Поштова скринька", - "media_player": "Медіа плеєр", - "notify": "Повідомлення", - "plant": "Рослина", - "proximity": "Відстань", - "remote": "Пульт ДУ", - "scene": "Сцена", - "script": "Сценарій", - "sensor": "Датчик", - "sun": "Сонце", - "switch": "Перемикач", - "updater": "Оновлення", - "weblink": "Посилання", - "zwave": "Z-Wave", - "vacuum": "Пилосос", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Безпека системи", - "person": "Людина" - }, - "attribute": { - "weather": { - "humidity": "Вологість", - "visibility": "Видимість", - "wind_speed": "Швидкість вітру" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Вимкнений", - "on": "Увімкнений", - "auto": "Авто" - }, - "preset_mode": { - "none": "Немає", - "eco": "Еко", - "away": "Відсутній", - "boost": "Підвищення", - "comfort": "Комфорт", - "home": "Вдома", - "sleep": "Сон", - "activity": "Діяльність" - }, - "hvac_action": { - "off": "Вимкнено", - "heating": "Опалення", - "cooling": "Охолодження", - "drying": "Осушення", - "idle": "Очікування", - "fan": "Вентилятор" - } - } - }, - "groups": { - "system-admin": "Адміністратори", - "system-users": "Користувачі", - "system-read-only": "Користувачі лише для читання" - }, - "config_entry": { - "disabled_by": { - "user": "Користувач", - "integration": "Інтеграція", - "config_entry": "Запис" + "external_app_configuration": "Конфігурація застосунку", + "log_out": "Вийти" } } } \ No newline at end of file diff --git a/translations/ur.json b/translations/ur.json index 38d899ace0..cea97d5ac7 100644 --- a/translations/ur.json +++ b/translations/ur.json @@ -1,7 +1,51 @@ { "ui": { + "card": { + "fan": { + "forward": "آگے", + "reverse": "پیچھے کی جانب" + }, + "timer": { + "actions": { + "finish": "ختم", + "pause": "توقف" + } + } + }, + "dialogs": { + "zha_device_info": { + "services": { + "remove": "زاگبی نیٹ ورک سے ایک آلہ ہٹائیں ۔" + }, + "zha_device_card": { + "area_picker_label": "جگہ" + } + } + }, "panel": { "config": { + "automation": { + "editor": { + "actions": { + "type": { + "device_id": { + "label": "آلہ" + } + } + }, + "conditions": { + "type": { + "device": { + "label": "آلہ" + } + } + } + } + }, + "devices": { + "caption": "آلات", + "description": "منسلک آلات کا نظم کریں۔" + }, "server_control": { "caption": "سرور کنٹرول۔", "section": { @@ -15,28 +59,6 @@ "node_config": { "seconds": "سیکنڈ" } - }, - "automation": { - "editor": { - "conditions": { - "type": { - "device": { - "label": "آلہ" - } - } - }, - "actions": { - "type": { - "device_id": { - "label": "آلہ" - } - } - } - } - }, - "devices": { - "caption": "آلات", - "description": "منسلک آلات کا نظم کریں۔" } }, "developer-tools": { @@ -46,28 +68,6 @@ } } } - }, - "card": { - "fan": { - "forward": "آگے", - "reverse": "پیچھے کی جانب" - }, - "timer": { - "actions": { - "pause": "توقف", - "finish": "ختم" - } - } - }, - "dialogs": { - "zha_device_info": { - "services": { - "remove": "زاگبی نیٹ ورک سے ایک آلہ ہٹائیں ۔" - }, - "zha_device_card": { - "area_picker_label": "جگہ" - } - } } } } \ No newline at end of file diff --git a/translations/vi.json b/translations/vi.json index 65f3faed2c..af562dd473 100644 --- a/translations/vi.json +++ b/translations/vi.json @@ -1,53 +1,186 @@ { - "panel": { - "config": "Cấu hình", - "states": "Tổng quan", - "map": "Bản đồ", - "logbook": "Nhật ký", - "history": "Lịch sử", + "attribute": { + "weather": { + "humidity": "Độ ẩm", + "visibility": "Tầm nhìn", + "wind_speed": "Tốc độ gió" + } + }, + "domain": { + "alarm_control_panel": "Bảng điều khiển an ninh", + "automation": "Tự động hóa", + "binary_sensor": "Cảm biến nhị phân", + "calendar": "Lịch", + "camera": "Máy ảnh", + "climate": "Khí hậu", + "configurator": "Trình cấu hình", + "conversation": "Hội thoại", + "cover": "Rèm, cửa cuốn", + "device_tracker": "Trình theo dõi thiết bị", + "fan": "Quạt", + "group": "Nhóm", + "hassio": "Hass.io", + "history_graph": "Biểu đồ lịch sử", + "homeassistant": "Home Assistant", + "image_processing": "Xử lý ảnh", + "input_boolean": "Đầu vào lôgic", + "input_datetime": "Đầu vào ngày giờ", + "input_number": "Đầu vào số", + "input_select": "Chọn đầu vào", + "input_text": "Đầu vào ký tự", + "light": "Đèn", + "lock": "Khóa", + "lovelace": "Lovelace", "mailbox": "Hộp thư", - "shopping_list": "Danh sách mua sắm", + "media_player": "Media player", + "notify": "Thông báo", + "person": "Người", + "plant": "Cây trồng", + "proximity": "Tiệm cận", + "remote": "ĐK Từ xa", + "scene": "Bối cảnh", + "script": "Kịch bản", + "sensor": "Cảm biến", + "sun": "Mặt trời", + "switch": "Công tắc", + "system_health": "Sức khỏe hệ thống", + "updater": "Trình cập nhật", + "vacuum": "Vacuum", + "weblink": "Liên kết web", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "Quản trị viên", + "system-read-only": "Người dùng chỉ đọc", + "system-users": "Người dùng" + }, + "panel": { + "calendar": "Lịch", + "config": "Cấu hình", "dev-info": "Thông tin", "developer_tools": "Công cụ Nhà phát triển", - "calendar": "Lịch", - "profile": "Hồ sơ" + "history": "Lịch sử", + "logbook": "Nhật ký", + "mailbox": "Hộp thư", + "map": "Bản đồ", + "profile": "Hồ sơ", + "shopping_list": "Danh sách mua sắm", + "states": "Tổng quan" + }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "Tự động", + "off": "Tắt", + "on": "Bật" + }, + "hvac_action": { + "cooling": "Làm mát", + "drying": "Làm khô", + "fan": "Quạt", + "heating": "Làm ấm", + "idle": "Nhàn rỗi", + "off": "Tắt" + }, + "preset_mode": { + "activity": "Hoạt động", + "away": "Đi vắng", + "boost": "Tăng cường", + "comfort": "Thoải mái", + "eco": "Tiết kiệm", + "home": "Ở nhà", + "none": "Không", + "sleep": "Ngủ" + } + } + }, + "state_badge": { + "alarm_control_panel": { + "armed": "VT", + "armed_away": "VT", + "armed_custom_bypass": "VT", + "armed_home": "Đã kích hoạt", + "armed_night": "VT", + "arming": "Đang VT", + "disarmed": "Vô hiệu hoá", + "disarming": "Giải giáp", + "pending": "Chờ", + "triggered": "Kích hoạt" + }, + "default": { + "entity_not_found": "Không tìm thấy thực thể", + "error": "Lỗi", + "unavailable": "KKD", + "unknown": "KB" + }, + "device_tracker": { + "home": "Ở nhà", + "not_home": "Đi vắng" + }, + "person": { + "home": "Ở nhà", + "not_home": "Ra ngoài" + } }, "state": { - "default": { - "off": "Tắt", - "on": "Bật", - "unknown": "Chưa biết", - "unavailable": "Không có sẵn" - }, "alarm_control_panel": { "armed": "Kích hoạt an ninh", - "disarmed": "Vô hiệu hóa", - "armed_home": "Bảo vệ ở nhà", "armed_away": "Bảo vệ đi vắng", + "armed_custom_bypass": "Tùy chỉnh bỏ qua An ninh", + "armed_home": "Bảo vệ ở nhà", "armed_night": "Ban đêm", - "pending": "Đang chờ xử lý", "arming": "Kích hoạt", + "disarmed": "Vô hiệu hóa", "disarming": "Giải giáp", - "triggered": "Kích hoạt", - "armed_custom_bypass": "Tùy chỉnh bỏ qua An ninh" + "pending": "Đang chờ xử lý", + "triggered": "Kích hoạt" }, "automation": { "off": "Tắt", "on": "Bật" }, "binary_sensor": { + "battery": { + "off": "Bình thường", + "on": "Thấp" + }, + "cold": { + "off": "Bình thường", + "on": "Lạnh" + }, + "connectivity": { + "off": "Đã ngắt kết nối", + "on": "Đã kết nối" + }, "default": { "off": "Tắt", "on": "Bật" }, - "moisture": { - "off": "Khô", - "on": "Ướt" + "door": { + "off": "Đóng", + "on": "Mở" + }, + "garage_door": { + "off": "Đóng", + "on": "Mở" }, "gas": { "off": "Trống trải", "on": "Phát hiện" }, + "heat": { + "off": "Bình thường", + "on": "Nóng" + }, + "lock": { + "off": "Đã khoá", + "on": "Mở khoá" + }, + "moisture": { + "off": "Khô", + "on": "Ướt" + }, "motion": { "off": "Trống trải", "on": "Phát hiện" @@ -56,6 +189,22 @@ "off": "Trống trải", "on": "Phát hiện" }, + "opening": { + "off": "Đã đóng", + "on": "Mở" + }, + "presence": { + "off": "Đi vắng", + "on": "Ở nhà" + }, + "problem": { + "off": "OK", + "on": "Có vấn đề" + }, + "safety": { + "off": "An toàn", + "on": "Không an toàn" + }, "smoke": { "off": "Trống trải", "on": "Phát hiện" @@ -68,53 +217,9 @@ "off": "Trống trải", "on": "Phát hiện" }, - "opening": { - "off": "Đã đóng", - "on": "Mở" - }, - "safety": { - "off": "An toàn", - "on": "Không an toàn" - }, - "presence": { - "off": "Đi vắng", - "on": "Ở nhà" - }, - "battery": { - "off": "Bình thường", - "on": "Thấp" - }, - "problem": { - "off": "OK", - "on": "Có vấn đề" - }, - "connectivity": { - "off": "Đã ngắt kết nối", - "on": "Đã kết nối" - }, - "cold": { - "off": "Bình thường", - "on": "Lạnh" - }, - "door": { - "off": "Đóng", - "on": "Mở" - }, - "garage_door": { - "off": "Đóng", - "on": "Mở" - }, - "heat": { - "off": "Bình thường", - "on": "Nóng" - }, "window": { "off": "Đóng", "on": "Mở" - }, - "lock": { - "off": "Đã khoá", - "on": "Mở khoá" } }, "calendar": { @@ -122,39 +227,45 @@ "on": "Bật" }, "camera": { + "idle": "Không hoạt động", "recording": "Ghi âm", - "streaming": "Phát trực tuyến", - "idle": "Không hoạt động" + "streaming": "Phát trực tuyến" }, "climate": { - "off": "Tắt", - "on": "Bật", - "heat": "Nhiệt", - "cool": "Mát mẻ", - "idle": "Không hoạt động", "auto": "Tự động", + "cool": "Mát mẻ", "dry": "Khô", - "fan_only": "Chỉ có quạt", "eco": "Tiết kiệm", "electric": "Điện", - "performance": "Hiệu suất", - "high_demand": "Nhu cầu cao", - "heat_pump": "Bơm nhiệt", + "fan_only": "Chỉ có quạt", "gas": "Khí", + "heat": "Nhiệt", + "heat_cool": "Nóng\/Lạnh", + "heat_pump": "Bơm nhiệt", + "high_demand": "Nhu cầu cao", + "idle": "Không hoạt động", "manual": "Hướng dẫn", - "heat_cool": "Nóng\/Lạnh" + "off": "Tắt", + "on": "Bật", + "performance": "Hiệu suất" }, "configurator": { "configure": "Cấu hình", "configured": "Đã cấu hình" }, "cover": { - "open": "Mở", - "opening": "Đang mở", "closed": "Đã đóng", "closing": "Đang đóng", + "open": "Mở", + "opening": "Đang mở", "stopped": "Đã dừng" }, + "default": { + "off": "Tắt", + "on": "Bật", + "unavailable": "Không có sẵn", + "unknown": "Chưa biết" + }, "device_tracker": { "home": "Ở nhà", "not_home": "Đi vắng" @@ -164,19 +275,19 @@ "on": "Bật" }, "group": { - "off": "Tắt", - "on": "Bật", - "home": "Ở nhà", - "not_home": "Đi vắng", - "open": "Mở", - "opening": "Đang mở", "closed": "Đã đóng", "closing": "Đang đóng", - "stopped": "Đã dừng", + "home": "Ở nhà", "locked": "Khoá", - "unlocked": "Mở khoá", + "not_home": "Đi vắng", + "off": "Tắt", "ok": "OK", - "problem": "Vấn đề" + "on": "Bật", + "open": "Mở", + "opening": "Đang mở", + "problem": "Vấn đề", + "stopped": "Đã dừng", + "unlocked": "Mở khoá" }, "input_boolean": { "off": "Tắt", @@ -191,13 +302,17 @@ "unlocked": "Mở khóa" }, "media_player": { + "idle": "Không hoạt động", "off": "Tắt", "on": "Bật", - "playing": "Đang chơi", "paused": "Tạm dừng", - "idle": "Không hoạt động", + "playing": "Đang chơi", "standby": "Chế độ chờ" }, + "person": { + "home": "Ở nhà", + "not_home": "Đi vắng" + }, "plant": { "ok": "OK", "problem": "Vấn đề" @@ -225,17 +340,20 @@ "off": "Tắt", "on": "Bật" }, - "zwave": { - "default": { - "initializing": "Khởi tạo", - "dead": "Đã tắt", - "sleeping": "Ngủ", - "ready": "Sẵn sàng" - }, - "query_stage": { - "initializing": "Khởi tạo ( {query_stage} )", - "dead": "Đã tắt ({query_stage})" - } + "timer": { + "active": "hoạt động", + "idle": "nhàn rỗi", + "paused": "tạm dừng" + }, + "vacuum": { + "cleaning": "Đang làm sạch", + "docked": "Đã vào dock", + "error": "Lỗi", + "idle": "Không hoạt động", + "off": "Mở", + "on": "Tắt", + "paused": "Tạm dừng", + "returning": "Đang trở lại dock" }, "weather": { "clear-night": "Trời trong, đêm", @@ -253,827 +371,80 @@ "windy": "Gió nhẹ", "windy-variant": "Gió nhẹ" }, - "vacuum": { - "cleaning": "Đang làm sạch", - "docked": "Đã vào dock", - "error": "Lỗi", - "idle": "Không hoạt động", - "off": "Mở", - "on": "Tắt", - "paused": "Tạm dừng", - "returning": "Đang trở lại dock" - }, - "timer": { - "active": "hoạt động", - "idle": "nhàn rỗi", - "paused": "tạm dừng" - }, - "person": { - "home": "Ở nhà", - "not_home": "Đi vắng" - } - }, - "state_badge": { - "default": { - "unknown": "KB", - "unavailable": "KKD", - "error": "Lỗi", - "entity_not_found": "Không tìm thấy thực thể" - }, - "alarm_control_panel": { - "armed": "VT", - "disarmed": "Vô hiệu hoá", - "armed_home": "Đã kích hoạt", - "armed_away": "VT", - "armed_night": "VT", - "pending": "Chờ", - "arming": "Đang VT", - "disarming": "Giải giáp", - "triggered": "Kích hoạt", - "armed_custom_bypass": "VT" - }, - "device_tracker": { - "home": "Ở nhà", - "not_home": "Đi vắng" - }, - "person": { - "home": "Ở nhà", - "not_home": "Ra ngoài" + "zwave": { + "default": { + "dead": "Đã tắt", + "initializing": "Khởi tạo", + "ready": "Sẵn sàng", + "sleeping": "Ngủ" + }, + "query_stage": { + "dead": "Đã tắt ({query_stage})", + "initializing": "Khởi tạo ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "Xóa hoàn tất", - "add_item": "Thêm mục", - "microphone_tip": "Chạm vào micrô ở trên cùng bên phải và nói \"Thêm kẹo vào danh sách mua sắm của tôi\"" - }, - "developer-tools": { - "tabs": { - "services": { - "title": "Dịch vụ" - }, - "states": { - "title": "Trạng thái" - }, - "events": { - "title": "Sự kiện" - }, - "templates": { - "title": "Mẫu sẵn" - }, - "mqtt": { - "title": "MQTT" - }, - "info": { - "title": "Thông tin" - } - } - }, - "history": { - "showing_entries": "Hiển thị mục cho", - "period": "Giai đoạn" - }, - "logbook": { - "showing_entries": "Hiển thị mục cho", - "period": "Giai đoạn" - }, - "mailbox": { - "empty": "Bạn không có tin nhắn nào", - "playback_title": "Phát lại tin nhắn", - "delete_prompt": "Xóa tin nhắn này?", - "delete_button": "Xóa" - }, - "config": { - "header": "Cấu hình Home Assistant", - "introduction": "Ở đây có thể định cấu hình các thành phần của bạn và Home Assistant. Không phải mọi thứ đều có thể được cấu hình từ giao diện người dùng, nhưng chúng tôi đang cải thiện việc đó.", - "core": { - "caption": "Tổng quát", - "description": "Xác nhận tập tin cấu hình của bạn và kiểm soát máy chủ", - "section": { - "core": { - "header": "Cấu hình và kiểm soát máy chủ", - "introduction": "Thay đổi cấu hình của bạn có thể là một quá trình mệt mỏi. Chúng tôi biết. Phần này sẽ cố gắng làm cho việc đó dễ dàng hơn.", - "core_config": { - "edit_requires_storage": "Trình chỉnh sửa bị vô hiệu hóa do cấu hình được lưu trữ trong configuration.yaml.", - "location_name": "Tên cài đặt Home Assistant của bạn", - "latitude": "Vĩ độ", - "longitude": "Kinh độ", - "elevation": "Độ cao", - "elevation_meters": "mét", - "time_zone": "Múi giờ", - "unit_system": "Hệ thống đơn vị", - "unit_system_imperial": "Hệ inch", - "unit_system_metric": "Hệ mét", - "imperial_example": "Độ F, pound", - "metric_example": "Độ C, kilôgam", - "save_button": "Lưu" - } - }, - "server_control": { - "validation": { - "heading": "Xác nhận cấu hình", - "introduction": "Xác thực cấu hình của bạn nếu gần đây bạn đã thực hiện một số thay đổi đối với cấu hình của bạn và muốn đảm bảo rằng nó là hợp lệ", - "check_config": "Kiểm tra cấu hình", - "valid": "Cấu hình hợp lệ!", - "invalid": "Cấu hình không hợp lệ" - }, - "reloading": { - "heading": "Nạp lại Cấu hình", - "introduction": "Một số phần của Home Assistant có thể tải lại mà không yêu cầu khởi động lại. Nhấn nút tải lại sẽ gỡ bỏ cấu hình hiện tại của nó và tải một cấu hình mới.", - "core": "Tải lại lõi", - "group": "Tải lại nhóm", - "automation": "Tải lại Tự động hóa", - "script": "Tải lại Kịch bản" - }, - "server_management": { - "heading": "Quản lý máy chủ", - "introduction": "Kiểm soát máy chủ Home Assistant của bạn từ Home Assistant.", - "restart": "Khởi động lại", - "stop": "Dừng" - } - } - } - }, - "customize": { - "caption": "Tùy chỉnh", - "description": "Tùy chỉnh các thực thể của bạn", - "picker": { - "header": "Tùy chỉnh", - "introduction": "Tinh chỉnh thuộc tính mỗi thực thể. Các tùy chỉnh được thêm \/ chỉnh sửa sẽ có hiệu lực ngay lập tức. Các tùy chỉnh bị xóa sẽ có hiệu lực khi thực thể được cập nhật." - } - }, - "automation": { - "caption": "Tự động hóa", - "description": "Tạo và chỉnh sửa Tự động hóa", - "picker": { - "header": "Trình biên tập tự động hóa", - "introduction": "Trình soạn thảo tự động hóa cho phép bạn tạo và chỉnh sửa tự động. Vui lòng đọc [hướng dẫn] (https:\/\/home-assistant.io\/docs\/automation\/editor\/) để đảm bảo rằng bạn đã cấu hình chính xác Home Assistant.", - "pick_automation": "Chọn tự động hóa để chỉnh sửa", - "no_automations": "Chúng tôi không thể tìm thấy tự động hóa nào có thể chỉnh sửa", - "add_automation": "Thêm Tự động hóa", - "learn_more": "Tìm hiểu thêm về Tự động hóa" - }, - "editor": { - "introduction": "Sử dụng tự động hóa để mang sự sống cho nhà bạn", - "default_name": "Thêm Tự động hóa", - "save": "Lưu", - "unsaved_confirm": "Bạn có thay đổi chưa được lưu. Bạn có chắc anh muốn bỏ đi?", - "alias": "Tên", - "triggers": { - "header": "Bộ khởi động", - "introduction": "Bộ khởi động là bắt đầu quá trình xử lý quy tắc tự động hóa. Có thể chỉ định nhiều Bộ khởi động cho cùng một quy tắc. Khi kích hoạt một bộ khởi động, Home Assistant sẽ xác nhận các điều kiện, nếu có, và gọi hành động. \n\n [Tìm hiểu thêm về Bộ khởi động] (https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", - "add": "Thêm Bộ khởi động", - "duplicate": "Bản sao", - "delete": "Xoá", - "delete_confirm": "Chắc chắn bạn muốn xóa?", - "unsupported_platform": "Nền tảng không được hỗ trợ: {platform}", - "type_select": "Loại Bộ khởi động", - "type": { - "event": { - "label": "Sự kiện", - "event_type": "Loại sự kiện", - "event_data": "Dữ liệu sự kiện" - }, - "state": { - "label": "Trạng thái", - "from": "Từ", - "to": "Đến", - "for": "Cho" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "Sự kiện:", - "start": "Bắt đầu", - "shutdown": "Tắt" - }, - "mqtt": { - "label": "MQTT", - "topic": "Chủ đề", - "payload": "Phụ tải (tùy chọn)" - }, - "numeric_state": { - "label": "Trạng thái số", - "above": "Trên", - "below": "Dưới", - "value_template": "Mẫu giá trị (tùy chọn)" - }, - "sun": { - "label": "Mặt trời", - "event": "Sự kiện:", - "sunrise": "Bình minh", - "sunset": "Hoàng hôn", - "offset": "Bù đắp (tùy chọn)" - }, - "template": { - "label": "Mẫu", - "value_template": "Mẫu giá trị (tùy chọn)" - }, - "time": { - "label": "Thời gian", - "at": "Lúc" - }, - "zone": { - "label": "Khu vực", - "entity": "Thực thể với vị trí", - "zone": "Vùng", - "event": "Sự kiện:", - "enter": "Vào", - "leave": "Ra" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook ID" - }, - "time_pattern": { - "label": "Mẫu thời gian", - "hours": "Giờ", - "minutes": "Phút", - "seconds": "Giây" - }, - "geo_location": { - "label": "Định vị địa lý", - "source": "Nguồn", - "zone": "Khu vực", - "event": "Sự kiện:", - "enter": "Vào", - "leave": "Ra" - } - }, - "learn_more": "Tìm hiểu thêm về Kích hoạt" - }, - "conditions": { - "header": "Điều kiện", - "introduction": "Điều kiện là một phần tùy chọn của quy tắc tự động hóa và có thể được sử dụng để ngăn chặn một hành động xảy ra khi kích hoạt. Các điều kiện trông rất giống với kích hoạt nhưng rất khác nhau. Trình kích hoạt sẽ xem xét các sự kiện xảy ra trong hệ thống trong khi điều kiện chỉ nhìn vào hệ thống hiện tại. Một bộ kích hoạt có thể quan sát thấy rằng một công tắc đang được bật. Một điều kiện chỉ có thể xem nếu một công tắc hiện đang được bật hoặc tắt. \n\n [Tìm hiểu thêm về điều kiện] (https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", - "add": "Thêm điều kiện", - "duplicate": "Nhân đôi", - "delete": "Xoá", - "delete_confirm": "Bạn chắc chắn muốn xoá?", - "unsupported_condition": "Điều kiện không được hỗ trợ: {condition}", - "type_select": "Loại điều kiện", - "type": { - "state": { - "label": "Trạng thái", - "state": "Trạng thái" - }, - "numeric_state": { - "label": "Trạng thái dạng số", - "above": "Ở trên", - "below": "Bên dưới", - "value_template": "Giá trị mẫu (không bắt buộc)" - }, - "sun": { - "label": "Mặt trời", - "before": "Trước khi:", - "after": "Sau khi:", - "before_offset": "Trước khi bù đắp (tùy chọn)", - "after_offset": "Sau khi bù đắp (tùy chọn)", - "sunrise": "Bình minh", - "sunset": "Hoàng hôn" - }, - "template": { - "label": "Mẫu", - "value_template": "Giá trị mẫu" - }, - "time": { - "label": "Thời gian", - "after": "Sau", - "before": "Trước" - }, - "zone": { - "label": "Vùng", - "entity": "Thực thể với vị trí", - "zone": "Vùng" - } - }, - "learn_more": "Tìm hiểu thêm về Điều kiện" - }, - "actions": { - "header": "Hành động", - "introduction": "Hành động là những gì Home Assistant sẽ làm khi tự động hóa được kích hoạt. \n\n [Tìm hiểu thêm về các hành động.] (https:\/\/home-assistant.io\/docs\/automation\/action\/)", - "add": "Thêm hành động", - "duplicate": "Nhân đôi", - "delete": "Xoá", - "delete_confirm": "Bạn chắc chắn muốn xoá?", - "unsupported_action": "Hành động không được hỗ trợ: {action}", - "type_select": "Loại hành động", - "type": { - "service": { - "label": "Gọi dịch vụ", - "service_data": "Dữ liệu dịch vụ" - }, - "delay": { - "label": "Chậm trễ", - "delay": "Hoãn" - }, - "wait_template": { - "label": "Chờ", - "wait_template": "Mẫu chờ", - "timeout": "Thời gian chờ (tùy chọn)" - }, - "condition": { - "label": "Điều kiện" - }, - "event": { - "label": "Kích hoạt Sự kiện", - "event": "Sự kiện:", - "service_data": "Dữ liệu cho dịch vụ" - } - }, - "learn_more": "Tìm hiểu thêm về Hành động" - }, - "load_error_not_editable": "Chỉ tự động hóa trong automations.yaml là có thể chỉnh sửa.", - "load_error_unknown": "Lỗi tải tự động hóa ({err_no})." - } - }, - "script": { - "caption": "Kịch bản", - "description": "Tạo và chỉnh sửa các tập lệnh" - }, - "zwave": { - "caption": "Z-Wave", - "description": "Quản lý mạng Z-Wave", - "services": { - "soft_reset": "Khởi động lại", - "save_config": "Lưu cấu hình", - "cancel_command": "Hủy lệnh" - }, - "common": { - "value": "Giá trị", - "index": "Mục lục" - }, - "node_config": { - "config_parameter": "Cấu hình tham số", - "config_value": "Giá trị cấu hình", - "true": "Đúng", - "false": "Sai", - "set_config_parameter": "Đặt tham số cấu hình" - } - }, - "users": { - "caption": "Người dùng", - "description": "Quản lý Người dùng", - "picker": { - "title": "Người dùng" - }, - "editor": { - "rename_user": "Đổi tên người dùng", - "change_password": "Đổi mật khẩu", - "activate_user": "Kích hoạt người dùng", - "deactivate_user": "Hủy kích hoạt người dùng", - "delete_user": "Xóa người dùng", - "caption": "Xem người dùng" - }, - "add_user": { - "caption": "Thêm người dùng", - "name": "Tên", - "username": "Tên đăng nhập", - "password": "Mật khẩu", - "create": "Tạo" - } - }, - "cloud": { - "caption": "Home Assistant Cloud", - "description_login": "Đã đăng nhập với tên {email}", - "description_not_login": "Chưa đăng nhập" - }, - "integrations": { - "caption": "Các bộ tích hợp", - "description": "Quản lý thiết bị và dịch vụ đã kết nối", - "discovered": "Đã quét", - "configured": "Đã cấu hình", - "new": "Thiết lập bộ tích hợp mới", - "configure": "Cấu hình", - "none": "Chưa có cấu hình nào", - "config_entry": { - "no_devices": "Bộ tích hợp này chưa có thiết bị nào", - "no_device": "Các mục không có thiết bị", - "delete_confirm": "Bạn chắc chắn muốn xóa bộ tích hợp này?", - "restart_confirm": "Khởi động lại Home Assistant để hoàn tất xóa bộ tích hợp này", - "manuf": "bởi {manufacturer}", - "via": "Đã kết nối qua", - "firmware": "Firmware: {version}", - "device_unavailable": "Thiết bị không khả dụng", - "entity_unavailable": "Thiết bị không khả dụng", - "no_area": "Không có khu vực" - }, - "config_flow": { - "external_step": { - "description": "Bước này yêu cầu bạn truy cập một trang web bên ngoài để hoàn thành.", - "open_site": "Mở trang web" - } - } - }, - "zha": { - "caption": "ZHA", - "description": "Quản lý mạng Zigbee Home Automation", - "services": { - "reconfigure": "Cấu hình lại thiết bị ZHA (chữa thiết bị). Sử dụng điều này nếu bạn gặp vấn đề với thiết bị. Nếu thiết bị được đề cập là thiết bị chạy bằng pin, vui lòng đảm bảo thiết bị đã hoạt động và chấp nhận lệnh khi bạn sử dụng dịch vụ này.", - "updateDeviceName": "Đặt tên tùy chỉnh cho thiết bị này trong sổ đăng ký thiết bị." - } - }, - "area_registry": { - "caption": "Đăng ký Khu vực", - "description": "Tổng quan tất cả các khu vực trong nhà bạn.", - "picker": { - "header": "Đăng ký Khu vực", - "introduction": "Các khu vực được sử dụng để phân loại các thiết bị. Thông tin này sẽ được sử dụng trong toàn bộ Home Assistant để giúp bạn tổ chức giao diện, quyền và tích hợp với các hệ thống khác.", - "introduction2": "Để đặt các thiết bị trong một khu vực, hãy sử dụng liên kết bên dưới để điều hướng đến trang tích hợp và sau đó nhấp vào tích hợp được định cấu hình để truy cập vào thẻ thiết bị.", - "integrations_page": "Trang tích hợp", - "no_areas": "Hình như bạn chưa có Khu vực nào!", - "create_area": "TẠO KHU VỰC" - }, - "no_areas": "Hình như bạn chưa có khu vực nào!", - "create_area": "TẠO KHU VỰC", - "editor": { - "default_name": "Khu vực mới", - "delete": "XÓA", - "update": "CẬP NHẬT", - "create": "TẠO" - } - }, - "entity_registry": { - "caption": "Đăng ký thực thể", - "description": "Tổng quan tất cả các thực thể đã biết.", - "picker": { - "header": "Đăng ký thực thể", - "unavailable": "(không có sẵn)", - "introduction": "Home Assistant giữ một sổ đăng ký của mọi thực thể mà nó từng thấy có thể được xác định duy nhất. Mỗi thực thể này sẽ có một ID thực thể được gán sẽ chỉ dành riêng cho thực thể này.", - "introduction2": "Sử dụng sổ đăng ký thực thể để ghi đè tên, thay đổi ID thực thể hoặc xóa mục nhập khỏi Home Assistant. Lưu ý, xóa mục đăng ký thực thể sẽ không xóa thực thể. Để làm điều đó, hãy theo liên kết dưới đây và xóa nó khỏi trang tích hợp.", - "integrations_page": "Trang tích hợp" - }, - "editor": { - "unavailable": "Thực thể này hiện không có sẵn.", - "default_name": "Khu vực mới", - "delete": "XÓA", - "update": "CẬP NHẬT" - } - }, - "person": { - "caption": "Người", - "description": "Quản lý những người mà Home Assistant theo dõi.", - "detail": { - "name": "Tên", - "device_tracker_intro": "Chọn các thiết bị thuộc về người này.", - "device_tracker_picked": "Thiết bị theo dõi", - "device_tracker_pick": "Chọn thiết bị để theo dõi" - } - }, - "server_control": { - "caption": "Điều khiển máy chủ", - "description": "Khởi động lại và dừng máy chủ Home Assistant", - "section": { - "validation": { - "heading": "Xác nhận cấu hình", - "introduction": "Xác thực cấu hình của bạn nếu gần đây bạn đã thực hiện một số thay đổi đối với cấu hình của bạn và muốn đảm bảo rằng nó là hợp lệ", - "check_config": "Kiểm tra cấu hình", - "valid": "Cấu hình hợp lệ!", - "invalid": "Cấu hình không hợp lệ" - }, - "reloading": { - "heading": "Nạp lại Cấu hình", - "introduction": "Một số phần của Home Assistant có thể tải lại mà không yêu cầu khởi động lại. Nhấn nút tải lại sẽ gỡ bỏ cấu hình hiện tại của nó và tải một cấu hình mới.", - "core": "Tải lại lõi", - "group": "Tải lại nhóm", - "automation": "Tải lại Tự động hóa", - "script": "Tải lại Kịch bản" - }, - "server_management": { - "heading": "Quản lý máy chủ", - "introduction": "Kiểm soát máy chủ Home Assistant của bạn từ Home Assistant.", - "restart": "Khởi động lại", - "stop": "Dừng" - } - } - } - }, - "profile": { - "push_notifications": { - "header": "Thông báo đẩy", - "description": "Gửi thông báo tới thiết bị này.", - "error_load_platform": "Configure notify.html5.", - "error_use_https": "Yêu cầu bật SSL cho giao diện người dùng.", - "push_notifications": "Thông báo đẩy", - "link_promo": "Tìm hiểu thêm" - }, - "language": { - "header": "Ngôn ngữ", - "link_promo": "Trợ giúp dịch", - "dropdown_label": "Ngôn ngữ" - }, - "themes": { - "header": "Giao diện", - "error_no_theme": "Không có giao diện nào.", - "link_promo": "Tìm hiểu về giao diện", - "dropdown_label": "Giao diện" - }, - "refresh_tokens": { - "header": "Token", - "description": "Mỗi mã token đại diện cho một phiên đăng nhập. Token sẽ được tự động loại bỏ khi bạn bấm vào đăng xuất. Những token đang hoạt động với tài khoản của bạn là:", - "token_title": "Làm mới token cho {clientId}", - "created_at": "Được tạo lúc {date}", - "confirm_delete": "Bạn có chắn chắn muốn xóa token truy cập {name}?", - "delete_failed": "Không thể xóa token truy cập.", - "last_used": "Sử dụng lần cuối lúc {date} từ {location}", - "not_used": "Chưa bao giờ được sử dụng", - "current_token_tooltip": "Không thể xóa token truy cập" - }, - "long_lived_access_tokens": { - "header": "Token truy cập thời hạn dài", - "description": "Tạo mã truy cập tồn tại lâu dài để cho phép script của bạn tương tác với Home assistant. Mỗi mã truy cập sẽ có hiệu lực trong 10 năm kể từ khi tạo. Các mã truy cập hiện đang hoạt động được thể hiện trong danh sách sau.", - "learn_auth_requests": "Làm thế nào để thực hiện yêu cầu xác thực.", - "created_at": "Được tạo lúc {date}", - "confirm_delete": "Bạn có chắn chắn muốn xóa token truy cập {name}?", - "delete_failed": "Không thể xóa token truy cập.", - "create": "Tạo Token", - "create_failed": "Không thể tạo token truy cập.", - "prompt_name": "Tên?", - "prompt_copy_token": "Sao chép token truy cập của bạn. Nó sẽ không đươc hiển thị nữa.", - "empty_state": "Bạn hiện tại chưa có token truy cập lâu dài", - "last_used": "Sử dụng lần cuối lúc {date} từ {location}", - "not_used": "Chưa bao giờ được sử dụng" - }, - "current_user": "Bạn hiện đang đăng nhập với tên {fullName} .", - "is_owner": "Bạn là chủ sở hữu.", - "change_password": { - "header": "Đổi mật khẩu", - "current_password": "Mật khẩu hiện tại", - "new_password": "Mật khẩu mới", - "confirm_new_password": "Xác nhận mật khẩu mới", - "error_required": "Yêu cầu", - "submit": "Gửi đi" - }, - "mfa": { - "header": "Các mô-đun đa xác thực", - "disable": "Vô hiệu hóa", - "enable": "Kích hoạt", - "confirm_disable": "Bạn có chắc chắn muốn tắt {name}?" - }, - "mfa_setup": { - "title_aborted": "Bị hủy bỏ", - "title_success": "Thành công!", - "step_done": "Đã hoàn tất thiết lập cho {step}", - "close": "Đóng", - "submit": "Gửi đi" - }, - "logout": "Đăng xuất", - "force_narrow": { - "header": "Luôn ẩn thanh bên", - "description": "Điều này sẽ ẩn thanh bên theo mặc định, tương tự như trải nghiệm di động." - } - }, - "page-authorize": { - "initializing": "Đang khởi tạo", - "authorizing_client": "Bạn sắp cấp quyền cho {clientId} truy cập vào Home Assistant của bạn.", - "logging_in_with": "Đăng nhập bằng **{authProviderName}**.", - "pick_auth_provider": "Hoặc đăng nhập bằng", - "abort_intro": "Đã hủy đăng nhập", - "form": { - "working": "Vui lòng đợi", - "unknown_error": "Đã xảy ra sự cố", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "Tên đăng nhập", - "password": "Mật khẩu" - } - }, - "mfa": { - "data": { - "code": "Mã xác thực hai lớp" - }, - "description": "Mở **{mfa_module_name}** trên thiết bị của bạn để xem mã xác thực hai lớp và xác minh danh tính của bạn:" - } - }, - "error": { - "invalid_auth": "Tên đăng nhập hoặc mật khẩu không chính xác", - "invalid_code": "Mã xác thực không hợp lệ" - }, - "abort": { - "login_expired": "Phiên làm việc đã hết hạn, vui lòng đăng nhập lại." - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "Mật khẩu API" - }, - "description": "Vui lòng nhập mật khẩu API trong cấu hình http của bạn:" - }, - "mfa": { - "data": { - "code": "Mã xác thực hai lớp" - }, - "description": "Mở **{mfa_module_name}** trên thiết bị của bạn để xem mã xác thực hai lớp và xác minh danh tính của bạn:" - } - }, - "error": { - "invalid_auth": "Mật khẩu API không hợp lệ", - "invalid_code": "Mã xác thực không chính xác" - }, - "abort": { - "no_api_password_set": "Bạn không có mật khẩu API được định cấu hình.", - "login_expired": "Phiên làm việc đã hết hạn, vui lòng đăng nhập lại." - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "Người dùng" - }, - "description": "Vui lòng lựa chọn một tài khoản để đăng nhập" - } - }, - "abort": { - "not_whitelisted": "Máy tính của bạn không nằm trong danh sách trắng." - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "Tên người dùng", - "password": "Mật khẩu" - } - }, - "mfa": { - "data": { - "code": "Mã xác nhận 2 bước" - }, - "description": "Mở **{mfa_module_name}** trên thiết bị của bạn để xem mã xác thực hai lớp và xác minh danh tính của bạn:" - } - }, - "error": { - "invalid_auth": "Tên đăng nhập hoặc mật khẩu không chính xác", - "invalid_code": "Mã xác nhận không hợp lệ" - }, - "abort": { - "login_expired": "Phiên làm việc đã hết hạn, vui lòng đăng nhập lại." - } - } - } - } - }, - "page-onboarding": { - "intro": "Bạn đã sẵn sàng để đánh thức ngôi nhà của mình, đòi lại sự riêng tư của bạn và tham gia vào một cộng đồng tinker trên toàn thế giới?", - "user": { - "intro": "Hãy bắt đầu bằng cách tạo tài khoản người dùng.", - "required_field": "Yêu cầu", - "data": { - "name": "Tên", - "username": "Tên đăng nhập", - "password": "Mật khẩu", - "password_confirm": "Xác nhận mật khẩu" - }, - "create_account": "Tạo tài khoản", - "error": { - "required_fields": "Điền vào tất cả các trường bắt buộc", - "password_not_match": "Mật khẩu không khớp" - } - }, - "integration": { - "intro": "Các thiết bị và dịch vụ được trình bày trong Home Assistant dưới dạng tích hợp. Bạn có thể thiết lập chúng ngay bây giờ hoặc thực hiện sau từ màn hình Cấu hình.", - "more_integrations": "Thêm", - "finish": "Hoàn thành" - }, - "core-config": { - "intro": "Xin chào {name} , chào mừng bạn đến với Home Assistant. Bạn muốn đặt tên nhà của bạn thế nào?", - "intro_location": "Chúng tôi muốn biết nơi bạn sống. Thông tin này sẽ giúp hiển thị thông tin và thiết lập tự động dựa trên mặt trời. Dữ liệu này không bao giờ được chia sẻ bên ngoài mạng của bạn.", - "intro_location_detect": "Chúng tôi có thể giúp bạn điền thông tin này bằng cách yêu cầu một lần cho dịch vụ bên ngoài.", - "location_name_default": "Nhà", - "button_detect": "Phát hiện", - "finish": "Kế tiếp" - } - }, - "lovelace": { - "cards": { - "shopping-list": { - "checked_items": "Mục đã chọn", - "clear_items": "Xóa các mục đã chọn", - "add_item": "Thêm mục" - }, - "empty_state": { - "title": "Chào mừng về nhà", - "no_devices": "Trang này cho phép bạn điều khiển các thiết bị của mình, tuy nhiên có vẻ như bạn chưa có thiết bị nào được thiết lập. Đi đến trang tích hợp để bắt đầu.", - "go_to_integrations_page": "Chuyển đến trang tích hợp." - }, - "picture-elements": { - "hold": "Giữ:", - "tap": "Nhấn:", - "navigate_to": "Điều hướng đến {location}", - "toggle": "Chuyển đổi {name}", - "call_service": "Gọi dịch vụ {name}", - "more_info": "Hiển thị thêm thông tin: {name}" - } - }, - "editor": { - "edit_card": { - "header": "Cấu hình Thẻ", - "save": "Lưu", - "toggle_editor": "Đổi trình biên tập", - "pick_card": "Chọn Thẻ bạn muốn thêm.", - "add": "Thêm Thẻ", - "edit": "Chỉnh sửa", - "delete": "Xóa", - "move": "Di chuyển" - }, - "migrate": { - "header": "Cấu hình không tương thích", - "para_no_id": "Phần tử này không có ID. Vui lòng thêm ID vào thành phần này trong 'ui-lovelace.yaml'.", - "para_migrate": "Home Assistant có thể tự động thêm ID vào tất cả các thẻ và chế độ xem của bạn bằng cách nhấn nút 'Tích hợp cấu hình'.", - "migrate": "Di chuyển cấu hình" - }, - "header": "Chỉnh sửa giao diện", - "edit_view": { - "header": "Cấu hình Tầm nhìn", - "add": "Thêm Tầm nhìn", - "edit": "Chỉnh sửa Tầm nhìn", - "delete": "Xóa Tầm nhìn" - }, - "save_config": { - "header": "Kiểm soát giao diện Lovelace của bạn", - "para": "Theo mặc định, Home Assistant sẽ duy trì giao diện của bạn, cập nhật nó khi các thực thể mới hoặc các thành phần Lovelace có sẵn. Nếu bạn kiểm soát, chúng tôi sẽ không còn thay đổi tự động cho bạn nữa.", - "para_sure": "Bạn có chắc chắn muốn kiểm soát giao diện của mình không?", - "cancel": "Đừng bận tâm", - "save": "Kiểm soát" - }, - "menu": { - "raw_editor": "Trình chỉnh sửa cấu hình thô" - }, - "raw_editor": { - "header": "Chỉnh sửa cấu hình", - "save": "Lưu", - "unsaved_changes": "Thay đổi chưa lưu", - "saved": "Đã lưu" - } - }, - "menu": { - "configure_ui": "Cấu hình giao diện", - "unused_entities": "Thực thể chưa sử dụng", - "help": "Trợ giúp", - "refresh": "Làm tươi" - }, - "warning": { - "entity_not_found": "Thực thể không có sẵn: {entity}", - "entity_non_numeric": "Thực thể không phải là số: {entity}" - }, - "changed_toast": { - "message": "Cấu hình Lovelace đã được cập nhật, bạn có muốn làm mới không?", - "refresh": "Làm tươi" - }, - "reload_lovelace": "Tải lại Lovelace" - }, - "page-demo": { - "cards": { - "demo": { - "learn_more": "Tìm hiểu thêm về Home Assistant" - } - }, - "config": { - "arsaboo": { - "names": { - "upstairs": "Tầng trên", - "family_room": "Phòng Gia đình", - "kitchen": "Phòng bếp", - "patio": "Sân trong", - "hallway": "Hành lang" - }, - "unit": { - "minutes_abbr": "phút" - } - } - } - } - }, - "sidebar": { - "log_out": "Đăng xuất", - "external_app_configuration": "Cấu hình ứng dụng" - }, - "common": { - "loading": "Đang tải", - "cancel": "Hủy bỏ", - "save": "Lưu" - }, - "duration": { - "day": "{count}{count, plural,\n one { ngày }\n other { ngày }\n}", - "week": "{count}{count, plural,\n one { tuần }\n other { tuần }\n}", - "second": "{count}{count, plural,\n one { giây }\n other { giây }\n}", - "minute": "{count} {count, plural,\n one { phút }\n other { phút }\n}", - "hour": "{count} {count, plural,\n one { giờ }\n other { giờ }\n}" - }, - "login-form": { - "password": "Mật khẩu", - "remember": "Ghi nhớ", - "log_in": "Đăng nhập" + "auth_store": { + "ask": "Bạn có muốn lưu thông tin đăng nhập này không?", + "confirm": "Lưu thông tin đăng nhập", + "decline": "Không, cám ơn" }, "card": { + "alarm_control_panel": { + "arm_away": "Đi vắng", + "arm_custom_bypass": "Bỏ qua tùy chỉnh", + "arm_home": "Ở nhà", + "arm_night": "An ninh ban đêm", + "armed_custom_bypass": "Bỏ qua tùy chỉnh", + "clear_code": "Xóa", + "code": "Mã số", + "disarm": "Vô hiệu hoá" + }, + "automation": { + "last_triggered": "Kích hoạt lần cuối", + "trigger": "Kích hoạt" + }, "camera": { "not_available": "Không có hình ảnh" }, + "climate": { + "aux_heat": "Nhiệt phụ trợ", + "away_mode": "Chế độ đi vắng", + "currently": "Hiện tại", + "fan_mode": "Chế độ quạt", + "on_off": "Bật \/ tắt", + "operation": "Chế độ hoạt động", + "preset_mode": "Đặt trước", + "swing_mode": "Chế độ swing", + "target_humidity": "Độ ẩm mục tiêu", + "target_temperature": "Nhiệt độ mục tiêu" + }, + "cover": { + "position": "Vị trí", + "tilt_position": "Nghiêng vị trí" + }, + "fan": { + "direction": "Hướng", + "oscillate": "Dao động", + "speed": "Tốc độ" + }, + "light": { + "brightness": "Độ sáng", + "color_temperature": "Nhiệt độ màu", + "effect": "Hiệu ứng", + "white_value": "Giá trị trắng" + }, + "lock": { + "code": "Mã", + "lock": "Khóa", + "unlock": "Mở khóa" + }, + "media_player": { + "sound_mode": "Chế độ âm thanh", + "source": "Nguồn", + "text_to_speak": "Văn bản sang giọng nói" + }, "persistent_notification": { "dismiss": "Bỏ qua" }, @@ -1083,6 +454,22 @@ "script": { "execute": "Thi hành" }, + "vacuum": { + "actions": { + "resume_cleaning": "Tiếp tục làm sạch", + "return_to_base": "Trở lại dock", + "start_cleaning": "Bắt đầu dọn dẹp", + "turn_off": "Tắt", + "turn_on": "Bật" + } + }, + "water_heater": { + "away_mode": "Chế độ đi vắng", + "currently": "Hiện tại", + "on_off": "Bật \/ tắt", + "operation": "Chế độ hoạt động", + "target_temperature": "Nhiệt độ mục tiêu" + }, "weather": { "attributes": { "air_pressure": "Áp suất không khí", @@ -1098,8 +485,8 @@ "n": "B", "ne": "ĐB", "nne": "BĐB", - "nw": "TB", "nnw": "BTB", + "nw": "TB", "s": "N", "se": "ĐN", "sse": "NĐN", @@ -1110,114 +497,40 @@ "wsw": "TTN" }, "forecast": "Dự báo" - }, - "alarm_control_panel": { - "code": "Mã số", - "clear_code": "Xóa", - "disarm": "Vô hiệu hoá", - "arm_home": "Ở nhà", - "arm_away": "Đi vắng", - "arm_night": "An ninh ban đêm", - "armed_custom_bypass": "Bỏ qua tùy chỉnh", - "arm_custom_bypass": "Bỏ qua tùy chỉnh" - }, - "automation": { - "last_triggered": "Kích hoạt lần cuối", - "trigger": "Kích hoạt" - }, - "cover": { - "position": "Vị trí", - "tilt_position": "Nghiêng vị trí" - }, - "fan": { - "speed": "Tốc độ", - "oscillate": "Dao động", - "direction": "Hướng" - }, - "light": { - "brightness": "Độ sáng", - "color_temperature": "Nhiệt độ màu", - "white_value": "Giá trị trắng", - "effect": "Hiệu ứng" - }, - "media_player": { - "text_to_speak": "Văn bản sang giọng nói", - "source": "Nguồn", - "sound_mode": "Chế độ âm thanh" - }, - "climate": { - "currently": "Hiện tại", - "on_off": "Bật \/ tắt", - "target_temperature": "Nhiệt độ mục tiêu", - "target_humidity": "Độ ẩm mục tiêu", - "operation": "Chế độ hoạt động", - "fan_mode": "Chế độ quạt", - "swing_mode": "Chế độ swing", - "away_mode": "Chế độ đi vắng", - "aux_heat": "Nhiệt phụ trợ", - "preset_mode": "Đặt trước" - }, - "lock": { - "code": "Mã", - "lock": "Khóa", - "unlock": "Mở khóa" - }, - "vacuum": { - "actions": { - "resume_cleaning": "Tiếp tục làm sạch", - "return_to_base": "Trở lại dock", - "start_cleaning": "Bắt đầu dọn dẹp", - "turn_on": "Bật", - "turn_off": "Tắt" - } - }, - "water_heater": { - "currently": "Hiện tại", - "on_off": "Bật \/ tắt", - "target_temperature": "Nhiệt độ mục tiêu", - "operation": "Chế độ hoạt động", - "away_mode": "Chế độ đi vắng" } }, + "common": { + "cancel": "Hủy bỏ", + "loading": "Đang tải", + "save": "Lưu" + }, "components": { "entity": { "entity-picker": { "entity": "Thực thể" } }, - "service-picker": { - "service": "Dịch vụ" - }, - "relative_time": { - "past": "{time} trước", - "future": "Trong {time}", - "never": "Không bao giờ", - "duration": { - "second": "{count}{count, plural,\n one { giây }\n other { giây }\n}", - "minute": "{count} {count, plural,\n one { phút }\n other { phút }\n}", - "hour": "{count} {count, plural,\n one { giờ }\n other { giờ }\n}", - "day": "{count} {count, plural,\n one { ngày }\n other { ngày }\n}", - "week": "{count} {count, plural,\n one { tuần }\n other { tuần }\n}" - } - }, "history_charts": { "loading_history": "Đang tải lịch sử trạng thái ...", "no_history_found": "Không tìm thấy lịch sử trạng thái." + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\n one { ngày }\\n other { ngày }\\n}", + "hour": "{count} {count, plural,\\n one { giờ }\\n other { giờ }\\n}", + "minute": "{count} {count, plural,\\n one { phút }\\n other { phút }\\n}", + "second": "{count}{count, plural,\\n one { giây }\\n other { giây }\\n}", + "week": "{count} {count, plural,\\n one { tuần }\\n other { tuần }\\n}" + }, + "future": "Trong {time}", + "never": "Không bao giờ", + "past": "{time} trước" + }, + "service-picker": { + "service": "Dịch vụ" } }, - "notification_toast": { - "entity_turned_on": "Đã bật {entity} .", - "entity_turned_off": "Đã tắt {entity} .", - "service_called": "Đã gọi dịch vụ {service} .", - "service_call_failed": "Không thể gọi dịch vụ {service} .", - "connection_lost": "Kết nối bị mất. Đang kết nối lại…" - }, "dialogs": { - "more_info_settings": { - "save": "Lưu", - "name": "Tên", - "entity_id": "ID thực thể" - }, "more_info_control": { "script": { "last_action": "Hành động cuối" @@ -1230,100 +543,787 @@ "updater": { "title": "Hướng dẫn cập nhật" } + }, + "more_info_settings": { + "entity_id": "ID thực thể", + "name": "Tên", + "save": "Lưu" } }, - "auth_store": { - "ask": "Bạn có muốn lưu thông tin đăng nhập này không?", - "decline": "Không, cám ơn", - "confirm": "Lưu thông tin đăng nhập" + "duration": { + "day": "{count}{count, plural,\\n one { ngày }\\n other { ngày }\\n}", + "hour": "{count} {count, plural,\\n one { giờ }\\n other { giờ }\\n}", + "minute": "{count} {count, plural,\\n one { phút }\\n other { phút }\\n}", + "second": "{count}{count, plural,\\n one { giây }\\n other { giây }\\n}", + "week": "{count}{count, plural,\\n one { tuần }\\n other { tuần }\\n}" + }, + "login-form": { + "log_in": "Đăng nhập", + "password": "Mật khẩu", + "remember": "Ghi nhớ" }, "notification_drawer": { "click_to_configure": "Nhấp vào nút để cấu hình {entity}", "empty": "Không có thông báo", "title": "Thông báo" - } - }, - "domain": { - "alarm_control_panel": "Bảng điều khiển an ninh", - "automation": "Tự động hóa", - "binary_sensor": "Cảm biến nhị phân", - "calendar": "Lịch", - "camera": "Máy ảnh", - "climate": "Khí hậu", - "configurator": "Trình cấu hình", - "conversation": "Hội thoại", - "cover": "Rèm, cửa cuốn", - "device_tracker": "Trình theo dõi thiết bị", - "fan": "Quạt", - "history_graph": "Biểu đồ lịch sử", - "group": "Nhóm", - "image_processing": "Xử lý ảnh", - "input_boolean": "Đầu vào lôgic", - "input_datetime": "Đầu vào ngày giờ", - "input_select": "Chọn đầu vào", - "input_number": "Đầu vào số", - "input_text": "Đầu vào ký tự", - "light": "Đèn", - "lock": "Khóa", - "mailbox": "Hộp thư", - "media_player": "Media player", - "notify": "Thông báo", - "plant": "Cây trồng", - "proximity": "Tiệm cận", - "remote": "ĐK Từ xa", - "scene": "Bối cảnh", - "script": "Kịch bản", - "sensor": "Cảm biến", - "sun": "Mặt trời", - "switch": "Công tắc", - "updater": "Trình cập nhật", - "weblink": "Liên kết web", - "zwave": "Z-Wave", - "vacuum": "Vacuum", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "Sức khỏe hệ thống", - "person": "Người" - }, - "attribute": { - "weather": { - "humidity": "Độ ẩm", - "visibility": "Tầm nhìn", - "wind_speed": "Tốc độ gió" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "Tắt", - "on": "Bật", - "auto": "Tự động" + }, + "notification_toast": { + "connection_lost": "Kết nối bị mất. Đang kết nối lại…", + "entity_turned_off": "Đã tắt {entity} .", + "entity_turned_on": "Đã bật {entity} .", + "service_call_failed": "Không thể gọi dịch vụ {service} .", + "service_called": "Đã gọi dịch vụ {service} ." + }, + "panel": { + "config": { + "area_registry": { + "caption": "Đăng ký Khu vực", + "create_area": "TẠO KHU VỰC", + "description": "Tổng quan tất cả các khu vực trong nhà bạn.", + "editor": { + "create": "TẠO", + "default_name": "Khu vực mới", + "delete": "XÓA", + "update": "CẬP NHẬT" + }, + "no_areas": "Hình như bạn chưa có khu vực nào!", + "picker": { + "create_area": "TẠO KHU VỰC", + "header": "Đăng ký Khu vực", + "integrations_page": "Trang tích hợp", + "introduction": "Các khu vực được sử dụng để phân loại các thiết bị. Thông tin này sẽ được sử dụng trong toàn bộ Home Assistant để giúp bạn tổ chức giao diện, quyền và tích hợp với các hệ thống khác.", + "introduction2": "Để đặt các thiết bị trong một khu vực, hãy sử dụng liên kết bên dưới để điều hướng đến trang tích hợp và sau đó nhấp vào tích hợp được định cấu hình để truy cập vào thẻ thiết bị.", + "no_areas": "Hình như bạn chưa có Khu vực nào!" + } + }, + "automation": { + "caption": "Tự động hóa", + "description": "Tạo và chỉnh sửa Tự động hóa", + "editor": { + "actions": { + "add": "Thêm hành động", + "delete": "Xoá", + "delete_confirm": "Bạn chắc chắn muốn xoá?", + "duplicate": "Nhân đôi", + "header": "Hành động", + "introduction": "Hành động là những gì Home Assistant sẽ làm khi tự động hóa được kích hoạt. \\n\\n [Tìm hiểu thêm về các hành động.] (https:\/\/home-assistant.io\/docs\/automation\/action\/)", + "learn_more": "Tìm hiểu thêm về Hành động", + "type_select": "Loại hành động", + "type": { + "condition": { + "label": "Điều kiện" + }, + "delay": { + "delay": "Hoãn", + "label": "Chậm trễ" + }, + "event": { + "event": "Sự kiện:", + "label": "Kích hoạt Sự kiện", + "service_data": "Dữ liệu cho dịch vụ" + }, + "service": { + "label": "Gọi dịch vụ", + "service_data": "Dữ liệu dịch vụ" + }, + "wait_template": { + "label": "Chờ", + "timeout": "Thời gian chờ (tùy chọn)", + "wait_template": "Mẫu chờ" + } + }, + "unsupported_action": "Hành động không được hỗ trợ: {action}" + }, + "alias": "Tên", + "conditions": { + "add": "Thêm điều kiện", + "delete": "Xoá", + "delete_confirm": "Bạn chắc chắn muốn xoá?", + "duplicate": "Nhân đôi", + "header": "Điều kiện", + "introduction": "Điều kiện là một phần tùy chọn của quy tắc tự động hóa và có thể được sử dụng để ngăn chặn một hành động xảy ra khi kích hoạt. Các điều kiện trông rất giống với kích hoạt nhưng rất khác nhau. Trình kích hoạt sẽ xem xét các sự kiện xảy ra trong hệ thống trong khi điều kiện chỉ nhìn vào hệ thống hiện tại. Một bộ kích hoạt có thể quan sát thấy rằng một công tắc đang được bật. Một điều kiện chỉ có thể xem nếu một công tắc hiện đang được bật hoặc tắt. \\n\\n [Tìm hiểu thêm về điều kiện] (https:\/\/home-assistant.io\/docs\/scripts\/conditions\/)", + "learn_more": "Tìm hiểu thêm về Điều kiện", + "type_select": "Loại điều kiện", + "type": { + "numeric_state": { + "above": "Ở trên", + "below": "Bên dưới", + "label": "Trạng thái dạng số", + "value_template": "Giá trị mẫu (không bắt buộc)" + }, + "state": { + "label": "Trạng thái", + "state": "Trạng thái" + }, + "sun": { + "after": "Sau khi:", + "after_offset": "Sau khi bù đắp (tùy chọn)", + "before": "Trước khi:", + "before_offset": "Trước khi bù đắp (tùy chọn)", + "label": "Mặt trời", + "sunrise": "Bình minh", + "sunset": "Hoàng hôn" + }, + "template": { + "label": "Mẫu", + "value_template": "Giá trị mẫu" + }, + "time": { + "after": "Sau", + "before": "Trước", + "label": "Thời gian" + }, + "zone": { + "entity": "Thực thể với vị trí", + "label": "Vùng", + "zone": "Vùng" + } + }, + "unsupported_condition": "Điều kiện không được hỗ trợ: {condition}" + }, + "default_name": "Thêm Tự động hóa", + "introduction": "Sử dụng tự động hóa để mang sự sống cho nhà bạn", + "load_error_not_editable": "Chỉ tự động hóa trong automations.yaml là có thể chỉnh sửa.", + "load_error_unknown": "Lỗi tải tự động hóa ({err_no}).", + "save": "Lưu", + "triggers": { + "add": "Thêm Bộ khởi động", + "delete": "Xoá", + "delete_confirm": "Chắc chắn bạn muốn xóa?", + "duplicate": "Bản sao", + "header": "Bộ khởi động", + "introduction": "Bộ khởi động là bắt đầu quá trình xử lý quy tắc tự động hóa. Có thể chỉ định nhiều Bộ khởi động cho cùng một quy tắc. Khi kích hoạt một bộ khởi động, Home Assistant sẽ xác nhận các điều kiện, nếu có, và gọi hành động. \\n\\n [Tìm hiểu thêm về Bộ khởi động] (https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", + "learn_more": "Tìm hiểu thêm về Kích hoạt", + "type_select": "Loại Bộ khởi động", + "type": { + "event": { + "event_data": "Dữ liệu sự kiện", + "event_type": "Loại sự kiện", + "label": "Sự kiện" + }, + "geo_location": { + "enter": "Vào", + "event": "Sự kiện:", + "label": "Định vị địa lý", + "leave": "Ra", + "source": "Nguồn", + "zone": "Khu vực" + }, + "homeassistant": { + "event": "Sự kiện:", + "label": "Home Assistant", + "shutdown": "Tắt", + "start": "Bắt đầu" + }, + "mqtt": { + "label": "MQTT", + "payload": "Phụ tải (tùy chọn)", + "topic": "Chủ đề" + }, + "numeric_state": { + "above": "Trên", + "below": "Dưới", + "label": "Trạng thái số", + "value_template": "Mẫu giá trị (tùy chọn)" + }, + "state": { + "for": "Cho", + "from": "Từ", + "label": "Trạng thái", + "to": "Đến" + }, + "sun": { + "event": "Sự kiện:", + "label": "Mặt trời", + "offset": "Bù đắp (tùy chọn)", + "sunrise": "Bình minh", + "sunset": "Hoàng hôn" + }, + "template": { + "label": "Mẫu", + "value_template": "Mẫu giá trị (tùy chọn)" + }, + "time_pattern": { + "hours": "Giờ", + "label": "Mẫu thời gian", + "minutes": "Phút", + "seconds": "Giây" + }, + "time": { + "at": "Lúc", + "label": "Thời gian" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook ID" + }, + "zone": { + "enter": "Vào", + "entity": "Thực thể với vị trí", + "event": "Sự kiện:", + "label": "Khu vực", + "leave": "Ra", + "zone": "Vùng" + } + }, + "unsupported_platform": "Nền tảng không được hỗ trợ: {platform}" + }, + "unsaved_confirm": "Bạn có thay đổi chưa được lưu. Bạn có chắc anh muốn bỏ đi?" + }, + "picker": { + "add_automation": "Thêm Tự động hóa", + "header": "Trình biên tập tự động hóa", + "introduction": "Trình soạn thảo tự động hóa cho phép bạn tạo và chỉnh sửa tự động. Vui lòng đọc [hướng dẫn] (https:\/\/home-assistant.io\/docs\/automation\/editor\/) để đảm bảo rằng bạn đã cấu hình chính xác Home Assistant.", + "learn_more": "Tìm hiểu thêm về Tự động hóa", + "no_automations": "Chúng tôi không thể tìm thấy tự động hóa nào có thể chỉnh sửa", + "pick_automation": "Chọn tự động hóa để chỉnh sửa" + } + }, + "cloud": { + "caption": "Home Assistant Cloud", + "description_login": "Đã đăng nhập với tên {email}", + "description_not_login": "Chưa đăng nhập" + }, + "core": { + "caption": "Tổng quát", + "description": "Xác nhận tập tin cấu hình của bạn và kiểm soát máy chủ", + "section": { + "core": { + "core_config": { + "edit_requires_storage": "Trình chỉnh sửa bị vô hiệu hóa do cấu hình được lưu trữ trong configuration.yaml.", + "elevation": "Độ cao", + "elevation_meters": "mét", + "imperial_example": "Độ F, pound", + "latitude": "Vĩ độ", + "location_name": "Tên cài đặt Home Assistant của bạn", + "longitude": "Kinh độ", + "metric_example": "Độ C, kilôgam", + "save_button": "Lưu", + "time_zone": "Múi giờ", + "unit_system": "Hệ thống đơn vị", + "unit_system_imperial": "Hệ inch", + "unit_system_metric": "Hệ mét" + }, + "header": "Cấu hình và kiểm soát máy chủ", + "introduction": "Thay đổi cấu hình của bạn có thể là một quá trình mệt mỏi. Chúng tôi biết. Phần này sẽ cố gắng làm cho việc đó dễ dàng hơn." + }, + "server_control": { + "reloading": { + "automation": "Tải lại Tự động hóa", + "core": "Tải lại lõi", + "group": "Tải lại nhóm", + "heading": "Nạp lại Cấu hình", + "introduction": "Một số phần của Home Assistant có thể tải lại mà không yêu cầu khởi động lại. Nhấn nút tải lại sẽ gỡ bỏ cấu hình hiện tại của nó và tải một cấu hình mới.", + "script": "Tải lại Kịch bản" + }, + "server_management": { + "heading": "Quản lý máy chủ", + "introduction": "Kiểm soát máy chủ Home Assistant của bạn từ Home Assistant.", + "restart": "Khởi động lại", + "stop": "Dừng" + }, + "validation": { + "check_config": "Kiểm tra cấu hình", + "heading": "Xác nhận cấu hình", + "introduction": "Xác thực cấu hình của bạn nếu gần đây bạn đã thực hiện một số thay đổi đối với cấu hình của bạn và muốn đảm bảo rằng nó là hợp lệ", + "invalid": "Cấu hình không hợp lệ", + "valid": "Cấu hình hợp lệ!" + } + } + } + }, + "customize": { + "caption": "Tùy chỉnh", + "description": "Tùy chỉnh các thực thể của bạn", + "picker": { + "header": "Tùy chỉnh", + "introduction": "Tinh chỉnh thuộc tính mỗi thực thể. Các tùy chỉnh được thêm \/ chỉnh sửa sẽ có hiệu lực ngay lập tức. Các tùy chỉnh bị xóa sẽ có hiệu lực khi thực thể được cập nhật." + } + }, + "entity_registry": { + "caption": "Đăng ký thực thể", + "description": "Tổng quan tất cả các thực thể đã biết.", + "editor": { + "default_name": "Khu vực mới", + "delete": "XÓA", + "unavailable": "Thực thể này hiện không có sẵn.", + "update": "CẬP NHẬT" + }, + "picker": { + "header": "Đăng ký thực thể", + "integrations_page": "Trang tích hợp", + "introduction": "Home Assistant giữ một sổ đăng ký của mọi thực thể mà nó từng thấy có thể được xác định duy nhất. Mỗi thực thể này sẽ có một ID thực thể được gán sẽ chỉ dành riêng cho thực thể này.", + "introduction2": "Sử dụng sổ đăng ký thực thể để ghi đè tên, thay đổi ID thực thể hoặc xóa mục nhập khỏi Home Assistant. Lưu ý, xóa mục đăng ký thực thể sẽ không xóa thực thể. Để làm điều đó, hãy theo liên kết dưới đây và xóa nó khỏi trang tích hợp.", + "unavailable": "(không có sẵn)" + } + }, + "header": "Cấu hình Home Assistant", + "integrations": { + "caption": "Các bộ tích hợp", + "config_entry": { + "delete_confirm": "Bạn chắc chắn muốn xóa bộ tích hợp này?", + "device_unavailable": "Thiết bị không khả dụng", + "entity_unavailable": "Thiết bị không khả dụng", + "firmware": "Firmware: {version}", + "manuf": "bởi {manufacturer}", + "no_area": "Không có khu vực", + "no_device": "Các mục không có thiết bị", + "no_devices": "Bộ tích hợp này chưa có thiết bị nào", + "restart_confirm": "Khởi động lại Home Assistant để hoàn tất xóa bộ tích hợp này", + "via": "Đã kết nối qua" + }, + "config_flow": { + "external_step": { + "description": "Bước này yêu cầu bạn truy cập một trang web bên ngoài để hoàn thành.", + "open_site": "Mở trang web" + } + }, + "configure": "Cấu hình", + "configured": "Đã cấu hình", + "description": "Quản lý thiết bị và dịch vụ đã kết nối", + "discovered": "Đã quét", + "new": "Thiết lập bộ tích hợp mới", + "none": "Chưa có cấu hình nào" + }, + "introduction": "Ở đây có thể định cấu hình các thành phần của bạn và Home Assistant. Không phải mọi thứ đều có thể được cấu hình từ giao diện người dùng, nhưng chúng tôi đang cải thiện việc đó.", + "person": { + "caption": "Người", + "description": "Quản lý những người mà Home Assistant theo dõi.", + "detail": { + "device_tracker_intro": "Chọn các thiết bị thuộc về người này.", + "device_tracker_pick": "Chọn thiết bị để theo dõi", + "device_tracker_picked": "Thiết bị theo dõi", + "name": "Tên" + } + }, + "script": { + "caption": "Kịch bản", + "description": "Tạo và chỉnh sửa các tập lệnh" + }, + "server_control": { + "caption": "Điều khiển máy chủ", + "description": "Khởi động lại và dừng máy chủ Home Assistant", + "section": { + "reloading": { + "automation": "Tải lại Tự động hóa", + "core": "Tải lại lõi", + "group": "Tải lại nhóm", + "heading": "Nạp lại Cấu hình", + "introduction": "Một số phần của Home Assistant có thể tải lại mà không yêu cầu khởi động lại. Nhấn nút tải lại sẽ gỡ bỏ cấu hình hiện tại của nó và tải một cấu hình mới.", + "script": "Tải lại Kịch bản" + }, + "server_management": { + "heading": "Quản lý máy chủ", + "introduction": "Kiểm soát máy chủ Home Assistant của bạn từ Home Assistant.", + "restart": "Khởi động lại", + "stop": "Dừng" + }, + "validation": { + "check_config": "Kiểm tra cấu hình", + "heading": "Xác nhận cấu hình", + "introduction": "Xác thực cấu hình của bạn nếu gần đây bạn đã thực hiện một số thay đổi đối với cấu hình của bạn và muốn đảm bảo rằng nó là hợp lệ", + "invalid": "Cấu hình không hợp lệ", + "valid": "Cấu hình hợp lệ!" + } + } + }, + "users": { + "add_user": { + "caption": "Thêm người dùng", + "create": "Tạo", + "name": "Tên", + "password": "Mật khẩu", + "username": "Tên đăng nhập" + }, + "caption": "Người dùng", + "description": "Quản lý Người dùng", + "editor": { + "activate_user": "Kích hoạt người dùng", + "caption": "Xem người dùng", + "change_password": "Đổi mật khẩu", + "deactivate_user": "Hủy kích hoạt người dùng", + "delete_user": "Xóa người dùng", + "rename_user": "Đổi tên người dùng" + }, + "picker": { + "title": "Người dùng" + } + }, + "zha": { + "caption": "ZHA", + "description": "Quản lý mạng Zigbee Home Automation", + "services": { + "reconfigure": "Cấu hình lại thiết bị ZHA (chữa thiết bị). Sử dụng điều này nếu bạn gặp vấn đề với thiết bị. Nếu thiết bị được đề cập là thiết bị chạy bằng pin, vui lòng đảm bảo thiết bị đã hoạt động và chấp nhận lệnh khi bạn sử dụng dịch vụ này.", + "updateDeviceName": "Đặt tên tùy chỉnh cho thiết bị này trong sổ đăng ký thiết bị." + } + }, + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "Mục lục", + "value": "Giá trị" + }, + "description": "Quản lý mạng Z-Wave", + "node_config": { + "config_parameter": "Cấu hình tham số", + "config_value": "Giá trị cấu hình", + "false": "Sai", + "set_config_parameter": "Đặt tham số cấu hình", + "true": "Đúng" + }, + "services": { + "cancel_command": "Hủy lệnh", + "save_config": "Lưu cấu hình", + "soft_reset": "Khởi động lại" + } + } }, - "preset_mode": { - "none": "Không", - "eco": "Tiết kiệm", - "away": "Đi vắng", - "boost": "Tăng cường", - "comfort": "Thoải mái", - "home": "Ở nhà", - "sleep": "Ngủ", - "activity": "Hoạt động" + "developer-tools": { + "tabs": { + "events": { + "title": "Sự kiện" + }, + "info": { + "title": "Thông tin" + }, + "mqtt": { + "title": "MQTT" + }, + "services": { + "title": "Dịch vụ" + }, + "states": { + "title": "Trạng thái" + }, + "templates": { + "title": "Mẫu sẵn" + } + } }, - "hvac_action": { - "off": "Tắt", - "heating": "Làm ấm", - "cooling": "Làm mát", - "drying": "Làm khô", - "idle": "Nhàn rỗi", - "fan": "Quạt" + "history": { + "period": "Giai đoạn", + "showing_entries": "Hiển thị mục cho" + }, + "logbook": { + "period": "Giai đoạn", + "showing_entries": "Hiển thị mục cho" + }, + "lovelace": { + "cards": { + "empty_state": { + "go_to_integrations_page": "Chuyển đến trang tích hợp.", + "no_devices": "Trang này cho phép bạn điều khiển các thiết bị của mình, tuy nhiên có vẻ như bạn chưa có thiết bị nào được thiết lập. Đi đến trang tích hợp để bắt đầu.", + "title": "Chào mừng về nhà" + }, + "picture-elements": { + "call_service": "Gọi dịch vụ {name}", + "hold": "Giữ:", + "more_info": "Hiển thị thêm thông tin: {name}", + "navigate_to": "Điều hướng đến {location}", + "tap": "Nhấn:", + "toggle": "Chuyển đổi {name}" + }, + "shopping-list": { + "add_item": "Thêm mục", + "checked_items": "Mục đã chọn", + "clear_items": "Xóa các mục đã chọn" + } + }, + "changed_toast": { + "message": "Cấu hình Lovelace đã được cập nhật, bạn có muốn làm mới không?", + "refresh": "Làm tươi" + }, + "editor": { + "edit_card": { + "add": "Thêm Thẻ", + "delete": "Xóa", + "edit": "Chỉnh sửa", + "header": "Cấu hình Thẻ", + "move": "Di chuyển", + "pick_card": "Chọn Thẻ bạn muốn thêm.", + "save": "Lưu", + "toggle_editor": "Đổi trình biên tập" + }, + "edit_view": { + "add": "Thêm Tầm nhìn", + "delete": "Xóa Tầm nhìn", + "edit": "Chỉnh sửa Tầm nhìn", + "header": "Cấu hình Tầm nhìn" + }, + "header": "Chỉnh sửa giao diện", + "menu": { + "raw_editor": "Trình chỉnh sửa cấu hình thô" + }, + "migrate": { + "header": "Cấu hình không tương thích", + "migrate": "Di chuyển cấu hình", + "para_migrate": "Home Assistant có thể tự động thêm ID vào tất cả các thẻ và chế độ xem của bạn bằng cách nhấn nút 'Tích hợp cấu hình'.", + "para_no_id": "Phần tử này không có ID. Vui lòng thêm ID vào thành phần này trong 'ui-lovelace.yaml'." + }, + "raw_editor": { + "header": "Chỉnh sửa cấu hình", + "save": "Lưu", + "saved": "Đã lưu", + "unsaved_changes": "Thay đổi chưa lưu" + }, + "save_config": { + "cancel": "Đừng bận tâm", + "header": "Kiểm soát giao diện Lovelace của bạn", + "para": "Theo mặc định, Home Assistant sẽ duy trì giao diện của bạn, cập nhật nó khi các thực thể mới hoặc các thành phần Lovelace có sẵn. Nếu bạn kiểm soát, chúng tôi sẽ không còn thay đổi tự động cho bạn nữa.", + "para_sure": "Bạn có chắc chắn muốn kiểm soát giao diện của mình không?", + "save": "Kiểm soát" + } + }, + "menu": { + "configure_ui": "Cấu hình giao diện", + "help": "Trợ giúp", + "refresh": "Làm tươi", + "unused_entities": "Thực thể chưa sử dụng" + }, + "reload_lovelace": "Tải lại Lovelace", + "warning": { + "entity_non_numeric": "Thực thể không phải là số: {entity}", + "entity_not_found": "Thực thể không có sẵn: {entity}" + } + }, + "mailbox": { + "delete_button": "Xóa", + "delete_prompt": "Xóa tin nhắn này?", + "empty": "Bạn không có tin nhắn nào", + "playback_title": "Phát lại tin nhắn" + }, + "page-authorize": { + "abort_intro": "Đã hủy đăng nhập", + "authorizing_client": "Bạn sắp cấp quyền cho {clientId} truy cập vào Home Assistant của bạn.", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "Phiên làm việc đã hết hạn, vui lòng đăng nhập lại." + }, + "error": { + "invalid_auth": "Tên đăng nhập hoặc mật khẩu không chính xác", + "invalid_code": "Mã xác nhận không hợp lệ" + }, + "step": { + "init": { + "data": { + "password": "Mật khẩu", + "username": "Tên người dùng" + } + }, + "mfa": { + "data": { + "code": "Mã xác nhận 2 bước" + }, + "description": "Mở **{mfa_module_name}** trên thiết bị của bạn để xem mã xác thực hai lớp và xác minh danh tính của bạn:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "Phiên làm việc đã hết hạn, vui lòng đăng nhập lại." + }, + "error": { + "invalid_auth": "Tên đăng nhập hoặc mật khẩu không chính xác", + "invalid_code": "Mã xác thực không hợp lệ" + }, + "step": { + "init": { + "data": { + "password": "Mật khẩu", + "username": "Tên đăng nhập" + } + }, + "mfa": { + "data": { + "code": "Mã xác thực hai lớp" + }, + "description": "Mở **{mfa_module_name}** trên thiết bị của bạn để xem mã xác thực hai lớp và xác minh danh tính của bạn:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "Phiên làm việc đã hết hạn, vui lòng đăng nhập lại.", + "no_api_password_set": "Bạn không có mật khẩu API được định cấu hình." + }, + "error": { + "invalid_auth": "Mật khẩu API không hợp lệ", + "invalid_code": "Mã xác thực không chính xác" + }, + "step": { + "init": { + "data": { + "password": "Mật khẩu API" + }, + "description": "Vui lòng nhập mật khẩu API trong cấu hình http của bạn:" + }, + "mfa": { + "data": { + "code": "Mã xác thực hai lớp" + }, + "description": "Mở **{mfa_module_name}** trên thiết bị của bạn để xem mã xác thực hai lớp và xác minh danh tính của bạn:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "Máy tính của bạn không nằm trong danh sách trắng." + }, + "step": { + "init": { + "data": { + "user": "Người dùng" + }, + "description": "Vui lòng lựa chọn một tài khoản để đăng nhập" + } + } + } + }, + "unknown_error": "Đã xảy ra sự cố", + "working": "Vui lòng đợi" + }, + "initializing": "Đang khởi tạo", + "logging_in_with": "Đăng nhập bằng **{authProviderName}**.", + "pick_auth_provider": "Hoặc đăng nhập bằng" + }, + "page-demo": { + "cards": { + "demo": { + "learn_more": "Tìm hiểu thêm về Home Assistant" + } + }, + "config": { + "arsaboo": { + "names": { + "family_room": "Phòng Gia đình", + "hallway": "Hành lang", + "kitchen": "Phòng bếp", + "patio": "Sân trong", + "upstairs": "Tầng trên" + }, + "unit": { + "minutes_abbr": "phút" + } + } + } + }, + "page-onboarding": { + "core-config": { + "button_detect": "Phát hiện", + "finish": "Kế tiếp", + "intro": "Xin chào {name} , chào mừng bạn đến với Home Assistant. Bạn muốn đặt tên nhà của bạn thế nào?", + "intro_location": "Chúng tôi muốn biết nơi bạn sống. Thông tin này sẽ giúp hiển thị thông tin và thiết lập tự động dựa trên mặt trời. Dữ liệu này không bao giờ được chia sẻ bên ngoài mạng của bạn.", + "intro_location_detect": "Chúng tôi có thể giúp bạn điền thông tin này bằng cách yêu cầu một lần cho dịch vụ bên ngoài.", + "location_name_default": "Nhà" + }, + "integration": { + "finish": "Hoàn thành", + "intro": "Các thiết bị và dịch vụ được trình bày trong Home Assistant dưới dạng tích hợp. Bạn có thể thiết lập chúng ngay bây giờ hoặc thực hiện sau từ màn hình Cấu hình.", + "more_integrations": "Thêm" + }, + "intro": "Bạn đã sẵn sàng để đánh thức ngôi nhà của mình, đòi lại sự riêng tư của bạn và tham gia vào một cộng đồng tinker trên toàn thế giới?", + "user": { + "create_account": "Tạo tài khoản", + "data": { + "name": "Tên", + "password": "Mật khẩu", + "password_confirm": "Xác nhận mật khẩu", + "username": "Tên đăng nhập" + }, + "error": { + "password_not_match": "Mật khẩu không khớp", + "required_fields": "Điền vào tất cả các trường bắt buộc" + }, + "intro": "Hãy bắt đầu bằng cách tạo tài khoản người dùng.", + "required_field": "Yêu cầu" + } + }, + "profile": { + "change_password": { + "confirm_new_password": "Xác nhận mật khẩu mới", + "current_password": "Mật khẩu hiện tại", + "error_required": "Yêu cầu", + "header": "Đổi mật khẩu", + "new_password": "Mật khẩu mới", + "submit": "Gửi đi" + }, + "current_user": "Bạn hiện đang đăng nhập với tên {fullName} .", + "force_narrow": { + "description": "Điều này sẽ ẩn thanh bên theo mặc định, tương tự như trải nghiệm di động.", + "header": "Luôn ẩn thanh bên" + }, + "is_owner": "Bạn là chủ sở hữu.", + "language": { + "dropdown_label": "Ngôn ngữ", + "header": "Ngôn ngữ", + "link_promo": "Trợ giúp dịch" + }, + "logout": "Đăng xuất", + "long_lived_access_tokens": { + "confirm_delete": "Bạn có chắn chắn muốn xóa token truy cập {name}?", + "create": "Tạo Token", + "create_failed": "Không thể tạo token truy cập.", + "created_at": "Được tạo lúc {date}", + "delete_failed": "Không thể xóa token truy cập.", + "description": "Tạo mã truy cập tồn tại lâu dài để cho phép script của bạn tương tác với Home assistant. Mỗi mã truy cập sẽ có hiệu lực trong 10 năm kể từ khi tạo. Các mã truy cập hiện đang hoạt động được thể hiện trong danh sách sau.", + "empty_state": "Bạn hiện tại chưa có token truy cập lâu dài", + "header": "Token truy cập thời hạn dài", + "last_used": "Sử dụng lần cuối lúc {date} từ {location}", + "learn_auth_requests": "Làm thế nào để thực hiện yêu cầu xác thực.", + "not_used": "Chưa bao giờ được sử dụng", + "prompt_copy_token": "Sao chép token truy cập của bạn. Nó sẽ không đươc hiển thị nữa.", + "prompt_name": "Tên?" + }, + "mfa_setup": { + "close": "Đóng", + "step_done": "Đã hoàn tất thiết lập cho {step}", + "submit": "Gửi đi", + "title_aborted": "Bị hủy bỏ", + "title_success": "Thành công!" + }, + "mfa": { + "confirm_disable": "Bạn có chắc chắn muốn tắt {name}?", + "disable": "Vô hiệu hóa", + "enable": "Kích hoạt", + "header": "Các mô-đun đa xác thực" + }, + "push_notifications": { + "description": "Gửi thông báo tới thiết bị này.", + "error_load_platform": "Configure notify.html5.", + "error_use_https": "Yêu cầu bật SSL cho giao diện người dùng.", + "header": "Thông báo đẩy", + "link_promo": "Tìm hiểu thêm", + "push_notifications": "Thông báo đẩy" + }, + "refresh_tokens": { + "confirm_delete": "Bạn có chắn chắn muốn xóa token truy cập {name}?", + "created_at": "Được tạo lúc {date}", + "current_token_tooltip": "Không thể xóa token truy cập", + "delete_failed": "Không thể xóa token truy cập.", + "description": "Mỗi mã token đại diện cho một phiên đăng nhập. Token sẽ được tự động loại bỏ khi bạn bấm vào đăng xuất. Những token đang hoạt động với tài khoản của bạn là:", + "header": "Token", + "last_used": "Sử dụng lần cuối lúc {date} từ {location}", + "not_used": "Chưa bao giờ được sử dụng", + "token_title": "Làm mới token cho {clientId}" + }, + "themes": { + "dropdown_label": "Giao diện", + "error_no_theme": "Không có giao diện nào.", + "header": "Giao diện", + "link_promo": "Tìm hiểu về giao diện" + } + }, + "shopping-list": { + "add_item": "Thêm mục", + "clear_completed": "Xóa hoàn tất", + "microphone_tip": "Chạm vào micrô ở trên cùng bên phải và nói \"Thêm kẹo vào danh sách mua sắm của tôi\"" } + }, + "sidebar": { + "external_app_configuration": "Cấu hình ứng dụng", + "log_out": "Đăng xuất" } - }, - "groups": { - "system-admin": "Quản trị viên", - "system-users": "Người dùng", - "system-read-only": "Người dùng chỉ đọc" } } \ No newline at end of file diff --git a/translations/zh-Hans.json b/translations/zh-Hans.json index 83f851f452..47176efd1f 100644 --- a/translations/zh-Hans.json +++ b/translations/zh-Hans.json @@ -1,53 +1,193 @@ { - "panel": { - "config": "配置", - "states": "概览", - "map": "地图", - "logbook": "日志", - "history": "历史", + "attribute": { + "weather": { + "humidity": "湿度", + "visibility": "能见度", + "wind_speed": "风速" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "配置条目", + "integration": "集成", + "user": "用户" + } + }, + "domain": { + "alarm_control_panel": "警报控制器", + "automation": "自动化", + "binary_sensor": "二元传感器", + "calendar": "日历", + "camera": "摄像头", + "climate": "空调", + "configurator": "配置器", + "conversation": "语音对话", + "cover": "卷帘", + "device_tracker": "设备跟踪器", + "fan": "风扇", + "group": "群组", + "hassio": "Hass.io", + "history_graph": "历史图表", + "homeassistant": "Home Assistant", + "image_processing": "图像处理", + "input_boolean": "二元选择器", + "input_datetime": "日期选择器", + "input_number": "数值选择器", + "input_select": "多项选择器", + "input_text": "文字输入", + "light": "灯光", + "lock": "锁", + "lovelace": "Lovelace", "mailbox": "邮箱", - "shopping_list": "购物清单", + "media_player": "播放器", + "notify": "通知", + "person": "个人", + "plant": "植物", + "proximity": "距离", + "remote": "遥控", + "scene": "场景", + "script": "脚本", + "sensor": "传感器", + "sun": "太阳", + "switch": "开关", + "system_health": "系统状态", + "updater": "更新提示", + "vacuum": "扫地机", + "weblink": "网址", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "管理员", + "system-read-only": "只读用户", + "system-users": "用户" + }, + "panel": { + "calendar": "日历", + "config": "配置", "dev-info": "信息", "developer_tools": "开发者工具", - "calendar": "日历", - "profile": "用户资料" + "history": "历史", + "logbook": "日志", + "mailbox": "邮箱", + "map": "地图", + "profile": "用户资料", + "shopping_list": "购物清单", + "states": "概览" + }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "自动", + "off": "关", + "on": "开" + }, + "hvac_action": { + "cooling": "制冷", + "drying": "除湿", + "fan": "送风", + "heating": "制热", + "idle": "空闲", + "off": "关闭" + }, + "preset_mode": { + "activity": "活动", + "away": "离家", + "boost": "强力", + "comfort": "舒适", + "eco": "节能", + "home": "在家", + "none": "无", + "sleep": "睡眠" + } + } + }, + "state_badge": { + "alarm_control_panel": { + "armed": "警戒中", + "armed_away": "警戒中", + "armed_custom_bypass": "警戒中", + "armed_home": "警戒中", + "armed_night": "警戒中", + "arming": "警戒准备", + "disarmed": "警戒解除", + "disarming": "警戒解除", + "pending": "挂起", + "triggered": "触发" + }, + "default": { + "entity_not_found": "未找到实体", + "error": "错误", + "unavailable": "不可用", + "unknown": "未知" + }, + "device_tracker": { + "home": "在家", + "not_home": "离开" + }, + "person": { + "home": "在家", + "not_home": "离开" + } }, "state": { - "default": { - "off": "关闭", - "on": "开", - "unknown": "未知", - "unavailable": "不可用" - }, "alarm_control_panel": { "armed": "警戒", - "disarmed": "警戒解除", - "armed_home": "在家警戒", "armed_away": "离家警戒", + "armed_custom_bypass": "自定义区域警戒", + "armed_home": "在家警戒", "armed_night": "夜间警戒", - "pending": "挂起", "arming": "警戒中", + "disarmed": "警戒解除", "disarming": "警戒解除", - "triggered": "已触发", - "armed_custom_bypass": "自定义区域警戒" + "pending": "挂起", + "triggered": "已触发" }, "automation": { "off": "关闭", "on": "开启" }, "binary_sensor": { + "battery": { + "off": "正常", + "on": "低" + }, + "cold": { + "off": "正常", + "on": "过冷" + }, + "connectivity": { + "off": "已断开", + "on": "已连接" + }, "default": { "off": "关闭", "on": "开启" }, - "moisture": { - "off": "干燥", - "on": "湿润" + "door": { + "off": "关闭", + "on": "开启" + }, + "garage_door": { + "off": "关闭", + "on": "开启" }, "gas": { "off": "正常", "on": "触发" }, + "heat": { + "off": "正常", + "on": "过热" + }, + "lock": { + "off": "上锁", + "on": "解锁" + }, + "moisture": { + "off": "干燥", + "on": "湿润" + }, "motion": { "off": "未触发", "on": "触发" @@ -56,6 +196,22 @@ "off": "未触发", "on": "已触发" }, + "opening": { + "off": "关闭", + "on": "开启" + }, + "presence": { + "off": "离开", + "on": "在家" + }, + "problem": { + "off": "正常", + "on": "异常" + }, + "safety": { + "off": "安全", + "on": "危险" + }, "smoke": { "off": "正常", "on": "触发" @@ -68,53 +224,9 @@ "off": "正常", "on": "触发" }, - "opening": { - "off": "关闭", - "on": "开启" - }, - "safety": { - "off": "安全", - "on": "危险" - }, - "presence": { - "off": "离开", - "on": "在家" - }, - "battery": { - "off": "正常", - "on": "低" - }, - "problem": { - "off": "正常", - "on": "异常" - }, - "connectivity": { - "off": "已断开", - "on": "已连接" - }, - "cold": { - "off": "正常", - "on": "过冷" - }, - "door": { - "off": "关闭", - "on": "开启" - }, - "garage_door": { - "off": "关闭", - "on": "开启" - }, - "heat": { - "off": "正常", - "on": "过热" - }, "window": { "off": "关闭", "on": "开启" - }, - "lock": { - "off": "上锁", - "on": "解锁" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "开" }, "camera": { + "idle": "待机", "recording": "录制中", - "streaming": "监控中", - "idle": "待机" + "streaming": "监控中" }, "climate": { - "off": "关", - "on": "开", - "heat": "制热", - "cool": "制冷", - "idle": "待机", "auto": "自动", + "cool": "制冷", "dry": "除湿", - "fan_only": "仅送风", "eco": "节能", "electric": "电驱模式", - "performance": "性能", - "high_demand": "高需求", - "heat_pump": "热泵", + "fan_only": "仅送风", "gas": "燃气", + "heat": "制热", + "heat_cool": "制热\/制冷", + "heat_pump": "热泵", + "high_demand": "高需求", + "idle": "待机", "manual": "手动", - "heat_cool": "制热\/制冷" + "off": "关", + "on": "开", + "performance": "性能" }, "configurator": { "configure": "设置", "configured": "设置成功" }, "cover": { - "open": "已打开", - "opening": "正在打开", "closed": "已关闭", "closing": "正在关闭", + "open": "已打开", + "opening": "正在打开", "stopped": "已停止" }, + "default": { + "off": "关闭", + "on": "开", + "unavailable": "不可用", + "unknown": "未知" + }, "device_tracker": { "home": "在家", "not_home": "离开" @@ -164,19 +282,19 @@ "on": "开" }, "group": { - "off": "关闭", - "on": "开启", - "home": "在家", - "not_home": "离开", - "open": "开启", - "opening": "正在打开", "closed": "已关闭", "closing": "正在关闭", - "stopped": "已停止", + "home": "在家", "locked": "已锁定", - "unlocked": "已解锁", + "not_home": "离开", + "off": "关闭", "ok": "正常", - "problem": "异常" + "on": "开启", + "open": "开启", + "opening": "正在打开", + "problem": "异常", + "stopped": "已停止", + "unlocked": "已解锁" }, "input_boolean": { "off": "关", @@ -191,13 +309,17 @@ "unlocked": "解锁" }, "media_player": { + "idle": "空闲", "off": "关", "on": "开", - "playing": "正在播放", "paused": "已暂停", - "idle": "空闲", + "playing": "正在播放", "standby": "待机" }, + "person": { + "home": "在家", + "not_home": "离开" + }, "plant": { "ok": "正常", "problem": "异常" @@ -225,17 +347,20 @@ "off": "关", "on": "开" }, - "zwave": { - "default": { - "initializing": "初始化", - "dead": "断开", - "sleeping": "休眠", - "ready": "就绪" - }, - "query_stage": { - "initializing": "初始化 ({query_stage})", - "dead": "断开 ({query_stage})" - } + "timer": { + "active": "激活", + "idle": "空闲", + "paused": "暂停" + }, + "vacuum": { + "cleaning": "正在清扫", + "docked": "停靠", + "error": "错误", + "idle": "空闲", + "off": "关闭", + "on": "开启", + "paused": "已暂停", + "returning": "正在返回" }, "weather": { "clear-night": "夜间晴朗", @@ -253,994 +378,80 @@ "windy": "有风", "windy-variant": "有风" }, - "vacuum": { - "cleaning": "正在清扫", - "docked": "停靠", - "error": "错误", - "idle": "空闲", - "off": "关闭", - "on": "开启", - "paused": "已暂停", - "returning": "正在返回" - }, - "timer": { - "active": "激活", - "idle": "空闲", - "paused": "暂停" - }, - "person": { - "home": "在家", - "not_home": "离开" - } - }, - "state_badge": { - "default": { - "unknown": "未知", - "unavailable": "不可用", - "error": "错误", - "entity_not_found": "未找到实体" - }, - "alarm_control_panel": { - "armed": "警戒中", - "disarmed": "警戒解除", - "armed_home": "警戒中", - "armed_away": "警戒中", - "armed_night": "警戒中", - "pending": "挂起", - "arming": "警戒准备", - "disarming": "警戒解除", - "triggered": "触发", - "armed_custom_bypass": "警戒中" - }, - "device_tracker": { - "home": "在家", - "not_home": "离开" - }, - "person": { - "home": "在家", - "not_home": "离开" + "zwave": { + "default": { + "dead": "断开", + "initializing": "初始化", + "ready": "就绪", + "sleeping": "休眠" + }, + "query_stage": { + "dead": "断开 ({query_stage})", + "initializing": "初始化 ({query_stage})" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "清除已完成项目", - "add_item": "添加项目", - "microphone_tip": "点击右上角麦克风图标并说 “Add candy to my shopping list”" - }, - "developer-tools": { - "tabs": { - "services": { - "title": "服务", - "description": "服务开发工具可让您在Home Assistant中调用任何可用的服务。", - "data": "服务数据(格式为YAML,选填)", - "call_service": "调用服务", - "select_service": "选择服务以查看其描述", - "no_description": "没有描述", - "no_parameters": "此服务不带任何参数。", - "column_parameter": "参数", - "column_description": "描述", - "column_example": "示例", - "fill_example_data": "填写示例数据", - "alert_parsing_yaml": "解析YAML时出错: {data}" - }, - "states": { - "title": "状态", - "description1": "设置设备在Homo Assistant中的呈现方式。", - "description2": "这将不影响实际设备。", - "entity": "设备\/实体", - "state": "状态", - "attributes": "属性", - "state_attributes": "状态属性(格式为YAML,选填)", - "set_state": "设置状态", - "current_entities": "现有设备\/实体", - "filter_entities": "输入筛选设备\/实体", - "filter_states": "输入筛选状态", - "filter_attributes": "输入筛选属性", - "no_entities": "没有可用设备\/实体", - "more_info": "更多信息", - "alert_entity_field": "设备\/实体是必填字段" - }, - "events": { - "title": "事件", - "description": "将事件发送到事件总线", - "documentation": "事件文档。", - "type": "事件类型", - "data": "事件数据(格式为YAML,选填)", - "fire_event": "触发事件", - "event_fired": "事件 {name} 已触发", - "available_events": "可用事件", - "count_listeners": "({count} 个监听器)", - "listen_to_events": "监听事件", - "listening_to": "监听", - "subscribe_to": "订阅事件", - "start_listening": "开始监听", - "stop_listening": "停止监听", - "alert_event_type": "事件类型是必填字段", - "notification_event_fired": "事件 {type} 成功触发!" - }, - "templates": { - "title": "模板", - "description": "模板使用jinja2模板引擎和一些Home Assistant特定的插件进行呈现。", - "editor": "模板编辑器", - "jinja_documentation": "Jinja2 模板文档", - "template_extensions": "Home Assistant 模板插件", - "unknown_error_template": "渲染模板时发生了未知错误" - }, - "mqtt": { - "title": "MQTT", - "description_publish": "发送一个数据包", - "topic": "主题(Topic)", - "payload": "有效负载(允许模板)", - "publish": "发送", - "description_listen": "监听一个主题(Topic)", - "listening_to": "监听", - "subscribe_to": "订阅主题(Topic)", - "start_listening": "开始监听", - "stop_listening": "停止监听", - "message_received": "{time} 收到关于 {topic} 的消息[ {id} ]" - }, - "info": { - "title": "信息", - "remove": "移除", - "set": "设置", - "default_ui": "{action} {name}为此设备上的默认页面", - "lovelace_ui": "前往使用 Lovelace UI 的默认页面", - "states_ui": "前往使用 states UI 的默认页面", - "home_assistant_logo": "Home Assistant logo", - "path_configuration": "configuration.yaml路径: {path}", - "developed_by": "由一帮很Awosome~~~的人开发。", - "license": "根据Apache 2.0许可发布", - "server": "服务器", - "frontend": "前端用户界面", - "built_using": "建于", - "icons_by": "图标来自", - "frontend_version": "前端版本: {version} - {type}", - "custom_uis": "自定义用户界面:", - "system_health_error": "未加载系统健康组件。请将 'system_health:' 添加到 configuration.yaml" - }, - "logs": { - "title": "日志", - "details": "日志详细信息( {level} )", - "load_full_log": "加载完整Home Assistant日志", - "loading_log": "正在加载错误日志...", - "no_errors": "未报告任何错误。", - "no_issues": "没有新问题!", - "clear": "清除", - "refresh": "刷新", - "multiple_messages": "邮件首次出现在{time},显示了{counter}次" - } - } - }, - "history": { - "showing_entries": "显示自以下日期的图表", - "period": "日期范围" - }, - "logbook": { - "showing_entries": "显示以下日期的条目", - "period": "周期" - }, - "mailbox": { - "empty": "您还没有任何消息", - "playback_title": "消息回放", - "delete_prompt": "删除此消息?", - "delete_button": "删除" - }, - "config": { - "header": "配置 Home Assistant", - "introduction": "你可以在此配置 Home Assistant 及组件。目前并非所有配置都能通过前端 UI 完成,但是我们在努力实现中。", - "core": { - "caption": "通用", - "description": "检查你的配置文件及服务器控制", - "section": { - "core": { - "header": "配置及服务器控制", - "introduction": "更改配置的过程可能有些抓狂,我们懂的。这部分将帮助你减轻一些工作。", - "core_config": { - "edit_requires_storage": "编辑器已禁用,因为配置存储于 configuration.yaml。", - "location_name": "Home Assistant 安装的名称", - "latitude": "纬度", - "longitude": "经度", - "elevation": "海拔", - "elevation_meters": "米", - "time_zone": "时区", - "unit_system": "单位制", - "unit_system_imperial": "英制", - "unit_system_metric": "公制", - "imperial_example": "华氏、磅", - "metric_example": "摄氏、千克", - "save_button": "保存" - } - }, - "server_control": { - "validation": { - "heading": "配置检查", - "introduction": "此处可以帮助你检验最新修改的配置文件有效性", - "check_config": "检查配置", - "valid": "配置有效!", - "invalid": "配置无效" - }, - "reloading": { - "heading": "配置重载", - "introduction": "Home Assistant 中的部分配置可以直接重载,而无需重启服务。点击重载按钮将重新载入新的配置。", - "core": "重载核心配置", - "group": "重载分组", - "automation": "重载自动化", - "script": "重载脚本" - }, - "server_management": { - "heading": "服务管理", - "introduction": "在这里即可控制 Home Assistant 服务。", - "restart": "重启服务", - "stop": "停止服务" - } - } - } - }, - "customize": { - "caption": "自定义", - "description": "自定义实体", - "picker": { - "header": "自定义", - "introduction": "调整每个实体的属性。添加\/编辑的自定义设置将立即生效,删除的自定义设置将在实体更新时生效。" - } - }, - "automation": { - "caption": "自动化", - "description": "创建和编辑自动化", - "picker": { - "header": "自动化编辑器", - "introduction": "自动化编辑器方便你创建及编辑自动化。请按照下面的链接阅读说明,以确保您已正确配置Home Assistant。", - "pick_automation": "选择要编辑的自动化", - "no_automations": "未找到可编辑的自动化", - "add_automation": "添加自动化", - "learn_more": "详细了解自动化" - }, - "editor": { - "introduction": "使用自动化让你的家聪明起来", - "default_name": "新建自动化", - "save": "保存", - "unsaved_confirm": "有更改尚未保存,确定离开页面吗?", - "alias": "名称", - "triggers": { - "header": "触发条件", - "introduction": "触发条件是整个自动化流程的起点。一个自动化实例中可以设置多个触发条件。一旦该条件满足,Home Assistant 将验证环境条件(Conditions)是否符合,如果符合,则执行动作(Actions)。\n\n[了解更多内容](https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", - "add": "添加触发条件", - "duplicate": "复制", - "delete": "删除", - "delete_confirm": "确认删除?", - "unsupported_platform": "不支持的平台:{platform}", - "type_select": "触发条件类型", - "type": { - "event": { - "label": "事件", - "event_type": "事件类型", - "event_data": "事件数据" - }, - "state": { - "label": "状态", - "from": "从", - "to": "变为", - "for": "持续" - }, - "homeassistant": { - "label": "Home Assistant", - "event": "事件:", - "start": "启动", - "shutdown": "关闭" - }, - "mqtt": { - "label": "MQTT", - "topic": "Topic", - "payload": "参数(可选)" - }, - "numeric_state": { - "label": "数字类状态", - "above": "大于", - "below": "小于", - "value_template": "自定义值(可选)" - }, - "sun": { - "label": "日出\/日落", - "event": "事件:", - "sunrise": "日出", - "sunset": "日落", - "offset": "偏移(可选)" - }, - "template": { - "label": "自定义模板", - "value_template": "自定义值" - }, - "time": { - "label": "时间", - "at": "当" - }, - "zone": { - "label": "地点", - "entity": "位置追踪设备", - "zone": "地点", - "event": "事件:", - "enter": "进入", - "leave": "离开" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook ID" - }, - "time_pattern": { - "label": "时间模式", - "hours": "小时", - "minutes": "分", - "seconds": "秒" - }, - "geo_location": { - "label": "地理位置", - "source": "位置来源", - "zone": "区域", - "event": "事件:", - "enter": "进入", - "leave": "离开" - }, - "device": { - "label": "设备" - } - }, - "learn_more": "详细了解触发条件" - }, - "conditions": { - "header": "环境条件", - "introduction": "环境条件是自动化流程中的可选部分,它可用于触发条件触发时拦截不符合条件的动作。环境条件看似像触发条件实则大有不同。触发条件监测系统中事件的发生,也就是瞬时动作;而环境条件监测的是系统当前的状态。触发条件可以观察到开关打开的动作。条件只能查看当前开关是开还是关。", - "add": "添加环境条件", - "duplicate": "复制", - "delete": "删除", - "delete_confirm": "确认删除?", - "unsupported_condition": "不支持的环境条件:{condition}", - "type_select": "环境条件类型", - "type": { - "state": { - "label": "状态", - "state": "状态" - }, - "numeric_state": { - "label": "数字型状态", - "above": "大于", - "below": "小于", - "value_template": "自定义值(可选)" - }, - "sun": { - "label": "日出\/日落", - "before": "早于:", - "after": "晚于:", - "before_offset": "提前:(可选)", - "after_offset": "延后:(可选)", - "sunrise": "日出", - "sunset": "日落" - }, - "template": { - "label": "模板", - "value_template": "自定义模板" - }, - "time": { - "label": "时间", - "after": "晚于", - "before": "早于" - }, - "zone": { - "label": "地点", - "entity": "位置追踪设备", - "zone": "地点" - } - }, - "learn_more": "详细了解环境条件" - }, - "actions": { - "header": "动作", - "introduction": "Actions(动作)是当自动化条件满足时 Home Assistant 执行的操作。\n\n[了解更多关于 Actions 的信息](https:\/\/home-assistant.io\/docs\/automation\/action)", - "add": "添加动作", - "duplicate": "复制", - "delete": "删除", - "delete_confirm": "确认删除?", - "unsupported_action": "不支持的操作: {action}", - "type_select": "动作类型", - "type": { - "service": { - "label": "调用服务", - "service_data": "服务数据" - }, - "delay": { - "label": "延迟", - "delay": "延迟" - }, - "wait_template": { - "label": "等待", - "wait_template": "等待模板", - "timeout": "超时(可选)" - }, - "condition": { - "label": "环境条件" - }, - "event": { - "label": "触发事件", - "event": "事件:", - "service_data": "服务数据" - }, - "device_id": { - "label": "设备" - } - }, - "learn_more": "详细了解动作" - }, - "load_error_not_editable": "只能编辑 automations.yaml 中的自动化。", - "load_error_unknown": "加载自动化错误 ({err_no})。" - } - }, - "script": { - "caption": "脚本", - "description": "创建和编辑脚本" - }, - "zwave": { - "caption": "Z-Wave", - "description": "管理 Z-Wave 网络", - "network_management": { - "header": "Z-Wave 网络管理", - "introduction": "运行影响 Z-Wave 网络的命令。大多数命令无法反馈是否执行成功,但您可以尝试检查 OZW 日志来确认。" - }, - "network_status": { - "network_stopped": "Z-Wave 网络已停止", - "network_starting": "启动 Z-Wave 网络......", - "network_starting_note": "这可能需要一段时间,具体取决于您的网络规模。", - "network_started": "Z-Wave 网络已启动", - "network_started_note_some_queried": "已查询唤醒节点。睡眠节点将在唤醒时被查询。", - "network_started_note_all_queried": "已查询所有节点。" - }, - "services": { - "start_network": "启动网络", - "stop_network": "停止网络", - "heal_network": "修复网络", - "test_network": "测试网络", - "soft_reset": "软复位", - "save_config": "保存配置", - "add_node": "添加节点", - "remove_node": "删除节点", - "cancel_command": "取消命令" - }, - "common": { - "value": "值", - "instance": "实例", - "index": "指数", - "unknown": "未知", - "wakeup_interval": "唤醒时间间隔" - }, - "values": { - "header": "节点值" - }, - "node_config": { - "header": "节点配置选项", - "seconds": "秒", - "set_wakeup": "设置唤醒间隔", - "config_parameter": "配置参数", - "config_value": "配置值", - "set_config_parameter": "设置配置参数" - } - }, - "users": { - "caption": "用户", - "description": "管理用户", - "picker": { - "title": "用户" - }, - "editor": { - "rename_user": "重命名用户", - "change_password": "更改密码", - "activate_user": "激活用户", - "deactivate_user": "停用用户", - "delete_user": "删除用户", - "caption": "用户信息" - }, - "add_user": { - "caption": "添加用户", - "name": "名字", - "username": "用户名", - "password": "密码", - "create": "创建" - } - }, - "cloud": { - "caption": "Home Assistant Cloud", - "description_login": "登录为 {email}", - "description_not_login": "未登录", - "description_features": "整合 Alexa 及 Google 助理,远程控制智能家居。" - }, - "integrations": { - "caption": "集成", - "description": "管理连接的设备和服务", - "discovered": "已发现", - "configured": "已配置", - "new": "设置新集成", - "configure": "配置", - "none": "尚未配置任何集成", - "config_entry": { - "no_devices": "此集成没有设备。", - "no_device": "无设备关联的实体", - "delete_confirm": "您确定要删除此集成吗?", - "restart_confirm": "重启 Home Assistant 以完成此集成的删除", - "manuf": "by {manufacturer}", - "via": "链接于", - "firmware": "固件:{version}", - "device_unavailable": "设备不可用", - "entity_unavailable": "实体不可用", - "no_area": "没有区域", - "hub": "连接于" - }, - "config_flow": { - "external_step": { - "description": "此步骤需要访问外部网站才能完成。", - "open_site": "打开网站" - } - } - }, - "zha": { - "caption": "ZHA", - "description": "Zigbee 智能家居(ZHA) 网络管理", - "services": { - "reconfigure": "重新配置ZHA设备(唤醒设备)。如果您的设备遇到问题,请使用此项。如果有问题的设备是电池供电的,请确保在使用此服务时它处于唤醒状态并可以接受指令。", - "updateDeviceName": "在设备注册表中为此设备设置自定义名称。", - "remove": "从 Zigbee 网络中删除设备。" - }, - "device_card": { - "device_name_placeholder": "用户指定的名称", - "area_picker_label": "区域", - "update_name_button": "更新名称" - }, - "add_device_page": { - "header": "Zigbee家庭自动化 - 添加设备", - "spinner": "正在寻找ZHA Zigbee设备......", - "discovery_text": "发现的设备将显示在此处。按照设备的说明进行操作,并将设备置于配对模式。" - } - }, - "area_registry": { - "caption": "区域注册", - "description": "您家中所有区域的概览。", - "picker": { - "header": "区域注册表", - "introduction": "区域用于组织设备所在的位置。此信息将用于 Home Assistant 的各个地方,以帮助您组织界面、权限和与其他系统的集成。", - "introduction2": "要将设备置入某个区域,请使用下面的链接导航到集成页面,然后点击一个已配置的集成以进入设备卡片。", - "integrations_page": "集成页面", - "no_areas": "看来你还没有建立区域!", - "create_area": "创建区域" - }, - "no_areas": "看来你还没有建立区域!", - "create_area": "创建区域", - "editor": { - "default_name": "新建区域", - "delete": "删除", - "update": "更新", - "create": "创建" - } - }, - "entity_registry": { - "caption": "实体注册", - "description": "所有已知实体的概览。", - "picker": { - "header": "实体注册表", - "unavailable": "(不可用)", - "introduction": "Home Assistant 将会以唯一标识的形式记录发现的每个实体。这些实体被各自分配一个实体 ID,仅保留给对应实体。", - "introduction2": "使用本实体注册工具重写名称,修改实体 ID 或者从 Home Assistant 删除实体。注意,删除实体注册信息并不会删除实体本身。如果要删除实体,请点击下面的链接进入集成页面进行操作。", - "integrations_page": "集成页面" - }, - "editor": { - "unavailable": "该实体暂不可用。", - "default_name": "新建区域", - "delete": "删除", - "update": "更新", - "enabled_label": "启用实体", - "enabled_cause": "被{cause}禁用。", - "enabled_description": "已禁用的实体不再添加到 Home Assistant。" - } - }, - "person": { - "caption": "人员", - "description": "管理 Home Assistant 跟踪的人员。", - "detail": { - "name": "名字", - "device_tracker_intro": "选择属于此人的设备。", - "device_tracker_picked": "跟踪设备", - "device_tracker_pick": "选择要跟踪的设备" - } - }, - "server_control": { - "caption": "服务器控制", - "description": "重新启动或停止 Home Assistant 服务", - "section": { - "validation": { - "heading": "配置有效性", - "introduction": "此处可以帮助你检验最新修改的配置文件有效性", - "check_config": "检查配置", - "valid": "配置有效!", - "invalid": "配置无效" - }, - "reloading": { - "heading": "配置重载", - "introduction": "Home Assistant 中的部分配置可以直接重载,而无需重启服务。点击重载按钮将重新载入新的配置。", - "core": "重载核心模块", - "group": "重载分组", - "automation": "重载自动化", - "script": "重载脚本", - "scene": "重载场景" - }, - "server_management": { - "heading": "服务器管理", - "introduction": "在这里即可控制 Home Assistant 服务。", - "restart": "重新启动", - "stop": "停止服务", - "confirm_restart": "您确定要重新启动 Home Assistant 吗?", - "confirm_stop": "您确定要停止 Home Assistant 吗?" - } - } - }, - "devices": { - "caption": "设备", - "description": "已连接设备管理" - } - }, - "profile": { - "push_notifications": { - "header": "通知推送", - "description": "向本设备发送通知", - "error_load_platform": "请配置 notify.html5。", - "error_use_https": "需要为前端启用 SSL。", - "push_notifications": "通知推送", - "link_promo": "了解更多信息" - }, - "language": { - "header": "语言", - "link_promo": "帮助翻译", - "dropdown_label": "语言" - }, - "themes": { - "header": "主题", - "error_no_theme": "没有可用的主题。", - "link_promo": "了解主题", - "dropdown_label": "主题" - }, - "refresh_tokens": { - "header": "刷新令牌", - "description": "每个刷新令牌代表一个登录会话。注销登录时将自动删除刷新令牌。下列为目前您的用户名下激活的刷新令牌。", - "token_title": "{clientId} 的刷新令牌", - "created_at": "创建于 {date}", - "confirm_delete": "确定要删除 {name} 的刷新令牌吗?", - "delete_failed": "无法删除刷新令牌。", - "last_used": "上次使用于 {date} 来自 {location}", - "not_used": "从未使用过", - "current_token_tooltip": "不能删除当前使用的刷新令牌" - }, - "long_lived_access_tokens": { - "header": "长期访问令牌", - "description": "创建长期访问令牌以允许脚本与 Home Assistant 实例进行交互。每个令牌在创建后有效期为 10 年。以下是处于激活状态的长期访问令牌。", - "learn_auth_requests": "了解如何创建经过身份验证的请求。", - "created_at": "创建于 {date}", - "confirm_delete": "确定要删除 {name} 的访问令牌吗?", - "delete_failed": "无法删除访问令牌。", - "create": "创建令牌", - "create_failed": "无法创建访问令牌。", - "prompt_name": "名称?", - "prompt_copy_token": "请复制你的访问令牌。它不会再显示出来。", - "empty_state": "您还没有长期访问令牌。", - "last_used": "上次使用于 {date} 来自 {location}", - "not_used": "从未使用过" - }, - "current_user": "您目前以 {fullName} 的身份登录。", - "is_owner": "您拥有所有者权限。", - "change_password": { - "header": "更改密码", - "current_password": "当前密码", - "new_password": "新密码", - "confirm_new_password": "确认新密码", - "error_required": "必填", - "submit": "提交" - }, - "mfa": { - "header": "多因素身份验证模块", - "disable": "禁用", - "enable": "启用", - "confirm_disable": "您确定要禁用 {name} 吗?" - }, - "mfa_setup": { - "title_aborted": "中止", - "title_success": "成功!", - "step_done": "{step} 设置完成", - "close": "关闭", - "submit": "提交" - }, - "logout": "退出", - "force_narrow": { - "header": "始终隐藏侧边栏", - "description": "这将默认隐藏侧边栏,体验与手机版类似。" - } - }, - "page-authorize": { - "initializing": "正在初始化", - "authorizing_client": "您即将授权 {clientId} 访问 Home Assistant 实例。", - "logging_in_with": "正在用 **{authProviderName}** 登录。", - "pick_auth_provider": "或者用以下方式登录", - "abort_intro": "登录中断", - "form": { - "working": "请稍候", - "unknown_error": "出现了一些问题", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "用户名", - "password": "密码" - } - }, - "mfa": { - "data": { - "code": "双重认证口令" - }, - "description": "在设备上打开 **{mfa_module_name}** 查看双重认证口令并验证您的身份:" - } - }, - "error": { - "invalid_auth": "无效的用户名或密码", - "invalid_code": "无效口令" - }, - "abort": { - "login_expired": "会话已过期,请重新登录。" - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "API 密码" - }, - "description": "请输入 http 配置中的 API 密码:" - }, - "mfa": { - "data": { - "code": "双重认证口令" - }, - "description": "在设备上打开 **{mfa_module_name}** 查看双重认证口令并验证您的身份:" - } - }, - "error": { - "invalid_auth": "无效的 API 密码", - "invalid_code": "无效口令" - }, - "abort": { - "no_api_password_set": "您还没有配置 API 密码。", - "login_expired": "会话已过期,请重新登录。" - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "用户" - }, - "description": "请选择要登录的用户:" - } - }, - "abort": { - "not_whitelisted": "您的电脑不在白名单内。" - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "用户名", - "password": "密码" - } - }, - "mfa": { - "data": { - "code": "双重认证口令" - }, - "description": "在设备上打开 **{mfa_module_name}** 查看双重认证口令并验证您的身份:" - } - }, - "error": { - "invalid_auth": "无效的用户名或密码", - "invalid_code": "无效口令" - }, - "abort": { - "login_expired": "会话已过期,请重新登录。" - } - } - } - } - }, - "page-onboarding": { - "intro": "准备好唤醒你的家、找回你的隐私,并加入世界级的极客社区了吗?", - "user": { - "intro": "让我们从创建用户帐户开始吧。", - "required_field": "必填", - "data": { - "name": "姓名", - "username": "用户名", - "password": "密码", - "password_confirm": "确认密码" - }, - "create_account": "创建帐户", - "error": { - "required_fields": "请填写所有必填字段", - "password_not_match": "密码不匹配" - } - }, - "integration": { - "intro": "设备和服务在 Home Assistant 中表示为集成。您可以立即设置它们,也可以稍后在配置屏幕进行设置。", - "more_integrations": "更多", - "finish": "完成" - }, - "core-config": { - "intro": "{name},您好!欢迎来到 Home Assistant。您想怎样命名您的家呢?", - "intro_location": "我们想知道您住在哪里。这将用于显示资讯以及设置基于太阳的自动化。此数据永远不会在您的网络以外共享。", - "intro_location_detect": "我们可以通过向外部服务发出一个一次性请求来帮助您填写此信息。", - "location_name_default": "家", - "button_detect": "自动检测", - "finish": "下一步" - } - }, - "lovelace": { - "cards": { - "shopping-list": { - "checked_items": "已完成项目", - "clear_items": "清除已完成项目", - "add_item": "新增项目" - }, - "empty_state": { - "title": "欢迎回家", - "no_devices": "此页面是用来控制设备的,不过您好像还没有配置好任何设备。请前往集成页面以开始。", - "go_to_integrations_page": "前往集成页面。" - }, - "picture-elements": { - "hold": "按住:", - "tap": "点击:", - "navigate_to": "导航到{location}", - "toggle": "切换{name}", - "call_service": "调用服务{name}", - "more_info": "显示更多信息: {name}" - } - }, - "editor": { - "edit_card": { - "header": "卡片配置", - "save": "保存", - "toggle_editor": "切换编辑器", - "pick_card": "请选择要添加的卡片。", - "add": "添加卡片", - "edit": "编辑", - "delete": "删除", - "move": "移动" - }, - "migrate": { - "header": "配置不兼容", - "para_no_id": "此元素没有 ID。请在 'ui-lovelace.yaml' 中为此元素添加 ID。", - "para_migrate": "通过点击“迁移配置”按钮,Home Assistant 可以自动为您的所有卡片和视图添加 ID。", - "migrate": "迁移配置" - }, - "header": "编辑 UI", - "edit_view": { - "header": "查看配置", - "add": "添加视图", - "edit": "编辑视图", - "delete": "删除视图" - }, - "save_config": { - "header": "自行编辑您的 Lovelace UI", - "para": "默认情况下,Home Assistant 将维护您的用户界面,并在新的实体或 Lovelace 组件可用时更新它。如果您选择自行编辑,我们将不再自动为您进行更改。", - "para_sure": "您确定要自行编辑用户界面吗?", - "cancel": "算了吧", - "save": "自行编辑" - }, - "menu": { - "raw_editor": "原始配置编辑器" - }, - "raw_editor": { - "header": "编辑配置", - "save": "保存", - "unsaved_changes": "未保存的更改", - "saved": "已保存" - }, - "edit_lovelace": { - "header": "Lovelace UI标题" - }, - "card": { - "generic": { - "title": "标题" - } - } - }, - "menu": { - "configure_ui": "配置 UI", - "unused_entities": "未使用的实体", - "help": "帮助", - "refresh": "刷新" - }, - "warning": { - "entity_not_found": "实体 {entity} 不可用", - "entity_non_numeric": "实体 {entity} 非数值" - }, - "changed_toast": { - "message": "Lovelace 配置已更新,您想刷新吗?", - "refresh": "刷新" - }, - "reload_lovelace": "重新加载 Lovelace" - }, - "page-demo": { - "cards": { - "demo": { - "demo_by": "来自 {name}", - "next_demo": "下一个演示", - "introduction": "欢迎回家!您现在位于 Home Assistant 演示,这里展示了我们的社区创作的最佳 UI。", - "learn_more": "详细了解 Home Assistant" - } - }, - "config": { - "arsaboo": { - "names": { - "upstairs": "二楼", - "family_room": "客厅", - "kitchen": "厨房", - "patio": "露台", - "hallway": "门厅", - "master_bedroom": "主卧", - "left": "左", - "right": "右", - "mirror": "镜子" - }, - "labels": { - "lights": "灯", - "information": "信息", - "morning_commute": "上班", - "commute_home": "下班", - "entertainment": "娱乐", - "activity": "活动", - "hdmi_input": "HDMI 输入", - "hdmi_switcher": "HDMI 切换", - "volume": "音量", - "total_tv_time": "观看总时长", - "turn_tv_off": "关闭电视", - "air": "换气" - }, - "unit": { - "watching": "观看", - "minutes_abbr": "分" - } - } - } - } - }, - "sidebar": { - "log_out": "退出", - "external_app_configuration": "应用配置" - }, - "common": { - "loading": "加载中", - "cancel": "取消", - "save": "保存", - "successfully_saved": "保存成功" - }, - "duration": { - "day": "{count} {count, plural,\none {天}\nother {天}\n}", - "week": "{count} {count, plural,\none {周}\nother {周}\n}", - "second": "{count} {count, plural,\none {秒}\nother {秒}\n}", - "minute": "{count} {count, plural,\none {分钟}\nother {分钟}\n}", - "hour": "{count} {count, plural,\none {小时}\nother {小时}\n}" - }, - "login-form": { - "password": "密码", - "remember": "记住密码", - "log_in": "登录" + "auth_store": { + "ask": "是否保存本次登录?", + "confirm": "保存", + "decline": "不,谢谢" }, "card": { + "alarm_control_panel": { + "arm_away": "离家警戒", + "arm_custom_bypass": "自定义略过条件", + "arm_home": "在家警戒", + "arm_night": "夜间警戒", + "armed_custom_bypass": "自定义略过", + "clear_code": "清除", + "code": "密码", + "disarm": "解除警戒" + }, + "automation": { + "last_triggered": "上次触发", + "trigger": "触发" + }, "camera": { "not_available": "无图像" }, + "climate": { + "aux_heat": "辅热", + "away_mode": "离开模式", + "currently": "当前", + "fan_mode": "风速", + "on_off": "开\/关", + "operation": "运行模式", + "preset_mode": "预设", + "swing_mode": "扫风模式", + "target_humidity": "设定湿度", + "target_temperature": "设定温度" + }, + "cover": { + "position": "位置", + "tilt_position": "倾斜位置" + }, + "fan": { + "direction": "方向", + "oscillate": "摇头", + "speed": "风速" + }, + "light": { + "brightness": "亮度", + "color_temperature": "色温", + "effect": "效果", + "white_value": "白度值" + }, + "lock": { + "code": "密码", + "lock": "锁定", + "unlock": "解锁" + }, + "media_player": { + "sound_mode": "声音模式", + "source": "信号源", + "text_to_speak": "要朗读的文本" + }, "persistent_notification": { "dismiss": "忽略" }, @@ -1250,6 +461,28 @@ "script": { "execute": "执行" }, + "timer": { + "actions": { + "pause": "暂停", + "start": "开始" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "恢复清扫", + "return_to_base": "返回底座", + "start_cleaning": "开始清扫", + "turn_off": "关闭", + "turn_on": "打开" + } + }, + "water_heater": { + "away_mode": "离开模式", + "currently": "当前", + "on_off": "开\/关", + "operation": "操作", + "target_temperature": "设定温度" + }, "weather": { "attributes": { "air_pressure": "气压", @@ -1265,8 +498,8 @@ "n": "北", "ne": "东北", "nne": "东北偏北", - "nw": "西北", "nnw": "西北偏北", + "nw": "西北", "s": "南", "se": "东南", "sse": "东南偏南", @@ -1277,119 +510,45 @@ "wsw": "西南偏西" }, "forecast": "预报" - }, - "alarm_control_panel": { - "code": "密码", - "clear_code": "清除", - "disarm": "解除警戒", - "arm_home": "在家警戒", - "arm_away": "离家警戒", - "arm_night": "夜间警戒", - "armed_custom_bypass": "自定义略过", - "arm_custom_bypass": "自定义略过条件" - }, - "automation": { - "last_triggered": "上次触发", - "trigger": "触发" - }, - "cover": { - "position": "位置", - "tilt_position": "倾斜位置" - }, - "fan": { - "speed": "风速", - "oscillate": "摇头", - "direction": "方向" - }, - "light": { - "brightness": "亮度", - "color_temperature": "色温", - "white_value": "白度值", - "effect": "效果" - }, - "media_player": { - "text_to_speak": "要朗读的文本", - "source": "信号源", - "sound_mode": "声音模式" - }, - "climate": { - "currently": "当前", - "on_off": "开\/关", - "target_temperature": "设定温度", - "target_humidity": "设定湿度", - "operation": "运行模式", - "fan_mode": "风速", - "swing_mode": "扫风模式", - "away_mode": "离开模式", - "aux_heat": "辅热", - "preset_mode": "预设" - }, - "lock": { - "code": "密码", - "lock": "锁定", - "unlock": "解锁" - }, - "vacuum": { - "actions": { - "resume_cleaning": "恢复清扫", - "return_to_base": "返回底座", - "start_cleaning": "开始清扫", - "turn_on": "打开", - "turn_off": "关闭" - } - }, - "water_heater": { - "currently": "当前", - "on_off": "开\/关", - "target_temperature": "设定温度", - "operation": "操作", - "away_mode": "离开模式" - }, - "timer": { - "actions": { - "start": "开始", - "pause": "暂停" - } } }, + "common": { + "cancel": "取消", + "loading": "加载中", + "save": "保存", + "successfully_saved": "保存成功" + }, "components": { "entity": { "entity-picker": { "entity": "实体" } }, - "service-picker": { - "service": "服务" - }, - "relative_time": { - "past": "{time}前", - "future": "{time}后", - "never": "从未", - "duration": { - "second": "{count} {count, plural,\n one {秒}\n other {秒}\n}", - "minute": "{count} {count, plural,\n one {分钟}\n other {分钟}\n}", - "hour": "{count} {count, plural,\n one {小时}\n other {小时}\n}", - "day": "{count} {count, plural,\n one {天}\n other {天}\n}", - "week": "{count} {count, plural,\n one {周}\n other {周}\n}" - } - }, "history_charts": { "loading_history": "正在加载历史状态...", "no_history_found": "没有找到历史状态。" + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\n one {天}\\n other {天}\\n}", + "hour": "{count} {count, plural,\\n one {小时}\\n other {小时}\\n}", + "minute": "{count} {count, plural,\\n one {分钟}\\n other {分钟}\\n}", + "second": "{count} {count, plural,\\n one {秒}\\n other {秒}\\n}", + "week": "{count} {count, plural,\\n one {周}\\n other {周}\\n}" + }, + "future": "{time}后", + "never": "从未", + "past": "{time}前" + }, + "service-picker": { + "service": "服务" } }, - "notification_toast": { - "entity_turned_on": "已打开 {entity}。", - "entity_turned_off": "已关闭 {entity}。", - "service_called": "服务 {service} 已调用。", - "service_call_failed": "调用服务 {service} 失败。", - "connection_lost": "连接中断。正在重新连接..." - }, "dialogs": { - "more_info_settings": { - "save": "保存", - "name": "名称", - "entity_id": "实体 ID" + "config_entry_system_options": { + "enable_new_entities_description": "如果禁用,新发现的实体将不会自动添加到 Home Assistant。", + "enable_new_entities_label": "启用新添加的实体。", + "title": "系统选项" }, "more_info_control": { "script": { @@ -1404,6 +563,11 @@ "title": "更新说明" } }, + "more_info_settings": { + "entity_id": "实体 ID", + "name": "名称", + "save": "保存" + }, "options_flow": { "form": { "header": "选项" @@ -1411,112 +575,948 @@ "success": { "description": "选项已成功保存。" } - }, - "config_entry_system_options": { - "title": "系统选项", - "enable_new_entities_label": "启用新添加的实体。", - "enable_new_entities_description": "如果禁用,新发现的实体将不会自动添加到 Home Assistant。" } }, - "auth_store": { - "ask": "是否保存本次登录?", - "decline": "不,谢谢", - "confirm": "保存" + "duration": { + "day": "{count} {count, plural,\\none {天}\\nother {天}\\n}", + "hour": "{count} {count, plural,\\none {小时}\\nother {小时}\\n}", + "minute": "{count} {count, plural,\\none {分钟}\\nother {分钟}\\n}", + "second": "{count} {count, plural,\\none {秒}\\nother {秒}\\n}", + "week": "{count} {count, plural,\\none {周}\\nother {周}\\n}" + }, + "login-form": { + "log_in": "登录", + "password": "密码", + "remember": "记住密码" }, "notification_drawer": { "click_to_configure": "单击按钮可以配置 {entity}", "empty": "没有任何通知", "title": "通知" - } - }, - "domain": { - "alarm_control_panel": "警报控制器", - "automation": "自动化", - "binary_sensor": "二元传感器", - "calendar": "日历", - "camera": "摄像头", - "climate": "空调", - "configurator": "配置器", - "conversation": "语音对话", - "cover": "卷帘", - "device_tracker": "设备跟踪器", - "fan": "风扇", - "history_graph": "历史图表", - "group": "群组", - "image_processing": "图像处理", - "input_boolean": "二元选择器", - "input_datetime": "日期选择器", - "input_select": "多项选择器", - "input_number": "数值选择器", - "input_text": "文字输入", - "light": "灯光", - "lock": "锁", - "mailbox": "邮箱", - "media_player": "播放器", - "notify": "通知", - "plant": "植物", - "proximity": "距离", - "remote": "遥控", - "scene": "场景", - "script": "脚本", - "sensor": "传感器", - "sun": "太阳", - "switch": "开关", - "updater": "更新提示", - "weblink": "网址", - "zwave": "Z-Wave", - "vacuum": "扫地机", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "系统状态", - "person": "个人" - }, - "attribute": { - "weather": { - "humidity": "湿度", - "visibility": "能见度", - "wind_speed": "风速" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "关", - "on": "开", - "auto": "自动" + }, + "notification_toast": { + "connection_lost": "连接中断。正在重新连接...", + "entity_turned_off": "已关闭 {entity}。", + "entity_turned_on": "已打开 {entity}。", + "service_call_failed": "调用服务 {service} 失败。", + "service_called": "服务 {service} 已调用。" + }, + "panel": { + "config": { + "area_registry": { + "caption": "区域注册", + "create_area": "创建区域", + "description": "您家中所有区域的概览。", + "editor": { + "create": "创建", + "default_name": "新建区域", + "delete": "删除", + "update": "更新" + }, + "no_areas": "看来你还没有建立区域!", + "picker": { + "create_area": "创建区域", + "header": "区域注册表", + "integrations_page": "集成页面", + "introduction": "区域用于组织设备所在的位置。此信息将用于 Home Assistant 的各个地方,以帮助您组织界面、权限和与其他系统的集成。", + "introduction2": "要将设备置入某个区域,请使用下面的链接导航到集成页面,然后点击一个已配置的集成以进入设备卡片。", + "no_areas": "看来你还没有建立区域!" + } + }, + "automation": { + "caption": "自动化", + "description": "创建和编辑自动化", + "editor": { + "actions": { + "add": "添加动作", + "delete": "删除", + "delete_confirm": "确认删除?", + "duplicate": "复制", + "header": "动作", + "introduction": "Actions(动作)是当自动化条件满足时 Home Assistant 执行的操作。\\n\\n[了解更多关于 Actions 的信息](https:\/\/home-assistant.io\/docs\/automation\/action)", + "learn_more": "详细了解动作", + "type_select": "动作类型", + "type": { + "condition": { + "label": "环境条件" + }, + "delay": { + "delay": "延迟", + "label": "延迟" + }, + "device_id": { + "label": "设备" + }, + "event": { + "event": "事件:", + "label": "触发事件", + "service_data": "服务数据" + }, + "service": { + "label": "调用服务", + "service_data": "服务数据" + }, + "wait_template": { + "label": "等待", + "timeout": "超时(可选)", + "wait_template": "等待模板" + } + }, + "unsupported_action": "不支持的操作: {action}" + }, + "alias": "名称", + "conditions": { + "add": "添加环境条件", + "delete": "删除", + "delete_confirm": "确认删除?", + "duplicate": "复制", + "header": "环境条件", + "introduction": "环境条件是自动化流程中的可选部分,它可用于触发条件触发时拦截不符合条件的动作。环境条件看似像触发条件实则大有不同。触发条件监测系统中事件的发生,也就是瞬时动作;而环境条件监测的是系统当前的状态。触发条件可以观察到开关打开的动作。条件只能查看当前开关是开还是关。", + "learn_more": "详细了解环境条件", + "type_select": "环境条件类型", + "type": { + "numeric_state": { + "above": "大于", + "below": "小于", + "label": "数字型状态", + "value_template": "自定义值(可选)" + }, + "state": { + "label": "状态", + "state": "状态" + }, + "sun": { + "after": "晚于:", + "after_offset": "延后:(可选)", + "before": "早于:", + "before_offset": "提前:(可选)", + "label": "日出\/日落", + "sunrise": "日出", + "sunset": "日落" + }, + "template": { + "label": "模板", + "value_template": "自定义模板" + }, + "time": { + "after": "晚于", + "before": "早于", + "label": "时间" + }, + "zone": { + "entity": "位置追踪设备", + "label": "地点", + "zone": "地点" + } + }, + "unsupported_condition": "不支持的环境条件:{condition}" + }, + "default_name": "新建自动化", + "introduction": "使用自动化让你的家聪明起来", + "load_error_not_editable": "只能编辑 automations.yaml 中的自动化。", + "load_error_unknown": "加载自动化错误 ({err_no})。", + "save": "保存", + "triggers": { + "add": "添加触发条件", + "delete": "删除", + "delete_confirm": "确认删除?", + "duplicate": "复制", + "header": "触发条件", + "introduction": "触发条件是整个自动化流程的起点。一个自动化实例中可以设置多个触发条件。一旦该条件满足,Home Assistant 将验证环境条件(Conditions)是否符合,如果符合,则执行动作(Actions)。\\n\\n[了解更多内容](https:\/\/home-assistant.io\/docs\/automation\/trigger\/)", + "learn_more": "详细了解触发条件", + "type_select": "触发条件类型", + "type": { + "device": { + "label": "设备" + }, + "event": { + "event_data": "事件数据", + "event_type": "事件类型", + "label": "事件" + }, + "geo_location": { + "enter": "进入", + "event": "事件:", + "label": "地理位置", + "leave": "离开", + "source": "位置来源", + "zone": "区域" + }, + "homeassistant": { + "event": "事件:", + "label": "Home Assistant", + "shutdown": "关闭", + "start": "启动" + }, + "mqtt": { + "label": "MQTT", + "payload": "参数(可选)", + "topic": "Topic" + }, + "numeric_state": { + "above": "大于", + "below": "小于", + "label": "数字类状态", + "value_template": "自定义值(可选)" + }, + "state": { + "for": "持续", + "from": "从", + "label": "状态", + "to": "变为" + }, + "sun": { + "event": "事件:", + "label": "日出\/日落", + "offset": "偏移(可选)", + "sunrise": "日出", + "sunset": "日落" + }, + "template": { + "label": "自定义模板", + "value_template": "自定义值" + }, + "time_pattern": { + "hours": "小时", + "label": "时间模式", + "minutes": "分", + "seconds": "秒" + }, + "time": { + "at": "当", + "label": "时间" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook ID" + }, + "zone": { + "enter": "进入", + "entity": "位置追踪设备", + "event": "事件:", + "label": "地点", + "leave": "离开", + "zone": "地点" + } + }, + "unsupported_platform": "不支持的平台:{platform}" + }, + "unsaved_confirm": "有更改尚未保存,确定离开页面吗?" + }, + "picker": { + "add_automation": "添加自动化", + "header": "自动化编辑器", + "introduction": "自动化编辑器方便你创建及编辑自动化。请按照下面的链接阅读说明,以确保您已正确配置Home Assistant。", + "learn_more": "详细了解自动化", + "no_automations": "未找到可编辑的自动化", + "pick_automation": "选择要编辑的自动化" + } + }, + "cloud": { + "caption": "Home Assistant Cloud", + "description_features": "整合 Alexa 及 Google 助理,远程控制智能家居。", + "description_login": "登录为 {email}", + "description_not_login": "未登录" + }, + "core": { + "caption": "通用", + "description": "检查你的配置文件及服务器控制", + "section": { + "core": { + "core_config": { + "edit_requires_storage": "编辑器已禁用,因为配置存储于 configuration.yaml。", + "elevation": "海拔", + "elevation_meters": "米", + "imperial_example": "华氏、磅", + "latitude": "纬度", + "location_name": "Home Assistant 安装的名称", + "longitude": "经度", + "metric_example": "摄氏、千克", + "save_button": "保存", + "time_zone": "时区", + "unit_system": "单位制", + "unit_system_imperial": "英制", + "unit_system_metric": "公制" + }, + "header": "配置及服务器控制", + "introduction": "更改配置的过程可能有些抓狂,我们懂的。这部分将帮助你减轻一些工作。" + }, + "server_control": { + "reloading": { + "automation": "重载自动化", + "core": "重载核心配置", + "group": "重载分组", + "heading": "配置重载", + "introduction": "Home Assistant 中的部分配置可以直接重载,而无需重启服务。点击重载按钮将重新载入新的配置。", + "script": "重载脚本" + }, + "server_management": { + "heading": "服务管理", + "introduction": "在这里即可控制 Home Assistant 服务。", + "restart": "重启服务", + "stop": "停止服务" + }, + "validation": { + "check_config": "检查配置", + "heading": "配置检查", + "introduction": "此处可以帮助你检验最新修改的配置文件有效性", + "invalid": "配置无效", + "valid": "配置有效!" + } + } + } + }, + "customize": { + "caption": "自定义", + "description": "自定义实体", + "picker": { + "header": "自定义", + "introduction": "调整每个实体的属性。添加\/编辑的自定义设置将立即生效,删除的自定义设置将在实体更新时生效。" + } + }, + "devices": { + "caption": "设备", + "description": "已连接设备管理" + }, + "entity_registry": { + "caption": "实体注册", + "description": "所有已知实体的概览。", + "editor": { + "default_name": "新建区域", + "delete": "删除", + "enabled_cause": "被{cause}禁用。", + "enabled_description": "已禁用的实体不再添加到 Home Assistant。", + "enabled_label": "启用实体", + "unavailable": "该实体暂不可用。", + "update": "更新" + }, + "picker": { + "header": "实体注册表", + "integrations_page": "集成页面", + "introduction": "Home Assistant 将会以唯一标识的形式记录发现的每个实体。这些实体被各自分配一个实体 ID,仅保留给对应实体。", + "introduction2": "使用本实体注册工具重写名称,修改实体 ID 或者从 Home Assistant 删除实体。注意,删除实体注册信息并不会删除实体本身。如果要删除实体,请点击下面的链接进入集成页面进行操作。", + "unavailable": "(不可用)" + } + }, + "header": "配置 Home Assistant", + "integrations": { + "caption": "集成", + "config_entry": { + "delete_confirm": "您确定要删除此集成吗?", + "device_unavailable": "设备不可用", + "entity_unavailable": "实体不可用", + "firmware": "固件:{version}", + "hub": "连接于", + "manuf": "by {manufacturer}", + "no_area": "没有区域", + "no_device": "无设备关联的实体", + "no_devices": "此集成没有设备。", + "restart_confirm": "重启 Home Assistant 以完成此集成的删除", + "via": "链接于" + }, + "config_flow": { + "external_step": { + "description": "此步骤需要访问外部网站才能完成。", + "open_site": "打开网站" + } + }, + "configure": "配置", + "configured": "已配置", + "description": "管理连接的设备和服务", + "discovered": "已发现", + "new": "设置新集成", + "none": "尚未配置任何集成" + }, + "introduction": "你可以在此配置 Home Assistant 及组件。目前并非所有配置都能通过前端 UI 完成,但是我们在努力实现中。", + "person": { + "caption": "人员", + "description": "管理 Home Assistant 跟踪的人员。", + "detail": { + "device_tracker_intro": "选择属于此人的设备。", + "device_tracker_pick": "选择要跟踪的设备", + "device_tracker_picked": "跟踪设备", + "name": "名字" + } + }, + "script": { + "caption": "脚本", + "description": "创建和编辑脚本" + }, + "server_control": { + "caption": "服务器控制", + "description": "重新启动或停止 Home Assistant 服务", + "section": { + "reloading": { + "automation": "重载自动化", + "core": "重载核心模块", + "group": "重载分组", + "heading": "配置重载", + "introduction": "Home Assistant 中的部分配置可以直接重载,而无需重启服务。点击重载按钮将重新载入新的配置。", + "scene": "重载场景", + "script": "重载脚本" + }, + "server_management": { + "confirm_restart": "您确定要重新启动 Home Assistant 吗?", + "confirm_stop": "您确定要停止 Home Assistant 吗?", + "heading": "服务器管理", + "introduction": "在这里即可控制 Home Assistant 服务。", + "restart": "重新启动", + "stop": "停止服务" + }, + "validation": { + "check_config": "检查配置", + "heading": "配置有效性", + "introduction": "此处可以帮助你检验最新修改的配置文件有效性", + "invalid": "配置无效", + "valid": "配置有效!" + } + } + }, + "users": { + "add_user": { + "caption": "添加用户", + "create": "创建", + "name": "名字", + "password": "密码", + "username": "用户名" + }, + "caption": "用户", + "description": "管理用户", + "editor": { + "activate_user": "激活用户", + "caption": "用户信息", + "change_password": "更改密码", + "deactivate_user": "停用用户", + "delete_user": "删除用户", + "rename_user": "重命名用户" + }, + "picker": { + "title": "用户" + } + }, + "zha": { + "add_device_page": { + "discovery_text": "发现的设备将显示在此处。按照设备的说明进行操作,并将设备置于配对模式。", + "header": "Zigbee家庭自动化 - 添加设备", + "spinner": "正在寻找ZHA Zigbee设备......" + }, + "caption": "ZHA", + "description": "Zigbee 智能家居(ZHA) 网络管理", + "device_card": { + "area_picker_label": "区域", + "device_name_placeholder": "用户指定的名称", + "update_name_button": "更新名称" + }, + "services": { + "reconfigure": "重新配置ZHA设备(唤醒设备)。如果您的设备遇到问题,请使用此项。如果有问题的设备是电池供电的,请确保在使用此服务时它处于唤醒状态并可以接受指令。", + "remove": "从 Zigbee 网络中删除设备。", + "updateDeviceName": "在设备注册表中为此设备设置自定义名称。" + } + }, + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "指数", + "instance": "实例", + "unknown": "未知", + "value": "值", + "wakeup_interval": "唤醒时间间隔" + }, + "description": "管理 Z-Wave 网络", + "network_management": { + "header": "Z-Wave 网络管理", + "introduction": "运行影响 Z-Wave 网络的命令。大多数命令无法反馈是否执行成功,但您可以尝试检查 OZW 日志来确认。" + }, + "network_status": { + "network_started": "Z-Wave 网络已启动", + "network_started_note_all_queried": "已查询所有节点。", + "network_started_note_some_queried": "已查询唤醒节点。睡眠节点将在唤醒时被查询。", + "network_starting": "启动 Z-Wave 网络......", + "network_starting_note": "这可能需要一段时间,具体取决于您的网络规模。", + "network_stopped": "Z-Wave 网络已停止" + }, + "node_config": { + "config_parameter": "配置参数", + "config_value": "配置值", + "header": "节点配置选项", + "seconds": "秒", + "set_config_parameter": "设置配置参数", + "set_wakeup": "设置唤醒间隔" + }, + "services": { + "add_node": "添加节点", + "cancel_command": "取消命令", + "heal_network": "修复网络", + "remove_node": "删除节点", + "save_config": "保存配置", + "soft_reset": "软复位", + "start_network": "启动网络", + "stop_network": "停止网络", + "test_network": "测试网络" + }, + "values": { + "header": "节点值" + } + } }, - "preset_mode": { - "none": "无", - "eco": "节能", - "away": "离家", - "boost": "强力", - "comfort": "舒适", - "home": "在家", - "sleep": "睡眠", - "activity": "活动" + "developer-tools": { + "tabs": { + "events": { + "alert_event_type": "事件类型是必填字段", + "available_events": "可用事件", + "count_listeners": "({count} 个监听器)", + "data": "事件数据(格式为YAML,选填)", + "description": "将事件发送到事件总线", + "documentation": "事件文档。", + "event_fired": "事件 {name} 已触发", + "fire_event": "触发事件", + "listen_to_events": "监听事件", + "listening_to": "监听", + "notification_event_fired": "事件 {type} 成功触发!", + "start_listening": "开始监听", + "stop_listening": "停止监听", + "subscribe_to": "订阅事件", + "title": "事件", + "type": "事件类型" + }, + "info": { + "built_using": "建于", + "custom_uis": "自定义用户界面:", + "default_ui": "{action} {name}为此设备上的默认页面", + "developed_by": "由一帮很Awosome~~~的人开发。", + "frontend": "前端用户界面", + "frontend_version": "前端版本: {version} - {type}", + "home_assistant_logo": "Home Assistant logo", + "icons_by": "图标来自", + "license": "根据Apache 2.0许可发布", + "lovelace_ui": "前往使用 Lovelace UI 的默认页面", + "path_configuration": "configuration.yaml路径: {path}", + "remove": "移除", + "server": "服务器", + "set": "设置", + "states_ui": "前往使用 states UI 的默认页面", + "system_health_error": "未加载系统健康组件。请将 'system_health:' 添加到 configuration.yaml", + "title": "信息" + }, + "logs": { + "clear": "清除", + "details": "日志详细信息( {level} )", + "load_full_log": "加载完整Home Assistant日志", + "loading_log": "正在加载错误日志...", + "multiple_messages": "邮件首次出现在{time},显示了{counter}次", + "no_errors": "未报告任何错误。", + "no_issues": "没有新问题!", + "refresh": "刷新", + "title": "日志" + }, + "mqtt": { + "description_listen": "监听一个主题(Topic)", + "description_publish": "发送一个数据包", + "listening_to": "监听", + "message_received": "{time} 收到关于 {topic} 的消息[ {id} ]", + "payload": "有效负载(允许模板)", + "publish": "发送", + "start_listening": "开始监听", + "stop_listening": "停止监听", + "subscribe_to": "订阅主题(Topic)", + "title": "MQTT", + "topic": "主题(Topic)" + }, + "services": { + "alert_parsing_yaml": "解析YAML时出错: {data}", + "call_service": "调用服务", + "column_description": "描述", + "column_example": "示例", + "column_parameter": "参数", + "data": "服务数据(格式为YAML,选填)", + "description": "服务开发工具可让您在Home Assistant中调用任何可用的服务。", + "fill_example_data": "填写示例数据", + "no_description": "没有描述", + "no_parameters": "此服务不带任何参数。", + "select_service": "选择服务以查看其描述", + "title": "服务" + }, + "states": { + "alert_entity_field": "设备\/实体是必填字段", + "attributes": "属性", + "current_entities": "现有设备\/实体", + "description1": "设置设备在Homo Assistant中的呈现方式。", + "description2": "这将不影响实际设备。", + "entity": "设备\/实体", + "filter_attributes": "输入筛选属性", + "filter_entities": "输入筛选设备\/实体", + "filter_states": "输入筛选状态", + "more_info": "更多信息", + "no_entities": "没有可用设备\/实体", + "set_state": "设置状态", + "state": "状态", + "state_attributes": "状态属性(格式为YAML,选填)", + "title": "状态" + }, + "templates": { + "description": "模板使用jinja2模板引擎和一些Home Assistant特定的插件进行呈现。", + "editor": "模板编辑器", + "jinja_documentation": "Jinja2 模板文档", + "template_extensions": "Home Assistant 模板插件", + "title": "模板", + "unknown_error_template": "渲染模板时发生了未知错误" + } + } }, - "hvac_action": { - "off": "关闭", - "heating": "制热", - "cooling": "制冷", - "drying": "除湿", - "idle": "空闲", - "fan": "送风" + "history": { + "period": "日期范围", + "showing_entries": "显示自以下日期的图表" + }, + "logbook": { + "period": "周期", + "showing_entries": "显示以下日期的条目" + }, + "lovelace": { + "cards": { + "empty_state": { + "go_to_integrations_page": "前往集成页面。", + "no_devices": "此页面是用来控制设备的,不过您好像还没有配置好任何设备。请前往集成页面以开始。", + "title": "欢迎回家" + }, + "picture-elements": { + "call_service": "调用服务{name}", + "hold": "按住:", + "more_info": "显示更多信息: {name}", + "navigate_to": "导航到{location}", + "tap": "点击:", + "toggle": "切换{name}" + }, + "shopping-list": { + "add_item": "新增项目", + "checked_items": "已完成项目", + "clear_items": "清除已完成项目" + } + }, + "changed_toast": { + "message": "Lovelace 配置已更新,您想刷新吗?", + "refresh": "刷新" + }, + "editor": { + "card": { + "generic": { + "title": "标题" + } + }, + "edit_card": { + "add": "添加卡片", + "delete": "删除", + "edit": "编辑", + "header": "卡片配置", + "move": "移动", + "pick_card": "请选择要添加的卡片。", + "save": "保存", + "toggle_editor": "切换编辑器" + }, + "edit_lovelace": { + "header": "Lovelace UI标题" + }, + "edit_view": { + "add": "添加视图", + "delete": "删除视图", + "edit": "编辑视图", + "header": "查看配置" + }, + "header": "编辑 UI", + "menu": { + "raw_editor": "原始配置编辑器" + }, + "migrate": { + "header": "配置不兼容", + "migrate": "迁移配置", + "para_migrate": "通过点击“迁移配置”按钮,Home Assistant 可以自动为您的所有卡片和视图添加 ID。", + "para_no_id": "此元素没有 ID。请在 'ui-lovelace.yaml' 中为此元素添加 ID。" + }, + "raw_editor": { + "header": "编辑配置", + "save": "保存", + "saved": "已保存", + "unsaved_changes": "未保存的更改" + }, + "save_config": { + "cancel": "算了吧", + "header": "自行编辑您的 Lovelace UI", + "para": "默认情况下,Home Assistant 将维护您的用户界面,并在新的实体或 Lovelace 组件可用时更新它。如果您选择自行编辑,我们将不再自动为您进行更改。", + "para_sure": "您确定要自行编辑用户界面吗?", + "save": "自行编辑" + } + }, + "menu": { + "configure_ui": "配置 UI", + "help": "帮助", + "refresh": "刷新", + "unused_entities": "未使用的实体" + }, + "reload_lovelace": "重新加载 Lovelace", + "warning": { + "entity_non_numeric": "实体 {entity} 非数值", + "entity_not_found": "实体 {entity} 不可用" + } + }, + "mailbox": { + "delete_button": "删除", + "delete_prompt": "删除此消息?", + "empty": "您还没有任何消息", + "playback_title": "消息回放" + }, + "page-authorize": { + "abort_intro": "登录中断", + "authorizing_client": "您即将授权 {clientId} 访问 Home Assistant 实例。", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "会话已过期,请重新登录。" + }, + "error": { + "invalid_auth": "无效的用户名或密码", + "invalid_code": "无效口令" + }, + "step": { + "init": { + "data": { + "password": "密码", + "username": "用户名" + } + }, + "mfa": { + "data": { + "code": "双重认证口令" + }, + "description": "在设备上打开 **{mfa_module_name}** 查看双重认证口令并验证您的身份:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "会话已过期,请重新登录。" + }, + "error": { + "invalid_auth": "无效的用户名或密码", + "invalid_code": "无效口令" + }, + "step": { + "init": { + "data": { + "password": "密码", + "username": "用户名" + } + }, + "mfa": { + "data": { + "code": "双重认证口令" + }, + "description": "在设备上打开 **{mfa_module_name}** 查看双重认证口令并验证您的身份:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "会话已过期,请重新登录。", + "no_api_password_set": "您还没有配置 API 密码。" + }, + "error": { + "invalid_auth": "无效的 API 密码", + "invalid_code": "无效口令" + }, + "step": { + "init": { + "data": { + "password": "API 密码" + }, + "description": "请输入 http 配置中的 API 密码:" + }, + "mfa": { + "data": { + "code": "双重认证口令" + }, + "description": "在设备上打开 **{mfa_module_name}** 查看双重认证口令并验证您的身份:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "您的电脑不在白名单内。" + }, + "step": { + "init": { + "data": { + "user": "用户" + }, + "description": "请选择要登录的用户:" + } + } + } + }, + "unknown_error": "出现了一些问题", + "working": "请稍候" + }, + "initializing": "正在初始化", + "logging_in_with": "正在用 **{authProviderName}** 登录。", + "pick_auth_provider": "或者用以下方式登录" + }, + "page-demo": { + "cards": { + "demo": { + "demo_by": "来自 {name}", + "introduction": "欢迎回家!您现在位于 Home Assistant 演示,这里展示了我们的社区创作的最佳 UI。", + "learn_more": "详细了解 Home Assistant", + "next_demo": "下一个演示" + } + }, + "config": { + "arsaboo": { + "labels": { + "activity": "活动", + "air": "换气", + "commute_home": "下班", + "entertainment": "娱乐", + "hdmi_input": "HDMI 输入", + "hdmi_switcher": "HDMI 切换", + "information": "信息", + "lights": "灯", + "morning_commute": "上班", + "total_tv_time": "观看总时长", + "turn_tv_off": "关闭电视", + "volume": "音量" + }, + "names": { + "family_room": "客厅", + "hallway": "门厅", + "kitchen": "厨房", + "left": "左", + "master_bedroom": "主卧", + "mirror": "镜子", + "patio": "露台", + "right": "右", + "upstairs": "二楼" + }, + "unit": { + "minutes_abbr": "分", + "watching": "观看" + } + } + } + }, + "page-onboarding": { + "core-config": { + "button_detect": "自动检测", + "finish": "下一步", + "intro": "{name},您好!欢迎来到 Home Assistant。您想怎样命名您的家呢?", + "intro_location": "我们想知道您住在哪里。这将用于显示资讯以及设置基于太阳的自动化。此数据永远不会在您的网络以外共享。", + "intro_location_detect": "我们可以通过向外部服务发出一个一次性请求来帮助您填写此信息。", + "location_name_default": "家" + }, + "integration": { + "finish": "完成", + "intro": "设备和服务在 Home Assistant 中表示为集成。您可以立即设置它们,也可以稍后在配置屏幕进行设置。", + "more_integrations": "更多" + }, + "intro": "准备好唤醒你的家、找回你的隐私,并加入世界级的极客社区了吗?", + "user": { + "create_account": "创建帐户", + "data": { + "name": "姓名", + "password": "密码", + "password_confirm": "确认密码", + "username": "用户名" + }, + "error": { + "password_not_match": "密码不匹配", + "required_fields": "请填写所有必填字段" + }, + "intro": "让我们从创建用户帐户开始吧。", + "required_field": "必填" + } + }, + "profile": { + "change_password": { + "confirm_new_password": "确认新密码", + "current_password": "当前密码", + "error_required": "必填", + "header": "更改密码", + "new_password": "新密码", + "submit": "提交" + }, + "current_user": "您目前以 {fullName} 的身份登录。", + "force_narrow": { + "description": "这将默认隐藏侧边栏,体验与手机版类似。", + "header": "始终隐藏侧边栏" + }, + "is_owner": "您拥有所有者权限。", + "language": { + "dropdown_label": "语言", + "header": "语言", + "link_promo": "帮助翻译" + }, + "logout": "退出", + "long_lived_access_tokens": { + "confirm_delete": "确定要删除 {name} 的访问令牌吗?", + "create": "创建令牌", + "create_failed": "无法创建访问令牌。", + "created_at": "创建于 {date}", + "delete_failed": "无法删除访问令牌。", + "description": "创建长期访问令牌以允许脚本与 Home Assistant 实例进行交互。每个令牌在创建后有效期为 10 年。以下是处于激活状态的长期访问令牌。", + "empty_state": "您还没有长期访问令牌。", + "header": "长期访问令牌", + "last_used": "上次使用于 {date} 来自 {location}", + "learn_auth_requests": "了解如何创建经过身份验证的请求。", + "not_used": "从未使用过", + "prompt_copy_token": "请复制你的访问令牌。它不会再显示出来。", + "prompt_name": "名称?" + }, + "mfa_setup": { + "close": "关闭", + "step_done": "{step} 设置完成", + "submit": "提交", + "title_aborted": "中止", + "title_success": "成功!" + }, + "mfa": { + "confirm_disable": "您确定要禁用 {name} 吗?", + "disable": "禁用", + "enable": "启用", + "header": "多因素身份验证模块" + }, + "push_notifications": { + "description": "向本设备发送通知", + "error_load_platform": "请配置 notify.html5。", + "error_use_https": "需要为前端启用 SSL。", + "header": "通知推送", + "link_promo": "了解更多信息", + "push_notifications": "通知推送" + }, + "refresh_tokens": { + "confirm_delete": "确定要删除 {name} 的刷新令牌吗?", + "created_at": "创建于 {date}", + "current_token_tooltip": "不能删除当前使用的刷新令牌", + "delete_failed": "无法删除刷新令牌。", + "description": "每个刷新令牌代表一个登录会话。注销登录时将自动删除刷新令牌。下列为目前您的用户名下激活的刷新令牌。", + "header": "刷新令牌", + "last_used": "上次使用于 {date} 来自 {location}", + "not_used": "从未使用过", + "token_title": "{clientId} 的刷新令牌" + }, + "themes": { + "dropdown_label": "主题", + "error_no_theme": "没有可用的主题。", + "header": "主题", + "link_promo": "了解主题" + } + }, + "shopping-list": { + "add_item": "添加项目", + "clear_completed": "清除已完成项目", + "microphone_tip": "点击右上角麦克风图标并说 “Add candy to my shopping list”" } - } - }, - "groups": { - "system-admin": "管理员", - "system-users": "用户", - "system-read-only": "只读用户" - }, - "config_entry": { - "disabled_by": { - "user": "用户", - "integration": "集成", - "config_entry": "配置条目" + }, + "sidebar": { + "external_app_configuration": "应用配置", + "log_out": "退出" } } } \ No newline at end of file diff --git a/translations/zh-Hant.json b/translations/zh-Hant.json index 0880bff6d6..53539486cf 100644 --- a/translations/zh-Hant.json +++ b/translations/zh-Hant.json @@ -1,53 +1,193 @@ { - "panel": { - "config": "設定", - "states": "總覽", - "map": "地圖", - "logbook": "日誌", - "history": "歷史", + "attribute": { + "weather": { + "humidity": "濕度", + "visibility": "能見度", + "wind_speed": "風速" + } + }, + "config_entry": { + "disabled_by": { + "config_entry": "設定物件", + "integration": "整合", + "user": "使用者" + } + }, + "domain": { + "alarm_control_panel": "警戒模式控制面板", + "automation": "自動化", + "binary_sensor": "二進位傳感器", + "calendar": "行事曆", + "camera": "攝影機", + "climate": "溫控", + "configurator": "設定檔編輯器", + "conversation": "語音互動", + "cover": "捲簾\/門", + "device_tracker": "設備追蹤器", + "fan": "風扇", + "group": "群組", + "hassio": "Hass.io", + "history_graph": "歷史圖", + "homeassistant": "Home Assistant", + "image_processing": "圖像處理", + "input_boolean": "開關框", + "input_datetime": "輸入日期", + "input_number": "數字框", + "input_select": "選擇框", + "input_text": "輸入框", + "light": "燈光", + "lock": "已上鎖", + "lovelace": "Lovelace", "mailbox": "郵箱", - "shopping_list": "購物清單", + "media_player": "媒體播放器", + "notify": "通知", + "person": "個人", + "plant": "植物", + "proximity": "距離", + "remote": "遙控", + "scene": "場景", + "script": "腳本", + "sensor": "傳感器", + "sun": "太陽", + "switch": "開關", + "system_health": "系統健康狀態", + "updater": "更新版本", + "vacuum": "吸塵器", + "weblink": "網站鏈接", + "zha": "ZHA", + "zwave": "Z-Wave" + }, + "groups": { + "system-admin": "管理員", + "system-read-only": "唯讀用戶", + "system-users": "用戶" + }, + "panel": { + "calendar": "行事曆", + "config": "設定", "dev-info": "資訊", "developer_tools": "開發工具", - "calendar": "行事曆", - "profile": "個人設定" + "history": "歷史", + "logbook": "日誌", + "mailbox": "郵箱", + "map": "地圖", + "profile": "個人設定", + "shopping_list": "購物清單", + "states": "總覽" }, - "state": { - "default": { - "off": "關閉", - "on": "開啟", - "unknown": "未知", - "unavailable": "不可用" - }, + "state_attributes": { + "climate": { + "fan_mode": { + "auto": "自動", + "off": "關閉", + "on": "開啟" + }, + "hvac_action": { + "cooling": "冷氣", + "drying": "除濕", + "fan": "風速", + "heating": "暖氣", + "idle": "閒置", + "off": "關閉" + }, + "preset_mode": { + "activity": "活動", + "away": "離家", + "boost": "全速", + "comfort": "舒適", + "eco": "節能", + "home": "在家", + "none": "無", + "sleep": "睡眠" + } + } + }, + "state_badge": { "alarm_control_panel": { "armed": "已警戒", - "disarmed": "警戒解除", + "armed_away": "已警戒", + "armed_custom_bypass": "已警戒", "armed_home": "在家警戒", - "armed_away": "離家警戒", - "armed_night": "夜間警戒", + "armed_night": "已警戒", + "arming": "開啟警戒中", + "disarmed": "解除警戒", + "disarming": "關閉警戒", "pending": "等待中", + "triggered": "觸發" + }, + "default": { + "entity_not_found": "找不到物件", + "error": "錯誤", + "unavailable": "不可用", + "unknown": "未知" + }, + "device_tracker": { + "home": "在家", + "not_home": "離家" + }, + "person": { + "home": "在家", + "not_home": "離家" + } + }, + "state": { + "alarm_control_panel": { + "armed": "已警戒", + "armed_away": "離家警戒", + "armed_custom_bypass": "警戒模式狀態", + "armed_home": "在家警戒", + "armed_night": "夜間警戒", "arming": "警戒中", + "disarmed": "警戒解除", "disarming": "解除中", - "triggered": "已觸發", - "armed_custom_bypass": "警戒模式狀態" + "pending": "等待中", + "triggered": "已觸發" }, "automation": { "off": "關閉", "on": "開啟" }, "binary_sensor": { + "battery": { + "off": "電量正常", + "on": "電量低" + }, + "cold": { + "off": "不冷", + "on": "冷" + }, + "connectivity": { + "off": "已斷線", + "on": "已連線" + }, "default": { "off": "關閉", "on": "開啟" }, - "moisture": { - "off": "乾燥", - "on": "濕潤" + "door": { + "off": "已關閉", + "on": "已開啟" + }, + "garage_door": { + "off": "關閉", + "on": "已開啟" }, "gas": { "off": "未觸發", "on": "已觸發" }, + "heat": { + "off": "不熱", + "on": "熱" + }, + "lock": { + "off": "已上鎖", + "on": "已解鎖" + }, + "moisture": { + "off": "乾燥", + "on": "濕潤" + }, "motion": { "off": "無人", "on": "有人" @@ -56,6 +196,22 @@ "off": "未觸發", "on": "已觸發" }, + "opening": { + "off": "關閉", + "on": "開啟" + }, + "presence": { + "off": "離家", + "on": "在家" + }, + "problem": { + "off": "確定", + "on": "問題" + }, + "safety": { + "off": "安全", + "on": "危險" + }, "smoke": { "off": "未觸發", "on": "已觸發" @@ -68,53 +224,9 @@ "off": "未偵測", "on": "偵測" }, - "opening": { - "off": "關閉", - "on": "開啟" - }, - "safety": { - "off": "安全", - "on": "危險" - }, - "presence": { - "off": "離家", - "on": "在家" - }, - "battery": { - "off": "電量正常", - "on": "電量低" - }, - "problem": { - "off": "確定", - "on": "問題" - }, - "connectivity": { - "off": "已斷線", - "on": "已連線" - }, - "cold": { - "off": "不冷", - "on": "冷" - }, - "door": { - "off": "已關閉", - "on": "已開啟" - }, - "garage_door": { - "off": "關閉", - "on": "已開啟" - }, - "heat": { - "off": "不熱", - "on": "熱" - }, "window": { "off": "關閉", "on": "開啟" - }, - "lock": { - "off": "已上鎖", - "on": "已解鎖" } }, "calendar": { @@ -122,39 +234,45 @@ "on": "開啟" }, "camera": { + "idle": "待命", "recording": "錄影中", - "streaming": "監控中", - "idle": "待命" + "streaming": "監控中" }, "climate": { - "off": "關閉", - "on": "開啟", - "heat": "暖氣", - "cool": "冷氣", - "idle": "待命", "auto": "自動", + "cool": "冷氣", "dry": "除濕模式", - "fan_only": "僅送風", "eco": "節能模式", "electric": "電動模式", - "performance": "效能", - "high_demand": "高用量", - "heat_pump": "暖氣", + "fan_only": "僅送風", "gas": "瓦斯模式", + "heat": "暖氣", + "heat_cool": "暖氣\/冷氣", + "heat_pump": "暖氣", + "high_demand": "高用量", + "idle": "待命", "manual": "手動", - "heat_cool": "暖氣\/冷氣" + "off": "關閉", + "on": "開啟", + "performance": "效能" }, "configurator": { "configure": "設定", "configured": "設定成功" }, "cover": { - "open": "開啟", - "opening": "開啟中", "closed": "關閉", "closing": "關閉中", + "open": "開啟", + "opening": "開啟中", "stopped": "停止" }, + "default": { + "off": "關閉", + "on": "開啟", + "unavailable": "不可用", + "unknown": "未知" + }, "device_tracker": { "home": "在家", "not_home": "離家" @@ -164,19 +282,19 @@ "on": "開啟" }, "group": { - "off": "關閉", - "on": "開啟", - "home": "在家", - "not_home": "離家", - "open": "開啟", - "opening": "開啟中", "closed": "關閉", "closing": "關閉中", - "stopped": "停止", + "home": "在家", "locked": "鎖", - "unlocked": "已解鎖", + "not_home": "離家", + "off": "關閉", "ok": "正常", - "problem": "異常" + "on": "開啟", + "open": "開啟", + "opening": "開啟中", + "problem": "異常", + "stopped": "停止", + "unlocked": "已解鎖" }, "input_boolean": { "off": "關閉", @@ -191,13 +309,17 @@ "unlocked": "已解鎖" }, "media_player": { + "idle": "閒置", "off": "關閉", "on": "開啟", - "playing": "播放中", "paused": "已暫停", - "idle": "閒置", + "playing": "播放中", "standby": "待命" }, + "person": { + "home": "在家", + "not_home": "離家" + }, "plant": { "ok": "健康", "problem": "異常" @@ -225,34 +347,10 @@ "off": "關閉", "on": "開啓" }, - "zwave": { - "default": { - "initializing": "正在初始化", - "dead": "失去連線", - "sleeping": "休眠中", - "ready": "準備就緒" - }, - "query_stage": { - "initializing": "正在初始化 ( {query_stage} )", - "dead": "失去連線 ({query_stage})" - } - }, - "weather": { - "clear-night": "晴空、夜間", - "cloudy": "多雲", - "fog": "有霧", - "hail": "冰雹", - "lightning": "有雷", - "lightning-rainy": "有雷雨", - "partlycloudy": "局部多雲", - "pouring": "大雨", - "rainy": "有雨", - "snowy": "有雪", - "snowy-rainy": "有雪、有雨", - "sunny": "晴天", - "windy": "有風", - "windy-variant": "有風", - "exceptional": "例外" + "timer": { + "active": "啟用", + "idle": "閒置", + "paused": "暫停" }, "vacuum": { "cleaning": "清掃中", @@ -264,362 +362,422 @@ "paused": "暫停", "returning": "返回充電" }, - "timer": { - "active": "啟用", - "idle": "閒置", - "paused": "暫停" + "weather": { + "clear-night": "晴空、夜間", + "cloudy": "多雲", + "exceptional": "例外", + "fog": "有霧", + "hail": "冰雹", + "lightning": "有雷", + "lightning-rainy": "有雷雨", + "partlycloudy": "局部多雲", + "pouring": "大雨", + "rainy": "有雨", + "snowy": "有雪", + "snowy-rainy": "有雪、有雨", + "sunny": "晴天", + "windy": "有風", + "windy-variant": "有風" }, - "person": { - "home": "在家", - "not_home": "離家" - } - }, - "state_badge": { - "default": { - "unknown": "未知", - "unavailable": "不可用", - "error": "錯誤", - "entity_not_found": "找不到物件" - }, - "alarm_control_panel": { - "armed": "已警戒", - "disarmed": "解除警戒", - "armed_home": "在家警戒", - "armed_away": "已警戒", - "armed_night": "已警戒", - "pending": "等待中", - "arming": "開啟警戒中", - "disarming": "關閉警戒", - "triggered": "觸發", - "armed_custom_bypass": "已警戒" - }, - "device_tracker": { - "home": "在家", - "not_home": "離家" - }, - "person": { - "home": "在家", - "not_home": "離家" + "zwave": { + "default": { + "dead": "失去連線", + "initializing": "正在初始化", + "ready": "準備就緒", + "sleeping": "休眠中" + }, + "query_stage": { + "dead": "失去連線 ({query_stage})", + "initializing": "正在初始化 ( {query_stage} )" + } } }, "ui": { - "panel": { - "shopping-list": { - "clear_completed": "清理完成", - "add_item": "新加入清單", - "microphone_tip": "點擊右上角的麥克風圖示,並說\"加入糖果到我的購物清單內\"" + "auth_store": { + "ask": "是否要儲存此登錄資訊?", + "confirm": "儲存資訊", + "decline": "不用了,謝謝" + }, + "card": { + "alarm_control_panel": { + "arm_away": "離家警戒", + "arm_custom_bypass": "警戒模式狀態", + "arm_home": "在家警戒", + "arm_night": "夜間警戒", + "armed_custom_bypass": "警戒模式狀態", + "clear_code": "清除", + "code": "密碼", + "disarm": "解除警戒" }, - "developer-tools": { - "tabs": { - "services": { - "title": "服務", - "description": "服務開發工具允許呼叫任何 Home Assistant 中可用服務。", - "data": "服務資料(YAML,選項)", - "call_service": "執行服務", - "select_service": "選擇服務以檢視其說明", - "no_description": "無描述可使用", - "no_parameters": "此服務未含任何參數。", - "column_parameter": "參數", - "column_description": "說明", - "column_example": "範例", - "fill_example_data": "填寫範例資料", - "alert_parsing_yaml": "解析 YAML 錯誤:{data}" - }, - "states": { - "title": "狀態", - "description1": "設定 Home Assistant 裝置代表。", - "description2": "將不會與實際設備進行通訊。", - "entity": "物件", - "state": "狀態", - "attributes": "屬性", - "state_attributes": "狀態屬性(YAML,選項)", - "set_state": "設定狀態", - "current_entities": "目前物件", - "filter_entities": "物件過濾器", - "filter_states": "狀態過濾器", - "filter_attributes": "屬性過濾器", - "no_entities": "無物件", - "more_info": "更多資訊", - "alert_entity_field": "物件為必填欄位" - }, - "events": { - "title": "事件", - "description": "於事件匯流排中執行事件。", - "documentation": "事件文件。", - "type": "事件類別", - "data": "事件資料(YAML,選項)", - "fire_event": "觸發事件", - "event_fired": "事件 {name} 已觸發", - "available_events": "可用事件", - "count_listeners": " ({count} 位監聽者)", - "listen_to_events": "監聽事件", - "listening_to": "監聽:", - "subscribe_to": "訂閱事件", - "start_listening": "開始監聽", - "stop_listening": "調整監聽", - "alert_event_type": "事件類型為必填欄位", - "notification_event_fired": "事件 {type} 已成功觸發!" - }, - "templates": { - "title": "模板", - "description": "模版使用 Jinja2 模板引擎及 Home Assistant 特殊擴充進行模板渲染。", - "editor": "模板編輯器", - "jinja_documentation": "Jinja2 模版文件", - "template_extensions": "Home Assistant 模板擴充", - "unknown_error_template": "未知渲染模版錯誤" - }, - "mqtt": { - "title": "MQTT", - "description_publish": "發佈封包", - "topic": "主題", - "payload": "負載(允取模版)", - "publish": "發佈", - "description_listen": "監聽主題", - "listening_to": "監聽:", - "subscribe_to": "訂閱主題", - "start_listening": "開始監聽", - "stop_listening": "調整監聽", - "message_received": "主題 - {topic},時間 - {time},訊息 - {id}:" - }, - "info": { - "title": "資訊", - "remove": "移除", - "set": "設定", - "default_ui": "{action} {name} 為此設備預設頁面", - "lovelace_ui": "至狀態介面", - "states_ui": "至 Lovelace 介面", - "home_assistant_logo": "Home Assistant logo", - "path_configuration": "configuration.yaml 路徑:{path}", - "developed_by": "由一群充滿熱情的人們所開發。", - "license": "依據 Apache 2.0 授權許可發行", - "source": "來源:", - "server": "伺服器", - "frontend": "frontend-ui", - "built_using": "建置使用", - "icons_by": "圖示使用", - "frontend_version": "Frontend 版本:{version} - {type}", - "custom_uis": "自定介面:", - "system_health_error": "系統健康元件未載入。請於 configuration.yaml 內加入「system_health:」" - }, - "logs": { - "title": "記錄", - "details": "記錄詳細資料({level})", - "load_full_log": "載入完整 Home Assistant 記錄", - "loading_log": "載入錯誤記錄中...", - "no_errors": "未回報任何錯誤。", - "no_issues": "沒有新問題!", - "clear": "清除", - "refresh": "更新", - "multiple_messages": "訊息首次出現於 {time}、共顯示 {counter} 次" - } + "automation": { + "last_triggered": "上次觸發", + "trigger": "觸發自動化" + }, + "camera": { + "not_available": "無法載入影像" + }, + "climate": { + "aux_heat": "輔助暖氣", + "away_mode": "外出模式", + "cooling": "{name} 制冷中", + "current_temperature": "{name} 目前溫度", + "currently": "目前狀態", + "fan_mode": "風速模式", + "heating": "{name} 加熱中", + "high": "調高", + "low": "調低", + "on_off": "開 \/ 關", + "operation": "運轉模式", + "preset_mode": "預置", + "swing_mode": "擺動模式", + "target_humidity": "設定濕度", + "target_temperature": "設定溫度", + "target_temperature_entity": "{name} 目標溫度", + "target_temperature_mode": "{name} 目標溫度 {mode}" + }, + "counter": { + "actions": { + "decrement": "減量", + "increment": "增量", + "reset": "重置" } }, - "history": { - "showing_entries": "選擇要查看的時間", - "period": "期間長" + "cover": { + "position": "位置", + "tilt_position": "葉片位置" }, - "logbook": { - "showing_entries": "選擇要查看的時間", - "period": "選擇週期" + "fan": { + "direction": "方向", + "forward": "正向", + "oscillate": "擺動", + "reverse": "反向", + "speed": "風速" }, - "mailbox": { - "empty": "目前沒有任何訊息", - "playback_title": "訊息播放", - "delete_prompt": "刪除此訊息?", - "delete_button": "刪除" + "light": { + "brightness": "亮度", + "color_temperature": "色溫", + "effect": "場景", + "white_value": "白色值" }, - "config": { - "header": "設定 Home Assistant", - "introduction": "此處為 Home Assistant 和元件相關配置區,目前尚未支援透過 UI 進行所有設定,我們正在努力改進中。", - "core": { - "caption": "一般設定", - "description": "變更 Home Assistant 一般設定", - "section": { - "core": { - "header": "一般設定", - "introduction": "更改設定常是個惱人過程。此區域將盡可能協助您,讓事情變得更輕鬆一些。", - "core_config": { - "edit_requires_storage": "由於 configuration.yaml 內已儲存設定,編輯功能已關閉。", - "location_name": "Home Assistant 安裝名稱", - "latitude": "緯度", - "longitude": "經度", - "elevation": "海拔", - "elevation_meters": "公尺", - "time_zone": "時區", - "unit_system": "單位系統", - "unit_system_imperial": "英制", - "unit_system_metric": "公制", - "imperial_example": "華氏、磅", - "metric_example": "攝氏、公斤", - "save_button": "儲存" - } - }, - "server_control": { - "validation": { - "heading": "設定驗證", - "introduction": "如果您對設定進行了一些更改,並且想要確保這些設定有無錯誤\n可以選擇先驗證您的設定內容。", - "check_config": "檢查設定內容", - "valid": "設定檔內容檢查正確", - "invalid": "設定檔內容檢查錯誤" - }, - "reloading": { - "heading": "重新載入設定檔(configuration)", - "introduction": "Home Assistant 中部分設定無須重啟即可重新載入生效。\n點選重新載入按鈕,即可重新載入最新設定。", - "core": "重新載入核心設定(core)", - "group": "重新載入群組(group)", - "automation": "重新載入自動化(automation)", - "script": "重新載入腳本(script)" - }, - "server_management": { - "heading": "服務器管理", - "introduction": "控制 Home Assistant 伺服器。", - "restart": "重啟", - "stop": "停止" - } - } - } + "lock": { + "code": "密碼", + "lock": "上鎖", + "unlock": "解鎖" + }, + "media_player": { + "sound_mode": "音效模式", + "source": "來源", + "text_to_speak": "所要閱讀的文字" + }, + "persistent_notification": { + "dismiss": "關閉" + }, + "scene": { + "activate": "啟用" + }, + "script": { + "execute": "執行" + }, + "timer": { + "actions": { + "cancel": "取消", + "finish": "完成", + "pause": "暫停", + "start": "開始" + } + }, + "vacuum": { + "actions": { + "resume_cleaning": "繼續清掃", + "return_to_base": "返回充電", + "start_cleaning": "開始清掃", + "turn_off": "關閉", + "turn_on": "開啟" + } + }, + "water_heater": { + "away_mode": "外出模式", + "currently": "目前狀態", + "on_off": "開 \/ 關", + "operation": "運轉模式", + "target_temperature": "設定溫度" + }, + "weather": { + "attributes": { + "air_pressure": "大氣壓", + "humidity": "濕度", + "temperature": "溫度", + "visibility": "能見度", + "wind_speed": "風速" }, - "customize": { - "caption": "自定義", - "description": "自定義元件內容與中文化", + "cardinal_direction": { + "e": "東", + "ene": "東北東", + "ese": "西南西", + "n": "北", + "ne": "東北", + "nne": "北北東", + "nnw": "北北西", + "nw": "西北", + "s": "南", + "se": "東南", + "sse": "南南東", + "ssw": "南南西", + "sw": "西南", + "w": "西", + "wnw": "西北西", + "wsw": "西南西" + }, + "forecast": "預報" + } + }, + "common": { + "cancel": "取消", + "loading": "讀取中", + "no": "否", + "save": "儲存", + "successfully_saved": "成功儲存", + "yes": "是" + }, + "components": { + "device-picker": { + "clear": "清除", + "show_devices": "顯示設備" + }, + "entity": { + "entity-picker": { + "clear": "清除", + "entity": "物件", + "show_entities": "顯示物件" + } + }, + "history_charts": { + "loading_history": "正在載入狀態歷史...", + "no_history_found": "找不到狀態歷史。" + }, + "relative_time": { + "duration": { + "day": "{count} {count, plural,\\n one {天}\\n other {天}\\n}", + "hour": "{count} {count, plural,\\n one {小時}\\n other {小時}\\n}", + "minute": "{count} {count, plural,\\n one {分鐘}\\n other {分鐘}\\n}", + "second": "{count} {count, plural,\\n one {秒}\\n other {秒}\\n}", + "week": "{count} {count, plural,\\n one {週}\\n other {週}\\n}" + }, + "future": "{time}後", + "never": "未執行", + "past": "{time}前" + }, + "service-picker": { + "service": "服務" + } + }, + "dialogs": { + "config_entry_system_options": { + "enable_new_entities_description": "關閉後,{integration} 新發現的物件將不會自動新增至 Home Assistant。", + "enable_new_entities_label": "啟用新增物件", + "title": "{integration} 系統選項" + }, + "confirmation": { + "cancel": "取消", + "ok": "好", + "title": "確認?" + }, + "domain_toggler": { + "title": "切換區域" + }, + "more_info_control": { + "script": { + "last_action": "上次觸發" + }, + "sun": { + "elevation": "海拔", + "rising": "日升", + "setting": "設定" + }, + "updater": { + "title": "更新說明" + } + }, + "more_info_settings": { + "entity_id": "物件 ID", + "name": "名稱覆寫", + "save": "儲存" + }, + "options_flow": { + "form": { + "header": "選項" + }, + "success": { + "description": "選項已儲存。" + } + }, + "voice_command": { + "did_not_hear": "Home Assistant 未收到任何語音", + "error": "糟糕、發生錯誤", + "found": "找到下列內容:", + "how_can_i_help": "需要協助嗎?", + "label": "輸入問題並按下 'Enter'", + "label_voice": "點選並按住 'Enter' 或點選麥克風圖案進行語音命令" + }, + "zha_device_info": { + "buttons": { + "add": "新增設備", + "reconfigure": "重新設定設備", + "remove": "移除設備" + }, + "last_seen": "上次出現", + "manuf": "由 {manufacturer}", + "no_area": "無分區", + "power_source": "電力來源", + "quirk": "Quirk", + "services": { + "reconfigure": "重新設定 ZHA Zibgee 設備(健康設備)。假如遇到設備問題,請使用此選項。假如有問題的設備為使用電池的設備,請先確定設備已喚醒並處於接受命令狀態。", + "remove": "從 Zigbee 網路移除設備。", + "updateDeviceName": "於物件 ID 中自訂此設備名稱。" + }, + "unknown": "未知", + "zha_device_card": { + "area_picker_label": "分區", + "device_name_placeholder": "使用者姓氏", + "update_name_button": "更新名稱" + } + } + }, + "duration": { + "day": "{count} {count, plural,\\none {天}\\nother {天}\\n}", + "hour": "{count} {count, plural,\\n one {小時}\\n other {小時}\\n}", + "minute": "{count} {count, plural,\\n one {分鐘}\\n other {分鐘}\\n}", + "second": "{count} {count, plural,\\none {秒}\\nother {秒}\\n}", + "week": "{count} {count, plural,\\none {週}\\nother {週}\\n}" + }, + "login-form": { + "log_in": "登入", + "password": "密碼", + "remember": "記住設定" + }, + "notification_drawer": { + "click_to_configure": "點擊按鈕以設定{entity}", + "empty": "沒有通知", + "title": "通知提示" + }, + "notification_toast": { + "connection_lost": "連線中斷。重新連線中...", + "entity_turned_off": "{entity}已關閉。", + "entity_turned_on": "{entity}已開啟。", + "service_call_failed": "服務 {service} 執行失敗。", + "service_called": "服務 {service} 已執行。", + "triggered": "觸發 {name}" + }, + "panel": { + "config": { + "area_registry": { + "caption": "分區 ID", + "create_area": "建立分區", + "description": "家中所有分區概觀", + "editor": { + "create": "建立", + "default_name": "新增分區", + "delete": "刪除", + "update": "更新" + }, + "no_areas": "看起來你還沒有建立分區!", "picker": { - "header": "自定義", - "introduction": "調整每個物件屬性。新增\/編輯自訂化將可以立即生效,移除自訂化則必須等到物件更新時、方能生效。" + "create_area": "建立分區", + "header": "分區 ID", + "integrations_page": "整合頁面", + "introduction": "分區主要用以管理設備所在位置。此資訊將會於 Home Assistant 中使用以協助您管理介面、權限,並與其他系統進行整合。", + "introduction2": "欲於分區中放置設備,請使用下方連結至整合頁面,並點選設定整合以設定設備卡片。", + "no_areas": "看起來你還沒有建立分區!" } }, "automation": { "caption": "設定自動化", "description": "新增和編輯自動化內容", - "picker": { - "header": "自動化編輯器", - "introduction": "自動化編輯器允許新增或編輯自動化。請參考下方教學連結,以確保正確的設定 Home Assistant。", - "pick_automation": "選擇欲編輯的自動化", - "no_automations": "沒有任何可編輯的自動化", - "add_automation": "新增一個自動化", - "learn_more": "詳細了解自動化" - }, "editor": { - "introduction": "使用自動化來讓你的智能家居更有魅力吧。", - "default_name": "建立新的自動化", - "save": "儲存", - "unsaved_confirm": "設定尚未儲存,確定要放棄嗎?", - "alias": "名稱", - "triggers": { - "header": "觸發", - "introduction": "「觸發條件」為可使設定好的自動化開始運作。可以針對一個自動化設定多個觸發條件。一旦觸發後,Home Assistant 會檢查觸發判斷式,並開始執行動作。", - "add": "新增一個觸發", - "duplicate": "複製", + "actions": { + "add": "新增一個動作", "delete": "刪除", "delete_confirm": "確定要刪除嗎?", - "unsupported_platform": "不支持的平台: {platform}", - "type_select": "觸發條件類型", + "duplicate": "複製", + "header": "觸發後動作", + "introduction": "「動作」為自動化觸發後,Home Assistant 所執行的自動化。", + "learn_more": "詳細了解動作", + "type_select": "觸發後動作類別", "type": { + "condition": { + "label": "判斷式" + }, + "delay": { + "delay": "延遲", + "label": "延遲" + }, + "device_id": { + "extra_fields": { + "code": "碼" + }, + "label": "設備" + }, "event": { - "label": "事件", - "event_type": "事件類別", - "event_data": "事件資料" - }, - "state": { - "label": "狀態", - "from": "從...狀態", - "to": "變為...狀態", - "for": "持續" - }, - "homeassistant": { - "label": "Home Assistant", "event": "事件:", - "start": "開始", - "shutdown": "關機" + "label": "執行事件", + "service_data": "資料" }, - "mqtt": { - "label": "MQTT", - "topic": "MQTT 主題", - "payload": "負載(選項)" + "scene": { + "label": "啟用場景" }, - "numeric_state": { - "label": "數值變動觸發", - "above": "在...之上", - "below": "在...之下", - "value_template": "數值模板(選項)" + "service": { + "label": "執行服務", + "service_data": "服務資料" }, - "sun": { - "label": "日出\/日落", - "event": "事件:", - "sunrise": "日出", - "sunset": "日落", - "offset": "偏移(選項)" - }, - "template": { - "label": "模板", - "value_template": "數值模板" - }, - "time": { - "label": "時間", - "at": "在...時間" - }, - "zone": { - "label": "區域", - "entity": "區域物件", - "zone": "區域", - "event": "事件:", - "enter": "進入區域", - "leave": "離開區域" - }, - "webhook": { - "label": "Webhook", - "webhook_id": "Webhook ID" - }, - "time_pattern": { - "label": "時間模式", - "hours": "小時", - "minutes": "分鐘", - "seconds": "秒鐘" - }, - "geo_location": { - "label": "地理位置", - "source": "來源", - "zone": "區域", - "event": "事件:", - "enter": "進入區域", - "leave": "離開區域" + "wait_template": { + "label": "等待", + "timeout": "超時(選項)", + "wait_template": "等待模板" + } + }, + "unsupported_action": "不支援的觸發動作: {action}" + }, + "alias": "名稱", + "conditions": { + "add": "新增一個判斷式", + "delete": "刪除", + "delete_confirm": "確定要刪除嗎?", + "duplicate": "複製", + "header": "觸發判斷", + "introduction": "「觸發判斷」為自動化規則中,選項使用的部分。可以用以避免誤觸發某些動作。「觸發判斷」看起來跟觸發很類似,但實際上不盡相同。觸發主要監看系統中、事件的變化產生,而觸發判斷僅監看系統目前的狀況。例如:觸發可以觀察到開關被開啟,而觸發判斷僅關注目前開關是開啟或關閉的狀態。", + "learn_more": "詳細了解觸發判斷", + "type_select": "觸發判斷類別", + "type": { + "and": { + "label": "及" }, "device": { - "label": "設備", "extra_fields": { "above": "在...之上", "below": "在...之下", "for": "持續時間" - } - } - }, - "learn_more": "詳細了解觸發條件" - }, - "conditions": { - "header": "觸發判斷", - "introduction": "「觸發判斷」為自動化規則中,選項使用的部分。可以用以避免誤觸發某些動作。「觸發判斷」看起來跟觸發很類似,但實際上不盡相同。觸發主要監看系統中、事件的變化產生,而觸發判斷僅監看系統目前的狀況。例如:觸發可以觀察到開關被開啟,而觸發判斷僅關注目前開關是開啟或關閉的狀態。", - "add": "新增一個判斷式", - "duplicate": "複製", - "delete": "刪除", - "delete_confirm": "確定要刪除嗎?", - "unsupported_condition": "不支援的觸發判斷: {condition}", - "type_select": "觸發判斷類別", - "type": { + }, + "label": "設備" + }, + "numeric_state": { + "above": "在...之上", + "below": "在...之下", + "label": "數值判斷", + "value_template": "數值模板後(選項)" + }, + "or": { + "label": "或" + }, "state": { "label": "狀態", "state": "狀態判斷" }, - "numeric_state": { - "label": "數值判斷", - "above": "在...之上", - "below": "在...之下", - "value_template": "數值模板後(選項)" - }, "sun": { - "label": "日出\/日落", - "before": "在...之前", "after": "在...之後", - "before_offset": "偏移前(選項)", "after_offset": "偏移後(選項)", + "before": "在...之前", + "before_offset": "偏移前(選項)", + "label": "日出\/日落", "sunrise": "日出", "sunset": "日落" }, @@ -628,395 +786,654 @@ "value_template": "數值模板" }, "time": { - "label": "時間", "after": "在...之後", - "before": "在...之前" + "before": "在...之前", + "label": "時間" }, "zone": { - "label": "區域", "entity": "區域物件", + "label": "區域", "zone": "區域" - }, + } + }, + "unsupported_condition": "不支援的觸發判斷: {condition}" + }, + "default_name": "建立新的自動化", + "description": { + "label": "說明", + "placeholder": "選項說明" + }, + "introduction": "使用自動化來讓你的智能家居更有魅力吧。", + "load_error_not_editable": "僅有 automations.yaml 內的自動化方能編輯。", + "load_error_unknown": "載入自動化錯誤({err_no})。", + "save": "儲存", + "triggers": { + "add": "新增一個觸發", + "delete": "刪除", + "delete_confirm": "確定要刪除嗎?", + "duplicate": "複製", + "header": "觸發", + "introduction": "「觸發條件」為可使設定好的自動化開始運作。可以針對一個自動化設定多個觸發條件。一旦觸發後,Home Assistant 會檢查觸發判斷式,並開始執行動作。", + "learn_more": "詳細了解觸發條件", + "type_select": "觸發條件類型", + "type": { "device": { - "label": "設備", "extra_fields": { "above": "在...之上", "below": "在...之下", "for": "持續時間" - } - }, - "and": { - "label": "及" - }, - "or": { - "label": "或" - } - }, - "learn_more": "詳細了解觸發判斷" - }, - "actions": { - "header": "觸發後動作", - "introduction": "「動作」為自動化觸發後,Home Assistant 所執行的自動化。", - "add": "新增一個動作", - "duplicate": "複製", - "delete": "刪除", - "delete_confirm": "確定要刪除嗎?", - "unsupported_action": "不支援的觸發動作: {action}", - "type_select": "觸發後動作類別", - "type": { - "service": { - "label": "執行服務", - "service_data": "服務資料" - }, - "delay": { - "label": "延遲", - "delay": "延遲" - }, - "wait_template": { - "label": "等待", - "wait_template": "等待模板", - "timeout": "超時(選項)" - }, - "condition": { - "label": "判斷式" + }, + "label": "設備" }, "event": { - "label": "執行事件", + "event_data": "事件資料", + "event_type": "事件類別", + "label": "事件" + }, + "geo_location": { + "enter": "進入區域", "event": "事件:", - "service_data": "資料" + "label": "地理位置", + "leave": "離開區域", + "source": "來源", + "zone": "區域" }, - "device_id": { - "label": "設備", - "extra_fields": { - "code": "碼" - } + "homeassistant": { + "event": "事件:", + "label": "Home Assistant", + "shutdown": "關機", + "start": "開始" }, - "scene": { - "label": "啟用場景" + "mqtt": { + "label": "MQTT", + "payload": "負載(選項)", + "topic": "MQTT 主題" + }, + "numeric_state": { + "above": "在...之上", + "below": "在...之下", + "label": "數值變動觸發", + "value_template": "數值模板(選項)" + }, + "state": { + "for": "持續", + "from": "從...狀態", + "label": "狀態", + "to": "變為...狀態" + }, + "sun": { + "event": "事件:", + "label": "日出\/日落", + "offset": "偏移(選項)", + "sunrise": "日出", + "sunset": "日落" + }, + "template": { + "label": "模板", + "value_template": "數值模板" + }, + "time_pattern": { + "hours": "小時", + "label": "時間模式", + "minutes": "分鐘", + "seconds": "秒鐘" + }, + "time": { + "at": "在...時間", + "label": "時間" + }, + "webhook": { + "label": "Webhook", + "webhook_id": "Webhook ID" + }, + "zone": { + "enter": "進入區域", + "entity": "區域物件", + "event": "事件:", + "label": "區域", + "leave": "離開區域", + "zone": "區域" } }, - "learn_more": "詳細了解動作" + "unsupported_platform": "不支持的平台: {platform}" }, - "load_error_not_editable": "僅有 automations.yaml 內的自動化方能編輯。", - "load_error_unknown": "載入自動化錯誤({err_no})。", - "description": { - "label": "說明", - "placeholder": "選項說明" - } - } - }, - "script": { - "caption": "腳本", - "description": "創建和編輯腳本", + "unsaved_confirm": "設定尚未儲存,確定要放棄嗎?" + }, "picker": { - "header": "腳本編輯器", - "introduction": "腳本編輯器允許新增或編輯腳本。請參考下方教學連結,以確保正確的設定 Home Assistant。", - "learn_more": "詳細了解腳本", - "no_scripts": "無法找到任何可編輯的腳本", - "add_script": "新增腳本" - }, - "editor": { - "header": "腳本:{name}", - "default_name": "新腳本", - "load_error_not_editable": "僅有於 scripts.yaml 檔案內的腳本,方能進行編輯。", - "delete_confirm": "確定要刪除此腳本?" - } - }, - "zwave": { - "caption": "Z-Wave", - "description": "管理 Z-Wave 網絡", - "network_management": { - "header": "Z-Wave 網路管理", - "introduction": "執行令命將會影響 Z-Wave 網路。將無法獲得回饋或指令是否成功執行,但可透過 OZW 日誌進行查詢。" - }, - "network_status": { - "network_stopped": "Z-Wave 網路已停止", - "network_starting": "正在啟用 Z-Wave 網路...", - "network_starting_note": "根據您的網路規模,啟用可能需要一點時間。", - "network_started": "Z-Wave 網路已啟用", - "network_started_note_some_queried": "已查詢喚醒之節點。睡眠中節點將於喚醒後進行查詢。", - "network_started_note_all_queried": "已查詢所有節點。" - }, - "services": { - "start_network": "啟用網路", - "stop_network": "停止網路", - "heal_network": "修復網路", - "test_network": "測試網路", - "soft_reset": "重開機", - "save_config": "儲存設定", - "add_node_secure": "新增節點來源", - "add_node": "新增節點", - "remove_node": "移除節點", - "cancel_command": "取消命令" - }, - "common": { - "value": "數值", - "instance": "物件", - "index": "指數", - "unknown": "未知", - "wakeup_interval": "喚醒間隔" - }, - "values": { - "header": "節點數值" - }, - "node_config": { - "header": "節點設定選項", - "seconds": "秒", - "set_wakeup": "設定喚醒間隔", - "config_parameter": "設定參數", - "config_value": "設定值", - "true": "True", - "false": "False", - "set_config_parameter": "設定參數" - }, - "learn_more": "詳細了解 Z-Wave", - "ozw_log": { - "header": "OZW 紀錄", - "introduction": "檢視紀錄。最小值為 0(載入所有紀錄)、最大值為 1000。將顯示靜態紀錄、後段將依據紀錄最後指定行數自動更新。" - } - }, - "users": { - "caption": "用戶", - "description": "用戶管理", - "picker": { - "title": "用戶", - "system_generated": "系統產生" - }, - "editor": { - "rename_user": "重命名用戶", - "change_password": "更改密碼", - "activate_user": "激活用戶", - "deactivate_user": "停用用戶", - "delete_user": "刪除用戶", - "caption": "檢視用戶", - "id": "ID", - "owner": "擁有者", - "group": "群組", - "active": "啟用", - "system_generated": "系統產生", - "system_generated_users_not_removable": "無法移除系統產生用戶", - "unnamed_user": "未命名用戶", - "enter_new_name": "輸入新名稱", - "user_rename_failed": "用戶重新命名失敗:", - "group_update_failed": "群組更新失敗:", - "confirm_user_deletion": "確定要刪除 {name}?" - }, - "add_user": { - "caption": "新增用戶", - "name": "名稱", - "username": "使用者名稱", - "password": "密碼", - "create": "新增" + "add_automation": "新增一個自動化", + "delete_automation": "刪除自動化", + "delete_confirm": "確定要刪除此自動化?", + "edit_automation": "編輯自動化", + "header": "自動化編輯器", + "introduction": "自動化編輯器允許新增或編輯自動化。請參考下方教學連結,以確保正確的設定 Home Assistant。", + "learn_more": "詳細了解自動化", + "no_automations": "沒有任何可編輯的自動化", + "only_editable": "僅有於 automations.yaml 內定義的自動化、方能進行編輯。", + "pick_automation": "選擇欲編輯的自動化", + "show_info_automation": "顯示關於自動化資訊" } }, "cloud": { + "account": { + "alexa": { + "config_documentation": "設定文件", + "disable": "關閉", + "enable": "開啟", + "enable_ha_skill": "開啟 Home Assistant skill for Alexa", + "enable_state_reporting": "開啟狀態回報", + "info": "藉由 Home Assistant Cloud 雲服務 Alexa 整合,將能透過 Alexa 支援設備以控制所有 Home Assistant 設備。", + "info_state_reporting": "假如開啟狀態回報,Home Assistant 將會持續傳送所有連結物件的狀態改變至 Amazon。以確保於 Alexa app 中設備永遠保持最新狀態、並藉以創建例行自動化。", + "manage_entities": "管理物件", + "state_reporting_error": "無法 {enable_disable} 回報狀態。", + "sync_entities": "同步物件", + "sync_entities_error": "同步物件失敗:", + "title": "Alexa" + }, + "connected": "已連接", + "connection_status": "雲服務連線狀態", + "fetching_subscription": "取得訂閱狀態中...", + "google": { + "config_documentation": "設定文件", + "devices_pin": "加密設備 Pin", + "enable_ha_skill": "啟用 Home Assistant skill for Google Assistant", + "enable_state_reporting": "開啟狀態回報", + "enter_pin_error": "無法儲存 Pin:", + "enter_pin_hint": "請輸入安全碼以使用加密設備", + "enter_pin_info": "請輸入加密設備 Pin 碼、加密設備為如門、車庫與門鎖。當透過 Google Assistant 與此類設備進行互動時,將需要語音說出\/輸入密碼。", + "info": "藉由 Home Assistant Cloud 雲服務 Google Assistant 整合,將能透過 Google Assistant 支援設備以控制所有 Home Assistant 設備。", + "info_state_reporting": "假如開啟狀態回報,Home Assistant 將會持續傳送所有連結物件的狀態改變至 Google。以確保於 Google app 中設備永遠保持最新狀態、並藉以創建例行自動化。", + "manage_entities": "管理物件", + "security_devices": "加密設備", + "sync_entities": "與 Google 同步物件", + "title": "Google Assistant" + }, + "integrations": "整合", + "integrations_introduction": "Home Assistant Cloud 雲服務整合可連線至其他雲服務、而不需將您的 Home Assistant 暴露在整個網際網路上。", + "integrations_introduction2": "開啟網站 ", + "integrations_link_all_features": " 所有可用功能", + "manage_account": "管理帳號", + "nabu_casa_account": "Nabu Casa 帳號", + "not_connected": "未連線", + "remote": { + "access_is_being_prepared": "遠端登入準備中,會於就緒時通知您。", + "certificate_info": "認證資訊", + "info": "Home Assistant Cloud 雲服務提供您離家時、遠端加密連線控制。", + "instance_is_available": "您的設備可透過下方連結使用", + "instance_will_be_available": "您的設備將可透過下方連結使用", + "link_learn_how_it_works": "了解如何運作", + "title": "遠端控制" + }, + "sign_out": "登出", + "thank_you_note": "感謝您參與支持 Home Assistant Cloud 雲服務。由於有你們的支持,我們才能持續為每個人帶來絕佳的家庭自動化體驗,謝謝!", + "webhooks": { + "disable_hook_error_msg": "關閉 Webhook 失敗:", + "info": "任何設定透過 Webhook 觸發內容,都可以取得公開可存取的 URL、以供傳送資料回 Home Assistant,而不需將 Home Assistant 暴露至網路網路上。", + "link_learn_more": "詳細了解新增 Webhook 自動化。", + "loading": "正在載入...", + "manage": "管理", + "no_hooks_yet": "看起來您尚未建立 Webhook,可藉由設定 ", + "no_hooks_yet_link_automation": "Webhook 自動化", + "no_hooks_yet_link_integration": "Webhook 整合", + "no_hooks_yet2": " 或新增一組 ", + "title": "Webhooks" + } + }, + "alexa": { + "banner": "由於您已經透過 configuration.yaml 設定物件過濾器、 因此編輯連結物件的介面將無法使用。", + "expose": "連結至 Alexa", + "exposed_entities": "已連結物件", + "not_exposed_entities": "未連結物件", + "title": "Alexa" + }, "caption": "Home Assistant Cloud", + "description_features": "整合 Alexa 及 Google 助理,遠端控制智能家居", "description_login": "登入帳號:{email}", "description_not_login": "未登入", - "description_features": "整合 Alexa 及 Google 助理,遠端控制智能家居", + "dialog_certificate": { + "certificate_expiration_date": "認證過期日期", + "certificate_information": "認證資訊", + "close": "關閉", + "fingerprint": "認證歷程:", + "will_be_auto_renewed": "將會自動更新" + }, + "dialog_cloudhook": { + "available_at": "Webhook 可透過以下 URL 獲得:", + "close": "關閉", + "confirm_disable": "確定要關閉此 Webhook?", + "copied_to_clipboard": "複製至剪貼簿", + "info_disable_webhook": "假如不再使用此 Webhook,可以", + "link_disable_webhook": "關閉", + "managed_by_integration": "此 Webhook 由整合所管理、無法關閉。", + "view_documentation": "檢視文件", + "webhook_for": "{name} Webhook" + }, + "forgot_password": { + "check_your_email": "請檢查您的郵件,以了解如何進行密碼重置。", + "email": "郵件", + "email_error_msg": "無效郵件", + "instructions": "輸入您的電子郵件位址,將用以傳送密碼重置設定連結。", + "send_reset_email": "傳送重置郵件", + "subtitle": "忘記密碼", + "title": "忘記密碼?" + }, + "google": { + "banner": "由於您已經透過 configuration.yaml 設定物件過濾器、 因此編輯連結物件的介面將無法使用。", + "disable_2FA": "關閉兩步驟驗證", + "expose": "連結至 Google Assistant", + "exposed_entities": "已連結物件", + "not_exposed_entities": "未連結物件", + "sync_to_google": "正與 Google 同步變更。", + "title": "Google Assistant" + }, "login": { - "title": "雲端登入", + "alert_email_confirm_necessary": "需要驗證郵件後方能登入。", + "alert_password_change_required": "需要變更密碼後方能登入。", + "dismiss": "關閉", + "email": "郵件", + "email_error_msg": "無效郵件", + "forgot_password": "忘記密碼?", "introduction": "Home Assistant Cloud 雲服務提供您離家時、遠端加密連線控制。同時也可連結使用雲端,例如:Amazon Alexa 及 Google Assistant。", "introduction2": "服務執行者:合作廠商 ", "introduction2a": "、Home Assistant 與 Hass.io 創始人所成立的公司。", "introduction3": "Home Assistant Cloud 為訂閱服務制、包含一個月的試用期。試用期間無須輸入任何付款資訊。", "learn_more_link": "了解更多關於 Home Assistant Cloud 雲服務資訊", - "dismiss": "關閉", - "sign_in": "登入", - "email": "郵件", - "email_error_msg": "無效郵件", "password": "密碼", "password_error_msg": "密碼至少需要 8 個字元", - "forgot_password": "忘記密碼?", + "sign_in": "登入", "start_trial": "開始 1 月試用期", - "trial_info": "無須輸入任何付款資訊", - "alert_password_change_required": "需要變更密碼後方能登入。", - "alert_email_confirm_necessary": "需要驗證郵件後方能登入。" - }, - "forgot_password": { - "title": "忘記密碼?", - "subtitle": "忘記密碼", - "instructions": "輸入您的電子郵件位址,將用以傳送密碼重置設定連結。", - "email": "郵件", - "email_error_msg": "無效郵件", - "send_reset_email": "傳送重置郵件", - "check_your_email": "請檢查您的郵件,以了解如何進行密碼重置。" + "title": "雲端登入", + "trial_info": "無須輸入任何付款資訊" }, "register": { - "title": "註冊帳號", - "headline": "開始免費試用", - "information": "註冊帳號以開始一個月的 Home Assistant Cloud 雲服務試用。無須輸入任何付款資訊。", - "information2": "試用期將可以使用所有 Home Assistant Cloud 雲服務服務跟功能,包含:", - "feature_remote_control": "離家時控制 Home Assistant", - "feature_google_home": "與 Google Assistant 整合", - "feature_amazon_alexa": "與 Amazon Alexa 整合", - "feature_webhook_apps": "與 Webhook app 如 OwnTracks 服務輕易整合", - "information3": "服務執行者:合作廠商 ", - "information3a": "、Home Assistant 與 Hass.io 創始人所成立的公司。", - "information4": "藉由註冊帳號的動作,即表示您同意以下條款與條件。", - "link_terms_conditions": "條款與條件", - "link_privacy_policy": "隱私權政策", + "account_created": "帳號已創建,請檢查郵件以了解如何啟用帳號。", "create_account": "創建帳號", "email_address": "電子郵件", "email_error_msg": "無效郵件", + "feature_amazon_alexa": "與 Amazon Alexa 整合", + "feature_google_home": "與 Google Assistant 整合", + "feature_remote_control": "離家時控制 Home Assistant", + "feature_webhook_apps": "與 Webhook app 如 OwnTracks 服務輕易整合", + "headline": "開始免費試用", + "information": "註冊帳號以開始一個月的 Home Assistant Cloud 雲服務試用。無須輸入任何付款資訊。", + "information2": "試用期將可以使用所有 Home Assistant Cloud 雲服務服務跟功能,包含:", + "information3": "服務執行者:合作廠商 ", + "information3a": "、Home Assistant 與 Hass.io 創始人所成立的公司。", + "information4": "藉由註冊帳號的動作,即表示您同意以下條款與條件。", + "link_privacy_policy": "隱私權政策", + "link_terms_conditions": "條款與條件", "password": "密碼", "password_error_msg": "密碼至少需要 8 個字元", - "start_trial": "開始試用", "resend_confirm_email": "重新發送認證郵件", - "account_created": "帳號已創建,請檢查郵件以了解如何啟用帳號。" - }, - "account": { - "thank_you_note": "感謝您參與支持 Home Assistant Cloud 雲服務。由於有你們的支持,我們才能持續為每個人帶來絕佳的家庭自動化體驗,謝謝!", - "nabu_casa_account": "Nabu Casa 帳號", - "connection_status": "雲服務連線狀態", - "manage_account": "管理帳號", - "sign_out": "登出", - "integrations": "整合", - "integrations_introduction": "Home Assistant Cloud 雲服務整合可連線至其他雲服務、而不需將您的 Home Assistant 暴露在整個網際網路上。", - "integrations_introduction2": "開啟網站 ", - "integrations_link_all_features": " 所有可用功能", - "connected": "已連接", - "not_connected": "未連線", - "fetching_subscription": "取得訂閱狀態中...", - "remote": { - "title": "遠端控制", - "access_is_being_prepared": "遠端登入準備中,會於就緒時通知您。", - "info": "Home Assistant Cloud 雲服務提供您離家時、遠端加密連線控制。", - "instance_is_available": "您的設備可透過下方連結使用", - "instance_will_be_available": "您的設備將可透過下方連結使用", - "link_learn_how_it_works": "了解如何運作", - "certificate_info": "認證資訊" - }, - "alexa": { - "title": "Alexa", - "info": "藉由 Home Assistant Cloud 雲服務 Alexa 整合,將能透過 Alexa 支援設備以控制所有 Home Assistant 設備。", - "enable_ha_skill": "開啟 Home Assistant skill for Alexa", - "config_documentation": "設定文件", - "enable_state_reporting": "開啟狀態回報", - "info_state_reporting": "假如開啟狀態回報,Home Assistant 將會持續傳送所有連結物件的狀態改變至 Amazon。以確保於 Alexa app 中設備永遠保持最新狀態、並藉以創建例行自動化。", - "sync_entities": "同步物件", - "manage_entities": "管理物件", - "sync_entities_error": "同步物件失敗:", - "state_reporting_error": "無法 {enable_disable} 回報狀態。", - "enable": "開啟", - "disable": "關閉" - }, - "google": { - "title": "Google Assistant", - "info": "藉由 Home Assistant Cloud 雲服務 Google Assistant 整合,將能透過 Google Assistant 支援設備以控制所有 Home Assistant 設備。", - "enable_ha_skill": "啟用 Home Assistant skill for Google Assistant", - "config_documentation": "設定文件", - "enable_state_reporting": "開啟狀態回報", - "info_state_reporting": "假如開啟狀態回報,Home Assistant 將會持續傳送所有連結物件的狀態改變至 Google。以確保於 Google app 中設備永遠保持最新狀態、並藉以創建例行自動化。", - "security_devices": "加密設備", - "enter_pin_info": "請輸入加密設備 Pin 碼、加密設備為如門、車庫與門鎖。當透過 Google Assistant 與此類設備進行互動時,將需要語音說出\/輸入密碼。", - "devices_pin": "加密設備 Pin", - "enter_pin_hint": "請輸入安全碼以使用加密設備", - "sync_entities": "與 Google 同步物件", - "manage_entities": "管理物件", - "enter_pin_error": "無法儲存 Pin:" - }, - "webhooks": { - "title": "Webhooks", - "info": "任何設定透過 Webhook 觸發內容,都可以取得公開可存取的 URL、以供傳送資料回 Home Assistant,而不需將 Home Assistant 暴露至網路網路上。", - "no_hooks_yet": "看起來您尚未建立 Webhook,可藉由設定 ", - "no_hooks_yet_link_integration": "Webhook 整合", - "no_hooks_yet2": " 或新增一組 ", - "no_hooks_yet_link_automation": "Webhook 自動化", - "link_learn_more": "詳細了解新增 Webhook 自動化。", - "loading": "正在載入...", - "manage": "管理", - "disable_hook_error_msg": "關閉 Webhook 失敗:" - } - }, - "alexa": { - "title": "Alexa", - "banner": "由於您已經透過 configuration.yaml 設定物件過濾器、 因此編輯連結物件的介面將無法使用。", - "exposed_entities": "已連結物件", - "not_exposed_entities": "未連結物件", - "expose": "連結至 Alexa" - }, - "dialog_certificate": { - "certificate_information": "認證資訊", - "certificate_expiration_date": "認證過期日期", - "will_be_auto_renewed": "將會自動更新", - "fingerprint": "認證歷程:", - "close": "關閉" - }, - "google": { - "title": "Google Assistant", - "expose": "連結至 Google Assistant", - "disable_2FA": "關閉兩步驟驗證", - "banner": "由於您已經透過 configuration.yaml 設定物件過濾器、 因此編輯連結物件的介面將無法使用。", - "exposed_entities": "已連結物件", - "not_exposed_entities": "未連結物件", - "sync_to_google": "正與 Google 同步變更。" - }, - "dialog_cloudhook": { - "webhook_for": "{name} Webhook", - "available_at": "Webhook 可透過以下 URL 獲得:", - "managed_by_integration": "此 Webhook 由整合所管理、無法關閉。", - "info_disable_webhook": "假如不再使用此 Webhook,可以", - "link_disable_webhook": "關閉", - "view_documentation": "檢視文件", - "close": "關閉", - "confirm_disable": "確定要關閉此 Webhook?", - "copied_to_clipboard": "複製至剪貼簿" + "start_trial": "開始試用", + "title": "註冊帳號" } }, + "common": { + "editor": { + "confirm_unsaved": "設定尚未儲存,確定要放棄嗎?" + } + }, + "core": { + "caption": "一般設定", + "description": "變更 Home Assistant 一般設定", + "section": { + "core": { + "core_config": { + "edit_requires_storage": "由於 configuration.yaml 內已儲存設定,編輯功能已關閉。", + "elevation": "海拔", + "elevation_meters": "公尺", + "imperial_example": "華氏、磅", + "latitude": "緯度", + "location_name": "Home Assistant 安裝名稱", + "longitude": "經度", + "metric_example": "攝氏、公斤", + "save_button": "儲存", + "time_zone": "時區", + "unit_system": "單位系統", + "unit_system_imperial": "英制", + "unit_system_metric": "公制" + }, + "header": "一般設定", + "introduction": "更改設定常是個惱人過程。此區域將盡可能協助您,讓事情變得更輕鬆一些。" + }, + "server_control": { + "reloading": { + "automation": "重新載入自動化(automation)", + "core": "重新載入核心設定(core)", + "group": "重新載入群組(group)", + "heading": "重新載入設定檔(configuration)", + "introduction": "Home Assistant 中部分設定無須重啟即可重新載入生效。\\n點選重新載入按鈕,即可重新載入最新設定。", + "script": "重新載入腳本(script)" + }, + "server_management": { + "heading": "服務器管理", + "introduction": "控制 Home Assistant 伺服器。", + "restart": "重啟", + "stop": "停止" + }, + "validation": { + "check_config": "檢查設定內容", + "heading": "設定驗證", + "introduction": "如果您對設定進行了一些更改,並且想要確保這些設定有無錯誤\\n可以選擇先驗證您的設定內容。", + "invalid": "設定檔內容檢查錯誤", + "valid": "設定檔內容檢查正確" + } + } + } + }, + "customize": { + "attributes_customize": "以下屬性已經於 customize.yaml 中設定", + "attributes_not_set": "以下屬性尚未設定,如果需要請進行設定。", + "attributes_outside": "以下屬性為 customize.yaml 外自訂化。", + "attributes_override": "假如願意,可以進行覆寫。", + "attributes_set": "以下物件屬性為可程式化設定。", + "caption": "自定義", + "description": "自定義元件內容與中文化", + "different_include": "可能透過區域、全局或不同的包含。", + "pick_attribute": "選擇欲覆寫屬性", + "picker": { + "header": "自定義", + "introduction": "調整每個物件屬性。新增\/編輯自訂化將可以立即生效,移除自訂化則必須等到物件更新時、方能生效。" + }, + "warning": { + "include_link": "包含 customize.yaml", + "include_sentence": "configuration.yaml 似乎未正確設定", + "not_applied": "已進行變更已寫入、但除非包含於對應項目、否則必須於設定重新載入之後才會套用。" + } + }, + "devices": { + "area_picker_label": "分區", + "automation": { + "actions": { + "caption": "當某物件被觸發時..." + }, + "conditions": { + "caption": "執行動作、假如..." + }, + "triggers": { + "caption": "執行動作、當..." + } + }, + "automations": "自動化", + "caption": "設備", + "confirm_rename_entity_ids": "是否也要變更物件的物件 ID?", + "data_table": { + "area": "分區", + "battery": "電量", + "device": "設備", + "integration": "整合", + "manufacturer": "廠牌", + "model": "型號" + }, + "description": "管理已連線設備", + "details": "此處顯示設備所有詳細資訊。", + "device_not_found": "未找到設備。", + "entities": "物件", + "info": "設備資訊", + "unknown_error": "未知錯誤", + "unnamed_device": "未命名設備" + }, + "entity_registry": { + "caption": "物件 ID", + "description": "所有已知物件概觀", + "editor": { + "confirm_delete": "確定要刪除此物件?", + "confirm_delete2": "刪除物件將不會由 Home Assistant 移除物件。欲移除、你必須由 Home Assistant 移除整合 '{platform}'。", + "default_name": "新分區", + "delete": "刪除", + "enabled_cause": "由 {cause} 關閉。", + "enabled_description": "關閉的物件將不會新增至 Home Assistant。", + "enabled_label": "啟用物件", + "note": "注意:可能無法適用所有整合。", + "unavailable": "該物件目前不可用。", + "update": "更新" + }, + "picker": { + "header": "物件 ID", + "headers": { + "enabled": "已啟用", + "entity_id": "物件 ID", + "integration": "整合", + "name": "名稱" + }, + "integrations_page": "整合頁面", + "introduction": "Home Assistant 保持每個物件 ID 的獨特辨識性,此些物件將會指定一組專用的 物件 ID。", + "introduction2": "使用物件 ID 以覆寫名稱、變更物件 ID 或由 Home Assistant 移除物件。請注意:移除物件 ID 項目並不會移除物件。欲移除,請跟隨下方連結,並於整合頁面中進行移除。", + "show_disabled": "顯示關閉物件", + "unavailable": "(不可用)" + } + }, + "header": "設定 Home Assistant", "integrations": { "caption": "整合", - "description": "管理已連線設備與整合", - "discovered": "已掃描", - "configured": "已設定整合", - "new": "設定新整合", - "configure": "設定", - "none": "尚未設定", "config_entry": { - "no_devices": "此整合沒有任何設備。", - "no_device": "物件沒有設備", + "area": "於 {area}", + "delete_button": "刪除 {integration}", "delete_confirm": "確定要刪除此整合?", - "restart_confirm": "重啟 Home Assistant 以完成此整合移動", - "manuf": "廠牌:{manufacturer}", - "via": "連線:", - "firmware": "韌體:{version}", "device_unavailable": "設備不可用", "entity_unavailable": "物件不可用", - "no_area": "無分區", + "firmware": "韌體:{version}", "hub": "連線:", + "manuf": "廠牌:{manufacturer}", + "no_area": "無分區", + "no_device": "物件沒有設備", + "no_devices": "此整合沒有任何設備。", + "restart_confirm": "重啟 Home Assistant 以完成此整合移動", "settings_button": "編輯 {integration} 設定", "system_options_button": "{integration} 系統選項", - "delete_button": "刪除 {integration}", - "area": "於 {area}" + "via": "連線:" }, "config_flow": { + "aborted": "已中止", + "add_area": "新增分區", + "area_picker_label": "分區", + "close": "關閉", + "created_config": "新增 {name} 設定。", + "error_saving_area": "儲存分區錯誤:{error}", "external_step": { "description": "此步驟將需要開啟外部網站方能完成。", "open_site": "開啟網站" - } + }, + "failed_create_area": "新增分區失敗。", + "finish": "完成", + "name_new_area": "新分區名稱?", + "not_all_required_fields": "所有所需欄位都需要填寫。", + "submit": "傳送" }, + "configure": "設定", + "configured": "已設定整合", + "description": "管理已連線設備與整合", + "discovered": "已掃描", + "home_assistant_website": "Home Assistant 網站", + "integration_not_found": "找不到整合。", + "new": "設定新整合", + "none": "尚未設定", "note_about_integrations": "目前並非所有整合皆可以透過 UI 進行設定。", - "note_about_website_reference": "更多資訊請參閱", - "home_assistant_website": "Home Assistant 網站" + "note_about_website_reference": "更多資訊請參閱" + }, + "introduction": "此處為 Home Assistant 和元件相關配置區,目前尚未支援透過 UI 進行所有設定,我們正在努力改進中。", + "person": { + "add_person": "新增人員", + "caption": "人員", + "confirm_delete": "確定要刪除此人員?", + "confirm_delete2": "所有該人員所屬裝置將成為未指派狀態。", + "create_person": "新增人員", + "description": "管理 Home Assistant 追蹤人員。", + "detail": { + "create": "新增", + "delete": "刪除", + "device_tracker_intro": "選擇此人員所擁有的設備。", + "device_tracker_pick": "選擇追蹤設備", + "device_tracker_picked": "追蹤設備", + "link_integrations_page": "整合頁面", + "link_presence_detection_integrations": "人員偵測整合", + "linked_user": "已連結用戶", + "name": "名稱", + "name_error_msg": "必須輸入名稱", + "new_person": "新人員", + "no_device_tracker_available_intro": "當有設備顯示有人員在場時、可以將該設備指定為某個人員所有。可以先藉由整合頁面、新增人員偵測整合以加入第一個設備。", + "update": "更新" + }, + "introduction": "此處可定義 Home Assistant 中的每一位成員。", + "no_persons_created_yet": "看起來您還有新增任何人員。", + "note_about_persons_configured_in_yaml": "請注意:透過 configuration.yaml 設定的人員將無法透過 UI 進行編輯。" + }, + "scene": { + "activated": "已啟用場景 {name}。", + "caption": "場景", + "description": "新增和編輯場景", + "editor": { + "default_name": "新場景", + "devices": { + "add": "新增設備", + "delete": "刪除設備", + "header": "設備", + "introduction": "新增所要包含於場景中的設備,設定所有設備成此場景中所希望的狀態。" + }, + "entities": { + "add": "新增物件", + "delete": "刪除物件", + "device_entities": "假如新增一項屬於設備的物件,設備也將被新增。", + "header": "物件", + "introduction": "不屬於設備的物件可以於此設置。", + "without_device": "無設備物件" + }, + "introduction": "使用場景來讓你的智能家居更有魅力吧。", + "load_error_not_editable": "僅有於 scenes.yaml 檔案內的場景、方能進行編輯。", + "load_error_unknown": "載入場景錯誤({err_no})。", + "name": "名稱", + "save": "儲存", + "unsaved_confirm": "設定尚未儲存,確定要放棄嗎?" + }, + "picker": { + "add_scene": "新增場景", + "delete_confirm": "確定要刪除此場景?", + "delete_scene": "刪除場景", + "edit_scene": "編輯場景", + "header": "場景編輯器", + "introduction": "場景編輯器允許新增或編輯場景。請參考下方教學連結,以確保正確的設定 Home Assistant。", + "learn_more": "詳細了解場景", + "no_scenes": "找不到任何可編輯場景", + "only_editable": "僅有於 scenes.yaml 檔案內定義的場景、方能進行編輯。", + "pick_scene": "選擇欲編輯的場景", + "show_info_scene": "顯示關於場景資訊" + } + }, + "script": { + "caption": "腳本", + "description": "創建和編輯腳本", + "editor": { + "default_name": "新腳本", + "delete_confirm": "確定要刪除此腳本?", + "delete_script": "刪除腳本", + "header": "腳本:{name}", + "introduction": "使用腳本以執行一連串的動作。", + "link_available_actions": "詳細了解可使用動作", + "load_error_not_editable": "僅有於 scripts.yaml 檔案內的腳本,方能進行編輯。", + "sequence": "連續", + "sequence_sentence": "此腳本所含的操作動作。" + }, + "picker": { + "add_script": "新增腳本", + "edit_script": "編輯腳本", + "header": "腳本編輯器", + "introduction": "腳本編輯器允許新增或編輯腳本。請參考下方教學連結,以確保正確的設定 Home Assistant。", + "learn_more": "詳細了解腳本", + "no_scripts": "無法找到任何可編輯的腳本", + "trigger_script": "觸發腳本" + } + }, + "server_control": { + "caption": "伺服器控制", + "description": "重啟與停止 Home Assistant 伺服器", + "section": { + "reloading": { + "automation": "重新載入自動化", + "core": "重新載入核心設定", + "group": "重新載入群組", + "heading": "正在重新載入設定", + "introduction": "Home Assistant 中部分設定無須重啟即可重新載入生效。點選重新載入按鈕,即可重新載入最新設定。", + "scene": "重新載入場景", + "script": "重新載入腳本" + }, + "server_management": { + "confirm_restart": "確定要重啟 Home Assistant 嗎?", + "confirm_stop": "確定要停止 Home Assistant 嗎?", + "heading": "服務器管理", + "introduction": "由 Home Assistant,控制 Home Assistant 伺服器。", + "restart": "重啟", + "stop": "停止" + }, + "validation": { + "check_config": "檢查設定內容", + "heading": "設定驗證", + "introduction": "如果您對設定進行了一些更改、並且想確保設定有無錯誤,可以選擇驗證設定內容。", + "invalid": "設定無效", + "valid": "設定檔內容檢查正確" + } + } + }, + "users": { + "add_user": { + "caption": "新增用戶", + "create": "新增", + "name": "名稱", + "password": "密碼", + "username": "使用者名稱" + }, + "caption": "用戶", + "description": "用戶管理", + "editor": { + "activate_user": "激活用戶", + "active": "啟用", + "caption": "檢視用戶", + "change_password": "更改密碼", + "confirm_user_deletion": "確定要刪除 {name}?", + "deactivate_user": "停用用戶", + "delete_user": "刪除用戶", + "enter_new_name": "輸入新名稱", + "group": "群組", + "group_update_failed": "群組更新失敗:", + "id": "ID", + "owner": "擁有者", + "rename_user": "重命名用戶", + "system_generated": "系統產生", + "system_generated_users_not_removable": "無法移除系統產生用戶", + "unnamed_user": "未命名用戶", + "user_rename_failed": "用戶重新命名失敗:" + }, + "picker": { + "system_generated": "系統產生", + "title": "用戶" + } }, "zha": { - "caption": "ZHA", - "description": "Zigbee 家庭自動化網路管理", - "services": { - "reconfigure": "重新設定 ZHA Zibgee 設備(健康設備)。假如遇到設備問題,請使用此選項。假如有問題的設備為使用電池的設備,請先確定設備已喚醒並處於接受命令狀態。", - "updateDeviceName": "於物件 ID 中自訂此設備名稱。", - "remove": "自 Zigbee 網路移除設備。" - }, - "device_card": { - "device_name_placeholder": "使用者自訂名稱", - "area_picker_label": "分區", - "update_name_button": "更新名稱" - }, "add_device_page": { - "header": "Zigbee 家庭自動化 - 新增設備", - "spinner": "正在搜尋 ZHA Zigbee 設備...", "discovery_text": "所發現的設備將會顯示於此。跟隨設備的指示並將其設定為配對模式。", - "search_again": "再次搜尋" + "header": "Zigbee 家庭自動化 - 新增設備", + "search_again": "再次搜尋", + "spinner": "正在搜尋 ZHA Zigbee 設備..." + }, + "caption": "ZHA", + "cluster_attributes": { + "attributes_of_cluster": "獲取所選叢集屬性。", + "get_zigbee_attribute": "獲取 Zigbee 屬性", + "header": "叢集屬性", + "help_attribute_dropdown": "選擇屬性以檢視或設定該數值。", + "help_get_zigbee_attribute": "獲取所選屬性數值。", + "help_set_zigbee_attribute": "設定特定物件之特定叢集屬性數值。", + "introduction": "檢視或編輯叢集屬性。", + "set_zigbee_attribute": "設定 Zigbee 屬性" + }, + "cluster_commands": { + "commands_of_cluster": "所選叢集之命令", + "header": "叢集命令", + "help_command_dropdown": "選擇所要互動的命令。", + "introduction": "檢視或發出叢集命令。", + "issue_zigbee_command": "發出 Zigbee 命令" + }, + "clusters": { + "help_cluster_dropdown": "選擇叢集以檢視屬性及命令。" }, "common": { "add_devices": "新增設備", @@ -1025,472 +1442,266 @@ "manufacturer_code_override": "製造商代碼覆寫", "value": "數值" }, + "description": "Zigbee 家庭自動化網路管理", + "device_card": { + "area_picker_label": "分區", + "device_name_placeholder": "使用者自訂名稱", + "update_name_button": "更新名稱" + }, "network_management": { "header": "網路管理", "introduction": "命令影響整個網路" }, "node_management": { "header": "設備管理", - "introduction": "執行 ZHA 命命將影響單一設備。選擇設備以檢視該設備可使用之命令。", + "help_node_dropdown": "選擇設備以檢視該設備選項。", "hint_battery_devices": "請注意:對設備執行命令時,需喚醒處於睡眠狀態的設備(使用電池供電),通常可以藉由觸發以喚醒設備。", "hint_wakeup": "某些設備(例如小米傳感器)擁有喚醒按鈕、可藉由每隔約 5 秒按一下、以保持設備處於喚醒狀態以進行互動。", - "help_node_dropdown": "選擇設備以檢視該設備選項。" + "introduction": "執行 ZHA 命命將影響單一設備。選擇設備以檢視該設備可使用之命令。" }, - "clusters": { - "help_cluster_dropdown": "選擇叢集以檢視屬性及命令。" - }, - "cluster_attributes": { - "header": "叢集屬性", - "introduction": "檢視或編輯叢集屬性。", - "attributes_of_cluster": "獲取所選叢集屬性。", - "get_zigbee_attribute": "獲取 Zigbee 屬性", - "set_zigbee_attribute": "設定 Zigbee 屬性", - "help_attribute_dropdown": "選擇屬性以檢視或設定該數值。", - "help_get_zigbee_attribute": "獲取所選屬性數值。", - "help_set_zigbee_attribute": "設定特定物件之特定叢集屬性數值。" - }, - "cluster_commands": { - "header": "叢集命令", - "introduction": "檢視或發出叢集命令。", - "commands_of_cluster": "所選叢集之命令", - "issue_zigbee_command": "發出 Zigbee 命令", - "help_command_dropdown": "選擇所要互動的命令。" + "services": { + "reconfigure": "重新設定 ZHA Zibgee 設備(健康設備)。假如遇到設備問題,請使用此選項。假如有問題的設備為使用電池的設備,請先確定設備已喚醒並處於接受命令狀態。", + "remove": "自 Zigbee 網路移除設備。", + "updateDeviceName": "於物件 ID 中自訂此設備名稱。" } }, - "area_registry": { - "caption": "分區 ID", - "description": "家中所有分區概觀", - "picker": { - "header": "分區 ID", - "introduction": "分區主要用以管理設備所在位置。此資訊將會於 Home Assistant 中使用以協助您管理介面、權限,並與其他系統進行整合。", - "introduction2": "欲於分區中放置設備,請使用下方連結至整合頁面,並點選設定整合以設定設備卡片。", - "integrations_page": "整合頁面", - "no_areas": "看起來你還沒有建立分區!", - "create_area": "建立分區" + "zwave": { + "caption": "Z-Wave", + "common": { + "index": "指數", + "instance": "物件", + "unknown": "未知", + "value": "數值", + "wakeup_interval": "喚醒間隔" }, - "no_areas": "看起來你還沒有建立分區!", - "create_area": "建立分區", - "editor": { - "default_name": "新增分區", - "delete": "刪除", - "update": "更新", - "create": "建立" - } - }, - "entity_registry": { - "caption": "物件 ID", - "description": "所有已知物件概觀", - "picker": { - "header": "物件 ID", - "unavailable": "(不可用)", - "introduction": "Home Assistant 保持每個物件 ID 的獨特辨識性,此些物件將會指定一組專用的 物件 ID。", - "introduction2": "使用物件 ID 以覆寫名稱、變更物件 ID 或由 Home Assistant 移除物件。請注意:移除物件 ID 項目並不會移除物件。欲移除,請跟隨下方連結,並於整合頁面中進行移除。", - "integrations_page": "整合頁面", - "show_disabled": "顯示關閉物件", - "headers": { - "name": "名稱", - "entity_id": "物件 ID", - "integration": "整合", - "enabled": "已啟用" - } + "description": "管理 Z-Wave 網絡", + "learn_more": "詳細了解 Z-Wave", + "network_management": { + "header": "Z-Wave 網路管理", + "introduction": "執行令命將會影響 Z-Wave 網路。將無法獲得回饋或指令是否成功執行,但可透過 OZW 日誌進行查詢。" }, - "editor": { - "unavailable": "該物件目前不可用。", - "default_name": "新分區", - "delete": "刪除", - "update": "更新", - "enabled_label": "啟用物件", - "enabled_cause": "由 {cause} 關閉。", - "enabled_description": "關閉的物件將不會新增至 Home Assistant。", - "confirm_delete": "確定要刪除此物件?", - "confirm_delete2": "刪除物件將不會由 Home Assistant 移除物件。欲移除、你必須由 Home Assistant 移除整合 '{platform}'。" - } - }, - "person": { - "caption": "人員", - "description": "管理 Home Assistant 追蹤人員。", - "detail": { - "name": "名稱", - "device_tracker_intro": "選擇此人員所擁有的設備。", - "device_tracker_picked": "追蹤設備", - "device_tracker_pick": "選擇追蹤設備", - "new_person": "新人員", - "name_error_msg": "必須輸入名稱", - "linked_user": "已連結用戶", - "no_device_tracker_available_intro": "當有設備顯示有人員在場時、可以將該設備指定為某個人員所有。可以先藉由整合頁面、新增人員偵測整合以加入第一個設備。", - "link_presence_detection_integrations": "人員偵測整合", - "link_integrations_page": "整合頁面", - "delete": "刪除", - "create": "新增", - "update": "更新" + "network_status": { + "network_started": "Z-Wave 網路已啟用", + "network_started_note_all_queried": "已查詢所有節點。", + "network_started_note_some_queried": "已查詢喚醒之節點。睡眠中節點將於喚醒後進行查詢。", + "network_starting": "正在啟用 Z-Wave 網路...", + "network_starting_note": "根據您的網路規模,啟用可能需要一點時間。", + "network_stopped": "Z-Wave 網路已停止" }, - "introduction": "此處可定義 Home Assistant 中的每一位成員。", - "note_about_persons_configured_in_yaml": "請注意:透過 configuration.yaml 設定的人員將無法透過 UI 進行編輯。", - "no_persons_created_yet": "看起來您還有新增任何人員。", - "create_person": "新增人員", - "add_person": "新增人員", - "confirm_delete": "確定要刪除此人員?", - "confirm_delete2": "所有該人員所屬裝置將成為未指派狀態。" - }, - "server_control": { - "caption": "伺服器控制", - "description": "重啟與停止 Home Assistant 伺服器", - "section": { - "validation": { - "heading": "設定驗證", - "introduction": "如果您對設定進行了一些更改、並且想確保設定有無錯誤,可以選擇驗證設定內容。", - "check_config": "檢查設定內容", - "valid": "設定檔內容檢查正確", - "invalid": "設定無效" - }, - "reloading": { - "heading": "正在重新載入設定", - "introduction": "Home Assistant 中部分設定無須重啟即可重新載入生效。點選重新載入按鈕,即可重新載入最新設定。", - "core": "重新載入核心設定", - "group": "重新載入群組", - "automation": "重新載入自動化", - "script": "重新載入腳本", - "scene": "重新載入場景" - }, - "server_management": { - "heading": "服務器管理", - "introduction": "由 Home Assistant,控制 Home Assistant 伺服器。", - "restart": "重啟", - "stop": "停止", - "confirm_restart": "確定要重啟 Home Assistant 嗎?", - "confirm_stop": "確定要停止 Home Assistant 嗎?" - } - } - }, - "devices": { - "caption": "設備", - "description": "管理已連線設備", - "automation": { - "triggers": { - "caption": "執行動作、當..." - }, - "conditions": { - "caption": "執行動作、假如..." - }, - "actions": { - "caption": "當某物件被觸發時..." - } - } - }, - "common": { - "editor": { - "confirm_unsaved": "設定尚未儲存,確定要放棄嗎?" + "node_config": { + "config_parameter": "設定參數", + "config_value": "設定值", + "false": "False", + "header": "節點設定選項", + "seconds": "秒", + "set_config_parameter": "設定參數", + "set_wakeup": "設定喚醒間隔", + "true": "True" + }, + "ozw_log": { + "header": "OZW 紀錄", + "introduction": "檢視紀錄。最小值為 0(載入所有紀錄)、最大值為 1000。將顯示靜態紀錄、後段將依據紀錄最後指定行數自動更新。" + }, + "services": { + "add_node": "新增節點", + "add_node_secure": "新增節點來源", + "cancel_command": "取消命令", + "heal_network": "修復網路", + "remove_node": "移除節點", + "save_config": "儲存設定", + "soft_reset": "重開機", + "start_network": "啟用網路", + "stop_network": "停止網路", + "test_network": "測試網路" + }, + "values": { + "header": "節點數值" } } }, - "profile": { - "push_notifications": { - "header": "通知推送", - "description": "傳送通知推送至此設備。", - "error_load_platform": "設定 notify.html5。", - "error_use_https": "需要啟用前端 SSL 加密。", - "push_notifications": "通知推送", - "link_promo": "了解更多" - }, - "language": { - "header": "語言", - "link_promo": "協助翻譯", - "dropdown_label": "語言" - }, - "themes": { - "header": "主題", - "error_no_theme": "無主題可使用。", - "link_promo": "關於此主題", - "dropdown_label": "主題" - }, - "refresh_tokens": { - "header": "更新密鑰", - "description": "每一個更新密鑰標示為一次登錄活動。當點選登出時,更新密鑰將會自動移除。目前你的帳號已啟用之更新密鑰如下。", - "token_title": "{clientId}更新密鑰", - "created_at": "於{date}創建", - "confirm_delete": "確定要刪除{name}更新密鑰嗎?", - "delete_failed": "刪除更新密鑰失敗。", - "last_used": "上次使用:於{date}、位置{location}", - "not_used": "從未使用過", - "current_token_tooltip": "無法刪除目前更新密鑰" - }, - "long_lived_access_tokens": { - "header": "永久有效存取密鑰", - "description": "創建長效存取密鑰,可供運用腳本與 Home Assistant 物件進行互動。每個密鑰於創建後,有效期為十年。目前已啟用之永久有效密鑰如下。", - "learn_auth_requests": "學習如何進行驗證請求。", - "created_at": "於{date}創建", - "confirm_delete": "確定要刪除{name}存取密鑰嗎?", - "delete_failed": "刪除存取密鑰失敗。", - "create": "創建密鑰", - "create_failed": "創建存取密鑰失敗。", - "prompt_name": "名稱?", - "prompt_copy_token": "複製存取密鑰,將不會再次顯示。", - "empty_state": "尚未創建永久有效存取密鑰。", - "last_used": "上次使用:於{date}、位置{location}", - "not_used": "從未使用過" - }, - "current_user": "目前登入身份:{fullName}。", - "is_owner": "你為擁有者。", - "change_password": { - "header": "變更密碼", - "current_password": "目前密碼", - "new_password": "新密碼", - "confirm_new_password": "確認密碼", - "error_required": "必填", - "submit": "傳送" - }, - "mfa": { - "header": "多步驟驗證模組", - "disable": "關閉", - "enable": "開啟", - "confirm_disable": "確定要關閉{name}?" - }, - "mfa_setup": { - "title_aborted": "已中止", - "title_success": "成功!", - "step_done": "{step}已設定完成", - "close": "關閉", - "submit": "傳送" - }, - "logout": "登出", - "force_narrow": { - "header": "總是隱藏側邊列", - "description": "將預設隱藏側邊列,類似於手機 App 使用方式。" - }, - "vibrate": { - "header": "震動", - "description": "當控制裝置時、開啟或關閉此裝置震動。" - }, - "advanced_mode": { - "title": "進階模式", - "description": "預設狀態下,Home Assistant 將隱藏進階功能與選項。可藉由開啟此開關打開這些功能。此功能為各用戶獨立功能、不會影響 Home Assistant 的其他用戶。" + "custom": { + "external_panel": { + "complete_access": "將能存取所有 Home Assistant 所有資料。", + "hide_message": "參閱關於 panel_custom component 文件以隱藏此訊息", + "question_trust": "是否信任位於 {link}外部面板 {name}?" } }, - "page-authorize": { - "initializing": "初始化中", - "authorizing_client": "即將授與 {clientId} 訪問 Home Assistant 系統權限。", - "logging_in_with": "使用 **{authProviderName}** 登入。", - "pick_auth_provider": "或以其他方式登入", - "abort_intro": "登入中止", - "form": { - "working": "請稍候", - "unknown_error": "發生錯誤", - "providers": { - "homeassistant": { - "step": { - "init": { - "data": { - "username": "使用者名稱", - "password": "使用者密碼" - } - }, - "mfa": { - "data": { - "code": "兩步驟驗證碼" - }, - "description": "開啟設備上的 **{mfa_module_name}** 以獲得兩步驟驗證碼,並進行驗證:" - } - }, - "error": { - "invalid_auth": "使用者名稱或密碼無效", - "invalid_code": "驗證碼無效" - }, - "abort": { - "login_expired": "登入階段已逾時,請重新登錄。" - } - }, - "legacy_api_password": { - "step": { - "init": { - "data": { - "password": "API 密碼" - }, - "description": "請輸入 Http 設定中的 API 密鑰:" - }, - "mfa": { - "data": { - "code": "兩步驟驗證碼" - }, - "description": "開啟設備上的 **{mfa_module_name}** 以獲得兩步驟驗證碼,並進行驗證:" - } - }, - "error": { - "invalid_auth": "API 密碼無效", - "invalid_code": "驗證碼無效" - }, - "abort": { - "no_api_password_set": "尚未設定 API 密碼。", - "login_expired": "登入階段已逾時,請重新登錄。" - } - }, - "trusted_networks": { - "step": { - "init": { - "data": { - "user": "使用者" - }, - "description": "請選擇所要登錄的用戶:" - } - }, - "abort": { - "not_whitelisted": "電腦尚未加入許可清單。" - } - }, - "command_line": { - "step": { - "init": { - "data": { - "username": "使用者名稱", - "password": "使用者密碼" - } - }, - "mfa": { - "data": { - "code": "兩步驟驗證碼" - }, - "description": "開啟設備上的 **{mfa_module_name}** 以獲得兩步驟驗證碼,並進行驗證:" - } - }, - "error": { - "invalid_auth": "使用者名稱或密碼無效", - "invalid_code": "驗證碼無效" - }, - "abort": { - "login_expired": "登入階段已逾時,請重新登錄。" - } - } - } - } - }, - "page-onboarding": { - "intro": "準備喚醒您的智能家庭、取得隱私自主權,並加入由全球愛好者共同維護的社群了嗎?", - "user": { - "intro": "開始創建帳號吧。", - "required_field": "必填", - "data": { - "name": "名字", - "username": "使用者名稱", - "password": "使用者密碼", - "password_confirm": "確認密碼" + "developer-tools": { + "tabs": { + "events": { + "alert_event_type": "事件類型為必填欄位", + "available_events": "可用事件", + "count_listeners": " ({count} 位監聽者)", + "data": "事件資料(YAML,選項)", + "description": "於事件匯流排中執行事件。", + "documentation": "事件文件。", + "event_fired": "事件 {name} 已觸發", + "fire_event": "觸發事件", + "listen_to_events": "監聽事件", + "listening_to": "監聽:", + "notification_event_fired": "事件 {type} 已成功觸發!", + "start_listening": "開始監聽", + "stop_listening": "調整監聽", + "subscribe_to": "訂閱事件", + "title": "事件", + "type": "事件類別" }, - "create_account": "創建帳號", - "error": { - "required_fields": "填寫所有所需欄位", - "password_not_match": "密碼不相符" + "info": { + "built_using": "建置使用", + "custom_uis": "自定介面:", + "default_ui": "{action} {name} 為此設備預設頁面", + "developed_by": "由一群充滿熱情的人們所開發。", + "frontend": "frontend-ui", + "frontend_version": "Frontend 版本:{version} - {type}", + "home_assistant_logo": "Home Assistant logo", + "icons_by": "圖示使用", + "license": "依據 Apache 2.0 授權許可發行", + "lovelace_ui": "至狀態介面", + "path_configuration": "configuration.yaml 路徑:{path}", + "remove": "移除", + "server": "伺服器", + "set": "設定", + "source": "來源:", + "states_ui": "至 Lovelace 介面", + "system_health_error": "系統健康元件未載入。請於 configuration.yaml 內加入「system_health:」", + "title": "資訊" + }, + "logs": { + "clear": "清除", + "details": "記錄詳細資料({level})", + "load_full_log": "載入完整 Home Assistant 記錄", + "loading_log": "載入錯誤記錄中...", + "multiple_messages": "訊息首次出現於 {time}、共顯示 {counter} 次", + "no_errors": "未回報任何錯誤。", + "no_issues": "沒有新問題!", + "refresh": "更新", + "title": "記錄" + }, + "mqtt": { + "description_listen": "監聽主題", + "description_publish": "發佈封包", + "listening_to": "監聽:", + "message_received": "主題 - {topic},時間 - {time},訊息 - {id}:", + "payload": "負載(允取模版)", + "publish": "發佈", + "start_listening": "開始監聽", + "stop_listening": "調整監聽", + "subscribe_to": "訂閱主題", + "title": "MQTT", + "topic": "主題" + }, + "services": { + "alert_parsing_yaml": "解析 YAML 錯誤:{data}", + "call_service": "執行服務", + "column_description": "說明", + "column_example": "範例", + "column_parameter": "參數", + "data": "服務資料(YAML,選項)", + "description": "服務開發工具允許呼叫任何 Home Assistant 中可用服務。", + "fill_example_data": "填寫範例資料", + "no_description": "無描述可使用", + "no_parameters": "此服務未含任何參數。", + "select_service": "選擇服務以檢視其說明", + "title": "服務" + }, + "states": { + "alert_entity_field": "物件為必填欄位", + "attributes": "屬性", + "current_entities": "目前物件", + "description1": "設定 Home Assistant 裝置代表。", + "description2": "將不會與實際設備進行通訊。", + "entity": "物件", + "filter_attributes": "屬性過濾器", + "filter_entities": "物件過濾器", + "filter_states": "狀態過濾器", + "more_info": "更多資訊", + "no_entities": "無物件", + "set_state": "設定狀態", + "state": "狀態", + "state_attributes": "狀態屬性(YAML,選項)", + "title": "狀態" + }, + "templates": { + "description": "模版使用 Jinja2 模板引擎及 Home Assistant 特殊擴充進行模板渲染。", + "editor": "模板編輯器", + "jinja_documentation": "Jinja2 模版文件", + "template_extensions": "Home Assistant 模板擴充", + "title": "模板", + "unknown_error_template": "未知渲染模版錯誤" } - }, - "integration": { - "intro": "將會於 Home Assistant 整合中呈現的設備與服務。可以現在進行設定,或者稍後於設定選單中進行。", - "more_integrations": "更多", - "finish": "完成" - }, - "core-config": { - "intro": "{name}你好,歡迎使用 Home Assistant。為您的家庭取個名字吧?", - "intro_location": "希望能夠提供您所居住的區域,資料將協助所顯示的資訊內容、設定以日出日落為基礎的自動化。此資料將絕不會與外部網路進行分享。", - "intro_location_detect": "設定可以藉由一次性請求外部服務、以協助您填寫此項資料。", - "location_name_default": "首頁", - "button_detect": "偵測", - "finish": "下一步" } }, + "history": { + "period": "期間長", + "showing_entries": "選擇要查看的時間" + }, + "logbook": { + "entries_not_found": "找不到物件日誌。", + "period": "選擇週期", + "showing_entries": "選擇要查看的時間" + }, "lovelace": { "cards": { - "shopping-list": { - "checked_items": "已選取項目", - "clear_items": "清除已選取項目", - "add_item": "新增項目" - }, + "confirm_delete": "確定要刪除此卡片?", "empty_state": { - "title": "歡迎回家", + "go_to_integrations_page": "轉至整合頁面。", "no_devices": "此頁面允許進行控制所擁有的設備。看起來您尚未設定任何設備,從設定中的整合頁面開始吧。", - "go_to_integrations_page": "轉至整合頁面。" + "title": "歡迎回家" }, "picture-elements": { - "hold": "按住:", - "tap": "點擊:", - "navigate_to": "導航至 {location}", - "toggle": "切換 {name}", "call_service": "執行服務 {name}", + "hold": "按住:", "more_info": "顯示更多資訊:{name}", + "navigate_to": "導航至 {location}", + "tap": "點擊:", + "toggle": "切換 {name}", "url": "開啟視窗至 {url_path}" }, - "confirm_delete": "確定要刪除此卡片?" + "shopping-list": { + "add_item": "新增項目", + "checked_items": "已選取項目", + "clear_items": "清除已選取項目" + } + }, + "changed_toast": { + "message": "Lovelace 設定已更新,是否要更新頁面?", + "refresh": "更新" }, "editor": { - "edit_card": { - "header": "卡片設定", - "save": "儲存", - "toggle_editor": "切換編輯器", - "pick_card": "選擇所要新增的卡片?", - "add": "新增卡片", - "edit": "編輯", - "delete": "刪除", - "move": "移動", - "show_visual_editor": "顯示視覺編輯器", - "show_code_editor": "顯示編碼編輯器", - "pick_card_view_title": "要加入 {name} 視圖的卡片?", - "options": "更多選項" - }, - "migrate": { - "header": "設定不相容", - "para_no_id": "該元件未含 ID,請於「ui-lovelace.yaml」中為該元件新增 ID。", - "para_migrate": "Home Assistant 能於您點選「遷移設定」按鈕後,自動新增 ID 與視圖至所有卡片。", - "migrate": "遷移設定" - }, - "header": "編輯 UI", - "edit_view": { - "header": "檢視設定", - "add": "新增視圖", - "edit": "編輯視圖", - "delete": "刪除視圖", - "header_name": "{name} 檢視設定" - }, - "save_config": { - "header": "自行編輯 Lovelace UI", - "para": "Home Assistant 於預設下,將維護您的使用者介面、於新物件或 Lovelace 元件可使用時進行更新。假如選擇自行編輯,系統將不再為您自動進行變更。", - "para_sure": "確定要自行編輯使用者介面?", - "cancel": "我再想想", - "save": "自行編輯" - }, - "menu": { - "raw_editor": "文字模式編輯器", - "open": "開啟 Lovelace 選單" - }, - "raw_editor": { - "header": "編輯設定", - "save": "儲存", - "unsaved_changes": "未儲存的變更", - "saved": "已儲存" - }, - "edit_lovelace": { - "header": "Lovelace UI 的標題", - "explanation": "此為 Lovelace 所有分視圖上方之標題。" - }, "card": { "alarm_panel": { "available_states": "可用狀態" }, + "alarm-panel": { + "available_states": "可用狀態", + "name": "警報面板" + }, + "conditional": { + "name": "條件式" + }, "config": { - "required": "必填", - "optional": "選項" + "optional": "選項", + "required": "必填" }, "entities": { - "show_header_toggle": "顯示名稱切換?", "name": "物件", + "show_header_toggle": "顯示名稱切換?", "toggle": "切換物件。" }, + "entity-button": { + "name": "物件按鈕" + }, + "entity-filter": { + "name": "物件過濾器" + }, "gauge": { + "name": "尺規", "severity": { "define": "定義嚴重度?", "green": "綠色", "red": "紅色", "yellow": "黃色" - }, - "name": "尺規" - }, - "glance": { - "columns": "列", - "name": "Glance" + } }, "generic": { "aspect_ratio": "長寬比", @@ -1511,39 +1722,14 @@ "show_name": "顯示名稱?", "show_state": "顯示狀態?", "tap_action": "點選觸發", - "title": "標題", "theme": "主題", + "title": "標題", "unit": "單位", "url": "網址" }, - "map": { - "geo_location_sources": "地理位置來源", - "dark_mode": "深色模式?", - "default_zoom": "預設大小", - "source": "來源", - "name": "地圖" - }, - "markdown": { - "content": "內容", - "name": "Markdown" - }, - "sensor": { - "graph_detail": "圖像精細度", - "graph_type": "圖像類型", - "name": "傳感器" - }, - "alarm-panel": { - "name": "警報面板", - "available_states": "可用狀態" - }, - "conditional": { - "name": "條件式" - }, - "entity-button": { - "name": "物件按鈕" - }, - "entity-filter": { - "name": "物件過濾器" + "glance": { + "columns": "列", + "name": "Glance" }, "history-graph": { "name": "歷史圖表" @@ -1557,12 +1743,20 @@ "light": { "name": "燈光" }, + "map": { + "dark_mode": "深色模式?", + "default_zoom": "預設大小", + "geo_location_sources": "地理位置來源", + "name": "地圖", + "source": "來源" + }, + "markdown": { + "content": "內容", + "name": "Markdown" + }, "media-control": { "name": "媒體控制" }, - "picture": { - "name": "圖片" - }, "picture-elements": { "name": "圖片元素" }, @@ -1572,9 +1766,17 @@ "picture-glance": { "name": "Picture Glance" }, + "picture": { + "name": "圖片" + }, "plant-status": { "name": "植物狀態" }, + "sensor": { + "graph_detail": "圖像精細度", + "graph_type": "圖像類型", + "name": "傳感器" + }, "shopping-list": { "name": "購物清單" }, @@ -1588,434 +1790,368 @@ "name": "天氣預報" } }, + "edit_card": { + "add": "新增卡片", + "delete": "刪除卡片", + "edit": "編輯", + "header": "卡片設定", + "move": "移動至視圖", + "options": "更多選項", + "pick_card": "選擇所要新增的卡片?", + "pick_card_view_title": "要加入 {name} 視圖的卡片?", + "save": "儲存", + "show_code_editor": "顯示編碼編輯器", + "show_visual_editor": "顯示視覺編輯器", + "toggle_editor": "切換編輯器" + }, + "edit_lovelace": { + "edit_title": "編輯標題", + "explanation": "此為 Lovelace 所有分視圖上方之標題。", + "header": "Lovelace UI 的標題" + }, + "edit_view": { + "add": "新增視圖", + "delete": "刪除視圖", + "edit": "編輯視圖", + "header": "檢視設定", + "header_name": "{name} 檢視設定", + "move_left": "向左移動視圖", + "move_right": "向右移動視圖" + }, + "header": "編輯 UI", + "menu": { + "open": "開啟 Lovelace 選單", + "raw_editor": "文字模式編輯器" + }, + "migrate": { + "header": "設定不相容", + "migrate": "遷移設定", + "para_migrate": "Home Assistant 能於您點選「遷移設定」按鈕後,自動新增 ID 與視圖至所有卡片。", + "para_no_id": "該元件未含 ID,請於「ui-lovelace.yaml」中為該元件新增 ID。" + }, + "raw_editor": { + "confirm_unsaved_changes": "變更尚未儲存,確定要退出?", + "confirm_unsaved_comments": "設定包含命令、將不會被儲存。是否要繼續?", + "error_invalid_config": "設定無效:{error}", + "error_parse_yaml": "無法解析 YAML:{error}", + "error_save_yaml": "無法儲存 YAML:{error}", + "header": "編輯設定", + "save": "儲存", + "saved": "已儲存", + "unsaved_changes": "未儲存的變更" + }, + "save_config": { + "cancel": "我再想想", + "header": "自行編輯 Lovelace UI", + "para": "Home Assistant 於預設下,將維護您的使用者介面、於新物件或 Lovelace 元件可使用時進行更新。假如選擇自行編輯,系統將不再為您自動進行變更。", + "para_sure": "確定要自行編輯使用者介面?", + "save": "自行編輯" + }, "view": { "panel_mode": { - "title": "面板模式?", - "description": "將會以全寬繪製第一張卡,視圖中其他卡片將不進行呈現。" + "description": "將會以全寬繪製第一張卡,視圖中其他卡片將不進行呈現。", + "title": "面板模式?" } } }, "menu": { + "close": "關閉", "configure_ui": "介面設定", - "unused_entities": "未顯示物件", "help": "說明", - "refresh": "更新" - }, - "warning": { - "entity_not_found": "物件不可用:{entity}", - "entity_non_numeric": "物件為非數字:{entity}" - }, - "changed_toast": { - "message": "Lovelace 設定已更新,是否要更新頁面?", - "refresh": "更新" + "refresh": "更新", + "unused_entities": "未顯示物件" }, "reload_lovelace": "重新載入 Lovelace", + "unused_entities": { + "available_entities": "此些為尚未於 Lovelace 介面中、可供使用的物件。", + "domain": "區域", + "entity": "物件", + "entity_id": "物件 ID", + "last_changed": "上次變更", + "select_to_add": "選擇所要新增至卡片的物件、並點選新增至卡片按鈕。", + "title": "未使用物件" + }, "views": { "confirm_delete": "確定要刪除此視圖?", "existing_cards": "無法刪除內含卡片的視圖,請先移除卡片。" + }, + "warning": { + "entity_non_numeric": "物件為非數字:{entity}", + "entity_not_found": "物件不可用:{entity}" } }, + "mailbox": { + "delete_button": "刪除", + "delete_prompt": "刪除此訊息?", + "empty": "目前沒有任何訊息", + "playback_title": "訊息播放" + }, + "page-authorize": { + "abort_intro": "登入中止", + "authorizing_client": "即將授與 {clientId} 訪問 Home Assistant 系統權限。", + "form": { + "providers": { + "command_line": { + "abort": { + "login_expired": "登入階段已逾時,請重新登錄。" + }, + "error": { + "invalid_auth": "使用者名稱或密碼無效", + "invalid_code": "驗證碼無效" + }, + "step": { + "init": { + "data": { + "password": "使用者密碼", + "username": "使用者名稱" + } + }, + "mfa": { + "data": { + "code": "兩步驟驗證碼" + }, + "description": "開啟設備上的 **{mfa_module_name}** 以獲得兩步驟驗證碼,並進行驗證:" + } + } + }, + "homeassistant": { + "abort": { + "login_expired": "登入階段已逾時,請重新登錄。" + }, + "error": { + "invalid_auth": "使用者名稱或密碼無效", + "invalid_code": "驗證碼無效" + }, + "step": { + "init": { + "data": { + "password": "使用者密碼", + "username": "使用者名稱" + } + }, + "mfa": { + "data": { + "code": "兩步驟驗證碼" + }, + "description": "開啟設備上的 **{mfa_module_name}** 以獲得兩步驟驗證碼,並進行驗證:" + } + } + }, + "legacy_api_password": { + "abort": { + "login_expired": "登入階段已逾時,請重新登錄。", + "no_api_password_set": "尚未設定 API 密碼。" + }, + "error": { + "invalid_auth": "API 密碼無效", + "invalid_code": "驗證碼無效" + }, + "step": { + "init": { + "data": { + "password": "API 密碼" + }, + "description": "請輸入 Http 設定中的 API 密鑰:" + }, + "mfa": { + "data": { + "code": "兩步驟驗證碼" + }, + "description": "開啟設備上的 **{mfa_module_name}** 以獲得兩步驟驗證碼,並進行驗證:" + } + } + }, + "trusted_networks": { + "abort": { + "not_whitelisted": "電腦尚未加入許可清單。" + }, + "step": { + "init": { + "data": { + "user": "使用者" + }, + "description": "請選擇所要登錄的用戶:" + } + } + } + }, + "unknown_error": "發生錯誤", + "working": "請稍候" + }, + "initializing": "初始化中", + "logging_in_with": "使用 **{authProviderName}** 登入。", + "pick_auth_provider": "或以其他方式登入" + }, "page-demo": { "cards": { "demo": { "demo_by": "由 {name}", - "next_demo": "下一個展示", "introduction": "歡迎回家!您正在使用 Home Assistatnt 展示功能,由社群所創作的最佳介面展示。", - "learn_more": "詳細了解 Home Assistant" + "learn_more": "詳細了解 Home Assistant", + "next_demo": "下一個展示" } }, "config": { "arsaboo": { - "names": { - "upstairs": "樓上", - "family_room": "家庭房", - "kitchen": "廚房", - "patio": "庭院", - "hallway": "走廊", - "master_bedroom": "主臥室", - "left": "左", - "right": "右", - "mirror": "鏡子", - "temperature_study": "溫度學習" - }, "labels": { - "lights": "燈光", - "information": "資訊", - "morning_commute": "晨間通勤", + "activity": "模式", + "air": "空氣", "commute_home": "返家通勤", "entertainment": "視聽室", - "activity": "模式", "hdmi_input": "HDMI 輸入", "hdmi_switcher": "HDMI 切換器", - "volume": "音量", + "information": "資訊", + "lights": "燈光", + "morning_commute": "晨間通勤", "total_tv_time": "總觀看時間", "turn_tv_off": "關閉電視", - "air": "空氣" + "volume": "音量" + }, + "names": { + "family_room": "家庭房", + "hallway": "走廊", + "kitchen": "廚房", + "left": "左", + "master_bedroom": "主臥室", + "mirror": "鏡子", + "patio": "庭院", + "right": "右", + "temperature_study": "溫度學習", + "upstairs": "樓上" }, "unit": { - "watching": "正在觀看", - "minutes_abbr": "分" + "minutes_abbr": "分", + "watching": "正在觀看" } } } + }, + "page-onboarding": { + "core-config": { + "button_detect": "偵測", + "finish": "下一步", + "intro": "{name}你好,歡迎使用 Home Assistant。為您的家庭取個名字吧?", + "intro_location": "希望能夠提供您所居住的區域,資料將協助所顯示的資訊內容、設定以日出日落為基礎的自動化。此資料將絕不會與外部網路進行分享。", + "intro_location_detect": "設定可以藉由一次性請求外部服務、以協助您填寫此項資料。", + "location_name_default": "首頁" + }, + "integration": { + "finish": "完成", + "intro": "將會於 Home Assistant 整合中呈現的設備與服務。可以現在進行設定,或者稍後於設定選單中進行。", + "more_integrations": "更多" + }, + "intro": "準備喚醒您的智能家庭、取得隱私自主權,並加入由全球愛好者共同維護的社群了嗎?", + "user": { + "create_account": "創建帳號", + "data": { + "name": "名字", + "password": "使用者密碼", + "password_confirm": "確認密碼", + "username": "使用者名稱" + }, + "error": { + "password_not_match": "密碼不相符", + "required_fields": "填寫所有所需欄位" + }, + "intro": "開始創建帳號吧。", + "required_field": "必填" + } + }, + "profile": { + "advanced_mode": { + "description": "預設狀態下,Home Assistant 將隱藏進階功能與選項。可藉由開啟此開關打開這些功能。此功能為各用戶獨立功能、不會影響 Home Assistant 的其他用戶。", + "hint_enable": "找不到設定選項?開啟進階模式", + "link_profile_page": "個人設定頁面", + "title": "進階模式" + }, + "change_password": { + "confirm_new_password": "確認密碼", + "current_password": "目前密碼", + "error_required": "必填", + "header": "變更密碼", + "new_password": "新密碼", + "submit": "傳送" + }, + "current_user": "目前登入身份:{fullName}。", + "force_narrow": { + "description": "將預設隱藏側邊列,類似於手機 App 使用方式。", + "header": "總是隱藏側邊列" + }, + "is_owner": "你為擁有者。", + "language": { + "dropdown_label": "語言", + "header": "語言", + "link_promo": "協助翻譯" + }, + "logout": "登出", + "long_lived_access_tokens": { + "confirm_delete": "確定要刪除{name}存取密鑰嗎?", + "create": "創建密鑰", + "create_failed": "創建存取密鑰失敗。", + "created_at": "於{date}創建", + "delete_failed": "刪除存取密鑰失敗。", + "description": "創建長效存取密鑰,可供運用腳本與 Home Assistant 物件進行互動。每個密鑰於創建後,有效期為十年。目前已啟用之永久有效密鑰如下。", + "empty_state": "尚未創建永久有效存取密鑰。", + "header": "永久有效存取密鑰", + "last_used": "上次使用:於{date}、位置{location}", + "learn_auth_requests": "學習如何進行驗證請求。", + "not_used": "從未使用過", + "prompt_copy_token": "複製存取密鑰,將不會再次顯示。", + "prompt_name": "名稱?" + }, + "mfa_setup": { + "close": "關閉", + "step_done": "{step}已設定完成", + "submit": "傳送", + "title_aborted": "已中止", + "title_success": "成功!" + }, + "mfa": { + "confirm_disable": "確定要關閉{name}?", + "disable": "關閉", + "enable": "開啟", + "header": "多步驟驗證模組" + }, + "push_notifications": { + "description": "傳送通知推送至此設備。", + "error_load_platform": "設定 notify.html5。", + "error_use_https": "需要啟用前端 SSL 加密。", + "header": "通知推送", + "link_promo": "了解更多", + "push_notifications": "通知推送" + }, + "refresh_tokens": { + "confirm_delete": "確定要刪除{name}更新密鑰嗎?", + "created_at": "於{date}創建", + "current_token_tooltip": "無法刪除目前更新密鑰", + "delete_failed": "刪除更新密鑰失敗。", + "description": "每一個更新密鑰標示為一次登錄活動。當點選登出時,更新密鑰將會自動移除。目前你的帳號已啟用之更新密鑰如下。", + "header": "更新密鑰", + "last_used": "上次使用:於{date}、位置{location}", + "not_used": "從未使用過", + "token_title": "{clientId}更新密鑰" + }, + "themes": { + "dropdown_label": "主題", + "error_no_theme": "無主題可使用。", + "header": "主題", + "link_promo": "關於此主題" + }, + "vibrate": { + "description": "當控制裝置時、開啟或關閉此裝置震動。", + "header": "震動" + } + }, + "shopping-list": { + "add_item": "新加入清單", + "clear_completed": "清理完成", + "microphone_tip": "點擊右上角的麥克風圖示,並說出「將糖果加入到購物清單」" } }, "sidebar": { - "log_out": "登出", "external_app_configuration": "App 設定", + "log_out": "登出", "sidebar_toggle": "側邊欄開關" - }, - "common": { - "loading": "讀取中", - "cancel": "取消", - "save": "儲存", - "successfully_saved": "成功儲存" - }, - "duration": { - "day": "{count} {count, plural,\none {天}\nother {天}\n}", - "week": "{count} {count, plural,\none {週}\nother {週}\n}", - "second": "{count} {count, plural,\none {秒}\nother {秒}\n}", - "minute": "{count} {count, plural,\n one {分鐘}\n other {分鐘}\n}", - "hour": "{count} {count, plural,\n one {小時}\n other {小時}\n}" - }, - "login-form": { - "password": "密碼", - "remember": "記住設定", - "log_in": "登入" - }, - "card": { - "camera": { - "not_available": "無法載入影像" - }, - "persistent_notification": { - "dismiss": "關閉" - }, - "scene": { - "activate": "啟用" - }, - "script": { - "execute": "執行" - }, - "weather": { - "attributes": { - "air_pressure": "大氣壓", - "humidity": "濕度", - "temperature": "溫度", - "visibility": "能見度", - "wind_speed": "風速" - }, - "cardinal_direction": { - "e": "東", - "ene": "東北東", - "ese": "西南西", - "n": "北", - "ne": "東北", - "nne": "北北東", - "nw": "西北", - "nnw": "北北西", - "s": "南", - "se": "東南", - "sse": "南南東", - "ssw": "南南西", - "sw": "西南", - "w": "西", - "wnw": "西北西", - "wsw": "西南西" - }, - "forecast": "預報" - }, - "alarm_control_panel": { - "code": "密碼", - "clear_code": "清除", - "disarm": "解除警戒", - "arm_home": "在家警戒", - "arm_away": "離家警戒", - "arm_night": "夜間警戒", - "armed_custom_bypass": "警戒模式狀態", - "arm_custom_bypass": "警戒模式狀態" - }, - "automation": { - "last_triggered": "上次觸發", - "trigger": "觸發自動化" - }, - "cover": { - "position": "位置", - "tilt_position": "葉片位置" - }, - "fan": { - "speed": "風速", - "oscillate": "擺動", - "direction": "方向", - "forward": "正向", - "reverse": "反向" - }, - "light": { - "brightness": "亮度", - "color_temperature": "色溫", - "white_value": "白色值", - "effect": "場景" - }, - "media_player": { - "text_to_speak": "所要閱讀的文字", - "source": "來源", - "sound_mode": "音效模式" - }, - "climate": { - "currently": "目前狀態", - "on_off": "開 \/ 關", - "target_temperature": "設定溫度", - "target_humidity": "設定濕度", - "operation": "運轉模式", - "fan_mode": "風速模式", - "swing_mode": "擺動模式", - "away_mode": "外出模式", - "aux_heat": "輔助暖氣", - "preset_mode": "預置", - "target_temperature_entity": "{name} 目標溫度", - "target_temperature_mode": "{name} 目標溫度 {mode}", - "current_temperature": "{name} 目前溫度", - "heating": "{name} 加熱中", - "cooling": "{name} 制冷中", - "high": "調高", - "low": "調低" - }, - "lock": { - "code": "密碼", - "lock": "上鎖", - "unlock": "解鎖" - }, - "vacuum": { - "actions": { - "resume_cleaning": "繼續清掃", - "return_to_base": "返回充電", - "start_cleaning": "開始清掃", - "turn_on": "開啟", - "turn_off": "關閉" - } - }, - "water_heater": { - "currently": "目前狀態", - "on_off": "開 \/ 關", - "target_temperature": "設定溫度", - "operation": "運轉模式", - "away_mode": "外出模式" - }, - "timer": { - "actions": { - "start": "開始", - "pause": "暫停", - "cancel": "取消", - "finish": "完成" - } - }, - "counter": { - "actions": { - "increment": "增量", - "decrement": "減量", - "reset": "重置" - } - } - }, - "components": { - "entity": { - "entity-picker": { - "entity": "物件", - "clear": "清除", - "show_entities": "顯示物件" - } - }, - "service-picker": { - "service": "服務" - }, - "relative_time": { - "past": "{time}前", - "future": "{time}後", - "never": "未執行", - "duration": { - "second": "{count} {count, plural,\n one {秒}\n other {秒}\n}", - "minute": "{count} {count, plural,\n one {分鐘}\n other {分鐘}\n}", - "hour": "{count} {count, plural,\n one {小時}\n other {小時}\n}", - "day": "{count} {count, plural,\n one {天}\n other {天}\n}", - "week": "{count} {count, plural,\n one {週}\n other {週}\n}" - } - }, - "history_charts": { - "loading_history": "正在載入狀態歷史...", - "no_history_found": "找不到狀態歷史。" - }, - "device-picker": { - "clear": "清除", - "show_devices": "顯示設備" - } - }, - "notification_toast": { - "entity_turned_on": "{entity}已開啟。", - "entity_turned_off": "{entity}已關閉。", - "service_called": "服務 {service} 已執行。", - "service_call_failed": "服務 {service} 執行失敗。", - "connection_lost": "連線中斷。重新連線中...", - "triggered": "觸發 {name}" - }, - "dialogs": { - "more_info_settings": { - "save": "儲存", - "name": "名稱覆寫", - "entity_id": "物件 ID" - }, - "more_info_control": { - "script": { - "last_action": "上次觸發" - }, - "sun": { - "elevation": "海拔", - "rising": "日升", - "setting": "設定" - }, - "updater": { - "title": "更新說明" - } - }, - "options_flow": { - "form": { - "header": "選項" - }, - "success": { - "description": "選項已儲存。" - } - }, - "config_entry_system_options": { - "title": "{integration} 系統選項", - "enable_new_entities_label": "啟用新增物件", - "enable_new_entities_description": "關閉後,{integration} 新發現的物件將不會自動新增至 Home Assistant。" - }, - "zha_device_info": { - "manuf": "由 {manufacturer}", - "no_area": "無分區", - "services": { - "reconfigure": "重新設定 ZHA Zibgee 設備(健康設備)。假如遇到設備問題,請使用此選項。假如有問題的設備為使用電池的設備,請先確定設備已喚醒並處於接受命令狀態。", - "updateDeviceName": "於物件 ID 中自訂此設備名稱。", - "remove": "從 Zigbee 網路移除設備。" - }, - "zha_device_card": { - "device_name_placeholder": "使用者姓氏", - "area_picker_label": "分區", - "update_name_button": "更新名稱" - }, - "buttons": { - "add": "新增設備", - "remove": "移除設備", - "reconfigure": "重新設定設備" - }, - "quirk": "Quirk", - "last_seen": "上次出現", - "power_source": "電力來源", - "unknown": "未知" - }, - "confirmation": { - "cancel": "取消", - "ok": "好", - "title": "確認?" - } - }, - "auth_store": { - "ask": "是否要儲存此登錄資訊?", - "decline": "不用了,謝謝", - "confirm": "儲存資訊" - }, - "notification_drawer": { - "click_to_configure": "點擊按鈕以設定{entity}", - "empty": "沒有通知", - "title": "通知提示" - } - }, - "domain": { - "alarm_control_panel": "警戒模式控制面板", - "automation": "自動化", - "binary_sensor": "二進位傳感器", - "calendar": "行事曆", - "camera": "攝影機", - "climate": "溫控", - "configurator": "設定檔編輯器", - "conversation": "語音互動", - "cover": "捲簾\/門", - "device_tracker": "設備追蹤器", - "fan": "風扇", - "history_graph": "歷史圖", - "group": "群組", - "image_processing": "圖像處理", - "input_boolean": "開關框", - "input_datetime": "輸入日期", - "input_select": "選擇框", - "input_number": "數字框", - "input_text": "輸入框", - "light": "燈光", - "lock": "已上鎖", - "mailbox": "郵箱", - "media_player": "媒體播放器", - "notify": "通知", - "plant": "植物", - "proximity": "距離", - "remote": "遙控", - "scene": "場景", - "script": "腳本", - "sensor": "傳感器", - "sun": "太陽", - "switch": "開關", - "updater": "更新版本", - "weblink": "網站鏈接", - "zwave": "Z-Wave", - "vacuum": "吸塵器", - "zha": "ZHA", - "hassio": "Hass.io", - "homeassistant": "Home Assistant", - "lovelace": "Lovelace", - "system_health": "系統健康狀態", - "person": "個人" - }, - "attribute": { - "weather": { - "humidity": "濕度", - "visibility": "能見度", - "wind_speed": "風速" - } - }, - "state_attributes": { - "climate": { - "fan_mode": { - "off": "關閉", - "on": "開啟", - "auto": "自動" - }, - "preset_mode": { - "none": "無", - "eco": "節能", - "away": "離家", - "boost": "全速", - "comfort": "舒適", - "home": "在家", - "sleep": "睡眠", - "activity": "活動" - }, - "hvac_action": { - "off": "關閉", - "heating": "暖氣", - "cooling": "冷氣", - "drying": "除濕", - "idle": "閒置", - "fan": "風速" - } - } - }, - "groups": { - "system-admin": "管理員", - "system-users": "用戶", - "system-read-only": "唯讀用戶" - }, - "config_entry": { - "disabled_by": { - "user": "使用者", - "integration": "整合", - "config_entry": "設定物件" } } } \ No newline at end of file