Merge pull request #8459 from home-assistant/dev

This commit is contained in:
Bram Kragten 2021-02-25 18:54:46 +01:00 committed by GitHub
commit 12a8a1531d
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
74 changed files with 3348 additions and 17822 deletions

View File

@ -2,7 +2,7 @@ from setuptools import setup, find_packages
setup(
name="home-assistant-frontend",
version="20210224.0",
version="20210225.0",
description="The Home Assistant frontend",
url="https://github.com/home-assistant/home-assistant-polymer",
author="The Home Assistant Authors",

View File

@ -205,9 +205,13 @@ export type Condition =
| DeviceCondition
| LogicalCondition;
export const triggerAutomation = (hass: HomeAssistant, entityId: string) => {
export const triggerAutomationActions = (
hass: HomeAssistant,
entityId: string
) => {
hass.callService("automation", "trigger", {
entity_id: entityId,
skip_condition: true,
});
};

View File

@ -117,7 +117,7 @@ export const triggerScript = (
variables?: Record<string, unknown>
) => hass.callService("script", computeObjectId(entityId), variables);
export const canExcecute = (state: ScriptEntity) => {
export const canRun = (state: ScriptEntity) => {
if (state.state === "off") {
return true;
}

View File

@ -10,7 +10,7 @@ import {
TemplateResult,
} from "lit-element";
import "../../../components/ha-relative-time";
import { triggerAutomation } from "../../../data/automation";
import { triggerAutomationActions } from "../../../data/automation";
import { UNAVAILABLE_STATES } from "../../../data/entity";
import { HomeAssistant } from "../../../types";
@ -36,7 +36,7 @@ class MoreInfoAutomation extends LitElement {
<div class="actions">
<mwc-button
@click=${this.handleAction}
@click=${this._runActions}
.disabled=${UNAVAILABLE_STATES.includes(this.stateObj!.state)}
>
${this.hass.localize("ui.card.automation.trigger")}
@ -45,8 +45,8 @@ class MoreInfoAutomation extends LitElement {
`;
}
private handleAction() {
triggerAutomation(this.hass, this.stateObj!.entity_id);
private _runActions() {
triggerAutomationActions(this.hass, this.stateObj!.entity_id);
}
static get styles(): CSSResult {

View File

@ -21,7 +21,7 @@ import "../../../components/ha-selector/ha-selector";
import "../../../components/ha-settings-row";
import {
BlueprintAutomationConfig,
triggerAutomation,
triggerAutomationActions,
} from "../../../data/automation";
import {
BlueprintOrError,
@ -105,7 +105,7 @@ export class HaBlueprintAutomationEditor extends LitElement {
)}
</div>
<mwc-button
@click=${this._excuteAutomation}
@click=${this._runActions}
.stateObj=${this.stateObj}
>
${this.hass.localize("ui.card.automation.trigger")}
@ -197,8 +197,8 @@ export class HaBlueprintAutomationEditor extends LitElement {
this._blueprints = await fetchBlueprints(this.hass, "automation");
}
private _excuteAutomation(ev: Event) {
triggerAutomation(this.hass, (ev.target as any).stateObj.entity_id);
private _runActions(ev: Event) {
triggerAutomationActions(this.hass, (ev.target as any).stateObj.entity_id);
}
private _blueprintChanged(ev) {

View File

@ -38,7 +38,7 @@ import {
deleteAutomation,
getAutomationEditorInitData,
showAutomationEditor,
triggerAutomation,
triggerAutomationActions,
} from "../../../data/automation";
import {
showAlertDialog,
@ -256,7 +256,7 @@ export class HaAutomationEditor extends KeyboardShortcutMixin(LitElement) {
)}
</div>
<mwc-button
@click=${this._excuteAutomation}
@click=${this._runActions}
.stateObj=${stateObj}
>
${this.hass.localize(
@ -381,8 +381,8 @@ export class HaAutomationEditor extends KeyboardShortcutMixin(LitElement) {
this._errors = undefined;
}
private _excuteAutomation(ev: Event) {
triggerAutomation(this.hass, (ev.target as any).stateObj.entity_id);
private _runActions(ev: Event) {
triggerAutomationActions(this.hass, (ev.target as any).stateObj.entity_id);
}
private _preprocessYaml() {

View File

@ -20,7 +20,10 @@ import { DataTableColumnContainer } from "../../../components/data-table/ha-data
import "../../../components/entity/ha-entity-toggle";
import "../../../components/ha-fab";
import "../../../components/ha-svg-icon";
import { AutomationEntity, triggerAutomation } from "../../../data/automation";
import {
AutomationEntity,
triggerAutomationActions,
} from "../../../data/automation";
import { UNAVAILABLE_STATES } from "../../../data/entity";
import { showAlertDialog } from "../../../dialogs/generic/show-dialog-box";
import "../../../layouts/hass-tabs-subpage-data-table";
@ -88,12 +91,12 @@ class HaAutomationPicker extends LitElement {
},
};
if (!narrow) {
columns.execute = {
columns.trigger = {
title: "",
template: (_info, automation: any) => html`
<mwc-button
.automation=${automation}
@click=${(ev) => this._execute(ev)}
@click=${(ev) => this._runActions(ev)}
.disabled=${UNAVAILABLE_STATES.includes(automation.state)}
>
${this.hass.localize("ui.card.automation.trigger")}
@ -210,9 +213,9 @@ class HaAutomationPicker extends LitElement {
});
}
private _execute(ev) {
private _runActions(ev) {
const entityId = ev.currentTarget.automation.entity_id;
triggerAutomation(this.hass, entityId);
triggerAutomationActions(this.hass, entityId);
}
private _createNew() {

View File

@ -18,7 +18,7 @@ import {
Condition,
ManualAutomationConfig,
Trigger,
triggerAutomation,
triggerAutomationActions,
} from "../../../data/automation";
import { Action, MODES, MODES_MAX } from "../../../data/script";
import { haStyle } from "../../../resources/styles";
@ -140,7 +140,7 @@ export class HaManualAutomationEditor extends LitElement {
)}
</div>
<mwc-button
@click=${this._excuteAutomation}
@click=${this._runActions}
.stateObj=${this.stateObj}
>
${this.hass.localize("ui.card.automation.trigger")}
@ -240,8 +240,8 @@ export class HaManualAutomationEditor extends LitElement {
</ha-config-section>`;
}
private _excuteAutomation(ev: Event) {
triggerAutomation(this.hass, (ev.target as any).stateObj.entity_id);
private _runActions(ev: Event) {
triggerAutomationActions(this.hass, (ev.target as any).stateObj.entity_id);
}
private _valueChanged(ev: CustomEvent) {

View File

@ -198,8 +198,7 @@ class HaConfigIntegrations extends SubscribeMixin(LitElement) {
for (let i = filteredConfigEnties.length - 1; i >= 0; i--) {
if (filteredConfigEnties[i].source === "ignore") {
ignored.push(filteredConfigEnties.splice(i, 1)[0]);
}
if (filteredConfigEnties[i].disabled_by !== null) {
} else if (filteredConfigEnties[i].disabled_by !== null) {
disabled.push(filteredConfigEnties.splice(i, 1)[0]);
}
}

View File

@ -299,12 +299,12 @@ export class HaScriptEditor extends KeyboardShortcutMixin(LitElement) {
<mwc-button
@click=${this._runScript}
title="${this.hass.localize(
"ui.panel.config.script.picker.activate_script"
"ui.panel.config.script.picker.run_script"
)}"
?disabled=${this._dirty}
>
${this.hass.localize(
"ui.card.script.execute"
"ui.panel.config.script.picker.run_script"
)}
</mwc-button>
</div>
@ -375,11 +375,13 @@ export class HaScriptEditor extends KeyboardShortcutMixin(LitElement) {
<mwc-button
@click=${this._runScript}
title="${this.hass.localize(
"ui.panel.config.script.picker.activate_script"
"ui.panel.config.script.picker.run_script"
)}"
?disabled=${this._dirty}
>
${this.hass.localize("ui.card.script.execute")}
${this.hass.localize(
"ui.panel.config.script.picker.run_script"
)}
</mwc-button>
</div>
`

View File

@ -199,11 +199,11 @@ class HuiPictureEntityCard extends LitElement implements LovelaceCard {
left: 0;
right: 0;
bottom: 0;
background-color: rgba(0, 0, 0, 0.3);
background-color: var(--ha-picture-card-background-color, rgba(0, 0, 0, 0.3));
padding: 16px;
font-size: 16px;
line-height: 16px;
color: white;
color: var(--ha-picture-card-text-color, white);
}
.both {

View File

@ -314,11 +314,11 @@ class HuiPictureGlanceCard extends LitElement implements LovelaceCard {
left: 0;
right: 0;
bottom: 0;
background-color: rgba(0, 0, 0, 0.3);
background-color: var(--ha-picture-card-background-color, rgba(0, 0, 0, 0.3));
padding: 4px 8px;
font-size: 16px;
line-height: 40px;
color: white;
color: var(--ha-picture-card-text-color, white);
display: flex;
justify-content: space-between;
flex-direction: row;
@ -332,11 +332,11 @@ class HuiPictureGlanceCard extends LitElement implements LovelaceCard {
ha-icon-button {
--mdc-icon-button-size: 40px;
--disabled-text-color: currentColor;
color: #a9a9a9;
color: var(--ha-picture-icon-button-color, #a9a9a9);
}
ha-icon-button.state-on {
color: white;
color: var(--ha-picture-icon-button-on-color, white);
}
.state {
display: block;

View File

@ -11,7 +11,7 @@ import {
TemplateResult,
} from "lit-element";
import { UNAVAILABLE_STATES } from "../../../data/entity";
import { canExcecute, ScriptEntity } from "../../../data/script";
import { canRun, ScriptEntity } from "../../../data/script";
import { HomeAssistant } from "../../../types";
import { hasConfigOrEntityChanged } from "../common/has-changed";
import "../components/hui-generic-entity-row";
@ -66,12 +66,12 @@ class HuiScriptEntityRow extends LitElement implements LovelaceRow {
: ""}
${stateObj.state === "off" || stateObj.attributes.max
? html`<mwc-button
@click=${this._executeScript}
@click=${this._runScript}
.disabled=${UNAVAILABLE_STATES.includes(stateObj.state) ||
!canExcecute(stateObj)}
!canRun(stateObj)}
>
${this._config.action_name ||
this.hass!.localize("ui.card.script.execute")}
this.hass!.localize("ui.card.script.run")}
</mwc-button>`
: ""}
</hui-generic-entity-row>
@ -91,7 +91,7 @@ class HuiScriptEntityRow extends LitElement implements LovelaceRow {
this._callService("turn_off");
}
private _executeScript(ev): void {
private _runScript(ev): void {
ev.stopPropagation();
this._callService("turn_on");
}

View File

@ -100,7 +100,7 @@ const REDIRECTS: Redirects = {
redirect: "/config/helpers",
},
tags: {
component: "tags",
component: "tag",
redirect: "/config/tags",
},
lovelace_dashboards: {

View File

@ -21,10 +21,11 @@ export const theme = CMEditorView.theme({
backgroundColor:
"var(--code-editor-background-color, var(--card-background-color))",
"& ::selection": { backgroundColor: "rgba(var(--rgb-primary-color), 0.2)" },
caretColor: "var(--secondary-text-color)",
height: "var(--code-mirror-height, auto)",
},
$content: { caretColor: "var(--secondary-text-color)" },
$$focused: { outline: "none" },
"$$focused $cursor": { borderLeftColor: "#var(--secondary-text-color)" },

View File

@ -10,7 +10,7 @@ import {
import "../components/entity/ha-entity-toggle";
import "../components/entity/state-info";
import { UNAVAILABLE_STATES } from "../data/entity";
import { canExcecute, ScriptEntity } from "../data/script";
import { canRun, ScriptEntity } from "../data/script";
import { haStyle } from "../resources/styles";
import { HomeAssistant } from "../types";
@ -45,11 +45,11 @@ export class StateCardScript extends LitElement {
: ""}
${stateObj.state === "off" || stateObj.attributes.max
? html`<mwc-button
@click=${this._executeScript}
@click=${this._runScript}
.disabled=${UNAVAILABLE_STATES.includes(stateObj.state) ||
!canExcecute(stateObj)}
!canRun(stateObj)}
>
${this.hass!.localize("ui.card.script.execute")}
${this.hass!.localize("ui.card.script.run")}
</mwc-button>`
: ""}
</div>
@ -61,7 +61,7 @@ export class StateCardScript extends LitElement {
this._callService("turn_off");
}
private _executeScript(ev: Event) {
private _runScript(ev: Event) {
ev.stopPropagation();
this._callService("turn_on");
}

View File

@ -120,7 +120,7 @@
},
"automation": {
"last_triggered": "Last triggered",
"trigger": "Execute"
"trigger": "Run Actions"
},
"camera": {
"not_available": "Image not available"
@ -199,7 +199,7 @@
"activate": "Activate"
},
"script": {
"execute": "Execute",
"run": "[%key:ui::card::service::run%]",
"cancel": "Cancel",
"cancel_multiple": "Cancel {number}"
},
@ -1337,7 +1337,7 @@
"conditions": {
"name": "Condition",
"header": "Conditions",
"introduction": "Conditions are optional and will prevent further execution unless all conditions are satisfied.",
"introduction": "Conditions are optional and will prevent the automation from running unless all conditions are satisfied.",
"learn_more": "Learn more about conditions",
"add": "Add condition",
"duplicate": "[%key:ui::panel::config::automation::editor::triggers::duplicate%]",
@ -1553,7 +1553,6 @@
"no_scripts": "We couldnt find any editable scripts",
"add_script": "Add script",
"show_info": "Show info about script",
"trigger_script": "Trigger script",
"run_script": "Run script",
"edit_script": "Edit script",
"headers": {
@ -1568,7 +1567,7 @@
"id": "Entity ID",
"id_already_exists_save_error": "You can't save this script because the ID is not unique, pick another ID or leave it blank to automatically generate one.",
"id_already_exists": "This ID already exists",
"introduction": "Use scripts to execute a sequence of actions.",
"introduction": "Use scripts to run a sequence of actions.",
"header": "Script: {name}",
"default_name": "New Script",
"modes": {
@ -2559,12 +2558,12 @@
"cards": {
"confirm_delete": "Are you sure you want to delete this card?",
"actions": {
"action_confirmation": "Are you sure you want to execute action \"{action}\"?",
"action_confirmation": "Are you sure you want to run action \"{action}\"?",
"no_entity_more_info": "No entity provided for more info dialog",
"no_entity_toggle": "No entity provided to toggle",
"no_navigation_path": "No navigation path specified",
"no_url": "No URL to open specified",
"no_service": "No service for execution specified"
"no_service": "No service to run specified"
},
"empty_state": {
"title": "Welcome Home",

View File

@ -72,252 +72,11 @@
}
},
"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",
"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"
},
"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"
},
"occupancy": {
"off": "Ongemerk",
"on": "Bespeur"
},
"opening": {
"off": "Toe",
"on": "Oop"
},
"presence": {
"off": "[%key:state_badge::person::not_home%]",
"on": "Tuis"
},
"problem": {
"off": "OK",
"on": "Probleem"
},
"safety": {
"off": "Veilige",
"on": "Onveilige"
},
"smoke": {
"off": "Ongemerk",
"on": "Bespeur"
},
"sound": {
"off": "Ongemerk",
"on": "Bespeur"
},
"vibration": {
"off": "Ongemerk",
"on": "Bespeur"
},
"window": {
"off": "Toe",
"on": "Oop"
}
},
"calendar": {
"off": "Af",
"on": "Aan"
},
"camera": {
"idle": "Onaktief",
"recording": "Opname",
"streaming": "Stroming"
},
"climate": {
"cool": "Koel",
"dry": "Droog",
"fan_only": "Slegs waaier",
"heat": "Hitte",
"heat_cool": "Verhit/Verkoel",
"off": "Af"
},
"configurator": {
"configure": "Stel op",
"configured": "Opgestel"
},
"cover": {
"closed": "Toe",
"closing": "Sluiting",
"open": "Oop",
"opening": "Opening",
"stopped": "Gestop"
},
"default": {
"off": "Af",
"on": "Aan",
"unavailable": "Nie beskikbaar nie",
"unknown": "Onbekend"
},
"device_tracker": {
"not_home": "Elders"
},
"fan": {
"off": "Af",
"on": "Aan"
},
"group": {
"closed": "Toe",
"closing": "Sluiting",
"home": "Tuis",
"locked": "Gesluit",
"not_home": "[%key:state_badge::person::not_home%]",
"off": "Af",
"ok": "OK",
"on": "Aan",
"open": "Oop",
"opening": "Opening",
"problem": "Probleem",
"stopped": "Gestop",
"unlocked": "Oopgesluit"
},
"input_boolean": {
"off": "Af",
"on": "Aan"
},
"light": {
"off": "Af",
"on": "Aan"
},
"lock": {
"locked": "Gesluit",
"unlocked": "Oopgesluit"
},
"media_player": {
"idle": "Onaktief",
"off": "Af",
"on": "Aan",
"paused": "Onderbreek",
"playing": "Speel Tans",
"standby": "Gereed"
},
"person": {
"home": "Tuis"
},
"plant": {
"ok": "OK",
"problem": "Probleem"
},
"remote": {
"off": "Af",
"on": "Aan"
},
"scene": {
"scening": "Toneeling"
},
"script": {
"off": "Af",
"on": "Aan"
},
"sensor": {
"off": "Af",
"on": "Aan"
},
"sun": {
"above_horizon": "Bo horison",
"below_horizon": "Onder horison"
},
"switch": {
"off": "Af",
"on": "Aan"
},
"timer": {
"active": "aktief",
"idle": "onaktief",
"paused": "Onderbreek"
},
"vacuum": {
"cleaning": "Skoonmaak",
"docked": "Vasgemeer by hawe",
"error": "Fout",
"idle": "Onaktief",
"off": "Af",
"on": "Aan",
"paused": "Onderbreek",
"returning": "Oppad terug hawe toe"
},
"weather": {
"clear-night": "Helder, nag",
"cloudy": "Bewolk",
"fog": "Mis",
"hail": "Hael",
"lightning": "Weerlig",
"lightning-rainy": "Weerlig, Reënagtig",
"partlycloudy": "Gedeeltelik bewolk",
"pouring": "Stort",
"rainy": "Reënagtig",
"snowy": "Sneeuagtig",
"snowy-rainy": "Ysreën",
"sunny": "Sonnig",
"windy": "Winderig",
"windy-variant": "Winderig"
},
"zwave": {
"default": {
"dead": "Dood",
"initializing": "Inisialiseer",
"ready": "Gereed",
"sleeping": "Aan die slaap"
},
"query_stage": {
"dead": "Dood ({query_stage})",
"initializing": "Inisialiseer ({query_stage})"
}
}
},
"ui": {
@ -386,9 +145,6 @@
"scene": {
"activate": "Aktiveer"
},
"script": {
"execute": "Voer uit"
},
"service": {
"run": "Hardloop"
},
@ -509,9 +265,7 @@
"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"
"never": "Nooit"
},
"service-picker": {
"service": "Diens"
@ -530,7 +284,7 @@
"editor": {
"confirm_delete": "Is u seker dat u hierdie inskrywing wil verwyder?",
"delete": "Verwyder",
"enabled_cause": "ge deaktiveer",
"enabled_cause": "ge deaktiveer deur {cause}.",
"enabled_description": "Ge deaktiveerde entiteite sal nie by die Huisassistent gevoeg word nie.",
"enabled_label": "Aktiveer entiteit",
"entity_id": "Entiteit ID",
@ -541,7 +295,7 @@
"unavailable": "Hierdie entiteit is nie tans beskikbaar nie.",
"update": "Opdateer"
},
"no_unique_id": "Hierdie entiteit het nie 'n unieke ID nie, daarom kan die instellings nie vanuit die UI bestuur word nie.",
"no_unique_id": "Hierdie entiteit ({entity_id}) het nie 'n unieke ID nie, daarom kan die instellings nie vanuit die UI bestuur word nie.",
"related": "Verwante",
"settings": "Instellings"
},
@ -705,8 +459,7 @@
"service_data": "Diens data"
},
"service": {
"label": "Roep diens",
"service_data": "Diens data"
"label": "Roep diens"
},
"wait_template": {
"label": "Wag",
@ -884,7 +637,6 @@
"sync_entities_404_message": "Kon nie u entiteite met Google sinkroniseer nie, vra Google 'Hallo Google, sinkroniseer my toestelle' om u entiteite te sinkroniseer."
}
},
"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"
@ -980,12 +732,12 @@
"disable_selected": {
"button": "Deaktiveer geselekteerde",
"confirm_text": "Ge deaktiveerde entiteite sal nie by die Huisassistent gevoeg word nie.",
"confirm_title": "Wil jy {getal}-instellings verwyder?"
"confirm_title": "Wil jy {number} {number, plural,\n one {entiteit}\n other {entiteiten}\n} de-activeren?"
},
"enable_selected": {
"button": "Aktiveer geselekteerde",
"confirm_text": "Dit sal dit weer beskikbaar in die huis assistent maak as hulle nou gedeaktiveer is.",
"confirm_title": "Wil jy {getal}-entiteite aktiveer?"
"confirm_title": "Wil jy {number} {number, plural,\n one {entiteit}\n other {entiteiten}\n} aktiveer?"
},
"filter": {
"filter": "Filter",
@ -1002,7 +754,7 @@
"remove_selected": {
"button": "Verwyder geselekteerde",
"confirm_text": "Entiteite kan slegs verwyder word as die integrasie nie meer die entiteite bied nie.",
"confirm_title": "Wil jy {getal}-instellings verwyder?"
"confirm_title": "Wil jy {number} {number, plural,\n one {entiteit}\n other {entiteiten}\n} verwyder?"
},
"selected": "{nommer} gekies",
"status": {
@ -1038,19 +790,6 @@
"input_text": "Teks"
}
},
"info": {
"system_health": {
"checks": {
"homeassistant": {
"os_name": "Bedryfstelselnaam",
"os_version": "Bedryfstelsel Weergawe",
"timezone": "Tydsone",
"version": "Weergawe"
}
}
},
"title": "Inligting"
},
"integrations": {
"add_integration": "Stel 'n nuwe integrasie op",
"caption": "Integrasies",
@ -1064,8 +803,6 @@
"hub": "Gekonnekteer via",
"manuf": "deur {manufacturer}",
"no_area": "Geen Gebied",
"no_device": "Entiteite sonder toestelle",
"no_devices": "Hierdie integrasie het geen toestelle nie.",
"options": "Opsies",
"rename": "Hernoem",
"restart_confirm": "Herbegin Home Assistant om hierdie integrasie te voltooi",
@ -1247,8 +984,7 @@
},
"picker": {
"duplicate": "Dupliseer",
"edit_script": "Redigeer skrip",
"trigger_script": "Sneller skrip"
"edit_script": "Redigeer skrip"
}
},
"server_control": {
@ -1264,9 +1000,7 @@
"add_user": {
"caption": "Voeg gebruiker by",
"create": "Skep",
"name": "Naam",
"password": "Wagwoord",
"username": "Gebruikersnaam"
"password": "Wagwoord"
},
"caption": "Gebruikers",
"description": "Bestuur gebruikers",
@ -1275,28 +1009,23 @@
"caption": "Bekyk gebruiker",
"change_password": "Verander Wagwoord",
"deactivate_user": "Deaktiveer gebruiker",
"delete_user": "Skrap gebruiker"
"delete_user": "Skrap gebruiker",
"username": "Gebruikersnaam"
},
"picker": {
"headers": {
"username": "Gebruikersnaam"
}
}
},
"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..."
},
"add": {
"caption": "Voeg toestelle by",
"description": "Voeg toestelle by die Zigbee netwerk"
},
"caption": "ZHA",
"clusters": {
"header": "clusters",
"introduction": "Clusters is die boustene vir Zigbee-funksionaliteit. Dit skei funksionaliteit in logiese eenhede. Daar is kliënt- en bedienertipes wat bestaan uit eienskappe en opdragte."
},
"description": "Zigbee Home Automation netwerk bestuur",
"devices": {
"header": "Zigbee Home Automation - Toestel"
},
"group_binding": {
"bind_button_help": "Bind die geselekteerde groep by die geselekteerde toestelgroeperings.",
"bind_button_label": "Bind groep",
@ -1310,34 +1039,21 @@
},
"groups": {
"add_members": "Voeg lede by",
"adding_members": "Byvoeging van lede",
"caption": "Groepe",
"create": "Skep 'n groep",
"create_group": "Zigbee Home Automation - Skep 'n groep",
"create_group_details": "Voer die nodige besonderhede in om 'n nuwe zigbeegroep te skep",
"creating_group": "Skep 'n groep",
"description": "Bestuur Zigbee-groepe",
"group_details": "Hier is al die besonderhede vir die geselekteerde Zigbee groep.",
"group_id": "Groep-ID",
"group_info": "Groeps Inligting",
"group_name_placeholder": "Groepnaam",
"group_not_found": "Groep nie gevind nie!",
"group-header": "Zigbee Home Automation - Groep Besonderhede",
"groups": "Groepe",
"groups-header": "Zigbee Home Automation - Groepbestuur",
"header": "Zigbee Home Automatiseering - Groeps bestuur",
"introduction": "Skep en verander Zigbee-groepe",
"manage_groups": "Bestuur Zigbee-groepe",
"members": "Lede",
"remove_groups": "Verwyder groepe",
"remove_members": "Verwyder lede",
"removing_groups": "Verwydering Van Groepe",
"removing_members": "Die Verwydering Van Lede",
"zha_zigbee_groups": "ZHA Zigbee Groepe"
},
"header": "Stel Zigbee-tuis-outomatisering op",
"introduction": "Hier is dit moontlik om die ZHA-komponent op te stel. Nie alles is moontlik om vanuit die UI te konfigureer nie, maar ons werk daaraan.",
"title": "Zigbee Tuis Automatisering"
"removing_members": "Die Verwydering Van Lede"
}
},
"zone": {
"add_zone": "Voeg sone by",
@ -1369,7 +1085,6 @@
"no_zones_created_yet": "Lyk asof jy nog geen sones geskep het nie."
},
"zwave": {
"caption": "Z-Wave",
"common": {
"index": "Indeks",
"instance": "Aktiwiteit",
@ -1437,15 +1152,6 @@
}
}
},
"history": {
"period": "Tydperk",
"showing_entries": "Wys inskrywings vir"
},
"logbook": {
"entries_not_found": "Geen logboekinskrywings gevind nie.",
"period": "Tydperk",
"showing_entries": "Wys inskrywings vir"
},
"lovelace": {
"add_entities": {
"generated_unsupported": "Jy kan hierdie funksie net gebruik wanneer jy beheer van die Lovelace UI geneem het.",
@ -1483,8 +1189,7 @@
}
},
"changed_toast": {
"message": "Die Lovelace-opstelling is opgedateer, wil u graag herlaai?",
"refresh": "Herlaai"
"message": "Die Lovelace-opstelling is opgedateer, wil u graag herlaai?"
},
"editor": {
"action-editor": {
@ -1578,7 +1283,6 @@
"configure_ui": "Stel gebruikerskoppelvlak op",
"exit_edit_mode": "Verlaat UI-wysigingsmodus",
"help": "Help",
"refresh": "Verfris",
"start_conversation": "Begin gesprek"
},
"reload_lovelace": "Herlaai UI",
@ -1679,9 +1383,6 @@
}
},
"trusted_networks": {
"abort": {
"not_whitelisted": "U rekenaar is nie op die witlys nie."
},
"step": {
"init": {
"data": {
@ -1803,14 +1504,11 @@
"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?"
},
@ -1852,11 +1550,6 @@
"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": {

View File

@ -70,248 +70,11 @@
}
},
"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": "تشغيل"
},
"door": {
"off": "مغلق",
"on": "مفتوح"
},
"garage_door": {
"off": "مغلق",
"on": "مفتوح"
},
"gas": {
"off": "لم يتم الكشف",
"on": "تم الكشف"
},
"heat": {
"off": "طبيعي",
"on": "حار"
},
"lock": {
"off": "مقفل",
"on": "غير مقفل"
},
"moisture": {
"off": "جاف",
"on": "مبلل"
},
"motion": {
"off": "لم يتم الكشف",
"on": "تم الكشف"
},
"occupancy": {
"off": "لم يتم الكشف",
"on": "تم الكشف"
},
"opening": {
"off": "مقفل",
"on": "مفتوح"
},
"presence": {
"off": "خارج المنزل",
"on": "في المنزل"
},
"problem": {
"off": "موافق",
"on": "مشكلة"
},
"safety": {
"off": "أمن",
"on": "غير أمن"
},
"smoke": {
"off": "لم يتم الكشف",
"on": "تم الكشف"
},
"sound": {
"off": "لم يتم الكشف",
"on": "تم الكشف"
},
"vibration": {
"off": "لم يتم الكشف",
"on": "تم الكشف"
},
"window": {
"off": "مغلق",
"on": "مفتوح"
}
},
"calendar": {
"off": "إيقاف",
"on": "تشغيل"
},
"camera": {
"idle": "خامل",
"recording": "جاري التسجيل",
"streaming": "جاري البث"
},
"climate": {
"cool": "تبريد",
"dry": "جاف",
"fan_only": "المروحة فقط",
"heat": "تدفئة",
"off": "إيقاف"
},
"configurator": {
"configure": "إعداد",
"configured": "تم التكوين"
},
"cover": {
"closed": "مغلق",
"closing": "جاري الاغلاق",
"open": "مفتوح",
"opening": "جاري الفتح",
"stopped": "موقف"
},
"default": {
"off": "مطفئ",
"on": "مشغل",
"unavailable": "غير متوفر",
"unknown": "غير معروف"
},
"device_tracker": {
"not_home": "خارج المنزل"
},
"fan": {
"off": "إيقاف",
"on": "قيد التشغيل"
},
"group": {
"closed": "مغلق ",
"closing": "جاري الاغلاق ",
"home": "في المنزل",
"locked": "مقفل ",
"not_home": "في الخارج",
"off": "إيقاف",
"ok": "أوكي",
"on": "تشغيل",
"open": "مفتوح ",
"opening": "جاري الفتح ",
"problem": "مشكلة",
"stopped": "موقف ",
"unlocked": "غير مقفل "
},
"input_boolean": {
"off": "إيقاف",
"on": "تشغيل"
},
"light": {
"off": "إيقاف",
"on": "تشغيل"
},
"lock": {
"locked": "مقفل",
"unlocked": "مفتوح"
},
"media_player": {
"idle": "خامل",
"off": "إيقاف",
"on": "قيد التشغيل",
"paused": "موقّف مؤقتا",
"playing": "جاري التشغيل",
"standby": "وضع الإنتظار"
},
"person": {
"home": "في المنزل"
},
"plant": {
"ok": "أوكي",
"problem": "مشكلة"
},
"remote": {
"off": "إيقاف",
"on": "قيد التشغيل"
},
"scene": {
"scening": "تشهيد"
},
"script": {
"off": "إيقاف",
"on": "قيد التشغيل"
},
"sensor": {
"off": "إيقاف",
"on": "قيد التشغيل"
},
"sun": {
"above_horizon": "فوق الأفق",
"below_horizon": "تحت الأفق"
},
"switch": {
"off": "إيقاف",
"on": "تشغيل"
},
"timer": {
"active": "مفعل",
"idle": "خامل",
"paused": "موقّف مؤقتا"
},
"vacuum": {
"cleaning": "تنظيف",
"error": "خطأ",
"off": "مطفئ",
"on": "مشغل",
"paused": "موقّف مؤقتا",
"returning": "العودة"
},
"weather": {
"clear-night": "صافي، ليلا",
"cloudy": "Bewolkt",
"fog": "Mist",
"lightning": "برق",
"lightning-rainy": "برق ، ممطر",
"partlycloudy": "غائم جزئيا",
"pouring": "أمطار غزيرة",
"rainy": "ماطر",
"snowy": "ثلوج",
"snowy-rainy": "ثلوج، ماطر",
"sunny": "مشمس",
"windy": "عاصف",
"windy-variant": "عاصف"
},
"zwave": {
"default": {
"dead": "مفصول",
"initializing": "قيد الإنشاء",
"ready": "جاهز",
"sleeping": "نائم"
},
"query_stage": {
"dead": "مفصول ({query_stage})",
"initializing": "قيد الإنشاء ( {query_stage} )"
}
}
},
"ui": {
@ -376,8 +139,7 @@
},
"script": {
"cancel": "إلغاء",
"cancel_multiple": "إلغاء {number}",
"execute": "نفذ"
"cancel_multiple": "إلغاء {number}"
},
"service": {
"run": "تشغيل"
@ -476,7 +238,6 @@
"hour": "{count} {count, plural,\none {ساعة}\nother {ساعات}\n}",
"minute": "{count} {count, plural,\n one {دقيقة}\n other {دقائق}\n}"
},
"future": "قبل {time}",
"never": "Nooit"
},
"service-picker": {
@ -604,10 +365,6 @@
"starting": "يبدأ برنامج Home Assistant حاليا ، ولن يكون كل شيء متاحًا حتى الانتهاء."
},
"panel": {
"calendar": {
"my_calendars": "تقاويمي",
"today": "اليوم"
},
"config": {
"areas": {
"data_table": {
@ -663,8 +420,7 @@
"service_data": "بيانات الخدمة"
},
"service": {
"label": "طلب خدمة",
"service_data": "بيانات الخدمة"
"label": "طلب خدمة"
},
"wait_template": {
"label": "الإنتظار",
@ -850,7 +606,6 @@
"try": "حاول"
}
},
"caption": "سحابة Home Assistant",
"description_login": "تم تسجيل الدخول كـ {email}",
"description_not_login": "لم يتم تسجيل الدخول",
"dialog_cloudhook": {
@ -879,7 +634,6 @@
"caption": "التخصيص",
"description": "تخصيص الكيانات الخاصة بك",
"picker": {
"entity": "الكيان",
"introduction": "تعديل السمات لكل كيان. سيتم تفعيل التخصيصات المضافة / المعدلة على الفور. ستسري التخصيصات التي تمت إزالتها عندما يتم تحديث الكيان."
}
},
@ -888,7 +642,6 @@
"confirm_delete": "هل أنت متأكد أنك تريد حذف هذا الجهاز؟",
"data_table": {
"integration": "تكامل",
"no_area": "لا مجال",
"no_devices": "لا توجد أجهزة"
},
"delete": "حذف",
@ -957,7 +710,6 @@
"config_entry": {
"area": "في {area}",
"delete": "حذف",
"delete_button": "حذف {integration}",
"delete_confirm": "هل تريد حقا حذف هذا التكامل؟",
"device_unavailable": "الجهاز غير متوفر",
"devices": "{count} {count, plural,\n one {جهاز}\n other {أجهزة}\n}",
@ -968,14 +720,10 @@
"hub": "متصل عبر",
"manuf": "بواسطة {manufacturer}",
"no_area": "لا توجد منطقة",
"no_device": "كيانات بدون أجهزة",
"no_devices": "هذا التكامل لا يوجد لديه الأجهزة.",
"options": "خيارات",
"rename": "إعادة تسمية",
"restart_confirm": "أعد تشغيل Home Assistant لإنهاء حذف هذا التكامل",
"settings_button": "تحرير الإعدادات لـ {integration}",
"system_options": "خيارات النظام",
"system_options_button": "خيارات النظام لـ {integration}",
"unnamed_entry": "إدخال بدون اسم"
},
"config_flow": {
@ -1164,9 +912,7 @@
"add_user": {
"caption": "أضف مستخدم",
"create": "إنشاء",
"name": "الاسم",
"password": "كلمه السر",
"username": "اسم المستخدم"
"password": "كلمه السر"
},
"caption": "المستخدمين",
"description": "ادارة المستخدمين",
@ -1199,14 +945,8 @@
"clusters": {
"header": "عناقيد"
},
"groups": {
"zha_zigbee_groups": "مجموعات ZHA Zigbee"
},
"network": {
"caption": "الشبكة"
},
"node_management": {
"header": "إدارة الجهاز"
}
},
"zone": {
@ -1242,7 +982,6 @@
},
"zwave": {
"button": "كوِن",
"caption": "Z-Wave",
"description": "إدارة شبكة Z-Wave",
"migration": {
"ozw": {
@ -1312,14 +1051,12 @@
}
},
"history": {
"period": "المدة",
"ranges": {
"last_week": "الأسبوع الماضي",
"this_week": "هذا الأسبوع",
"today": "اليوم",
"yesterday": "أمس"
},
"showing_entries": "عرض الأحداث لـ"
}
},
"logbook": {
"ranges": {
@ -1327,8 +1064,7 @@
"this_week": "هذا الأسبوع",
"today": "اليوم",
"yesterday": "أمس"
},
"showing_entries": "عرض الأحداث لـ"
}
},
"lovelace": {
"cards": {
@ -1343,8 +1079,7 @@
"description": "واجه Home Assistant مشكلة أثناء تحميل التكوينات الخاصة بك ويتم تشغيله الآن في الوضع الآمن. أنظر إلى سجل الأخطاء لمعرفة الخطأ."
},
"starting": {
"description": "Home Assistant يبدأ، يرجى الانتظار...",
"header": "Home Assistant يبدأ..."
"description": "Home Assistant يبدأ، يرجى الانتظار..."
}
},
"editor": {
@ -1616,10 +1351,6 @@
"header": "اللغة",
"link_promo": "ساعد في الترجمة"
},
"long_lived_access_tokens": {
"last_used": "آخر استخدام بتاريخ {date} من {location}",
"not_used": "لم يتم استخدامها ابدأ"
},
"mfa_setup": {
"close": "إغلاق",
"step_done": "تم التنصيب لـ {step}",
@ -1654,11 +1385,6 @@
"header": "التصميم",
"link_promo": "تعرف على التصاميم"
}
},
"shopping-list": {
"add_item": "أضف عنصر",
"clear_completed": "تم المسح",
"microphone_tip": "اضغط على الميكروفون في أعلى اليمين وقل \"Add candy to my shopping list\""
}
}
}

View File

@ -95,253 +95,11 @@
}
},
"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": "Включен"
},
"door": {
"off": "Затворена",
"on": "Отворена"
},
"garage_door": {
"off": "Затворена",
"on": "Отворена"
},
"gas": {
"off": "Чисто",
"on": "Регистриран"
},
"heat": {
"off": "Нормално",
"on": "Горещо"
},
"lock": {
"off": "Заключено",
"on": "Отключено"
},
"moisture": {
"off": "Сух",
"on": "Мокър"
},
"motion": {
"off": "Без движение",
"on": "Движение"
},
"occupancy": {
"off": "Чисто",
"on": "Регистриран"
},
"opening": {
"off": "Затворен",
"on": "Отворен"
},
"presence": {
"off": "Отсъства",
"on": "Вкъщи"
},
"problem": {
"off": "ОК",
"on": "Проблем"
},
"safety": {
"off": "Безопасен",
"on": "Опасност"
},
"smoke": {
"off": "Чисто",
"on": "Регистриран"
},
"sound": {
"off": "Чисто",
"on": "Регистриран"
},
"vibration": {
"off": "Чисто",
"on": "Регистрирана"
},
"window": {
"off": "Затворен",
"on": "Отворен"
}
},
"calendar": {
"off": "Изключен",
"on": "Включен"
},
"camera": {
"idle": "Не записва",
"recording": "Записване",
"streaming": "Предава"
},
"climate": {
"cool": "Охлаждане",
"dry": "Сух",
"fan_only": "Само вентилатор",
"heat": "Отопление",
"heat_cool": "Отопление/Охлаждане",
"off": "Изключен"
},
"configurator": {
"configure": "Настройване",
"configured": "Настроен"
},
"cover": {
"closed": "Затворена",
"closing": "Затваряне",
"open": "Отворена",
"opening": "Отваряне",
"stopped": "Спряна"
},
"default": {
"off": "Изключен",
"on": "Включен",
"unavailable": "Недостъпен",
"unknown": "Неизвестно"
},
"device_tracker": {
"not_home": "Отсъства"
},
"fan": {
"off": "Изключен",
"on": "Включен"
},
"group": {
"closed": "Затворена",
"closing": "Затваряне",
"home": "Вкъщи",
"locked": "Заключена",
"not_home": "Отсъства",
"off": "Изключен",
"ok": "ОК",
"on": "Включен",
"open": "Отворена",
"opening": "Отваряне",
"problem": "Проблем",
"stopped": "Спряна",
"unlocked": "Отключена"
},
"input_boolean": {
"off": "Изключен",
"on": "Включен"
},
"light": {
"off": "Изключен",
"on": "Включен"
},
"lock": {
"locked": "Заключен",
"unlocked": "Отключен"
},
"media_player": {
"idle": "Не изпълнява",
"off": "Изключен",
"on": "Включен",
"paused": "На пауза",
"playing": "Възпроизвеждане",
"standby": "Режим на готовност"
},
"person": {
"home": "Вкъщи"
},
"plant": {
"ok": "ОК",
"problem": "Проблем"
},
"remote": {
"off": "Изключен",
"on": "Включен"
},
"scene": {
"scening": "Промяна на сцена"
},
"script": {
"off": "Изключен",
"on": "Включен"
},
"sensor": {
"off": "Изключен",
"on": "Включен"
},
"sun": {
"above_horizon": "Над хоризонта",
"below_horizon": "Под хоризонта"
},
"switch": {
"off": "Изключен",
"on": "Включен"
},
"timer": {
"active": "активен",
"idle": "неработещ",
"paused": "на пауза"
},
"vacuum": {
"cleaning": "Почистване",
"docked": "В базова станция",
"error": "Грешка",
"idle": "Неработещ",
"off": "Изключен",
"on": "Включен",
"paused": "На пауза",
"returning": "Връщане в базовата станция"
},
"weather": {
"clear-night": "Ясно, нощ",
"cloudy": "Облачно",
"exceptional": "Изключително",
"fog": "Мъгла",
"hail": "Градушка",
"lightning": "Светкавица",
"lightning-rainy": "Светкавица, дъждовно",
"partlycloudy": "Частична облачност",
"pouring": "Обилен дъжд",
"rainy": "Дъждовно",
"snowy": "Снежно",
"snowy-rainy": "Снежно, дъждовно",
"sunny": "Слънчево",
"windy": "Ветровито",
"windy-variant": "Ветровито"
},
"zwave": {
"default": {
"dead": "Мъртъв",
"initializing": "Инициализация",
"ready": "Готов",
"sleeping": "Спящ"
},
"query_stage": {
"dead": "Мъртъв ({query_stage})",
"initializing": "Инициализация ( {query_stage} )"
}
}
},
"ui": {
@ -441,8 +199,7 @@
},
"script": {
"cancel": "Отказ",
"cancel_multiple": "Отмяна на {номер}",
"execute": "Изпълни"
"cancel_multiple": "Отмяна на {номер}"
},
"service": {
"run": "Изпълни"
@ -622,7 +379,6 @@
"media-browser": {
"audio_not_supported": "Браузърът не поддържа този аудио елемент.",
"choose_player": "Изберете плейър",
"choose-source": "Избор на източник",
"class": {
"album": "Албум",
"app": "Приложение",
@ -642,11 +398,6 @@
"season": "Сезон",
"url": "URL"
},
"content-type": {
"library": "Библиотека",
"playlist": "Плейлист",
"server": "Сървър"
},
"documentation": "документация",
"learn_adding_local_media": "Научете повече за добавянето на мултимедия в {documentation} .",
"local_media_files": "Поставете вашите видео, аудио и графични файлове в медийната директория, за да можете да ги разглеждате и възпроизвеждате в браузъра или на поддържаните медийни плейъри.",
@ -682,7 +433,6 @@
"second": "{count}{count, plural,\n one {секунда}\n other {секунди}\n}",
"week": "{count}{count, plural,\n one {седмица}\n other {седмици}\n}"
},
"future": "След {time}",
"future_duration": {
"day": "След {count} {count, plural,\n one {ден}\n other {дни}\n}",
"hour": "След {count} {count, plural,\n one {час}\n other {часа}\n}",
@ -692,7 +442,6 @@
},
"just_now": "В момента",
"never": "Никога",
"past": "Преди {time}",
"past_duration": {
"day": "преди {count} {count, plural,\n one {ден}\n other {дни}\n}",
"hour": "преди {count} {count, plural,\n one {час}\n other {часа}\n}",
@ -805,7 +554,6 @@
"yaml_not_editable": "Настройките на този обект не могат да бъдат редактирани. Могат да се конфигурират само обектите, създадени от потребителския интерфейс."
},
"more_info_control": {
"controls": "Контроли",
"details": "Детайли",
"edit": "Редактиране на обект",
"history": "История",
@ -877,7 +625,6 @@
"logs": "Журнали",
"lovelace": "Табла на Lovelace",
"navigate_to": "Отворете {panel}",
"navigate_to_config": "Отворете настройки на {panel}",
"person": "Хора",
"scene": "Сцени",
"script": "Скриптове",
@ -931,9 +678,7 @@
},
"unknown": "Неизвестно",
"zha_device_card": {
"area_picker_label": "Област",
"device_name_placeholder": "Променете името на устройството",
"update_name_button": "Актуализиране на името"
"device_name_placeholder": "Променете името на устройството"
}
}
},
@ -960,10 +705,6 @@
"started": "Home Assistant стартира успешно!"
},
"panel": {
"calendar": {
"my_calendars": "Моите календари",
"today": "Днес"
},
"config": {
"areas": {
"caption": "Области",
@ -1070,8 +811,7 @@
"label": "Активиране на сцена"
},
"service": {
"label": "Извикване на услуга",
"service_data": "Данни за услугата"
"label": "Извикване на услуга"
},
"wait_for_trigger": {
"continue_timeout": "Продължи след изчакване",
@ -1091,7 +831,6 @@
"blueprint": {
"blueprint_to_use": "Да се използва план",
"header": "План",
"manage_blueprints": "Управление на планове",
"no_blueprints": "Нямате никакви планове"
},
"conditions": {
@ -1328,7 +1067,6 @@
"header": "Импортирайте план",
"import_btn": "Предварителен преглед на план",
"import_header": "План \"{name}\"",
"import_introduction": "Можете да импортирате планове на други потребители от Github и форумите на общността. Въведете URL адреса на плана по-долу.",
"import_introduction_link": "Можете да импортирате планове на други потребители от Github и {community_link} . Въведете URL адреса на плана по-долу.",
"importing": "Планът се зарежда ...",
"raw_blueprint": "Съдържание на плана",
@ -1395,7 +1133,6 @@
"not_exposed": "{selected} неизложен",
"not_exposed_entities": "Не изложени обекти"
},
"caption": "Home Assistant Cloud",
"description_features": "Контролирайте дома си, и когато не сте вкъщи, активирайте интегрирациите с Alexa и Google Assistant.",
"description_login": "Вписани сте като {email}",
"description_not_login": "Не сте влезли",
@ -1486,7 +1223,6 @@
"integration": "Интеграция",
"manufacturer": "Производител",
"model": "Модел",
"no_area": "Без област",
"no_devices": "Няма устройства"
},
"delete": "Изтриване",
@ -1583,20 +1319,7 @@
},
"info": {
"caption": "Информация",
"description": "Версия, състояние на системата и връзки към документация",
"system_health": {
"checks": {
"homeassistant": {
"os_name": "Име на операционната система",
"timezone": "Часова зона"
},
"lovelace": {
"dashboards": "Табла",
"mode": "Режим"
}
}
},
"title": "Информация"
"description": "Версия, състояние на системата и връзки към документация"
},
"integrations": {
"add_integration": "Добавяне на интеграция",
@ -1613,8 +1336,6 @@
"hub": "Свързан чрез",
"manuf": "от {manufacturer}",
"no_area": "Без област",
"no_device": "Обекти без устройства",
"no_devices": "Тази интеграция няма устройства.",
"options": "Настройки",
"reload": "Презареждане",
"reload_confirm": "Интеграцията беше презаредена",
@ -1654,8 +1375,7 @@
},
"introduction": "Тук е възможно да конфигурирате Вашите компоненти и Home Assistant. Не всичко е възможно да се конфигурира от Интерфейса, но работим по върпоса.",
"logs": {
"multiple_messages": "съобщението е възникнало за първи път в {time} и се показва {counter} пъти",
"title": "Журнали"
"multiple_messages": "съобщението е възникнало за първи път в {time} и се показва {counter} пъти"
},
"lovelace": {
"caption": "Lovelace Табла",
@ -1873,11 +1593,9 @@
"add_user": {
"caption": "Добавяне на потребител",
"create": "Създаване",
"name": "Име",
"password": "Парола",
"password_confirm": "Потвърди парола",
"password_not_match": "Паролите не съвпадат",
"username": "Потребителско име"
"password_not_match": "Паролите не съвпадат"
},
"caption": "Потребители",
"description": "Управлявайте потребителските акаунти на Home Assistant",
@ -1915,25 +1633,16 @@
"zha": {
"add_device": "Добавяне на устройство",
"add_device_page": {
"discovery_text": "Откритите устройства ще се покажат тук. Следвайте инструкциите за вашето устройство(а) и поставете устройството(ата) в режим на сдвояване.",
"header": "Zigbee Home Automation - Добавяне на устройства",
"no_devices_found": "Не бяха намерени устройства, уверете се, че са в режим на сдвояване и ги дръжте будни, докато откриването работи.",
"search_again": "Потърси отново",
"spinner": "Търсене на ZHA Zigbee устройства..."
},
"add": {
"caption": "Добавяне на устройства"
},
"caption": "ZHA",
"clusters": {
"introduction": "Клъстерите са градивните елементи за функционалността на Zigbee. Те разделят функционалността на логически единици. Има типове клиенти и сървъри, състоящи се от атрибути и команди."
},
"common": {
"add_devices": "Добави устройства",
"devices": "Устройства",
"value": "Стойност"
},
"description": "Управление на Zigbee мрежата за домашна автоматизация",
"device_pairing_card": {
"CONFIGURED": "Конфигурирането завърши",
"CONFIGURED_status_text": "Инициализация",
@ -1945,9 +1654,6 @@
"groups": {
"add_group": "Добавяне на група"
},
"node_management": {
"hint_wakeup": "Някои устройства като сензорите Xiaomi имат бутон за събуждане, който можете да натискате на интервали от ~ 5 секунди, които поддържат устройствата будни, докато взаимодействате с тях."
},
"visualization": {
"caption": "Визуализация",
"header": "Визуализация на мрежата"
@ -1965,7 +1671,6 @@
"no_zones_created_yet": "Изглежда, че все още не сте създали никакви зони."
},
"zwave": {
"caption": "Z-Wave",
"common": {
"index": "Индекс",
"instance": "Устройство",
@ -2052,17 +1757,11 @@
}
}
},
"history": {
"period": "Период",
"showing_entries": "Показване на записите за"
},
"logbook": {
"period": "Период",
"ranges": {
"today": "Днес",
"yesterday": "Вчера"
},
"showing_entries": "Показване на записите за"
}
},
"lovelace": {
"add_entities": {
@ -2094,8 +1793,7 @@
}
},
"changed_toast": {
"message": "Конфигурацията на потребителския интерфейс на Lovelace за това табло е актуализирана. Опресняване, за да видите промените?",
"refresh": "Обновяване"
"message": "Конфигурацията на потребителския интерфейс на Lovelace за това табло е актуализирана. Опресняване, за да видите промените?"
},
"editor": {
"action-editor": {
@ -2345,7 +2043,6 @@
"menu": {
"configure_ui": "Редактиране на табло",
"help": "Помощ",
"refresh": "Обновяване",
"reload_resources": "Презареждане на ресурсите"
},
"reload_lovelace": "Презареждане на Lovelace",
@ -2455,9 +2152,6 @@
}
},
"trusted_networks": {
"abort": {
"not_whitelisted": "Вашият компютър не е в списъка с разрешени компютри."
},
"step": {
"init": {
"data": {
@ -2595,15 +2289,12 @@
"create": "Създай код",
"create_failed": "Възникна грешка при създаването на код за достъп.",
"created": "Създаване {date}",
"created_at": "Създаден на {date}",
"delete_failed": "Възникна грешка при изтриването на кода за достъп.",
"description": "Създайте дългосрочни кодове за достъп за да могат скриптовете Ви да взаимодействат с Home Assistant. Всеки код е валиден за 10 години от създаването си. Следните дългосрочни кодове са активни в момента.",
"empty_state": "Все още нямате дългосрочни кодове за достъп.",
"header": "Дългосрочни кодове за достъп",
"last_used": "Последно използван на {date} от {location}",
"learn_auth_requests": "Научете се как да правите оторизирани заявки.",
"name": "Име",
"not_used": "Никога не е бил използван",
"prompt_copy_token": "Копирайте кода си за достъп. Той няма да бъде показан отново.",
"prompt_name": "Дайте име на кода за достъп"
},
@ -2652,11 +2343,6 @@
"vibrate": {
"description": "Разрешаване или забраняване на вибрациите на това устройство при управление на устройства."
}
},
"shopping-list": {
"add_item": "Добави артикул",
"clear_completed": "Изчистването завършено",
"microphone_tip": "Докоснете микрофона горе вдясно и кажете \"Add candy to my shopping list\""
}
},
"sidebar": {

View File

@ -25,66 +25,6 @@
}
},
"state": {
"alarm_control_panel": {
"armed": "সশস্ত্র",
"armed_away": "সশস্ত্র দূরে",
"armed_home": "সশস্ত্র বাড়ি",
"armed_night": "সশস্ত্র রাত",
"arming": "অস্ত্রশস্ত্র নেয়া হচ্ছে",
"disarmed": "নিরস্ত্র",
"disarming": "নিরস্ত্র করা হচ্ছে",
"pending": "পেন্ডিং",
"triggered": "ট্রিগারড"
},
"automation": {
"off": "বন্ধ",
"on": "চালু"
},
"binary_sensor": {
"default": {
"off": "বন্ধ",
"on": "চালু"
},
"gas": {
"off": "ক্লিয়ার",
"on": "ডিটেক্টেড"
},
"moisture": {
"off": "শুকনো",
"on": "ভেজা"
},
"motion": {
"off": "ক্লিয়ার",
"on": "ডিটেক্টেড"
},
"occupancy": {
"off": "ক্লিয়ার",
"on": "ডিটেক্টেড"
},
"opening": {
"off": "বন্ধ",
"on": "খোলা"
},
"safety": {
"off": "সুরক্ষিত",
"on": "অসুরক্ষিত"
},
"smoke": {
"off": "ক্লিয়ার",
"on": "ডিটেক্টেড"
},
"sound": {
"off": "ক্লিয়ার",
"on": "ডিটেক্টেড"
},
"vibration": {
"off": "ক্লিয়ার",
"on": "ডিটেক্টেড"
}
},
"calendar": {
"off": "বন্ধ"
},
"default": {
"unavailable": "পাওয়া যাচ্ছে না",
"unknown": "অজানা"
@ -181,8 +121,6 @@
"blueprint": {
"blueprint_to_use": "ব্যবহারের জন্য ব্লুপ্রিন্ট",
"header": "ব্লুপ্রিন্ট",
"inputs": "ইনপুটস",
"manage_blueprints": "ব্লুপ্রিন্টগুলি পরিচালনা করুন",
"no_blueprints": "আপনার কোনও ব্লুপ্রিন্ট নেই",
"no_inputs": "এই ব্লুপ্রিন্টের কোনও ইনপুট নেই।"
},
@ -221,7 +159,6 @@
"header": "একটি ব্লুপ্রিন্ট আমদানি করুন",
"import_btn": "পূর্বরূপ ব্লুপ্রিন্ট",
"import_header": "ব্লুপ্রিন্ট \"{name}\"",
"import_introduction": "আপনি Github এবং কমিউনিটি ফোরাম থেকে অন্যান্য ব্যবহারকারীদের ব্লুপ্রিন্টস আমদানি করতে পারেন। নিচের ব্লুপ্রিন্টের URL প্রবেশ করান।",
"import_introduction_link": "আপনি গিটহাব এবং {community_link} থেকে অন্যান্য ব্যবহারকারীদের ব্লুপ্রিন্টস আমদানি করতে পারেন। নিচের ব্লুপ্রিন্টের URL লিখুন।",
"importing": "ব্লুপ্রিন্ট লোড হচ্ছে ...",
"raw_blueprint": "ব্লুপ্রিন্ট সামগ্রী",
@ -261,7 +198,6 @@
"info": "ওয়েবহুক দ্বারা ট্রিগার হওয়ার জন্য যা কিছু কনফিগার করা হয়েছে সেটিকে ইন্টারনেটে উন্মুক্ত না করে, যে কোনো জায়গা থেকে Home Assistant এর কাছে ডেটা ফেরত পাঠানোর অনুমতি দেওয়ার জন্য একটি সর্বজনীনভাবে অ্যাক্সেসযোগ্য URL দেওয়া যেতে পারে।"
}
},
"caption": "Home Assistant ক্লাউড",
"dialog_cloudhook": {
"available_at": "ওয়েবহুকটি নিম্নলিখিত URL-এ উপলব্ধ:"
},
@ -327,14 +263,7 @@
},
"header": "Home Assistant কনফিগার করুন",
"info": {
"copy_github": "গিটহাবের জন্য",
"system_health": {
"checks": {
"cloud": {
"can_reach_cloud": "Home Assistant ক্লাউডে পৌঁছান"
}
}
}
"copy_github": "গিটহাবের জন্য"
},
"integrations": {
"config_entry": {
@ -444,8 +373,7 @@
"description": "আপনার কনফিগারেশনটি লোড করার সময় Home Assistant সমস্যায় পড়ে এবং এখন নিরাপদ মোডে চলছে। কী ভুল হয়েছে তা দেখতে ত্রুটি লগটি একবার দেখুন।"
},
"starting": {
"description": "Home Assistant শুরু হচ্ছে, দয়া করে অপেক্ষা করুন...",
"header": "Home Assistant শুরু হচ্ছে..."
"description": "Home Assistant শুরু হচ্ছে, দয়া করে অপেক্ষা করুন..."
}
},
"components": {

View File

@ -43,189 +43,9 @@
}
},
"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"
},
"gas": {
"off": "Čist",
"on": "Otkriven"
},
"moisture": {
"off": "Suho",
"on": "Mokar"
},
"motion": {
"off": "Čist",
"on": "Otkriven"
},
"occupancy": {
"off": "Čist",
"on": "Otkriven"
},
"opening": {
"off": "Zatvoren",
"on": "Otvoren"
},
"presence": {
"on": "Kod kuće"
},
"problem": {
"off": "OK",
"on": "Problem"
},
"safety": {
"off": "Siguran",
"on": "Nesiguran"
},
"smoke": {
"off": "Čist",
"on": "Otkriven"
},
"sound": {
"off": "Čist",
"on": "Otkriven"
},
"vibration": {
"off": "Čist",
"on": "Otkriven"
}
},
"calendar": {
"off": "Isključen",
"on": "Uključen"
},
"camera": {
"idle": "Besposlen",
"recording": "Snimanje",
"streaming": "Predaja slike"
},
"climate": {
"cool": "Hladno",
"dry": "Suh",
"fan_only": "Samo ventilator",
"heat": "Toplota",
"off": "Isključen"
},
"configurator": {
"configure": "Podesite",
"configured": "Konfigurirano"
},
"cover": {
"closed": "Zatvoren",
"closing": "Zatvoreno",
"open": "Otvoren",
"opening": "Otvoreno",
"stopped": "Zaustavljen"
},
"default": {
"unavailable": "Nedostupan",
"unknown": "Nepoznat"
},
"device_tracker": {
"not_home": "Odsutan"
},
"fan": {
"off": "Isključen",
"on": "Uključen"
},
"group": {
"closed": "Zatvoren",
"closing": "Zatvoreno",
"home": "Kod kuće",
"locked": "Zaključan",
"off": "Isključen",
"ok": "OK",
"on": "Uključen",
"open": "Otvoren",
"opening": "Otvoreno",
"problem": "Problem",
"stopped": "Zaustavljen",
"unlocked": "Otključan"
},
"input_boolean": {
"off": "Isključen",
"on": "Uključen"
},
"light": {
"off": "Isključen",
"on": "Uključen"
},
"lock": {
"locked": "Zaključan",
"unlocked": "Otključan"
},
"media_player": {
"idle": "Besposlen",
"off": "Isključen",
"on": "Uključen",
"paused": "Pauziran",
"playing": "Prikazuje",
"standby": "U stanju čekanja"
},
"plant": {
"ok": "OK",
"problem": "Problem"
},
"remote": {
"off": "Isključen",
"on": "Uključen"
},
"scene": {
"scening": "Scena"
},
"script": {
"off": "Isključen",
"on": "Uključen"
},
"sensor": {
"off": "Isključen",
"on": "Uključen"
},
"sun": {
"above_horizon": "Iznad horizonta",
"below_horizon": "Ispod horizonta"
},
"switch": {
"off": "Isključen",
"on": "Uključen"
},
"zwave": {
"default": {
"dead": "Mrtav",
"initializing": "Inicijalizacija",
"ready": "Spreman",
"sleeping": "Spava"
},
"query_stage": {
"dead": "Mrtav ({query_stage})",
"initializing": "Inicijalizacija ( {query_stage} )"
}
}
},
"ui": {
@ -260,14 +80,10 @@
}
}
},
"cloud": {
"caption": "Home Assistant Cloud"
},
"mqtt": {
"title": "MQTT"
},
"zwave": {
"caption": "Z-Wave",
"node_config": {
"set_config_parameter": "Podesite parametar Config"
}
@ -289,23 +105,11 @@
}
}
},
"history": {
"period": "Period",
"showing_entries": "Prikaži rezutate za"
},
"logbook": {
"showing_entries": "Prikaži rezutate za"
},
"mailbox": {
"delete_button": "Izbriši",
"delete_prompt": "Izbriši ovu poruku?",
"empty": "Nemate poruke",
"playback_title": "Poruku preslušati"
},
"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”"
}
}
}

View File

@ -95,253 +95,11 @@
}
},
"state": {
"alarm_control_panel": {
"armed": "Activada",
"armed_away": "Activada, mode fora",
"armed_custom_bypass": "Activada, bypass personalitzat",
"armed_home": "Activada, mode a casa",
"armed_night": "Activada, mode nocturn",
"arming": "Activant",
"disarmed": "Desactivada",
"disarming": "Desactivant",
"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"
},
"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"
},
"occupancy": {
"off": "Lliure",
"on": "Detectat"
},
"opening": {
"off": "Tancat",
"on": "Obert"
},
"presence": {
"off": "Lliure",
"on": "A casa"
},
"problem": {
"off": "Correcte",
"on": "Problema"
},
"safety": {
"off": "Segur",
"on": "No segur"
},
"smoke": {
"off": "Lliure",
"on": "Detectat"
},
"sound": {
"off": "Lliure",
"on": "Detectat"
},
"vibration": {
"off": "Lliure",
"on": "Detectat"
},
"window": {
"off": "Tancada",
"on": "Oberta"
}
},
"calendar": {
"off": "Desactivat",
"on": "Activat"
},
"camera": {
"idle": "Inactiu",
"recording": "Enregistrant",
"streaming": "Transmetent vídeo"
},
"climate": {
"cool": "Refredar",
"dry": "Assecar",
"fan_only": "Només ventilador",
"heat": "Escalfar",
"heat_cool": "Escalfar/Refredar",
"off": "Desactivat"
},
"configurator": {
"configure": "Configurar",
"configured": "Configurat"
},
"cover": {
"closed": "Tancada",
"closing": "Tancant",
"open": "Oberta",
"opening": "Obrint",
"stopped": "Aturat"
},
"default": {
"off": "Off",
"on": "On",
"unavailable": "No disponible",
"unknown": "Desconegut"
},
"device_tracker": {
"not_home": "Fora"
},
"fan": {
"off": "Desactivat",
"on": "Activat"
},
"group": {
"closed": "Tancat",
"closing": "Tancant",
"home": "A casa",
"locked": "Bloquejat",
"not_home": "Fora",
"off": "Desactivat",
"ok": "Correcte",
"on": "Activat",
"open": "Obert",
"opening": "Obrint",
"problem": "Problema",
"stopped": "Aturat",
"unlocked": "Desbloquejat"
},
"input_boolean": {
"off": "Desactivat",
"on": "Activat"
},
"light": {
"off": "Desactivat",
"on": "Activat"
},
"lock": {
"locked": "Bloquejat",
"unlocked": "Desbloquejat"
},
"media_player": {
"idle": "Inactiu",
"off": "Desactivat",
"on": "Activat",
"paused": "Pausat",
"playing": "Reproduint",
"standby": "En espera"
},
"person": {
"home": "A casa"
},
"plant": {
"ok": "Correcte",
"problem": "Problema"
},
"remote": {
"off": "Desactivat",
"on": "Activat"
},
"scene": {
"scening": "Escena activa"
},
"script": {
"off": "Desactivat",
"on": "Activat"
},
"sensor": {
"off": "Desactivat",
"on": "Activat"
},
"sun": {
"above_horizon": "Sobre l'horitzó",
"below_horizon": "Sota l'horitzó"
},
"switch": {
"off": "Desactivat",
"on": "Activat"
},
"timer": {
"active": "actiu",
"idle": "inactiu",
"paused": "en pausa"
},
"vacuum": {
"cleaning": "Netejant",
"docked": "Aparcat",
"error": "Error",
"idle": "Inactiu",
"off": "Desactivat",
"on": "Activat",
"paused": "Pausat",
"returning": "Retornant a la base"
},
"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"
},
"zwave": {
"default": {
"dead": "No disponible",
"initializing": "Inicialitzant",
"ready": "A punt",
"sleeping": "Dormint"
},
"query_stage": {
"dead": "No disponible ({query_stage})",
"initializing": "Inicialitzant ({query_stage})"
}
}
},
"ui": {
@ -442,8 +200,7 @@
},
"script": {
"cancel": "Cancel·la",
"cancel_multiple": "Cancel·la {number}",
"execute": "Executar"
"cancel_multiple": "Cancel·la {number}"
},
"service": {
"run": "Executa"
@ -630,7 +387,6 @@
"media-browser": {
"audio_not_supported": "El teu navegador no és compatible amb l'element d'àudio.",
"choose_player": "Tria reproductor",
"choose-source": "Tria la font",
"class": {
"album": "Àlbum",
"app": "Aplicació",
@ -653,13 +409,6 @@
"url": "URL",
"video": "Vídeo"
},
"content-type": {
"album": "Àlbum",
"artist": "Artista",
"library": "Biblioteca",
"playlist": "Llista de reproducció",
"server": "Servidor"
},
"documentation": "documentació",
"learn_adding_local_media": "Més informació sobre com afegir contingut multimèdia a la {documentation}.",
"local_media_files": "Col·loca els fitxers de vídeo, àudio i imatge al directori multimèdia i podràs navegar-hi i reproduir-los des del navegador o els reproductors multimèdia compatibles.",
@ -701,7 +450,6 @@
"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}",
"future_duration": {
"day": "D'aquí a {count} {count, plural,\n one {dia}\n other {dies}\n}",
"hour": "D'aquí a {count} {count, plural,\n one {hora}\n other {hores}\n}",
@ -711,7 +459,6 @@
},
"just_now": "Ara mateix",
"never": "Mai",
"past": "Fa {time}",
"past_duration": {
"day": "fa {count} {count, plural,\n one {dia}\n other {dies}\n}",
"hour": "fa {count} {count, plural,\n one {hora}\n other {hores}\n}",
@ -723,8 +470,8 @@
"service-control": {
"required": "Aquest camp és obligatori",
"service_data": "Dades del servei",
"target": "Objectiu",
"target_description": "Objectiu d'aquesta crida de servei"
"target": "Objectius",
"target_description": "Àrees, dispositius o entitats objectiu d'aquesta crida de servei"
},
"service-picker": {
"service": "Servei"
@ -734,7 +481,7 @@
"add_device_id": "Selecciona dispositiu",
"add_entity_id": "Selecciona entitat",
"expand_area_id": "Expandeix aquesta àrea en els dispositius i entitats que conté. Després d'expandir-la, no s'actualitzaran els dispositius i les entitats quan l'àrea canviï.",
"expand_device_id": "Expandeix aquest dispositiu en entitats separades. Després d'expandir-lo, no s'actualitzaran les entitats quan el dispositiu canviï.",
"expand_device_id": "Expandeix aquest dispositiu en les entitats separades que conté. Després d'expandir-lo, no s'actualitzaran les entitats quan el dispositiu canviï.",
"remove_area_id": "Elimina àrea",
"remove_device_id": "Elimina dispositiu",
"remove_entity_id": "Elimina entitat"
@ -847,7 +594,6 @@
"crop": "Retalla"
},
"more_info_control": {
"controls": "Controls",
"cover": {
"close_cover": "Tanca la coberta",
"close_tile_cover": "Inclinació de la coberta tancada",
@ -932,7 +678,6 @@
"logs": "Registres",
"lovelace": "Panells Lovelace",
"navigate_to": "Vés a {panel}",
"navigate_to_config": "Vés a la configuració de {panel}",
"person": "Persones",
"scene": "Escenes",
"script": "Programació (scripts)",
@ -1015,9 +760,7 @@
},
"unknown": "Desconeguda",
"zha_device_card": {
"area_picker_label": "Àrea",
"device_name_placeholder": "Canvia el nom del dispositiu",
"update_name_button": "Actualitzar Nom"
"device_name_placeholder": "Canvia el nom del dispositiu"
}
}
},
@ -1061,10 +804,6 @@
"triggered": "{name} disparat/ada"
},
"panel": {
"calendar": {
"my_calendars": "Calendaris",
"today": "Avui"
},
"config": {
"advanced_mode": {
"hint_enable": "Falten opcions de configuració? Activa el mode avançat",
@ -1182,8 +921,7 @@
"label": "Activa escena"
},
"service": {
"label": "Crida servei",
"service_data": "Dades de servei"
"label": "Crida servei"
},
"wait_for_trigger": {
"continue_timeout": "Continua amb temps d'espera",
@ -1203,8 +941,6 @@
"blueprint": {
"blueprint_to_use": "Blueprint a utilitzar",
"header": "Blueprint",
"inputs": "Entrades",
"manage_blueprints": "Gestiona els blueprints",
"no_blueprints": "No tens blueprints",
"no_inputs": "Aquest blueprint no té entrades."
},
@ -1459,7 +1195,6 @@
"header": "Importa un blueprint nou",
"import_btn": "Vista prèvia del blueprint",
"import_header": "Blueprint \"{name}\"",
"import_introduction": "Pots importar blueprints d'altres usuaris des de Github i els fòrums de la comunitat. Introdueix, a sota, l'URL del blueprint.",
"import_introduction_link": "Pots importar blueprints d'altres usuaris des de Github i des dels {community_link}. Introdueix, a sota, l'URL del blueprint.",
"importing": "Carregant blueprint...",
"raw_blueprint": "Contingut del blueprint",
@ -1581,7 +1316,6 @@
"not_exposed_entities": "Entitats no exposades",
"title": "Alexa"
},
"caption": "Home Assistant Cloud",
"description_features": "Controla la casa quan siguis fora i integra-hi Alexa i Google Assistant",
"description_login": "Sessió iniciada com a {email}",
"description_not_login": "No has iniciat sessió",
@ -1714,7 +1448,6 @@
"pick_attribute": "Selecciona un atribut per substituir-lo",
"picker": {
"documentation": "Documentació de personalització",
"entity": "Entitat",
"header": "Personalitzacions",
"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."
},
@ -1761,7 +1494,6 @@
"integration": "Integració",
"manufacturer": "Fabricant",
"model": "Model",
"no_area": "Sense àrees",
"no_devices": "Sense dispositius"
},
"delete": "Elimina",
@ -1917,42 +1649,9 @@
"source": "Font:",
"system_health_error": "El component Estat del Sistema no està configurat. Afegeix 'system_health:' a configuration.yaml",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Alexa activada",
"can_reach_cert_server": "Servidor de certificació accessible",
"can_reach_cloud": "Home Assistant Cloud accessible",
"can_reach_cloud_auth": "Servidor d'autenticació accessible",
"google_enabled": "Google activat",
"logged_in": "Sessió iniciada",
"relayer_connected": "Encaminador connectat",
"remote_connected": "Connexió remota establerta",
"remote_enabled": "Connexió remota activada",
"subscription_expiration": "Caducitat de la subscripció"
},
"homeassistant": {
"arch": "Arquitectura de la CPU",
"dev": "Desenvolupament",
"docker": "Docker",
"hassio": "HassOS",
"installation_type": "Tipus d'instal·lació",
"os_name": "Nom del sistema operatiu",
"os_version": "Versió del sistema operatiu",
"python_version": "Versió de Python",
"timezone": "Zona horària",
"version": "Versió",
"virtualenv": "Entorn virtual"
},
"lovelace": {
"dashboards": "Panells",
"mode": "Mode",
"resources": "Recursos"
}
},
"manage": "Gestiona",
"more_info": "més informació"
},
"title": "Informació"
}
},
"integration_panel_move": {
"link_integration_page": "pàgina d'integracions",
@ -1966,7 +1665,6 @@
"config_entry": {
"area": "A {area}",
"delete": "Elimina",
"delete_button": "Elimina {integration}",
"delete_confirm": "Estàs segur que vols eliminar aquesta integració?",
"device_unavailable": "Dispositiu no disponible",
"devices": "{count} {count, plural,\n one {dispositiu}\n other {dispositius}\n}",
@ -1977,8 +1675,6 @@
"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.",
"options": "Opcions",
"reload": "Torna a carregar",
"reload_confirm": "La integració s'ha tornat a carregar",
@ -1986,9 +1682,7 @@
"rename": "Canvia el nom",
"restart_confirm": "Reinicia Home Assistant per acabar d'eliminar aquesta integració",
"services": "{count} {count, plural,\n one {servei}\n other {serveis}\n}",
"settings_button": "Edita la configuració de {integration}",
"system_options": "Opcions de sistema",
"system_options_button": "Opcions de sistema de {integration}",
"unnamed_entry": "Entrada sense nom"
},
"config_flow": {
@ -2055,8 +1749,7 @@
"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"
"refresh": "Actualitza"
},
"lovelace": {
"caption": "Panells Lovelace",
@ -2387,8 +2080,7 @@
"learn_more": "Més informació sobre els scripts",
"no_scripts": "No s'ha pogut trobar cap script editable",
"run_script": "Executa l'script",
"show_info": "Mostra informació sobre l'script",
"trigger_script": "Dispara l'script"
"show_info": "Mostra informació sobre l'script"
}
},
"server_control": {
@ -2482,11 +2174,9 @@
"add_user": {
"caption": "Afegir usuari",
"create": "Crear",
"name": "Nom",
"password": "Contrasenya",
"password_confirm": "Confirma la contrasenya",
"password_not_match": "Les contrasenyes no coincideixen",
"username": "Nom d'usuari"
"password_not_match": "Les contrasenyes no coincideixen"
},
"caption": "Usuaris",
"description": "Gestiona els comptes d'usuari de Home Assistant",
@ -2530,19 +2220,12 @@
"add_device": "Afegeix dispositiu",
"add_device_page": {
"discovered_text": "Els dispositius apareixeran aquí un cop descoberts.",
"discovery_text": "Els dispositius descoberts apareixeran aquí. Segueix les instruccions del/s teu/s dispositiu/s i posa el dispositiu/s en mode d'emparellament.",
"header": "Domòtica amb Zigbee - Afegir dispositius",
"no_devices_found": "No s'han trobat dispositius, assegura't que estiguin en mode vinculació i manten-los desperts mentre s'estiguin descoberint.",
"pairing_mode": "Assegura't que els dispositiu estiguin en mode vinculació. Consulta les instruccions del dispositiu per saber com fer-ho.",
"search_again": "Torna a cercar",
"spinner": "S'estan cercant dispositius ZHA Zigbee..."
},
"add": {
"caption": "Afegeix dispositius",
"description": "Afegeix dispositius a la xarxa Zigbee"
},
"button": "Configura",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "Atributs del clúster seleccionat",
"get_zigbee_attribute": "Obtenir l'atribut Zigbee",
@ -2566,13 +2249,10 @@
"introduction": "Els clústers són els blocs de construcció per dotar Zigbee de funcionalitat. Separen la funcionalitat en unitats lògiques. N'hi ha de tipus client i servidor; estan formats per atributs i comandes (ordres)."
},
"common": {
"add_devices": "Afegeix dispositius",
"clusters": "Clústers",
"devices": "Dispositius",
"manufacturer_code_override": "Substitució del codi de fabricant",
"value": "Valor"
},
"description": "Gestiona la xarxa domòtica Zigbee (ZHA)",
"device_pairing_card": {
"CONFIGURED": "Configuració completada",
"CONFIGURED_status_text": "Inicialitzant",
@ -2583,9 +2263,6 @@
"PAIRED": "Dispositiu trobat",
"PAIRED_status_text": "Iniciant consulta"
},
"devices": {
"header": "Domòtica Zigbee (ZHA) - Dispositiu"
},
"group_binding": {
"bind_button_help": "Vincula el grup seleccionat als clústers de dispositius seleccionats.",
"bind_button_label": "Vincula grup",
@ -2600,48 +2277,24 @@
"groups": {
"add_group": "Afegeix grup",
"add_members": "Afegeix membres",
"adding_members": "Afegint membres",
"caption": "Grups",
"create": "Crea grup",
"create_group": "Domòtica Zigbee (ZHA) - Creació de grups",
"create_group_details": "Introdueix els detalls necessaris per crear un nou grup Zigbee",
"creating_group": "Creant grup",
"description": "Gestiona els grups Zigbee",
"group_details": "Detalls del grup Zigbee seleccionat.",
"group_id": "ID del grup",
"group_info": "Informació del grup",
"group_name_placeholder": "Nom del grup",
"group_not_found": "No s'ha trobat el grup.",
"group-header": "Domòtica Zigbee (ZHA) - Detalls dels grups",
"groups": "Grups",
"groups-header": "Domòtica Zigbee (ZHA) - Gestió de grups",
"header": "Domòtica Zigbee (ZHA) - Gestió de grups",
"introduction": "Crea i modifica grups Zigbee",
"manage_groups": "Gestiona els grups Zigbee",
"members": "Membres",
"remove_groups": "Elimina grups",
"remove_members": "Elimina membres",
"removing_groups": "Eliminant grups",
"removing_members": "Eliminant membres",
"zha_zigbee_groups": "Grups ZHA Zigbee"
},
"header": "Configuració domòtica Zigbee (ZHA)",
"introduction": "Des d'aquí pots configurar el component ZHA. Encara no és possible configurar-ho tot des de la interfície d'usuari, però hi estem treballant.",
"network_management": {
"header": "Gestió de la xarxa",
"introduction": "Comandes que afecten tota la xarxa"
"removing_members": "Eliminant membres"
},
"network": {
"caption": "Xarxa"
},
"node_management": {
"header": "Gestió del dispositiu",
"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.",
"introduction": "Executa comandes ZHA que afecten un sol dispositiu. Tria un dispositiu per veure el seu llistat de comandes disponibles."
},
"title": "Domòtica Zigbee (ZHA)",
"visualization": {
"caption": "Visualització",
"header": "Visualització de xarxa",
@ -2713,7 +2366,6 @@
"header": "Gestiona la teva xarxa Z-Wave",
"home_id": "ID principal",
"introduction": "Gestiona la teva xarxa i nodes Z-Wave",
"node_count": "Recompte de nodes",
"nodes_ready": "Nodes preparats",
"server_version": "Versió del servidor"
},
@ -2750,7 +2402,6 @@
},
"zwave": {
"button": "Configura",
"caption": "Z-Wave",
"common": {
"index": "Índex",
"instance": "Instància",
@ -2870,18 +2521,13 @@
},
"services": {
"accepts_target": "Aquest servei accepta un objectiu, per exemple: `entity_id: light.bed_light`",
"alert_parsing_yaml": "S'ha produït un error analitzant el codi YAML: {data}",
"all_parameters": "Tots els paràmetres disponibles",
"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",
"ui_mode": "Vés al mode d'interfície d'usuari",
"yaml_mode": "Vés al mode YAML",
@ -2925,25 +2571,20 @@
}
},
"history": {
"period": "Període",
"ranges": {
"last_week": "La setmana passada",
"this_week": "Aquesta setmana",
"today": "Avui",
"yesterday": "Ahir"
},
"showing_entries": "Mostrant entrades de"
}
},
"logbook": {
"entries_not_found": "No s'han trobat entrades al registre.",
"period": "Període",
"ranges": {
"last_week": "La setmana passada",
"this_week": "Aquesta setmana",
"today": "Avui",
"yesterday": "Ahir"
},
"showing_entries": "Mostrant entrades de"
}
},
"lovelace": {
"add_entities": {
@ -2952,7 +2593,6 @@
"yaml_unsupported": "Només pots utilitzar aquesta funció si fas servir Lovelace en mode YAML."
},
"cards": {
"action_confirmation": "Estàs segur que vols exectuar l'acció \"{action}\"?",
"actions": {
"action_confirmation": "Estàs segur que vols exectuar l'acció \"{action}\"?",
"no_entity_more_info": "No s'ha proporcionat cap entitat per mostrar el diàleg de més informació",
@ -2991,13 +2631,11 @@
"reorder_items": "Reordena elements"
},
"starting": {
"description": "Home Assistant s'està iniciant, espera un moment...",
"header": "Home Assistant està iniciant-se..."
"description": "Home Assistant s'està iniciant, espera un moment..."
}
},
"changed_toast": {
"message": "S'ha actualitzat la configuració de la IU Lovelace d'aquest panell. Vols actualitzar-lo per veure els canvis?",
"refresh": "Actualitza"
"message": "S'ha actualitzat la configuració de la IU Lovelace d'aquest panell. Vols actualitzar-lo per veure els canvis?"
},
"components": {
"timestamp-display": {
@ -3016,7 +2654,6 @@
"toggle": "Commuta",
"url": "URL"
},
"editor_service_data": "Les dades de servei només es poden introduir des de l'editor de codi",
"navigation_path": "Ruta de navegació",
"url_path": "Ruta de l'URL"
},
@ -3214,7 +2851,6 @@
},
"sensor": {
"description": "La targeta sensor mostra una visió ràpida d'un dels teus sensors. En mostra l'estat i opcionalment un gràfic amb els canvis al llarg del temps.",
"graph_detail": "Detall del gràfic",
"graph_type": "Tipus de gràfic",
"name": "Sensor",
"show_more_detail": "Mostra més detalls"
@ -3385,7 +3021,6 @@
"configure_ui": "Edita panell",
"exit_edit_mode": "Surt del mode d'edició d'interfície",
"help": "Ajuda",
"refresh": "Actualitzar",
"reload_resources": "Actualitza recursos",
"start_conversation": "Inicia conversa"
},
@ -3510,8 +3145,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "El teu equip no està permès.",
"not_whitelisted": "El teu ordinador no es troba accessible a la llista."
"not_allowed": "El teu equip no està permès."
},
"step": {
"init": {
@ -3664,15 +3298,12 @@
"create": "Crea un token d'autenticació",
"create_failed": "No s'ha pogut crear el token d'autenticació d'accés.",
"created": "Creat {date}",
"created_at": "Creat el {date}",
"delete_failed": "No s'ha pogut eliminar el token d'autenticació d'accés.",
"description": "Crea tokens d'autenticació d'accés de llarga durada per permetre als teus programes/scripts interactuar amb la instància de Home Assistant. Cada token és vàlid durant deu anys després de la seva creació. Els següents tokens d'autenticació d'accés de llarga durada estan actius actualment.",
"empty_state": "Encara no tens tokens d'autenticació d'accés de llarga durada.",
"header": "Tokens d'autenticació d'accés de llarga durada",
"last_used": "Darrer ús {date} des de {location}",
"learn_auth_requests": "Aprèn a fer sol·licituds autenticades.",
"name": "Nom",
"not_used": "Mai no s'ha utilitzat",
"prompt_copy_token": "Copia't el token d'autenticació d'accés. No es tornarà a mostrar més endavant.",
"prompt_name": "Posa un nom al token"
},
@ -3737,11 +3368,6 @@
},
"shopping_list": {
"start_conversation": "Inicia conversa"
},
"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": {

View File

@ -95,253 +95,11 @@
}
},
"state": {
"alarm_control_panel": {
"armed": "Zabezpečeno",
"armed_away": "Režim nepřítomnost",
"armed_custom_bypass": "Zabezpečeno uživatelským obejitím",
"armed_home": "Režim domov",
"armed_night": "Noční režim",
"arming": "Zabezpečování",
"disarmed": "Nezabezpečeno",
"disarming": "Odbezpečování",
"pending": "Čekající",
"triggered": "Spuštěno"
},
"automation": {
"off": "Vypnuto",
"on": "Aktivní"
},
"binary_sensor": {
"battery": {
"off": "Normální",
"on": "Nízký stav"
},
"cold": {
"off": "Normální",
"on": "Studený"
},
"connectivity": {
"off": "Odpojeno",
"on": "Připojeno"
},
"default": {
"off": "Neaktivní",
"on": "Aktivní"
},
"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": "Žádný pohyb",
"on": "Zaznamenán pohyb"
},
"occupancy": {
"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"
},
"sound": {
"off": "Ticho",
"on": "Zachycen zvuk"
},
"vibration": {
"off": "Klid",
"on": "Zjištěny vibrace"
},
"window": {
"off": "Zavřeno",
"on": "Otevřeno"
}
},
"calendar": {
"off": "Vypnuto",
"on": "Zapnuto"
},
"camera": {
"idle": "Nečinný",
"recording": "Záznam",
"streaming": "Streamování"
},
"climate": {
"cool": "Chlazení",
"dry": "Vysoušení",
"fan_only": "Pouze ventilátor",
"heat": "Topení",
"heat_cool": "Vytápění/Chlazení",
"off": "Vypnuto"
},
"configurator": {
"configure": "Nastavit",
"configured": "Nastaveno"
},
"cover": {
"closed": "Zavřeno",
"closing": "Zavírá se",
"open": "Otevřeno",
"opening": "Otvírá se",
"stopped": "Zastaveno"
},
"default": {
"off": "Vypnuto",
"on": "Zapnuto",
"unavailable": "Není k dispozici",
"unknown": "Nezjištěno"
},
"device_tracker": {
"not_home": "Pryč"
},
"fan": {
"off": "Vypnuto",
"on": "Zapnuto"
},
"group": {
"closed": "Zavřeno",
"closing": "Zavírá se",
"home": "Doma",
"locked": "Zamčeno",
"not_home": "Pryč",
"off": "Vypnuto",
"ok": "V pořádku",
"on": "Zapnuto",
"open": "Otevřeno",
"opening": "Otvírá se",
"problem": "Problém",
"stopped": "Zastaveno",
"unlocked": "Odemčeno"
},
"input_boolean": {
"off": "Neaktivní",
"on": "Zapnuto"
},
"light": {
"off": "Vypnuto",
"on": "Aktivní"
},
"lock": {
"locked": "Zamčeno",
"unlocked": "Odemčeno"
},
"media_player": {
"idle": "Nečinný",
"off": "Vypnuto",
"on": "Zapnuto",
"paused": "Pozastaveno",
"playing": "Přehrávání",
"standby": "Pohotovostní režim"
},
"person": {
"home": "Doma"
},
"plant": {
"ok": "V pořádku",
"problem": "Problém"
},
"remote": {
"off": "Vypnuto",
"on": "Zapnuto"
},
"scene": {
"scening": "Scenérie"
},
"script": {
"off": "Vypnuto",
"on": "Zapnuto"
},
"sensor": {
"off": "Vypnuto",
"on": "Zapnuto"
},
"sun": {
"above_horizon": "Nad horizontem",
"below_horizon": "Za horizontem"
},
"switch": {
"off": "Vypnuto",
"on": "Zapnuto"
},
"timer": {
"active": "aktivní",
"idle": "nečinné",
"paused": "pozastaveno"
},
"vacuum": {
"cleaning": "Čistí",
"docked": "Ve stanici",
"error": "Chyba",
"idle": "Nečinný",
"off": "Vypnuto",
"on": "Zapnuto",
"paused": "Pozastaveno",
"returning": "Návrat do stanice"
},
"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"
},
"zwave": {
"default": {
"dead": "Nereaguje",
"initializing": "Inicializace",
"ready": "Připraveno",
"sleeping": "Úsporný režim"
},
"query_stage": {
"dead": "Nereaguje ({query_stage})",
"initializing": "Inicializace ( {query_stage} )"
}
}
},
"ui": {
@ -442,8 +200,7 @@
},
"script": {
"cancel": "Zrušit",
"cancel_multiple": "Zrušit {number}",
"execute": "Vykonat"
"cancel_multiple": "Zrušit {number}"
},
"service": {
"run": "Spustit"
@ -630,7 +387,6 @@
"media-browser": {
"audio_not_supported": "Váš prohlížeč nepodporuje element \"audio\".",
"choose_player": "Vyberte přehrávač",
"choose-source": "Zvolte zdroj",
"class": {
"album": "Album",
"app": "Aplikace",
@ -653,13 +409,6 @@
"url": "URL adresa",
"video": "Video"
},
"content-type": {
"album": "Album",
"artist": "Umělec",
"library": "Knihovna",
"playlist": "Seznam skladeb",
"server": "Server"
},
"documentation": "dokumentace",
"learn_adding_local_media": "Další informace o přidávání médií naleznete v {documentation}.",
"local_media_files": "Umístěte svá videa, zvukové či obrazové soubory do adresáře médií, abyste je mohli procházet a přehrávat v prohlížeči nebo na podporovaných přehrávačích médií.",
@ -701,7 +450,6 @@
"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}"
},
"future": "Za {time}",
"future_duration": {
"day": "Za {count} {count, plural,\none {den}\nfew {dny}\nother {dní}\n}",
"hour": "Za {count} {count, plural,\none {hodinu}\nfew {hodiny}\nother {hodin}\n}",
@ -711,7 +459,6 @@
},
"just_now": "Právě teď",
"never": "Nikdy",
"past": "Před {time}",
"past_duration": {
"day": "Před {count} {count, plural,\none {dnem}\nother {dny}\n}",
"hour": "Před {count} {count, plural,\none {hodinou}\nother {hodinami}\n}",
@ -720,6 +467,9 @@
"week": "Před {count} {count, plural,\none {týdnem}\nother {týdny}\n}"
}
},
"service-control": {
"service_data": "Data služby"
},
"service-picker": {
"service": "Služba"
},
@ -841,7 +591,6 @@
"crop": "Oříznout"
},
"more_info_control": {
"controls": "Ovládací prvky",
"cover": {
"close_cover": "Zavřít",
"close_tile_cover": "Snížit náklon",
@ -926,7 +675,6 @@
"logs": "Logy",
"lovelace": "Ovládací panely Lovelace",
"navigate_to": "Přejít na {panel}",
"navigate_to_config": "Přejít na nastavení {panel}",
"person": "Osoby",
"scene": "Scény",
"script": "Skripty",
@ -1009,9 +757,7 @@
},
"unknown": "Neznámý",
"zha_device_card": {
"area_picker_label": "Oblast",
"device_name_placeholder": "Změnit název zařízení",
"update_name_button": "Název aktualizace"
"device_name_placeholder": "Změnit název zařízení"
}
}
},
@ -1055,10 +801,6 @@
"triggered": "Spuštěno {name}"
},
"panel": {
"calendar": {
"my_calendars": "Moje kalendáře",
"today": "Dnes"
},
"config": {
"advanced_mode": {
"hint_enable": "Chybí vám možnosti nastavení? Zapněte rozšířený režim",
@ -1176,8 +918,7 @@
"label": "Aktivovat scénu"
},
"service": {
"label": "Zavolat službu",
"service_data": "Data služby"
"label": "Zavolat službu"
},
"wait_for_trigger": {
"continue_timeout": "Pokračovat po časovém limitu",
@ -1197,8 +938,6 @@
"blueprint": {
"blueprint_to_use": "Šablona k použití",
"header": "Šablona",
"inputs": "Vstupy",
"manage_blueprints": "Správa šablon",
"no_blueprints": "Nemáme žádné šablony",
"no_inputs": "Šablona nemá žádné vstupy."
},
@ -1453,7 +1192,6 @@
"header": "Import šablony",
"import_btn": "Náhled šablony",
"import_header": "Šablona \"{name}\"",
"import_introduction": "Můžete importovat šablony od ostatních uživatelů z GitHubu a komunitních fór. Níže zadejte URL adresu šablony.",
"import_introduction_link": "Můžete importovat šablony od ostatních uživatelů z GitHubu a {community_link}. Níže zadejte URL adresu šablony.",
"importing": "Načítám šablonu...",
"raw_blueprint": "Obsah šablony",
@ -1575,7 +1313,6 @@
"not_exposed_entities": "Nevystavené entity",
"title": "Alexa"
},
"caption": "Home Assistant Cloud",
"description_features": "Ovládejte, i když nejste doma, a propojte s Alexou a Google Assistantem",
"description_login": "Přihlášen jako {email}",
"description_not_login": "Nepřihlášen",
@ -1708,7 +1445,6 @@
"pick_attribute": "Vyberte vlastnost, kterou chcete přepsat",
"picker": {
"documentation": "Dokumentace přizpůsobení",
"entity": "Entita",
"header": "Přizpůsobení",
"introduction": "Upravit atributy entity. Přídání/úprava bude mít okamžitý efekt. Odebraní se projeví až po aktualizaci entity."
},
@ -1755,7 +1491,6 @@
"integration": "Integrace",
"manufacturer": "Výrobce",
"model": "Model",
"no_area": "Žádná oblast",
"no_devices": "Žádná zařízení"
},
"delete": "Odstranit",
@ -1911,42 +1646,9 @@
"source": "Zdroj:",
"system_health_error": "Součást System Health není načtena. Přidejte 'system_health:' do configuration.yaml",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Alexa povolena",
"can_reach_cert_server": "Certifikační server dosažen",
"can_reach_cloud": "Home Assistant Cloud dosažen",
"can_reach_cloud_auth": "Ověřovací server dosažen",
"google_enabled": "Google povolen",
"logged_in": "Přihlášen",
"relayer_connected": "Relayer připojen",
"remote_connected": "Vzdálená správa připojena",
"remote_enabled": "Vzdálená správa povolena",
"subscription_expiration": "Platnost předplatného"
},
"homeassistant": {
"arch": "Architektura CPU",
"dev": "Vývoj",
"docker": "Docker",
"hassio": "HassOS",
"installation_type": "Typ instalace",
"os_name": "Jméno operačního systému",
"os_version": "Verze operačního systému",
"python_version": "Verze Pythonu",
"timezone": "Časové pásmo",
"version": "Verze",
"virtualenv": "Virtuální prostředí"
},
"lovelace": {
"dashboards": "Ovládací panely",
"mode": "Režim",
"resources": "Zdroje"
}
},
"manage": "Spravovat",
"more_info": "více informací"
},
"title": "Informace"
}
},
"integration_panel_move": {
"link_integration_page": "stránka integrací",
@ -1960,7 +1662,6 @@
"config_entry": {
"area": "V {area}",
"delete": "Smazat",
"delete_button": "Smazat {integration}",
"delete_confirm": "Opravdu chcete odstranit tuto integraci?",
"device_unavailable": "Zařízení není dostupné",
"devices": "{count} {count, plural,\n one {zařízení}\n other {zařízení}\n}",
@ -1971,8 +1672,6 @@
"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í.",
"options": "Možnosti",
"reload": "Nově načíst",
"reload_confirm": "Integrace byla nově načtena",
@ -1980,9 +1679,7 @@
"rename": "Přejmenovat",
"restart_confirm": "Restartujte Home Assistant pro odstranění této integrace",
"services": "{count} {count, plural,\n one {služba}\n few {služby}\n other {služeb}\n}",
"settings_button": "Upravit nastavení pro {integration}",
"system_options": "Více možností",
"system_options_button": "Upravit nastavení pro {integration}",
"unnamed_entry": "Nepojmenovaný záznam"
},
"config_flow": {
@ -2043,8 +1740,7 @@
"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"
"refresh": "Obnovit"
},
"lovelace": {
"caption": "Ovládací panely Lovelace",
@ -2375,8 +2071,7 @@
"learn_more": "Další informace o skriptech",
"no_scripts": "Nemohli jsme najít žádné upravitelné skripty",
"run_script": "Spustit skript",
"show_info": "Zobrazit informace o skriptu",
"trigger_script": "Spustit skript"
"show_info": "Zobrazit informace o skriptu"
}
},
"server_control": {
@ -2470,11 +2165,9 @@
"add_user": {
"caption": "Přidat uživatele",
"create": "Vytvořit",
"name": "Jméno",
"password": "Heslo",
"password_confirm": "Potvrzení hesla",
"password_not_match": "Hesla se neshodují",
"username": "Uživatelské jméno"
"password_not_match": "Hesla se neshodují"
},
"caption": "Uživatelé",
"description": "Správa uživatelských účtů pro Home Assistant",
@ -2518,19 +2211,12 @@
"add_device": "Přidat zařízení",
"add_device_page": {
"discovered_text": "Jakmile se objeví nalezne, zobrazí se zde.",
"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í.",
"header": "Zigbee Home Automation - Přidat zařízení",
"no_devices_found": "Žádná zařízení nalezena, ujistěte se, že jsou v režimu párování a udržujte je zapnuté, zatímco je objevování spuštěno.",
"pairing_mode": "Zkontrolujte, zda jsou vaše zařízení v režimu párování. Postupujte podle pokynů svého zařízení.",
"search_again": "Hledat znovu",
"spinner": "Hledání zařízení ZHA Zigbee ..."
},
"add": {
"caption": "Přidat zařízení",
"description": "Přidat zařízení do sítě Zigbee"
},
"button": "Nastavit",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "Atributy vybraného klastru",
"get_zigbee_attribute": "Získat atribut Zigbee",
@ -2554,13 +2240,10 @@
"introduction": "Clustery jsou stavebními kameny funkčnosti Zigbee. Rozdělují funkčnost na logické jednotky. Existují typy klientů a serverů, které se skládají z atributů a příkazů."
},
"common": {
"add_devices": "Přidat zařízení",
"clusters": "Clustery",
"devices": "Zařízení",
"manufacturer_code_override": "Přepsání kódu výrobce",
"value": "Hodnota"
},
"description": "Správa Zigbee Home Automation",
"device_pairing_card": {
"CONFIGURED": "Nastavení dokončeno",
"CONFIGURED_status_text": "Inicializuji",
@ -2571,9 +2254,6 @@
"PAIRED": "Zařízení nalezeno",
"PAIRED_status_text": "Začínám dotazování"
},
"devices": {
"header": "Zigbee Home Automation - Zařízení"
},
"group_binding": {
"bind_button_help": "Připojit vybranou skupinu s vybranými clustery zařízení.",
"bind_button_label": "Připojit skupinu",
@ -2588,48 +2268,24 @@
"groups": {
"add_group": "Přidat do skupiny",
"add_members": "Přidání členů",
"adding_members": "Přidání členů",
"caption": "Skupiny",
"create": "Vytvořit skupinu",
"create_group": "Zigbee Home Automation - Vytvoření skupiny",
"create_group_details": "Zadejte požadované podrobnosti pro vytvoření nové zigbee skupiny",
"creating_group": "Vytváření skupiny",
"description": "Správa skupin Zigbee",
"group_details": "Zde jsou všechny podrobnosti o vybrané skupině Zigbee.",
"group_id": "ID skupiny",
"group_info": "Informace o skupině",
"group_name_placeholder": "Název skupiny",
"group_not_found": "Skupina nenalezena!",
"group-header": "Zigbee Home Automation - Podrobnosti skupiny",
"groups": "Skupiny",
"groups-header": "Zigbee Home Automation - Správa skupiny",
"header": "Zigbee Home Automation - Správa skupiny",
"introduction": "Vytvoření a úprava Zigbee skupin",
"manage_groups": "Správa Zigbee skupin",
"members": "Členové",
"remove_groups": "Odebrat skupiny",
"remove_members": "Odstranit členy",
"removing_groups": "Odstranění skupin",
"removing_members": "Odstranění členů",
"zha_zigbee_groups": "ZHA Zigbee skupiny"
},
"header": "Nastavení Zigbee Home Automation",
"introduction": "Zde je možné nastavit vaše komponenty ZHA a Home Assistant. Z uživatelského rozhraní sice zatím není možné nastavit úplně vše, ale pracujeme na tom.",
"network_management": {
"header": "Správa sítě",
"introduction": "Příkazy, které ovlivňují celou síť"
"removing_members": "Odstranění členů"
},
"network": {
"caption": "Síť"
},
"node_management": {
"header": "Správa zařízení",
"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.",
"introduction": "Spouštějte ZHA příkazy, které ovlivňují specifické zařízení. Vyberte zařízení pro zobrazení seznamu dostupných příkazů."
},
"title": "Zigbee Home Automation",
"visualization": {
"caption": "Vizualizace",
"header": "Vizualizace sítě",
@ -2701,7 +2357,6 @@
"header": "Spravujte svoji síť Z-Wave",
"home_id": "ID domácnosti",
"introduction": "Správa sítě Z-Wave a uzlů Z-Wave",
"node_count": "Počet uzlů",
"nodes_ready": "Uzly připraveny",
"server_version": "Verze serveru"
},
@ -2738,7 +2393,6 @@
},
"zwave": {
"button": "Nastavit",
"caption": "Z-Wave",
"common": {
"index": "Index",
"instance": "Instance",
@ -2857,17 +2511,12 @@
"type": "Typ události"
},
"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": {
@ -2908,25 +2557,20 @@
}
},
"history": {
"period": "Období",
"ranges": {
"last_week": "Minulý týden",
"this_week": "Tento týden",
"today": "Dnes",
"yesterday": "Včera"
},
"showing_entries": "Zobrazeny údaje pro"
}
},
"logbook": {
"entries_not_found": "Nebyly nalezeny žádné záznamy v deníku.",
"period": "Období",
"ranges": {
"last_week": "Minulý týden",
"this_week": "Tento týden",
"today": "Dnes",
"yesterday": "Včera"
},
"showing_entries": "Zobrazeny údaje pro"
}
},
"lovelace": {
"add_entities": {
@ -2935,7 +2579,6 @@
"yaml_unsupported": "Tuto funkci nemůžete použít, když používáte Lovelace v režimu YAML."
},
"cards": {
"action_confirmation": "Opravdu chcete provést akci \"{action}\"?",
"actions": {
"action_confirmation": "Opravdu chcete provést akci \"{action}\"?",
"no_entity_more_info": "Pro dialog s dalšími informacemi není poskytnuta žádná entita",
@ -2974,13 +2617,11 @@
"reorder_items": "Změnit pořadí položek"
},
"starting": {
"description": "Home Assistant se spouští, čekejte prosím...",
"header": "Home Assistant se spouští..."
"description": "Home Assistant se spouští, čekejte prosím..."
}
},
"changed_toast": {
"message": "Nastavení Lovelace pro tento ovládací panel bylo aktualizováno. Chcete obnovit stránku?",
"refresh": "Obnovit"
"message": "Nastavení Lovelace pro tento ovládací panel bylo aktualizováno. Chcete obnovit stránku?"
},
"components": {
"timestamp-display": {
@ -2999,7 +2640,6 @@
"toggle": "Přepínač",
"url": "URL adresa"
},
"editor_service_data": "Data služby lze zadat pouze v editoru kódu",
"navigation_path": "Cesta stránky",
"url_path": "Cesta URL"
},
@ -3197,7 +2837,6 @@
},
"sensor": {
"description": "Karta Sensor poskytuje rychlý přehled o stavu senzorů s volitelným grafem pro vizualizaci změn v průběhu času.",
"graph_detail": "Detail grafu",
"graph_type": "Typ grafu",
"name": "Senzor",
"show_more_detail": "Zobrazit více podrobností"
@ -3368,7 +3007,6 @@
"configure_ui": "Upravit ovládací panel",
"exit_edit_mode": "Ukončit režim úprav uživatelského rozhraní",
"help": "Nápověda",
"refresh": "Obnovit",
"reload_resources": "Nově načíst zdroje",
"start_conversation": "Zahájit konverzaci"
},
@ -3493,8 +3131,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "Váš počítač není povolen.",
"not_whitelisted": "Váš počítač není na seznamu povolených."
"not_allowed": "Váš počítač není povolen."
},
"step": {
"init": {
@ -3647,15 +3284,12 @@
"create": "Vytvořte token",
"create_failed": "Nepodařilo se vytvořit přístupový token.",
"created": "Vytvořeno {date}",
"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.",
"name": "Název",
"not_used": "Nikdy nebylo použito",
"prompt_copy_token": "Zkopírujte přístupový token. Už nikdy nebude znovu zobrazen.",
"prompt_name": "Pojmenujte token"
},
@ -3720,11 +3354,6 @@
},
"shopping_list": {
"start_conversation": "Zahájit konverzaci"
},
"shopping-list": {
"add_item": "Přidat položku",
"clear_completed": "Vymazat nakoupené",
"microphone_tip": "Klepněte na mikrofon vpravo nahoře a řekněte nebo napište \"Add candy to my shopping list\""
}
},
"sidebar": {

View File

@ -62,239 +62,9 @@
}
},
"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",
"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"
},
"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"
},
"occupancy": {
"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"
},
"sound": {
"off": "Clir",
"on": "Wedi'i ganfod"
},
"vibration": {
"off": "Clir",
"on": "Wedi'i ganfod"
},
"window": {
"off": "Cau",
"on": "Agored"
}
},
"calendar": {
"off": "i ffwrdd",
"on": "Ar"
},
"camera": {
"idle": "Segur",
"recording": "Recordio",
"streaming": "Ffrydio"
},
"climate": {
"cool": "Sefydlog",
"dry": "Sych",
"fan_only": "Fan yn unig",
"heat": "Gwres",
"off": "i ffwrdd"
},
"configurator": {
"configure": "Ffurfweddu",
"configured": "Wedi'i ffurfweddu"
},
"cover": {
"closed": "Ar gau",
"closing": "Cau",
"open": "Agor",
"opening": "Yn agor",
"stopped": "Stopio"
},
"default": {
"unavailable": "Ddim ar gael",
"unknown": "Anhysbys"
},
"device_tracker": {
"not_home": "Diim gartref"
},
"fan": {
"off": "i ffwrdd",
"on": "Ar"
},
"group": {
"closed": "Wedi cau",
"closing": "Yn cau",
"home": "Gartref",
"locked": " Cloi",
"not_home": "Dim gartref",
"off": "I ffwrdd",
"ok": "Iawn",
"on": "Ar",
"open": "Agored",
"opening": "Agor",
"problem": "Problem",
"stopped": "Stopio",
"unlocked": "Dadgloi"
},
"input_boolean": {
"off": "i ffwrdd",
"on": "Ar"
},
"light": {
"off": "I ffwrdd",
"on": "Ar"
},
"lock": {
"locked": "Wedi cloi",
"unlocked": "Datgloi"
},
"media_player": {
"idle": "Segur",
"off": "I ffwrdd",
"on": "Ar",
"paused": "Wedi rhewi",
"playing": "Chwarae",
"standby": "Gorffwys"
},
"person": {
"home": "Gartref"
},
"plant": {
"ok": "Iawn",
"problem": "Problem"
},
"remote": {
"off": "i ffwrdd",
"on": "Ar"
},
"scene": {
"scening": "Sefyllfa"
},
"script": {
"off": "I ffwrdd",
"on": "Ar"
},
"sensor": {
"off": "I ffwrdd",
"on": "Ar"
},
"sun": {
"above_horizon": "Dros y gorwel",
"below_horizon": "Islaw'r gorwel"
},
"switch": {
"off": "i ffwrdd",
"on": "Ar"
},
"timer": {
"active": "gweithredol",
"idle": "segur",
"paused": "wedi rhewi"
},
"weather": {
"clear-night": "Clir, nos",
"cloudy": "Cymylog",
"fog": "Niwl",
"hail": "Cenllysg",
"lightning": "Mellt",
"lightning-rainy": "Mellt, glawog",
"partlycloudy": "Cymharol gymylog",
"pouring": "Arllwys",
"rainy": "Glawog",
"snowy": "Eira",
"snowy-rainy": "Eira, gwlyb",
"sunny": "Heulog",
"windy": "Gwyntog",
"windy-variant": "Gwyntog"
},
"zwave": {
"default": {
"dead": "Marw",
"initializing": "Ymgychwyn",
"ready": "Barod",
"sleeping": "Cysgu"
},
"query_stage": {
"dead": "Marw ({query_stage})",
"initializing": "Ymgychwyn ( {query_stage} )"
}
}
},
"ui": {
@ -315,9 +85,6 @@
"scene": {
"activate": "Actifadu"
},
"script": {
"execute": "Gweithredu"
},
"water_heater": {
"away_mode": "Dull i ffwrdd",
"currently": "Ar hyn o bryd",
@ -562,8 +329,7 @@
"service_data": "Data gwasanaeth"
},
"service": {
"label": "Gwasanaeth galw",
"service_data": "Data gwasanaeth"
"label": "Gwasanaeth galw"
},
"wait_template": {
"label": "Aros",
@ -732,7 +498,6 @@
}
},
"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"
@ -835,8 +600,6 @@
"hub": "Cysylltiad drwy",
"manuf": "gan {manufacturer}",
"no_area": "Dim Ardal",
"no_device": "Endidau heb ddyfeisiau",
"no_devices": "Tydi'r integreiddad yma ddim efo dyfeisiadau.",
"reload": "Ail-lwytho",
"reload_confirm": "Cafodd yr integreiddiad ei ail-lwytho",
"reload_restart_confirm": "Ailgychwyn Home Assistant i ddarfod yr integreiddiadau",
@ -1054,9 +817,7 @@
"add_user": {
"caption": "Ychwanegu defnyddiwr",
"create": "Creu",
"name": "Enw",
"password": "Cyfrinair",
"username": "Enw Defnyddiwr"
"password": "Cyfrinair"
},
"editor": {
"admin": "Gweinyddwr",
@ -1075,11 +836,8 @@
},
"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",
@ -1099,14 +857,9 @@
},
"clusters": {
"help_cluster_dropdown": "Dewiswch clwstwr i weld priodoleddau a gorchmynion."
},
"description": "Rheoli rhwydwaith awtomatiaeth cartref Zigbee",
"node_management": {
"help_node_dropdown": "Dewiswch ddyfais i weld yr opsiynau fesul dyfais."
}
},
"zwave": {
"caption": "Z-Wave",
"description": "Rheoli eich rhwydwaith Z-Wave",
"learn_more": "Dysgu mwy am Z-Wave",
"node_config": {
@ -1145,15 +898,6 @@
}
}
},
"history": {
"period": "Cyfnod",
"showing_entries": "Dangos cofnodion ar gyfer"
},
"logbook": {
"entries_not_found": "Heb ganfod cofnodion llyfr log.",
"period": "Cyfnod",
"showing_entries": "Dangos endidau i"
},
"lovelace": {
"add_entities": {
"yaml_unsupported": "Cewch chi ddim defnyddio'r swyddogaeth hon wrth ddefnyddio UI Lovelace yn modd YAML."
@ -1179,8 +923,7 @@
}
},
"changed_toast": {
"message": "Diweddarwyd ffurfwedd Lovelace, hoffech adnewyddu?",
"refresh": "Adnewyddu"
"message": "Diweddarwyd ffurfwedd Lovelace, hoffech adnewyddu?"
},
"editor": {
"card": {
@ -1392,7 +1135,6 @@
"configure_ui": "Ffurfweddu rhyngwyneb defnyddiwr",
"exit_edit_mode": "Gadael modd golygu UI",
"help": "Help",
"refresh": "Adnewyddu",
"reload_resources": "Ail-lwytho adnoddau",
"start_conversation": "Cychwyn sgwrs"
},
@ -1537,11 +1279,6 @@
"title": "Beth ddylid galw'r ddyfais yma?"
}
}
},
"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": {

View File

@ -95,253 +95,11 @@
}
},
"state": {
"alarm_control_panel": {
"armed": "Tilkoblet",
"armed_away": "Tilkoblet ude",
"armed_custom_bypass": "Tilkoblet brugerdefineret bypass",
"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": "Kold"
},
"connectivity": {
"off": "Afbrudt",
"on": "Forbundet"
},
"default": {
"off": "Fra",
"on": "Til"
},
"door": {
"off": "Lukket",
"on": "Åben"
},
"garage_door": {
"off": "Lukket",
"on": "Åben"
},
"gas": {
"off": "Ikke registreret",
"on": "Registreret"
},
"heat": {
"off": "Normal",
"on": "Varm"
},
"lock": {
"off": "Låst",
"on": "Ulåst"
},
"moisture": {
"off": "Tør",
"on": "Fugtig"
},
"motion": {
"off": "Ikke registreret",
"on": "Registreret"
},
"occupancy": {
"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"
},
"sound": {
"off": "Ikke registreret",
"on": "Registreret"
},
"vibration": {
"off": "Ikke registreret",
"on": "Registreret"
},
"window": {
"off": "Lukket",
"on": "Åben"
}
},
"calendar": {
"off": "Fra",
"on": "Til"
},
"camera": {
"idle": "Inaktiv",
"recording": "Optager",
"streaming": "Streamer"
},
"climate": {
"cool": "Køl",
"dry": "Tør",
"fan_only": "Kun blæser",
"heat": "Varme",
"heat_cool": "Opvarm/køl",
"off": "Fra"
},
"configurator": {
"configure": "Konfigurer",
"configured": "Konfigureret"
},
"cover": {
"closed": "Lukket",
"closing": "Lukker",
"open": "Åben",
"opening": "Åbner",
"stopped": "Stoppet"
},
"default": {
"off": "Fra",
"on": "Til",
"unavailable": "Utilgængelig",
"unknown": "Ukendt"
},
"device_tracker": {
"not_home": "Ude"
},
"fan": {
"off": "Fra",
"on": "Til"
},
"group": {
"closed": "Lukket",
"closing": "Lukker",
"home": "Hjemme",
"locked": "Låst",
"not_home": "Ude",
"off": "Fra",
"ok": "OK",
"on": "Til",
"open": "Åben",
"opening": "Åbner",
"problem": "Problem",
"stopped": "Stoppet",
"unlocked": "Ulåst"
},
"input_boolean": {
"off": "Fra",
"on": "Til"
},
"light": {
"off": "Fra",
"on": "Til"
},
"lock": {
"locked": "Låst",
"unlocked": "Ulåst"
},
"media_player": {
"idle": "Inaktiv",
"off": "Fra",
"on": "Tændt",
"paused": "Sat på pause",
"playing": "Afspiller",
"standby": "Standby"
},
"person": {
"home": "Hjemme"
},
"plant": {
"ok": "OK",
"problem": "Problem"
},
"remote": {
"off": "Slukket",
"on": "Tændt"
},
"scene": {
"scening": "Skifter scene"
},
"script": {
"off": "Fra",
"on": "Til"
},
"sensor": {
"off": "Fra",
"on": "Til"
},
"sun": {
"above_horizon": "Over horisonten",
"below_horizon": "Under horisonten"
},
"switch": {
"off": "Fra",
"on": "Til"
},
"timer": {
"active": "aktiv",
"idle": "inaktiv",
"paused": "pause"
},
"vacuum": {
"cleaning": "Gør rent",
"docked": "I dock",
"error": "Fejl",
"idle": "Inaktiv",
"off": "Slukket",
"on": "Tændt",
"paused": "Sat på pause",
"returning": "Vender tilbage til dock"
},
"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": "Sne",
"snowy-rainy": "Sne, regn",
"sunny": "Solrig",
"windy": "Blæsende",
"windy-variant": "Blæsende"
},
"zwave": {
"default": {
"dead": "Død",
"initializing": "Initialiserer",
"ready": "Klar",
"sleeping": "Sover"
},
"query_stage": {
"dead": "Død ({query_stage})",
"initializing": "Initialiserer ( {query_stage} )"
}
}
},
"ui": {
@ -441,8 +199,7 @@
},
"script": {
"cancel": "Annuller",
"cancel_multiple": "Annuller {number}",
"execute": "Udløs"
"cancel_multiple": "Annuller {number}"
},
"service": {
"run": "Kør"
@ -629,7 +386,6 @@
"media-browser": {
"audio_not_supported": "Din browser understøtter ikke lydelementet.",
"choose_player": "Vælg afspiller",
"choose-source": "Vælg kilde",
"class": {
"album": "Album",
"app": "App",
@ -652,13 +408,6 @@
"url": "Webadresse",
"video": "Video"
},
"content-type": {
"album": "Album",
"artist": "Kunstner",
"library": "Bibliotek",
"playlist": "Afspilningsliste",
"server": "Server"
},
"documentation": "Dokumentation",
"learn_adding_local_media": "Få flere oplysninger om tilføjelse af medier i {documentation} .",
"local_media_files": "Placer dine video-, lyd- og billedfiler i mediekataloget for at kunne gennemse og afspille dem i browseren eller på understøttede medieafspillere.",
@ -700,7 +449,6 @@
"second": "{count} {count, plural,\n one {sekund}\n other {sekunder}\n}",
"week": "{count} {count, plural,\none {uge}\nother {uger}\n}"
},
"future": "Om {time}",
"future_duration": {
"day": "Om {count} {count, plural,\n one {dag}\n other {dage}\n}",
"hour": "Om {count} {count, plural,\n one {time}\n other {timer}\n}",
@ -710,7 +458,6 @@
},
"just_now": "Lige nu",
"never": "Aldrig",
"past": "{time} siden",
"past_duration": {
"day": "{count} {count, plural,\n one {dag}\n other {dage}\n} siden",
"hour": "{count} {count, plural,\n one {time}\n other {timer}\n} siden",
@ -840,7 +587,6 @@
"crop": "Beskær"
},
"more_info_control": {
"controls": "Kontroller",
"cover": {
"close_cover": "Luk cover",
"close_tile_cover": "Luk cover vippeposition",
@ -925,7 +671,6 @@
"logs": "Logs",
"lovelace": "Lovelace-betjeningspaneler",
"navigate_to": "Naviger til {panel}",
"navigate_to_config": "Naviger til {panel} konfigurationen",
"person": "Personer",
"scene": "Scener",
"script": "Scripts",
@ -1008,9 +753,7 @@
},
"unknown": "Ukendt",
"zha_device_card": {
"area_picker_label": "Område",
"device_name_placeholder": "Skift enhedsnavn",
"update_name_button": "Opdater navn"
"device_name_placeholder": "Skift enhedsnavn"
}
}
},
@ -1054,10 +797,6 @@
"triggered": "Udløste {name}"
},
"panel": {
"calendar": {
"my_calendars": "Mine kalendere",
"today": "I dag"
},
"config": {
"advanced_mode": {
"hint_enable": "Mangler der konfigurationsindstillinger? Aktivér avanceret tilstand",
@ -1147,8 +886,7 @@
},
"event": {
"event": "Hændelse:",
"label": "Afsend hændelse",
"service_data": "Tjenestesdata"
"label": "Afsend hændelse"
},
"repeat": {
"label": "Gentag",
@ -1172,8 +910,7 @@
"label": "Aktivér scene"
},
"service": {
"label": "Kald tjeneste",
"service_data": "Tjenestesdata"
"label": "Kald tjeneste"
},
"wait_for_trigger": {
"continue_timeout": "Fortsæt ved timeout",
@ -1193,8 +930,6 @@
"blueprint": {
"blueprint_to_use": "Tegninger klar til brug",
"header": "Tegninger",
"inputs": "Indgange",
"manage_blueprints": "Administrer tegninger",
"no_blueprints": "Du har ingen tegninger",
"no_inputs": "Dette blueprint har ingen input."
},
@ -1447,7 +1182,6 @@
"header": "Importer blueprint",
"import_btn": "Forhåndsvisning af blueprint",
"import_header": "Blueprint \"{name}\"",
"import_introduction": "Du kan importere skabeloner af andre brugere fra Github og {community_link} . Indtast URL'en til skabelonen nedenfor.",
"import_introduction_link": "Du kan importere tegninger af andre brugere fra Github og {community_link} . Indtast webadressen til tegningen nedenfor.",
"importing": "Indlæser blueprint ...",
"raw_blueprint": "Tegningsindhold",
@ -1562,7 +1296,6 @@
"not_exposed_entities": "Ikke-eksponerede entiteter",
"title": "Alexa"
},
"caption": "Home Assistant Cloud",
"description_features": "Betjen når du er væk hjemmefra, integrer med Alexa og Google Assistant.",
"description_login": "Logget ind som {email}",
"description_not_login": "Ikke logget ind",
@ -1695,7 +1428,6 @@
"pick_attribute": "Vælg en egenskab, du vil tilsidesætte",
"picker": {
"documentation": "Dokumentation for tilpasning",
"entity": "Entitet",
"header": "Tilpasninger",
"introduction": "Tilpas entitetsegenskaber. Tilføjede/redigerede tilpasninger træder i kraft med det samme. Fjernede tilpasninger træder i kraft når entiteten opdateres."
},
@ -1742,7 +1474,6 @@
"integration": "Integration",
"manufacturer": "Producent",
"model": "Model",
"no_area": "Intet område",
"no_devices": "Ingen enheder"
},
"delete": "Slet",
@ -1898,40 +1629,9 @@
"source": "Kilde:",
"system_health_error": "System Health-komponenten er ikke indlæst. Føj 'system_health:' til 'config.yaml'",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Alexa aktiveret",
"can_reach_cert_server": "Tilkoble certifikatserver",
"can_reach_cloud": "Tilkoble Home Assistant Cloud",
"google_enabled": "Google aktiveret",
"logged_in": "Logget ind",
"remote_connected": "Fjernadgang forbundet",
"remote_enabled": "Fjernadgang aktiveret",
"subscription_expiration": "Udløb af abonnement"
},
"homeassistant": {
"arch": "CPU-arkitektur",
"dev": "Udvikling",
"docker": "Docker",
"hassio": "HassOS",
"installation_type": "Installationstype",
"os_name": "Navn på operativsystem",
"os_version": "Styresystem version",
"python_version": "Python version",
"timezone": "Tidszone",
"version": "Version",
"virtualenv": "Virtuelt miljø"
},
"lovelace": {
"dashboards": "Betjeningspaneler",
"mode": "Tilstand",
"resources": "Ressourcer"
}
},
"manage": "Administrer",
"more_info": "mere info"
},
"title": "Info"
}
},
"integration_panel_move": {
"link_integration_page": "integrationssiden",
@ -1945,7 +1645,6 @@
"config_entry": {
"area": "I {area}",
"delete": "Slet",
"delete_button": "Slet {integration}",
"delete_confirm": "Er du sikker på, at du vil fjerne denne integration?",
"device_unavailable": "Enheden er utilgængelig",
"devices": "{count} {count, plural,\n one {enhed}\n other {enheder}\n}",
@ -1956,8 +1655,6 @@
"hub": "Forbundet via",
"manuf": "af {manufacturer}",
"no_area": "Intet område",
"no_device": "Entiteter uden enhed",
"no_devices": "Denne integration har ingen enheder",
"options": "Indstillinger",
"reload": "Genindlæs",
"reload_confirm": "Integrationen blev genindlæst",
@ -1965,9 +1662,7 @@
"rename": "Omdøb",
"restart_confirm": "Genstart Home Assistant for at fuldføre fjernelsen af denne integration",
"services": "{count} {count, plural,\n one {tjeneste}\n other {tjenester}\n}",
"settings_button": "Ret indstillinger for {integration}",
"system_options": "Systemindstillinger",
"system_options_button": "Systemindstillinger for {integration}",
"unnamed_entry": "Unavngivet post"
},
"config_flow": {
@ -2027,8 +1722,7 @@
"multiple_messages": "beskeden forekom først kl. {time} og ses {counter} gange",
"no_errors": "Der er ikke rapporteret nogen fejl.",
"no_issues": "Der er ingen nye problemer!",
"refresh": "Opdater",
"title": "Logs"
"refresh": "Opdater"
},
"lovelace": {
"caption": "Lovelace-betjeningspaneler",
@ -2336,8 +2030,7 @@
"learn_more": "Lær mere om scripts",
"no_scripts": "Vi kunne ikke finde nogen redigerbare scripts",
"run_script": "Kør script",
"show_info": "Vis info om script",
"trigger_script": "Udløs script"
"show_info": "Vis info om script"
}
},
"server_control": {
@ -2430,11 +2123,9 @@
"add_user": {
"caption": "Tilføj bruger",
"create": "Opret",
"name": "Navn",
"password": "Adgangskode",
"password_confirm": "Bekræft adgangskode",
"password_not_match": "Adgangskoderne er ikke ens",
"username": "Brugernavn"
"password_not_match": "Adgangskoderne er ikke ens"
},
"caption": "Brugere",
"description": "Administrer brugere",
@ -2478,19 +2169,12 @@
"add_device": "Tilføj enhed",
"add_device_page": {
"discovered_text": "Enheder vil dukke op her, når de er fundet.",
"discovery_text": "Fundne enheder vil dukke op her. Følg instruktionerne for din enhed(er) og sæt enhed(erne) i parringstilstand.",
"header": "Zigbee Home Automation - Tilføj enheder",
"no_devices_found": "Ingen enheder blev fundet. Sørg for at de er i parringstilstand og hold dem vågne mens der søges.",
"pairing_mode": "Sørg for, at dine enheder er i parringstilstand. Se enhedens vejledning i, hvordan du gør dette.",
"search_again": "Søg igen",
"spinner": "Søger efter ZHA Zigbee-enheder..."
},
"add": {
"caption": "Tilføj enheder",
"description": "Føj enheder til Zigbee-netværk"
},
"button": "Konfigurer",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "Egenskaber for den valgte klynge",
"get_zigbee_attribute": "Hent Zigbee-egenskab",
@ -2514,13 +2198,10 @@
"introduction": "Klynger er byggestenene til Zigbee-funktionalitet. De adskiller funktionalitet i logiske enheder. Der er klient- og servertyper, og de består af egenskaber og kommandoer."
},
"common": {
"add_devices": "Tilføj enheder",
"clusters": "Klynger",
"devices": "Enheder",
"manufacturer_code_override": "Brugerdefineret producentkode",
"value": "Værdi"
},
"description": "Zigbee Home Automation-opsætning",
"device_pairing_card": {
"CONFIGURED": "Konfiguration fuldført",
"CONFIGURED_status_text": "Initialiserer",
@ -2531,9 +2212,6 @@
"PAIRED": "Enhed fundet",
"PAIRED_status_text": "Starter Interview"
},
"devices": {
"header": "Zigbee Home Automation - Enhed"
},
"group_binding": {
"bind_button_help": "Sammenføj den valgte gruppe med de valgte enhedsklynger.",
"bind_button_label": "Sammenføj gruppe",
@ -2548,48 +2226,24 @@
"groups": {
"add_group": "Tilføj gruppe",
"add_members": "Tilføj medlemmer",
"adding_members": "Tilføjer medlemmer",
"caption": "Grupper",
"create": "Opret gruppe",
"create_group": "Zigbee Home Automation - Opret gruppe",
"create_group_details": "Indtast de nødvendige oplysninger for at oprette en ny ZigBee-gruppe",
"creating_group": "Opretter gruppe",
"description": "Administrer Zigbee-grupper",
"group_details": "Her er alle detaljer for den valgte Zigbee-gruppe.",
"group_id": "Gruppe-id",
"group_info": "Gruppeoplysninger",
"group_name_placeholder": "Gruppenavn",
"group_not_found": "Gruppen blev ikke fundet!",
"group-header": "Zigbee Home Automation - Gruppedetaljer",
"groups": "Grupper",
"groups-header": "Zigbee Home Automation - Gruppeadministration",
"header": "Zigbee Home Automation - Gruppeadministration",
"introduction": "Opret og rediger Zigbee-grupper",
"manage_groups": "Administrer Zigbee-grupper",
"members": "Medlemmer",
"remove_groups": "Fjern grupper",
"remove_members": "Fjern medlemmer",
"removing_groups": "Fjerner grupper",
"removing_members": "Fjerner medlemmer",
"zha_zigbee_groups": "ZHA Zigbee-grupper"
},
"header": "Konfigurer Zigbee Home Automation",
"introduction": "Her er det muligt at konfigurere ZHA-komponenten. Ikke alt er muligt at konfigurere fra brugerfladen endnu, men vi arbejder på det.",
"network_management": {
"header": "Netværksstyring",
"introduction": "Kommandoer, der påvirker hele netværket"
"removing_members": "Fjerner medlemmer"
},
"network": {
"caption": "Netværk"
},
"node_management": {
"header": "Enhedshåndtering",
"help_node_dropdown": "Vælg en enhed for at få vist enhedsspecifikke indstillinger.",
"hint_battery_devices": "Bemærk: Søvnige (batteridrevne) enheder skal være vågne, når du udfører kommandoer til dem. Du kan generelt vække en sovende enhed ved at udløse den.",
"hint_wakeup": "Nogle enheder som Xiaomi-sensorer har en vækkeknap, som du kan trykke på med ~5 sekunders intervaller, der holder enheder vågne, mens du interagerer med dem.",
"introduction": "Kør ZHA-kommandoer, der påvirker en enkelt enhed. Vælg en enhed for at se en liste over tilgængelige kommandoer."
},
"title": "Zigbee Home Automation",
"visualization": {
"caption": "Visualisering",
"header": "Netværksvisualisering",
@ -2628,7 +2282,6 @@
},
"zwave": {
"button": "Konfigurer",
"caption": "Z-Wave",
"common": {
"index": "Indeks",
"instance": "Instans",
@ -2741,17 +2394,12 @@
"type": "Hændelsestype"
},
"services": {
"alert_parsing_yaml": "Fejl under afkodning af YAML: {data}",
"call_service": "Kald tjeneste",
"column_description": "Beskrivelse",
"column_example": "Eksempel",
"column_parameter": "Parameter",
"data": "Tjenestesdata (YAML, valgfri)",
"description": "Tjenesteværktøjet til udviklere giver dig mulighed for at kalde alle tilgængelige tjenester i Home Assistant.",
"fill_example_data": "Udfyld eksempeldata",
"no_description": "Ingen beskrivelse er tilgængelig",
"no_parameters": "Denne tjeneste modtager ingen parametre.",
"select_service": "Vælg en tjeneste for at se beskrivelsen",
"title": "Tjenester"
},
"states": {
@ -2792,25 +2440,20 @@
}
},
"history": {
"period": "Periode",
"ranges": {
"last_week": "Sidste uge",
"this_week": "Denne uge",
"today": "I dag",
"yesterday": "I går"
},
"showing_entries": "Viser poster for"
}
},
"logbook": {
"entries_not_found": "Der blev ikke fundet nogen logbogsposter.",
"period": "Periode",
"ranges": {
"last_week": "Sidste uge",
"this_week": "Denne uge",
"today": "I dag",
"yesterday": "I går"
},
"showing_entries": "Viser poster for"
}
},
"lovelace": {
"add_entities": {
@ -2819,7 +2462,6 @@
"yaml_unsupported": "Du kan ikke bruge denne funktion, når du bruger Lovelace-brugerfladen i YAML-tilstand."
},
"cards": {
"action_confirmation": "Er du sikker på, at du vil udføre handlingen \"{action}\"?",
"confirm_delete": "Er du sikker på, at du vil slette dette kort?",
"empty_state": {
"go_to_integrations_page": "Gå til integrationssiden.",
@ -2850,13 +2492,11 @@
"reorder_items": "Omarranger varer"
},
"starting": {
"description": "Home Assistant starter. Vent venligst.",
"header": "Home Assistant starter..."
"description": "Home Assistant starter. Vent venligst."
}
},
"changed_toast": {
"message": "Lovelace-brugerfladekonfigurationen for dette betjeningspanel blev opdateret. Vil du genindlæse?",
"refresh": "Opdater"
"message": "Lovelace-brugerfladekonfigurationen for dette betjeningspanel blev opdateret. Vil du genindlæse?"
},
"components": {
"timestamp-display": {
@ -2875,7 +2515,6 @@
"toggle": "Skift",
"url": "Webadresse"
},
"editor_service_data": "Servicedata kan kun indtastes via kodeeditoren",
"navigation_path": "Navigationssti",
"url_path": "Webadresse"
},
@ -3073,7 +2712,6 @@
},
"sensor": {
"description": "Sensorkortet giver dig et hurtigt overblik over dine sensorers tilstand med en valgfri graf til at visualisere forandringer over tid.",
"graph_detail": "Grafdetaljer",
"graph_type": "Graftype",
"name": "Sensor",
"show_more_detail": "Vis flere detaljer"
@ -3244,7 +2882,6 @@
"configure_ui": "Rediger betjeningspanel",
"exit_edit_mode": "Afslut brugerflade-redigeringstilstand",
"help": "Hjælp",
"refresh": "Opdater",
"reload_resources": "Genindlæs ressourcer",
"start_conversation": "Start samtale"
},
@ -3363,8 +3000,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "Din computer er ikke tilladt.",
"not_whitelisted": "Din computer er ikke whitelistet."
"not_allowed": "Din computer er ikke tilladt."
},
"step": {
"init": {
@ -3517,15 +3153,12 @@
"create": "Opret token",
"create_failed": "Kunne ikke oprette adgangstoken.",
"created": "Oprettet {date}",
"created_at": "Oprettet den {date}",
"delete_failed": "Kunne ikke slette adgangstoken.",
"description": "Opret langlivede adgangstokens, så dine scripts kan forbinde med din Home Assistant-instans. Hver token er gyldig i 10 år fra oprettelsen. Følgende langlivede adgangstokens er i øjeblikket aktive.",
"empty_state": "Du har ingen langlivede adgangstokens endnu.",
"header": "Langlivede adgangstokens",
"last_used": "Sidst anvendt den {date} fra {location}",
"learn_auth_requests": "Lær, hvordan du laver godkendte forespørgsler.",
"name": "Navn",
"not_used": "Har aldrig været brugt",
"prompt_copy_token": "Kopier din adgangstoken. Den vil ikke blive vist igen.",
"prompt_name": "Navn?"
},
@ -3590,11 +3223,6 @@
},
"shopping_list": {
"start_conversation": "Start samtale"
},
"shopping-list": {
"add_item": "Tilføj element",
"clear_completed": "Rydning udført",
"microphone_tip": "Tryk på mikrofonen øverst til højre og sig “Add candy to my shopping list”"
}
},
"sidebar": {

View File

@ -95,253 +95,11 @@
}
},
"state": {
"alarm_control_panel": {
"armed": "Aktiv",
"armed_away": "Aktiv, abwesend",
"armed_custom_bypass": "Aktiv, benutzerdefiniert",
"armed_home": "Aktiv, Zuhause",
"armed_night": "Aktiv, Nacht",
"arming": "Aktiviere",
"disarmed": "Inaktiv",
"disarming": "Deaktiviere",
"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"
},
"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"
},
"occupancy": {
"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": "Normal",
"on": "Rauch erkannt"
},
"sound": {
"off": "Stille",
"on": "Geräusch erkannt"
},
"vibration": {
"off": "Normal",
"on": "Vibration"
},
"window": {
"off": "Geschlossen",
"on": "Offen"
}
},
"calendar": {
"off": "Aus",
"on": "An"
},
"camera": {
"idle": "Untätig",
"recording": "Aufnehmen",
"streaming": "Überträgt"
},
"climate": {
"cool": "Kühlen",
"dry": "Entfeuchten",
"fan_only": "Nur Ventilator",
"heat": "Heizen",
"heat_cool": "Heizen/Kühlen",
"off": "Aus"
},
"configurator": {
"configure": "Konfigurieren",
"configured": "Konfiguriert"
},
"cover": {
"closed": "Geschlossen",
"closing": "Schließt",
"open": "Offen",
"opening": "Öffnet",
"stopped": "Angehalten"
},
"default": {
"off": "Aus",
"on": "An",
"unavailable": "Nicht verfügbar",
"unknown": "Unbekannt"
},
"device_tracker": {
"not_home": "Abwesend"
},
"fan": {
"off": "Aus",
"on": "An"
},
"group": {
"closed": "Geschlossen",
"closing": "Schließt",
"home": "Zu Hause",
"locked": "Verriegelt",
"not_home": "Abwesend",
"off": "Aus",
"ok": "OK",
"on": "An",
"open": "Offen",
"opening": "Öffnet",
"problem": "Problem",
"stopped": "Angehalten",
"unlocked": "Entriegelt"
},
"input_boolean": {
"off": "Aus",
"on": "An"
},
"light": {
"off": "Aus",
"on": "An"
},
"lock": {
"locked": "Verriegelt",
"unlocked": "Entriegelt"
},
"media_player": {
"idle": "Untätig",
"off": "Aus",
"on": "An",
"paused": "Pausiert",
"playing": "Spielt",
"standby": "Standby"
},
"person": {
"home": "Zuhause"
},
"plant": {
"ok": "OK",
"problem": "Problem"
},
"remote": {
"off": "Aus",
"on": "An"
},
"scene": {
"scening": "Szene"
},
"script": {
"off": "Aus",
"on": "An"
},
"sensor": {
"off": "Aus",
"on": "An"
},
"sun": {
"above_horizon": "Über dem Horizont",
"below_horizon": "Unter dem Horizont"
},
"switch": {
"off": "Aus",
"on": "An"
},
"timer": {
"active": "aktiv",
"idle": "Leerlauf",
"paused": "pausiert"
},
"vacuum": {
"cleaning": "Reinigen",
"docked": "Angedockt",
"error": "Fehler",
"idle": "Standby",
"off": "Aus",
"on": "An",
"paused": "Pausiert",
"returning": "Rückkehr zur Dockingstation"
},
"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"
},
"zwave": {
"default": {
"dead": "Nicht erreichbar",
"initializing": "Initialisierend",
"ready": "Bereit",
"sleeping": "Schlafend"
},
"query_stage": {
"dead": "Nicht erreichbar ({query_stage})",
"initializing": "Initialisiere ({query_stage})"
}
}
},
"ui": {
@ -442,8 +200,7 @@
},
"script": {
"cancel": "Abbrechen",
"cancel_multiple": "Abbrechen {number}",
"execute": "Ausführen"
"cancel_multiple": "Abbrechen {number}"
},
"service": {
"run": "Ausführen"
@ -630,7 +387,6 @@
"media-browser": {
"audio_not_supported": "Ihr Browser unterstützt das Audioelement nicht.",
"choose_player": "Wähle ein Abspielgerät",
"choose-source": "Quelle wählen",
"class": {
"album": "Album",
"app": "App",
@ -653,13 +409,6 @@
"url": "URL",
"video": "Video"
},
"content-type": {
"album": "Album",
"artist": "Künstler",
"library": "Bibliothek",
"playlist": "Playlist",
"server": "Server"
},
"documentation": "Dokumentation",
"learn_adding_local_media": "Erfahre mehr über das Hinzufügen von Medien in der {documentation}.",
"local_media_files": "Platziere deine Video-, Audio- und Bilddateien im Medienverzeichnis, um sie im Browser oder auf unterstützten Mediaplayern durchsuchen und abspielen zu können.",
@ -701,7 +450,6 @@
"second": "{count} {count, plural,\none {Sekunde}\nother {Sekunden}\n}",
"week": "{count} {count, plural,\none {Woche}\nother {Wochen}\n}"
},
"future": "In {time}",
"future_duration": {
"day": "In {count} {count, plural,\n one {Tag}\n other {Tagen}\n}",
"hour": "In {count} {count, plural,\n one {Stunde}\n other {Stunden}\n}",
@ -711,7 +459,6 @@
},
"just_now": "Gerade jetzt",
"never": "Noch nie",
"past": "Vor {time}",
"past_duration": {
"day": "Vor {count} {count, plural,\n one {Tag}\n other {Tagen}\n}",
"hour": "Vor {count} {count, plural,\n one {Stunde}\n other {Stunden}\n}",
@ -841,7 +588,6 @@
"crop": "Zuschneiden"
},
"more_info_control": {
"controls": "Steuerelemente",
"cover": {
"close_cover": "Abdeckung schließen",
"close_tile_cover": "Abdeckung kippend schließen",
@ -926,7 +672,6 @@
"logs": "Logs",
"lovelace": "Lovelace Dashboards",
"navigate_to": "Navigiere zu {panel}",
"navigate_to_config": "Navigiere zur {panel} Konfiguration",
"person": "Personen",
"scene": "Szenen",
"script": "Skripte",
@ -1009,9 +754,7 @@
},
"unknown": "Unbekannt",
"zha_device_card": {
"area_picker_label": "Bereich",
"device_name_placeholder": "Gerätename ändern",
"update_name_button": "Aktualisierung Name"
"device_name_placeholder": "Gerätename ändern"
}
}
},
@ -1055,10 +798,6 @@
"triggered": "{name} ausgelöst"
},
"panel": {
"calendar": {
"my_calendars": "Meine Kalender",
"today": "Heute"
},
"config": {
"advanced_mode": {
"hint_enable": "Fehlende Konfigurationsoptionen? Aktiviere den erweiterten Modus.",
@ -1151,8 +890,7 @@
},
"event": {
"event": "Ereignis:",
"label": "Ereignis auslösen",
"service_data": "Dienstdaten"
"label": "Ereignis auslösen"
},
"repeat": {
"label": "Wiederholen",
@ -1176,8 +914,7 @@
"label": "Szene aktivieren"
},
"service": {
"label": "Dienst ausführen",
"service_data": "Dienstdaten"
"label": "Dienst ausführen"
},
"wait_for_trigger": {
"continue_timeout": "Bei Zeitüberschreitung fortfahren",
@ -1197,8 +934,6 @@
"blueprint": {
"blueprint_to_use": "Zu verwendende Vorlage",
"header": "Vorlage",
"inputs": "Eingänge",
"manage_blueprints": "Vorlagen verwalten",
"no_blueprints": "Du hast keine Vorlagen",
"no_inputs": "Diese Vorlage hat keine Eingänge."
},
@ -1453,7 +1188,6 @@
"header": "Vorlage importieren",
"import_btn": "Vorschau Vorlage",
"import_header": "Vorlage \"{name}\"",
"import_introduction": "Du kannst Vorlagen anderer Benutzer aus GitHub und den Community-Foren importieren. Gib die URL der Vorlage unten ein.",
"import_introduction_link": "Du kannst Vorlagen anderer Benutzer aus GitHub und den {community_link} importieren. Gib unten die URL der Vorlage ein.",
"importing": "Vorlage wird geladen...",
"raw_blueprint": "Inhalt der Vorlage",
@ -1575,7 +1309,6 @@
"not_exposed_entities": "Nicht angezeigte 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",
@ -1708,7 +1441,6 @@
"pick_attribute": "Wähle ein Attribut zum Überschreiben aus.",
"picker": {
"documentation": "Anpassungsdokumentation",
"entity": "Entität",
"header": "Anpassungen",
"introduction": "Optimieren Sie die Entitätenattribute. Hinzugefügte/bearbeitete Anpassungen werden sofort wirksam. Entfernte Anpassungen werden wirksam, wenn die Entität aktualisiert wird."
},
@ -1755,7 +1487,6 @@
"integration": "Integration",
"manufacturer": "Hersteller",
"model": "Modell",
"no_area": "Kein Bereich",
"no_devices": "keine Geräte"
},
"delete": "Löschen",
@ -1911,42 +1642,9 @@
"source": "Quelle:",
"system_health_error": "System Health-Komponente wird nicht geladen. Füge 'system_health:' zu configuration.yaml hinzu",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Alexa aktiviert",
"can_reach_cert_server": "Zertifikatsserver erreichbar",
"can_reach_cloud": "Home Assistant Cloud erreichbar",
"can_reach_cloud_auth": "Authentifizierungsserver erreichbar",
"google_enabled": "Google aktiviert",
"logged_in": "Eingeloggt",
"relayer_connected": "Relayer verbunden",
"remote_connected": "Remote verbunden",
"remote_enabled": "Remote aktiviert",
"subscription_expiration": "Ende des Abos"
},
"homeassistant": {
"arch": "CPU-Architektur",
"dev": "Entwicklung",
"docker": "Docker",
"hassio": "HassOS",
"installation_type": "Installationstyp",
"os_name": "Betriebssystemname",
"os_version": "Betriebssystemversion",
"python_version": "Python Version",
"timezone": "Zeitzone",
"version": "Version",
"virtualenv": "Virtuelle Umgebung"
},
"lovelace": {
"dashboards": "Dashboards",
"mode": "Modus",
"resources": "Ressourcen"
}
},
"manage": "Verwalten",
"more_info": "Mehr Info"
},
"title": "Info"
}
},
"integration_panel_move": {
"link_integration_page": "Integrationsseite",
@ -1960,7 +1658,6 @@
"config_entry": {
"area": "In {area}",
"delete": "Löschen",
"delete_button": "{integration} löschen",
"delete_confirm": "Möchtest du diese Integration wirklich löschen?",
"device_unavailable": "Gerät nicht verfügbar",
"devices": "{count} {count, plural,\n one {Gerät}\n other {Geräte}\n}",
@ -1971,8 +1668,6 @@
"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.",
"options": "Optionen",
"reload": "Neu laden",
"reload_confirm": "Die Integration wurde neu geladen",
@ -1980,9 +1675,7 @@
"rename": "Umbenennen",
"restart_confirm": "Starte Home Assistant neu, um das Entfernen dieser Integration abzuschließen",
"services": "{count} {count, plural,\n one {Dienst}\n other {Dienste}\n}",
"settings_button": "Einstellungen für {integration} bearbeiten",
"system_options": "Systemoptionen",
"system_options_button": "Systemoptionen für {integration}",
"unnamed_entry": "Unbenannter Eintrag"
},
"config_flow": {
@ -2043,8 +1736,7 @@
"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"
"refresh": "Aktualisieren"
},
"lovelace": {
"caption": "Lovelace Dashboards",
@ -2375,8 +2067,7 @@
"learn_more": "Weitere Informationen zu Skripten",
"no_scripts": "Wir konnten keine bearbeitbaren Skripte finden",
"run_script": "Skript ausführen",
"show_info": "Informationen zum Skript anzeigen",
"trigger_script": "Skript auslösen"
"show_info": "Informationen zum Skript anzeigen"
}
},
"server_control": {
@ -2470,11 +2161,9 @@
"add_user": {
"caption": "Benutzer hinzufügen",
"create": "Benutzerkonto anlegen",
"name": "Name",
"password": "Passwort",
"password_confirm": "Passwort bestätigen",
"password_not_match": "Passwörter stimmen nicht überein",
"username": "Benutzername"
"password_not_match": "Passwörter stimmen nicht überein"
},
"caption": "Benutzer",
"description": "Home Assistant-Benutzerkonten verwalten",
@ -2518,19 +2207,12 @@
"add_device": "Gerät hinzufügen",
"add_device_page": {
"discovered_text": "Geräte werden hier angezeigt sobald sie erkannt worden sind.",
"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.",
"header": "Zigbee Home Automation - Geräte hinzufügen",
"no_devices_found": "Es wurden keine Geräte erkannt. Stelle sicher, dass sie sich im Pairing-Modus befinden und halte sie aktiv, solange die Erkennung läuft.",
"pairing_mode": "Stelle sicher, dass sich deine Geräte im Pairing-Modus befinden. Überprüfe dazu die Anweisungen deines Geräts.",
"search_again": "Erneut suchen",
"spinner": "Suche nach ZHA Zigbee Geräten..."
},
"add": {
"caption": "Geräte hinzufügen",
"description": "Gerät dem Zigbee-Netzwerk hinzufügen."
},
"button": "Konfigurieren",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "Attribute des ausgewählten Clusters",
"get_zigbee_attribute": "Zigbee-Attribut abrufen",
@ -2554,13 +2236,10 @@
"introduction": "Cluster sind die Bausteine für die Zigbee-Funktionalität. Sie trennen die Funktionalität in logische Einheiten. Es gibt Client- und Server-Typen, die sich aus Attributen und Befehlen zusammensetzen."
},
"common": {
"add_devices": "Geräte hinzufügen",
"clusters": "Cluster",
"devices": "Geräte",
"manufacturer_code_override": "Hersteller-Code Überschreiben",
"value": "Wert"
},
"description": "Zigbee Home Automation Netzwerkmanagement",
"device_pairing_card": {
"CONFIGURED": "Konfiguration abgeschlossen",
"CONFIGURED_status_text": "Initialisieren",
@ -2571,9 +2250,6 @@
"PAIRED": "Gerät gefunden",
"PAIRED_status_text": "Interview starten"
},
"devices": {
"header": "Zigbee Home Automation - Gerät"
},
"group_binding": {
"bind_button_help": "Binde die ausgewählte Gruppe an die ausgewählten Geräte-Cluster.",
"bind_button_label": "Gruppe binden",
@ -2588,48 +2264,24 @@
"groups": {
"add_group": "Gruppe hinzufügen",
"add_members": "Mitglieder hinzufügen",
"adding_members": "Füge Mitglieder hinzu",
"caption": "Gruppen",
"create": "Gruppe erstellen",
"create_group": "Zigbee Home Automation - Gruppe erstellen",
"create_group_details": "Gib die erforderlichen Details ein, um eine neue Zigbee-Gruppe zu erstellen",
"creating_group": "Erstelle Gruppe",
"description": "Zigbee-Gruppen verwalten",
"group_details": "Hier sind alle Details der ausgewählten Zigbee Gruppe.",
"group_id": "Gruppen-ID",
"group_info": "Gruppen Information",
"group_name_placeholder": "Gruppenname",
"group_not_found": "Gruppe nicht gefunden!",
"group-header": "Zigbee Home Automation - Gruppen-Details",
"groups": "Gruppen",
"groups-header": "Zigbee Home Automation - Gruppen-Verwaltung",
"header": "Zigbee Home Automation - Gruppen Management",
"introduction": "Erstelle oder bearbeite Zigbee Gruppen",
"manage_groups": "Zigbee-Gruppen verwalten",
"members": "Mitglieder",
"remove_groups": "Entferne Gruppe",
"remove_members": "Mitglieder entfernen",
"removing_groups": "Gruppen entfernen",
"removing_members": "Entferne Mitglieder",
"zha_zigbee_groups": "ZHA Zigbee Gruppen"
},
"header": "Konfiguriere Zigbee Home Automation",
"introduction": "Hier ist es möglich, die Komponente ZHA zu konfigurieren. Es ist noch nicht alles über die Oberfläche konfigurierbar, aber wir arbeiten daran.",
"network_management": {
"header": "Netzwerkverwaltung",
"introduction": "Befehle, die das gesamte Netzwerk betreffen"
"removing_members": "Entferne Mitglieder"
},
"network": {
"caption": "Netzwerk"
},
"node_management": {
"header": "Geräteverwaltung",
"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 kann, um die Geräte wach zu halten, während mit ihnen interagiert wird.",
"introduction": "ZHA-Befehle ausführen, die sich auf ein einzelnes Gerät auswirken. Wählen Sie ein Gerät aus, um eine Liste der verfügbaren Befehle anzuzeigen."
},
"title": "Zigbee Home Automation",
"visualization": {
"caption": "Visualisierung",
"header": "Netzwerkvisualisierung",
@ -2693,7 +2345,6 @@
"dump_not_ready_title": "Es sind noch nicht alle Knoten bereit",
"header": "Verwalte dein Z-Wave-Netzwerk",
"introduction": "Verwalte dein Z-Wave-Netzwerk und Z-Wave-Knoten",
"node_count": "Anzahl an Nodes",
"nodes_ready": "Knoten bereit",
"server_version": "Serverversion"
},
@ -2726,7 +2377,6 @@
},
"zwave": {
"button": "Konfigurieren",
"caption": "Z-Wave",
"common": {
"index": "Index",
"instance": "Instanz",
@ -2845,17 +2495,12 @@
"type": "Ereignistyp"
},
"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)",
"description": "Mit dem Dienstentwicklungstool kannst du jeden verfügbaren Dienst in Home Assistant aufrufen.",
"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ähle einen Service aus, um die Beschreibung anzuzeigen",
"title": "Dienste"
},
"states": {
@ -2896,25 +2541,20 @@
}
},
"history": {
"period": "Zeitraum",
"ranges": {
"last_week": "Letzte Woche",
"this_week": "Diese Woche",
"today": "Heute",
"yesterday": "Gestern"
},
"showing_entries": "Zeige Einträge für"
}
},
"logbook": {
"entries_not_found": "Keine Logbucheinträge gefunden.",
"period": "Zeitraum",
"ranges": {
"last_week": "Letzte Woche",
"this_week": "Diese Woche",
"today": "Heute",
"yesterday": "Gestern"
},
"showing_entries": "Zeige Einträge für"
}
},
"lovelace": {
"add_entities": {
@ -2923,7 +2563,6 @@
"yaml_unsupported": "Du kannst diese Funktion nicht verwenden, wenn du Lovelace im YAML-Modus verwendest."
},
"cards": {
"action_confirmation": "Bist du sicher, dass du die Aktion \"{action}\" ausführen möchtest?",
"actions": {
"action_confirmation": "Bist du sicher, dass du die Aktion \"{action}\" ausführen möchtest?",
"no_entity_more_info": "Keine Entität für Mehr-Info Dialog angegeben",
@ -2962,13 +2601,11 @@
"reorder_items": "Elemente neu anordnen"
},
"starting": {
"description": "Home Assistant startet, bitte warten…",
"header": "Home Assistant startet ..."
"description": "Home Assistant startet, bitte warten…"
}
},
"changed_toast": {
"message": "Die Lovelace-Konfiguration wurde aktualisiert, möchten Sie sie aktualisieren?",
"refresh": "Aktualisieren"
"message": "Die Lovelace-Konfiguration wurde aktualisiert, möchten Sie sie aktualisieren?"
},
"components": {
"timestamp-display": {
@ -2987,7 +2624,6 @@
"toggle": "Umschalten",
"url": "URL"
},
"editor_service_data": "Servicedaten können nur im Code-Editor eingegeben werden",
"navigation_path": "Navigationspfad",
"url_path": "URL Pfad"
},
@ -3185,7 +2821,6 @@
},
"sensor": {
"description": "Die Sensorkarte gibt dir einen schnellen Überblick über Ihren Sensorstatus mit einem optionalen Diagramm, um Änderungen im Zeitverlauf zu visualisieren.",
"graph_detail": "Diagrammdetail",
"graph_type": "Typ",
"name": "Sensor",
"show_more_detail": "Weitere Details anzeigen"
@ -3356,7 +2991,6 @@
"configure_ui": "Benutzeroberfläche konfigurieren",
"exit_edit_mode": "Schließen des UI-Bearbeitungsmodus",
"help": "Hilfe",
"refresh": "Aktualisieren",
"reload_resources": "Ressourcen neu laden",
"start_conversation": "Konversation starten"
},
@ -3480,8 +3114,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "Dein Computer ist nicht auf der Whitelist.",
"not_whitelisted": "Dein Computer ist nicht auf der Whitelist."
"not_allowed": "Dein Computer ist nicht auf der Whitelist."
},
"step": {
"init": {
@ -3634,15 +3267,12 @@
"create": "Token erstellen",
"create_failed": "Das Zugriffs-Token konnte nicht erstellt werden.",
"created": "Erstellt am {date}",
"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": "Sie haben noch keine langlebigen Zugangs-Token.",
"header": "Langlebige Zugangs-Token",
"last_used": "Zuletzt verwendet {date} von {location}",
"learn_auth_requests": "Erfahre, wie du authentifizierte Anfragen stellen kannst.",
"name": "Name",
"not_used": "Wurde noch nie benutzt",
"prompt_copy_token": "Kopiere deinen Zugangs-Token. Er wird nicht wieder angezeigt werden.",
"prompt_name": "Gib den Token einen Namen"
},
@ -3707,11 +3337,6 @@
},
"shopping_list": {
"start_conversation": "Konversation starten"
},
"shopping-list": {
"add_item": "Artikel hinzufügen",
"clear_completed": "Abgehakte entfernen",
"microphone_tip": "Tippe oben rechts auf das Mikrofon und sage oder schreibe “Süßigkeiten zu meiner Einkaufsliste hinzufügen”"
}
},
"sidebar": {

View File

@ -95,253 +95,11 @@
}
},
"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": "Ανοιχτό"
},
"door": {
"off": "Κλειστή",
"on": "Ανοιχτή"
},
"garage_door": {
"off": "Κλειστό",
"on": "Άνοιγμα"
},
"gas": {
"off": "Δεν Εντοπίστηκε",
"on": "Εντοπίστηκε"
},
"heat": {
"off": "Φυσιολογικό",
"on": "Καυτό"
},
"lock": {
"off": "Κλειδωμένο",
"on": "Ξεκλείδωτο"
},
"moisture": {
"off": "Ξηρό",
"on": "Υγρό"
},
"motion": {
"off": "Δεν Εντοπίστηκε",
"on": "Εντοπίστηκε"
},
"occupancy": {
"off": "Δεν Εντοπίστηκε",
"on": "Εντοπίστηκε"
},
"opening": {
"off": "Κλειστό",
"on": "Ανοιχτό"
},
"presence": {
"off": "Εκτός",
"on": "Σπίτι"
},
"problem": {
"off": "Εντάξει",
"on": "Πρόβλημα"
},
"safety": {
"off": "Ασφαλής",
"on": "Ανασφαλής"
},
"smoke": {
"off": "Δεν Εντοπίστηκε",
"on": "Εντοπίστηκε"
},
"sound": {
"off": "Δεν Εντοπίστηκε",
"on": "Εντοπίστηκε"
},
"vibration": {
"off": "Δεν Εντοπίστηκε",
"on": "Εντοπίστηκε"
},
"window": {
"off": "Κλειστό",
"on": "Ανοιχτό"
}
},
"calendar": {
"off": "Απενεργοποιημένο",
"on": "Ανοιχτό"
},
"camera": {
"idle": "Αδρανές",
"recording": "Καταγράφει",
"streaming": "Μετάδοση Ροής"
},
"climate": {
"cool": "Δροσερό",
"dry": "Ξηρό",
"fan_only": "Ανεμιστήρας μόνο",
"heat": "Θερμό",
"heat_cool": "Θέρμανση / Ψύξη",
"off": "Ανενεργό"
},
"configurator": {
"configure": "Διαμορφώστε",
"configured": "Διαμορφώθηκε"
},
"cover": {
"closed": "Κλειστό",
"closing": "Κλείσιμο",
"open": "Ανοιχτό",
"opening": "Άνοιγμα",
"stopped": "Σταμάτησε"
},
"default": {
"off": "Μη Ενεργό",
"on": "Ενεργό",
"unavailable": "Μη Διαθέσιμο",
"unknown": "Άγνωστη"
},
"device_tracker": {
"not_home": "Εκτός Σπιτιού"
},
"fan": {
"off": "Κλειστό",
"on": "Ενεργός"
},
"group": {
"closed": "Κλειστό",
"closing": "Κλείνει",
"home": "Σπίτι",
"locked": "Κλειδωμένο",
"not_home": "Εκτός Σπιτιού",
"off": "Κλειστό",
"ok": "Εντάξει",
"on": "Ανοιχτό",
"open": "Ανοιχτό",
"opening": "Ανοίγει",
"problem": "Πρόβλημα",
"stopped": "Σταματημένο",
"unlocked": "Ξεκλείδωτο"
},
"input_boolean": {
"off": "Κλειστό",
"on": "Ανοιχτό"
},
"light": {
"off": "Κλειστό",
"on": "Ανοιχτό"
},
"lock": {
"locked": "Κλειδωμένη",
"unlocked": "Ξεκλείδωτη"
},
"media_player": {
"idle": "Σε αδράνεια",
"off": "Κλειστό",
"on": "Ενεργοποίηση",
"paused": "Σε Παύση",
"playing": "Κατάσταση Αναπαραγωγής",
"standby": "Κατάσταση αναμονής"
},
"person": {
"home": "Σπίτι"
},
"plant": {
"ok": "Εντάξει",
"problem": "Πρόβλημα"
},
"remote": {
"off": "Κλειστό",
"on": "Ανοιχτό"
},
"scene": {
"scening": "Σκίτσο"
},
"script": {
"off": "Κλειστό",
"on": "Ενεργό"
},
"sensor": {
"off": "Κλειστό",
"on": "Ανοιχτό"
},
"sun": {
"above_horizon": "Πάνω από τον ορίζοντα",
"below_horizon": "Κάτω από τον ορίζοντα"
},
"switch": {
"off": "Κλειστό",
"on": "Ανοιχτό"
},
"timer": {
"active": "ενεργό",
"idle": "Σε αδράνεια",
"paused": "σε παύση"
},
"vacuum": {
"cleaning": "Καθαρισμός",
"docked": "Καρφιτσωμένο",
"error": "Σφάλμα",
"idle": "Σε αδράνεια",
"off": "Ανενεργό",
"on": "Ενεργό",
"paused": "Παύση",
"returning": "Επιστροφή στο dock"
},
"weather": {
"clear-night": "Ξαστεριά, νύχτα",
"cloudy": "Νεφελώδης",
"exceptional": "Εξαιρετικό",
"fog": "Ομίχλη",
"hail": "Χαλάζι",
"lightning": "Αστραπές",
"lightning-rainy": "Καταιγίδα, βροχερός",
"partlycloudy": "Μερικώς νεφελώδης",
"pouring": "Ψιχαλίζει",
"rainy": "Βροχερός",
"snowy": "Χιονώδης",
"snowy-rainy": "Χιονισμένος, βροχερός",
"sunny": "Ηλιόλουστος",
"windy": "Θυελλώδης",
"windy-variant": "Θυελλώδης"
},
"zwave": {
"default": {
"dead": "Νεκρό",
"initializing": "Αρχικοποίηση",
"ready": "Έτοιμο",
"sleeping": "Κοιμάται"
},
"query_stage": {
"dead": "Νεκρό ( {query_stage} )",
"initializing": "Αρχικοποίηση ( {query_stage} )"
}
}
},
"ui": {
@ -442,8 +200,7 @@
},
"script": {
"cancel": "Ακύρωση",
"cancel_multiple": "Ακύρωση {number}",
"execute": "Εκτέλεση"
"cancel_multiple": "Ακύρωση {number}"
},
"service": {
"run": "Εκτέλεση"
@ -630,7 +387,6 @@
"media-browser": {
"audio_not_supported": "Το πρόγραμμα περιήγησής σας δεν υποστηρίζει το στοιχείο ήχου.",
"choose_player": "Επιλογή προγράμματος αναπαραγωγής",
"choose-source": "Επιλέξτε Πηγή",
"class": {
"album": "Άλμπουμ",
"app": "Εφαρμογή",
@ -653,13 +409,6 @@
"url": "URL",
"video": "Βίντεο"
},
"content-type": {
"album": "Άλμπουμ",
"artist": "Καλλιτέχνης",
"library": "Βιβλιοθήκη",
"playlist": "Λίστα αναπαραγωγής",
"server": "Διακομιστής"
},
"documentation": "τεκμηρίωση",
"learn_adding_local_media": "Μάθετε περισσότερα σχετικά με την προσθήκη πολυμέσων στην {documentation} .",
"local_media_files": "Τοποθετήστε τα αρχεία βίντεο, ήχου και εικόνας στον κατάλογο πολυμέσων για να μπορείτε να περιηγηθείτε και να τα αναπαραγάγετε στο πρόγραμμα περιήγησης ή σε υποστηριζόμενες συσκευές αναπαραγωγής πολυμέσων.",
@ -701,7 +450,6 @@
"second": "{count} {count, plural,\n one {δευτερόλεπτο}\n other {δευτερόλεπτα}\n}",
"week": "{count} {count, plural,\n one {εβδομάδα}\n other {εβδομάδες}\n}"
},
"future": "Σε {time}",
"future_duration": {
"day": "Σε {count} {count, plural,\n μία {ημέρα}\n other {ημέρες}\n}",
"hour": "Σε {count} {count, plural,\n one {ώρα}\n other {ώρες}\n}",
@ -711,7 +459,6 @@
},
"just_now": "Μόλις τώρα",
"never": "Ποτέ",
"past": "{time} πριν",
"past_duration": {
"day": "{count} {count, plural,\n one {ημέρα}\n other {ημέρες}\n} πριν",
"hour": "{count} {count, plural,\n one {ώρα}\n other {ώρες}\n} πριν",
@ -720,6 +467,12 @@
"week": "{count} {count, plural,\n one {εβδομάδα}\n other {εβδομάδες}\n} πριν"
}
},
"service-control": {
"required": "Αυτό το πεδίο είναι υποχρεωτικό",
"service_data": "Δεδομένα υπηρεσίας",
"target": "Στόχοι",
"target_description": "Τι πρέπει να χρησιμοποιεί αυτή η υπηρεσία ως στοχευμένες περιοχές, συσκευές ή οντότητες."
},
"service-picker": {
"service": "Υπηρεσία"
},
@ -841,7 +594,6 @@
"crop": "Περικοπή"
},
"more_info_control": {
"controls": "Έλεγχοι",
"cover": {
"close_cover": "Κλείσιμο",
"close_tile_cover": "Κλείσιμο καλύμματος",
@ -926,7 +678,6 @@
"logs": "Συμβάντα",
"lovelace": "Διαχειριστικά Lovelace",
"navigate_to": "Μεταβείτε στο {panel}",
"navigate_to_config": "Μεταβείτε στη διαμόρφωση του {panel}",
"person": "Άνθρωποι",
"scene": "Σκηνές",
"script": "Scripts",
@ -1009,9 +760,7 @@
},
"unknown": "Άγνωστη",
"zha_device_card": {
"area_picker_label": "Περιοχή",
"device_name_placeholder": "Αλλαγή ονόματος συσκευής",
"update_name_button": "Ενημέρωση ονόματος"
"device_name_placeholder": "Αλλαγή ονόματος συσκευής"
}
}
},
@ -1055,10 +804,6 @@
"triggered": "Ενεργοποιήθηκε το {name}"
},
"panel": {
"calendar": {
"my_calendars": "Τα ημερολόγιά μου",
"today": "Σήμερα"
},
"config": {
"advanced_mode": {
"hint_enable": "Λείπουν επιλογές ρύθμισης παραμέτρων; Ενεργοποίηση σύνθετης λειτουργίας",
@ -1176,8 +921,7 @@
"label": "Ενεργοποίηση σκηνής"
},
"service": {
"label": "Κάλεσμα υπηρεσίας",
"service_data": "Δεδομένα υπηρεσίας"
"label": "Κάλεσμα υπηρεσίας"
},
"wait_for_trigger": {
"continue_timeout": "Συνέχεια στο χρονικό όριο",
@ -1197,8 +941,6 @@
"blueprint": {
"blueprint_to_use": "Σχεδιάγραμμα για χρήση",
"header": "Σχεδιάγραμμα",
"inputs": "Είσοδοι",
"manage_blueprints": "Διαχείριση σχεδιαγραμμάτων",
"no_blueprints": "Δεν έχετε σχεδιαγράμματα",
"no_inputs": "Αυτό το σχεδιάγραμμα δεν έχει καμία εισαγωγή."
},
@ -1453,7 +1195,6 @@
"header": "Εισαγωγή σχεδιαγράμματος",
"import_btn": "Προεπισκόπηση σχεδιαγράμματος",
"import_header": "Σχεδιάγραμμα \"{name}\"",
"import_introduction": "Μπορείτε να εισαγάγετε σχεδιαγράμματα άλλων χρηστών από το Github και τα φόρουμ της κοινότητας. Εισαγάγετε τη διεύθυνση URL του σχεδιαγράμματος παρακάτω.",
"import_introduction_link": "Μπορείτε να εισαγάγετε σχεδιαγράμματα άλλων χρηστών από το Github και το {community_link} . Εισαγάγετε τη διεύθυνση URL του σχεδιαγράμματος παρακάτω.",
"importing": "Φόρτωση σχεδιαγράμματος...",
"raw_blueprint": "Περιεχόμενο σχεδιαγράμματος",
@ -1575,7 +1316,6 @@
"not_exposed_entities": "Μη εκτεθειμένες οντότητες",
"title": "Alexa"
},
"caption": "Σύννεφο Home Assistant",
"description_features": "Ελέγξτε το σπίτι όταν βρίσκεστε μακριά και ενσωματώστε την Alexa και τον Βοηθό Google",
"description_login": "Συνδεδεμένος ως {email}",
"description_not_login": "Μη συνδεδεμένος",
@ -1708,7 +1448,6 @@
"pick_attribute": "Επιλέξτε ένα χαρακτηριστικό για να το παρακάμψετε",
"picker": {
"documentation": "Τεκμηρίωση προσαρμογής",
"entity": "Οντότητα",
"header": "Προσαρμογή",
"introduction": "Αλλαγή ρυθμίσεων ανά οντότητα. Οι προσαρμοσμένες προσθήκες / επεξεργασίες θα τεθούν αμέσως σε ισχύ. Οι αφαιρεθείσες προσαρμογές θα ισχύσουν όταν ενημερωθεί η οντότητα."
},
@ -1755,7 +1494,6 @@
"integration": "Ενσωμάτωση",
"manufacturer": "Κατασκευαστής",
"model": "Μοντέλο",
"no_area": "Καμία περιοχή",
"no_devices": "Δεν υπάρχουν συσκευές"
},
"delete": "Διαγραφή",
@ -1911,42 +1649,9 @@
"source": "Πηγή",
"system_health_error": "Το στοιχείο Υγεία Συστήματος δεν έχει φορτωθεί. Προσθέστε 'system_health:' στη ρύθμιση παραμέτρων configuration.yaml",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Alexa Ενεργή",
"can_reach_cert_server": "Προσέγγιση διακομιστή πιστοποιητικών",
"can_reach_cloud": "Προσέγγιση Home Assistant Cloud",
"can_reach_cloud_auth": "Προσέγγιση διακομιστή ελέγχου ταυτότητας",
"google_enabled": "Google Ενεργή",
"logged_in": "Συνδεδεμένοι",
"relayer_connected": "Συνδεδεμένος αναμεταδότης",
"remote_connected": "Απομακρυσμένη λειτουργία Συνδεδεμένη",
"remote_enabled": "Απομακρυσμένη λειτουργία Ενεργή",
"subscription_expiration": "Λήξη συνδρομής"
},
"homeassistant": {
"arch": "Αρχιτεκτονική CPU",
"dev": "Ανάπτυξη",
"docker": "Docker",
"hassio": "HassOS",
"installation_type": "Τύπος εγκατάστασης",
"os_name": "Όνομα λειτουργικού συστήματος",
"os_version": "Έκδοση λειτουργικού συστήματος",
"python_version": "Έκδοση Python",
"timezone": "Ζώνη ώρας",
"version": "Έκδοση",
"virtualenv": "Εικονικό περιβάλλον"
},
"lovelace": {
"dashboards": "Πίνακες ελέγχου",
"mode": "Λειτουργία",
"resources": "Πόροι"
}
},
"manage": "Διαχείριση",
"more_info": "Περισσότερες πληροφορίες"
},
"title": "Πληροφορίες"
}
},
"integration_panel_move": {
"link_integration_page": "Σελίδα ενσωματώσεων",
@ -1960,7 +1665,6 @@
"config_entry": {
"area": "Στο {area}",
"delete": "Διαγραφή",
"delete_button": "Διαγραφή {integration}",
"delete_confirm": "Είστε σίγουρος ότι θέλετε να διαγραφεί αυτή η ενοποίηση;",
"device_unavailable": "Η συσκευή δεν είναι διαθέσιμη",
"devices": "{count} {count, plural,\n one {συσκευή}\n other {συσκευές}\n}",
@ -1971,8 +1675,6 @@
"hub": "Συνδεδεμένο μέσω",
"manuf": "από {manufacturer}",
"no_area": "Καμία περιοχή",
"no_device": "Οντότητες χωρίς συσκευές",
"no_devices": "Αυτή η ενοποίηση δεν έχει συσκευές.",
"options": "Επιλογές",
"reload": "Επαναφόρτωση",
"reload_confirm": "Η ενσωμάτωση επαναφορτώθηκε",
@ -1980,16 +1682,16 @@
"rename": "Μετονομασία",
"restart_confirm": "Επανεκκινήστε το Home Assistant για να ολοκληρώσετε την κατάργηση αυτής της ενοποίησης",
"services": "{count} {count, plural,\n one {υπηρεσία}\n other {υπηρεσίες}\n}",
"settings_button": "Επεξεργασία ρυθμίσεων για {integration}",
"system_options": "Επιλογές συστήματος",
"system_options_button": "Επιλογές συστήματος για {integration}",
"unnamed_entry": "Ανώνυμη καταχώριση"
},
"config_flow": {
"aborted": "Ματαιώθηκε",
"close": "Κλείστε",
"could_not_load": "Δεν ήταν δυνατή η φόρτωση της ροής ρύθμισης παραμέτρων",
"created_config": "Δημιουργήθηκε παραμετροποίηση για το {name}.",
"dismiss": "Παράβλεψη διαλόγου",
"error": "Σφάλμα",
"error_saving_area": "Σφάλμα κατά την αποθήκευση περιοχής: {error}",
"external_step": {
"description": "Αυτό το βήμα απαιτεί να επισκεφτείτε μια εξωτερική ιστοσελίδα για να ολοκληρωθεί.",
@ -1998,6 +1700,10 @@
"finish": "Τέλος",
"loading_first_time": "Παρακαλώ περιμένετε καθώς εγκαθίσταται η ενσωμάτωση",
"not_all_required_fields": "Δε συμπληρώνονται όλα τα υποχρεωτικά πεδία.",
"pick_flow_step": {
"new_flow": "Όχι, ρυθμίστε μια άλλη παρουσία του {integration}",
"title": "Ανακαλύψαμε αυτά, θέλετε να τα στήσουμε;"
},
"submit": "Υποβολή"
},
"configure": "Διαμόρφωση",
@ -2043,8 +1749,7 @@
"multiple_messages": "μήνυμα παρουσιάστηκε για πρώτη φορά στο {time} και εμφανίζεται {counter} φορές",
"no_errors": "Δεν έχουν αναφερθεί σφάλματα.",
"no_issues": "Δεν υπάρχουν νέα θέματα!",
"refresh": "Ανανέωση",
"title": "Αρχεία καταγραφής"
"refresh": "Ανανέωση"
},
"lovelace": {
"caption": "Πίνακες ελέγχου Lovelace",
@ -2375,8 +2080,7 @@
"learn_more": "Μάθετε περισσότερα σχετικά με τα σενάρια",
"no_scripts": "Δεν μπορέσαμε να βρούμε δέσμες ενεργειών με δυνατότητα επεξεργασίας",
"run_script": "Εκτέλεση σεναρίου",
"show_info": "Εμφάνιση πληροφοριών σχετικά με το σενάριο",
"trigger_script": "Σενάριο ενεργοποίησης"
"show_info": "Εμφάνιση πληροφοριών σχετικά με το σενάριο"
}
},
"server_control": {
@ -2470,11 +2174,9 @@
"add_user": {
"caption": "Προσθήκη χρήστη",
"create": "Δημιουργία",
"name": "Όνομα",
"password": "Κωδικός",
"password_confirm": "Επιβεβαίωση Κωδικού",
"password_not_match": "Οι κωδικοί πρόσβασης δεν ταιριάζουν",
"username": "Όνομα χρήστη"
"password_not_match": "Οι κωδικοί πρόσβασης δεν ταιριάζουν"
},
"caption": "Χρήστες",
"description": "Διαχειριστείτε τους λογαριασμούς χρηστών του Home Assistant",
@ -2518,19 +2220,12 @@
"add_device": "Προσθήκη συσκευής",
"add_device_page": {
"discovered_text": "Οι συσκευές θα εμφανιστούν εδώ μόλις ανακαλυφθούν.",
"discovery_text": "Οι ανακαλυφθείσες συσκευές θα εμφανιστούν εδώ. Ακολουθήστε τις οδηγίες για τις συσκευές σας και τοποθετήστε τις συσκευές στη λειτουργία αντιστοίχισης.",
"header": "Zigbee Home Automation - Προσθήκη Συσκευών",
"no_devices_found": "Δεν βρέθηκαν συσκευές, βεβαιωθείτε ότι βρίσκονται σε λειτουργία ζευγαρώματος και κρατήστε τις ξύπνιες ενώ η ανακάλυψη εκτελείται.",
"pairing_mode": "Βεβαιωθείτε ότι οι συσκευές σας είναι σε λειτουργία σύζευξης. Ελέγξτε τις οδηγίες της συσκευής σας για το πώς να το κάνετε αυτό.",
"search_again": "Αναζήτηση ξανά",
"spinner": "Αναζήτηση συσκευών ZHA Zigbee…"
},
"add": {
"caption": "Προσθήκη Συσκευών",
"description": "Προσθήκη συσκετών στο δίκτυο Zigbee"
},
"button": "Διαμόρφωση",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "Χαρακτηριστικά της επιλεγμένης συστοιχίας",
"get_zigbee_attribute": "Λήψη χαρακτηριστικού Zigbee",
@ -2554,13 +2249,10 @@
"introduction": "Οι συστάδες είναι τα δομικά στοιχεία για τη λειτουργικότητα του Zigbee. Διαχωρίζουν τη λειτουργικότητα σε λογικές ενότητες. Υπάρχουν τύποι πελατών και διακομιστών και που αποτελούνται από χαρακτηριστικά και εντολές."
},
"common": {
"add_devices": "Προσθήκη συσκευών",
"clusters": "Συστοιχίες",
"devices": "Συσκευές",
"manufacturer_code_override": "Παράκαμψη κωδικού κατασκευαστή",
"value": "Τιμή"
},
"description": "Διαχείριση του δικτύου Zigbee Home Automation",
"device_pairing_card": {
"CONFIGURED": "Η διαμόρφωση ολοκληρώθηκε",
"CONFIGURED_status_text": "Αρχικοποίηση",
@ -2571,9 +2263,6 @@
"PAIRED": "Βρέθηκε συσκευή",
"PAIRED_status_text": "Έναρξη συνέντευξης"
},
"devices": {
"header": "Zigbee Home Automation - Συσκευή"
},
"group_binding": {
"bind_button_help": "Συνδέστε την επιλεγμένη ομάδα με τις επιλεγμένες ομάδες συσκευών.",
"bind_button_label": "Σύνδεση ομάδας",
@ -2588,48 +2277,24 @@
"groups": {
"add_group": "Προσθήκη ομάδας",
"add_members": "Προσθήκη Μελών",
"adding_members": "Προσθήκη Μελών",
"caption": "Ομάδες",
"create": "Δημιουργία ομάδας",
"create_group": "Zigbee Home Automation - Δημιουργία ομάδας",
"create_group_details": "Καταχωρείστε τις απαραίτητες πληροφορίες για να δημιουργήσετε μια νέα ομάδα Zigbee",
"creating_group": "Δημιουργία ομάδας",
"description": "Διαχείριση ομάδων Zigbee",
"group_details": "Εδώ βρίσκονται όλες οι πληροφορίες για την επιλεγμένη ομάδα",
"group_id": "Αναγνωριστικό ομάδας",
"group_info": "Πληροφορίες ομάδας",
"group_name_placeholder": "Όνομα ομάδας",
"group_not_found": "Η ομάδα δεν βρέθηκε!",
"group-header": "Οικιακός Αυτοματισμός Zigbee - Λεπτομέρειες ομάδας",
"groups": "Ομάδες",
"groups-header": "Zigbee Home Automation - Διαχείριση Ομάδων",
"header": "Zigbee Home Automation - Διαχείριση Ομάδων",
"introduction": "Δημιουργήστε και τροποποιήστε ομάδες Zigbee",
"manage_groups": "Διαχειριστείτε τις ομάδες Zigbee",
"members": "Μέλη",
"remove_groups": "Αφαίρεση ομάδων",
"remove_members": "Αφαίρεση Μελών",
"removing_groups": "Αφαίρεση ομάδων",
"removing_members": "Αφαίρεση Μελών",
"zha_zigbee_groups": "ZHA oμάδες Zigbee"
},
"header": "Διαμόρφωση οικιακού αυτοματισμού Zigbee",
"introduction": "Εδώ είναι δυνατό να ρυθμίσετε τις παραμέτρους του στοιχείου ZHA. Δεν είναι όλα δυνατά για να ρυθμίσετε από το ui ακόμα, αλλά εργαζόμαστε σε αυτό.",
"network_management": {
"header": "Διαχείριση δικτύου",
"introduction": "Εντολές που επηρεάζουν ολόκληρο το δίκτυο"
"removing_members": "Αφαίρεση Μελών"
},
"network": {
"caption": "Δίκτυο"
},
"node_management": {
"header": "Διαχείριση συσκευής",
"help_node_dropdown": "Επιλέξτε μια συσκευή για να προβάλετε επιλογές ανά συσκευή.",
"hint_battery_devices": "Σημείωση: Οι συσκευές σε νάρκη (τροφοδοτούμενες από μπαταρία) πρέπει να είναι αφυπνισμένες όταν εκτελούνται εντολές σε αυτές. Μπορείτε γενικά να ξυπνήσετε μια συσκευή σε νάρκη ενεργοποιώντας τη.",
"hint_wakeup": "Μερικές συσκευές όπως οι αισθητήρες Xiaomi έχουν ένα κουμπί αφύπνισης το οποίο μπορείτε να πιέσετε για διαστήματα των ~5 δευτερολέπτων ώστε να κρατήσετε τις συσκευές αφυπνισμένες ενώ αλληλεπιδράτε μαζί τους.",
"introduction": "Εκτελέστε εντολές ZHA που επηρεάζουν μια μόνο συσκευή. Επιλέξτε μια συσκευή για να δείτε μια λίστα διαθέσιμων εντολών."
},
"title": "Οικιακός Αυτοματισμός Zigbee",
"visualization": {
"caption": "Απεικόνιση",
"header": "Απεικόνιση δικτύου",
@ -2701,7 +2366,6 @@
"header": "Διαχειριστείτε το δίκτυο Z-Wave",
"home_id": "Αναγνωριστικό οικίας",
"introduction": "Διαχειριστείτε το δίκτυο Z-Wave και τους κόμβους Z-Wave",
"node_count": "Αριθμός κόμβων",
"nodes_ready": "Κόμβοι έτοιμοι",
"server_version": "Έκδοση διακομιστή"
},
@ -2738,7 +2402,6 @@
},
"zwave": {
"button": "Διαμόρφωση",
"caption": "Z-Wave",
"common": {
"index": "Δείκτης",
"instance": "Περίπτωση",
@ -2857,18 +2520,18 @@
"type": "Τύπος συμβάντος"
},
"services": {
"alert_parsing_yaml": "Σφάλμα ανάλυσης του YAML: {data}",
"accepts_target": "Αυτή η υπηρεσία δέχεται έναν στόχο, για παράδειγμα: `entity_id: light.bed_light`",
"all_parameters": "Όλες οι διαθέσιμες παράμετροι",
"call_service": "Κάλεσμα υπηρεσίας",
"column_description": "Περιγραφή",
"column_example": "Παράδειγμα",
"column_parameter": "Παράμετρος",
"data": "Δεδομένα υπηρεσίας (YAML, προαιρετικά)",
"description": "Η υπηρεσία dev tool σας επιτρέπει να καλέσετε οποιαδήποτε διαθέσιμη υπηρεσία στο Home Assistant.",
"fill_example_data": "Συμπληρώστε τα δεδομένα του παραδείγματος",
"no_description": "Δεν υπάρχει διαθέσιμη περιγραφή",
"no_parameters": "Αυτή η υπηρεσία δε λαμβάνει παραμέτρους.",
"select_service": "Επιλέξτε μια υπηρεσία για να δείτε την περιγραφή",
"title": "Υπηρεσίες"
"title": "Υπηρεσίες",
"ui_mode": "Μετάβαση σε λειτουργία περιβάλλοντος εργασίας χρήστη",
"yaml_mode": "Μετάβαση στη λειτουργία YAML",
"yaml_parameters": "Οι παράμετροι διατίθενται μόνο σε λειτουργία YAML"
},
"states": {
"alert_entity_field": "Η οντότητα είναι ένα υποχρεωτικό πεδίο",
@ -2908,25 +2571,20 @@
}
},
"history": {
"period": "Περίοδος",
"ranges": {
"last_week": "Προηγούμενη εβδομάδα",
"this_week": "Αυτή την εβδομάδα",
"today": "Σήμερα",
"yesterday": "Εχθές"
},
"showing_entries": "Εμφανίζονται καταχωρήσεις για"
}
},
"logbook": {
"entries_not_found": "Δε βρέθηκαν καταχωρήσεις στο αρχείο καταγραφής.",
"period": "Περίοδος",
"ranges": {
"last_week": "Προηγούμενη εβδομάδα",
"this_week": "Αυτή την εβδομάδα",
"today": "Σήμερα",
"yesterday": "Εχθές"
},
"showing_entries": "Εμφανίζοντα καταχωρήσεις για"
}
},
"lovelace": {
"add_entities": {
@ -2935,7 +2593,6 @@
"yaml_unsupported": "Δεν μπορείτε να χρησιμοποιήσετε αυτήν τη λειτουργία όταν χρησιμοποιείτε το Lovelace UI σε λειτουργία YAML."
},
"cards": {
"action_confirmation": "Είστε βέβαιοι ότι θέλετε να εκτελέσετε την ενέργεια \"{action}\";",
"actions": {
"action_confirmation": "Είστε βέβαιοι ότι θέλετε να εκτελέσετε την ενέργεια \"{action}\";",
"no_entity_more_info": "Δεν παρέχεται οντότητα για το παράθυρο διαλόγου περισσότερων πληροφοριών",
@ -2974,13 +2631,11 @@
"reorder_items": "Αναδιάταξη στοιχείων"
},
"starting": {
"description": "Το Home Assistant ξεκινά, παρακαλώ περιμένετε…",
"header": "Το Home Assistant ξεκινά…"
"description": "Το Home Assistant ξεκινά, παρακαλώ περιμένετε…"
}
},
"changed_toast": {
"message": "Οι ρυθμίσεις του Lovelace UI για αυτόν τον πίνακα ελέγχου έχουν επικαιροποιηθεί. Θέλεις να κάνεις ανανέωση για να δεις τις αλλαγές;",
"refresh": "Ανανέωση"
"message": "Οι ρυθμίσεις του Lovelace UI για αυτόν τον πίνακα ελέγχου έχουν επικαιροποιηθεί. Θέλεις να κάνεις ανανέωση για να δεις τις αλλαγές;"
},
"components": {
"timestamp-display": {
@ -2999,7 +2654,6 @@
"toggle": "Εναλλαγή",
"url": "URL"
},
"editor_service_data": "Τα δεδομένα υπηρεσίας μπορούν να εισαχθούν μόνο στον επεξεργαστή κώδικα",
"navigation_path": "Διαδρομή πλοήγησης",
"url_path": "Διαδρομή URL"
},
@ -3197,7 +2851,6 @@
},
"sensor": {
"description": "Η Κάρτα Αισθητήρα σας παρέχει μια γρήγορη επισκόπηση της κατάστασης των αισθητήρων σας με ένα προαιρετικό γράφημα για να απεικονίσετε την αλλαγή με την πάροδο του χρόνου.",
"graph_detail": "Λεπτομέρειες γραφήματος",
"graph_type": "Τύπος γραφήματος",
"name": "Αισθητήρας",
"show_more_detail": "Εμφάνιση περισσότερων λεπτομερειών"
@ -3368,7 +3021,6 @@
"configure_ui": "Επεξεργασία πίνακα ελέγχου",
"exit_edit_mode": "Έξοδος από τη λειτουργία επεξεργασίας περιβάλλοντος εργασίας χρήστη",
"help": "Βοήθεια",
"refresh": "Ανανέωση",
"reload_resources": "Επαναφόρτωση πόρων",
"start_conversation": "Έναρξη συζήτησης"
},
@ -3409,6 +3061,7 @@
"playback_title": "Αναπαραγωγή μηνύματος"
},
"my": {
"component_not_loaded": "Αυτή η ανακατεύθυνση δεν υποστηρίζεται από την παρουσία του Home Assistant. Χρειάζεστε την ενσωμάτωση {ενσωμάτωση} για να χρησιμοποιήσετε αυτήν την ανακατεύθυνση.",
"error": "Παρουσιάστηκε άγνωστο σφάλμα",
"faq_link": "Συνήθεις ερωτήσεις για το Home Assistant",
"not_supported": "Αυτή η ανακατεύθυνση δεν υποστηρίζεται από τo Home Assistant σας. Ελέγξτε το {link} για τις υποστηριζόμενες ανακατευθύνσεις και την έκδοση που εισήγαγαν."
@ -3492,8 +3145,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "Ο υπολογιστής σας δεν είναι αποδεκτός.",
"not_whitelisted": "Ο υπολογιστής σας δεν είναι στη λίστα επιτρεπόμενων."
"not_allowed": "Ο υπολογιστής σας δεν είναι αποδεκτός."
},
"step": {
"init": {
@ -3646,15 +3298,12 @@
"create": "Δημιουργία Διακριτικού",
"create_failed": "Αδύνατη η δημιουργία του τρέχοντος διακριτικού.",
"created": "Δημιουργήθηκε {date}",
"created_at": "Δημιουργήθηκε στις {date}",
"delete_failed": "Αδύνατη η διαγραφή του τρέχοντος διακριτικού.",
"description": "Δημιουργήστε διακριτικά πρόσβασης μακράς διάρκειας για να επιτρέψετε στα σενάρια σας να αλληλεπιδρούν με το Home Assistant. Κάθε διακριτικό θα ισχύει για 10 χρόνια. Τα παρακάτω διακριτικά πρόσβασης μακράς διαρκείας είναι ενεργά.",
"empty_state": "Δεν έχετε ακόμη αναγνωριστικά πρόσβασης μεγάλης διάρκειας.",
"header": "Διακριτικά πρόσβασης μακράς διάρκειας",
"last_used": "Τελευταία χρήση στις {date} από {location}",
"learn_auth_requests": "Μάθετε πώς να κάνετε πιστοποιημένα αιτήματα.",
"name": "Όνομα",
"not_used": "Δεν έχει χρησιμοποιηθεί ποτέ",
"prompt_copy_token": "Αντιγράψτε το διακριτικό πρόσβασης. Δεν θα εμφανιστεί ξανά.",
"prompt_name": "Δώστε ένα όνομα στο διακριτικό"
},
@ -3719,11 +3368,6 @@
},
"shopping_list": {
"start_conversation": "Έναρξη συζήτησης"
},
"shopping-list": {
"add_item": "Προσθήκη στοιχείου",
"clear_completed": "Καθαρισμός Ολοκληρώθηκε",
"microphone_tip": "Πατήστε το μικρόφωνο στην επάνω δεξιά γωνία και πείτε \"Προσθήκη καραμελών στη λίστα αγορών μου\""
}
},
"sidebar": {

View File

@ -1,7 +1,7 @@
{
"config_entry": {
"disabled_by": {
"config_entry": "Config Entry",
"config_entry": "Config entry",
"device": "Device",
"integration": "Integration",
"user": "User"
@ -95,253 +95,11 @@
}
},
"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",
"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"
},
"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"
},
"occupancy": {
"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"
},
"sound": {
"off": "Clear",
"on": "Detected"
},
"vibration": {
"off": "Clear",
"on": "Detected"
},
"window": {
"off": "Closed",
"on": "Open"
}
},
"calendar": {
"off": "Off",
"on": "On"
},
"camera": {
"idle": "Idle",
"recording": "Recording",
"streaming": "Streaming"
},
"climate": {
"cool": "Cool",
"dry": "Dry",
"fan_only": "Fan only",
"heat": "Heat",
"heat_cool": "Heat/Cool",
"off": "Off"
},
"configurator": {
"configure": "Configure",
"configured": "Configured"
},
"cover": {
"closed": "Closed",
"closing": "Closing",
"open": "Open",
"opening": "Opening",
"stopped": "Stopped"
},
"default": {
"off": "Off",
"on": "On",
"unavailable": "Unavailable",
"unknown": "Unknown"
},
"device_tracker": {
"not_home": "Away"
},
"fan": {
"off": "Off",
"on": "On"
},
"group": {
"closed": "Closed",
"closing": "Closing",
"home": "Home",
"locked": "Locked",
"not_home": "Away",
"off": "Off",
"ok": "OK",
"on": "On",
"open": "Open",
"opening": "Opening",
"problem": "Problem",
"stopped": "Stopped",
"unlocked": "Unlocked"
},
"input_boolean": {
"off": "Off",
"on": "On"
},
"light": {
"off": "Off",
"on": "On"
},
"lock": {
"locked": "Locked",
"unlocked": "Unlocked"
},
"media_player": {
"idle": "Idle",
"off": "Off",
"on": "On",
"paused": "Paused",
"playing": "Playing",
"standby": "Standby"
},
"person": {
"home": "Home"
},
"plant": {
"ok": "OK",
"problem": "Problem"
},
"remote": {
"off": "Off",
"on": "On"
},
"scene": {
"scening": "Scening"
},
"script": {
"off": "Off",
"on": "On"
},
"sensor": {
"off": "Off",
"on": "On"
},
"sun": {
"above_horizon": "Above horizon",
"below_horizon": "Below horizon"
},
"switch": {
"off": "Off",
"on": "On"
},
"timer": {
"active": "active",
"idle": "idle",
"paused": "paused"
},
"vacuum": {
"cleaning": "Cleaning",
"docked": "Docked",
"error": "Error",
"idle": "Idle",
"off": "Off",
"on": "On",
"paused": "Paused",
"returning": "Returning to dock"
},
"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"
},
"zwave": {
"default": {
"dead": "Dead",
"initializing": "Initializing",
"ready": "Ready",
"sleeping": "Sleeping"
},
"query_stage": {
"dead": "Dead ({query_stage})",
"initializing": "Initializing ({query_stage})"
}
}
},
"ui": {
@ -362,7 +120,7 @@
},
"automation": {
"last_triggered": "Last triggered",
"trigger": "Execute"
"trigger": "Run Actions"
},
"camera": {
"not_available": "Image not available"
@ -443,7 +201,7 @@
"script": {
"cancel": "Cancel",
"cancel_multiple": "Cancel {number}",
"execute": "Execute"
"run": "Run"
},
"service": {
"run": "Run"
@ -538,6 +296,19 @@
"yes": "Yes"
},
"components": {
"addon-picker": {
"addon": "Add-on",
"error": {
"fetch_addons": {
"description": "Fetching add-ons returned an error.",
"title": "Error fetching add-ons"
},
"no_supervisor": {
"description": "No Supervisor found, so add-ons could not be loaded.",
"title": "No Supervisor"
}
}
},
"area-picker": {
"add_dialog": {
"add": "Add",
@ -630,7 +401,6 @@
"media-browser": {
"audio_not_supported": "Your browser does not support the audio element.",
"choose_player": "Choose Player",
"choose-source": "Choose Source",
"class": {
"album": "Album",
"app": "App",
@ -653,13 +423,6 @@
"url": "URL",
"video": "Video"
},
"content-type": {
"album": "Album",
"artist": "Artist",
"library": "Library",
"playlist": "Playlist",
"server": "Server"
},
"documentation": "documentation",
"learn_adding_local_media": "Learn more about adding media in the {documentation}.",
"local_media_files": "Place your video, audio and image files in the media directory to be able to browse and play them in the browser or on supported media players.",
@ -701,7 +464,6 @@
"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}",
"future_duration": {
"day": "In {count} {count, plural,\n one {day}\n other {days}\n}",
"hour": "In {count} {count, plural,\n one {hour}\n other {hours}\n}",
@ -711,7 +473,6 @@
},
"just_now": "Just now",
"never": "Never",
"past": "{time} ago",
"past_duration": {
"day": "{count} {count, plural,\n one {day}\n other {days}\n} ago",
"hour": "{count} {count, plural,\n one {hour}\n other {hours}\n} ago",
@ -847,7 +608,6 @@
"crop": "Crop"
},
"more_info_control": {
"controls": "Controls",
"cover": {
"close_cover": "Close cover",
"close_tile_cover": "Close cover tilt",
@ -932,7 +692,6 @@
"logs": "Logs",
"lovelace": "Lovelace Dashboards",
"navigate_to": "Navigate to {panel}",
"navigate_to_config": "Navigate to {panel} configuration",
"person": "People",
"scene": "Scenes",
"script": "Scripts",
@ -1015,9 +774,7 @@
},
"unknown": "Unknown",
"zha_device_card": {
"area_picker_label": "Area",
"device_name_placeholder": "Change device name",
"update_name_button": "Update Name"
"device_name_placeholder": "Change device name"
}
}
},
@ -1061,10 +818,6 @@
"triggered": "Triggered {name}"
},
"panel": {
"calendar": {
"my_calendars": "My Calendars",
"today": "Today"
},
"config": {
"advanced_mode": {
"hint_enable": "Missing config options? Enable advanced mode on",
@ -1182,8 +935,7 @@
"label": "Activate scene"
},
"service": {
"label": "Call service",
"service_data": "Service data"
"label": "Call service"
},
"wait_for_trigger": {
"continue_timeout": "Continue on timeout",
@ -1203,8 +955,6 @@
"blueprint": {
"blueprint_to_use": "Blueprint to use",
"header": "Blueprint",
"inputs": "Inputs",
"manage_blueprints": "Manage Blueprints",
"no_blueprints": "You don't have any blueprints",
"no_inputs": "This blueprint doesn't have any inputs."
},
@ -1214,7 +964,7 @@
"delete_confirm": "Are you sure you want to delete this?",
"duplicate": "Duplicate",
"header": "Conditions",
"introduction": "Conditions are optional and will prevent further execution unless all conditions are satisfied.",
"introduction": "Conditions are optional and will prevent the automation from running unless all conditions are satisfied.",
"learn_more": "Learn more about conditions",
"name": "Condition",
"type_select": "Condition type",
@ -1459,7 +1209,6 @@
"header": "Import a blueprint",
"import_btn": "Preview blueprint",
"import_header": "Blueprint \"{name}\"",
"import_introduction": "You can import blueprints of other users from Github and the community forums. Enter the URL of the blueprint below.",
"import_introduction_link": "You can import blueprints of other users from Github and the {community_link}. Enter the URL of the blueprint below.",
"importing": "Loading blueprint...",
"raw_blueprint": "Blueprint content",
@ -1581,7 +1330,6 @@
"not_exposed_entities": "Not exposed entities",
"title": "Alexa"
},
"caption": "Home Assistant Cloud",
"description_features": "Control home when away and integrate with Alexa and Google Assistant",
"description_login": "Logged in as {email}",
"description_not_login": "Not logged in",
@ -1714,7 +1462,6 @@
"pick_attribute": "Pick an attribute to override",
"picker": {
"documentation": "Customization documentation",
"entity": "Entity",
"header": "Customizations",
"introduction": "Tweak per-entity attributes. Added/edited customizations will take effect immediately. Removed customizations will take effect when the entity is updated."
},
@ -1752,6 +1499,7 @@
"cant_edit": "You can only edit items that are created in the UI.",
"caption": "Devices",
"confirm_delete": "Are you sure you want to delete this device?",
"confirm_disable_config_entry": "There are no more devices for the config entry {entry_name}, do you want to instead disable the config entry?",
"confirm_rename_entity_ids": "Do you also want to rename the entity IDs of your entities?",
"confirm_rename_entity_ids_warning": "This will not change any configuration (like automations, scripts, scenes, dashboards) that is currently using these entities! You will have to update them yourself to use the new entity IDs!",
"data_table": {
@ -1761,7 +1509,6 @@
"integration": "Integration",
"manufacturer": "Manufacturer",
"model": "Model",
"no_area": "No area",
"no_devices": "No devices"
},
"delete": "Delete",
@ -1770,7 +1517,7 @@
"device_not_found": "Device not found.",
"disabled": "Disabled",
"disabled_by": {
"config_entry": "Config Entry",
"config_entry": "Config entry",
"integration": "Integration",
"user": "User"
},
@ -1865,7 +1612,8 @@
},
"filtering": {
"clear": "Clear",
"filtering_by": "Filtering by"
"filtering_by": "Filtering by",
"show": "Show"
},
"header": "Configure Home Assistant",
"helpers": {
@ -1917,42 +1665,9 @@
"source": "Source:",
"system_health_error": "System Health component is not loaded. Add 'system_health:' to configuration.yaml",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Alexa Enabled",
"can_reach_cert_server": "Reach Certificate Server",
"can_reach_cloud": "Reach Home Assistant Cloud",
"can_reach_cloud_auth": "Reach Authentication Server",
"google_enabled": "Google Enabled",
"logged_in": "Logged In",
"relayer_connected": "Relayer Connected",
"remote_connected": "Remote Connected",
"remote_enabled": "Remote Enabled",
"subscription_expiration": "Subscription Expiration"
},
"homeassistant": {
"arch": "CPU Architecture",
"dev": "Development",
"docker": "Docker",
"hassio": "HassOS",
"installation_type": "Installation Type",
"os_name": "Operating System Name",
"os_version": "Operating System Version",
"python_version": "Python Version",
"timezone": "Timezone",
"version": "Version",
"virtualenv": "Virtual Environment"
},
"lovelace": {
"dashboards": "Dashboards",
"mode": "Mode",
"resources": "Resources"
}
},
"manage": "Manage",
"more_info": "more info"
},
"title": "Info"
}
},
"integration_panel_move": {
"link_integration_page": "integrations page",
@ -1966,19 +1681,28 @@
"config_entry": {
"area": "In {area}",
"delete": "Delete",
"delete_button": "Delete {integration}",
"delete_confirm": "Are you sure you want to delete this integration?",
"device_unavailable": "Device unavailable",
"devices": "{count} {count, plural,\n one {device}\n other {devices}\n}",
"disable_restart_confirm": "Restart Home Assistant to finish disabling this integration",
"disable": {
"disable_confirm": "Are you sure you want to disable this config entry? It's devices and entities will be disabled.",
"disabled": "Disabled",
"disabled_by": {
"device": "device",
"integration": "integration",
"user": "user"
},
"disabled_cause": "Disabled by {cause}"
},
"documentation": "Documentation",
"enable_restart_confirm": "Restart Home Assistant to finish enabling this integration",
"entities": "{count} {count, plural,\n one {entity}\n other {entities}\n}",
"entity_unavailable": "Entity unavailable",
"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.",
"options": "Options",
"reload": "Reload",
"reload_confirm": "The integration was reloaded",
@ -1986,9 +1710,7 @@
"rename": "Rename",
"restart_confirm": "Restart Home Assistant to finish removing this integration",
"services": "{count} {count, plural,\n one {service}\n other {services}\n}",
"settings_button": "Edit settings for {integration}",
"system_options": "System options",
"system_options_button": "System options for {integration}",
"unnamed_entry": "Unnamed entry"
},
"config_flow": {
@ -2017,6 +1739,11 @@
"confirm_new": "Do you want to set up {integration}?",
"description": "Manage integrations with services, devices, ...",
"details": "Integration details",
"disable": {
"disabled_integrations": "{number} disabled",
"hide_disabled": "Hide disabled integrations",
"show_disabled": "Show disabled integrations"
},
"discovered": "Discovered",
"home_assistant_website": "Home Assistant website",
"ignore": {
@ -2055,8 +1782,7 @@
"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"
"refresh": "Refresh"
},
"lovelace": {
"caption": "Lovelace Dashboards",
@ -2354,7 +2080,7 @@
"id": "Entity ID",
"id_already_exists": "This ID already exists",
"id_already_exists_save_error": "You can't save this script because the ID is not unique, pick another ID or leave it blank to automatically generate one.",
"introduction": "Use scripts to execute a sequence of actions.",
"introduction": "Use scripts to run a sequence of actions.",
"link_available_actions": "Learn more about available actions.",
"load_error_not_editable": "Only scripts inside scripts.yaml are editable.",
"max": {
@ -2387,8 +2113,7 @@
"learn_more": "Learn more about scripts",
"no_scripts": "We couldnt find any editable scripts",
"run_script": "Run script",
"show_info": "Show info about script",
"trigger_script": "Trigger script"
"show_info": "Show info about script"
}
},
"server_control": {
@ -2482,11 +2207,9 @@
"add_user": {
"caption": "Add user",
"create": "Create",
"name": "Name",
"password": "Password",
"password_confirm": "Confirm Password",
"password_not_match": "Passwords don't match",
"username": "Username"
"password_not_match": "Passwords don't match"
},
"caption": "Users",
"description": "Manage the Home Assistant user accounts",
@ -2530,19 +2253,12 @@
"add_device": "Add Device",
"add_device_page": {
"discovered_text": "Devices will show up here once discovered.",
"discovery_text": "Discovered devices will show up here. Follow the instructions for your device(s) and place the device(s) in pairing mode.",
"header": "Zigbee Home Automation - Add Devices",
"no_devices_found": "No devices were found, make sure they are in paring mode and keep them awake while discovering is running.",
"pairing_mode": "Make sure your devices are in pairing mode. Check the instructions of your device on how to do this.",
"search_again": "Search Again",
"spinner": "Searching for ZHA Zigbee devices..."
},
"add": {
"caption": "Add Devices",
"description": "Add devices to the Zigbee network"
},
"button": "Configure",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "Attributes of the selected cluster",
"get_zigbee_attribute": "Get Zigbee Attribute",
@ -2566,13 +2282,10 @@
"introduction": "Clusters are the building blocks for Zigbee functionality. They separate functionality into logical units. There are client and server types and that are comprised of attributes and commands."
},
"common": {
"add_devices": "Add Devices",
"clusters": "Clusters",
"devices": "Devices",
"manufacturer_code_override": "Manufacturer Code Override",
"value": "Value"
},
"description": "Zigbee Home Automation network management",
"device_pairing_card": {
"CONFIGURED": "Configuration Complete",
"CONFIGURED_status_text": "Initializing",
@ -2583,9 +2296,6 @@
"PAIRED": "Device Found",
"PAIRED_status_text": "Starting Interview"
},
"devices": {
"header": "Zigbee Home Automation - Device"
},
"group_binding": {
"bind_button_help": "Bind the selected group to the selected device clusters.",
"bind_button_label": "Bind Group",
@ -2600,48 +2310,24 @@
"groups": {
"add_group": "Add Group",
"add_members": "Add Members",
"adding_members": "Adding Members",
"caption": "Groups",
"create": "Create Group",
"create_group": "Zigbee Home Automation - Create Group",
"create_group_details": "Enter the required details to create a new zigbee group",
"creating_group": "Creating Group",
"description": "Manage Zigbee groups",
"group_details": "Here are all the details for the selected Zigbee group.",
"group_id": "Group ID",
"group_info": "Group Information",
"group_name_placeholder": "Group Name",
"group_not_found": "Group not found!",
"group-header": "Zigbee Home Automation - Group Details",
"groups": "Groups",
"groups-header": "Zigbee Home Automation - Group Management",
"header": "Zigbee Home Automation - Group Management",
"introduction": "Create and modify zigbee groups",
"manage_groups": "Manage Zigbee Groups",
"members": "Members",
"remove_groups": "Remove Groups",
"remove_members": "Remove Members",
"removing_groups": "Removing Groups",
"removing_members": "Removing Members",
"zha_zigbee_groups": "ZHA Zigbee Groups"
},
"header": "Configure Zigbee Home Automation",
"introduction": "Here it is possible to configure the ZHA component. Not everything is possible to configure from the UI yet, but we're working on it.",
"network_management": {
"header": "Network Management",
"introduction": "Commands that affect the entire network"
"removing_members": "Removing Members"
},
"network": {
"caption": "Network"
},
"node_management": {
"header": "Device Management",
"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.",
"introduction": "Run ZHA commands that affect a single device. Pick a device to see a list of available commands."
},
"title": "Zigbee Home Automation",
"visualization": {
"caption": "Visualization",
"header": "Network Visualization",
@ -2713,7 +2399,6 @@
"header": "Manage your Z-Wave Network",
"home_id": "Home ID",
"introduction": "Manage your Z-Wave network and Z-Wave nodes",
"node_count": "Node Count",
"nodes_ready": "Nodes ready",
"server_version": "Server Version"
},
@ -2750,7 +2435,6 @@
},
"zwave": {
"button": "Configure",
"caption": "Z-Wave",
"common": {
"index": "Index",
"instance": "Instance",
@ -2870,18 +2554,13 @@
},
"services": {
"accepts_target": "This service accepts a target, for example: `entity_id: light.bed_light`",
"alert_parsing_yaml": "Error parsing YAML: {data}",
"all_parameters": "All available parameters",
"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",
"ui_mode": "Go to UI mode",
"yaml_mode": "Go to YAML mode",
@ -2890,6 +2569,7 @@
"states": {
"alert_entity_field": "Entity is a mandatory field",
"attributes": "Attributes",
"copy_id": "Copy ID to clipboard",
"current_entities": "Current entities",
"description1": "Set the representation of a device within Home Assistant.",
"description2": "This will not communicate with the actual device.",
@ -2925,25 +2605,20 @@
}
},
"history": {
"period": "Period",
"ranges": {
"last_week": "Last week",
"this_week": "This week",
"today": "Today",
"yesterday": "Yesterday"
},
"showing_entries": "Showing entries for"
}
},
"logbook": {
"entries_not_found": "No logbook entries found.",
"period": "Period",
"ranges": {
"last_week": "Last week",
"this_week": "This week",
"today": "Today",
"yesterday": "Yesterday"
},
"showing_entries": "Showing entries for"
}
},
"lovelace": {
"add_entities": {
@ -2952,13 +2627,12 @@
"yaml_unsupported": "You cannot use this function when using Lovelace UI in YAML mode."
},
"cards": {
"action_confirmation": "Are you sure you want to exectue action \"{action}\"?",
"actions": {
"action_confirmation": "Are you sure you want to execute action \"{action}\"?",
"action_confirmation": "Are you sure you want to run action \"{action}\"?",
"no_entity_more_info": "No entity provided for more info dialog",
"no_entity_toggle": "No entity provided to toggle",
"no_navigation_path": "No navigation path specified",
"no_service": "No service for execution specified",
"no_service": "No service to run specified",
"no_url": "No URL to open specified"
},
"confirm_delete": "Are you sure you want to delete this card?",
@ -2991,13 +2665,11 @@
"reorder_items": "Reorder items"
},
"starting": {
"description": "Home Assistant is starting, please wait...",
"header": "Home Assistant is starting..."
"description": "Home Assistant is starting, please wait..."
}
},
"changed_toast": {
"message": "The Lovelace UI configuration for this dashboard was updated. Refresh to see changes?",
"refresh": "Refresh"
"message": "The Lovelace UI configuration for this dashboard was updated. Refresh to see changes?"
},
"components": {
"timestamp-display": {
@ -3016,7 +2688,6 @@
"toggle": "Toggle",
"url": "URL"
},
"editor_service_data": "Service data can only be entered in the code editor",
"navigation_path": "Navigation Path",
"url_path": "URL Path"
},
@ -3214,7 +2885,6 @@
},
"sensor": {
"description": "The Sensor card gives you a quick overview of your sensors state with an optional graph to visualize change over time.",
"graph_detail": "Graph Detail",
"graph_type": "Graph Type",
"name": "Sensor",
"show_more_detail": "Show more detail"
@ -3333,7 +3003,7 @@
"confirm_remove_config_text": "We will automatically generate your Lovelace UI views with your areas and devices if you remove your Lovelace UI configuration.",
"confirm_remove_config_title": "Are you sure you want to remove your Lovelace UI configuration?",
"confirm_unsaved_changes": "You have unsaved changes, are you sure you want to exit?",
"confirm_unsaved_comments": "Your configuration contains comment(s), these will not be saved. Do you want to continue?",
"confirm_unsaved_comments": "Your configuration might contains comment(s), these will not be saved. Do you want to continue?",
"error_invalid_config": "Your configuration is not valid: {error}",
"error_parse_yaml": "Unable to parse YAML: {error}",
"error_remove": "Unable to remove configuration: {error}",
@ -3385,7 +3055,6 @@
"configure_ui": "Edit Dashboard",
"exit_edit_mode": "Exit UI edit mode",
"help": "Help",
"refresh": "Refresh",
"reload_resources": "Reload resources",
"start_conversation": "Start conversation"
},
@ -3427,8 +3096,10 @@
},
"my": {
"component_not_loaded": "This redirect is not supported by your Home Assistant instance. You need the integration {integration} to use this redirect.",
"documentation": "documentation",
"error": "An unknown error occured",
"faq_link": "My Home Assistant FAQ",
"no_supervisor": "This redirect is not supported by your Home Assistant installation. It needs either the Home Assistant Operating System or Home Assistant Supervised installation method. For more information, see the {docs_link}.",
"not_supported": "This redirect is not supported by your Home Assistant instance. Check the {link} for the supported redirects and the version they where introduced."
},
"page-authorize": {
@ -3510,8 +3181,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "Your computer is not allowed.",
"not_whitelisted": "Your computer is not whitelisted."
"not_allowed": "Your computer is not allowed."
},
"step": {
"init": {
@ -3664,15 +3334,12 @@
"create": "Create Token",
"create_failed": "Failed to create the access token.",
"created": "Created {date}",
"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.",
"name": "Name",
"not_used": "Has never been used",
"prompt_copy_token": "Copy your access token. It will not be shown again.",
"prompt_name": "Give the token a name"
},
@ -3737,11 +3404,6 @@
},
"shopping_list": {
"start_conversation": "Start conversation"
},
"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": {

View File

@ -141,10 +141,7 @@
},
"integrations": {
"config_entry": {
"area": "En {area}",
"delete_button": "Forigi {integration}",
"settings_button": "Redakti agordojn por {integration}",
"system_options_button": "Sistemaj opcioj por {integration}"
"area": "En {area}"
},
"config_flow": {
"aborted": "Abortigita",
@ -242,8 +239,7 @@
"sequence_sentence": "La sekvenco de agoj de ĉi tiu skribo."
},
"picker": {
"edit_script": "Redakti skripton",
"trigger_script": "Ekruli skripton"
"edit_script": "Redakti skripton"
}
},
"users": {
@ -283,22 +279,9 @@
"help_cluster_dropdown": "Elekti grapolon por vidi atributoj kaj komandoj."
},
"common": {
"add_devices": "Aldoni Aparatojn",
"clusters": "Grapoloj",
"devices": "Aparatoj",
"manufacturer_code_override": "Fabrikkodo Nuligo",
"value": "Valoro"
},
"network_management": {
"header": "Retadministrado",
"introduction": "Komandoj, kiuj efikas sur la tutan reton"
},
"node_management": {
"header": "Administra aparato",
"help_node_dropdown": "Elekti aparato por vidi po-aparato ebloj.",
"hint_battery_devices": "Noto: Dormaj (bateriaj) aparatoj bezonas esti vekitaj kiam vi plenumas komandojn kontraŭ ili. Vi ĝenerale povas veki dormigan aparaton ekigante ĝin.",
"hint_wakeup": "Iuj aparatoj kiel Xiaomi-sensiloj havas butonon de vekiĝo, kiun vi povas premi je ~ 5 duaj intertempoj, kiuj tenas aparatojn vekitaj dum vi interagas kun ili.",
"introduction": "Ruli ZHA-komandojn, kiuj efikas al unuopa aparato. Elektu aparaton por vidi liston de disponeblaj komandoj."
}
},
"zwave": {
@ -336,17 +319,12 @@
"type": "Eventa Tipo"
},
"services": {
"alert_parsing_yaml": "Eraro dum analizado de YAML: {data}",
"call_service": "Voka Servo",
"column_description": "Priskribo",
"column_example": "Ekzemplo",
"column_parameter": "Parametro",
"data": "Servaj Datumoj (YAML, nedeviga)",
"description": "La ilo de servo programisto permesas vin vokas ajn servon haveblan en Home Assistant",
"fill_example_data": "Plenigi Ekzemplajn Datumojn",
"no_description": "Neniu priskribo haveblas",
"no_parameters": "Ĉi tiu servo prenas neniujn parametrojn.",
"select_service": "Elektu servon por vidi la priskribon"
"fill_example_data": "Plenigi Ekzemplajn Datumojn"
},
"states": {
"alert_entity_field": "Ento estas deviga kampo",
@ -373,9 +351,6 @@
}
}
},
"logbook": {
"entries_not_found": "Neniu taglibroj eniroj trovis."
},
"lovelace": {
"cards": {
"confirm_delete": "Ĉu vi certas, ke vi volas forigi ĉi tiun karton?"

File diff suppressed because it is too large Load Diff

View File

@ -95,253 +95,11 @@
}
},
"state": {
"alarm_control_panel": {
"armed": "Armada",
"armed_away": "Armada ausente",
"armed_custom_bypass": "Armada Zona Específica",
"armed_home": "Armada en casa",
"armed_night": "Armada noche",
"arming": "Armando",
"disarmed": "Desarmada",
"disarming": "Desarmando",
"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"
},
"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": "No detectado",
"on": "Detectado"
},
"occupancy": {
"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"
},
"sound": {
"off": "No detectado",
"on": "Detectado"
},
"vibration": {
"off": "No detectado",
"on": "Detectado"
},
"window": {
"off": "Cerrada",
"on": "Abierta"
}
},
"calendar": {
"off": "Apagado",
"on": "Encendido"
},
"camera": {
"idle": "Inactivo",
"recording": "Grabando",
"streaming": "Transmitiendo"
},
"climate": {
"cool": "Frío",
"dry": "Deshumidificador",
"fan_only": "Sólo ventilador",
"heat": "Calor",
"heat_cool": "Calor/Frío",
"off": "Apagado"
},
"configurator": {
"configure": "Configurar",
"configured": "Configurado"
},
"cover": {
"closed": "Cerrado",
"closing": "Cerrando",
"open": "Abierto",
"opening": "Abriendo",
"stopped": "Detenido"
},
"default": {
"off": "Apagado",
"on": "Encendido",
"unavailable": "No disponible",
"unknown": "Desconocido"
},
"device_tracker": {
"not_home": "Fuera de casa"
},
"fan": {
"off": "Apagado",
"on": "Encendido"
},
"group": {
"closed": "Cerrado",
"closing": "Cerrando",
"home": "En casa",
"locked": "Bloqueado",
"not_home": "Fuera de casa",
"off": "Apagado",
"ok": "OK",
"on": "Encendido",
"open": "Abierto",
"opening": "Abriendo",
"problem": "Problema",
"stopped": "Detenido",
"unlocked": "Desbloqueado"
},
"input_boolean": {
"off": "Apagado",
"on": "Encendido"
},
"light": {
"off": "Apagado",
"on": "Encendido"
},
"lock": {
"locked": "Bloqueado",
"unlocked": "Desbloqueado"
},
"media_player": {
"idle": "Inactivo",
"off": "Apagado",
"on": "Encendido",
"paused": "En pausa",
"playing": "Reproduciendo",
"standby": "Apagado"
},
"person": {
"home": "Casa"
},
"plant": {
"ok": "OK",
"problem": "Problema"
},
"remote": {
"off": "Apagado",
"on": "Encendido"
},
"scene": {
"scening": "En escena"
},
"script": {
"off": "Apagado",
"on": "Encendido"
},
"sensor": {
"off": "Apagado",
"on": "Encendido"
},
"sun": {
"above_horizon": "Sobre el horizonte",
"below_horizon": "Bajo el horizonte"
},
"switch": {
"off": "Apagado",
"on": "Encendido"
},
"timer": {
"active": "activo",
"idle": "inactivo",
"paused": "pausado"
},
"vacuum": {
"cleaning": "Limpiando",
"docked": "En base",
"error": "Error",
"idle": "Inactivo",
"off": "Apagada",
"on": "Encendida",
"paused": "En pausa",
"returning": "Volviendo a la base"
},
"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"
},
"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": {
@ -442,8 +200,7 @@
},
"script": {
"cancel": "Cancelar",
"cancel_multiple": "Cancelar {number}",
"execute": "Ejecutar"
"cancel_multiple": "Cancelar {number}"
},
"service": {
"run": "Ejecutar"
@ -538,6 +295,19 @@
"yes": "Sí"
},
"components": {
"addon-picker": {
"addon": "Complemento",
"error": {
"fetch_addons": {
"description": "La obtención de complementos devolvió un error.",
"title": "Error al obtener complementos"
},
"no_supervisor": {
"description": "No se encontró ningún supervisor, por lo que no se pudieron cargar los complementos.",
"title": "Sin supervisor"
}
}
},
"area-picker": {
"add_dialog": {
"add": "Añadir",
@ -630,7 +400,6 @@
"media-browser": {
"audio_not_supported": "Tu navegador no es compatible con el elemento de audio.",
"choose_player": "Elige reproductor",
"choose-source": "Elige la fuente",
"class": {
"album": "Álbum",
"app": "Aplicación",
@ -653,13 +422,6 @@
"url": "URL",
"video": "Vídeo"
},
"content-type": {
"album": "Álbum",
"artist": "Artista",
"library": "Biblioteca",
"playlist": "Lista de reproducción",
"server": "Servidor"
},
"documentation": "documentación",
"learn_adding_local_media": "Aprende más sobre cómo añadir contenido multimedia en la {documentation}.",
"local_media_files": "Coloca tus archivos de vídeo, audio e imagen en el directorio multimedia para poder navegar y reproducirlos en el navegador o en los reproductores compatibles.",
@ -701,7 +463,6 @@
"second": "{count} {count, plural,\none {segundo}\nother {segundos}\n}",
"week": "{count} {count, plural,\none {semana}\nother {semanas}\n}"
},
"future": "En {time}",
"future_duration": {
"day": "dentro de {count} {count, plural,\none {día}\nother {días}\n}",
"hour": "dentro de {count} {count, plural,\none {hora}\nother {horas}\n}",
@ -711,7 +472,6 @@
},
"just_now": "Ahora mismo",
"never": "Nunca",
"past": "Hace {time}",
"past_duration": {
"day": "Hace {count} {count, plural,\none {día}\nother {días}\n}",
"hour": "Hace {count} {count, plural,\none {hora}\nother {horas}\n}",
@ -722,9 +482,9 @@
},
"service-control": {
"required": "Este campo es obligatorio",
"service_data": "Datos de servicio",
"target": "Objetivo",
"target_description": "¿A qué debería dirigirse esta llamada de servicio?"
"service_data": "Datos del servicio",
"target": "Objetivos",
"target_description": "¿Qué debería utilizar este servicio como áreas, dispositivos o entidades objetivo?"
},
"service-picker": {
"service": "Servicio"
@ -734,7 +494,7 @@
"add_device_id": "Seleccionar dispositivo",
"add_entity_id": "Seleccionar entidad",
"expand_area_id": "Expande este área en los dispositivos y entidades independientes que contiene. Después de expandirse, no actualizará los dispositivos y entidades cuando cambie el área.",
"expand_device_id": "Expande este dispositivo en entidades separadas. Después de expandirse, no actualizará las entidades cuando cambie el dispositivo.",
"expand_device_id": "Expande este dispositivo en las entidades independientes que contiene. Después de expandirse, no actualizará las entidades cuando cambie el dispositivo.",
"remove_area_id": "Eliminar área",
"remove_device_id": "Eliminar dispositivo",
"remove_entity_id": "Eliminar entidad"
@ -847,7 +607,6 @@
"crop": "Recortar"
},
"more_info_control": {
"controls": "Controles",
"cover": {
"close_cover": "Cerrar persiana",
"close_tile_cover": "Cerrar la inclinación de la persiana",
@ -932,7 +691,6 @@
"logs": "Registros",
"lovelace": "Paneles de Control Lovelace",
"navigate_to": "Navegar a {panel}",
"navigate_to_config": "Navegar a la configuración de {panel}",
"person": "Personas",
"scene": "Escenas",
"script": "Scripts",
@ -1015,9 +773,7 @@
},
"unknown": "Desconocido",
"zha_device_card": {
"area_picker_label": "Área",
"device_name_placeholder": "Cambiar el nombre del dispositivo",
"update_name_button": "Cambiar nombre"
"device_name_placeholder": "Cambiar el nombre del dispositivo"
}
}
},
@ -1061,10 +817,6 @@
"triggered": "Activado {name}"
},
"panel": {
"calendar": {
"my_calendars": "Mis calendarios",
"today": "Hoy"
},
"config": {
"advanced_mode": {
"hint_enable": "¿Faltan opciones de configuración? Activa el modo avanzado",
@ -1158,7 +910,7 @@
"event": {
"event": "Evento:",
"label": "Disparar evento",
"service_data": "Datos de servicio"
"service_data": "Datos del servicio"
},
"repeat": {
"label": "Repetir",
@ -1182,8 +934,7 @@
"label": "Activar escena"
},
"service": {
"label": "Llamar servicio",
"service_data": "Datos de servicio"
"label": "Llamar servicio"
},
"wait_for_trigger": {
"continue_timeout": "Continuar tras el límite de tiempo",
@ -1203,8 +954,6 @@
"blueprint": {
"blueprint_to_use": "Plano a usar",
"header": "Plano",
"inputs": "Entradas",
"manage_blueprints": "Administra los planos",
"no_blueprints": "No tienes ningún plano",
"no_inputs": "Este plano no tiene ninguna entrada."
},
@ -1459,7 +1208,6 @@
"header": "Importar un plano",
"import_btn": "Vista previa del plano",
"import_header": "Plano \"{name}\"",
"import_introduction": "Puedes importar planos de otros usuarios desde Github y los foros de la comunidad. Introduce la URL del plano a continuación.",
"import_introduction_link": "Puedes importar planos de otros usuarios desde Github y {community_link}. Introduce la URL del plano a continuación.",
"importing": "Cargando plano...",
"raw_blueprint": "Contenido del plano",
@ -1581,7 +1329,6 @@
"not_exposed_entities": "Entidades no expuestas",
"title": "Alexa"
},
"caption": "Nube Home Assistant",
"description_features": "Controla tu hogar cuando estés fuera e intégralo con Alexa y Google Assistant",
"description_login": "Has iniciado sesión como {email}",
"description_not_login": "No has iniciado sesión",
@ -1714,7 +1461,6 @@
"pick_attribute": "Selecciona un atributo para anular",
"picker": {
"documentation": "Documentación de personalización",
"entity": "Entidad",
"header": "Personalizaciones",
"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."
},
@ -1752,6 +1498,7 @@
"cant_edit": "Solo puedes editar los elementos que se crean en la interfaz de usuario.",
"caption": "Dispositivos",
"confirm_delete": "¿Estás seguro de que quieres eliminar este dispositivo?",
"confirm_disable_config_entry": "No hay más dispositivos para la entrada de configuración {entry_name}, ¿quieres deshabilitar la entrada de configuración?",
"confirm_rename_entity_ids": "¿También quieres renombrar los IDs de entidad de tus entidades?",
"confirm_rename_entity_ids_warning": "Esto no cambiará ninguna configuración (como automatizaciones, scripts, escenas, paneles de control) que estén utilizando actualmente estas entidades. Tendrás que actualizarlas tú mismo para utilizar los nuevos IDs de entidad.",
"data_table": {
@ -1761,7 +1508,6 @@
"integration": "Integración",
"manufacturer": "Fabricante",
"model": "Modelo",
"no_area": "Ningún área",
"no_devices": "Sin dispositivos"
},
"delete": "Eliminar",
@ -1865,7 +1611,8 @@
},
"filtering": {
"clear": "Limpiar",
"filtering_by": "Filtrando por"
"filtering_by": "Filtrando por",
"show": "Mostrar"
},
"header": "Configurar Home Assistant",
"helpers": {
@ -1917,42 +1664,9 @@
"source": "Fuente:",
"system_health_error": "El componente Estado del Sistema no está cargado. Añade 'system_health:' a configuration.yaml",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Alexa habilitada",
"can_reach_cert_server": "Servidor de Certificados accesible",
"can_reach_cloud": "Home Assistant Cloud accesible",
"can_reach_cloud_auth": "Servidor de Autenticación accesible",
"google_enabled": "Google habilitado",
"logged_in": "Iniciada sesión",
"relayer_connected": "Relayer conectado",
"remote_connected": "Remoto conectado",
"remote_enabled": "Remoto habilitado",
"subscription_expiration": "Caducidad de la suscripción"
},
"homeassistant": {
"arch": "Arquitectura de CPU",
"dev": "Desarrollo",
"docker": "Docker",
"hassio": "HassOS",
"installation_type": "Tipo de instalación",
"os_name": "Nombre del Sistema Operativo",
"os_version": "Versión del Sistema Operativo",
"python_version": "Versión de Python",
"timezone": "Zona horaria",
"version": "Versión",
"virtualenv": "Entorno virtual"
},
"lovelace": {
"dashboards": "Paneles de control",
"mode": "Modo",
"resources": "Recursos"
}
},
"manage": "Administrar",
"more_info": "más información"
},
"title": "Información"
}
},
"integration_panel_move": {
"link_integration_page": "página de integraciones",
@ -1966,19 +1680,28 @@
"config_entry": {
"area": "En {area}",
"delete": "Eliminar",
"delete_button": "Eliminar {integration}",
"delete_confirm": "¿Estás seguro de que quieres eliminar esta integración?",
"device_unavailable": "Dispositivo no disponible",
"devices": "{count} {count, plural,\n one {dispositivo}\n other {dispositivos}\n}",
"disable_restart_confirm": "Reinicia Home Assistant para terminar de deshabilitar esta integración",
"disable": {
"disable_confirm": "¿Estás seguro de que deseas deshabilitar esta entrada de configuración? Sus dispositivos y entidades estarán deshabilitados.",
"disabled": "Deshabilitada",
"disabled_by": {
"device": "dispositivo",
"integration": "integración",
"user": "usuario"
},
"disabled_cause": "Deshabilitada por {cause}"
},
"documentation": "Documentación",
"enable_restart_confirm": "Reinicia Home Assistant para terminar de habilitar esta integración",
"entities": "{count} {count, plural,\n one {entidad}\n other {entidades}\n}",
"entity_unavailable": "Entidad no disponible",
"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.",
"options": "Opciones",
"reload": "Recargar",
"reload_confirm": "La integración se ha recargado",
@ -1986,9 +1709,7 @@
"rename": "Renombrar",
"restart_confirm": "Reinicia Home Assistant para terminar de eliminar esta integración.",
"services": "{count} {count, plural,\n one {servicio}\n other {servicios}\n}",
"settings_button": "Editar configuración para {integration}",
"system_options": "Opciones del sistema",
"system_options_button": "Opciones del sistema para {integration}",
"unnamed_entry": "Entrada sin nombre"
},
"config_flow": {
@ -2017,6 +1738,11 @@
"confirm_new": "¿Quieres configurar {integration}?",
"description": "Gestiona integraciones con servicios, dispositivos, ...",
"details": "Detalles de la integración",
"disable": {
"disabled_integrations": "{number} deshabilitadas",
"hide_disabled": "Ocultar integraciones deshabilitadas",
"show_disabled": "Mostrar integraciones deshabilitadas"
},
"discovered": "Descubierto",
"home_assistant_website": "Sitio web de Home Assistant",
"ignore": {
@ -2055,8 +1781,7 @@
"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"
"refresh": "Actualizar"
},
"lovelace": {
"caption": "Paneles de Control Lovelace",
@ -2387,8 +2112,7 @@
"learn_more": "Aprende más sobre los scripts",
"no_scripts": "No hemos encontrado ningún script editable",
"run_script": "Ejecutar script",
"show_info": "Mostrar información sobre el script",
"trigger_script": "Script de desencadenante"
"show_info": "Mostrar información sobre el script"
}
},
"server_control": {
@ -2482,11 +2206,9 @@
"add_user": {
"caption": "Añadir usuario",
"create": "Crear",
"name": "Nombre",
"password": "Contraseña",
"password_confirm": "Confirmar contraseña",
"password_not_match": "Las contraseñas no coinciden",
"username": "Nombre de usuario"
"password_not_match": "Las contraseñas no coinciden"
},
"caption": "Usuarios",
"description": "Administra las cuentas de usuario de Home Assistant",
@ -2530,19 +2252,12 @@
"add_device": "Añadir dispositivo",
"add_device_page": {
"discovered_text": "Los dispositivos aparecerán aquí una vez descubiertos.",
"discovery_text": "Los dispositivos detectados aparecerán aquí. Ponlos en modo emparejamiento siguiendo sus instrucciones.",
"header": "Domótica Zigbee - Añadir dispositivos",
"no_devices_found": "No se encontraron dispositivos, asegúrate de que están en modo de emparejamiento y mantenlos despiertos mientras el descubrimiento se está ejecutando.",
"pairing_mode": "Asegúrate de que tus dispositivos están en modo de emparejamiento. Consulta las instrucciones de tu dispositivo sobre cómo hacerlo.",
"search_again": "Buscar de nuevo",
"spinner": "Buscando dispositivos ZHA Zigbee...."
},
"add": {
"caption": "Añadir dispositivos",
"description": "Añadir dispositivos a la red Zigbee"
},
"button": "Configurar",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "Atributos del clúster seleccionado",
"get_zigbee_attribute": "Obtener atributo de Zigbee",
@ -2566,13 +2281,10 @@
"introduction": "Los clústeres son los bloques de construcción para la funcionalidad de Zigbee. Separan la funcionalidad en unidades lógicas. Hay tipos de cliente y de servidor y se componen de atributos y comandos."
},
"common": {
"add_devices": "Añadir dispositivos",
"clusters": "Clústeres",
"devices": "Dispositivos",
"manufacturer_code_override": "Anulación del código del fabricante",
"value": "Valor"
},
"description": "Administración de red de Domótica Zigbee",
"device_pairing_card": {
"CONFIGURED": "Configuración completada",
"CONFIGURED_status_text": "Inicializando",
@ -2583,9 +2295,6 @@
"PAIRED": "Dispositivo encontrado",
"PAIRED_status_text": "Iniciando entrevista"
},
"devices": {
"header": "Domótica Zigbee - Dispositivo"
},
"group_binding": {
"bind_button_help": "Vincula el grupo seleccionado a los clústeres de dispositivos seleccionados.",
"bind_button_label": "Vincular grupo",
@ -2600,48 +2309,24 @@
"groups": {
"add_group": "Añadir grupo",
"add_members": "Añadir miembros",
"adding_members": "Agregar miembros",
"caption": "Grupos",
"create": "Crear un grupo",
"create_group": "Domótica Zigbee - Crear grupo",
"create_group_details": "Introduce los detalles necesarios para crear un nuevo grupo de zigbee",
"creating_group": "Creación de grupo",
"description": "Administra los grupos Zigbee.",
"group_details": "Aquí están todos los detalles del grupo Zigbee seleccionado.",
"group_id": "ID de grupo",
"group_info": "Información del grupo",
"group_name_placeholder": "Nombre del grupo",
"group_not_found": "¡Grupo no encontrado!",
"group-header": "Domótica Zigbee - Detalles de grupo",
"groups": "Grupos",
"groups-header": "Domótica Zigbee - Administración de grupos",
"header": "Domótica Zigbee - Administración de grupos",
"introduction": "Crea y modifica grupos de zigbee",
"manage_groups": "Administrar grupos Zigbee",
"members": "Miembros",
"remove_groups": "Eliminar grupos",
"remove_members": "Eliminar miembros",
"removing_groups": "Eliminar grupos",
"removing_members": "Eliminando miembros",
"zha_zigbee_groups": "Grupos ZHA Zigbee"
},
"header": "Configurar domótica Zigbee",
"introduction": "Aquí puedes configurar el componente ZHA. Aun no es posible configurar todo desde la interfaz de usuario, pero estamos trabajando en ello.",
"network_management": {
"header": "Administración de la red",
"introduction": "Comandos que afectan a toda la red."
"removing_members": "Eliminando miembros"
},
"network": {
"caption": "Red"
},
"node_management": {
"header": "Administración de dispositivos",
"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.",
"introduction": "Ejecuta comandos ZHA que afecten a un único dispositivo. Elije un dispositivo para ver una lista de comandos disponibles."
},
"title": "Domótica Zigbee",
"visualization": {
"caption": "Visualización",
"header": "Visualización de la red",
@ -2713,7 +2398,6 @@
"header": "Administra tu red Z-Wave",
"home_id": "ID de casa",
"introduction": "Administra tu red Z-Wave y los nodos Z-Wave",
"node_count": "Recuento de nodos",
"nodes_ready": "Nodos listos",
"server_version": "Versión del servidor"
},
@ -2750,7 +2434,6 @@
},
"zwave": {
"button": "Configurar",
"caption": "Z-Wave",
"common": {
"index": "Índice",
"instance": "Instancia",
@ -2870,18 +2553,13 @@
},
"services": {
"accepts_target": "Este servicio acepta un objetivo, por ejemplo: `entity_id: light.luz_dormitorio`",
"alert_parsing_yaml": "Error al analizar YAML: {data}",
"all_parameters": "Todos los parámetros disponibles",
"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",
"ui_mode": "Ir al modo IU",
"yaml_mode": "Ir al modo YAML",
@ -2890,6 +2568,7 @@
"states": {
"alert_entity_field": "Entidad es un campo obligatorio",
"attributes": "Atributos",
"copy_id": "Copiar ID al portapapeles",
"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.",
@ -2925,25 +2604,20 @@
}
},
"history": {
"period": "Periodo",
"ranges": {
"last_week": "La semana pasada",
"this_week": "Esta semana",
"today": "Hoy",
"yesterday": "Ayer"
},
"showing_entries": "Mostrando entradas del"
}
},
"logbook": {
"entries_not_found": "No se han encontrado entradas en el registro.",
"period": "Periodo",
"ranges": {
"last_week": "La semana pasada",
"this_week": "Esta semana",
"today": "Hoy",
"yesterday": "Ayer"
},
"showing_entries": "Mostrando entradas del"
}
},
"lovelace": {
"add_entities": {
@ -2952,7 +2626,6 @@
"yaml_unsupported": "No puedes usar esta función cuando usas la IU Lovelace en modo YAML."
},
"cards": {
"action_confirmation": "¿Estás seguro de que deseas ejecutar la acción \"{action}\"?",
"actions": {
"action_confirmation": "¿Estás seguro de que deseas ejecutar la acción \"{action}\"?",
"no_entity_more_info": "No se proporcionó ninguna entidad para el diálogo de más información",
@ -2991,13 +2664,11 @@
"reorder_items": "Reordenar artículos"
},
"starting": {
"description": "Home Assistant está iniciando, espera por favor...",
"header": "Home Assistant se está iniciando..."
"description": "Home Assistant está iniciando, espera por favor..."
}
},
"changed_toast": {
"message": "La configuración de la IU Lovelace para este panel de control se ha actualizado. ¿Quieres recargar para ver los cambios?",
"refresh": "Actualizar"
"message": "La configuración de la IU Lovelace para este panel de control se ha actualizado. ¿Quieres recargar para ver los cambios?"
},
"components": {
"timestamp-display": {
@ -3016,7 +2687,6 @@
"toggle": "Alternar",
"url": "URL"
},
"editor_service_data": "Los datos del servicio sólo pueden ser introducidos en el editor de código",
"navigation_path": "Ruta de navegación",
"url_path": "Ruta de la URL"
},
@ -3214,7 +2884,6 @@
},
"sensor": {
"description": "La tarjeta Sensor te ofrece una visión general rápida del estado de tus sensores con un gráfico opcional para visualizar los cambios a lo largo del tiempo.",
"graph_detail": "Detalle del gráfico",
"graph_type": "Tipo de gráfico",
"name": "Sensor",
"show_more_detail": "Mostrar más detalles"
@ -3333,7 +3002,7 @@
"confirm_remove_config_text": "Generaremos automáticamente tus vistas de la IU Lovelace con tus áreas y dispositivos si eliminas tu configuración de Lovelace.",
"confirm_remove_config_title": "¿Estás seguro de que deseas eliminar tu configuración de la IU Lovelace?",
"confirm_unsaved_changes": "Tienes cambios sin guardar, ¿estás seguro de que quieres salir?",
"confirm_unsaved_comments": "Tu configuración contiene comentarios, estos no serán guardados. ¿Quieres continuar?",
"confirm_unsaved_comments": "Es posible que tu configuración contenga comentarios, estos no se guardarán. ¿Quieres continuar?",
"error_invalid_config": "Tu configuración no es válida: {error}",
"error_parse_yaml": "No se puede analizar YAML: {error}",
"error_remove": "No se puede eliminar la configuración: {error}",
@ -3385,7 +3054,6 @@
"configure_ui": "Editar panel de control",
"exit_edit_mode": "Salir del modo de edición de la interfaz de usuario",
"help": "Ayuda",
"refresh": "Actualizar",
"reload_resources": "Recargar recursos",
"start_conversation": "Iniciar conversación"
},
@ -3427,8 +3095,10 @@
},
"my": {
"component_not_loaded": "Esta redirección no es compatible con tu instancia de Home Assistant. Necesitas la integración {integration} para usar este redireccionamiento.",
"documentation": "documentación",
"error": "Se ha producido un error desconocido",
"faq_link": "Preguntas frecuentes sobre mi Home Assistant",
"no_supervisor": "Esta redirección no es compatible con tu instalación de Home Assistant. Necesita el sistema operativo Home Assistant o el método de instalación de Home Assistant supervisado. Para obtener más información, consulta el {docs_link} .",
"not_supported": "Esta redirección no es compatible con tu instancia de Home Assistant. Consulta el {link} para conocer las redirecciones admitidas y la versión en la que se introdujeron."
},
"page-authorize": {
@ -3510,8 +3180,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "Tu equipo no está permitido.",
"not_whitelisted": "Tu equipo no está en la lista de autorizados."
"not_allowed": "Tu equipo no está permitido."
},
"step": {
"init": {
@ -3664,15 +3333,12 @@
"create": "Crear Token",
"create_failed": "No se ha podido crear el token de acceso.",
"created": "Creado {date}",
"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.",
"name": "Nombre",
"not_used": "Nunca ha sido usado",
"prompt_copy_token": "Copia tu token de acceso. No se mostrará de nuevo.",
"prompt_name": "Dale un nombre al token"
},
@ -3737,11 +3403,6 @@
},
"shopping_list": {
"start_conversation": "Iniciar conversación"
},
"shopping-list": {
"add_item": "Añadir artículo",
"clear_completed": "Borrado completado",
"microphone_tip": "Toca el micrófono en la parte superior derecha y di o escribe \"Añadir caramelos a mi lista de compras\""
}
},
"sidebar": {

View File

@ -95,253 +95,11 @@
}
},
"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"
},
"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"
},
"occupancy": {
"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"
},
"sound": {
"off": "Puudub",
"on": "Tuvastatud"
},
"vibration": {
"off": "Puudub",
"on": "Tuvastatud"
},
"window": {
"off": "Suletud",
"on": "Avatud"
}
},
"calendar": {
"off": "Väljas",
"on": "Sees"
},
"camera": {
"idle": "Ootel",
"recording": "Salvestab",
"streaming": "Voogedastab"
},
"climate": {
"cool": "Jahuta",
"dry": "Kuiv",
"fan_only": "Ainult ventilaator",
"heat": "Soojenda",
"heat_cool": "Küta/jahuta",
"off": "Väljas"
},
"configurator": {
"configure": "Seadista",
"configured": "Seadistatud"
},
"cover": {
"closed": "Suletud",
"closing": "Sulgub",
"open": "Avatud",
"opening": "Avaneb",
"stopped": "Peatatud"
},
"default": {
"off": "Väljas",
"on": "Sees",
"unavailable": "Kadunud",
"unknown": "Teadmata"
},
"device_tracker": {
"not_home": "Eemal"
},
"fan": {
"off": "Väljas",
"on": "Sees"
},
"group": {
"closed": "Suletud",
"closing": "Sulgub",
"home": "Kodus",
"locked": "Lukus",
"not_home": "Eemal",
"off": "Väljas",
"ok": "OK",
"on": "Sees",
"open": "Avatud",
"opening": "Avaneb",
"problem": "Probleem",
"stopped": "Peatunud",
"unlocked": "Lukustamata"
},
"input_boolean": {
"off": "Väljas",
"on": "Sees"
},
"light": {
"off": "Väljas",
"on": "Sees"
},
"lock": {
"locked": "Lukus",
"unlocked": "Lahti"
},
"media_player": {
"idle": "Ootel",
"off": "Väljas",
"on": "Sees",
"paused": "Peatatud",
"playing": "Mängib",
"standby": "Unerežiimil"
},
"person": {
"home": "Kodus"
},
"plant": {
"ok": "OK",
"problem": "Probleem"
},
"remote": {
"off": "Väljas",
"on": "Sees"
},
"scene": {
"scening": "Stseenis"
},
"script": {
"off": "Väljas",
"on": "Sees"
},
"sensor": {
"off": "Väljas",
"on": "Sees"
},
"sun": {
"above_horizon": "Tõusnud",
"below_horizon": "Loojunud"
},
"switch": {
"off": "Väljas",
"on": "Sees"
},
"timer": {
"active": "aktiivne",
"idle": "ootel",
"paused": "peatatud"
},
"vacuum": {
"cleaning": "Puhastamine",
"docked": "Dokitud",
"error": "Viga",
"idle": "Ootel",
"off": "Väljas",
"on": "Sees",
"paused": "Peatatud",
"returning": "Pöördun tagasi dokki"
},
"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"
},
"zwave": {
"default": {
"dead": "Surnud",
"initializing": "Lähtestan",
"ready": "Valmis",
"sleeping": "Ootel"
},
"query_stage": {
"dead": "Surnud ({query_stage})",
"initializing": "Lähtestan ( {query_stage} )"
}
}
},
"ui": {
@ -442,8 +200,7 @@
},
"script": {
"cancel": "Loobu",
"cancel_multiple": "Loobu {number}",
"execute": "Täida"
"cancel_multiple": "Loobu {number}"
},
"service": {
"run": "Käivita"
@ -538,6 +295,19 @@
"yes": "Jah"
},
"components": {
"addon-picker": {
"addon": "Lisandmoodul",
"error": {
"fetch_addons": {
"description": "Lisandmoodulite hankimine andis vea.",
"title": "Viga lisandmoodulite hankimisel"
},
"no_supervisor": {
"description": "Supervisorit ei leitud, seega ei saanud lisandmooduleid laadida.",
"title": "Supervisor puudub"
}
}
},
"area-picker": {
"add_dialog": {
"add": "Lisa",
@ -630,7 +400,6 @@
"media-browser": {
"audio_not_supported": "Teie brauser ei toeta helielementi.",
"choose_player": "Vali meediamängija",
"choose-source": "Vali allikas",
"class": {
"album": "Album",
"app": "Rakendus",
@ -653,13 +422,6 @@
"url": "",
"video": "Video"
},
"content-type": {
"album": "Album",
"artist": "Esitaja",
"library": "Teek",
"playlist": "Esitusloend",
"server": "Server"
},
"documentation": "dokumentatsioon",
"learn_adding_local_media": "Lisateavet meedia lisamise kohta leiate {documentation} .",
"local_media_files": "Asetage oma video-, heli- ja pildifailid meediumikataloogi, et saaksite neid sirvida ja taasesitada brauseris või toetatud meediumipleierites.",
@ -701,7 +463,6 @@
"second": "{count} {count, plural,\n one {sekund}\n other {sekundit}\n}",
"week": "{count} {count, plural,\n one {nädala}\n other {nädala}\n}"
},
"future": "{time} pärast",
"future_duration": {
"day": "{count} {count, plural,\n one {päeva}\n other {päeva}\n} pärast",
"hour": "{count} {count, plural,\n one {tunni}\n other {tunni}\n} pärast",
@ -711,7 +472,6 @@
},
"just_now": "Just praegu",
"never": "Iial",
"past": "{time} tagasi",
"past_duration": {
"day": "{count} {count, plural,\n one {päeva}\n other {päeva}\n} eest",
"hour": "{count} {count, plural,\n one {tunni}\n other {tunni}\n} eest",
@ -723,8 +483,8 @@
"service-control": {
"required": "See väli on nõutav",
"service_data": "Teenuse andmed",
"target": "Sihtmärk",
"target_description": "Mida peaks see teenus välja kutsuma"
"target": "Eesmärgid",
"target_description": "Mida see teenus peaks välja kutsuma: alad, seadmed ja olemid."
},
"service-picker": {
"service": "Teenus"
@ -733,8 +493,8 @@
"add_area_id": "Vali ala",
"add_device_id": "Vali seade",
"add_entity_id": "Vali olem",
"expand_area_id": "Laienda seda ala eraldi seadmetesse jaolemitesse mis sellesse kuuluvad. Pärast laiendamist ei värskendata seadmeid ja olemeid, kui ala muutub.",
"expand_device_id": "Laienda seda seadet eraldi olemitesse. Pärast laiendamist ei värskendata olemeid, kui seade muutub.",
"expand_area_id": "Laienda seda ala eraldi seadmetesse ja olemitesse mis sellesse kuuluvad. Pärast laiendamist ei värskendata seadmeid ja olemeid, kui ala muutub.",
"expand_device_id": "Laienda seda seadet eraldi olemitesse. Pärast laiendamist ei värskendata olemeid kui seade muutub.",
"remove_area_id": "Eemalda ala",
"remove_device_id": "Eemalda seade",
"remove_entity_id": "Eemalda olem"
@ -847,7 +607,6 @@
"crop": "Kärbi"
},
"more_info_control": {
"controls": "Juhtelemendid",
"cover": {
"close_cover": "Sulge kate",
"close_tile_cover": "Sulge katte ribid",
@ -932,7 +691,6 @@
"logs": "Logid",
"lovelace": "Lovelace vaated",
"navigate_to": "Mine vaatesse {panel}",
"navigate_to_config": "Mine vaate {panel} sätetesse",
"person": "Isikud",
"scene": "Stseenid",
"script": "Scriptid",
@ -1015,9 +773,7 @@
},
"unknown": "Teadmata",
"zha_device_card": {
"area_picker_label": "Ala",
"device_name_placeholder": "Muuda seadme nime",
"update_name_button": "Värskenda nime"
"device_name_placeholder": "Muuda seadme nime"
}
}
},
@ -1061,10 +817,6 @@
"triggered": "Käivitati {name}"
},
"panel": {
"calendar": {
"my_calendars": "Minu kalendrid",
"today": "Täna"
},
"config": {
"advanced_mode": {
"hint_enable": "Konfiguratsioonisuvandid puuduvad ? Lülitage täpsem režiim sisse",
@ -1182,8 +934,7 @@
"label": "Aktiveeri stseen"
},
"service": {
"label": "Kutsu teenus",
"service_data": "Teenuse andmed"
"label": "Kutsu teenus"
},
"wait_for_trigger": {
"continue_timeout": "Jätka pärast aegumist",
@ -1203,8 +954,6 @@
"blueprint": {
"blueprint_to_use": "Kasutatav kavand",
"header": "",
"inputs": "Sisendid",
"manage_blueprints": "Kavandite haldamine",
"no_blueprints": "Kavandid puuduvad",
"no_inputs": "Sellel kavandil puuduvad sisendid."
},
@ -1459,7 +1208,6 @@
"header": "Impordi kavand",
"import_btn": "Kavandi eelvaade",
"import_header": "Kavand \"{name}\"",
"import_introduction": "Teiste kasutajate kavandeid saad importida Githubist ja kogukonna foorumitest. Sisesta allpool kavandi URL.",
"import_introduction_link": "Teiste kasutajate kavandeid saad importida Githubist ja lehelt {community_link}. Sisesta allpool kavandi URL.",
"importing": "Kavandi laadimine...",
"raw_blueprint": "Kavandi sisu",
@ -1581,7 +1329,6 @@
"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",
@ -1714,7 +1461,6 @@
"pick_attribute": "Vali muudetav atribuut",
"picker": {
"documentation": "Kohandamiste dokumentatsioon",
"entity": "Olem",
"header": "Kohandamine",
"introduction": "Kohanda olemi atribuute. Lisatud või muudetud kohandused rakenduvad kohe. Eemaldatud kohandused rakenduvad olemi värskendamisel."
},
@ -1752,6 +1498,7 @@
"cant_edit": "Saate muuta ainult kasutajaliideses loodud üksusi.",
"caption": "Seadmed",
"confirm_delete": "Oled kindel, et soovid selle seadme kustutada?",
"confirm_disable_config_entry": "Seadistuskirje {entry_name} jaoks pole enam seadmeid. Kas soovid selle asemel seadistuskirje keelata?",
"confirm_rename_entity_ids": "Kas soovid ka oma olemite ID-d ümber nimetada?",
"confirm_rename_entity_ids_warning": "See ei muuda ühtegi konfiguratsiooni (nt. automatiseerimised, skriptid, stseenid, Lovelace) mis neid olemeid praegu kasutab. Peate neid ise värskendama.",
"data_table": {
@ -1761,7 +1508,6 @@
"integration": "Sidumine",
"manufacturer": "Tootja",
"model": "Mudel",
"no_area": "Ala puudub",
"no_devices": "Seadmeid pole"
},
"delete": "Kustuta",
@ -1865,7 +1611,8 @@
},
"filtering": {
"clear": "Puhasta",
"filtering_by": "Filtreeri"
"filtering_by": "Filtreeri",
"show": "Kuva"
},
"header": "Home Assistant'i seadistamine",
"helpers": {
@ -1917,42 +1664,9 @@
"source": "Allikas:",
"system_health_error": "Süsteemi seisundi komponenti ei laadita. Lisage \"system_health:\" configuration.yaml",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Alexa on lubatud",
"can_reach_cert_server": "Ühendus serdiserveriga",
"can_reach_cloud": "Ühendus Home Assistant Cloudiga",
"can_reach_cloud_auth": "Ühendus tuvastusserveriga",
"google_enabled": "Google on lubatud",
"logged_in": "Sisse logitud",
"relayer_connected": "Edastaja on ühendatud",
"remote_connected": "Kaugühendus on loodud",
"remote_enabled": "Kaugühendus on lubatud",
"subscription_expiration": "Tellimuse aegumine"
},
"homeassistant": {
"arch": "Protsessori arhitektuur",
"dev": "Arendus",
"docker": "",
"hassio": "",
"installation_type": "Paigalduse tüüp",
"os_name": "Operatsioonisüsteemi nimi",
"os_version": "Operatsioonisüsteemi versioon",
"python_version": "Pythoni versioon",
"timezone": "Ajavöönd",
"version": "Versioon",
"virtualenv": "Virtuaalne keskkond"
},
"lovelace": {
"dashboards": "Vaated",
"mode": "Režiim",
"resources": "Ressursse"
}
},
"manage": "Halda",
"more_info": "rohkem infot"
},
"title": "Info"
}
},
"integration_panel_move": {
"link_integration_page": "Sidumiste leht",
@ -1966,19 +1680,28 @@
"config_entry": {
"area": "alas {area}",
"delete": "Kustuta",
"delete_button": "Kustuta {integration}",
"delete_confirm": "Oled kindel, et soovid selle sidumise kustutada?",
"device_unavailable": "Seade pole saadaval",
"devices": "{count} {count, plural,\n one {seade}\n other {seadet}\n}",
"disable_restart_confirm": "Taaskäivita Home Assistant, et lõpetada selle sidumise keelamine",
"disable": {
"disable_confirm": "Kas soovid selle seadistuskirje kindlasti keelata? Selle seadmed ja üksused keelatakse.",
"disabled": "Keelatud",
"disabled_by": {
"device": "seade",
"integration": "sidumine",
"user": "kasutaja"
},
"disabled_cause": "Keelatud {cause} põhjusel"
},
"documentation": "Vaata dokumentatsiooni",
"enable_restart_confirm": "Selle sidumise lubamise lõpetamiseks taaskäivita Home Assistant",
"entities": "{count} {count, plural,\n one {olem}\n other{olemit}\n}",
"entity_unavailable": "Olem pole saadaval",
"firmware": "Püsivara: {version}",
"hub": "Ühendatud",
"manuf": "{manufacturer}",
"no_area": "Ala puudub",
"no_device": "Olemid ilma seadmeteta",
"no_devices": "See sidumine ei hõlma ühtegi seadet",
"options": "Valikud",
"reload": "Taaslae",
"reload_confirm": "Sidumine on taaslaetud",
@ -1986,9 +1709,7 @@
"rename": "Nimeta ümber",
"restart_confirm": "Selle sidumise lõplikuks eemaldamiseks taaskäivita Home Assistant",
"services": "{count} {count, plural,\n one {teenus}\n other {teenust}\n}",
"settings_button": "Muuda {integration} seadeid",
"system_options": "Süsteemisuvandid",
"system_options_button": "{integration} süsteemisuvandid",
"unnamed_entry": "Nimetu kanne"
},
"config_flow": {
@ -2017,6 +1738,11 @@
"confirm_new": "Kas soovid seadistada sidumist {integration}?",
"description": "Halda teenuste, seadmete jne. sidumisi",
"details": "Sidumise üksikasjad",
"disable": {
"disabled_integrations": "{number} keelatut",
"hide_disabled": "Peida keelatud sidumised",
"show_disabled": "Kuva keelatud sidumised"
},
"discovered": "Leitud",
"home_assistant_website": "Home Assistant veebisait",
"ignore": {
@ -2055,8 +1781,7 @@
"multiple_messages": "teavitus esines esmakordselt kell {time} ja on ilmnenud {counter} korda",
"no_errors": "Vigadest pole teatatud.",
"no_issues": "Uusi probleeme pole!",
"refresh": "Värskenda",
"title": "Logid"
"refresh": "Värskenda"
},
"lovelace": {
"caption": "Lovelace vaated",
@ -2387,8 +2112,7 @@
"learn_more": "Lisateave skriptide kohta",
"no_scripts": "Me ei leidnud ühtegi redigeeritavat skripti",
"run_script": "Käivita skript",
"show_info": "Kuva stseeni teave",
"trigger_script": "Käivita skript"
"show_info": "Kuva stseeni teave"
}
},
"server_control": {
@ -2482,11 +2206,9 @@
"add_user": {
"caption": "Lisa kasutaja",
"create": "Loo",
"name": "Nimi",
"password": "Salasõna",
"password_confirm": "Kinnita salasõna",
"password_not_match": "Salasõnad ei ühti",
"username": "Kasutajanimi"
"password_not_match": "Salasõnad ei ühti"
},
"caption": "Kasutajad",
"description": "Halda kasutakontosid",
@ -2530,19 +2252,12 @@
"add_device": "Lisa seade",
"add_device_page": {
"discovered_text": "Seadmed ilmuvad siia kui nad avastatakse.",
"discovery_text": "Leitud seadmed kuvatakse siin. Järgi seadme(te) juhiseid ja pan seade või seadmed sidumisrežiimile.",
"header": "Zigbee Home Automation - seadmete lisamine",
"no_devices_found": "Seadmeid ei leitud. Veendu, et need on paaritamise režiimis ja hoidke neid ärkvel kuni avastamine käib.",
"pairing_mode": "Veendu, et seadmed oleksid sidumisrežiimis. Kuidas seda teha vaata oma seadme juhendist.",
"search_again": "Otsi uuesti",
"spinner": "ZHA Zigbee seadmete otsimine ..."
},
"add": {
"caption": "Lisa seadmeid",
"description": "Lisa seadmeid Zigbee võrku"
},
"button": "Seadista",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "Valitud klastri atribuudid",
"get_zigbee_attribute": "Hangi Zigbee atribuut",
@ -2566,13 +2281,10 @@
"introduction": "Klastrid on Zigbee funktsioonide alustalad. Need eraldavad funktsioonid loogilisteks üksusteks. On kliendi ja serveri tüübid ja mis koosnevad atribuutidest ja käskudest."
},
"common": {
"add_devices": "Lisa seadmeid",
"clusters": "Klastrid",
"devices": "Seadmed",
"manufacturer_code_override": "Tootja koodi alistamine",
"value": "Väärtus"
},
"description": "Zigbee Home Automation võrgu haldamine",
"device_pairing_card": {
"CONFIGURED": "Seadistamine on lõpetatud",
"CONFIGURED_status_text": "Lähtestan",
@ -2583,9 +2295,6 @@
"PAIRED": "Seade on leitud",
"PAIRED_status_text": "Alustan küsitlemist"
},
"devices": {
"header": "Zigbee Home Automation - Seade"
},
"group_binding": {
"bind_button_help": "Seo valitud rühm valitud seadmeklastritega.",
"bind_button_label": "Seo rühm",
@ -2600,48 +2309,24 @@
"groups": {
"add_group": "Lisa grupp",
"add_members": "Lisa liikmeid",
"adding_members": "Liikmete lisamine",
"caption": "Grupid",
"create": "Loo grupp",
"create_group": "Zigbee Home Automation - Loo grupp",
"create_group_details": "Sisesta uue Zigbee grupi loomiseks vajalikud üksikasjad.",
"creating_group": "Loon gruppi",
"description": "Loo ja muuda Zigbee gruppe",
"group_details": "Siin on kõik valitud Zigbee rühma üksikasjad.",
"group_id": "Grupi ID",
"group_info": "Grupi teave",
"group_name_placeholder": "Grupi nimi",
"group_not_found": "Gruppi ei leitud!",
"group-header": "Zigbee Home Automation - Grupi üksikasjad",
"groups": "Grupid",
"groups-header": "Zigbee Home Automation - Gruppide haldamine",
"header": "Zigbee Home Automation - Gruppide haldamine",
"introduction": "Loo ja muuda Zigbee gruppe",
"manage_groups": "Halda Zigbee gruppe",
"members": "Liikmed",
"remove_groups": "Eemalda gruppe",
"remove_members": "Eemalda liikmeid",
"removing_groups": "Gruppide eemaldamine",
"removing_members": "Liikmete eemaldamine",
"zha_zigbee_groups": "ZHA Zigbee grupid"
},
"header": "Zigbee Home Automation seadistamine",
"introduction": "Siin on võimalik konfigureerida ZHA seade. Kõiki ei saa veel kasutajaliidese kaudu seadistada kuid me töötame selle kallal.",
"network_management": {
"header": "Võrgu haldamine",
"introduction": "Kogu võrku mõjutavad käsud"
"removing_members": "Liikmete eemaldamine"
},
"network": {
"caption": "Võrk"
},
"node_management": {
"header": "Seadme haldus",
"help_node_dropdown": "Vali seade mida soovid seadmepõhiselt vaadata.",
"hint_battery_devices": "Märkus. Unised (akutoitega) seadmed peavad olema ärkvel kui saadate neile käske. Üldiselt saad unise seadme äratada seda käivitadades.",
"hint_wakeup": "Mõnel seadmel (näiteks Xiaomi anduritel) on äratusnupp mida saate vajutada ~ 5-sekundiliste intervallidega ja mis hoiab seadmeid ärkvel kui te nendega suhtlete.",
"introduction": "Käivita ZHA käsud, mis mõjutavad ühte seadet. Saadaolevate käskude loendi kuvamiseks vali seade."
},
"title": "Zigbee Home Automation",
"visualization": {
"caption": "Visualiseerimine",
"header": "Võrgu visualiseerimine",
@ -2713,7 +2398,6 @@
"header": "Halda oma Z-Wave'i võrku",
"home_id": "Kodu ID",
"introduction": "Halda oma Z-Wave'i võrgustikku ja Z-Wave'i sõlmi",
"node_count": "Sõlmede arv",
"nodes_ready": "Valmisolevad sõlmed",
"server_version": "Serveri versioon"
},
@ -2750,7 +2434,6 @@
},
"zwave": {
"button": "Seadista",
"caption": "Z-Wave",
"common": {
"index": "Indeks",
"instance": "Eksemplar",
@ -2870,18 +2553,13 @@
},
"services": {
"accepts_target": "See teenus aktsepteerib sihtmärki, näiteks: \"entity_id: light.elutuba\"",
"alert_parsing_yaml": "Viga YAML'i parsimisel: {data}",
"all_parameters": "Kõik saadaolevad parameetrid",
"call_service": "Kutsu teenus",
"column_description": "Kirjeldus",
"column_example": "Näide",
"column_parameter": "Parameeter",
"data": "Teenuse andmed (YAML, valikuline)",
"description": "Teenuse arendamise tööriist võimaldab Teil kutsuda mis tahes teenuse Home Assistantis.",
"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",
"ui_mode": "Ava kasutajaliidese režiim",
"yaml_mode": "Redigeeri YAML-is",
@ -2890,6 +2568,7 @@
"states": {
"alert_entity_field": "Olem on kohustuslik väli",
"attributes": "Atribuudid",
"copy_id": "Kopeeri ID lõikepuhvrisse",
"current_entities": "Praegused olemid",
"description1": "Seadke seadme esitus Home Assistendis.",
"description2": "See ei suhtle tegeliku seadmega.",
@ -2925,25 +2604,20 @@
}
},
"history": {
"period": "Periood",
"ranges": {
"last_week": "Eelmine nädal",
"this_week": "See nädal",
"today": "Täna",
"yesterday": "Eile"
},
"showing_entries": "Näitan kuupäeva"
}
},
"logbook": {
"entries_not_found": "Logiraamatu kandeid ei leitud.",
"period": "Periood",
"ranges": {
"last_week": "Eelmine nädal",
"this_week": "See nädal",
"today": "Täna",
"yesterday": "Eile"
},
"showing_entries": "Näitan kuupäeva"
}
},
"lovelace": {
"add_entities": {
@ -2952,7 +2626,6 @@
"yaml_unsupported": "Seda funktsiooni ei saa kasutada kui kasutad Lovelace'i YAML-i režiimis."
},
"cards": {
"action_confirmation": "Kas sooviid kindlasti teha toimingu \"{action}\"?",
"actions": {
"action_confirmation": "Kas soovid kindlasti käivitada toimingu ''{action}''?",
"no_entity_more_info": "Lisateabe kuvamise olem puudub",
@ -2991,13 +2664,11 @@
"reorder_items": "Telli kaubad uuesti"
},
"starting": {
"description": "Home Assistant käivitub, palun oota...",
"header": "Home Assistant käivitub veel..."
"description": "Home Assistant käivitub, palun oota..."
}
},
"changed_toast": {
"message": "Lovelace'i seadeid uuendati. Kas soovid värskendada?",
"refresh": "Värskenda"
"message": "Lovelace'i seadeid uuendati. Kas soovid värskendada?"
},
"components": {
"timestamp-display": {
@ -3016,7 +2687,6 @@
"toggle": "Muuda olekut",
"url": "URL"
},
"editor_service_data": "Teenuse andmeid saab sisestada ainult koodiredaktoris",
"navigation_path": "Navigeerimistee",
"url_path": "URL-i tee"
},
@ -3214,7 +2884,6 @@
},
"sensor": {
"description": "Anduri kaart annab teile kiire ülevaate andurite olekust koos valikulise graafikuga, et visualiseerida muutusi ajas.",
"graph_detail": "Graafiku üksikasjad",
"graph_type": "Graafiku tüüp",
"name": "Andur",
"show_more_detail": "Kuva rohkem üksikasju"
@ -3333,7 +3002,7 @@
"confirm_remove_config_text": "Kui eemaldate Lovelace UI konfiguratsiooni loome teie Lovelace UI vaated automaatselt teie alade ja seadmetega.",
"confirm_remove_config_title": "Kas soovite kindlasti oma Lovelace kasutajaliidese konfiguratsiooni eemaldada?",
"confirm_unsaved_changes": "Sul on salvestamata muudatusi. Oled kindel, et soovid väljuda?",
"confirm_unsaved_comments": "Teie konfiguratsioon sisaldab kommentaare, neid ei salvestata. Kas sa tahad jätkata?",
"confirm_unsaved_comments": "Konfiguratsioon sisaldab kommentaare, neid ei salvestata. Kas tahad jätkata?",
"error_invalid_config": "Teie konfiguratsioonis on vigane: {error}",
"error_parse_yaml": "YAML-i ei saa parsida: {error}",
"error_remove": "Konfiguratsiooni ei saa eemaldada: {error}",
@ -3385,7 +3054,6 @@
"configure_ui": "Seadista kasutajaliidest",
"exit_edit_mode": "Välju kasutajaliidese redigeerimisrežiimist",
"help": "Abi",
"refresh": "Värskenda",
"reload_resources": "Taaslae ressursid",
"start_conversation": "Alusta vestlust"
},
@ -3427,8 +3095,10 @@
},
"my": {
"component_not_loaded": "Home Assistant ei toeta seda ümbersuunamist. Selle ümbersuunamise kasutamiseks on vaja sidumist {integration}.",
"documentation": "dokumentatsioon",
"error": "Ilmnes tundmatu viga",
"faq_link": "Home Assistanti My sidumise KKK",
"no_supervisor": "Home Assistanti paigaldus ei toeta seda ümbersuunamist. See vajab kas HASS OS või Supevisoril installimise meetodit. Lisateavet leiad teemast {docs_link}.",
"not_supported": "Home Assistant ei toeta seda ümbersuunamist. Kontrolli kas {link} on toetatud ümbersuunamiseks ja nende kasutusele võetud HA versiooni."
},
"page-authorize": {
@ -3510,8 +3180,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "Sinu arvuti ei ole lubatute nimekirjas.",
"not_whitelisted": "Sinu arvuti ei ole lubatute nimekirjas."
"not_allowed": "Sinu arvuti ei ole lubatute nimekirjas."
},
"step": {
"init": {
@ -3664,15 +3333,12 @@
"create": "Loo juurdepääsutõend",
"create_failed": "Juurdepääsutõendi loomine ebaõnnestus.",
"created": "Loodud {date}",
"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.",
"name": "Juurdepääsutõendi nimi",
"not_used": "Pole kunagi kasutatud",
"prompt_copy_token": "Kopeeri oma juurdepääsutõend. Seda ei näidata rohkem.",
"prompt_name": "Pane pikaajalisele juurdepääsutõendile nimi"
},
@ -3737,11 +3403,6 @@
},
"shopping_list": {
"start_conversation": "Alusta vestlust"
},
"shopping-list": {
"add_item": "Lisa toode",
"clear_completed": "Tühjenda täidetud",
"microphone_tip": "Puuduta paremas ülanurgas asuvat mikrofoni ikooni ja ütle: \"Add candy to my shopping list\""
}
},
"sidebar": {

View File

@ -40,194 +40,9 @@
}
},
"state": {
"alarm_control_panel": {
"pending": "Zain",
"triggered": "Abiarazita"
},
"automation": {
"off": "Itzalita",
"on": "Piztuta"
},
"binary_sensor": {
"battery": {
"off": "Normala",
"on": "Baxua"
},
"cold": {
"off": "Normala",
"on": "Hotza"
},
"connectivity": {
"off": "Deskonektatuta",
"on": "Konektatuta"
},
"default": {
"off": "Itzalita",
"on": "Piztuta"
},
"door": {
"off": "Itxita",
"on": "Ireki"
},
"garage_door": {
"off": "Itxita",
"on": "Ireki"
},
"heat": {
"off": "Normala",
"on": "Beroa"
},
"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": {
"off": "Itzalita",
"on": "Piztuta"
},
"camera": {
"recording": "Grabatzen"
},
"climate": {
"cool": "Hotza",
"dry": "Lehorra",
"fan_only": "Haizagailua bakarrik",
"heat": "Beroa",
"off": "Itzalita"
},
"configurator": {
"configure": "Konfiguratu",
"configured": "Konfiguratuta"
},
"cover": {
"closed": "Itxita",
"closing": "Ixten",
"open": "Irekita",
"opening": "Irekitzen",
"stopped": "Geldituta"
},
"default": {
"unavailable": "Ez dago erabilgarri",
"unknown": "Ezezaguna"
},
"device_tracker": {
"not_home": "Kanpoan"
},
"fan": {
"off": "Itzalita",
"on": "Piztuta"
},
"group": {
"closed": "Itxita",
"closing": "Ixten",
"home": "Etxean",
"not_home": "Kanpoan",
"off": "Itzalita",
"ok": "Itzalita",
"on": "Piztuta",
"open": "Ireki",
"opening": "Irekitzen",
"problem": "Arazoa",
"stopped": "Geldirik"
},
"input_boolean": {
"off": "Itzalita",
"on": "Piztuta"
},
"light": {
"off": "Itzalita",
"on": "Piztuta"
},
"media_player": {
"off": "Itzalita",
"on": "Piztuta"
},
"person": {
"home": "Etxean"
},
"plant": {
"ok": "Itzalita",
"problem": "Arazoa"
},
"remote": {
"off": "Itzalita",
"on": "Piztuta"
},
"script": {
"off": "Itzalita",
"on": "Piztuta"
},
"sensor": {
"off": "Itzalita",
"on": "Piztuta"
},
"sun": {
"above_horizon": "Horizonte gainetik",
"below_horizon": "Horizonte azpitik"
},
"switch": {
"off": "Itzalita",
"on": "Piztuta"
},
"vacuum": {
"cleaning": "Garbitzen",
"docked": "Basean",
"error": "Errorea",
"off": "Itzalita",
"on": "Piztuta",
"returning": "Basera itzultzen"
},
"weather": {
"clear-night": "Garbia, gaua",
"cloudy": "Hodeitsua",
"fog": "Lainoa",
"hail": "Txingorra",
"lightning": "Tximistak",
"lightning-rainy": "Tximistak, euritsua",
"partlycloudy": "Ostarteak",
"pouring": "Botatzen",
"rainy": "Euritsua",
"snowy": "Elurtsua",
"snowy-rainy": "Elurtsua, euritsua",
"sunny": "Eguzkitsua",
"windy": "Haizetsua",
"windy-variant": "Haizetsua"
},
"zwave": {
"default": {
"dead": "Hilda",
"initializing": "Hasieratzen",
"ready": "Prest",
"sleeping": "Lotan"
},
"query_stage": {
"dead": "Ez du erantzuten ({query_stage})",
"initializing": "Hasieratzen ({query_stage})"
}
}
},
"ui": {
@ -273,9 +88,6 @@
"scene": {
"activate": "Aktibatu"
},
"script": {
"execute": "Exekutatu"
},
"vacuum": {
"actions": {
"resume_cleaning": "Garbitzen jarraitu",
@ -335,9 +147,7 @@
"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}"
"never": "Inoiz"
},
"service-picker": {
"service": "Zerbitzua"
@ -526,7 +336,6 @@
}
},
"cloud": {
"caption": "Home Assistant Cloud",
"description_login": "{email} bezala hasi duzu saioa",
"description_not_login": "Ez da saioa hasi"
},
@ -560,9 +369,7 @@
"caption": "Integrazioak",
"config_entry": {
"firmware": "Firmware: {version}",
"no_area": "Ez dago gunerik",
"no_device": "Gailurik gabeko entitateak",
"no_devices": "Integrazio honek ez du gailurik."
"no_area": "Ez dago gunerik"
},
"config_flow": {
"external_step": {
@ -596,9 +403,7 @@
"add_user": {
"caption": "Erabiltzailea gehitu",
"create": "Sortu",
"name": "Izena",
"password": "Pasahitza",
"username": "Erabiltzaile izena"
"password": "Pasahitza"
},
"caption": "Erabiltzaileak",
"description": "Erabiltzaileak kudeatu",
@ -612,13 +417,10 @@
},
"zha": {
"add_device_page": {
"header": "Zigbee Home Automation - Gailuak Gehitu",
"spinner": "ZHA Zigbee gailuak bilatzen..."
},
"caption": "ZHA"
}
},
"zwave": {
"caption": "Z-Wave",
"node_config": {
"set_config_parameter": "Ezarri konfigurazio-parametroa"
}
@ -640,9 +442,6 @@
}
}
},
"logbook": {
"period": "Epea"
},
"lovelace": {
"cards": {
"empty_state": {
@ -695,8 +494,7 @@
},
"menu": {
"configure_ui": "Erabiltzaile interfazea konfiguratu",
"help": "Laguntza",
"refresh": "Freskatu"
"help": "Laguntza"
},
"warning": {
"entity_non_numeric": "Entitatea ez da zenbakizkoa: {entity}",
@ -750,8 +548,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "Zure ordenagailua ez dago baimenduta.",
"not_whitelisted": "Zure ordenagailua ez dago baimenduta."
"not_allowed": "Zure ordenagailua ez dago baimenduta."
},
"step": {
"init": {
@ -816,7 +613,6 @@
"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?"
},
@ -847,10 +643,6 @@
"header": "Gaia",
"link_promo": "Gaiei buruz gehiago ikasi"
}
},
"shopping-list": {
"add_item": "Artikulua gehitu",
"clear_completed": "Osatutakoak ezabatu"
}
},
"sidebar": {

View File

@ -92,253 +92,11 @@
}
},
"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": "روشن"
},
"door": {
"off": "بسته",
"on": "باز"
},
"garage_door": {
"off": "بسته",
"on": "باز"
},
"gas": {
"off": "عادی",
"on": "شناسایی شد"
},
"heat": {
"off": "عادی",
"on": "داغ"
},
"lock": {
"off": "قفل",
"on": "باز"
},
"moisture": {
"off": "خشک",
"on": "مرطوب"
},
"motion": {
"off": "عادی",
"on": "شناسایی شد"
},
"occupancy": {
"off": "عادی",
"on": "شناسایی شد"
},
"opening": {
"off": "بسته شده",
"on": "باز"
},
"presence": {
"off": "بیرون",
"on": "خانه"
},
"problem": {
"off": "خوب",
"on": "مشکل"
},
"safety": {
"off": "امن",
"on": "نا امن"
},
"smoke": {
"off": "عادی",
"on": "شناسایی شد"
},
"sound": {
"off": "عادی",
"on": "شناسایی شد"
},
"vibration": {
"off": "پاک کردن",
"on": "شناسایی شد"
},
"window": {
"off": "بسته",
"on": "باز"
}
},
"calendar": {
"off": "غیرفعال",
"on": "روشن"
},
"camera": {
"idle": "بیکار",
"recording": "در حال ضبط",
"streaming": "در حال پخش"
},
"climate": {
"cool": "خنک",
"dry": "خشک",
"fan_only": "فقط پنکه",
"heat": "حرارت",
"heat_cool": "Incalzire/Racire",
"off": "خاموش"
},
"configurator": {
"configure": "پیکربندی",
"configured": "پیکربندی شده"
},
"cover": {
"closed": "بسته شده",
"closing": "در حال بسته شدن",
"open": "باز",
"opening": "در حال باز شدن",
"stopped": "متوقف"
},
"default": {
"off": "خاموش",
"on": "روشن",
"unavailable": "غیرقابل دسترس",
"unknown": "نامشخص"
},
"device_tracker": {
"not_home": "بیرون"
},
"fan": {
"off": "خاموش",
"on": "روشن"
},
"group": {
"closed": "بسته",
"closing": "در حال بسته شدن",
"home": "خانه",
"locked": "قفل شده",
"not_home": "بیرون",
"off": "خاموش",
"ok": "خوب",
"on": "روشن",
"open": "باز",
"opening": "در حال باز شدن",
"problem": "مشکل",
"stopped": "متوقف",
"unlocked": "باز"
},
"input_boolean": {
"off": "غیرفعال",
"on": "روشن"
},
"light": {
"off": "خاموش",
"on": "روشن"
},
"lock": {
"locked": "قفل شده",
"unlocked": "باز"
},
"media_player": {
"idle": "بیکار",
"off": "خاموش",
"on": "روشن",
"paused": "در حالت مکث",
"playing": "در حال پخش",
"standby": "آماده به کار"
},
"person": {
"home": "خانه"
},
"plant": {
"ok": "خوب",
"problem": "مشکل"
},
"remote": {
"off": "خاموش",
"on": "روشن"
},
"scene": {
"scening": "صحنه"
},
"script": {
"off": "خاموش",
"on": "فعال"
},
"sensor": {
"off": "خاموش",
"on": "فعال"
},
"sun": {
"above_horizon": "بالای افق",
"below_horizon": "زیر افق"
},
"switch": {
"off": "خاموش",
"on": "روشن"
},
"timer": {
"active": "فعال",
"idle": "بیکار ",
"paused": "متوقف شد"
},
"vacuum": {
"cleaning": "تمیز کردن",
"docked": "متصل",
"error": "خطا",
"idle": "بیکار",
"off": "غیر فعال",
"on": "فغال",
"paused": "مکث",
"returning": "در حال بازگشت به خانه"
},
"weather": {
"clear-night": "پاک، شب",
"cloudy": "ابری",
"exceptional": "Exceptional",
"fog": "مه",
"hail": "تگرگ",
"lightning": "رعد و برق",
"lightning-rainy": "رعد و برق ، بارانی",
"partlycloudy": "نیمه ابری",
"pouring": "ریختن",
"rainy": "بارانی",
"snowy": "برفی",
"snowy-rainy": "برفی، بارانی",
"sunny": "آفتابی",
"windy": "باد",
"windy-variant": "باد"
},
"zwave": {
"default": {
"dead": "مرده",
"initializing": "در حال آماده شدن",
"ready": "آماده",
"sleeping": "در حال خواب"
},
"query_stage": {
"dead": "مرده ({query_stage})",
"initializing": "در حال آماده شدن ( {query_stage} )"
}
}
},
"ui": {
@ -431,8 +189,7 @@
},
"script": {
"cancel": "لغو",
"cancel_multiple": "لغو {number}",
"execute": "اجرا کردن"
"cancel_multiple": "لغو {number}"
},
"service": {
"run": "اجرا"
@ -552,13 +309,6 @@
"no_history_found": "هیچ تاریخ وضعیتی پیدا نشد."
},
"media-browser": {
"content-type": {
"album": "آلبوم",
"artist": "هنرمند",
"library": "کتابخانه",
"playlist": "لیست پخش",
"server": "سرور"
},
"play": "پخش",
"play-media": "پخش رسانه ها"
},
@ -575,9 +325,7 @@
"second": "{count} {count, plural,\n one {ثانیه}\n other {ثانیه ها}\n}",
"week": "{count} {count, plural,\n one {هفته}\n other {هفته ها}\n}"
},
"future": "در {time}",
"never": "هرگز",
"past": "{time} قبل"
"never": "هرگز"
},
"service-picker": {
"service": "سرویس"
@ -722,9 +470,7 @@
"zigbee_information": "مشاهده اطلاعات Zigbee دستگاه."
},
"zha_device_card": {
"area_picker_label": "Zona",
"device_name_placeholder": "Prenume utilizator",
"update_name_button": "Actualizeaza nume"
"device_name_placeholder": "Prenume utilizator"
}
}
},
@ -750,10 +496,6 @@
"service_call_failed": "تماس با سرویس {service} ناموفق بود"
},
"panel": {
"calendar": {
"my_calendars": "تقویم های من",
"today": "امروز"
},
"config": {
"areas": {
"caption": "ناحیه ها",
@ -827,8 +569,7 @@
"label": "Activeaza scena"
},
"service": {
"label": "خدمات فراخوانی",
"service_data": "داده های خدمات"
"label": "خدمات فراخوانی"
},
"wait_template": {
"label": "صبر کنید",
@ -839,9 +580,6 @@
"unsupported_action": "بدون پشتیبانی رابط کاربری برای عمل: {action}"
},
"alias": "نام",
"blueprint": {
"inputs": "ورودی ها"
},
"conditions": {
"add": "اضافه کردن شرط",
"delete": "حذف",
@ -1081,7 +819,6 @@
"alexa": {
"title": "Alexa"
},
"caption": "فضای ابری home assistant",
"description_features": "کنترل کردن از خانه، یکپارچه با الکسا و Google Assistant.",
"description_login": "وارد شده به عنوان {email}",
"description_not_login": "وارد نشده اید",
@ -1327,8 +1064,7 @@
"integrations": "یکپارچگی",
"issues": "موضوعات",
"server": "سرور",
"source": "Sursa:",
"title": "اطلاعات"
"source": "Sursa:"
},
"integrations": {
"add_integration": "اضافه کردن ادغام",
@ -1342,8 +1078,6 @@
"hub": "اتصال از طریق",
"manuf": "توسط {manufacturer}",
"no_area": "بدون منطقه",
"no_device": "نهادهای بدون دستگاه",
"no_devices": "این یکپارچگی هیچ دستگاهی ندارد.",
"options": "گزینه ها",
"rename": "تغییر نام",
"restart_confirm": "برای حذف کامل این یکپارچگی home assistant را دوباره راهاندازی کنید.",
@ -1386,8 +1120,7 @@
},
"introduction": "در اینجا می توانید اجزای خود و صفحه اصلی دستیار را پیکربندی کنید.فعلا ویرایش همه چیز از طریق ویرایش بصری امکان پذیر نیست ، اما ما داریم روی اون کار می کنیم.",
"logs": {
"refresh": "تازه کن",
"title": "وقایع"
"refresh": "تازه کن"
},
"lovelace": {
"dashboards": {
@ -1534,8 +1267,7 @@
},
"learn_more": "Afla mai multe despre scripturi",
"no_scripts": "Nu s-au gasit scripturi editabile",
"show_info": "نمایش اطلاعات در مورد اسکریپت",
"trigger_script": "Declanseaza script"
"show_info": "نمایش اطلاعات در مورد اسکریپت"
}
},
"server_control": {
@ -1580,9 +1312,7 @@
"add_user": {
"caption": "افزودن کاربر",
"create": "ایجاد",
"name": "نام",
"password": "رمز عبور",
"username": "نام کاربری"
"password": "رمز عبور"
},
"caption": "کاربران",
"description": "مدیریت کاربران",
@ -1617,21 +1347,12 @@
"zha": {
"add_device": "افزودن دستگاه",
"add_device_page": {
"discovery_text": "دستگاه های کشف شده در اینجا نشان داده می شوند. دستورالعمل های دستگاه (های) خود را دنبال کنید و دستگاه (های) را در حالت جفت قرار دهید.",
"header": "اتوماسیون خانگی Zigbee - افزودن دستگاه ها",
"search_again": "جستجوی مجدد",
"spinner": "جستجو برای دستگاه های ZHY Zigbee ..."
},
"add": {
"caption": "Adauga dispozitive"
},
"caption": "ZHA",
"common": {
"add_devices": "افزودن دستگاهها",
"devices": "دستگاه ها",
"value": "مقدار"
},
"description": "صفحه اصلی اتوماسیون مدیریت شبکه Zigbee",
"device_pairing_card": {
"CONFIGURED_status_text": "راه اندازی",
"PAIRED": "دستگاه پیدا شد"
@ -1639,7 +1360,6 @@
"groups": {
"add_group": "افزودن گروه",
"add_members": "Adauga membri",
"adding_members": "Se adauga membri",
"create": "Creaza grup",
"create_group": "Zigbee Home Automation - ایجاد گروه",
"creating_group": "Se creaza grup",
@ -1647,24 +1367,13 @@
"group_info": "Informatii Grup",
"group_name_placeholder": "Nume grup",
"group_not_found": "Nu s-a gasit grup!",
"header": "Zigbee Home Automation - مدیریت گروه",
"introduction": "Creaza si editeaza grupuri zigbee",
"members": "Membri",
"remove_groups": "Elimina grupuri",
"remove_members": "Elimina membri",
"removing_groups": "Se elimina grupuri",
"removing_members": "Se elimina membri"
},
"network_management": {
"header": "مدیریت شبکه",
"introduction": "دستوراتی که روی کل شبکه تأثیر می گذارند"
},
"network": {
"caption": "شبکه"
},
"node_management": {
"header": "مدیریت دستگاه"
},
"visualization": {
"caption": "تجسم",
"header": "شبکه بصری",
@ -1690,7 +1399,6 @@
},
"zwave": {
"button": "پیکربندی",
"caption": "Z-Wave",
"common": {
"index": "Index",
"instance": "نمونه، مثال",
@ -1744,9 +1452,6 @@
"column_description": "Descriere",
"column_example": "Exemplu",
"column_parameter": "Parametru",
"no_description": "Nu este disponibila nicio descriere",
"no_parameters": "Acest serviciu nu accepta parametri",
"select_service": "Selecteaza un serviciu pentru a-i vedea descrierea",
"title": "خدمات"
},
"states": {
@ -1771,24 +1476,19 @@
}
},
"history": {
"period": "دوره زمانی",
"ranges": {
"this_week": "این هفته",
"today": "امروز",
"yesterday": "دیروز"
},
"showing_entries": "نمایش نوشته ها برای"
}
},
"logbook": {
"entries_not_found": "Nu s-au gasit intrari in logbook",
"period": "دوره",
"ranges": {
"last_week": "هفته گذشته",
"this_week": "این هفته",
"today": "امروز",
"yesterday": "دیروز"
},
"showing_entries": "نمایش نامه برای"
}
},
"lovelace": {
"add_entities": {
@ -1797,7 +1497,6 @@
"yaml_unsupported": "شما نمی توانید از این عملکرد هنگام استفاده از UI Lovelace در حالت YAML استفاده کنید."
},
"cards": {
"action_confirmation": "آیا مطمئن هستید که می خواهید اقدام \" {action} \" را اجرا کنید؟",
"confirm_delete": "Esti sigur ca vrei sa elimini acest card?",
"empty_state": {
"go_to_integrations_page": "به صفحه ادغام بروید.",
@ -1821,8 +1520,7 @@
}
},
"changed_toast": {
"message": "پیکربندی Lovelace به روز شد، آیا مایل به بروزرسانی هستید؟",
"refresh": "تازه کردن"
"message": "پیکربندی Lovelace به روز شد، آیا مایل به بروزرسانی هستید؟"
},
"components": {
"timestamp-display": {
@ -1925,7 +1623,6 @@
},
"sensor": {
"description": "The Sensor card gives you a quick overview of your sensors state with an optional graph to visualize change over time.",
"graph_detail": "نمودار جزئیات",
"graph_type": "نوع نمودار",
"name": "سنسور"
},
@ -2031,7 +1728,6 @@
"close": "Inchide",
"configure_ui": "ویرایش داشبورد",
"help": "کمک",
"refresh": "تازه کردن",
"reload_resources": "بارگذاری مجدد منابع"
},
"reload_lovelace": "بازنگری Lovelace",
@ -2141,9 +1837,6 @@
}
},
"trusted_networks": {
"abort": {
"not_whitelisted": "رایانه شما در لیست سفید قرار ندارد."
},
"step": {
"init": {
"data": {
@ -2277,14 +1970,11 @@
"confirm_delete": "آیا مطمئن هستید که میخواهید token دسترسی زیر را برای {name} حذف کنید؟",
"create": "ایجاد توکن",
"create_failed": "رمز دسترسی ایجاد نشد.",
"created_at": "ایجاد شده در {date}",
"delete_failed": "کد دسترسی حذف نشد.",
"empty_state": "شما هنوز هیچ رمز دسترسی طولانی مدت ندارید.",
"header": "توکن های دسترسی به صورت طولانی مدت",
"last_used": "آخرین مورد استفاده در {date} از {location}",
"learn_auth_requests": "با نحوه انجام درخواست های تأیید اعتبار آشنا شوید.",
"name": "نام",
"not_used": "هرگز استفاده نشده است",
"prompt_copy_token": "رمز دسترسی خود را کپی کنید. دوباره نمایش داده نمی شود.",
"prompt_name": "به توکن یک اسم بگذارید"
},
@ -2339,11 +2029,6 @@
"description": "هنگام کنترل دستگاه، حالت ویبره فعال یا غیرفعال می‌شود.",
"header": "ویبره"
}
},
"shopping-list": {
"add_item": "اضافه کردن آیتم",
"clear_completed": "کامل شده ها را پاک کن",
"microphone_tip": "روی میکروفون در بالا سمت راست ضربه بزنید و \"افزودن آب نبات به لیست خرید من\" را بگویید یا تایپ کنید"
}
},
"sidebar": {

View File

@ -95,253 +95,11 @@
}
},
"state": {
"alarm_control_panel": {
"armed": "Viritetty",
"armed_away": "Viritetty (poissa)",
"armed_custom_bypass": "Virityksen ohittaminen",
"armed_home": "Viritetty (kotona)",
"armed_night": "Viritetty (yö)",
"arming": "Viritys",
"disarmed": "Viritys pois",
"disarming": "Virityksen poisto",
"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ä"
},
"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"
},
"occupancy": {
"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"
},
"sound": {
"off": "Ei ääntä",
"on": "Havaittu"
},
"vibration": {
"off": "Ei värinää",
"on": "Havaittu"
},
"window": {
"off": "Suljettu",
"on": "Auki"
}
},
"calendar": {
"off": "Pois päältä",
"on": "Päällä"
},
"camera": {
"idle": "Lepotilassa",
"recording": "Tallentaa",
"streaming": "Toistaa"
},
"climate": {
"cool": "Jäähdytys",
"dry": "Kuivaus",
"fan_only": "Tuuletus",
"heat": "Lämmitys",
"heat_cool": "Lämmitys/jäähdytys",
"off": "Pois"
},
"configurator": {
"configure": "Määrittele",
"configured": "Määritetty"
},
"cover": {
"closed": "Suljettu",
"closing": "Suljetaan",
"open": "Auki",
"opening": "Avataan",
"stopped": "Pysäytetty"
},
"default": {
"off": "Pois",
"on": "Päällä",
"unavailable": "Ei saatavissa",
"unknown": "Tuntematon"
},
"device_tracker": {
"not_home": "Poissa"
},
"fan": {
"off": "Pois",
"on": "Päällä"
},
"group": {
"closed": "Suljettu",
"closing": "Suljetaan",
"home": "Kotona",
"locked": "Lukittu",
"not_home": "Poissa",
"off": "Pois",
"ok": "Ok",
"on": "Päällä",
"open": "Auki",
"opening": "Avataan",
"problem": "Ongelma",
"stopped": "Pysäytetty",
"unlocked": "Avattu"
},
"input_boolean": {
"off": "Pois",
"on": "Päällä"
},
"light": {
"off": "Pois",
"on": "Päällä"
},
"lock": {
"locked": "Lukittu",
"unlocked": "Auki"
},
"media_player": {
"idle": "Lepotilassa",
"off": "Pois",
"on": "Päällä",
"paused": "Pysäytetty",
"playing": "Toistaa",
"standby": "Lepotilassa"
},
"person": {
"home": "Koti"
},
"plant": {
"ok": "Ok",
"problem": "Ongelma"
},
"remote": {
"off": "Pois",
"on": "Päällä"
},
"scene": {
"scening": "Skenehallinta"
},
"script": {
"off": "Pois",
"on": "Päällä"
},
"sensor": {
"off": "Pois",
"on": "Päällä"
},
"sun": {
"above_horizon": "Horisontin yllä",
"below_horizon": "Horisontin alapuolella"
},
"switch": {
"off": "Pois",
"on": "Päällä"
},
"timer": {
"active": "aktiivinen",
"idle": "Lepotilassa",
"paused": "Pysäytetty"
},
"vacuum": {
"cleaning": "Imuroi",
"docked": "Telakoituna",
"error": "Virhe",
"idle": "Lepotilassa",
"off": "Pois päältä",
"on": "Päällä",
"paused": "Pysäytetty",
"returning": "Palaamassa telakkaan"
},
"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"
},
"zwave": {
"default": {
"dead": "Kuollut",
"initializing": "Alustaa",
"ready": "Valmis",
"sleeping": "Lepotilassa"
},
"query_stage": {
"dead": "Kuollut ({query_stage})",
"initializing": "Alustaa ( {query_stage} )"
}
}
},
"ui": {
@ -442,8 +200,7 @@
},
"script": {
"cancel": "Peruuta",
"cancel_multiple": "Peruuta {number}",
"execute": "Suorita"
"cancel_multiple": "Peruuta {number}"
},
"service": {
"run": "Suorita"
@ -627,7 +384,6 @@
"media-browser": {
"audio_not_supported": "Selaimesi ei tue audioelementtiä.",
"choose_player": "Valitse soitin",
"choose-source": "Valitse lähde",
"class": {
"album": "Albumi",
"app": "Sovellus",
@ -650,13 +406,6 @@
"url": "URL",
"video": "Video"
},
"content-type": {
"album": "Albumi",
"artist": "Artisti",
"library": "Kirjasto",
"playlist": "Soittolista",
"server": "Palvelin"
},
"documentation": "dokumentaatio",
"learn_adding_local_media": "Lisätietoja median lisäämisestä {documentation} .",
"local_media_files": "Sijoita video-, ääni- ja kuvatiedostot mediahakemistoon, jotta voit selata ja toistaa niitä selaimessa tai tuetuissa mediasoittimissa.",
@ -698,7 +447,6 @@
"second": "{count} {count, plural,\none {sekunti}\nother {sekuntia}\n}",
"week": "{count} {count, plural,\n one {viikko}\n other {viikkoa}\n}"
},
"future": "{time} kuluttua",
"future_duration": {
"day": "{count} {count, plural,\n one {päivän}\n other {päivän}\n} kuluessa",
"hour": "{count} {count, plural,\none {tunnin\nother {tunnin}\n} kuluessa",
@ -708,7 +456,6 @@
},
"just_now": "Juuri nyt",
"never": "Ei koskaan",
"past": "{time} sitten",
"past_duration": {
"day": "{count} {count, plural,\n one {päivä}\n other {päivää}\n} sitten",
"hour": "{count} {count, plural,\none {tunti}\nother {tuntia}\n} sitten",
@ -831,7 +578,6 @@
"crop": "Rajaa"
},
"more_info_control": {
"controls": "Ohjaimet",
"details": "Yksityiskohdat",
"dismiss": "Sulje ikkuna",
"edit": "Muokkaa kohdetta",
@ -909,7 +655,6 @@
"logs": "Lokit",
"lovelace": "Lovelace-kojelaudat",
"navigate_to": "Siirry kohteeseen {panel}",
"navigate_to_config": "Konfiguroi {panel}",
"person": "Henkilöt",
"script": "Skriptit",
"server_control": "Palvelimen hallinta",
@ -973,9 +718,7 @@
},
"unknown": "Tuntematon",
"zha_device_card": {
"area_picker_label": "Alue",
"device_name_placeholder": "Vaihda laitteen nimi",
"update_name_button": "Päivitä nimi"
"device_name_placeholder": "Vaihda laitteen nimi"
}
}
},
@ -1012,10 +755,6 @@
"triggered": "Laukaisi kohteen {name}"
},
"panel": {
"calendar": {
"my_calendars": "Omat kalenterit",
"today": "Tänään"
},
"config": {
"advanced_mode": {
"hint_enable": "Puuttuvatko asetusvaihtoehdot? Ota edistynyt tila käyttöön",
@ -1129,8 +868,7 @@
"label": "Aktivoi tilanne"
},
"service": {
"label": "Kutsu palvelua",
"service_data": "Palvelun data"
"label": "Kutsu palvelua"
},
"wait_for_trigger": {
"continue_timeout": "Jatka odotusajan jälkeen",
@ -1150,8 +888,6 @@
"blueprint": {
"blueprint_to_use": "Käytettävä piirustus",
"header": "Piirustus",
"inputs": "Syötteet",
"manage_blueprints": "Hallitse piirustuksia",
"no_blueprints": "Sinulla ei ole yhtään piirustusta",
"no_inputs": "Tällä piirustuksella ei ole syötteitä."
},
@ -1404,7 +1140,6 @@
"header": "Tuo piirustus",
"import_btn": "Piirustuksen esikatselu",
"import_header": "Piirustus \"{name}\"",
"import_introduction": "Voit tuoda muiden käyttäjien piirustuksia Githubista ja yhteisön foorumeista. Kirjoita alle piirustuksen URL-osoite.",
"import_introduction_link": "Voit tuoda muiden käyttäjien piirustuksia Githubista ja {community_link}. Kirjoita piirustuksen URL-osoite alle.",
"importing": "Lataan piirustusta...",
"raw_blueprint": "Piirustuksen sisältö",
@ -1521,7 +1256,6 @@
"not_exposed_entities": "eJulk",
"title": "Alexa"
},
"caption": "Home Assistant Cloud",
"description_features": "Ohjaus poissa kotoa Alexan tai Google Assistantin avulla.",
"description_login": "Kirjautunut sisään {email}",
"description_not_login": "Et ole kirjautunut",
@ -1654,7 +1388,6 @@
"pick_attribute": "Valitse yliajettava määrite",
"picker": {
"documentation": "Mukautusten dokumentaatio",
"entity": "Kohde",
"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."
},
@ -1701,7 +1434,6 @@
"integration": "Integraatio",
"manufacturer": "Valmistaja",
"model": "Malli",
"no_area": "Ei aluetta",
"no_devices": "Ei laitteita"
},
"delete": "Poista",
@ -1855,42 +1587,9 @@
"source": "Lähde:",
"system_health_error": "Järjestelmän kunto-komponenttia ei ole ladattu. Lisää 'system_health:' kohteeseen configuration.yaml",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Alexa käytössä",
"can_reach_cert_server": "Tavoita varmennepalvelin",
"can_reach_cloud": "Saavuta Home Assistant Cloud",
"can_reach_cloud_auth": "Saavuta todennuspalvelin",
"google_enabled": "Google käytössä",
"logged_in": "Kirjautunut sisään",
"relayer_connected": "Rele yhdistetty",
"remote_connected": "Kaukosäädin yhdistetty",
"remote_enabled": "Kaukosäädin käytössä",
"subscription_expiration": "Tilauksen vanhentuminen"
},
"homeassistant": {
"arch": "CPU-arkkitehtuuri",
"dev": "Kehitys",
"docker": "Docker",
"hassio": "HassOS",
"installation_type": "Asennustyyppi",
"os_name": "Käyttöjärjestelmän nimi",
"os_version": "Käyttöjärjestelmän versio",
"python_version": "Python-versio",
"timezone": "Aikavyöhyke",
"version": "Versio",
"virtualenv": "Virtuaalinen ympäristö"
},
"lovelace": {
"dashboards": "Kojelaudat",
"mode": "Tila",
"resources": "Resurssit"
}
},
"manage": "Hallitse",
"more_info": "lisätietoja"
},
"title": "Tiedot"
}
},
"integration_panel_move": {
"link_integration_page": "Integraatiot",
@ -1904,7 +1603,6 @@
"config_entry": {
"area": "Alueessa {area}",
"delete": "Poista",
"delete_button": "Poista {integration}",
"delete_confirm": "Haluatko varmasti poistaa tämän integraation?",
"device_unavailable": "laite ei saatavissa",
"devices": "{count} {count, plural,\n one {laite}\n other {laitteet}\n}",
@ -1915,8 +1613,6 @@
"hub": "Yhdistetty kautta",
"manuf": "{manufacturer}",
"no_area": "Ei aluetta",
"no_device": "Kohteet ilman laitteita",
"no_devices": "Tällä integraatiolla ei ole laitteita.",
"options": "Asetukset",
"reload": "Lataa uudelleen",
"reload_confirm": "Integraatio ladattiin uudelleen",
@ -1924,9 +1620,7 @@
"rename": "Nimeä uudelleen",
"restart_confirm": "Käynnistä Home Assistant uudellen viimeistelläksesi tämän integraation poistamisen",
"services": "{count} {count, plural,\n one {palvelut}\n other {palvelua}\n}",
"settings_button": "Muokkaa {integration}-asetuksia",
"system_options": "Järjestelmäasetukset",
"system_options_button": "{integration}-järjestelmän asetukset",
"unnamed_entry": "Nimeämätön merkintä"
},
"config_flow": {
@ -1986,8 +1680,7 @@
"multiple_messages": "Viesti esiintyi ensimmäisen kerran {time} ja tämän jälkeen {counter} kertaa",
"no_errors": "Virheitä ei ole ilmoitettu.",
"no_issues": "Ei uusia aiheita!",
"refresh": "Päivitä",
"title": "Lokit"
"refresh": "Päivitä"
},
"lovelace": {
"caption": "Lovelace-kojelaudat",
@ -2318,8 +2011,7 @@
"learn_more": "Lisätietoja skripteistä",
"no_scripts": "Emme löytäneet muokattavia skriptejä",
"run_script": "Suorita komentosarja",
"show_info": "Näytä tietoja skriptistä",
"trigger_script": "Laukaise skripti"
"show_info": "Näytä tietoja skriptistä"
}
},
"server_control": {
@ -2412,11 +2104,9 @@
"add_user": {
"caption": "Lisää käyttäjä",
"create": "Luo",
"name": "Nimi",
"password": "Salasana",
"password_confirm": "Vahvista salasana",
"password_not_match": "Salasanat eivät täsmää",
"username": "Käyttäjätunnus"
"password_not_match": "Salasanat eivät täsmää"
},
"caption": "Käyttäjät",
"description": "Käyttäjien hallinta",
@ -2460,19 +2150,12 @@
"add_device": "Lisää laite",
"add_device_page": {
"discovered_text": "Laitteet tulevat tänne, kun ne löydetään.",
"discovery_text": "Löydetyt laitteet näkyvät täällä. Noudata laitteen (laitteiden) ohjeita ja aseta laite pariliitostilaan.",
"header": "Zigbee Home Automation - Lisää laitteita",
"no_devices_found": "Mitään laitteita ei löydy. Varmista, että ne ovat paritustilassa ja pidä ne hereillä havaitsemisen ollessa käynnissä.",
"pairing_mode": "Varmista, että laitteesi ovat paritustilassa. Tarkista laitteen ohjeet, kuinka tämä tehdään.",
"search_again": "Etsi uudestaan",
"spinner": "Etsitään ZHA Zigbee laitteita..."
},
"add": {
"caption": "Lisää laitteita",
"description": "Lisää laitteita Zigbee-verkkoon"
},
"button": "Määritä",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "Valitun klusterin määritteet",
"get_zigbee_attribute": "Hae Zigbee-ominaisuus",
@ -2496,13 +2179,10 @@
"introduction": "Klusterit ovat rakennuspalikoita Zigbee-toiminnallisuudelle. Ne erottavat toiminnallisuuden loogisiksi yksiköiksi. On asiakas- ja palvelintyyppejä, jotka koostuvat määritteistä ja komennoista."
},
"common": {
"add_devices": "Lisää laitteita",
"clusters": "Klusterit",
"devices": "Laitteet",
"manufacturer_code_override": "Valmistajan koodin yliajo",
"value": "Arvo"
},
"description": "Zigbee kotiautomaation verkonhallinta",
"device_pairing_card": {
"CONFIGURED": "Määritys valmis",
"CONFIGURED_status_text": "Alustetaan",
@ -2513,9 +2193,6 @@
"PAIRED": "Laite löydetty",
"PAIRED_status_text": "Haastattelun aloittaminen"
},
"devices": {
"header": "Zigbee-kotiautomaatio - laite"
},
"group_binding": {
"bind_button_help": "Sido valittu ryhmä valittuihin laiteklustereihin.",
"bind_button_label": "Sido ryhmä",
@ -2530,48 +2207,24 @@
"groups": {
"add_group": "Lisää ryhmä",
"add_members": "Lisää jäseniä",
"adding_members": "Lisätään jäseniä",
"caption": "Ryhmät",
"create": "Luo ryhmä",
"create_group": "Zigbee-kotiautomaatio - Luo ryhmä",
"create_group_details": "Kirjoita tarvittavat tiedot uuden Zigbee-ryhmän luomiseksi",
"creating_group": "Ryhmän luominen",
"description": "Luo ja muokkaa Zigbee-ryhmiä",
"group_details": "Tässä ovat kaikki valitun Zigbee-ryhmän tiedot.",
"group_id": "Ryhmän ID",
"group_info": "Ryhmätiedot",
"group_name_placeholder": "Ryhmän nimi",
"group_not_found": "Ryhmää ei löytynyt!",
"group-header": "Zigbee-kotiautomaatio - ryhmätiedot",
"groups": "Ryhmät",
"groups-header": "Zigbee-kotiautomaatio - ryhmänhallinta",
"header": "Zigbee-kotiautomaatio - ryhmänhallinta",
"introduction": "Luo ja muokkaa zigbee-ryhmiä",
"manage_groups": "Hallitse Zigbee-ryhmiä",
"members": "Jäsenet",
"remove_groups": "Poista ryhmiä",
"remove_members": "Poista jäseniä",
"removing_groups": "Ryhmien poistaminen",
"removing_members": "Poistetaan jäseniä",
"zha_zigbee_groups": "ZHA Zigbee -ryhmät"
},
"header": "Määritä Zigbee-kotiautomaatio",
"introduction": "Täällä on mahdollista määrittää ZHA-komponentti. Kaikkia ei ole vielä mahdollista määrittää käyttöliittymästä, mutta työskentelemme sen parissa.",
"network_management": {
"header": "Verkon hallinta",
"introduction": "Koko verkkoon vaikuttavat komennot"
"removing_members": "Poistetaan jäseniä"
},
"network": {
"caption": "Verkko"
},
"node_management": {
"header": "Laitehallinta",
"help_node_dropdown": "Valitse laite tarkastellaksesi laitekohtaisia vaihtoehtoja.",
"hint_battery_devices": "Huomautus: Nukkuvien (akkukäyttöisten) laitteiden on oltava hereillä, kun niitä vastaan suoritetaan komentoja. Voit yleensä herättää uneliaan laitteen käynnistämällä sen.",
"hint_wakeup": "Joissakin laitteissa, kuten Xiaomi-antureissa, on herätyspainike, jota voit painaa 5 sekunnin välein, jotka pitävät laitteet hereillä, kun olet vuorovaikutuksessa niiden kanssa.",
"introduction": "Suorita ZHA-komennot, jotka vaikuttavat yhteen laitteeseen. Valitse laite nähdäksesi luettelon käytettävissä olevista komennoista."
},
"title": "Zigbee-kotiautomaatio",
"visualization": {
"caption": "Visualisointi",
"header": "Verkon visualisointi"
@ -2642,7 +2295,6 @@
},
"zwave": {
"button": "Määritä",
"caption": "Z-Wave",
"common": {
"index": "Indeksi",
"instance": "Esiintymä",
@ -2755,17 +2407,12 @@
"type": "Tapahtumatyyppi"
},
"services": {
"alert_parsing_yaml": "Virhe jäsennetettäessä YAML:ää: {data}",
"call_service": "Kutsu palvelua",
"column_description": "Kuvaus",
"column_example": "Esimerkki",
"column_parameter": "Parametri",
"data": "Palvelutiedot (YAML, valinnainen)",
"description": "Service dev -työkalun avulla voit kutsua mitä tahansa käytettävissä olevaan palvelua Home Assistant -sovelluksessa.",
"fill_example_data": "Täytä esimerkkitiedoilla",
"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": {
@ -2804,25 +2451,20 @@
}
},
"history": {
"period": "aikajakso",
"ranges": {
"last_week": "Viime viikolla",
"this_week": "Tällä viikolla",
"today": "Tänään",
"yesterday": "Eilen"
},
"showing_entries": "Näytetään tapahtumat alkaen"
}
},
"logbook": {
"entries_not_found": "Lokikirjauksia ei löytynyt.",
"period": "aikajakso",
"ranges": {
"last_week": "Viime viikolla",
"this_week": "Tällä viikolla",
"today": "Tänään",
"yesterday": "Eilen"
},
"showing_entries": "Näytetään kirjaukset ajalta"
}
},
"lovelace": {
"add_entities": {
@ -2860,13 +2502,11 @@
"drag_and_drop": "Raahaa ja pudota"
},
"starting": {
"description": "Home Assistant käynnistyy...",
"header": "Home Assistant käynnistyy..."
"description": "Home Assistant käynnistyy..."
}
},
"changed_toast": {
"message": "Lovelace-asetukset päivitettiin. Haluatko päivittää näkymän?",
"refresh": "Päivitä"
"message": "Lovelace-asetukset päivitettiin. Haluatko päivittää näkymän?"
},
"editor": {
"action-editor": {
@ -2879,7 +2519,6 @@
"toggle": "Vaihda",
"url": "URL-osoite"
},
"editor_service_data": "Palvelutietoja voi syöttää vain koodieditoriin",
"navigation_path": "Navigointipolku",
"url_path": "URL-polku"
},
@ -3075,7 +2714,6 @@
},
"sensor": {
"description": "Anturikortti antaa sinulle nopean yleiskatsauksen antureiden tilasta valinnaisella kaaviolla, joka kuvaa muutosta ajan myötä.",
"graph_detail": "Kaavion tiedot",
"graph_type": "Kaavion tyyppi",
"name": "Sensori",
"show_more_detail": "Näytä lisätietoja"
@ -3246,7 +2884,6 @@
"configure_ui": "Muokkaa käyttöliittymää",
"exit_edit_mode": "Poistu käyttöliittymän muokkaustilasta",
"help": "Apua",
"refresh": "Päivitä",
"reload_resources": "Lataa resurssit uudelleen",
"start_conversation": "Aloita keskustelu"
},
@ -3365,8 +3002,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "Tietokone ei ole sallittu.",
"not_whitelisted": "Tietokonettasi ei ole sallittu."
"not_allowed": "Tietokone ei ole sallittu."
},
"step": {
"init": {
@ -3518,15 +3154,12 @@
"create": "Luo token",
"create_failed": "Käyttötunnussanoman luominen epäonnistui.",
"created": "Luotu {date}",
"created_at": "Luotu {date}",
"delete_failed": "Käyttötunnussanoman poistaminen epäonnistui.",
"description": "Luo pitkäikäisiä käyttöoikeustunnuksia, jotta komentosarjasi voivat vuorovaikuttaa 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.",
"name": "Nimi",
"not_used": "Ei ole koskaan käytetty",
"prompt_copy_token": "Kopioi käyttöoikeuskoodi. Sitä ei näytetä uudelleen.",
"prompt_name": "Nimi?"
},
@ -3591,11 +3224,6 @@
},
"shopping_list": {
"start_conversation": "Aloita keskustelu"
},
"shopping-list": {
"add_item": "Lisää tavara",
"clear_completed": "Poista valmiit",
"microphone_tip": "Paina mikrofonia oikeassa yläkulmassa ja sano \"Lisää karkkipussi ostoslistalleni\""
}
},
"sidebar": {

View File

@ -95,253 +95,11 @@
}
},
"state": {
"alarm_control_panel": {
"armed": "Activé",
"armed_away": "Enclenchée (absent)",
"armed_custom_bypass": "Activée avec exception",
"armed_home": "Enclenchée (présent)",
"armed_night": "Enclenché (nuit)",
"arming": "Activation",
"disarmed": "Désactivée",
"disarming": "Désactivation",
"pending": "En attente",
"triggered": "Déclenché"
},
"automation": {
"off": "Inactif",
"on": "Actif"
},
"binary_sensor": {
"battery": {
"off": "Normal",
"on": "Faible"
},
"cold": {
"off": "Normale",
"on": "Froid"
},
"connectivity": {
"off": "Déconnecté",
"on": "Connecté"
},
"default": {
"off": "Inactif",
"on": "Actif"
},
"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é"
},
"occupancy": {
"off": "RAS",
"on": "Détecté"
},
"opening": {
"off": "Fermé",
"on": "Ouvert"
},
"presence": {
"off": "Absent",
"on": "Présent"
},
"problem": {
"off": "OK",
"on": "Problème"
},
"safety": {
"off": "Sûr",
"on": "Dangereux"
},
"smoke": {
"off": "RAS",
"on": "Détecté"
},
"sound": {
"off": "RAS",
"on": "Détecté"
},
"vibration": {
"off": "RAS",
"on": "Détectée"
},
"window": {
"off": "Fermée",
"on": "Ouverte"
}
},
"calendar": {
"off": "Inactif",
"on": "Actif"
},
"camera": {
"idle": "En veille",
"recording": "Enregistrement",
"streaming": "Diffusion en cours"
},
"climate": {
"cool": "Frais",
"dry": "Sec",
"fan_only": "Ventilateur seul",
"heat": "Chauffe",
"heat_cool": "Chaud/Froid",
"off": "Inactif"
},
"configurator": {
"configure": "Configurer",
"configured": "Configuré"
},
"cover": {
"closed": "Fermé",
"closing": "Fermeture",
"open": "Ouvert",
"opening": "Ouverture",
"stopped": "Arrêté"
},
"default": {
"off": "Off",
"on": "On",
"unavailable": "Indisponible",
"unknown": "Inconnu"
},
"device_tracker": {
"not_home": "Absent"
},
"fan": {
"off": "Off",
"on": "On"
},
"group": {
"closed": "Fermé",
"closing": "Fermeture",
"home": "Présent",
"locked": "Verrouillé",
"not_home": "Absent",
"off": "Inactif",
"ok": "OK",
"on": "Actif",
"open": "Ouvert",
"opening": "Ouverture",
"problem": "Problème",
"stopped": "Arrêté",
"unlocked": "Déverrouillé"
},
"input_boolean": {
"off": "Off",
"on": "Actif"
},
"light": {
"off": "Éteint",
"on": "Allumé"
},
"lock": {
"locked": "Verrouillé",
"unlocked": "Déverrouillé"
},
"media_player": {
"idle": "En veille",
"off": "Inactif",
"on": "On",
"paused": "En pause",
"playing": "Lecture en cours",
"standby": "En veille"
},
"person": {
"home": "Présent"
},
"plant": {
"ok": "OK",
"problem": "Problème"
},
"remote": {
"off": "Off",
"on": "Actif"
},
"scene": {
"scening": "Scénario"
},
"script": {
"off": "Inactif",
"on": "Actif"
},
"sensor": {
"off": "Inactif",
"on": "Actif"
},
"sun": {
"above_horizon": "Au-dessus de l'horizon",
"below_horizon": "Sous lhorizon"
},
"switch": {
"off": "Inactif",
"on": "Actif"
},
"timer": {
"active": "actif",
"idle": "en veille",
"paused": "en pause"
},
"vacuum": {
"cleaning": "Nettoyage",
"docked": "Sur la base",
"error": "Erreur",
"idle": "Inactif",
"off": "Off",
"on": "On",
"paused": "En pause",
"returning": "Retourne à la base"
},
"weather": {
"clear-night": "Nuit dégagée",
"cloudy": "Nuageux",
"exceptional": "Exceptionnel",
"fog": "Brouillard",
"hail": "Grêle",
"lightning": "Orage",
"lightning-rainy": "Orage / Pluvieux",
"partlycloudy": "Éclaircies",
"pouring": "Averses",
"rainy": "Pluvieux",
"snowy": "Neigeux",
"snowy-rainy": "Neigeux, pluvieux",
"sunny": "Ensoleillé",
"windy": "Venteux",
"windy-variant": "Venteux"
},
"zwave": {
"default": {
"dead": "Morte",
"initializing": "Initialisation",
"ready": "Prêt",
"sleeping": "En veille"
},
"query_stage": {
"dead": "Morte ( {query_stage} )",
"initializing": "Initialisation ( {query_stage} )"
}
}
},
"ui": {
@ -442,8 +200,7 @@
},
"script": {
"cancel": "Annuler",
"cancel_multiple": "Annuler {number}",
"execute": "Exécuter"
"cancel_multiple": "Annuler {number}"
},
"service": {
"run": "Exécuter"
@ -630,7 +387,6 @@
"media-browser": {
"audio_not_supported": "Votre navigateur ne prend pas en charge l'élément audio.",
"choose_player": "Choisissez le lecteur",
"choose-source": "Choisissez la source",
"class": {
"album": "Album",
"app": "App",
@ -653,13 +409,6 @@
"url": "URL",
"video": "Vidéo"
},
"content-type": {
"album": "Album",
"artist": "Artiste",
"library": "Bibliothèque",
"playlist": "Liste de lecture",
"server": "Serveur"
},
"documentation": "documentation",
"learn_adding_local_media": "En savoir plus sur l'ajout de médias dans la {documentation} .",
"local_media_files": "Placez vos fichiers vidéo, audio et image dans le répertoire multimédia pour pouvoir les parcourir et les lire dans le navigateur ou sur les lecteurs multimédias pris en charge.",
@ -701,7 +450,6 @@
"second": "{count} {count, plural,\nzero {seconde}\none {seconde}\nother {secondes}\n}",
"week": "{count} {count, plural,\nzero {semaine}\none {semaine}\nother {semaines}\n}"
},
"future": "Dans {time}",
"future_duration": {
"day": "Dans {count} {count, plural,\n one {jour}\n other {jours}\n}",
"hour": "Dans {count} {count, plural,\n one {heure}\n other {heures}\n}",
@ -711,7 +459,6 @@
},
"just_now": "Juste maintenant",
"never": "Jamais",
"past": "Il y a {time}",
"past_duration": {
"day": "Il y a {count} {count, plural,\n one {jour}\n other {jours}\n}",
"hour": "Il y a {count} {count, plural,\n one {heure}\n other {heures}\n}",
@ -720,6 +467,12 @@
"week": "Il y a {count} {count, plural,\n one {semaine}\n other {semaines}\n}"
}
},
"service-control": {
"required": "Ce champ est obligatoire",
"service_data": "Données de service",
"target": "Cibles",
"target_description": "Que doit utiliser ce service comme zones, dispositifs ou entités ciblés."
},
"service-picker": {
"service": "Service"
},
@ -841,7 +594,6 @@
"crop": "Recadrer"
},
"more_info_control": {
"controls": "Contrôles",
"cover": {
"close_cover": "Fermer le volet",
"close_tile_cover": "Fermer le volet",
@ -926,7 +678,6 @@
"logs": "Journaux",
"lovelace": "Tableaux de bord Lovelace",
"navigate_to": "Naviguer vers {panel}",
"navigate_to_config": "Naviguer à la configuration de {panel}",
"person": "Personnes",
"scene": "Scènes",
"script": "Scripts",
@ -1009,9 +760,7 @@
},
"unknown": "Inconnu",
"zha_device_card": {
"area_picker_label": "Pièce",
"device_name_placeholder": "Nom personnalisé",
"update_name_button": "Modifier le nom"
"device_name_placeholder": "Nom personnalisé"
}
}
},
@ -1055,10 +804,6 @@
"triggered": "{name} déclenché"
},
"panel": {
"calendar": {
"my_calendars": "Mes calendriers",
"today": "Aujourd'hui"
},
"config": {
"advanced_mode": {
"hint_enable": "Options de configuration manquantes? Activer le mode avancé",
@ -1176,8 +921,7 @@
"label": "Activer la scène"
},
"service": {
"label": "Appeler un service",
"service_data": "Données du service"
"label": "Appeler un service"
},
"wait_for_trigger": {
"continue_timeout": "Continuer à l'expiration du délai",
@ -1197,8 +941,6 @@
"blueprint": {
"blueprint_to_use": "Blueprint à utiliser",
"header": "Blueprint",
"inputs": "Entrées",
"manage_blueprints": "Gérer les Blueprints",
"no_blueprints": "Vous n'avez pas de Blueprint",
"no_inputs": "Ce Blueprint n'a aucune entrée."
},
@ -1453,7 +1195,6 @@
"header": "Importer un Blueprint",
"import_btn": "Aperçu du Blueprint",
"import_header": "Blueprint \"{name}\"",
"import_introduction": "Vous pouvez importer les Blueprints d'autres utilisateurs à partir de GitHub et du forum de la communauté. Entrez l'URL du Blueprint ci-dessous.",
"import_introduction_link": "Vous pouvez importer les Blueprints d'autres utilisateurs à partir de GitHub et du {community_link}. Entrez l'URL du Blueprint ci-dessous.",
"importing": "Chargement du Blueprint ...",
"raw_blueprint": "Contenu du Blueprint",
@ -1575,7 +1316,6 @@
"not_exposed_entities": "Entités non exposées",
"title": "Alexa"
},
"caption": "Cloud Home Assistant",
"description_features": "Contrôlez votre domicile lorsque vous êtes absent et intégrez avec Alexa et Google Assistant",
"description_login": "Connecté en tant que {email}",
"description_not_login": "Non connecté",
@ -1708,7 +1448,6 @@
"pick_attribute": "Sélectionnez un attribut à remplacer",
"picker": {
"documentation": "Documentation sur la personnalisation",
"entity": "Entité",
"header": "Personnalisations",
"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é."
},
@ -1755,7 +1494,6 @@
"integration": "Intégration",
"manufacturer": "Fabricant",
"model": "Modèle",
"no_area": "Pas de zone",
"no_devices": "Aucun appareil"
},
"delete": "Supprimer",
@ -1911,42 +1649,9 @@
"source": "Source:",
"system_health_error": "Le composant System Health n'est pas chargé. Ajouter 'system_health:' à configuration.yaml",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Alexa activée",
"can_reach_cert_server": "Accéder au serveur de certificats",
"can_reach_cloud": "Accéder à Home Assistant Cloud",
"can_reach_cloud_auth": "Accéder au serveur d'authentification",
"google_enabled": "Google activé",
"logged_in": "Connecté",
"relayer_connected": "Relais connecté",
"remote_connected": "Contrôle à distance connecté",
"remote_enabled": "Contrôle à distance activé",
"subscription_expiration": "Expiration de l'abonnement"
},
"homeassistant": {
"arch": "Architecture du processeur",
"dev": "Développement",
"docker": "Docker",
"hassio": "HassOS",
"installation_type": "Type d'installation",
"os_name": "Nom du système d'exploitation",
"os_version": "Version du système d'exploitation",
"python_version": "Version de Python",
"timezone": "Fuseau horaire",
"version": "Version",
"virtualenv": "Environnement virtuel"
},
"lovelace": {
"dashboards": "Tableaux de bord",
"mode": "Mode",
"resources": "Ressources"
}
},
"manage": "Gérer",
"more_info": "plus d'infos"
},
"title": "Info"
}
},
"integration_panel_move": {
"link_integration_page": "page d'intégration",
@ -1960,7 +1665,6 @@
"config_entry": {
"area": "Dans {area}",
"delete": "Supprimer",
"delete_button": "Supprimer {integration}",
"delete_confirm": "Êtes-vous sûr de vouloir supprimer cette intégration?",
"device_unavailable": "Appareil non disponible",
"devices": "{count} {count, plural,\n zero {appareil}\n one {appareil}\n other {appareils}\n}",
@ -1971,8 +1675,6 @@
"hub": "Connecté via",
"manuf": "par {manufacturer}",
"no_area": "Pas de zone",
"no_device": "Entités sans appareils",
"no_devices": "Cette intégration n'a pas d'appareils.",
"options": "Options",
"reload": "Recharger",
"reload_confirm": "L'intégration a été rechargée",
@ -1980,16 +1682,16 @@
"rename": "Renommer",
"restart_confirm": "Redémarrer Home Assistant pour terminer la suppression de cette intégration",
"services": "{count} {count, plural,\n one {service}\n other {services}\n}",
"settings_button": "Modifier les paramètres pour {integration}",
"system_options": "Options système",
"system_options_button": "Options système pour {integration}",
"unnamed_entry": "Entrée sans nom"
},
"config_flow": {
"aborted": "Abandonné",
"close": "Fermer",
"could_not_load": "Le flux de configuration n'a pas pu être chargé",
"created_config": "Configuration créée pour {name}.",
"dismiss": "Fermer la boîte de dialogue",
"error": "Erreur",
"error_saving_area": "Erreur lors de l'enregistrement de la zone: {error}",
"external_step": {
"description": "Cette étape nécessite la visite d'un site Web externe pour être complétée.",
@ -1998,6 +1700,10 @@
"finish": "Terminer",
"loading_first_time": "Veuillez patienter pendant que l'intégration est en cours d'installation",
"not_all_required_fields": "Tous les champs obligatoires ne sont pas renseignés.",
"pick_flow_step": {
"new_flow": "Non, configurez une autre instance de {integration}",
"title": "Nous les avons découverts, vous voulez les mettre en place?"
},
"submit": "Soumettre"
},
"configure": "Configurer",
@ -2043,8 +1749,7 @@
"multiple_messages": "message survenu pour la première fois à {time} et 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"
"refresh": "Rafraîchir"
},
"lovelace": {
"caption": "Tableaux de bord Lovelace",
@ -2375,8 +2080,7 @@
"learn_more": "En savoir plus sur les scripts",
"no_scripts": "Nous n'avons pas trouvé de scripts modifiables",
"run_script": "Exécuter le script",
"show_info": "Afficher des informations sur le script",
"trigger_script": "Script de déclenchement"
"show_info": "Afficher des informations sur le script"
}
},
"server_control": {
@ -2470,11 +2174,9 @@
"add_user": {
"caption": "Ajouter un utilisateur",
"create": "Créer",
"name": "Nom",
"password": "Mot de passe",
"password_confirm": "Confirmer le mot de passe",
"password_not_match": "Le mot de passe ne correspond pas",
"username": "Nom d'utilisateur"
"password_not_match": "Le mot de passe ne correspond pas"
},
"caption": "Utilisateurs",
"description": "Gérer les comptes utilisateur de Home Assistant",
@ -2518,19 +2220,12 @@
"add_device": "Ajouter un appareil",
"add_device_page": {
"discovered_text": "Les appareils s'afficheront ici une fois découverts.",
"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.",
"header": "Zigbee Home Automation - Ajout de périphériques",
"no_devices_found": "Aucun appareil n'a été trouvé, assurez-vous qu'ils sont en mode d'appairage et gardez-les éveillés pendant que la découverte est en cours",
"pairing_mode": "Assurez-vous que vos appareils sont en mode d'appairage. Consultez les instructions de votre appareil pour savoir comment procéder.",
"search_again": "Rechercher à nouveau",
"spinner": "Recherche de périphériques ZHA Zigbee ..."
},
"add": {
"caption": "Ajouter des appareils",
"description": "Ajouter des appareils au réseau Zigbee"
},
"button": "Configurer",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "Attributs du cluster sélectionné",
"get_zigbee_attribute": "Obtenir l'attribut Zigbee",
@ -2554,13 +2249,10 @@
"introduction": "Les grappes sont les éléments de construction de la fonctionnalité Zigbee. Ils séparent les fonctionnalités en unités logiques. Il en existe de types client et serveur et sont composés d'attributs et de commandes."
},
"common": {
"add_devices": "Ajouter des appareils",
"clusters": "Clusters",
"devices": "Appareils",
"manufacturer_code_override": "Code de remplacement du fabricant",
"value": "Valeur"
},
"description": "Gestion de réseau domotique Zigbee",
"device_pairing_card": {
"CONFIGURED": "Configuration terminée",
"CONFIGURED_status_text": "Initialisation",
@ -2571,9 +2263,6 @@
"PAIRED": "Appareil trouvé",
"PAIRED_status_text": "Démarrage du processus d'interrogation"
},
"devices": {
"header": "Zigbee Home Automation - Appareil"
},
"group_binding": {
"bind_button_help": "Lier le groupe sélectionné aux groupes de dispositifs sélectionnés.",
"bind_button_label": "Lier Groupe",
@ -2588,48 +2277,24 @@
"groups": {
"add_group": "Ajouter un groupe",
"add_members": "Ajouter des membres",
"adding_members": "Ajout de membres",
"caption": "Groupes",
"create": "Créer un groupe",
"create_group": "Zigbee Home Automation - Créer un groupe",
"create_group_details": "Entrez les détails requis pour créer un nouveau groupe de zigbee",
"creating_group": "Création de groupe",
"description": "Créer et modifier des groupes Zigbee",
"group_details": "Voici tous les détails du groupe Zigbee sélectionné.",
"group_id": "ID de groupe",
"group_info": "Informations sur le groupe",
"group_name_placeholder": "Nom du groupe",
"group_not_found": "Groupe introuvable !",
"group-header": "Zigbee Home Automation - Détails du groupe",
"groups": "Groupes",
"groups-header": "Zigbee Home Automation - Gestion de groupe",
"header": "Zigbee Home Automation - Gestion de groupe",
"introduction": "Créer et modifier des groupes zigbee",
"manage_groups": "Gérer les groupes Zigbee",
"members": "Membres",
"remove_groups": "Supprimer des groupes",
"remove_members": "Supprimer des membres",
"removing_groups": "Suppression de groupes",
"removing_members": "Suppression de membres",
"zha_zigbee_groups": "Groupes ZHA Zigbee"
},
"header": "Configurer Zigbee Home Automation",
"introduction": "Ici, il est possible de configurer le composant ZHA. Il n'est pas encore possible de tout configurer à partir de l'interface utilisateur, mais nous y travaillons.",
"network_management": {
"header": "Gestion du réseau",
"introduction": "Commandes qui affectent l'ensemble du réseau"
"removing_members": "Suppression de membres"
},
"network": {
"caption": "Réseau"
},
"node_management": {
"header": "Gestion des appareils",
"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.",
"introduction": "Exécutez les commandes ZHA qui affectent un seul périphérique. Choisissez un appareil pour voir une liste des commandes disponibles."
},
"title": "Zigbee Home Automation",
"visualization": {
"caption": "Visualisation",
"header": "Visualisation du réseau",
@ -2701,7 +2366,6 @@
"header": "Gérez votre réseau Z-Wave",
"home_id": "ID de la maison",
"introduction": "Gérez votre réseau Z-Wave et vos nœuds Z-Wave",
"node_count": "Nombre de nœuds",
"nodes_ready": "Les nœuds sont prêts",
"server_version": "Version du serveur"
},
@ -2738,7 +2402,6 @@
},
"zwave": {
"button": "Configurer",
"caption": "Z-Wave",
"common": {
"index": "Index",
"instance": "Instance",
@ -2857,18 +2520,18 @@
"type": "Type d'événement"
},
"services": {
"alert_parsing_yaml": "Erreur d'analyse de YAML : {data}",
"accepts_target": "Ce service accepte une cible, par exemple: `entity_id: light.bed_light`",
"all_parameters": "Tous les paramètres disponibles",
"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 de développement 'services' 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"
"title": "Services",
"ui_mode": "Passer en mode UI",
"yaml_mode": "Passez en mode YAML",
"yaml_parameters": "Paramètres disponibles uniquement en mode YAML"
},
"states": {
"alert_entity_field": "L'entité est un champ obligatoire",
@ -2908,25 +2571,20 @@
}
},
"history": {
"period": "Période",
"ranges": {
"last_week": "La semaine dernière",
"this_week": "Cette semaine",
"today": "Aujourd'hui",
"yesterday": "Hier"
},
"showing_entries": "Afficher les entrées pour"
}
},
"logbook": {
"entries_not_found": "Aucune entrée trouvée dans le journal.",
"period": "Période",
"ranges": {
"last_week": "La semaine dernière",
"this_week": "Cette semaine",
"today": "Aujourd'hui",
"yesterday": "Hier"
},
"showing_entries": "Afficher les entrées pour le"
}
},
"lovelace": {
"add_entities": {
@ -2935,7 +2593,6 @@
"yaml_unsupported": "Vous ne pouvez pas utiliser cette fonction lorsque vous utilisé Lovelace UI en mode YAML."
},
"cards": {
"action_confirmation": "Voulez-vous vraiment exécuter l'action \" {action} \"?",
"actions": {
"action_confirmation": "Voulez-vous vraiment exécuter l'action \" {action} \"?",
"no_entity_more_info": "Aucune entité fournie pour plus d'informations",
@ -2974,13 +2631,11 @@
"reorder_items": "Réorganiser les articles"
},
"starting": {
"description": "Home Assistant démarre, veuillez patienter.",
"header": "Home Assistant démarre ..."
"description": "Home Assistant démarre, veuillez patienter."
}
},
"changed_toast": {
"message": "La configuration de l'interface utilisateur de Lovelace a été mise à jour. Voulez-vous actualiser pour voir les changements ?",
"refresh": "Rafraîchir"
"message": "La configuration de l'interface utilisateur de Lovelace a été mise à jour. Voulez-vous actualiser pour voir les changements ?"
},
"components": {
"timestamp-display": {
@ -2999,7 +2654,6 @@
"toggle": "Permuter",
"url": "URL"
},
"editor_service_data": "Les informations sur les services ne peuvent être saisies que dans l'éditeur de code",
"navigation_path": "Chemin de navigation",
"url_path": "Chemin de l'URL"
},
@ -3197,7 +2851,6 @@
},
"sensor": {
"description": "La carte Capteur vous donne un aperçu rapide de l'état de vos capteurs avec un graphique en option pour visualiser les changements au fil du temps.",
"graph_detail": "Détail du graphique",
"graph_type": "Type de graphique",
"name": "Capteur",
"show_more_detail": "Afficher plus de détails"
@ -3368,7 +3021,6 @@
"configure_ui": "Modifier le tableau de bord",
"exit_edit_mode": "Quitter le mode d'édition de l'interface utilisateur",
"help": "Aide",
"refresh": "Actualiser",
"reload_resources": "Recharger les ressources",
"start_conversation": "Démarrer la conversation"
},
@ -3493,8 +3145,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "Votre ordinateur n'est pas autorisé.",
"not_whitelisted": "Votre ordinateur n'est pas en liste blanche."
"not_allowed": "Votre ordinateur n'est pas autorisé."
},
"step": {
"init": {
@ -3647,15 +3298,12 @@
"create": "Créer un jeton",
"create_failed": "Impossible de créer le jeton d'accès.",
"created": "Créé le {date}",
"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.",
"name": "Nom",
"not_used": "N'a jamais été utilisé",
"prompt_copy_token": "Copiez votre jeton d'accès. Il ne sera plus affiché à nouveau.",
"prompt_name": "Donnez un nom au jeton"
},
@ -3720,11 +3368,6 @@
},
"shopping_list": {
"start_conversation": "Démarrer la conversation"
},
"shopping-list": {
"add_item": "Ajouter un élément",
"clear_completed": "Supprimer les éléments complétés",
"microphone_tip": "Cliquez sur le microphone en haut à droite et dites “Ajouter des bonbons à ma liste d'achat”"
}
},
"sidebar": {

View File

@ -30,135 +30,11 @@
}
},
"state": {
"alarm_control_panel": {
"armed": "Ynskeakele",
"armed_away": "Ynskeakele ôfwêzich",
"armed_home": "Ynskeakele thús",
"armed_night": "Ynskeakele nacht",
"triggered": "Aktivearre"
},
"automation": {
"off": "Út",
"on": "Oan"
},
"binary_sensor": {
"cold": {
"on": "Kâld"
},
"connectivity": {
"on": "Ferbûn"
},
"default": {
"off": "Út",
"on": "Oan"
},
"door": {
"off": "Ticht",
"on": "Iepen"
},
"garage_door": {
"off": "Ticht",
"on": "Iepen"
},
"gas": {
"off": "Net detektearre"
},
"moisture": {
"off": "Droech"
},
"motion": {
"on": "Detekteare"
},
"opening": {
"off": "Ticht"
},
"presence": {
"on": "Thús"
},
"vibration": {
"on": "Detekteare"
},
"window": {
"off": "Ticht"
}
},
"calendar": {
"on": "Oan"
},
"camera": {
"recording": "Opnimme"
},
"climate": {
"cool": "Kuolje",
"dry": "Droech",
"heat": "Ferwaarmje"
},
"cover": {
"closing": "Slút",
"open": "Iepen",
"opening": "Iepent"
},
"default": {
"off": "Út",
"on": "Oan",
"unavailable": "Net beskikber",
"unknown": "Ûnbekend"
},
"device_tracker": {
"not_home": "Fuort"
},
"fan": {
"on": "Oan"
},
"group": {
"home": "Thús",
"locked": "Beskoattele",
"not_home": "Oan",
"off": "Út",
"on": "Oan",
"open": "Iepen",
"stopped": "Stoppe"
},
"light": {
"off": "Út",
"on": "Oan"
},
"lock": {
"locked": "Beskoattele"
},
"media_player": {
"on": "Oan",
"playing": "Ôfspylje"
},
"remote": {
"on": "Oan"
},
"script": {
"off": "Út",
"on": "Oan"
},
"sensor": {
"off": "Út",
"on": "Oan"
},
"switch": {
"on": "Oan"
},
"vacuum": {
"on": "Oan"
},
"weather": {
"sunny": "Sinnich"
},
"zwave": {
"default": {
"dead": "Net berikber",
"initializing": "Inisjalisearje",
"sleeping": "Sliept"
},
"query_stage": {
"dead": "Net berikber ({query_stage})"
}
}
},
"ui": {
@ -363,9 +239,6 @@
"zha": {
"clusters": {
"introduction": "Clusters binne de boustiennen foar Zigbee-funksjonaliteit. Se skiede funksjonaliteit yn logyske ienheden. D'r binne client- en serversoarten en disse besteane út attributen en kommando's."
},
"groups": {
"description": "Meitsje en bewurkje Zigbee groepen"
}
},
"zwave": {

View File

@ -44,217 +44,11 @@
}
},
"state": {
"alarm_control_panel": {
"armed": "Scharf",
"armed_away": "Scharf usswerts",
"armed_home": "Scharf dihei",
"armed_night": "Scharf Nacht",
"arming": "Scharf stelä",
"disarmed": "Nid scharf",
"disarming": "Entsperrä",
"pending": "Usstehehnd",
"triggered": "Usglösst"
},
"automation": {
"off": "Us",
"on": "Ah"
},
"binary_sensor": {
"battery": {
"off": "Normau",
"on": "Nidrig"
},
"connectivity": {
"off": "Trennt",
"on": "Verbunge"
},
"default": {
"off": "Us",
"on": "Ah"
},
"gas": {
"off": "Frei",
"on": "Erkännt"
},
"heat": {
"on": "Heiss"
},
"moisture": {
"off": "Trochä",
"on": "Nass"
},
"motion": {
"off": "Ok",
"on": "Erchänt"
},
"occupancy": {
"off": "Ok",
"on": "Erchänt"
},
"opening": {
"off": "Gschlosä",
"on": "Offä"
},
"presence": {
"on": "Dahei"
},
"problem": {
"off": "OK",
"on": "Problem"
},
"safety": {
"off": "Sicher",
"on": "Unsicher"
},
"smoke": {
"off": "Ok",
"on": "Erchänt"
},
"sound": {
"off": "Ok",
"on": "Erchänt"
},
"vibration": {
"off": "Ok",
"on": "Erchänt"
}
},
"calendar": {
"off": "Us",
"on": "Ah"
},
"camera": {
"idle": "Läärlauf",
"recording": "Nimt uf",
"streaming": "Streamt"
},
"climate": {
"cool": "Chüälä",
"dry": "Trochä",
"fan_only": "Nur Lüfter",
"heat": "Heizä",
"off": "Us"
},
"configurator": {
"configure": "Konfiguriärä",
"configured": "Konfiguriärt"
},
"cover": {
"closed": "Gschlossä",
"closing": "Am schliesse",
"open": "Offä",
"opening": "Am öffnä",
"stopped": "Gstoppt"
},
"default": {
"off": "Aus",
"on": "An",
"unavailable": "Nid verfüägbar",
"unknown": "Unbekannt"
},
"device_tracker": {
"not_home": "Nid Dahei"
},
"fan": {
"off": "Us",
"on": "Ah"
},
"group": {
"closed": "Gschlossä",
"closing": "Schlüssä",
"home": "Dahei",
"locked": "Gsperrt",
"not_home": "Nid Dahei",
"off": "Us",
"ok": "Ok",
"on": "Ah",
"open": "Offä",
"opening": "Am öffnä",
"problem": "Problem",
"stopped": "Gstoppt",
"unlocked": "Entsperrt"
},
"input_boolean": {
"off": "Us",
"on": "Ah"
},
"light": {
"off": "Us",
"on": "Ah"
},
"lock": {
"locked": "Gsperrt",
"unlocked": "Entsperrt"
},
"media_player": {
"idle": "Läärlauf",
"off": "Us",
"on": "Ah",
"paused": "Pousiärä",
"playing": "Am spilä",
"standby": "Standby"
},
"plant": {
"ok": "OK",
"problem": "Problem"
},
"remote": {
"off": "Us",
"on": "Ah"
},
"scene": {
"scening": "Szenä"
},
"script": {
"off": "Us",
"on": "Ah"
},
"sensor": {
"off": "Us",
"on": "Ah"
},
"sun": {
"above_horizon": "Überem Horizont",
"below_horizon": "Underem Horizont"
},
"switch": {
"off": "Us",
"on": "Ah"
},
"vacuum": {
"cleaning": "Putze",
"error": "Fähler",
"off": "Us",
"on": "I",
"paused": "Pause"
},
"weather": {
"clear-night": "Klar, Nacht",
"cloudy": "Bedeckt",
"fog": "Näbu",
"hail": "Hägu",
"lightning": "Blitzä",
"lightning-rainy": "Blitzä, Räge",
"partlycloudy": "Teilwis bedeckt",
"pouring": "Schütte",
"rainy": "Rägnärisch",
"snowy": "Schneie",
"snowy-rainy": "Schneie, rägnerisch",
"sunny": "sunnig",
"windy": "windig",
"windy-variant": "windig"
},
"zwave": {
"default": {
"dead": "Tod",
"initializing": "Inizialisiärä",
"ready": "Parat",
"sleeping": "Schlafä"
},
"query_stage": {
"dead": "Tod ({query_stage})",
"initializing": "Inizialisiärä ( {query_stage} )"
}
}
},
"ui": {
@ -302,9 +96,6 @@
"scene": {
"activate": "Aktiviere"
},
"script": {
"execute": "Usfüähre"
},
"vacuum": {
"actions": {
"turn_off": "Ausschaute",
@ -375,10 +166,6 @@
"connection_lost": "Vrbindig vrlore. Neu verbinde..."
},
"panel": {
"calendar": {
"my_calendars": "Meine Kalender",
"today": "Heute"
},
"config": {
"automation": {
"caption": "Automation",
@ -470,9 +257,6 @@
}
}
},
"cloud": {
"caption": "Home Assistant Cloud"
},
"devices": {
"device_info": "Geräteinformationen",
"scripts": "Scripts"
@ -499,14 +283,8 @@
"editor": {
"delete_user": "Benutzer lösche"
}
},
"zwave": {
"caption": "Z-Wave"
}
},
"history": {
"period": "Periode"
},
"mailbox": {
"delete_button": "Lösche"
},

View File

@ -94,253 +94,11 @@
}
},
"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": "מופעל"
},
"door": {
"off": "סגורה",
"on": "פתוחה"
},
"garage_door": {
"off": "סגורה",
"on": "פתוחה"
},
"gas": {
"off": "נקי",
"on": "אותר"
},
"heat": {
"off": "רגיל",
"on": "חם"
},
"lock": {
"off": "נעול",
"on": "לא נעול"
},
"moisture": {
"off": "יבש",
"on": "רטוב"
},
"motion": {
"off": "נקי",
"on": "זוהה"
},
"occupancy": {
"off": "נקי",
"on": "זוהה"
},
"opening": {
"off": "סגור",
"on": "פתוח"
},
"presence": {
"off": "לא נמצא",
"on": "בבית"
},
"problem": {
"off": "אוקיי",
"on": "בעייה"
},
"safety": {
"off": "בטוח",
"on": "לא בטוח"
},
"smoke": {
"off": "נקי",
"on": "אותר"
},
"sound": {
"off": "נקי",
"on": "אותר"
},
"vibration": {
"off": "נקי",
"on": "אותר"
},
"window": {
"off": "סגור",
"on": "פתוח"
}
},
"calendar": {
"off": "כבוי",
"on": "מופעל"
},
"camera": {
"idle": "מחכה",
"recording": "מקליט",
"streaming": "מזרים"
},
"climate": {
"cool": "קרור",
"dry": "יבש",
"fan_only": "מאוורר בלבד",
"heat": "חימום",
"heat_cool": "חימום/קירור",
"off": "כבוי"
},
"configurator": {
"configure": "הגדר",
"configured": "הוגדר"
},
"cover": {
"closed": "נסגר",
"closing": "סוגר",
"open": "פתוח",
"opening": "פותח",
"stopped": "עצור"
},
"default": {
"off": "מופסק",
"on": "מופעל",
"unavailable": "לא זמין",
"unknown": "לא ידוע"
},
"device_tracker": {
"not_home": "לא בבית"
},
"fan": {
"off": "כבוי",
"on": "דלוק"
},
"group": {
"closed": "סגור",
"closing": "סוגר",
"home": "בבית",
"locked": "נעול",
"not_home": "לא נמצא",
"off": "כבוי",
"ok": "תקין",
"on": "מופעל",
"open": "פתוח",
"opening": "פותח",
"problem": "בעיה",
"stopped": "נעצר",
"unlocked": "פתוח"
},
"input_boolean": {
"off": "כבוי",
"on": "מופעל"
},
"light": {
"off": "כבוי",
"on": "מופעל"
},
"lock": {
"locked": "נעול",
"unlocked": "פתוח"
},
"media_player": {
"idle": "ממתין",
"off": "כבוי",
"on": "דלוק",
"paused": "מושהה",
"playing": "מנגן",
"standby": "מצב המתנה"
},
"person": {
"home": "בבית"
},
"plant": {
"ok": "תקין",
"problem": "בעיה"
},
"remote": {
"off": "כבוי",
"on": "דלוק"
},
"scene": {
"scening": "מפעיל סצנה"
},
"script": {
"off": "כבוי",
"on": "דלוק"
},
"sensor": {
"off": "כבוי",
"on": "דלוק"
},
"sun": {
"above_horizon": "מעל האופק",
"below_horizon": "מתחת לאופק"
},
"switch": {
"off": "כבוי",
"on": "מופעל"
},
"timer": {
"active": "פעיל",
"idle": "לא פעיל",
"paused": "מושהה"
},
"vacuum": {
"cleaning": "מנקה",
"docked": "בעגינה",
"error": "שגיאה",
"idle": "ממתין",
"off": "כבוי",
"on": "מופעל",
"paused": "מושהה",
"returning": "חזור לעגינה"
},
"weather": {
"clear-night": "לילה בהיר",
"cloudy": "מעונן",
"exceptional": "יוצא דופן",
"fog": "ערפל",
"hail": "ברד",
"lightning": "ברק",
"lightning-rainy": "ברק, גשום",
"partlycloudy": "מעונן חלקית",
"pouring": "גשום",
"rainy": "גשום",
"snowy": "מושלג",
"snowy-rainy": "מושלג, גשום",
"sunny": "שמשי",
"windy": "סוער",
"windy-variant": "סוער"
},
"zwave": {
"default": {
"dead": "מת",
"initializing": "מאתחל",
"ready": "מוכן",
"sleeping": "ישן"
},
"query_stage": {
"dead": "מת ({query_stage})",
"initializing": "מאתחל ({query_stage})"
}
}
},
"ui": {
@ -433,8 +191,7 @@
},
"script": {
"cancel": "בטל",
"cancel_multiple": "בטל {number}",
"execute": "הפעל"
"cancel_multiple": "בטל {number}"
},
"service": {
"run": "הפעל"
@ -631,9 +388,7 @@
"second": "{count} {count, plural,\n one {שנייה}\n other {שניות}\n}",
"week": "{count} {count, plural,\n one {שבוע}\n other {שבועות}\n}"
},
"future": "בעוד {time}",
"never": "אף פעם לא",
"past": "לפני {time}",
"past_duration": {
"day": "לפני {count} {count, plural,\n one {day}\n other {days}\n}",
"hour": "לפני {count} {count, plural,\n one {hour}\n other {hours}\n}",
@ -741,7 +496,6 @@
"crop": "חתוך"
},
"more_info_control": {
"controls": "פקדים",
"dismiss": "סגור",
"edit": "ערוך יישות",
"history": "היסטוריה",
@ -847,9 +601,7 @@
},
"unknown": "לא ידוע",
"zha_device_card": {
"area_picker_label": "אזור",
"device_name_placeholder": "שנה שם התקן",
"update_name_button": "עדכן שם"
"device_name_placeholder": "שנה שם התקן"
}
}
},
@ -880,10 +632,6 @@
"triggered": "הופעל {שם}"
},
"panel": {
"calendar": {
"my_calendars": "לוחות השנה שלי",
"today": "היום"
},
"config": {
"advanced_mode": {
"hint_enable": "חסרים אפשרויות תצורה? אפשר מצב מתקדם פועל",
@ -984,8 +732,7 @@
"label": "הפעל סצנה"
},
"service": {
"label": "קריאה לשירות",
"service_data": "נתוני שירות"
"label": "קריאה לשירות"
},
"wait_template": {
"label": "לחכות",
@ -1321,7 +1068,6 @@
"not_exposed_entities": "ישויות לא חשופות",
"title": "Alexa"
},
"caption": "ענן Home Assistant",
"description_features": "שליטה הרחק מהבית, משתלב עם Alexa ו Google Assistant.",
"description_login": "מחובר בתור {email} מה",
"description_not_login": "לא מחובר",
@ -1450,7 +1196,6 @@
"pick_attribute": "בחר תכונה לדריסה",
"picker": {
"documentation": "תיעוד התאמה אישית",
"entity": "ישות",
"header": "התאמה אישית",
"introduction": "כוונן תכונות של כל ישות. ההתאמות הנוספות שנוספו / ייכנסו לתוקף באופן מיידי. התאמות אישיות שהוסרו ייכנסו לתוקף כאשר הישות תעודכן."
},
@ -1489,7 +1234,6 @@
"integration": "אינטגרציה",
"manufacturer": "יצרן",
"model": "מודל",
"no_area": "אין אזור",
"no_devices": "אין התקנים"
},
"delete": "מחיקה",
@ -1639,8 +1383,7 @@
"path_configuration": "נתיב ל - configuration.yaml: {path}",
"server": "שרת",
"source": "מקור:",
"system_health_error": "רכיב ה System Health אינו טעון. הוסף 'system_health:' ל - configuration.yaml",
"title": "מידע"
"system_health_error": "רכיב ה System Health אינו טעון. הוסף 'system_health:' ל - configuration.yaml"
},
"integration_panel_move": {
"link_integration_page": "עמוד אינטגרציות",
@ -1653,7 +1396,6 @@
"config_entry": {
"area": "ב {area}",
"delete": "מחק",
"delete_button": "מחק {integration}",
"delete_confirm": "האם אתה בטוח שברצונך למחוק אינטגרציה זו?",
"device_unavailable": "מכשיר אינו זמין",
"devices": "{count} {count, plural,\n one {device}\n other {devices}\n}",
@ -1664,14 +1406,10 @@
"hub": "מחובר באמצעות",
"manuf": "על ידי {manufacturer}",
"no_area": "ללא אזור",
"no_device": "ישויות ללא מכשירים",
"no_devices": "לאינטגרציה זו אין התקנים.",
"options": "אפשרויות",
"rename": "שנה שם",
"restart_confirm": "הפעל מחדש את Home Assistant כדי להשלים את הסרת האינטגרציה",
"settings_button": "ערוך הגדרות עבור {integration}",
"system_options": "אפשרויות מערכת",
"system_options_button": "אפשרויות מערכת עבור {integration}",
"unnamed_entry": "ערך ללא שם"
},
"config_flow": {
@ -1730,8 +1468,7 @@
"multiple_messages": "ההודעה התרחשה לראשונה בשעה {time} והיא מופיעה {counter} פעמים",
"no_errors": "לא דווחו שגיאות.",
"no_issues": "אין נושאים חדשים!",
"refresh": "רענן",
"title": "יומנים"
"refresh": "רענן"
},
"lovelace": {
"caption": "לוחות מחוונים של Lovelace",
@ -1994,8 +1731,7 @@
"learn_more": "למד עוד אודות קבצי סקריפטים",
"no_scripts": "לא מצאנו סקריפטים הניתנים לעריכה",
"run_script": "הפעל סקריפט",
"show_info": "הצג מידע על התסריט",
"trigger_script": "הפעל סקריפט"
"show_info": "הצג מידע על התסריט"
}
},
"server_control": {
@ -2066,9 +1802,7 @@
"add_user": {
"caption": "הוסף משתמש",
"create": "צור",
"name": "שם",
"password": "סיסמה",
"username": "שם משתמש"
"password": "סיסמה"
},
"caption": "משתמשים",
"description": "ניהול משתמשים",
@ -2109,19 +1843,12 @@
"add_device": "הוסף מכשיר",
"add_device_page": {
"discovered_text": "התקנים יופיעו כאן לאחר שהתגלו.",
"discovery_text": ". המכשירים שהתגלו יופיעו כאן. עקוב אחר ההוראות עבור ההתקנים שלך והצב את ההתקנים במצב תיאום.",
"header": "אוטומציית Zigbee - הוספת התקנים",
"no_devices_found": "לא נמצאו התקנים כלשהם, וודא שהם במצב צימוד והקפד שיהיו פעילים בזמן החיפוש.",
"pairing_mode": "ודא שההתקנים שלך נמצאים במצב צימוד. בדוק את הוראות ההתקן כיצד לבצע זאת.",
"search_again": "חפש שוב",
"spinner": "מחפש מכשירי ZHA Zigbee..."
},
"add": {
"caption": "הוסף התקנים",
"description": "הוספת התקנים לרשת Zigbee"
},
"button": "הגדר",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "תכונות של האשכול שנבחר",
"get_zigbee_attribute": "קבל שדה Zigbee",
@ -2145,13 +1872,10 @@
"introduction": "אשכולות הם אבני הבניין עבור פונקציונליות Zigbee. הן מפרידות את הפונקציונליות ליחידות לוגיות. קיימים סוגים של לקוחות ושרתים הכוללים תכונות ופקודות."
},
"common": {
"add_devices": "הוסף התקנים",
"clusters": "אשכולות",
"devices": "התקנים",
"manufacturer_code_override": "עקיפת קוד יצרן",
"value": "ערך"
},
"description": "ניהול רשת Zigbee לאוטומציה ביתית",
"device_pairing_card": {
"CONFIGURED": "קביעת התצורה הושלמה",
"CONFIGURED_status_text": "מאתחל",
@ -2162,9 +1886,6 @@
"PAIRED": "התקן נמצא",
"PAIRED_status_text": "מתחיל ראיון"
},
"devices": {
"header": "אוטומציה ביתית של Zigbee - מכשיר"
},
"group_binding": {
"bind_button_help": "קשר את הקבוצה שנבחרה לאשכול המכשירים שנבחר.",
"bind_button_label": "קשר קבוצה",
@ -2179,48 +1900,24 @@
"groups": {
"add_group": "הוסף קבוצה",
"add_members": "הוסף חברים",
"adding_members": "מוסיף חברים",
"caption": "קבוצות",
"create": "צור קבוצה",
"create_group": "אוטומציה ביתית של Zigbee - צור קבוצה",
"create_group_details": "הזן את הפרטים הדרושים כדי ליצור קבוצת zigbee חדשה",
"creating_group": "יוצר קבוצה",
"description": "יצירה ושינוי של קבוצות Zigbee",
"group_details": "להלן כל הפרטים עבור קבוצת Zigbee שנבחרה.",
"group_id": "מזהה קבוצה",
"group_info": "פרטי קבוצה",
"group_name_placeholder": "שם קבוצה",
"group_not_found": "הקבוצה לא נמצאה!",
"group-header": "אוטומציה ביתית של Zigbee - פרטי קבוצה",
"groups": "קבוצות",
"groups-header": "אוטומציה ביתית של Zigbee - ניהול קבוצות",
"header": "אוטומציה ביתית של Zigbee - ניהול קבוצות",
"introduction": "יצירה ושינוי של קבוצות Zigbee",
"manage_groups": "ניהול קבוצות Zigbee",
"members": "חברים",
"remove_groups": "הסר קבוצות",
"remove_members": "הסר חברים",
"removing_groups": "מסיר קבוצות",
"removing_members": "מסיר חברים",
"zha_zigbee_groups": "קבוצות Zigbee ZHA"
},
"header": "הגדר אוטומציה ביתית של Zigbee",
"introduction": "כאן ניתן לקבוע את התצורה של רכיב ה- ZHA. עדיין לא ניתן להגדיר הכל ממשק המשתמש, אך אנו עובדים על זה.",
"network_management": {
"header": "ניהול רשת",
"introduction": "פקודות שמשפיעות על הרשת כולה"
"removing_members": "מסיר חברים"
},
"network": {
"caption": "רשת"
},
"node_management": {
"header": "ניהול מכשירים",
"help_node_dropdown": "בחר מכשיר להצגת האפשרויות.",
"hint_battery_devices": "הערה: מכשירים מנומנמים (מופעלים על סוללות) צריכים להיות ערים בעת ביצוע פקודות מולם. בדרך כלל ניתן להעיר מכשיר מנומנם על ידי ביצוע פקודה מולם.",
"hint_wakeup": "מכשירים מסוימים, כגון חיישני Xiaomi, כוללים כפתור להתעוררות עליו ניתן ללחוץ במרווח של ~5 שניות על מנת להשאיר אותם ערים בזמן שמתקשרים איתם.",
"introduction": "הפעל פקודות ZHA המשפיעות על מכשיר בודד. בחר מכשיר כדי לראות את רשימת הפקודות הזמינות."
},
"title": "אוטומציה ביתית של Zigbee",
"visualization": {
"caption": "ויזואליזציה",
"header": "הדמית רשת",
@ -2270,7 +1967,6 @@
},
"zwave": {
"button": "הגדר",
"caption": "Z-Wave",
"common": {
"index": "אינדקס",
"instance": "פרמטר",
@ -2383,17 +2079,12 @@
"type": "סוג אירוע"
},
"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": {
@ -2424,25 +2115,20 @@
}
},
"history": {
"period": "תקופה",
"ranges": {
"last_week": "שבוע שעבר",
"this_week": "השבוע",
"today": "היום",
"yesterday": "אתמול"
},
"showing_entries": "מציג רשומות עבור"
}
},
"logbook": {
"entries_not_found": "לא נמצאו רשומות ביומן.",
"period": "תקופה",
"ranges": {
"last_week": "שבוע שעבר",
"this_week": "השבוע",
"today": "היום",
"yesterday": "אתמול"
},
"showing_entries": "מציג רשומות עבור"
}
},
"lovelace": {
"add_entities": {
@ -2451,7 +2137,6 @@
"yaml_unsupported": "אינך יכול להשתמש בפונקציה זו כשמשתמשים בממשק המשתמש של Lovelace במצב YAML."
},
"cards": {
"action_confirmation": "האם אתה בטוח שברצונך לבצע פעולה \" {action} \"?",
"actions": {
"no_service": "לא צוין שום שירות לביצוע",
"no_url": "לא צוין כתובת אתר לפתיחה"
@ -2486,13 +2171,11 @@
"reorder_items": "סדר מחדש פריטים"
},
"starting": {
"description": "Home Assistant בעלייה. אנא המתן...",
"header": "Home Assistant בעלייה..."
"description": "Home Assistant בעלייה. אנא המתן..."
}
},
"changed_toast": {
"message": "תצורת Lovelace עודכנה, האם ברצונך לרענן?",
"refresh": "רענן"
"message": "תצורת Lovelace עודכנה, האם ברצונך לרענן?"
},
"components": {
"timestamp-display": {
@ -2692,7 +2375,6 @@
},
"sensor": {
"description": "כרטיס החיישן מעניק לך סקירה מהירה של מצב החיישנים שלך באמצעות גרף אופציונלי להמחשת שינוי לאורך זמן.",
"graph_detail": "פרטי הגרף",
"graph_type": "סוג גרף",
"name": "חיישן"
},
@ -2825,7 +2507,6 @@
"configure_ui": "הגדר UI",
"exit_edit_mode": "צא ממצב עריכה של ממשק המשתמש",
"help": "עזרה",
"refresh": "רענן",
"reload_resources": "רענן משאבים"
},
"reload_lovelace": "טען מחדש את Lovelace",
@ -2943,8 +2624,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "המחשב שלך אינו מורשה.",
"not_whitelisted": "המחשב שלך אינו רשום ברשימת ההיתרים."
"not_allowed": "המחשב שלך אינו מורשה."
},
"step": {
"init": {
@ -3089,14 +2769,11 @@
"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": "שֵׁם?"
},
@ -3161,11 +2838,6 @@
},
"shopping_list": {
"start_conversation": "התחל שיחה"
},
"shopping-list": {
"add_item": "הוסף פריט",
"clear_completed": "ניקוי הושלם",
"microphone_tip": "לחץ על המיקרופון למעלה מצד ימין ותאמר \"הוסף סוכריה לרשימת הקניות שלי\""
}
},
"sidebar": {

View File

@ -35,140 +35,11 @@
}
},
"state": {
"automation": {
"off": "बंद",
"on": "चालू"
},
"binary_sensor": {
"battery": {
"off": "साधारण",
"on": "कम"
},
"cold": {
"off": "साधारण",
"on": "सर्दी"
},
"connectivity": {
"off": "डिस्कनेक्ट किया गया",
"on": "जुड़े हुए"
},
"default": {
"off": "बंद",
"on": "चालू"
},
"door": {
"off": "बंद",
"on": "खुला"
},
"garage_door": {
"off": "बंद",
"on": "खुला"
},
"heat": {
"on": "गर्म"
},
"moisture": {
"off": "सूखा",
"on": "गीला"
},
"motion": {
"off": "विशद",
"on": "अनुसन्धानित"
},
"opening": {
"on": "खुला"
},
"presence": {
"on": "घर"
},
"safety": {
"off": "सुरक्षित",
"on": "असुरक्षित"
},
"window": {
"off": "बंद",
"on": "खुली"
}
},
"calendar": {
"off": "बंद",
"on": "चालू"
},
"camera": {
"recording": "रिकॉर्डिंग"
},
"climate": {
"cool": "ठंडा",
"dry": "सूखा",
"fan_only": "केवल पंखा",
"heat": "गर्मी",
"off": "बंद"
},
"default": {
"off": "बंद",
"on": "चालू",
"unavailable": "अनुपलब्ध",
"unknown": "अनजान"
},
"fan": {
"off": "बंद",
"on": "चालू"
},
"group": {
"home": "घर",
"off": "बंद",
"on": "चालू",
"problem": "समस्या"
},
"input_boolean": {
"off": "बंद",
"on": "चालू"
},
"light": {
"off": "बंद",
"on": "चालू"
},
"lock": {
"locked": "अवरोधित",
"unlocked": "खुला"
},
"media_player": {
"off": "बंद",
"on": "चालू"
},
"plant": {
"ok": "ठीक है",
"problem": "समस्या"
},
"remote": {
"off": "बंद",
"on": "चालू"
},
"script": {
"off": "बंद",
"on": "चालू"
},
"sensor": {
"off": "बंद",
"on": "चालू"
},
"sun": {
"above_horizon": "क्षितिज से ऊपर",
"below_horizon": "क्षितिज के नीचे"
},
"switch": {
"off": "बंद",
"on": "चालू"
},
"zwave": {
"default": {
"ready": "तैयार",
"sleeping": "सोया हुआ"
},
"query_stage": {
"dead": " ( {query_stage} )",
"initializing": "आरंभ ({query_stage})"
}
}
},
"ui": {
@ -209,9 +80,6 @@
"title": "सूचनाएँ"
},
"panel": {
"calendar": {
"today": "आज"
},
"config": {
"areas": {
"editor": {
@ -312,9 +180,6 @@
"rename_input_label": "प्रवेश का नाम"
},
"introduction": "In questa schermata è possibile configurare Home Assistant e i suoi componenti. Non è ancora possibile configurare tutto tramite l'interfaccia, ma ci stiamo lavorando.",
"logs": {
"title": "लॉग्स"
},
"mqtt": {
"title": "MQTT"
},
@ -342,13 +207,10 @@
},
"zha": {
"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 ..."
}
},
"zwave": {
"caption": "Z-Wave",
"node_config": {
"set_config_parameter": "कॉन्फ़िगरेशन पैरामीटर सेट करें"
}
@ -367,14 +229,10 @@
}
}
},
"logbook": {
"showing_entries": "Visualizza gli inserimenti per"
},
"lovelace": {
"cards": {
"starting": {
"description": "होम असिस्टेंट शुरू हो रहा है, कृपया प्रतीक्षा करें ...",
"header": "होम असिस्टेंट शुरू हो रहा है ..."
"description": "होम असिस्टेंट शुरू हो रहा है, कृपया प्रतीक्षा करें ..."
}
},
"changed_toast": {
@ -437,10 +295,6 @@
"language": {
"link_promo": "अनुवाद करने में सहायता करें"
}
},
"shopping-list": {
"add_item": "आइटम जोड़ें",
"microphone_tip": "ऊपर दाईं ओर माइक्रोफ़ोन टैप करें और \"मेरी खरीदारी सूची में कैंडी जोड़ें\" कहें"
}
}
}

View File

@ -79,251 +79,9 @@
}
},
"state": {
"alarm_control_panel": {
"armed": "Aktiviran",
"armed_away": "Aktiviran odsutno",
"armed_custom_bypass": "Aktiviran",
"armed_home": "Aktiviran doma",
"armed_night": "Aktiviran nočni",
"arming": "Aktiviranje",
"disarmed": "Deaktiviran",
"disarming": "Deaktiviranje",
"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"
},
"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"
},
"occupancy": {
"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"
},
"sound": {
"off": "Čisto",
"on": "Otkriveno"
},
"vibration": {
"off": "Čisto",
"on": "Otkriveno"
},
"window": {
"off": "Zatvoreno",
"on": "Otvoreno"
}
},
"calendar": {
"off": "Isključen",
"on": "Uključen"
},
"camera": {
"idle": "Neaktivan",
"recording": "Snimanje",
"streaming": "Odašilja"
},
"climate": {
"cool": "Hlađenje",
"dry": "Suho",
"fan_only": "Samo ventilator",
"heat": "Grijanje",
"heat_cool": "Grijanje/Hlađenje",
"off": "Isključen"
},
"configurator": {
"configure": "Konfiguriranje",
"configured": "Konfiguriran"
},
"cover": {
"closed": "Zatvoreno",
"closing": "Zatvaranje",
"open": "Otvoreno",
"opening": "Otvaranje",
"stopped": "zaustavljen"
},
"default": {
"unavailable": "Nedostupan",
"unknown": "Nepoznato"
},
"device_tracker": {
"not_home": "Odsutan"
},
"fan": {
"off": "Isključen",
"on": "Uključen"
},
"group": {
"closed": "Zatvoreno",
"closing": "Zatvaranje",
"home": "Doma",
"locked": "Zaključano",
"not_home": "Odsutan",
"off": "Isključen",
"ok": "U redu",
"on": "Uključen",
"open": "Otvoreno",
"opening": "Otvaranje",
"problem": "Problem",
"stopped": "Zautavljeno",
"unlocked": "Otključano"
},
"input_boolean": {
"off": "Isključen",
"on": "Uključen"
},
"light": {
"off": "Isključen",
"on": "Uključen"
},
"lock": {
"locked": "Zaključan",
"unlocked": "Otključan"
},
"media_player": {
"idle": "Neaktivan",
"off": "Isključen",
"on": "Uključen",
"paused": "Pauzirano",
"playing": "Prikazivanje",
"standby": "U stanju čekanja"
},
"person": {
"home": "Doma"
},
"plant": {
"ok": "u redu",
"problem": "Problem"
},
"remote": {
"off": "Isključen",
"on": "Uključen"
},
"scene": {
"scening": "Scene"
},
"script": {
"off": "Isključen",
"on": "Uključen"
},
"sensor": {
"off": "Isključen",
"on": "Uključen"
},
"sun": {
"above_horizon": "Iznad horizonta",
"below_horizon": "Ispod horizonta"
},
"switch": {
"off": "Isključen",
"on": "Uključen"
},
"timer": {
"active": "aktivan",
"idle": "neaktivan",
"paused": "pauzirano"
},
"vacuum": {
"cleaning": "Čišćenje",
"docked": "Usidreni",
"error": "Greška",
"idle": "Neaktivan",
"off": "Ugašeno",
"on": "Upaljeno",
"paused": "Pauzirano",
"returning": "Povratak na dok"
},
"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"
},
"zwave": {
"default": {
"dead": "Mrtav",
"initializing": "Inicijalizacija",
"ready": "Spreman",
"sleeping": "Spavanje"
},
"query_stage": {
"dead": "Mrtav ({query_stage})",
"initializing": "Inicijalizacija ( {query_stage} )"
}
}
},
"ui": {
@ -394,9 +152,6 @@
"scene": {
"activate": "Aktivirati"
},
"script": {
"execute": "Izvršiti"
},
"service": {
"run": "Pokreni"
},
@ -499,9 +254,7 @@
"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"
"never": "Nikada"
},
"service-picker": {
"service": "Usluga"
@ -585,9 +338,7 @@
},
"unknown": "Nepoznato",
"zha_device_card": {
"area_picker_label": "Područje",
"device_name_placeholder": "Korisničko ime",
"update_name_button": "Ažuriraj naziv"
"device_name_placeholder": "Korisničko ime"
}
}
},
@ -668,8 +419,7 @@
"label": "Aktiviraj scenu"
},
"service": {
"label": "Zovi servis",
"service_data": "Podaci o usluzi"
"label": "Zovi servis"
},
"wait_template": {
"label": "Čekaj",
@ -864,7 +614,6 @@
"alexa": {
"title": "Alexa"
},
"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",
@ -1016,8 +765,7 @@
"home_assistant_logo": "Logotip Home Assistanta",
"license": "Objavljeno pod licencom Apache 2.0",
"path_configuration": "Put do configuration.yaml: {path}",
"source": "Izvorni kod:",
"title": "Informacije"
"source": "Izvorni kod:"
},
"integrations": {
"caption": "Integracije",
@ -1029,8 +777,6 @@
"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"
},
"config_flow": {
@ -1056,9 +802,6 @@
"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.",
"logs": {
"title": "Logovi"
},
"mqtt": {
"title": "MQTT"
},
@ -1133,8 +876,7 @@
"header": "Urednik skripta",
"introduction": "Urednik skripta omogućuje vam stvaranje i uređivanje skripta. Molimo slijedite donju vezu da biste pročitali upute kako biste bili sigurni da ste ispravno konfigurirali Home Assistant.",
"learn_more": "Saznajte više o skriptama",
"no_scripts": "Nismo mogli pronaći nikakve skripte koje se mogu uređivati",
"trigger_script": "Pokreni skriptu"
"no_scripts": "Nismo mogli pronaći nikakve skripte koje se mogu uređivati"
}
},
"server_control": {
@ -1171,9 +913,7 @@
"add_user": {
"caption": "Dodajte korisnika",
"create": "Kreiraj",
"name": "Ime",
"password": "Lozinka",
"username": "Korisničko ime"
"password": "Lozinka"
},
"caption": "Korisnici",
"description": "Upravljanje korisnicima",
@ -1187,21 +927,11 @@
},
"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..."
},
"add": {
"caption": "Dodaj uređaje"
},
"caption": "ZHA",
"clusters": {
"header": "klasteri"
},
"description": "Upravljanje Zigbee Home Automation mrežom",
"devices": {
"header": "Zigbee kućna automatizacija - uređaj"
},
"group_binding": {
"bind_button_help": "Povežite odabranu skupinu s odabranim skupinama uređaja.",
"bind_button_label": "Poveži grupu",
@ -1213,10 +943,7 @@
"unbind_button_label": "Poništi vezu"
},
"groups": {
"caption": "Grupe",
"description": "Stvarajte i modificirajte Zigbee grupe",
"group-header": "Kućna automatizacija Zigbee - Pojedinosti o grupi",
"groups-header": "Zigbee Home Automation - Upravljanje grupama"
"caption": "Grupe"
}
},
"zone": {
@ -1244,7 +971,6 @@
"no_zones_created_yet": "Izgleda da još niste stvorili nijednu zonu."
},
"zwave": {
"caption": "Z-Wave",
"common": {
"index": "Indeks",
"instance": "Instanca",
@ -1305,13 +1031,8 @@
"title": "Događaji"
},
"services": {
"alert_parsing_yaml": "Greška pri analiziranju YAML-a: {data}",
"column_parameter": "Parametar",
"data": "Podaci o usluzi (YAML, neobavezno)",
"fill_example_data": "Ispuni primjerne podatke",
"no_description": "Opis nije dostupan",
"no_parameters": "Ova usluga ne prihvaća parametre.",
"select_service": "Odaberite uslugu da biste vidjeli opis",
"title": "Usluge"
},
"states": {
@ -1324,15 +1045,6 @@
}
}
},
"history": {
"period": "Razdoblje",
"showing_entries": "Prikazivanje stavki za"
},
"logbook": {
"entries_not_found": "Nije pronađen nijedan unos u dnevniku.",
"period": "Razdoblje",
"showing_entries": "Prikaži entitete za"
},
"lovelace": {
"cards": {
"empty_state": {
@ -1359,8 +1071,7 @@
}
},
"changed_toast": {
"message": "Konfiguracija Lovelace je ažurirana, želite li je osvježiti?",
"refresh": "Osvježi"
"message": "Konfiguracija Lovelace je ažurirana, želite li je osvježiti?"
},
"editor": {
"card": {
@ -1416,7 +1127,6 @@
"content": "Sadržaj"
},
"sensor": {
"graph_detail": "Detalj grafikona",
"graph_type": "Vrsta grafikona"
},
"shopping-list": {
@ -1477,8 +1187,7 @@
"menu": {
"close": "Zatvoriti",
"configure_ui": "Konfiguriraj UI",
"help": "Pomoć",
"refresh": "Osvježi"
"help": "Pomoć"
},
"reload_lovelace": "Ponovo učitajte Lovelace",
"unused_entities": {
@ -1577,9 +1286,6 @@
}
},
"trusted_networks": {
"abort": {
"not_whitelisted": "Računalo nije na popisu dopuštenih."
},
"step": {
"init": {
"data": {
@ -1701,14 +1407,11 @@
"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?"
},
@ -1754,11 +1457,6 @@
"description": "Omogućite ili onemogućite vibracije na ovom uređaju prilikom kontrole uređaja.",
"header": "Vibriraj"
}
},
"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”"
}
},
"sidebar": {

View File

@ -95,253 +95,11 @@
}
},
"state": {
"alarm_control_panel": {
"armed": "Élesítve",
"armed_away": "Élesítve távol",
"armed_custom_bypass": "Élesítve áthidalással",
"armed_home": "Élesítve otthon",
"armed_night": "Élesítve éjszaka",
"arming": "Élesítés",
"disarmed": "Hatástalanítva",
"disarming": "Hatástalanítás",
"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"
},
"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"
},
"occupancy": {
"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"
},
"sound": {
"off": "Normál",
"on": "Észlelve"
},
"vibration": {
"off": "Normál",
"on": "Észlelve"
},
"window": {
"off": "Zárva",
"on": "Nyitva"
}
},
"calendar": {
"off": "Ki",
"on": "Be"
},
"camera": {
"idle": "Tétlen",
"recording": "Felvétel",
"streaming": "Streamelés"
},
"climate": {
"cool": "Hűtés",
"dry": "Száraz",
"fan_only": "Csak ventilátor",
"heat": "Fűtés",
"heat_cool": "Fűtés/Hűtés",
"off": "Ki"
},
"configurator": {
"configure": "Beállítás",
"configured": "Beállítva"
},
"cover": {
"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": {
"not_home": "Távol"
},
"fan": {
"off": "Ki",
"on": "Be"
},
"group": {
"closed": "Zárva",
"closing": "Zárás",
"home": "Otthon",
"locked": "Bezárva",
"not_home": "Távol",
"off": "Ki",
"ok": "OK",
"on": "Be",
"open": "Nyitva",
"opening": "Nyitás",
"problem": "Probléma",
"stopped": "Megállítva",
"unlocked": "Kinyitva"
},
"input_boolean": {
"off": "Ki",
"on": "Be"
},
"light": {
"off": "Ki",
"on": "Be"
},
"lock": {
"locked": "Bezárva",
"unlocked": "Kinyitva"
},
"media_player": {
"idle": "Tétlen",
"off": "Ki",
"on": "Be",
"paused": "Szünetel",
"playing": "Lejátszás",
"standby": "Készenlét"
},
"person": {
"home": "Otthon"
},
"plant": {
"ok": "OK",
"problem": "Probléma"
},
"remote": {
"off": "Ki",
"on": "Be"
},
"scene": {
"scening": "Jelenet beállítása"
},
"script": {
"off": "Ki",
"on": "Be"
},
"sensor": {
"off": "Ki",
"on": "Be"
},
"sun": {
"above_horizon": "Látóhatár felett",
"below_horizon": "Látóhatár alatt"
},
"switch": {
"off": "Ki",
"on": "Be"
},
"timer": {
"active": "aktív",
"idle": "tétlen",
"paused": "szüneteltetve"
},
"vacuum": {
"cleaning": "Takarítás",
"docked": "Dokkolva",
"error": "Hiba",
"idle": "Tétlen",
"off": "Ki",
"on": "Be",
"paused": "Szüneteltetve",
"returning": "Dokkolás folyamatban"
},
"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"
},
"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": {
@ -442,8 +200,7 @@
},
"script": {
"cancel": "Mégse",
"cancel_multiple": "Mégse {number}",
"execute": "Futtatás"
"cancel_multiple": "Mégse {number}"
},
"service": {
"run": "Futtatás"
@ -625,7 +382,6 @@
"media-browser": {
"audio_not_supported": "A böngésződ nem támogatja az audio elemet.",
"choose_player": "Lejátszó kiválasztása",
"choose-source": "Forrás kiválasztása",
"class": {
"album": "Album",
"app": "App",
@ -648,13 +404,6 @@
"url": "URL",
"video": "Videó"
},
"content-type": {
"album": "Album",
"artist": "Előadó",
"library": "Könyvtár",
"playlist": "Lejátszási lista",
"server": "Szerver"
},
"documentation": "dokumentáció",
"learn_adding_local_media": "Tudj meg többet a média hozzáadásról a {documentation}ban.",
"local_media_files": "Helyezd el a videó-, hang- és képfájljaidat a média könyvtárban ahhoz, hogy tallózhasd és lejátszhasd őket a böngészőben vagy a támogatott médialejátszókon.",
@ -696,7 +445,6 @@
"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",
"future_duration": {
"day": "{count} {count, plural,\n one {nap}\n other {nap}\n} múlva",
"hour": "{count} {count, plural,\n one {óra}\n other {óra}\n} múlva",
@ -706,7 +454,6 @@
},
"just_now": "Éppen most",
"never": "Soha",
"past": "{time} ezelőtt",
"past_duration": {
"day": "{count} {count, plural,\n one {nappal}\n other {nappal}\n} ezelőtt",
"hour": "{count} {count, plural,\n one {órával}\n other {órával}\n} ezelőtt",
@ -829,7 +576,6 @@
"crop": "Kivágás"
},
"more_info_control": {
"controls": "Vezérlők",
"cover": {
"close_cover": "Árnyékoló zárása",
"close_tile_cover": "Árnyékoló döntésének zárása",
@ -914,7 +660,6 @@
"logs": "Napló",
"lovelace": "Lovelace Irányítópultok",
"navigate_to": "Ugrás ide: {panel}",
"navigate_to_config": "Ugrás ide: {panel} konfiguráció",
"person": "Személyek",
"scene": "Jelenetek",
"script": "Szkriptek",
@ -997,9 +742,7 @@
},
"unknown": "Ismeretlen",
"zha_device_card": {
"area_picker_label": "Terület",
"device_name_placeholder": "Eszköznév módosítása",
"update_name_button": "Név frissítése"
"device_name_placeholder": "Eszköznév módosítása"
}
}
},
@ -1037,10 +780,6 @@
"triggered": "Aktiválva {name}"
},
"panel": {
"calendar": {
"my_calendars": "Saját naptáraim",
"today": "Ma"
},
"config": {
"advanced_mode": {
"hint_enable": "Hiányzó konfigurációs beállítások? Kapcsold be a haladó üzemmódot",
@ -1130,8 +869,7 @@
},
"event": {
"event": "Esemény:",
"label": "Esemény meghívása",
"service_data": "Szolgáltatás adatai"
"label": "Esemény meghívása"
},
"repeat": {
"label": "Ismétlés",
@ -1155,8 +893,7 @@
"label": "Jelenet aktiválása"
},
"service": {
"label": "Szolgáltatás meghívása",
"service_data": "Szolgáltatás adatai"
"label": "Szolgáltatás meghívása"
},
"wait_for_trigger": {
"continue_timeout": "Folytatás időtúllépéskor",
@ -1176,8 +913,6 @@
"blueprint": {
"blueprint_to_use": "Használni kívánt tervrajz",
"header": "Tervrajz",
"inputs": "Bemenetek",
"manage_blueprints": "Tervrajzok kezelése",
"no_blueprints": "Nincsenek tervrajzaid",
"no_inputs": "Ennek a tervrajznak nincsenek bemenetei."
},
@ -1431,7 +1166,6 @@
"header": "Tervrajz importálása",
"import_btn": "Tervrajz előnézete",
"import_header": "\"{name}\" tervrajz",
"import_introduction": "Importálhatod más felhasználók tervrajzait a Githubról és a közösségi fórumról. Írd be alább a terv URL címét.",
"import_introduction_link": "Importálhat más felhasználók tervrajzait a Githubból és a {community_link} webhelyről. Írja be alább a terv URL-jét.",
"importing": "Tervrajz betöltése...",
"raw_blueprint": "Tervrajz tartalma",
@ -1548,7 +1282,6 @@
"not_exposed_entities": "Feltáratlan entitások",
"title": "Alexa"
},
"caption": "Home Assistant Felhő",
"description_features": "Irányítsd az otthonod, amikor távol vagy, és integráld Alexával és a Google Segéddel",
"description_login": "Bejelentkezve mint {email}",
"description_not_login": "Nincs bejelentkezve",
@ -1681,7 +1414,6 @@
"pick_attribute": "Válassz egy attribútumot a felülbíráláshoz",
"picker": {
"documentation": "Testreszabási dokumentáció",
"entity": "Entitás",
"header": "Testreszabások",
"introduction": "Szabd testre az entitások attribútumait. 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."
},
@ -1728,7 +1460,6 @@
"integration": "Integráció",
"manufacturer": "Gyártó",
"model": "Modell",
"no_area": "Nincs terület",
"no_devices": "Nincsenek eszközök"
},
"delete": "Törlés",
@ -1884,42 +1615,9 @@
"source": "Forrás:",
"system_health_error": "A rendszerállapot összetevő nincs betöltve. Add hozzá a 'system_health:' sort a configuration.yaml fájlhoz.",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Alexa engedélyezve",
"can_reach_cert_server": "Tanúsítványkiszolgáló elérése",
"can_reach_cloud": "Home Assistant felhő elérése",
"can_reach_cloud_auth": "Hitelesítési kiszolgáló elérése",
"google_enabled": "Google engedélyezve",
"logged_in": "Bejelentkezve",
"relayer_connected": "Közvetítő csatlakoztatva",
"remote_connected": "Távoli csatlakozás",
"remote_enabled": "Távoli hozzáférés engedélyezve",
"subscription_expiration": "Előfizetés lejárata"
},
"homeassistant": {
"arch": "CPU architektúra",
"dev": "Fejlesztés",
"docker": "Docker",
"hassio": "HassOS",
"installation_type": "Telepítés típusa",
"os_name": "Operációs rendszer neve",
"os_version": "Operációs rendszer verziója",
"python_version": "Python verzió",
"timezone": "Időzóna",
"version": "Verzió",
"virtualenv": "Virtuális környezet"
},
"lovelace": {
"dashboards": "Irányítópultok",
"mode": "Mód",
"resources": "Erőforrások"
}
},
"manage": "Kezelés",
"more_info": "további infók"
},
"title": "Infó"
}
},
"integration_panel_move": {
"link_integration_page": "integrációk oldal",
@ -1933,7 +1631,6 @@
"config_entry": {
"area": "Terület: {area}",
"delete": "Törlés",
"delete_button": "Törlés: {integration}",
"delete_confirm": "Biztosan törölni szeretnéd ezt az integrációt?",
"device_unavailable": "Eszköz nem érhető el",
"devices": "{count} {count, plural,\n one {eszköz}\n other {eszköz}\n}",
@ -1944,8 +1641,6 @@
"hub": "Kapcsolódva",
"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.",
"options": "Opciók",
"reload": "Újratöltés",
"reload_confirm": "Az integráció újra lett töltve",
@ -1953,9 +1648,7 @@
"rename": "Átnevezés",
"restart_confirm": "Indítsd újra a Home Assistant-ot az integráció törlésének befejezéséhez",
"services": "{count} {count, plural,\n one {szolgáltatás}\n other {szolgáltatás}\n}",
"settings_button": "{integration} beállításainak szerkesztése",
"system_options": "Rendszerbeállítások",
"system_options_button": "{integration} rendszerbeállításai",
"unnamed_entry": "Névtelen bejegyzés"
},
"config_flow": {
@ -2015,8 +1708,7 @@
"multiple_messages": "az üzenet először a következő időpontban fordult elő: {time}, majd később {counter} alkalommal ismétlődött",
"no_errors": "Nem jelentettek hibát.",
"no_issues": "Nincsenek új bejegyzések!",
"refresh": "Frissítés",
"title": "Napló"
"refresh": "Frissítés"
},
"lovelace": {
"caption": "Lovelace Irányítópultok",
@ -2347,8 +2039,7 @@
"learn_more": "Tudj meg többet a szkriptekről",
"no_scripts": "Nem találtunk szerkeszthető szkripteket",
"run_script": "Szkript futtatása",
"show_info": "Információ megjelenítése a szkriptről",
"trigger_script": "Sckript triggerelése"
"show_info": "Információ megjelenítése a szkriptről"
}
},
"server_control": {
@ -2442,11 +2133,9 @@
"add_user": {
"caption": "Felhasználó hozzáadása",
"create": "Létrehozás",
"name": "Név",
"password": "Jelszó",
"password_confirm": "Jelszó megerősítése",
"password_not_match": "A jelszavak nem egyeznek",
"username": "Felhasználónév"
"password_not_match": "A jelszavak nem egyeznek"
},
"caption": "Felhasználók",
"description": "Home Assistant felhasználói fiókok kezelése",
@ -2490,19 +2179,12 @@
"add_device": "Eszköz hozzáadása",
"add_device_page": {
"discovered_text": "Az eszközök itt fognak megjelenni, ha felfedezésre kerültek.",
"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.",
"header": "Zigbee Home Automation - Eszközök hozzáadása",
"no_devices_found": "Nem találhatóak eszközök. Győződj meg arról, hogy párosítási módban vannak, és tartsd őket ébren, miközben a felfedezés fut.",
"pairing_mode": "Győződj meg arról, hogy az eszközeid párosítási módban vannak. Ellenőrizd a készüléked utasításait arról, hogy hogyan kell ezt megtenni.",
"search_again": "Keresés Újra",
"spinner": "ZHA Zigbee eszközök keresése..."
},
"add": {
"caption": "Eszközök hozzáadása",
"description": "Eszközök hozzáadása a Zigbee hálózathoz"
},
"button": "Beállítás",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "A kiválasztott klaszter attribútumai",
"get_zigbee_attribute": "Zigbee attribútum lekérdezése",
@ -2526,13 +2208,10 @@
"introduction": "A klaszterek a Zigbee funkcionalitásának építőelemei. A funkcionalitást logikai egységekre bontják. Vannak ügyfél- és kiszolgálótípusok, amelyek attribútumokból és parancsokból állnak."
},
"common": {
"add_devices": "Eszközök hozzáadása",
"clusters": "Klaszterek",
"devices": "Eszközök",
"manufacturer_code_override": "Gyártói kód felülbírálása",
"value": "Érték"
},
"description": "Zigbee Home Automation hálózat menedzsment",
"device_pairing_card": {
"CONFIGURED": "A konfigurálás befejeződött",
"CONFIGURED_status_text": "Inicializálás",
@ -2543,9 +2222,6 @@
"PAIRED": "Eszköz megtalálva",
"PAIRED_status_text": "Interjú indítása"
},
"devices": {
"header": "Zigbee Home Automation - Eszköz"
},
"group_binding": {
"bind_button_help": "Csatlakoztassa a kiválasztott csoportot a kiválasztott eszközfürtökhöz.",
"bind_button_label": "Csoporthoz fűzés",
@ -2560,48 +2236,24 @@
"groups": {
"add_group": "Csoport hozzáadása",
"add_members": "Tagok hozzáadása",
"adding_members": "Tagok hozzáadása",
"caption": "Csoportok",
"create": "Csoport létrehozása",
"create_group": "Zigbee Home Automation - Csoport létrehozása",
"create_group_details": "Add meg a szükséges adatokat egy új zigbee csoport létrehozásához",
"creating_group": "Csoport létrehozása",
"description": "Zigbee csoportok kezelése",
"group_details": "Itt van minden részlet a kiválasztott zigbee csoportról.",
"group_id": "Csoport ID",
"group_info": "Csoportinformációk",
"group_name_placeholder": "Csoport név",
"group_not_found": "A csoport nem található!",
"group-header": "Zigbee Home Automation - Csoport részletei",
"groups": "Csoportok",
"groups-header": "Zigbee Home Automation - Csoport menedzsment",
"header": "Zigbee Home Automation - Csoport menedzsment",
"introduction": "Zigbee csoportok létrehozása és módosítása",
"manage_groups": "Zigbee csoportok kezelése",
"members": "Tagok",
"remove_groups": "Csoportok eltávolítása",
"remove_members": "Tagok eltávolítása",
"removing_groups": "Csoportok eltávolítása",
"removing_members": "Tagok eltávolítása",
"zha_zigbee_groups": "ZHA Zigbee csoportok"
},
"header": "Zigbee Home Automation beállítása",
"introduction": "Itt a ZHA komponenst lehet beállítani. Még nem lehet mindent a felületről, de dolgozunk rajta.",
"network_management": {
"header": "Hálózat menedzsment",
"introduction": "Parancsok, amik kihatnak az egész hálózatra"
"removing_members": "Tagok eltávolítása"
},
"network": {
"caption": "Hálózat"
},
"node_management": {
"header": "Eszköz kezelés",
"help_node_dropdown": "Válassz egy eszközt az eszközönkénti beállítások megtekintéséhez.",
"hint_battery_devices": "Megjegyzés: alvó üzemmódú (elemmel működő) eszközöket fel kell ébreszteni a parancsok futtatásához. Általában az ébresztés megtörténik a triggereléskor.",
"hint_wakeup": "Egyes eszközöknek, például a Xiaomi szenzoroknak van ébresztő gombjuk, amit kb. 5 másodperces szünetekkel nyomkodva éber állapotban tarthatók a kommunikáció idejére.",
"introduction": "Egy eszközt érintő ZHA parancs futtatása. Válassz ki egy eszközt az elérhető parancsok megtekintéséhez."
},
"title": "Zigbee Home Automation",
"visualization": {
"caption": "Megjelenítés",
"header": "Hálózati megjelenítés",
@ -2640,7 +2292,6 @@
},
"zwave": {
"button": "Beállítás",
"caption": "Z-Wave",
"common": {
"index": "Index",
"instance": "Példány",
@ -2758,17 +2409,12 @@
"type": "Esemény típusa"
},
"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": {
@ -2809,25 +2455,20 @@
}
},
"history": {
"period": "Időtartam",
"ranges": {
"last_week": "Múlt hét",
"this_week": "Aktuális hét",
"today": "Ma",
"yesterday": "Tegnap"
},
"showing_entries": "Bejegyzések megjelenítése"
}
},
"logbook": {
"entries_not_found": "Nincsenek naplóbejegyzések.",
"period": "Időszak",
"ranges": {
"last_week": "Múlt hét",
"this_week": "Aktuális hét",
"today": "Ma",
"yesterday": "Tegnap"
},
"showing_entries": "Bejegyzések megjelenítése"
}
},
"lovelace": {
"add_entities": {
@ -2836,7 +2477,6 @@
"yaml_unsupported": "Ez a funkció nem elérhető, ha a Lovelace felhasználói felületet YAML módban használod."
},
"cards": {
"action_confirmation": "Biztosan végrehajtja a (z) \" {action} \" műveletet?",
"confirm_delete": "Biztosan törölni szeretnéd ezt a kártyát?",
"empty_state": {
"go_to_integrations_page": "Ugrás az 'integrációk' oldalra.",
@ -2867,13 +2507,11 @@
"reorder_items": "Tételek átrendezése"
},
"starting": {
"description": "A Home Assistant indítása folyamatban van, kérlek várj...",
"header": "A Home Assistant indítása folyamatban van..."
"description": "A Home Assistant indítása folyamatban van, kérlek várj..."
}
},
"changed_toast": {
"message": "Az ehhez az irányítópulthoz tartozó Lovelace konfiguráció módosítva lett. Frissítesz az aktualizáláshoz?",
"refresh": "Frissítés"
"message": "Az ehhez az irányítópulthoz tartozó Lovelace konfiguráció módosítva lett. Frissítesz az aktualizáláshoz?"
},
"components": {
"timestamp-display": {
@ -2892,7 +2530,6 @@
"toggle": "Váltás",
"url": "URL"
},
"editor_service_data": "A szolgáltatási adatokat csak a kódszerkesztőben lehet megadni",
"navigation_path": "Navigációs útvonal",
"url_path": "URL elérési út"
},
@ -3088,7 +2725,6 @@
},
"sensor": {
"description": "Az Érzékelő kártya gyors áttekintést nyújt az érzékelők állapotáról egy opcionális grafikon segítségével, amely az időbeli változásokat szemlélteti.",
"graph_detail": "Grafikon részletei",
"graph_type": "Grafikon típusa",
"name": "Érzékelő",
"show_more_detail": "További részletek megjelenítése"
@ -3259,7 +2895,6 @@
"configure_ui": "Irányítópult szerkesztése",
"exit_edit_mode": "Kilépés a felhasználói felület szerkesztési módból",
"help": "Súgó",
"refresh": "Frissítés",
"reload_resources": "Erőforrások újratöltése",
"start_conversation": "Beszélgetés indítása"
},
@ -3378,8 +3013,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "A számítógéped nem engedélyezett.",
"not_whitelisted": "A számítógéped nem engedélyezett."
"not_allowed": "A számítógéped nem engedélyezett."
},
"step": {
"init": {
@ -3531,15 +3165,12 @@
"create": "Token Létrehozása",
"create_failed": "Nem sikerült létrehozni a hozzáférési tokent.",
"created": "Létrehozva: {date}",
"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.",
"name": "Név",
"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": "Adj nevet a tokennek"
},
@ -3604,11 +3235,6 @@
},
"shopping_list": {
"start_conversation": "Beszélgetés indítása"
},
"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 vagy írd be: \"Add candy to my shopping list\""
}
},
"sidebar": {

View File

@ -79,251 +79,9 @@
}
},
"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": "Միացված"
},
"door": {
"off": "Փակված է",
"on": "Բացել"
},
"garage_door": {
"off": "Փակված է",
"on": "Բացել"
},
"gas": {
"off": "Մաքրել",
"on": "Հայտնաբերվել է"
},
"heat": {
"off": "Նորմալ",
"on": "Թեժ"
},
"lock": {
"off": "կողպված",
"on": "բացել է"
},
"moisture": {
"off": "Չոր",
"on": "Խոնավ"
},
"motion": {
"off": "Մաքրել",
"on": "Հայտնաբերվել է"
},
"occupancy": {
"off": "Մաքրել",
"on": "Հայտնաբերվել է"
},
"opening": {
"off": "Փակված",
"on": "Բաց"
},
"presence": {
"off": "Հեռու",
"on": "Տուն"
},
"problem": {
"off": "OK",
"on": "Խնդիր"
},
"safety": {
"off": "Ապահով",
"on": "Անվտանգ"
},
"smoke": {
"off": "Մաքրել",
"on": "Հայտնաբերվել է"
},
"sound": {
"off": "Մաքրել",
"on": "Հայտնաբերվել է"
},
"vibration": {
"off": "Մաքրել",
"on": "Հայտնաբերվել է"
},
"window": {
"off": "Փակված է",
"on": "Բացել"
}
},
"calendar": {
"off": "Անջատված",
"on": "Միացված"
},
"camera": {
"idle": "պարապ",
"recording": "Ձայնագրությունը",
"streaming": "Հոսք"
},
"climate": {
"cool": "Հովացում",
"dry": "Չոր",
"fan_only": "Օդափոխիչ",
"heat": "Ջերմություն",
"heat_cool": "Ջեռուցում/Հովացում",
"off": "Անջատված"
},
"configurator": {
"configure": "Կարգավորել",
"configured": "Կարգավորված"
},
"cover": {
"closed": "Փակված",
"closing": "Փակում",
"open": "Բաց",
"opening": "Բացում",
"stopped": "Դադարեց"
},
"default": {
"unavailable": "Անհասանելի",
"unknown": "Անհայտ"
},
"device_tracker": {
"not_home": "Հեռու"
},
"fan": {
"off": "Անջատված",
"on": "Միացած"
},
"group": {
"closed": "Փակված",
"closing": "Փակում",
"home": "Տուն",
"locked": "կողպված է",
"not_home": "Հեռու",
"off": "Անջատած",
"ok": "Լավ",
"on": "Միացված",
"open": "Բացեք",
"opening": "Բացում",
"problem": "Խնդիր",
"stopped": "Դադարեց",
"unlocked": "Բացել է"
},
"input_boolean": {
"off": "Անջատված",
"on": "Միացված"
},
"light": {
"off": "Անջատած",
"on": "Միացված"
},
"lock": {
"locked": "Կողպված է",
"unlocked": "Բաց է"
},
"media_player": {
"idle": "Պարապ",
"off": "Անջատած",
"on": "Միացած",
"paused": "Դադար է",
"playing": "Խաղում",
"standby": "Սպասում"
},
"person": {
"home": "տուն"
},
"plant": {
"ok": "Լավ",
"problem": "Խնդիր"
},
"remote": {
"off": "Անջատված",
"on": "Միացած"
},
"scene": {
"scening": "Փորագրություն"
},
"script": {
"off": "Անջատած",
"on": "Միացած"
},
"sensor": {
"off": "Անջատած",
"on": "միացած"
},
"sun": {
"above_horizon": "Հորիզոնի վերևում",
"below_horizon": "Հորիզոնի ներքևում"
},
"switch": {
"off": "անջատված",
"on": "Միացված"
},
"timer": {
"active": "ակտիվ",
"idle": "պարապ",
"paused": "դադար "
},
"vacuum": {
"cleaning": "Մաքրում",
"docked": "Ծածկված",
"error": "Սխալ",
"idle": "Պարապ",
"off": "անջատված",
"on": "վրա",
"paused": "Դադար է",
"returning": "Վերադառնալով նավահանգիստ"
},
"weather": {
"clear-night": "Մաքրել ստուգված իրերը",
"cloudy": "Ամպամած",
"exceptional": "Բացառիկ",
"fog": "Մառախուղ",
"hail": "Կարկուտ",
"lightning": "Կայծակ",
"lightning-rainy": "Կայծակ, անձրև",
"partlycloudy": "Մասամբ ամպամած",
"pouring": "Լցնել",
"rainy": "Անձրևոտ",
"snowy": "Ձյունոտ է",
"snowy-rainy": "Ձյունառատ, անձրևոտ",
"sunny": "Արևոտ",
"windy": "Կամ",
"windy-variant": "Քամոտ"
},
"zwave": {
"default": {
"dead": "Մեռած",
"initializing": "Նախաձեռնող",
"ready": "Պատրաստ է",
"sleeping": "Քնել"
},
"query_stage": {
"dead": "Մահացած{query_stage})",
"initializing": "Նախաձեռնություն({query_stage})"
}
}
},
"ui": {
@ -394,9 +152,6 @@
"scene": {
"activate": "Ակտիվացնել"
},
"script": {
"execute": "Կատարել"
},
"timer": {
"actions": {
"cancel": "չեղարկել",
@ -474,9 +229,7 @@
"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} առաջ"
"never": "Երբեք"
},
"service-picker": {
"service": "Ծառայություն"
@ -526,9 +279,7 @@
"updateDeviceName": "Անվանել սարքը սարգեքի ռեգիսթրիում"
},
"zha_device_card": {
"area_picker_label": "Տարածք",
"device_name_placeholder": "Օգտագործողի կողմից տրված անուն",
"update_name_button": "Թարմացնել անունը"
"device_name_placeholder": "Օգտագործողի կողմից տրված անուն"
}
}
},
@ -603,8 +354,7 @@
"service_data": "Ծառայության տվյալներ"
},
"service": {
"label": "Զանգի ծառայություն",
"service_data": "Ծառայության տվյալները"
"label": "Զանգի ծառայություն"
},
"wait_template": {
"label": "Սպասեք",
@ -769,7 +519,6 @@
}
},
"cloud": {
"caption": "Տնային օգնական Cloud",
"description_features": "Կառավարեք տնից հեռու, ինտեգրվեք Alexa- ի և Google Assistant- ի հետ:",
"description_login": "Մուտք գործեք որպես {email}",
"description_not_login": "Մուտք չի գործել"
@ -844,9 +593,6 @@
}
},
"header": "Կարգավորել Home Assistant-ը",
"info": {
"title": "Ինֆորմացիա"
},
"integrations": {
"caption": "Ինտեգրում",
"config_entry": {
@ -857,8 +603,6 @@
"hub": "Միացված է ի օգնությամբ",
"manuf": "{manufacturer}ի կողմից",
"no_area": "Ոչ մի տարածք",
"no_device": " անձինք` առանձ սարքերի",
"no_devices": "Այս ինտեգրումը չունի սարքեր:",
"restart_confirm": "Վերագործարկել Home Assistant-ը որպեսզի վերջացնել ինտեգրման հեռացման պրոցեսը"
},
"config_flow": {
@ -875,9 +619,6 @@
"none": "Ոչինչ տրամադրված չէ"
},
"introduction": "Այստեղ հնարավոր է կարգավորել ձեր բաղադրիչները և Home Assistant:Դեռ ամեն ինչ հնարավոր չէ կազմաձևել UI- ից, բայց մենք աշխատում ենք այդ ուղղությամբ",
"logs": {
"title": "log-եր"
},
"mqtt": {
"title": "MQTT"
},
@ -929,9 +670,7 @@
"add_user": {
"caption": "Ավելացնել օգտվող",
"create": "Ստեղծել",
"name": "Անուն",
"password": "Գաղտնաբառ",
"username": "Օգտագործողի անունը"
"password": "Գաղտնաբառ"
},
"caption": "Օգտագործողներ",
"description": "Կառավարեք օգտվողներին",
@ -946,15 +685,10 @@
},
"zha": {
"add_device_page": {
"discovery_text": "Հայտնաբերված սարքերը կհայտնվեն այստեղ: Հետևեք ձեր սարքի (ների) ցուցումներին և սարքը (ներ) ը տեղադրեք զուգահեռ ռեժիմով:",
"header": "Ավտոմատացում, ավելացնելով",
"spinner": "ZHA Zigbee սարքերի որոնում ..."
},
"caption": "ZHA- ն",
"description": "Zigbee տան ավտոմատացման ցանցի կառավարում"
}
},
"zwave": {
"caption": "Z-Wave ցանց",
"common": {
"index": "Ինդեքս",
"instance": "Օրինակ",
@ -1018,14 +752,6 @@
}
}
},
"history": {
"period": "Ժամանակահատված",
"showing_entries": "Ցուցադրվում է մուտքագրված գրառումները"
},
"logbook": {
"period": "Ժամանակահատված",
"showing_entries": "Ցուցադրվում է մուտքագրված գրառումները"
},
"lovelace": {
"cards": {
"empty_state": {
@ -1048,8 +774,7 @@
}
},
"changed_toast": {
"message": "Lovelace կարգավորումը թարմացվել է, կցանկանայի՞ք թարմացնել UI-ը:",
"refresh": "Թարմացնել"
"message": "Lovelace կարգավորումը թարմացվել է, կցանկանայի՞ք թարմացնել UI-ը:"
},
"editor": {
"edit_card": {
@ -1097,8 +822,7 @@
},
"menu": {
"configure_ui": "Կարգավորել UI- ն",
"help": "Օգնություն",
"refresh": "Թարմացրեք"
"help": "Օգնություն"
},
"reload_lovelace": "Վերաբեռնել Lovelace-ն",
"warning": {
@ -1188,9 +912,6 @@
}
},
"trusted_networks": {
"abort": {
"not_whitelisted": "Ձեր համակարգիչը սպիտակեցված չէ:"
},
"step": {
"init": {
"data": {
@ -1310,14 +1031,11 @@
"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": "Անուն?"
},
@ -1359,11 +1077,6 @@
"header": "Թեմա",
"link_promo": "Իմացեք թեմաների մասին"
}
},
"shopping-list": {
"add_item": "Ավելացնել իր",
"clear_completed": "Մաքրել ավարտվածները",
"microphone_tip": "Հպեք խոսափողը վերևի աջ կողմում և ասեք. “Add candy to my shopping list”"
}
},
"sidebar": {

File diff suppressed because it is too large Load Diff

View File

@ -86,244 +86,11 @@
}
},
"state": {
"alarm_control_panel": {
"armed": "Á verði",
"armed_away": "Á verði úti",
"armed_home": "Á verði heima",
"armed_night": "Á verði nótt",
"arming": "Set á vörð",
"disarmed": "ekki á verði",
"disarming": "tek af verði",
"pending": "Bíður",
"triggered": "Ræst"
},
"automation": {
"off": "Af",
"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": "Á"
},
"door": {
"off": "Lokuð",
"on": "Opin"
},
"garage_door": {
"off": "Lokuð",
"on": "Opin"
},
"gas": {
"off": "Hreint",
"on": "Uppgötvað"
},
"heat": {
"off": "Venjulegt",
"on": "Heitt"
},
"lock": {
"off": "Læst",
"on": "Aflæst"
},
"moisture": {
"off": "Þurrt",
"on": "Blautt"
},
"motion": {
"off": "Engin hreyfing",
"on": "Hreyfing"
},
"occupancy": {
"off": "Hreinsa",
"on": "Uppgötvað"
},
"presence": {
"off": "Fjarverandi",
"on": "Heima"
},
"problem": {
"off": "Í lagi",
"on": "Vandamál"
},
"safety": {
"off": "Öruggt",
"on": "Óöruggt"
},
"smoke": {
"off": "Hreint",
"on": "Uppgötvað"
},
"sound": {
"off": "Hreinsa",
"on": "Uppgötvað"
},
"vibration": {
"on": "Uppgötvað"
},
"window": {
"off": "Loka",
"on": "Opna"
}
},
"calendar": {
"off": "Óvirkt",
"on": "Á"
},
"camera": {
"idle": "Aðgerðalaus",
"recording": "Í upptöku",
"streaming": "Streymi"
},
"climate": {
"cool": "Kæling",
"dry": "Þurrt",
"fan_only": "Vifta eingöngu",
"heat": "Hitun",
"heat_cool": "Hita/Kæla",
"off": "Slökkt"
},
"configurator": {
"configure": "Stilli",
"configured": "Stillt"
},
"cover": {
"closed": "Lokað",
"closing": "Loka",
"open": "Opin",
"opening": "Opna",
"stopped": "Stöðvuð"
},
"default": {
"off": "Slökkt",
"on": "Á",
"unavailable": "Ekki tiltækt",
"unknown": "Óþekkt"
},
"device_tracker": {
"not_home": "Fjarverandi"
},
"fan": {
"off": "Slökkt",
"on": "Í gangi"
},
"group": {
"closed": "Lokuð",
"closing": "Loka",
"home": "Heima",
"locked": "Læst",
"not_home": "Fjarverandi",
"off": "Af",
"ok": "Í lagi",
"on": "Á",
"open": "Opin",
"opening": "Opna",
"problem": "Vandamál",
"stopped": "Stöðvað",
"unlocked": "Aflæst"
},
"input_boolean": {
"off": "Af",
"on": "Á"
},
"light": {
"off": "Af",
"on": "Á"
},
"lock": {
"locked": "Læst",
"unlocked": "Aflæst"
},
"media_player": {
"idle": "Aðgerðalaus",
"off": "Af",
"on": "í gangi",
"paused": "Í bið",
"playing": "Spila",
"standby": "Biðstaða"
},
"person": {
"home": "Heima"
},
"plant": {
"ok": "Í lagi",
"problem": "Vandamál"
},
"remote": {
"off": "Óvirk",
"on": "Virk"
},
"script": {
"off": "Af",
"on": "Virkt"
},
"sensor": {
"off": "Af",
"on": "Á"
},
"sun": {
"above_horizon": "Yfir sjóndeildarhring",
"below_horizon": "Undir sjóndeildarhring"
},
"switch": {
"off": "Slökkt",
"on": "Á"
},
"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",
"cloudy": "Skýjað",
"exceptional": "Mjög gott",
"fog": "Þoka",
"hail": "Haglél",
"lightning": "Eldingar",
"lightning-rainy": "Eldingar, rigning",
"partlycloudy": "Að hluta til skýjað",
"pouring": "Úrhelli",
"rainy": "Rigning",
"snowy": "Snjókoma",
"snowy-rainy": "Slydda",
"sunny": "Sólskin",
"windy": "Vindasamt",
"windy-variant": "Vindasamt"
},
"zwave": {
"default": {
"dead": "Dauður",
"initializing": "Frumstilli",
"ready": "Tilbúinn",
"sleeping": "Í dvala"
},
"query_stage": {
"dead": "Dauður ({query_stage})",
"initializing": "Frumstilli ({query_stage})"
}
}
},
"ui": {
@ -406,8 +173,7 @@
},
"script": {
"cancel": "Hætta við",
"cancel_multiple": "Hætta við {number}",
"execute": "Framkvæma"
"cancel_multiple": "Hætta við {number}"
},
"service": {
"run": "Keyra"
@ -564,10 +330,8 @@
"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}",
"just_now": "Rétt í þessu",
"never": "Aldrei",
"past": "{time} síðan"
"never": "Aldrei"
},
"service-picker": {
"service": "Þjónusta"
@ -735,9 +499,7 @@
},
"unknown": "Óþekkt",
"zha_device_card": {
"area_picker_label": "Svæði",
"device_name_placeholder": "Breyta nafni á tæki",
"update_name_button": "Uppfæra nafn"
"device_name_placeholder": "Breyta nafni á tæki"
}
}
},
@ -775,10 +537,6 @@
"service_call_failed": "Ekki tókst að kalla á þjónustu {service}."
},
"panel": {
"calendar": {
"my_calendars": "Dagatölin mín",
"today": "Í dag"
},
"config": {
"areas": {
"caption": "Svæðaskrá",
@ -857,8 +615,7 @@
"label": "Virkja senu"
},
"service": {
"label": "Kalla í þjónustu",
"service_data": "Þjónustugögn"
"label": "Kalla í þjónustu"
},
"wait_template": {
"label": "Bið",
@ -872,8 +629,6 @@
"blueprint": {
"blueprint_to_use": "Uppdráttur sem skal nota",
"header": "Uppdráttur",
"inputs": "Inntök",
"manage_blueprints": "Stjórna uppdráttum",
"no_blueprints": "Þú ert ekki með neina uppdrætti",
"no_inputs": "Þessi uppdráttur er ekki með neinum inntökum."
},
@ -1089,7 +844,6 @@
"header": "Flytja inn uppdrátt",
"import_btn": "Forskoða uppdrátt",
"import_header": "Uppdráttur \"{name}\"",
"import_introduction": "Þú getur flutt inn uppdrætti frá öðrum notendum frá Github og samfélagsspjallsvæðum. Sláðu inn vefslóð uppdráttarins hér að neðan.",
"importing": "Hleð inn uppdrátt...",
"raw_blueprint": "Innihald uppdráttar",
"save_btn": "Flytja inn uppdrátt",
@ -1161,7 +915,6 @@
"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",
@ -1247,7 +1000,6 @@
"caption": "Séraðlögun",
"description": "Séraðlögun fyrir einingarnar þínar",
"picker": {
"entity": "Eining",
"header": "Séraðlögun"
}
},
@ -1275,7 +1027,6 @@
"integration": "Samþætting",
"manufacturer": "Framleiðandi",
"model": "Gerð",
"no_area": "Ekkert svæði",
"no_devices": "Engin tæki"
},
"delete": "Eyða",
@ -1387,23 +1138,7 @@
"copy_raw": "Hrár texti",
"documentation": "Skjölun",
"icons_by": "Smátákn eftir",
"integrations": "Samþættingar",
"system_health": {
"checks": {
"homeassistant": {
"docker": "Docker",
"hassio": "HassOS",
"os_name": "Nafn stýrikerfis",
"os_version": "Stýrikerfisútgáfa",
"timezone": "Tímabelti",
"version": "Útgáfa"
},
"lovelace": {
"mode": "Hamur"
}
}
},
"title": "Upplýsingar"
"integrations": "Samþættingar"
},
"integration_panel_move": {
"link_integration_page": "Samþættingar síða"
@ -1414,7 +1149,6 @@
"config_entry": {
"area": "Í {area}",
"delete": "Eyða",
"delete_button": "Eyða {integration}",
"delete_confirm": "Ertu viss um að þú viljir eyða þessari samþættingu?",
"device_unavailable": "Tæki ekki tiltækt",
"devices": "{count} {count, plural,\n one {tæki}\n other {tæki}\n}",
@ -1425,13 +1159,10 @@
"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.",
"options": "Valkostir",
"reload": "Endurhlaða",
"rename": "Endurnefna",
"restart_confirm": "Endurræsa Home Assitant til að klára að fjarlægja þessa samþættingu",
"settings_button": "Breyta stillingum fyrir {integration}",
"system_options": "Kerfisvalkostir"
},
"config_flow": {
@ -1669,11 +1400,9 @@
"add_user": {
"caption": "Bæta við notanda",
"create": "Stofna",
"name": "Nafn",
"password": "Lykilorð",
"password_confirm": "Staðfesta lykilorð",
"password_not_match": "Lykilorð passa ekki saman",
"username": "Notandanafn"
"password_not_match": "Lykilorð passa ekki saman"
},
"caption": "Notendur",
"description": "Stjórna notendum",
@ -1710,16 +1439,10 @@
"zha": {
"add_device": "Bæta við tæki",
"add_device_page": {
"discovery_text": "Uppgötvuð tæki munu birtast hér. Fylgdu leiðbeiningunum fyrir tækið þitt og setjið tækið í pörunarstillingu.",
"header": "Zigbee sjálfvirkni - Bæta við tækjum",
"search_again": "Leita aftur",
"spinner": "Leitað að ZHA Zigbee tækjum..."
},
"add": {
"caption": "Bæta við tækjum"
},
"button": "Stilla",
"caption": "ZHA",
"cluster_commands": {
"header": "Klasa skipanir"
},
@ -1727,12 +1450,9 @@
"header": "Klasar"
},
"common": {
"add_devices": "Bæta við tækjum",
"clusters": "Klasar",
"devices": "Tæki",
"value": "Gildi"
},
"description": "Zigbee Home Automation net stjórnun",
"device_pairing_card": {
"CONFIGURED": "Uppsetningu lokið",
"CONFIGURED_status_text": "Frumstilli",
@ -1744,7 +1464,6 @@
"groups": {
"add_group": "Bæta við hópi",
"add_members": "Bæta við meðlim",
"adding_members": "Bæti meðlimum við",
"caption": "Hópar",
"create": "Stofna hóp",
"creating_group": "Stofna hóp",
@ -1753,20 +1472,12 @@
"group_not_found": "Hópur fannst ekki!",
"groups": "Hópar",
"members": "Meðlimir",
"remove_groups": "Fjarlægja hópa",
"remove_members": "Fjarlægja meðlim",
"removing_groups": "Fjarlægji hópa",
"removing_members": "Fjarlægji meðlimi"
},
"network_management": {
"header": "Netumsýsla"
},
"network": {
"caption": "Net"
},
"node_management": {
"header": "Tækjaumsýsla"
},
"visualization": {
"header": "Netbirting",
"zoom_label": "Þysja inn að tæki"
@ -1805,7 +1516,6 @@
"dump_dead_nodes_title": "Sumir hnútanna eru dauðir",
"dump_not_ready_confirm": "Sækja",
"dump_not_ready_title": "Ekki eru allir hnútar tilbúnir ennþá",
"node_count": "Fjöldi hnúta",
"nodes_ready": "Hnútar tilbúnir",
"server_version": "Útgáfa miðlara"
},
@ -1842,7 +1552,6 @@
},
"zwave": {
"button": "Stilla",
"caption": "Z-Wave",
"common": {
"unknown": "óþekkt",
"value": "Gildi"
@ -1898,9 +1607,7 @@
"call_service": "Kalla í þjónustu",
"column_description": "Lýsing",
"column_example": "Dæmi",
"data": "Þjónustugögn (YAML, valkvæmt)",
"description": "Þjónustu þróunartólið leyfir þér að kalla í allar þjónustur sem eru tiltækar innan Home Assistant",
"select_service": "Veldu þjónustu til að sjá lýsingu",
"title": "Þjónustur"
},
"states": {
@ -1921,24 +1628,20 @@
}
},
"history": {
"period": "Tímabil",
"ranges": {
"last_week": "Í síðustu viku",
"this_week": "Í þessari viku",
"today": "Í dag",
"yesterday": "Í gær"
},
"showing_entries": "Sýni færslur fyrir"
}
},
"logbook": {
"period": "Tímabil",
"ranges": {
"last_week": "Í síðustu viku",
"this_week": "Í þessari viku",
"today": "Í dag",
"yesterday": "Í gær"
},
"showing_entries": "Sýni færslur fyrir"
}
},
"lovelace": {
"cards": {
@ -1967,8 +1670,7 @@
}
},
"changed_toast": {
"message": "Lovelace stillingum hefur verið breytt, viltu endurnýja?",
"refresh": "Endurnýja"
"message": "Lovelace stillingum hefur verið breytt, viltu endurnýja?"
},
"editor": {
"action-editor": {
@ -2187,8 +1889,7 @@
"menu": {
"close": "Loka",
"configure_ui": "Stilla notendaviðmót",
"help": "Hjálp",
"refresh": "Endurnýja"
"help": "Hjálp"
},
"reload_lovelace": "Endurhlaða Lovelace",
"unused_entities": {
@ -2282,8 +1983,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "Tölvan þín er ekki leyfð.",
"not_whitelisted": "Tölvan þín er ekki hvítlistuð."
"not_allowed": "Tölvan þín er ekki leyfð."
},
"step": {
"init": {
@ -2418,15 +2118,12 @@
"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.",
"name": "Nafn",
"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?"
},
@ -2480,11 +2177,6 @@
},
"shopping_list": {
"start_conversation": "Hefja samtal"
},
"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": {

View File

@ -95,253 +95,11 @@
}
},
"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 attivazione",
"disarmed": "Disattivo",
"disarming": "In disattivazione",
"pending": "In sospeso",
"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"
},
"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"
},
"occupancy": {
"off": "Vuoto",
"on": "Rilevato"
},
"opening": {
"off": "Chiuso",
"on": "Aperta"
},
"presence": {
"off": "Fuori casa",
"on": "A casa"
},
"problem": {
"off": "OK",
"on": "Problema"
},
"safety": {
"off": "Sicuro",
"on": "Non Sicuro"
},
"smoke": {
"off": "Assente",
"on": "Rilevato"
},
"sound": {
"off": "Assente",
"on": "Rilevato"
},
"vibration": {
"off": "Assente",
"on": "Rilevata"
},
"window": {
"off": "Chiusa",
"on": "Aperta"
}
},
"calendar": {
"off": "Disattivo",
"on": "Acceso"
},
"camera": {
"idle": "Inattiva",
"recording": "In registrazione",
"streaming": "Streaming"
},
"climate": {
"cool": "Freddo",
"dry": "Secco",
"fan_only": "Solo ventilatore",
"heat": "Caldo",
"heat_cool": "Caldo/Freddo",
"off": "Spento"
},
"configurator": {
"configure": "Configura",
"configured": "Configurato"
},
"cover": {
"closed": "Chiusa",
"closing": "In chiusura",
"open": "Aperta",
"opening": "In apertura",
"stopped": "Arrestata"
},
"default": {
"off": "Spento",
"on": "Acceso",
"unavailable": "Non disponibile",
"unknown": "Sconosciuto"
},
"device_tracker": {
"not_home": "Fuori casa"
},
"fan": {
"off": "Spento",
"on": "Acceso"
},
"group": {
"closed": "Chiusi",
"closing": "In Chiusura",
"home": "A casa",
"locked": "Bloccati",
"not_home": "Fuori casa",
"off": "Spento",
"ok": "OK",
"on": "Acceso",
"open": "Aperti",
"opening": "In Apertura",
"problem": "Problema",
"stopped": "Fermati",
"unlocked": "Sbloccati"
},
"input_boolean": {
"off": "Spento",
"on": "Acceso"
},
"light": {
"off": "Spento",
"on": "Acceso"
},
"lock": {
"locked": "Bloccato",
"unlocked": "Sbloccato"
},
"media_player": {
"idle": "Inattivo",
"off": "Spento",
"on": "Acceso",
"paused": "In pausa",
"playing": "In riproduzione",
"standby": "Pausa"
},
"person": {
"home": "A casa"
},
"plant": {
"ok": "OK",
"problem": "Problema"
},
"remote": {
"off": "Spento",
"on": "Acceso"
},
"scene": {
"scening": "Sceneggiando"
},
"script": {
"off": "Spento",
"on": "Acceso"
},
"sensor": {
"off": "Spento",
"on": "Acceso"
},
"sun": {
"above_horizon": "Sopra l'orizzonte",
"below_horizon": "Sotto l'orizzonte"
},
"switch": {
"off": "Spento",
"on": "Acceso"
},
"timer": {
"active": "attivo",
"idle": "inattivo",
"paused": "in pausa"
},
"vacuum": {
"cleaning": "Pulendo",
"docked": "In base",
"error": "Errore",
"idle": "Inattivo",
"off": "Spento",
"on": "Acceso",
"paused": "In pausa",
"returning": "Ritorno alla base"
},
"weather": {
"clear-night": "Sereno, notte",
"cloudy": "Nuvoloso",
"exceptional": "Eccezionale",
"fog": "Nebbia",
"hail": "Grandine",
"lightning": "Temporale",
"lightning-rainy": "Temporale, pioggia",
"partlycloudy": "Parzialmente nuvoloso",
"pouring": "Piogge intense",
"rainy": "Pioggia",
"snowy": "Neve",
"snowy-rainy": "Neve, pioggia",
"sunny": "Soleggiato",
"windy": "Vento",
"windy-variant": "Vento"
},
"zwave": {
"default": {
"dead": "Disattivo",
"initializing": "In avvio",
"ready": "Pronto",
"sleeping": "In attesa"
},
"query_stage": {
"dead": "Disattivo ({query_stage})",
"initializing": "In avvio ({query_stage})"
}
}
},
"ui": {
@ -442,8 +200,7 @@
},
"script": {
"cancel": "Annulla",
"cancel_multiple": "Annulla {number}",
"execute": "Esegui"
"cancel_multiple": "Annulla {number}"
},
"service": {
"run": "Esegui"
@ -630,7 +387,6 @@
"media-browser": {
"audio_not_supported": "Il tuo browser non supporta l'elemento audio.",
"choose_player": "Scegli il lettore",
"choose-source": "Scegli origine",
"class": {
"album": "Album",
"app": "App",
@ -653,13 +409,6 @@
"url": "URL",
"video": "Video"
},
"content-type": {
"album": "Album",
"artist": "Artista",
"library": "Libreria",
"playlist": "Elenco di riproduzione",
"server": "Server"
},
"documentation": "documentazione",
"learn_adding_local_media": "Ulteriori informazioni sull'aggiunta di file multimediali nella {documentation}.",
"local_media_files": "Posizionare i file video, audio e immagine nella cartella multimediale per poterli sfogliare e riprodurli nel browser o sui lettori multimediali supportati.",
@ -701,7 +450,6 @@
"second": "{count} {count, plural,\none {secondo}\nother {secondi}\n}",
"week": "{count} {count, plural,\none {settimana}\nother {settimane}\n}"
},
"future": "tra {time}",
"future_duration": {
"day": "tra {count} {count, plural,\n one {giorno}\n other {giorni}\n}",
"hour": "tra {count} {count, plural,\n one {ora}\n other {ore}\n}",
@ -711,7 +459,6 @@
},
"just_now": "Proprio ora",
"never": "Mai",
"past": "{time} fa",
"past_duration": {
"day": "{count} {count, plural,\n one {giorno}\n other {giorni}\n} fa",
"hour": "{count} {count, plural,\n one {ora}\n other {ore}\n} fa",
@ -841,7 +588,6 @@
"crop": "Ritaglia"
},
"more_info_control": {
"controls": "Controlli",
"cover": {
"close_cover": "Chiudere la serranda",
"close_tile_cover": "Chiudere l'inclinazione della serranda",
@ -926,7 +672,6 @@
"logs": "Registri",
"lovelace": "Plance di Lovelace",
"navigate_to": "Navigare verso {panel}",
"navigate_to_config": "Navigare fino a {panel} configurazione",
"person": "Persone",
"scene": "Scene",
"script": "Script",
@ -1009,9 +754,7 @@
},
"unknown": "Sconosciuto",
"zha_device_card": {
"area_picker_label": "Area",
"device_name_placeholder": "Cambia il nome del dispositivo",
"update_name_button": "Aggiorna nome"
"device_name_placeholder": "Cambia il nome del dispositivo"
}
}
},
@ -1055,10 +798,6 @@
"triggered": "Attivato {name}"
},
"panel": {
"calendar": {
"my_calendars": "Calendari personali",
"today": "Oggi"
},
"config": {
"advanced_mode": {
"hint_enable": "Opzioni di configurazione mancanti? Abilita la modalità avanzata",
@ -1151,8 +890,7 @@
},
"event": {
"event": "Evento:",
"label": "Attiva Evento",
"service_data": "Dati del servizio"
"label": "Attiva Evento"
},
"repeat": {
"label": "Ripetere",
@ -1176,8 +914,7 @@
"label": "Attivare la scena"
},
"service": {
"label": "Chiama servizio",
"service_data": "Dati del servizio"
"label": "Chiama servizio"
},
"wait_for_trigger": {
"continue_timeout": "Continua al timeout",
@ -1197,8 +934,6 @@
"blueprint": {
"blueprint_to_use": "Progetto da utilizzare",
"header": "Progetto",
"inputs": "Ingressi",
"manage_blueprints": "Gestisci progetti",
"no_blueprints": "Non hai progetti",
"no_inputs": "Questo progetto non ha ingressi."
},
@ -1453,7 +1188,6 @@
"header": "Importa un progetto",
"import_btn": "Anteprima del progetto",
"import_header": "Progetto \"{name}\"",
"import_introduction": "Puoi importare progetti di altri utenti da Github e dai forum della comunità. Immettere l'URL del progetto di seguito.",
"import_introduction_link": "Puoi importare progetti di altri utenti da Github e {community_link} . Immettere l'URL del progetto di seguito.",
"importing": "Caricamento progetto ...",
"raw_blueprint": "Contenuto del progetto",
@ -1575,7 +1309,6 @@
"not_exposed_entities": "Entità non esposte",
"title": "Alexa"
},
"caption": "Home Assistant Cloud",
"description_features": "Controlla la casa quando sei via e integra con Alexa e Google Assistant",
"description_login": "Connesso come {email}",
"description_not_login": "Accesso non effettuato",
@ -1708,7 +1441,6 @@
"pick_attribute": "Scegli un attributo da sovrascrivere",
"picker": {
"documentation": "Documentazione di personalizzazione",
"entity": "Entità",
"header": "Personalizzazioni",
"introduction": "Modificare gli attributi per entità. \nLe personalizzazioni aggiunte/modificate avranno effetto immediato. \nLe personalizzazioni rimosse avranno effetto quando l'entità sarà aggiornata."
},
@ -1755,7 +1487,6 @@
"integration": "Integrazione",
"manufacturer": "Produttore",
"model": "Modello",
"no_area": "Nessuna area",
"no_devices": "Nessun dispositivo"
},
"delete": "Elimina",
@ -1911,42 +1642,9 @@
"source": "Sorgenti:",
"system_health_error": "Il componente System Health non è caricato. Aggiungere 'system_health:' a configuration.yaml",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Alexa abilitata",
"can_reach_cert_server": "Server dei Certificati raggiungibile",
"can_reach_cloud": "Home Assistant Cloud raggiungibile",
"can_reach_cloud_auth": "Server di Autenticazione raggiungibile",
"google_enabled": "Google abilitato",
"logged_in": "Accesso effettuato",
"relayer_connected": "Relayer connesso",
"remote_connected": "Connesso in remoto",
"remote_enabled": "Remoto abilitato",
"subscription_expiration": "Scadenza abbonamento"
},
"homeassistant": {
"arch": "Architettura della CPU",
"dev": "Sviluppo",
"docker": "Docker",
"hassio": "HassOS",
"installation_type": "Tipo di installazione",
"os_name": "Nome del Sistema Operativo",
"os_version": "Versione del Sistema Operativo",
"python_version": "Versione Python",
"timezone": "Fuso orario",
"version": "Versione",
"virtualenv": "Ambiente virtuale"
},
"lovelace": {
"dashboards": "Plance",
"mode": "Modalità",
"resources": "Risorse"
}
},
"manage": "Gestisci",
"more_info": "maggiori informazioni"
},
"title": "Informazioni"
}
},
"integration_panel_move": {
"link_integration_page": "pagina integrazioni",
@ -1960,7 +1658,6 @@
"config_entry": {
"area": "In {area}",
"delete": "Elimina",
"delete_button": "Elimina {integration}",
"delete_confirm": "Sei sicuro di voler eliminare questa integrazione?",
"device_unavailable": "Dispositivo non disponibile",
"devices": "{count} {count, plural, \none {dispositivo}\nother {dispositivi}\n}",
@ -1971,8 +1668,6 @@
"hub": "Connesso tramite",
"manuf": "da {manufacturer}",
"no_area": "Nessuna area",
"no_device": "Entità senza dispositivi",
"no_devices": "Questa integrazione non ha dispositivi.",
"options": "Opzioni",
"reload": "Ricarica",
"reload_confirm": "L'integrazione è stata ricaricata",
@ -1980,9 +1675,7 @@
"rename": "Rinomina",
"restart_confirm": "Riavvia Home Assistant per completare la rimozione di questa integrazione",
"services": "{count} {count, plural,\n one {servizio}\n other {servizi}\n}",
"settings_button": "Modificare le impostazioni per {integration}.",
"system_options": "Opzioni di sistema",
"system_options_button": "Opzioni di sistema per {integration}",
"unnamed_entry": "Voce senza nome"
},
"config_flow": {
@ -2043,8 +1736,7 @@
"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"
"refresh": "Aggiorna"
},
"lovelace": {
"caption": "Plance di Lovelace",
@ -2375,8 +2067,7 @@
"learn_more": "Ulteriori informazioni sugli script",
"no_scripts": "Non è stato possibile trovare alcuno script modificabile",
"run_script": "Esegui script",
"show_info": "Mostra informazioni sullo script",
"trigger_script": "Attiva script"
"show_info": "Mostra informazioni sullo script"
}
},
"server_control": {
@ -2470,11 +2161,9 @@
"add_user": {
"caption": "Aggiungi utente",
"create": "Crea",
"name": "Nome",
"password": "Password",
"password_confirm": "Conferma la password",
"password_not_match": "Le password non corrispondono",
"username": "Nome utente"
"password_not_match": "Le password non corrispondono"
},
"caption": "Utenti",
"description": "Gestisci gli account utente di Home Assistant",
@ -2518,19 +2207,12 @@
"add_device": "Aggiungi dispositivo",
"add_device_page": {
"discovered_text": "I dispositivi verranno visualizzati qui una volta rilevati.",
"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",
"no_devices_found": "Nessun dispositivo trovato, assicurati che siano in modalità di associazione e tienili attivi mentre la scansione è in esecuzione.",
"pairing_mode": "Assicurati che i tuoi dispositivi siano in modalità di associazione. Controlla le istruzioni del tuo dispositivo su come eseguire questa operazione.",
"search_again": "Cerca di nuovo",
"spinner": "Ricerca di dispositivi ZHA Zigbee ..."
},
"add": {
"caption": "Aggiungi dispositivi",
"description": "Aggiungi dispositivi alla rete Zigbee"
},
"button": "Configura",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "Attributi del cluster selezionato",
"get_zigbee_attribute": "Ottieni l'attributo Zigbee",
@ -2554,13 +2236,10 @@
"introduction": "I cluster sono gli elementi costitutivi della funzionalità Zigbee. Essi separano la funzionalità in unità logiche. Esistono tipi di client e di server che sono costituiti da attributi e comandi."
},
"common": {
"add_devices": "Aggiungi dispositivi",
"clusters": "Clusters",
"devices": "Dispositivi",
"manufacturer_code_override": "Sostituzione codice produttore",
"value": "Valore"
},
"description": "Gestione rete Zigbee Home Automation",
"device_pairing_card": {
"CONFIGURED": "Configurazione completata",
"CONFIGURED_status_text": "Inizializzazione",
@ -2571,9 +2250,6 @@
"PAIRED": "Dispositivo trovato",
"PAIRED_status_text": "Inizio interrogazione"
},
"devices": {
"header": "Zigbee Home Automation - Dispositivo"
},
"group_binding": {
"bind_button_help": "Collega il gruppo selezionato all'insieme dei dispositivi selezionati.",
"bind_button_label": "Collega gruppo",
@ -2588,48 +2264,24 @@
"groups": {
"add_group": "Aggiungi gruppo",
"add_members": "Aggiungi membri",
"adding_members": "Aggiunta di membri",
"caption": "Gruppi",
"create": "Crea gruppo",
"create_group": "Zigbee Home Automation - Crea gruppo",
"create_group_details": "Immettere i dettagli richiesti per creare un nuovo gruppo Zigbee",
"creating_group": "Creazione di un gruppo",
"description": "Gestisci gruppi Zigbee",
"group_details": "Qui ci sono tutti i dettagli per il gruppo Zigbee selezionato.",
"group_id": "ID gruppo",
"group_info": "Informazioni sul gruppo",
"group_name_placeholder": "Nome del gruppo",
"group_not_found": "Gruppo non trovato!",
"group-header": "Zigbee Home Automation - Dettagli del gruppo",
"groups": "Gruppi",
"groups-header": "Zigbee Home Automation - Gestione del gruppo",
"header": "Zigbee Home Automation - Gestione del gruppo",
"introduction": "Crea e modifica gruppi Zigbee",
"manage_groups": "Gestisci gruppi Zigbee",
"members": "Membri",
"remove_groups": "Rimuovi gruppi",
"remove_members": "Rimuovi membri",
"removing_groups": "Rimozione di gruppi",
"removing_members": "Rimozione di membri",
"zha_zigbee_groups": "Gruppi ZHA Zigbee"
},
"header": "Configura Zigbee Home Automation",
"introduction": "Qui è possibile configurare il componente ZHA. Non tutto è ancora possibile configurare dall'interfaccia utente, ma ci stiamo lavorando.",
"network_management": {
"header": "Gestione della rete",
"introduction": "Comandi che influiscono sull'intera rete"
"removing_members": "Rimozione di membri"
},
"network": {
"caption": "Rete"
},
"node_management": {
"header": "Gestione dei dispositivi",
"help_node_dropdown": "Selezionare un dispositivo per visualizzare le opzioni per dispositivo.",
"hint_battery_devices": "Nota: i dispositivi dormienti (alimentati a batteria) devono essere svegli durante l'esecuzione di comandi su 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.",
"introduction": "Eseguire i comandi ZHA che interessano un singolo dispositivo. Scegliere un dispositivo per visualizzare un elenco di comandi disponibili."
},
"title": "Zigbee Home Automation",
"visualization": {
"caption": "Visualizzazione",
"header": "Visualizzazione di rete",
@ -2701,7 +2353,6 @@
"header": "Gestisci la tua rete Z-Wave",
"home_id": "ID Home",
"introduction": "Gestisci la tua rete Z-Wave e i nodi Z-Wave",
"node_count": "Numero Nodi",
"nodes_ready": "Nodi pronti",
"server_version": "Versione del server"
},
@ -2738,7 +2389,6 @@
},
"zwave": {
"button": "Configura",
"caption": "Z-Wave",
"common": {
"index": "Indice",
"instance": "Esempio",
@ -2857,17 +2507,12 @@
"type": "Tipo di Evento"
},
"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": {
@ -2908,25 +2553,20 @@
}
},
"history": {
"period": "Periodo",
"ranges": {
"last_week": "Settimana scorsa",
"this_week": "Questa settimana",
"today": "Oggi",
"yesterday": "Ieri"
},
"showing_entries": "Visualizzazione delle voci per"
}
},
"logbook": {
"entries_not_found": "Non sono state trovate voci nel registro.",
"period": "Periodo",
"ranges": {
"last_week": "Settimana scorsa",
"this_week": "Questa settimana",
"today": "Oggi",
"yesterday": "Ieri"
},
"showing_entries": "Visualizzazione delle voci per"
}
},
"lovelace": {
"add_entities": {
@ -2935,7 +2575,6 @@
"yaml_unsupported": "Non è possibile utilizzare questa funzione quando si utilizza l'Interfaccia Utente di Lovelace in modalità YAML."
},
"cards": {
"action_confirmation": "Sei sicuro di voler eseguire l'azione \"{action}\"?",
"actions": {
"action_confirmation": "Sei sicuro di voler eseguire l'azione \"{action}\"?",
"no_entity_more_info": "Nessuna entità fornita per la finestra di dialogo con ulteriori informazioni",
@ -2974,13 +2613,11 @@
"reorder_items": "Riordina elementi"
},
"starting": {
"description": "Home Assistant sta per avviarsi, attendere prego...",
"header": "Home Assistant si sta avviando..."
"description": "Home Assistant sta per avviarsi, attendere prego..."
}
},
"changed_toast": {
"message": "La configurazione dell'Interfaccia Utente di Lovelace per questa plancia è stata aggiornata, ricaricare per vedere le modifiche?",
"refresh": "Aggiorna"
"message": "La configurazione dell'Interfaccia Utente di Lovelace per questa plancia è stata aggiornata, ricaricare per vedere le modifiche?"
},
"components": {
"timestamp-display": {
@ -2999,7 +2636,6 @@
"toggle": "Commuta",
"url": "URL"
},
"editor_service_data": "I dati di servizio possono essere inseriti solo nell'editor del codice",
"navigation_path": "Percorso di navigazione",
"url_path": "Percorso URL"
},
@ -3197,7 +2833,6 @@
},
"sensor": {
"description": "La scheda Sensore offre una rapida panoramica dello stato dei sensori con un grafico opzionale per visualizzare il cambiamento nel tempo.",
"graph_detail": "Dettaglio grafico",
"graph_type": "Tipo di grafico",
"name": "Sensore",
"show_more_detail": "Mostra ulteriori dettagli"
@ -3368,7 +3003,6 @@
"configure_ui": "Modifica Plancia",
"exit_edit_mode": "Esci dalla modalità di modifica dell'Interfaccia Utente",
"help": "Aiuto",
"refresh": "Aggiorna",
"reload_resources": "Ricarica le risorse",
"start_conversation": "Inizia la conversazione"
},
@ -3493,8 +3127,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "Il tuo computer non è consentito.",
"not_whitelisted": "Il tuo computer non è nella whitelist."
"not_allowed": "Il tuo computer non è consentito."
},
"step": {
"init": {
@ -3647,15 +3280,12 @@
"create": "Crea token",
"create_failed": "Impossibile creare il token di accesso.",
"created": "Creato {date}",
"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.",
"name": "Nome",
"not_used": "Non è mai stato usato",
"prompt_copy_token": "Copia il tuo token di accesso. Non verrà più mostrato.",
"prompt_name": "Assegnare un nome al token"
},
@ -3720,11 +3350,6 @@
},
"shopping_list": {
"start_conversation": "Avvia conversazione"
},
"shopping-list": {
"add_item": "Aggiungi articolo",
"clear_completed": "Cancellazione completata",
"microphone_tip": "Cliccare sul microfono in alto a destra e dire o digitare \"Aggiungi caramelle alla mia lista della spesa\"."
}
},
"sidebar": {

View File

@ -89,247 +89,11 @@
}
},
"state": {
"alarm_control_panel": {
"disarmed": "解除",
"disarming": "解除",
"pending": "保留中",
"triggered": "トリガー"
},
"automation": {
"off": "オフ",
"on": "オン"
},
"binary_sensor": {
"battery": {
"off": "通常",
"on": "低"
},
"cold": {
"off": "通常",
"on": "低温"
},
"connectivity": {
"off": "切断",
"on": "接続済"
},
"default": {
"off": "オフ",
"on": "オン"
},
"door": {
"off": "閉鎖",
"on": "開放"
},
"garage_door": {
"off": "閉鎖",
"on": "開放"
},
"gas": {
"off": "未検出",
"on": "検出"
},
"heat": {
"off": "正常",
"on": "高温"
},
"lock": {
"off": "施錠中",
"on": "無施錠"
},
"moisture": {
"off": "ドライ",
"on": "ウェット"
},
"motion": {
"off": "未検出",
"on": "検出"
},
"occupancy": {
"off": "未検出",
"on": "検出"
},
"opening": {
"off": "閉鎖",
"on": "開放"
},
"presence": {
"off": "外出",
"on": "在宅"
},
"problem": {
"off": "OK",
"on": "問題"
},
"safety": {
"off": "安全",
"on": "危険"
},
"smoke": {
"off": "未検出",
"on": "検出"
},
"sound": {
"off": "未検出",
"on": "検出"
},
"vibration": {
"off": "未検出",
"on": "検出"
},
"window": {
"off": "閉鎖",
"on": "開放"
}
},
"calendar": {
"off": "オフ",
"on": "オン"
},
"camera": {
"idle": "アイドル",
"recording": "録音",
"streaming": "ストリーミング"
},
"climate": {
"cool": "冷房",
"dry": "ドライ",
"fan_only": "ファンのみ",
"heat": "暖房",
"heat_cool": "暖/冷",
"off": "オフ"
},
"configurator": {
"configure": "設定",
"configured": "設定済み"
},
"cover": {
"closed": "閉鎖",
"closing": "閉じています",
"open": "開く",
"opening": "開いています",
"stopped": "停止"
},
"default": {
"off": "オフ",
"on": "オン",
"unavailable": "利用不可",
"unknown": "不明"
},
"device_tracker": {
"not_home": "外出"
},
"fan": {
"off": "オフ",
"on": "オン"
},
"group": {
"closed": "閉鎖",
"closing": "閉じています",
"home": "在宅",
"locked": "施錠中",
"not_home": "外出",
"off": "オフ",
"ok": "OK",
"on": "オン",
"open": "開く",
"opening": "開いています",
"problem": "問題",
"stopped": "停止",
"unlocked": "無施錠"
},
"input_boolean": {
"off": "オフ",
"on": "オン"
},
"light": {
"off": "オフ",
"on": "オン"
},
"lock": {
"locked": "施錠中",
"unlocked": "無施錠"
},
"media_player": {
"idle": "アイドル",
"off": "オフ",
"on": "オン",
"paused": "一時停止",
"playing": "再生中",
"standby": "スタンバイ"
},
"person": {
"home": "在宅"
},
"plant": {
"ok": "OK",
"problem": "問題"
},
"remote": {
"off": "オフ",
"on": "オン"
},
"scene": {
"scening": "硬化"
},
"script": {
"off": "オフ",
"on": "オン"
},
"sensor": {
"off": "オフ",
"on": "オン"
},
"sun": {
"above_horizon": "地平線の上",
"below_horizon": "地平線より下"
},
"switch": {
"off": "オフ",
"on": "オン"
},
"timer": {
"active": "アクティブ",
"idle": "アイドル",
"paused": "一時停止"
},
"vacuum": {
"cleaning": "クリーニング",
"docked": "ドッキング",
"error": "エラー",
"idle": "アイドル",
"off": "オフ",
"on": "オン",
"paused": "一時停止",
"returning": "ドックに戻る"
},
"weather": {
"clear-night": "晴れた夜",
"cloudy": "曇り",
"exceptional": "半端じゃない",
"fog": "霧",
"hail": "雹",
"lightning": "雷",
"lightning-rainy": "雷雨",
"partlycloudy": "晴れ時々曇り",
"pouring": "大雨",
"rainy": "雨",
"snowy": "雪",
"snowy-rainy": "みぞれ",
"sunny": "晴れ",
"windy": "強風",
"windy-variant": "風が強い"
},
"zwave": {
"default": {
"dead": "死んで",
"initializing": "初期化中",
"ready": "準備完了",
"sleeping": "スリープ"
},
"query_stage": {
"dead": "死んで ({query_stage})",
"initializing": "初期化中 ( {query_stage} )"
}
}
},
"ui": {
@ -428,8 +192,7 @@
},
"script": {
"cancel": "キャンセル",
"cancel_multiple": "キャンセル",
"execute": "実行"
"cancel_multiple": "キャンセル"
},
"service": {
"run": "実行"
@ -616,7 +379,6 @@
"media-browser": {
"audio_not_supported": "お使いのブラウザはオーディオをサポートしていません。",
"choose_player": "プレーヤーを選択",
"choose-source": "ソースを選択",
"class": {
"album": "アルバム",
"app": "アプリ",
@ -639,13 +401,6 @@
"url": "URL",
"video": "ビデオ"
},
"content-type": {
"album": "アルバム",
"artist": "アーティスト",
"library": "ライブラリ",
"playlist": "プレイリスト",
"server": "サーバー"
},
"documentation": "ドキュメント",
"learn_adding_local_media": "メディアの追加の詳細については、{ドキュメント}を参照してください。",
"local_media_files": "ビデオ、オーディオ、画像ファイルをメディアディレクトリに配置して、ブラウザやサポートされているメディアプレーヤーで参照して再生できるようにします。",
@ -687,7 +442,6 @@
"second": "{count} {count, plural,\n one {秒}\n other {秒}\n}",
"week": "{count} {count, plural,\n one {週間}\n other {週間}\n}"
},
"future": "{time}以内",
"future_duration": {
"day": "{count} {count, plural,\n one {日}\n other {日}\n}",
"hour": "{count} {count, plural,\n one {時間}\n other {時間}\n}",
@ -697,7 +451,6 @@
},
"just_now": "ちょうど今",
"never": "未実行",
"past": "{time}前",
"past_duration": {
"day": "{count} {count, plural,\n one {日}\n other {日}\n}前",
"hour": "{count} {count, plural,\n one {時間}\n other {時間}\n}前",
@ -827,7 +580,6 @@
"crop": "収納"
},
"more_info_control": {
"controls": "コントロール",
"cover": {
"close_cover": "カバーを閉じる",
"close_tile_cover": "カバーの傾きを閉じる",
@ -912,7 +664,6 @@
"logs": "ログ",
"lovelace": "Lovelaceダッシュボード",
"navigate_to": "{panel}に移動します",
"navigate_to_config": "{panel}構成に移動します",
"person": "人々",
"scene": "シーン",
"script": "スクリプト",
@ -995,9 +746,7 @@
},
"unknown": "不明",
"zha_device_card": {
"area_picker_label": "エリア",
"device_name_placeholder": "デバイス名の変更",
"update_name_button": "名前の更新"
"device_name_placeholder": "デバイス名の変更"
}
}
},
@ -1041,10 +790,6 @@
"triggered": "トリガーしました {name}"
},
"panel": {
"calendar": {
"my_calendars": "マイカレンダー",
"today": "今日"
},
"config": {
"advanced_mode": {
"hint_enable": "設定オプションが見つかりませんか?アドバイスモードを有効にしてください。",
@ -1162,8 +907,7 @@
"label": "シーンをアクティブにする"
},
"service": {
"label": "サービスの呼び出し",
"service_data": "サービスのデータ"
"label": "サービスの呼び出し"
},
"wait_for_trigger": {
"continue_timeout": "タイムアウト時に続行",
@ -1183,8 +927,6 @@
"blueprint": {
"blueprint_to_use": "使用する設計図",
"header": "設計図",
"inputs": "入力",
"manage_blueprints": "設計図の管理",
"no_blueprints": "設計図はありません",
"no_inputs": "この設計図には入力がありません。"
},
@ -1439,7 +1181,6 @@
"header": "新しい設計図を追加する",
"import_btn": "設計図をインポートする",
"import_header": "インポート{name} {domain} ",
"import_introduction": "Github やコミュニティフォーラムから他のユーザーの設計図をインポートできます。以下に、設計図の URL を入力します。",
"import_introduction_link": "他のユーザーの設計図をGithubと{community_link}からインポートできます。以下に設計図のURLを入力します。",
"importing": "設計図をインポートしています...",
"raw_blueprint": "設計図コンテンツ",
@ -1561,7 +1302,6 @@
"not_exposed_entities": "公開されていないエンティティ",
"title": "Alexa"
},
"caption": "Home Assistant Cloud",
"description_features": "自宅の外からコントロールするために、AlexaとGoogleアシスタントに統合します。",
"description_login": "{email}としてログインしました",
"description_not_login": "ログインしていない",
@ -1694,7 +1434,6 @@
"pick_attribute": "オーバーライドする属性を選択してください",
"picker": {
"documentation": "カスタマイズドキュメント",
"entity": "エンティティ",
"header": "カスタマイズ",
"introduction": "エンティティごとの属性を微調整します。追加/編集されたカスタマイズは、すぐに有効になります。削除されたカスタマイズは、エンティティが更新されたときに有効になります。"
},
@ -1741,7 +1480,6 @@
"integration": "インテグレーション",
"manufacturer": "メーカー",
"model": "型番",
"no_area": "エリアなし",
"no_devices": "デバイスなし"
},
"delete": "削除",
@ -1897,42 +1635,9 @@
"source": "ソース:",
"system_health_error": "「システムの正常性」コンポーネントが有効されていません、configuration.yaml に 'system_health:' を追加してください。",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Alexa有効",
"can_reach_cert_server": "証明書サーバーに到達アクセスする",
"can_reach_cloud": "Home AssistantCloudにアクセスする",
"can_reach_cloud_auth": "認証サーバーにアクセスする",
"google_enabled": "Google有効",
"logged_in": "ログイン",
"relayer_connected": "接続された再レイヤー",
"remote_connected": "リモート接続",
"remote_enabled": "リモート有効",
"subscription_expiration": "サブスクリプションの有効期限"
},
"homeassistant": {
"arch": "CPU アーキテクチャ",
"dev": "開発",
"docker": "ドッカー",
"hassio": "HassOS",
"installation_type": "インストールの種類",
"os_name": "オペレーティング システム名",
"os_version": "オペレーティング システムのバージョン",
"python_version": "Python バージョン",
"timezone": "タイムゾーン",
"version": "バージョン",
"virtualenv": "仮想環境"
},
"lovelace": {
"dashboards": "ダッシュ ボード",
"mode": "モード",
"resources": "リソース"
}
},
"manage": "管理",
"more_info": "詳細情報"
},
"title": "情報"
}
},
"integration_panel_move": {
"link_integration_page": "インテグレーションページ",
@ -1946,7 +1651,6 @@
"config_entry": {
"area": "{area}",
"delete": "削除",
"delete_button": "{integration} を削除",
"delete_confirm": "この統合を削除しますか?",
"device_unavailable": "デバイスを利用できません",
"devices": "{count} {count, plural,\n one {デバイス}\n other {デバイス}\n}",
@ -1957,8 +1661,6 @@
"hub": "経由で接続",
"manuf": "{manufacturer}",
"no_area": "エリアなし",
"no_device": "デバイスのないエンティティ",
"no_devices": "この統合にはデバイスがありません。",
"options": "オプション",
"reload": "再読込",
"reload_confirm": "インテグレーションが再読み込みされました",
@ -1966,9 +1668,7 @@
"rename": "名前を変更",
"restart_confirm": "ホーム アシスタントを再起動して、この統合の削除を完了します。",
"services": "{count} {count, plural,\n one {サービス}\n other {サービス}\n}",
"settings_button": "{integration} の設定を編集",
"system_options": "システムオプション",
"system_options_button": "{integration} のシステムオプション",
"unnamed_entry": "名前のないエントリ"
},
"config_flow": {
@ -2029,8 +1729,7 @@
"multiple_messages": "メッセージは最初に{time}発生し、 {counter}回表示されます",
"no_errors": "エラーは報告されていません。",
"no_issues": "新しい問題はありません!",
"refresh": "更新",
"title": "ログ"
"refresh": "更新"
},
"lovelace": {
"caption": "Lovelace ダッシュボード",
@ -2361,8 +2060,7 @@
"learn_more": "スクリプトの詳細",
"no_scripts": "編集可能なスクリプトが見つかりませんでした",
"run_script": "スクリプトを実行する",
"show_info": "スクリプトに関する情報を表示",
"trigger_script": "トリガースクリプト"
"show_info": "スクリプトに関する情報を表示"
}
},
"server_control": {
@ -2456,11 +2154,9 @@
"add_user": {
"caption": "ユーザーの追加",
"create": "作成する",
"name": "名前",
"password": "パスワード",
"password_confirm": "パスワードの確認",
"password_not_match": "パスワードが一致しません",
"username": "ユーザー名"
"password_not_match": "パスワードが一致しません"
},
"caption": "ユーザー",
"description": "ユーザーの管理",
@ -2504,19 +2200,12 @@
"add_device": "デバイスの追加",
"add_device_page": {
"discovered_text": "検出されると、デバイスがここに表示されます。",
"discovery_text": "検出されたデバイスがここに表示されます。デバイスの指示に従い、ペアリングモードにします。",
"header": "Zigbeeホームオートメーション-デバイスの追加",
"no_devices_found": "デバイスが見つかりませんでした。デバイスがペアリングモードであることを確認し、検出の実行中はデバイスをウェイクアップしてください。",
"pairing_mode": "デバイスがペアリングモードになっていることを確認します。これを行う方法については、デバイスの手順を確認してください。",
"search_again": "もう一度検索",
"spinner": "ZHA Zigbeeデバイスを検索しています..."
},
"add": {
"caption": "デバイスを追加",
"description": "Zigbeeネットワークにデバイスを追加する"
},
"button": "構成",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "選択したクラスターの属性",
"get_zigbee_attribute": "Zigbee属性を取得",
@ -2540,13 +2229,10 @@
"introduction": "クラスタは Zigbee 機能の構成要素です。機能を論理単位に分割します。クライアントとサーバーの種類があり、属性とコマンドで構成されています。"
},
"common": {
"add_devices": "デバイスを追加",
"clusters": "クラスター",
"devices": "デバイス",
"manufacturer_code_override": "製造元コードの上書き",
"value": "バリュー"
},
"description": "Zigbee Home Automationネットワーク管理",
"device_pairing_card": {
"CONFIGURED": "構成の完了",
"CONFIGURED_status_text": "初期化中",
@ -2557,9 +2243,6 @@
"PAIRED": "デバイスが見つかりました",
"PAIRED_status_text": "インタビュー開始"
},
"devices": {
"header": "Zigbeeホームオートメーション-デバイス"
},
"group_binding": {
"bind_button_help": "選択したグループを選択したデバイス クラスタにバインドします。",
"bind_button_label": "バインド グループ",
@ -2574,48 +2257,24 @@
"groups": {
"add_group": "グループの追加",
"add_members": "メンバーの追加",
"adding_members": "メンバーの追加",
"caption": "グループ",
"create": "グループの作成",
"create_group": "Zigbeeホームオートメーション-グループの作成",
"create_group_details": "必要な詳細を入力して、新しいzigbeeグループを作成します",
"creating_group": "グループを作成しています",
"description": "Zigbeeグループを管理する",
"group_details": "選択した Zigbee グループの詳細をすべて次に示します。",
"group_id": "グループ ID",
"group_info": "グループ情報",
"group_name_placeholder": "グループ名",
"group_not_found": "グループが見つかりません!",
"group-header": "Zigbeeホームオートメーション-グループの詳細",
"groups": "グループ",
"groups-header": "Zigbeeホームオートメーション-グループ管理",
"header": "Zigbeeホームオートメーション-グループ管理",
"introduction": "zigbeeグループを作成および変更する",
"manage_groups": "Zigbeeグループの管理",
"members": "メンバー",
"remove_groups": "グループの削除",
"remove_members": "メンバーを削除",
"removing_groups": "グループの削除",
"removing_members": "メンバーの削除",
"zha_zigbee_groups": "ZHA Zigbeeグループ"
},
"header": "Zigbee ホーム オートメーションの設定",
"introduction": "ここでは、ZHAコンポーネントを構成できます。まだすべてをUIから構成できるわけではありませんが、現在取り組んでいます。",
"network_management": {
"header": "ネットワーク管理",
"introduction": "ネットワーク全体に影響を与えるコマンド"
"removing_members": "メンバーの削除"
},
"network": {
"caption": "ネットワーク"
},
"node_management": {
"header": "デバイス管理",
"help_node_dropdown": "デバイスを選択して、デバイスごとのオプションを表示します。",
"hint_battery_devices": "注:スリープ状態の(バッテリー駆動の)デバイスに対してコマンドを実行するときは、スリープ状態から復帰する必要があります。通常、スリープ状態のデバイスは、トリガーすることでスリープ解除できます。",
"hint_wakeup": "Xiaomiセンサーなどの一部のデバイスには、約5秒間隔で押すことができるウェイクアップボタンがあり、デバイスを操作している間、デバイスをウェイクアップしたままにできます。",
"introduction": "単一のデバイスに影響する ZHA コマンドを実行します。デバイスを選択して、使用可能なコマンドの一覧を表示します。"
},
"title": "Zigbeeホームオートメーション",
"visualization": {
"caption": "可視化",
"header": "ネットワークの視覚化",
@ -2687,7 +2346,6 @@
"header": "Z-Wave ネットワークの管理",
"home_id": "ホームID",
"introduction": "Z-WaveネットワークとZ-Waveードを管理する",
"node_count": "ノード数",
"nodes_ready": "ノードの準備完了",
"server_version": "サーバーバージョン"
},
@ -2724,7 +2382,6 @@
},
"zwave": {
"button": "設定",
"caption": "Z-Wave",
"common": {
"index": "インデックス",
"instance": "インスタンス",
@ -2843,17 +2500,12 @@
"type": "イベントの種類"
},
"services": {
"alert_parsing_yaml": "YAMLの解析エラー: {error}",
"call_service": "サービスの呼び出し",
"column_description": "説明",
"column_example": "例",
"column_parameter": "パラメータ",
"data": "サービスデータYAML、オプション",
"description": "サービス開発ツールを使用すると、ホームアシスタントで利用可能なサービスを呼び出すことができます。",
"fill_example_data": "データ記入例",
"no_description": "説明はありません",
"no_parameters": "このサービスはパラメータを受け取りません",
"select_service": "説明を表示するサービスを選択してください",
"title": "サービス"
},
"states": {
@ -2894,25 +2546,20 @@
}
},
"history": {
"period": "期間",
"ranges": {
"last_week": "先週",
"this_week": "今週",
"today": "今日",
"yesterday": "昨日"
},
"showing_entries": "のエントリを表示する"
}
},
"logbook": {
"entries_not_found": "ログブックエントリが見つかりません。",
"period": "期間",
"ranges": {
"last_week": "先週",
"this_week": "今週",
"today": "今日",
"yesterday": "昨日"
},
"showing_entries": "エントリを表示します"
}
},
"lovelace": {
"add_entities": {
@ -2921,7 +2568,6 @@
"yaml_unsupported": "YAMLモードでLovelace UIを使用している場合、この関数は使用できません。"
},
"cards": {
"action_confirmation": "アクション「{action}」を実行してもよろしいですか?",
"actions": {
"action_confirmation": "指定したアクション \"{action}\" を実行しますか?",
"no_entity_more_info": "詳細情報ダイアログにエンティティが提供されていません",
@ -2960,13 +2606,11 @@
"reorder_items": "再オーダーアイテム"
},
"starting": {
"description": "ホームアシスタントを開始しています。お待ちください...",
"header": "ホームアシスタントを開始しています..."
"description": "ホームアシスタントを開始しています。お待ちください..."
}
},
"changed_toast": {
"message": "このダッシュボードのLovelace UI設定が更新されました。更新して変更を確認しますか",
"refresh": "更新"
"message": "このダッシュボードのLovelace UI設定が更新されました。更新して変更を確認しますか"
},
"components": {
"timestamp-display": {
@ -2985,7 +2629,6 @@
"toggle": "トグル",
"url": "URL"
},
"editor_service_data": "サービス データはコード エディターでのみ入力できます。",
"navigation_path": "ナビゲーションパス",
"url_path": "URLパス"
},
@ -3183,7 +2826,6 @@
},
"sensor": {
"description": "センサーカードは、時間の経過に伴う変化を視覚化するオプションのグラフを使用して、センサーの状態をすばやく提供します。",
"graph_detail": "グラフの詳細",
"graph_type": "グラフの種類",
"name": "センサー",
"show_more_detail": "詳細を表示"
@ -3354,7 +2996,6 @@
"configure_ui": "ダッシュボードを編集",
"exit_edit_mode": "UI 編集モードを終了",
"help": "ヘルプ",
"refresh": "更新",
"reload_resources": "リソースの再読込",
"start_conversation": "会話を開始する"
},
@ -3478,8 +3119,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "お使いのコンピューターは許可されていません。",
"not_whitelisted": "コンピュータがホワイトリストに登録されていません。"
"not_allowed": "お使いのコンピューターは許可されていません。"
},
"step": {
"init": {
@ -3632,15 +3272,12 @@
"create": "トークンの作成",
"create_failed": "アクセス トークンを作成できませんでした。",
"created": "{日付} に作成されました",
"created_at": "{日付} に作成されました",
"delete_failed": "アクセス トークンを削除できませんでした。",
"description": "スクリプトがホーム アシスタント インスタンスと対話できるように、長期間使用できるアクセス トークンを作成します。各トークンは作成から10年間有効です。次の長期アクセス トークンは現在アクティブです。",
"empty_state": "長期間使用されるアクセス トークンはまだありません。",
"header": "長期間有効なアクセストークン",
"last_used": "{location} から {date} で最後に使用されました",
"learn_auth_requests": "認証された要求を作成する方法について説明します。",
"name": "名前",
"not_used": "一度も使用されていない",
"prompt_copy_token": "アクセス トークンをコピーします。再び表示されません。",
"prompt_name": "名前?"
},
@ -3705,11 +3342,6 @@
},
"shopping_list": {
"start_conversation": "会話を開始する"
},
"shopping-list": {
"add_item": "アイテムを追加",
"clear_completed": "完了したアイテムを削除",
"microphone_tip": "右上のマイクをタップして、「買い物リストにキャンディーを追加」と言うか、入力します"
}
},
"sidebar": {

View File

@ -94,253 +94,11 @@
}
},
"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": "켜짐"
},
"door": {
"off": "닫힘",
"on": "열림"
},
"garage_door": {
"off": "닫힘",
"on": "열림"
},
"gas": {
"off": "이상없음",
"on": "감지됨"
},
"heat": {
"off": "보통",
"on": "고온"
},
"lock": {
"off": "잠김",
"on": "해제"
},
"moisture": {
"off": "건조함",
"on": "습함"
},
"motion": {
"off": "이상없음",
"on": "감지됨"
},
"occupancy": {
"off": "이상없음",
"on": "감지됨"
},
"opening": {
"off": "닫힘",
"on": "열림"
},
"presence": {
"off": "외출",
"on": "재실"
},
"problem": {
"off": "문제없음",
"on": "문제있음"
},
"safety": {
"off": "안전",
"on": "위험"
},
"smoke": {
"off": "이상없음",
"on": "감지됨"
},
"sound": {
"off": "이상없음",
"on": "감지됨"
},
"vibration": {
"off": "이상없음",
"on": "감지됨"
},
"window": {
"off": "닫힘",
"on": "열림"
}
},
"calendar": {
"off": "꺼짐",
"on": "켜짐"
},
"camera": {
"idle": "대기중",
"recording": "녹화중",
"streaming": "스트리밍"
},
"climate": {
"cool": "냉방",
"dry": "제습",
"fan_only": "송풍",
"heat": "난방",
"heat_cool": "냉난방",
"off": "꺼짐"
},
"configurator": {
"configure": "설정",
"configured": "설정됨"
},
"cover": {
"closed": "닫힘",
"closing": "닫는중",
"open": "열림",
"opening": "여는중",
"stopped": "멈춤"
},
"default": {
"off": "끄기",
"on": "켜기",
"unavailable": "사용불가",
"unknown": "알수없음"
},
"device_tracker": {
"not_home": "외출"
},
"fan": {
"off": "꺼짐",
"on": "켜짐"
},
"group": {
"closed": "닫힘",
"closing": "닫는중",
"home": "재실",
"locked": "잠김",
"not_home": "외출",
"off": "꺼짐",
"ok": "문제없음",
"on": "켜짐",
"open": "열림",
"opening": "여는중",
"problem": "문제있음",
"stopped": "멈춤",
"unlocked": "해제"
},
"input_boolean": {
"off": "꺼짐",
"on": "켜짐"
},
"light": {
"off": "꺼짐",
"on": "켜짐"
},
"lock": {
"locked": "잠김",
"unlocked": "해제"
},
"media_player": {
"idle": "대기중",
"off": "꺼짐",
"on": "켜짐",
"paused": "일시중지",
"playing": "재생중",
"standby": "준비중"
},
"person": {
"home": "재실"
},
"plant": {
"ok": "문제없음",
"problem": "문제있음"
},
"remote": {
"off": "꺼짐",
"on": "켜짐"
},
"scene": {
"scening": "씬 구성중"
},
"script": {
"off": "꺼짐",
"on": "켜짐"
},
"sensor": {
"off": "꺼짐",
"on": "켜짐"
},
"sun": {
"above_horizon": "주간",
"below_horizon": "야간"
},
"switch": {
"off": "꺼짐",
"on": "켜짐"
},
"timer": {
"active": "활성화",
"idle": "대기중",
"paused": "일시중지됨"
},
"vacuum": {
"cleaning": "청소중",
"docked": "충전중",
"error": "작동 오류",
"idle": "대기중",
"off": "꺼짐",
"on": "켜짐",
"paused": "일시중지됨",
"returning": "충전 복귀 중"
},
"weather": {
"clear-night": "맑음 (밤)",
"cloudy": "흐림",
"exceptional": "예외사항",
"fog": "안개",
"hail": "우박",
"lightning": "번개",
"lightning-rainy": "뇌우",
"partlycloudy": "대체로 흐림",
"pouring": "호우",
"rainy": "비",
"snowy": "눈",
"snowy-rainy": "진눈개비",
"sunny": "맑음",
"windy": "바람",
"windy-variant": "바람"
},
"zwave": {
"default": {
"dead": "응답없음",
"initializing": "초기화 중",
"ready": "준비",
"sleeping": "절전모드"
},
"query_stage": {
"dead": "응답없음 ({query_stage})",
"initializing": "초기화 중 ({query_stage})"
}
}
},
"ui": {
@ -441,8 +199,7 @@
},
"script": {
"cancel": "취소",
"cancel_multiple": "{number} 개 취소",
"execute": "실행"
"cancel_multiple": "{number} 개 취소"
},
"service": {
"run": "실행"
@ -614,7 +371,6 @@
"media-browser": {
"audio_not_supported": "브라우저가 오디오를 지원하지 않습니다.",
"choose_player": "플레이어 선택",
"choose-source": "소스 선택",
"class": {
"album": "앨범",
"app": "앱",
@ -637,13 +393,6 @@
"url": "URL",
"video": "비디오"
},
"content-type": {
"album": "앨범",
"artist": "아티스트",
"library": "라이브러리",
"playlist": "재생 목록",
"server": "서버"
},
"documentation": "관련 문서",
"learn_adding_local_media": "{documentation} 에서 미디어 추가에 대해 자세히 알아보세요.",
"local_media_files": "브라우저 또는 지원되는 미디어 플레이어에서 탐색하고 재생할 수 있도록 비디오, 오디오 및 이미지 파일을 미디어 디렉터리에 넣어주세요.",
@ -685,7 +434,6 @@
"second": "{count} {count, plural,\none {초}\nother {초}\n}",
"week": "{count} {count, plural,\none {주}\nother {주}\n}"
},
"future": "{time} 후",
"future_duration": {
"day": "{count} {count, plural,\n one {일}\n other {일}\n} 후",
"hour": "{count} {count, plural,\n one {시간}\n other {시간}\n} 후",
@ -695,7 +443,6 @@
},
"just_now": "방금",
"never": "해당없음",
"past": "{time} 전",
"past_duration": {
"day": "{count} {count, plural,\n one {일}\n other {일}\n} 전",
"hour": "{count} {count, plural,\n one {시간}\n other {시간}\n} 전",
@ -806,7 +553,6 @@
"crop": "자르기"
},
"more_info_control": {
"controls": "제어 내용",
"cover": {
"close_tile_cover": "닫기",
"open_tilt_cover": "열기",
@ -970,9 +716,7 @@
},
"unknown": "알 수 없슴",
"zha_device_card": {
"area_picker_label": "영역",
"device_name_placeholder": "기기 이름 변경",
"update_name_button": "이름 업데이트"
"device_name_placeholder": "기기 이름 변경"
}
}
},
@ -1004,10 +748,6 @@
"triggered": "{name} 트리거됨"
},
"panel": {
"calendar": {
"my_calendars": "내 캘린더",
"today": "오늘"
},
"config": {
"advanced_mode": {
"hint_enable": "구성 옵션이 보이지 않으신가요? 고급 모드를 사용해보세요",
@ -1091,8 +831,7 @@
},
"event": {
"event": "이벤트:",
"label": "이벤트 발행",
"service_data": "서비스 데이터"
"label": "이벤트 발행"
},
"repeat": {
"label": "반복",
@ -1116,8 +855,7 @@
"label": "씬 활성화"
},
"service": {
"label": "서비스 호출",
"service_data": "서비스 데이터"
"label": "서비스 호출"
},
"wait_for_trigger": {
"continue_timeout": "제한 시간 이후 계속 진행",
@ -1137,8 +875,6 @@
"blueprint": {
"blueprint_to_use": "사용할 블루프린트",
"header": "블루프린트",
"inputs": "입력",
"manage_blueprints": "블루프린트 관리",
"no_blueprints": "블루프린트가 존재하지 않습니다",
"no_inputs": "이 블루프린트에는 입력이 없습니다."
},
@ -1392,7 +1128,6 @@
"header": "블루프린트 가져오기",
"import_btn": "블루프린트 미리보기",
"import_header": "\"{name}\" 블루프린트",
"import_introduction": "Github 및 커뮤니티 포럼에서 다른 사용자의 블루프린트를 가져올 수 있습니다. 블루프린트의 URL 을 하단의 입력란에 입력해주세요.",
"importing": "블루프린트를 읽는 중 ...",
"raw_blueprint": "블루프린트 내용",
"save_btn": "블루프린트 가져오기",
@ -1507,7 +1242,6 @@
"not_exposed_entities": "노출되지 않은 구성요소",
"title": "Alexa"
},
"caption": "Home Assistant Cloud",
"description_features": "집 밖에서도 집을 관리하고 Alexa 및 Google 어시스턴트와 연동시킵니다",
"description_login": "{email} 로(으로) 로그인 되어있습니다",
"description_not_login": "로그인이 되어있지 않습니다",
@ -1640,7 +1374,6 @@
"pick_attribute": "재정의 할 속성 선택",
"picker": {
"documentation": "사용자화 문서",
"entity": "구성요소",
"header": "사용자화",
"introduction": "구성요소의 속성값을 입맛에 맞게 변경할 수 있습니다. 추가 혹은 수정된 사용자 정의 내용은 즉시 적용되지만, 제거된 내용은 구성요소가 업데이트 될 때 적용됩니다."
},
@ -1686,7 +1419,6 @@
"integration": "통합 구성요소",
"manufacturer": "제조사",
"model": "모델",
"no_area": "영역 없음",
"no_devices": "기기 없음"
},
"delete": "삭제",
@ -1825,42 +1557,9 @@
"source": "소스:",
"system_health_error": "시스템 상태보기 구성요소가 로드되지 않았습니다. configuration.yaml 에 'system_health:' 를 추가해주세요.",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Alexa 활성화",
"can_reach_cert_server": "인증서 서버 연결",
"can_reach_cloud": "Home Assistant Cloud 연결",
"can_reach_cloud_auth": "인증 서버 연결",
"google_enabled": "Google 어시스턴트 활성화",
"logged_in": "로그인",
"relayer_connected": "중계기 연결",
"remote_connected": "원격 제어 연결",
"remote_enabled": "원격 제어 활성화",
"subscription_expiration": "구독 만료"
},
"homeassistant": {
"arch": "CPU 아키텍처",
"dev": "개발자 모드",
"docker": "Docker",
"hassio": "HassOS",
"installation_type": "설치 유형",
"os_name": "운영 체제 이름",
"os_version": "운영 체제 버전",
"python_version": "Python 버전",
"timezone": "시간대",
"version": "버전",
"virtualenv": "가상 환경"
},
"lovelace": {
"dashboards": "대시보드",
"mode": "모드",
"resources": "리소스"
}
},
"manage": "관리",
"more_info": "추가 정보"
},
"title": "정보"
}
},
"integration_panel_move": {
"link_integration_page": "통합 구성요소 페이지",
@ -1874,7 +1573,6 @@
"config_entry": {
"area": "{area}에 위치",
"delete": "삭제",
"delete_button": "{integration} 삭제",
"delete_confirm": "이 통합 구성요소를 제거하시겠습니까?",
"device_unavailable": "기기 사용불가",
"devices": "{count} {count, plural,\none {기기}\nother {기기}\n}",
@ -1885,8 +1583,6 @@
"hub": "연결 경유 대상",
"manuf": "{manufacturer} 제조",
"no_area": "영역 없음",
"no_device": "기기가 없는 구성요소",
"no_devices": "이 통합 구성요소는 설정해야 할 기기가 없습니다.",
"options": "옵션",
"reload": "다시 읽어오기",
"reload_confirm": "통합 구성요소를 다시 읽어 들였습니다",
@ -1894,9 +1590,7 @@
"rename": "이름 변경",
"restart_confirm": "이 통합 구성요소를 제거하려면 Home Assistant 를 다시 시작해주세요",
"services": "{count} {count, plural,\n one {서비스}\n other {서비스}\n}",
"settings_button": "{integration} 설정 편집",
"system_options": "시스템 옵션",
"system_options_button": "{integration} 시스템 옵션",
"unnamed_entry": "이름이 없는 항목"
},
"config_flow": {
@ -1957,8 +1651,7 @@
"multiple_messages": "{time} 에 처음 발생했으며, {counter} 번 발생했습니다.",
"no_errors": "보고된 오류가 없습니다.",
"no_issues": "새롭게 보고된 문제가 없습니다!",
"refresh": "새로고침",
"title": "로그"
"refresh": "새로고침"
},
"lovelace": {
"caption": "Lovelace 대시보드",
@ -2288,8 +1981,7 @@
"learn_more": "스크립트에 대해 더 알아보기",
"no_scripts": "편집 가능한 스크립트를 찾을 수 없습니다",
"run_script": "스크립트 실행",
"show_info": "스크립트에 대한 정보 표시",
"trigger_script": "스크립트 트리거"
"show_info": "스크립트에 대한 정보 표시"
}
},
"server_control": {
@ -2383,11 +2075,9 @@
"add_user": {
"caption": "사용자 계정 만들기",
"create": "만들기",
"name": "이름",
"password": "비밀번호",
"password_confirm": "비밀번호 확인",
"password_not_match": "비밀번호가 일치하지 않습니다",
"username": "사용자 이름 (계정)"
"password_not_match": "비밀번호가 일치하지 않습니다"
},
"caption": "사용자",
"description": "사용자를 관리합니다",
@ -2430,19 +2120,12 @@
"add_device": "기기 추가",
"add_device_page": {
"discovered_text": "기기가 발견되면 여기에 표시됩니다.",
"discovery_text": "발견된 기기가 여기에 표시됩니다. 기기의 설명서를 참고하여 기기를 페어링 모드로 설정해주세요.",
"header": "Zigbee Home Automation - 기기 추가",
"no_devices_found": "발견된 기기가 없습니다. 기기를 검색하는 동안 기기가 페어링 모드 상태이고 절전모드가 해제되어있는지 확인해주세요.",
"pairing_mode": "기기가 페어링 모드인지 확인해주세요. 기기의 페어링 모드 설정 방법은 기기의 설명서를 참조해주세요.",
"search_again": "다시 검색",
"spinner": "ZHA Zigbee 기기를 찾고있습니다..."
},
"add": {
"caption": "기기 추가",
"description": "Zigbee 네트워크에 기기를 추가합니다"
},
"button": "설정",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "선택된 클러스터의 속성",
"get_zigbee_attribute": "Zigbee 속성 가져오기",
@ -2466,13 +2149,10 @@
"introduction": "클러스터는 Zigbee 기능의 빌딩 블록으로, 기능을 논리 단위로 분리해서 구성합니다. 클라이언트 및 서버 유형이 있으며 속성 및 명령으로 구성됩니다."
},
"common": {
"add_devices": "기기 추가",
"clusters": "클러스터",
"devices": "기기",
"manufacturer_code_override": "제조업체 코드 재정의",
"value": "값"
},
"description": "Zigbee Home Automation 네트워크를 관리합니다",
"device_pairing_card": {
"CONFIGURED": "구성이 완료되었습니다",
"CONFIGURED_status_text": "초기화 중",
@ -2483,9 +2163,6 @@
"PAIRED": "기기가 발견되었습니다",
"PAIRED_status_text": "인터뷰 시작 중"
},
"devices": {
"header": "Zigbee Home Automation - 기기"
},
"group_binding": {
"bind_button_help": "선택한 그룹을 선택한 기기 클러스터에서 바인딩해주세요.",
"bind_button_label": "그룹 바인딩",
@ -2500,48 +2177,24 @@
"groups": {
"add_group": "그룹 추가",
"add_members": "구성 기기 추가",
"adding_members": "구성 기기 추가",
"caption": "그룹",
"create": "그룹 생성",
"create_group": "Zigbee Home Automation - 그룹 만들기",
"create_group_details": "새로운 Zigbee 그룹을 생성하기 위해 필요한 세부 사항을 입력해주세요",
"creating_group": "그룹 생성",
"description": "Zigbee 그룹을 관리합니다",
"group_details": "선택된 Zigbee 그룹의 모든 세부 정보는 다음과 같습니다.",
"group_id": "그룹 ID",
"group_info": "그룹 정보",
"group_name_placeholder": "그룹 이름",
"group_not_found": "그룹을 찾을 수 없습니다!",
"group-header": "Zigbee Home Automation - 그룹 상세정보",
"groups": "그룹",
"groups-header": "Zigbee Home Automation - 그룹 관리",
"header": "Zigbee Home Automation - 그룹 관리",
"introduction": "Zigbee 그룹을 생성하거나 수정합니다",
"manage_groups": "Zigbee 그룹 관리",
"members": "구성 기기",
"remove_groups": "그룹 제거",
"remove_members": "구성 기기 제거",
"removing_groups": "그룹 제거",
"removing_members": "구성 기기 제거",
"zha_zigbee_groups": "ZHA Zigbee 그룹"
},
"header": "Zigbee Home Automation 구성",
"introduction": "여기에서 ZHA 구성요소를 설정할 수 있습니다. 아직 여기서 모두 설정할 수는 없지만, 모든 내용을 설정할 수 있도록 작업 중입니다.",
"network_management": {
"header": "네트워크 관리",
"introduction": "전체 네트워크에 영향을 미치는 명령"
"removing_members": "구성 기기 제거"
},
"network": {
"caption": "네트워크"
},
"node_management": {
"header": "기기 관리",
"help_node_dropdown": "기기별 옵션을 보려면 기기를 선택해주세요.",
"hint_battery_devices": "참고: 절전(배터리 구동) 기기는 명령을 실행할 때 절전 모드가 해제되어 있어야 합니다. 일반적으로 절전 기기는 트리거해서 절전 모드를 해제할 수 있습니다.",
"hint_wakeup": "Xiaomi 센서와 같은 일부 기기는 상호 작용하는 동안 기기의 절전 모드 해제가 가능한 약 5초 동안 누를 수 있는 절전 해제 버튼이 있습니다.",
"introduction": "단일 기기에 영향을 주는 ZHA 명령을 실행합니다. 사용 가능한 명령 목록을 보려면 기기를 선택해주세요."
},
"title": "Zigbee Home Automation",
"visualization": {
"caption": "시각화",
"header": "네트워크 시각화"
@ -2578,7 +2231,6 @@
},
"zwave": {
"button": "설정",
"caption": "Z-Wave",
"common": {
"index": "색인",
"instance": "인스턴스",
@ -2697,17 +2349,12 @@
"type": "이벤트 유형"
},
"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": {
@ -2748,25 +2395,20 @@
}
},
"history": {
"period": "기간",
"ranges": {
"last_week": "지난 주",
"this_week": "이번 주",
"today": "오늘",
"yesterday": "어제"
},
"showing_entries": "다음 날짜의 항목을 표시"
}
},
"logbook": {
"entries_not_found": "로그북 구성요소를 찾을 수 없습니다.",
"period": "기간",
"ranges": {
"last_week": "지난 주",
"this_week": "이번 주",
"today": "오늘",
"yesterday": "어제"
},
"showing_entries": "다음 날짜의 항목을 표시"
}
},
"lovelace": {
"add_entities": {
@ -2803,13 +2445,11 @@
"clear_items": "선택한 항목 삭제"
},
"starting": {
"description": "Home Assistant 가 시작 중입니다. 잠시만 기다려주세요...",
"header": "Home Assistant 시작 중 ..."
"description": "Home Assistant 가 시작 중입니다. 잠시만 기다려주세요..."
}
},
"changed_toast": {
"message": "이 대시보드의 Lovelace UI 구성이 업데이트되었습니다. 새로 고치시겠습니까?",
"refresh": "새로고침"
"message": "이 대시보드의 Lovelace UI 구성이 업데이트되었습니다. 새로 고치시겠습니까?"
},
"editor": {
"action-editor": {
@ -2822,7 +2462,6 @@
"toggle": "토글",
"url": "URL"
},
"editor_service_data": "서비스 데이터는 코드 편집기에서만 입력할 수 있습니다.",
"navigation_path": "탐색 경로",
"url_path": "URL 경로"
},
@ -3017,7 +2656,6 @@
},
"sensor": {
"description": "센서 카드는 시간 경과에 따라 상태 변화를 시각화하는 그래프 옵션을 통해 센서 상태에 대한 빠른 개요보기를 제공합니다.",
"graph_detail": "그래프 세부묘사 정도",
"graph_type": "그래프 유형",
"name": "센서",
"show_more_detail": "자세한 내용 표시"
@ -3158,7 +2796,6 @@
"configure_ui": "대시보드 편집",
"exit_edit_mode": "UI 편집 모드 종료",
"help": "도움말",
"refresh": "새로고침",
"reload_resources": "리소스 다시 읽어오기",
"start_conversation": "대화 시작"
},
@ -3283,8 +2920,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "이 컴퓨터는 허용 목록에 등록되지 않았습니다.",
"not_whitelisted": "이 컴퓨터는 허용 목록에 등록되어 있지 않습니다."
"not_allowed": "이 컴퓨터는 허용 목록에 등록되지 않았습니다."
},
"step": {
"init": {
@ -3433,15 +3069,12 @@
"create": "토큰 만들기",
"create_failed": "액세스 토큰을 생성을 할 수 없습니다.",
"created": "{date} 에 생성 됨",
"created_at": "{date} 에 생성 됨",
"delete_failed": "액세스 토큰을 삭제할 수 없습니다.",
"description": "스크립트가 Home Assistant 구성요소와 상호 작용할 수 있도록 장기 액세스 토큰을 생성하세요. 각 토큰은 생성 후 10년 동안 유효합니다. 현재 활성 상태인 장기 액세스 토큰은 다음과 같습니다.",
"empty_state": "장기 액세스 토큰이 없습니다.",
"header": "장기 액세스 토큰",
"last_used": "{date} 에 {location} 에서 마지막으로 사용됨",
"learn_auth_requests": "인증 요청을 생성하는 방법에 대해 알아보세요.",
"name": "이름",
"not_used": "사용된 적이 없음",
"prompt_copy_token": "Ctrl + C 를 눌러 액세스 토큰을 복사하세요. 이 안내는 다시 표시되지 않습니다.",
"prompt_name": "토큰 이름을 지어주세요."
},
@ -3506,11 +3139,6 @@
},
"shopping_list": {
"start_conversation": "대화 시작"
},
"shopping-list": {
"add_item": "항목추가",
"clear_completed": "완료항목삭제",
"microphone_tip": "우상단 마이크를 탭하고 \"Add candy to my shopping list\" 라고 말하거나 입력해보세요"
}
},
"sidebar": {

View File

@ -95,253 +95,11 @@
}
},
"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"
},
"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"
},
"occupancy": {
"off": "Roueg",
"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"
},
"sound": {
"off": "Roueg",
"on": "Detektéiert"
},
"vibration": {
"off": "Kloer",
"on": "Detektéiert"
},
"window": {
"off": "Zou",
"on": "Op"
}
},
"calendar": {
"off": "Aus",
"on": "Un"
},
"camera": {
"idle": "Roueg",
"recording": "Hëlt Op",
"streaming": "Streamt"
},
"climate": {
"cool": "Kill",
"dry": "Dréchen",
"fan_only": "Nëmme Ventilator",
"heat": "Heizen",
"heat_cool": "Hëtzen/Ofkillen",
"off": "Aus"
},
"configurator": {
"configure": "Astellen",
"configured": "Agestallt"
},
"cover": {
"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": {
"not_home": "Ënnerwee"
},
"fan": {
"off": "Aus",
"on": "Un"
},
"group": {
"closed": "Zou",
"closing": "Gëtt zougemaach",
"home": "Doheem",
"locked": "Gespaart",
"not_home": "Ënnerwee",
"off": "Aus",
"ok": "OK",
"on": "Un",
"open": "Op",
"opening": "Gëtt opgemaach",
"problem": "Problem",
"stopped": "Gestoppt",
"unlocked": "Net gespaart"
},
"input_boolean": {
"off": "Aus",
"on": "Un"
},
"light": {
"off": "Aus",
"on": "Un"
},
"lock": {
"locked": "Gespaart",
"unlocked": "Net gespaart"
},
"media_player": {
"idle": "Waart",
"off": "Aus",
"on": "Un",
"paused": "Pauseiert",
"playing": "Spillt",
"standby": "Standby"
},
"person": {
"home": "Doheem"
},
"plant": {
"ok": "OK",
"problem": "Problem"
},
"remote": {
"off": "Aus",
"on": "Un"
},
"scene": {
"scening": "Zeen"
},
"script": {
"off": "Aus",
"on": "Un"
},
"sensor": {
"off": "Aus",
"on": "Un"
},
"sun": {
"above_horizon": "Iwwert dem Horizont",
"below_horizon": "Ënnert dem Horizont"
},
"switch": {
"off": "Aus",
"on": "Un"
},
"timer": {
"active": "Aktiv",
"idle": "Waart",
"paused": "Pauseiert"
},
"vacuum": {
"cleaning": "Botzt",
"docked": "Agedockt",
"error": "Feeler",
"idle": "Waart",
"off": "Aus",
"on": "Un",
"paused": "Pauseiert",
"returning": "Kënnt zur Statioun zeréck"
},
"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"
},
"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": {
@ -441,8 +199,7 @@
},
"script": {
"cancel": "Ofbriechen",
"cancel_multiple": "{number} ofbriechen",
"execute": "Ausféieren"
"cancel_multiple": "{number} ofbriechen"
},
"service": {
"run": "Ausféieren"
@ -624,7 +381,6 @@
"media-browser": {
"audio_not_supported": "Däin Browser ënnerstëtzt dësen Audio Element net.",
"choose_player": "Ofspiller auswielen",
"choose-source": "Quell auswielen",
"class": {
"album": "Album",
"app": "App",
@ -647,13 +403,6 @@
"url": "URL",
"video": "Video"
},
"content-type": {
"album": "Album",
"artist": "Artist",
"library": "Bibliothéik",
"playlist": "Ofspilllëscht",
"server": "Server"
},
"documentation": "Dokumentatioun",
"learn_adding_local_media": "Méi iwwert dobäisetze vun Medie an der {documentation} liesen.",
"local_media_files": "Placéier deng Video, Audio an Biller Dateien am Medie Dossier fir se kënnen duerch ze sichen an am Browser oder ënnerstëtzte Medie Spiller of ze spillen.",
@ -695,10 +444,8 @@
"second": "{count} {count, plural,\none {Sekonn}\nother {Sekonnen}\n}",
"week": "{count} {count, plural,\none {Woch}\nother {Wochen}\n}"
},
"future": "An {time}",
"just_now": "Grad eben",
"never": "Nie",
"past": "virun {time}"
"never": "Nie"
},
"service-picker": {
"service": "Service"
@ -817,7 +564,6 @@
"crop": "Kierzen"
},
"more_info_control": {
"controls": "Kontrollen",
"cover": {
"close_cover": "Paart zoumaachen",
"open_cover": "Paart opmaachen",
@ -900,7 +646,6 @@
"logs": "Logs",
"lovelace": "Lovelace Tableau de Bord",
"navigate_to": "Navigéieren zu {panel}",
"navigate_to_config": "Navigéieren zu {panel} Konfiguratioun",
"person": "Persoune",
"scene": "Zeene",
"script": "Skripte",
@ -975,9 +720,7 @@
},
"unknown": "Onbekannt",
"zha_device_card": {
"area_picker_label": "Beräich",
"device_name_placeholder": "Numm vum Apparat änneren",
"update_name_button": "Numm änneren"
"device_name_placeholder": "Numm vum Apparat änneren"
}
}
},
@ -1021,10 +764,6 @@
"triggered": "{name} ausgeléist"
},
"panel": {
"calendar": {
"my_calendars": "Meng Kalenner",
"today": "Haut"
},
"config": {
"advanced_mode": {
"hint_enable": "Feelen Konfiguratioun's Optiounen? Avancéierte Modus aschalten op",
@ -1138,8 +877,7 @@
"label": "Zeen aktivéieren"
},
"service": {
"label": "Service opruffen",
"service_data": "Service-Donnéeën"
"label": "Service opruffen"
},
"wait_for_trigger": {
"continue_timeout": "Weider no Zäitiwwerschreidung",
@ -1159,8 +897,6 @@
"blueprint": {
"blueprint_to_use": "Plang fir ze benotzen",
"header": "Plang",
"inputs": "Agab",
"manage_blueprints": "Pläng verwalten",
"no_blueprints": "Du hues kee Plang",
"no_inputs": "Dëse Plang huet keng Agab."
},
@ -1414,7 +1150,6 @@
"header": "Plang importéieren",
"import_btn": "Virschau vum Plang",
"import_header": "Plang: \"{name}\"",
"import_introduction": "Du kanns Pl¨ng vun aaner Github Benotzer an Community Forumer importéieren. Gëff d'URL vum Plang an.",
"import_introduction_link": "Du kanns Pläng vun anere Github Benotzer an {community_link} importéieren. Gëff d'URL vum Plang ënnen un.",
"importing": "Plang gëtt gelueden...",
"raw_blueprint": "Plang Inhalt",
@ -1531,7 +1266,6 @@
"not_exposed_entities": "Net exposéiert Entitéiten",
"title": "Alexa"
},
"caption": "Home Assistant Cloud",
"description_features": "Steier vun ënnerwee aus an integréier mam Alexa an Google Assistant.",
"description_login": "Ageloggt als {email}",
"description_not_login": "Net ageloggt",
@ -1664,7 +1398,6 @@
"pick_attribute": "Wielt een Attribut aus fir z'iwwerschreiwen",
"picker": {
"documentation": "Dokumentatioun vun der Personalisatioun",
"entity": "Entitéit",
"header": "Personaliséieren",
"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."
},
@ -1711,7 +1444,6 @@
"integration": "Integratioun",
"manufacturer": "Hiersteller",
"model": "Modell",
"no_area": "Kee Beräich",
"no_devices": "Keng Apparater"
},
"delete": "Läschen",
@ -1809,7 +1541,8 @@
},
"filtering": {
"clear": "Läschen",
"filtering_by": "Filteren anhand vun"
"filtering_by": "Filteren anhand vun",
"show": "Uweisen"
},
"header": "Home Assistant astellen",
"helpers": {
@ -1861,42 +1594,9 @@
"source": "Quell:",
"system_health_error": "System Gesondheet Komponent net gelueden. Setz 'system_health:' zur configuration.yaml dobäi",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Alexa aktivéiert",
"can_reach_cert_server": "Zertifikat Server ereechbar",
"can_reach_cloud": "Home Assistant Cloud ereechbar",
"can_reach_cloud_auth": "Authentifikatioun Server ereechbar",
"google_enabled": "Google aktivéiert",
"logged_in": "Ageloggt",
"relayer_connected": "Relayer verbonnen",
"remote_connected": "Remote verbonnen",
"remote_enabled": "Remote aktivéiert",
"subscription_expiration": "Abonnement Verfallsdatum"
},
"homeassistant": {
"arch": "CPU Architektur",
"dev": "Entwécklung",
"docker": "Docker",
"hassio": "HassOS",
"installation_type": "Typ vun Installatioun",
"os_name": "Betribssystem Numm",
"os_version": "Betribssystem Versioun",
"python_version": "Python Versioun",
"timezone": "Zäitzon",
"version": "Versioun",
"virtualenv": "Virtuellen Environnement"
},
"lovelace": {
"dashboards": "Tableau de Bord",
"mode": "Modus",
"resources": "Ressourcen"
}
},
"manage": "Verwalten",
"more_info": "Méi Informatiounen"
},
"title": "Info"
}
},
"integration_panel_move": {
"link_integration_page": "Integratiouns Säit",
@ -1910,10 +1610,17 @@
"config_entry": {
"area": "An {area}",
"delete": "Läschen",
"delete_button": "{integration} läschen",
"delete_confirm": "Sécher fir dës Integratioun ze läsche?",
"device_unavailable": "Apparat net erreechbar",
"devices": "{count} {count, plural,\n one {Apparat}\n other {Apparaten}\n}",
"disable": {
"disabled": "Deaktivéiert",
"disabled_by": {
"device": "Apparat",
"integration": "Integratioun",
"user": "Benotzer"
}
},
"documentation": "Dokumentatioun",
"entities": "{count} {count, plural,\n one {Entitéit}\n other {Entitéiten}\n}",
"entity_unavailable": "Entitéit net erreechbar",
@ -1921,17 +1628,13 @@
"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.",
"options": "Optiounen",
"reload": "Nei lueden",
"reload_confirm": "Integratioun gouf frësch gelueden",
"reload_restart_confirm": "Start Home Assistant nei fir dës Integratioun fäerdeg ze lueden",
"rename": "Ëmbenennen",
"restart_confirm": "Start Home Assistant nei fir dës Integratioun ze läschen",
"settings_button": "Astellungen ännere fir {integration}",
"system_options": "System Optiounen",
"system_options_button": "System Optioune fir {integration}",
"unnamed_entry": "Entrée ouni Numm"
},
"config_flow": {
@ -1939,6 +1642,7 @@
"close": "Zoumaachen",
"created_config": "Konfiguratioun erstallt fir {name}.",
"dismiss": "Dialog ofbriechen",
"error": "Feeler",
"error_saving_area": "Feeler beim späicheren vum Beräich: {error}",
"external_step": {
"description": "Fir dës Etapp ofzeschléisse muss dir eng externe Internetsäit besichen.",
@ -1953,6 +1657,9 @@
"configured": "Konfiguréiert",
"description": "Integratioune mat Servicer, Apparater, ... verwalten",
"details": "Detailer vun der Integratioun",
"disable": {
"disabled_integrations": "{number} deaktivéiert"
},
"discovered": "Entdeckt",
"home_assistant_website": "Home Assistant Websäit",
"ignore": {
@ -1991,8 +1698,7 @@
"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"
"refresh": "Aktualiséieren"
},
"lovelace": {
"caption": "Lovelace Tableau de Bord",
@ -2318,8 +2024,7 @@
"learn_more": "Méi iwwert Skripten léieren",
"no_scripts": "Keng Skripte fir ze ännere fonnt",
"run_script": "Skript ausféieren",
"show_info": "Informatiounen vum Skript uweisen",
"trigger_script": "Skript ausléisen"
"show_info": "Informatiounen vum Skript uweisen"
}
},
"server_control": {
@ -2413,11 +2118,9 @@
"add_user": {
"caption": "Benotzer erstellen",
"create": "Erstellen",
"name": "Numm",
"password": "Passwuert",
"password_confirm": "Passwuert bestätegen",
"password_not_match": "Passwierder stëmmen net iwwereneen",
"username": "Benotzernumm"
"password_not_match": "Passwierder stëmmen net iwwereneen"
},
"caption": "Benotzer",
"description": "Home Assistant Benotzer Konte verwalten",
@ -2461,19 +2164,12 @@
"add_device": "Apparat dobäisetzen",
"add_device_page": {
"discovered_text": "Apparater tauchen hei op soubaal se entdeckt sinn.",
"discovery_text": "Entdeckten Apparater tauchen op dëser Platz op. Suivéiert d'Instruktiounen fir är Apparater an aktivéiert den Kupplung's Mod.",
"header": "Zigbee Home Automation - Apparater dobäisetzen",
"no_devices_found": "Keng Apparater fonnt, stell sécher dass sie am Kopplung Modus sinn a vermeid dass sie während der Entdeckung net an de Stand by ginn.",
"pairing_mode": "Stell sécher dass deng Apparater sech am Kopplungs Modus befannen. Kuckt d'Instruktioune vun dengen Apparater wéi dat geht.",
"search_again": "Nach emol sichen",
"spinner": "Sicht no ZHA Zigbee Apparater..."
},
"add": {
"caption": "Apparater bäisetzen",
"description": "Apparater am Zigbee Netzwierk bäisetzen"
},
"button": "Astellen",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "Attributer vum ausgewielten Cluster",
"get_zigbee_attribute": "Zigbee Attribut liesen",
@ -2497,13 +2193,10 @@
"introduction": "Clusters si Bausteng fir Zigbee Funktionalitéiten. Si trennen d'Funktionalitéit a logesch Eenheeten. Et gi Client a Server Typen an déi bestinn aus Attributer a Befeeler."
},
"common": {
"add_devices": "Apparater dobäisetzen",
"clusters": "Cluster",
"devices": "Apparater",
"manufacturer_code_override": "Hiersteller Code Override",
"value": "Wäert"
},
"description": "Gestioun vum Zigbee Home Automation Reseau",
"device_pairing_card": {
"CONFIGURED": "Konfiguratioun fäerdeg",
"CONFIGURED_status_text": "Initialiséiert",
@ -2514,9 +2207,6 @@
"PAIRED": "Apparat fonnt",
"PAIRED_status_text": "Interview fänkt un"
},
"devices": {
"header": "Zigbee Haus Automatismen - Apparat"
},
"group_binding": {
"bind_button_help": "Verbannt den gewielte Grupp mat de gewielten Cluster vun Apparaten.",
"bind_button_label": "Grupp bannen",
@ -2531,48 +2221,24 @@
"groups": {
"add_group": "Grupp dobäisetzen",
"add_members": "Membere bäisetzen",
"adding_members": "Membere gi bäigesat",
"caption": "Gruppe",
"create": "Grupp erstellen",
"create_group": "Zigbee Haus Automatismen - Grupp erstellen",
"create_group_details": "Gitt déi néideg Detailer an fir eng nei Zigbee Grupp z'erstellen",
"creating_group": "Grupp gëtt erstallt",
"description": "Zigbee Gruppen verwalten",
"group_details": "Hei sinn all Detailer vun der ausgewielter Zigbee Grupp.",
"group_id": "ID vun der Grupp",
"group_info": "Grupp Informatiounen",
"group_name_placeholder": "Numm vum Grupp",
"group_not_found": "Grupp net fonnt!",
"group-header": "Zigbee Haus Automatismen - Grupp Detailer",
"groups": "Gruppe",
"groups-header": "Zigbee Haus Automatismen - Gruppemanagement",
"header": "Zigbee Haus Automatismen - Gruppemanagement",
"introduction": "Zigbe Gruppen erstellen an änneren",
"manage_groups": "Zigbee Gruppen verwalten",
"members": "Membere",
"remove_groups": "Gruppe läschen",
"remove_members": "Membere läschen",
"removing_groups": "Gruppe gi geläscht",
"removing_members": "Membere gi geläscht.",
"zha_zigbee_groups": "ZHA Zigbee Gruppen"
},
"header": "Zigbee Home Automation konfiguréieren",
"introduction": "Hei ass et méiglech de ZHA Komponent ze konfiguréieren. Net alles ass fir de Moment méiglech fir iwwert den Interface anzestellen, mee mir schaffen drun.",
"network_management": {
"header": "Verwaltung vum Netzwierk",
"introduction": "Kommandoe mat Impakt op d'gesamt Netzwierk"
"removing_members": "Membere gi geläscht."
},
"network": {
"caption": "Netzwierk"
},
"node_management": {
"header": "Verwaltung vun den Apparaten",
"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.",
"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."
},
"title": "Zigbee Haus Automatismen",
"visualization": {
"caption": "Visualisatioun",
"header": "Visualisatioun vum Netzwierk",
@ -2615,7 +2281,6 @@
},
"zwave": {
"button": "Astellen",
"caption": "Z-Wave",
"common": {
"index": "Index",
"instance": "Instanz",
@ -2734,17 +2399,12 @@
"type": "Typ vun Evenement"
},
"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": {
@ -2785,25 +2445,20 @@
}
},
"history": {
"period": "Zäitraum",
"ranges": {
"last_week": "Läscht Woch",
"this_week": "Dës Woch",
"today": "Haut",
"yesterday": "Gëschter"
},
"showing_entries": "Weist Beiträg fir"
}
},
"logbook": {
"entries_not_found": "Keng Logbicher Entrée fonnt",
"period": "Zäitraum",
"ranges": {
"last_week": "Läscht Woch",
"this_week": "Dës Woch",
"today": "Haut",
"yesterday": "Gëschter"
},
"showing_entries": "Weist Beiträg fir"
}
},
"lovelace": {
"add_entities": {
@ -2812,7 +2467,6 @@
"yaml_unsupported": "Dës Funktioun kann net benotz gi wann de Lovelace am YAML Modus bedriwwe gëtt."
},
"cards": {
"action_confirmation": "Sécher fir d'Aktioun \"{action}\" auszeféieren?",
"confirm_delete": "Sécher fir dës Kaart ze läschen?",
"empty_state": {
"go_to_integrations_page": "Zur Integratiouns Säit goen",
@ -2843,13 +2497,11 @@
"reorder_items": "Artikele nei sortéieren"
},
"starting": {
"description": "Home Assistant start, waart w.e.g...",
"header": "Home Assistant start...."
"description": "Home Assistant start, waart w.e.g..."
}
},
"changed_toast": {
"message": "Lovelace Konfiguratioun gouf geännert, soll frësch geluede ginn fir d'Ännerunge siichtbar ze machen?",
"refresh": "Frësch lueden"
"message": "Lovelace Konfiguratioun gouf geännert, soll frësch geluede ginn fir d'Ännerunge siichtbar ze machen?"
},
"components": {
"timestamp-display": {
@ -2868,7 +2520,6 @@
"toggle": "Ëmschalten",
"url": "URL"
},
"editor_service_data": "Service Data kann ee nëmmen am Code Editor aginn",
"navigation_path": "Nagiatioun's Pad",
"url_path": "URL Pad"
},
@ -3063,7 +2714,6 @@
},
"sensor": {
"description": "Sensor Kaart erméiglecht eng schnell vue vun den Zoustänn vun de Sensoren mat engem optionalen Graphique fir den Verlaf ze visualiséieren.",
"graph_detail": "Detail Diagramm",
"graph_type": "Typ vun Graph.",
"name": "Sensor",
"show_more_detail": "Méi Detailer uweisen"
@ -3234,7 +2884,6 @@
"configure_ui": "Tableau de Bord änneren",
"exit_edit_mode": "Benotzer Interface Editéierungsmodus verloossen",
"help": "Hëllef",
"refresh": "Erneieren",
"reload_resources": "Ressource frësch lueden",
"start_conversation": "Ënnerhalung starten"
},
@ -3274,6 +2923,9 @@
"empty": "Dir hutt keng Noriicht",
"playback_title": "Noriicht ofspillen"
},
"my": {
"documentation": "Dokumentatioun"
},
"page-authorize": {
"abort_intro": "Login ofgebrach",
"authorizing_client": "Dir gitt elo {clientId} Zougang zu ärem Home Assistant.",
@ -3353,8 +3005,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "Däi Computer ass net erlaabt.",
"not_whitelisted": "Äre Computer ass net fräigeschalt."
"not_allowed": "Däi Computer ass net erlaabt."
},
"step": {
"init": {
@ -3506,15 +3157,12 @@
"create": "Jeton erstellen",
"create_failed": "Feeler beim erstellen vum Accèss Jeton",
"created": "Erstallt {date}",
"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.",
"name": "Numm",
"not_used": "Nach nie benotzt ginn",
"prompt_copy_token": "Kopéiert den Accèss Jeton. E gëtt nie méi ugewisen.",
"prompt_name": "Gëff dem Jeton ee Numm?"
},
@ -3579,11 +3227,6 @@
},
"shopping_list": {
"start_conversation": "Ënnerhalung starten"
},
"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": {

View File

@ -60,202 +60,9 @@
}
},
"state": {
"alarm_control_panel": {
"armed": "Užrakinta",
"armed_home": "Namų apsauga įjungta",
"arming": "Saugojimo režimo įjungimas",
"disarmed": "Atrakinta",
"disarming": "Saugojimo režimo išjungimas",
"pending": "Laukiama",
"triggered": "Aktyvinta"
},
"automation": {
"off": "Išjungta",
"on": "Įjungta"
},
"binary_sensor": {
"battery": {
"off": "Normalus",
"on": "Žemas"
},
"cold": {
"on": "Šalta"
},
"connectivity": {
"off": "Atsijungęs",
"on": "Prisijungęs"
},
"default": {
"off": "Išjungta",
"on": "Įjungta"
},
"door": {
"off": "Uždaryta",
"on": "Atidaryta"
},
"garage_door": {
"off": "Uždaryta",
"on": "Atidaryta"
},
"gas": {
"off": "Neaptikta",
"on": "Aptikta"
},
"heat": {
"on": "Karšta"
},
"moisture": {
"off": "Sausa",
"on": "Šlapia"
},
"motion": {
"off": "Nejuda",
"on": "Aptiktas judesys"
},
"occupancy": {
"off": "Laisva",
"on": "Užimta"
},
"opening": {
"off": "Uždaryta",
"on": "Atidaryta"
},
"presence": {
"off": "Išvykęs",
"on": "Namai"
},
"problem": {
"off": "Ok",
"on": "Problema"
},
"safety": {
"off": "Saugu",
"on": "Nesaugu"
},
"smoke": {
"off": "Neaptikta",
"on": "Aptikta"
},
"sound": {
"off": "Tylu",
"on": "Aptikta"
},
"vibration": {
"off": "Neaptikta",
"on": "Aptikta"
},
"window": {
"off": "Uždaryta",
"on": "Atidaryta"
}
},
"calendar": {
"off": "Išjungta",
"on": "Įjungta"
},
"camera": {
"idle": "Laukimo režimas",
"recording": "Įrašymas",
"streaming": "Transliuojama"
},
"climate": {
"cool": "Šaltas",
"dry": "Sausa",
"fan_only": "Tik ventiliatorius",
"heat": "Šiluma",
"off": "Išjungta"
},
"configurator": {
"configure": "Konfigūruoti",
"configured": "Sukonfigūruotas"
},
"cover": {
"closed": "Uždarytas",
"closing": "Uždarymas",
"open": "Atidarytas",
"opening": "Atidarymas",
"stopped": "Sustabdytas"
},
"default": {
"unavailable": "(nepasiekiamas)",
"unknown": "Nežinoma"
},
"device_tracker": {
"not_home": "Išvykęs"
},
"fan": {
"off": "Išjungta",
"on": "Įjungta"
},
"group": {
"closing": "Uždarymas",
"home": "Namai",
"not_home": "Išvykęs",
"off": "Išjungta",
"ok": "Ok",
"on": "Įjungta",
"open": "Atidarytas",
"stopped": "Sustabdytas",
"unlocked": "Atrakinta"
},
"input_boolean": {
"on": "Įjungta"
},
"light": {
"off": "Išjungta",
"on": "Įjungta"
},
"lock": {
"locked": "Užrakintas",
"unlocked": "Atrakinta"
},
"media_player": {
"idle": "Laukimo režimas",
"off": "Išjungta",
"on": "Įjungta",
"paused": "pristabdytas",
"playing": "Groja",
"standby": "Laukimo"
},
"person": {
"home": "Namuose"
},
"remote": {
"off": "Išjungta",
"on": "Įjungta"
},
"script": {
"off": "Išjungta",
"on": "Įjungta"
},
"sensor": {
"off": "Išjungta",
"on": "Įjungta"
},
"sun": {
"above_horizon": "Virš horizonto",
"below_horizon": "Žemiau horizonto"
},
"switch": {
"off": "Išjungta",
"on": "Įjungta"
},
"timer": {
"active": "aktyvus",
"paused": "pristabdytas"
},
"weather": {
"clear-night": "Giedra naktis",
"cloudy": "Debesuota",
"partlycloudy": "Nepastoviai debesuota",
"sunny": "Saulėta",
"windy": "Vėjuota"
},
"zwave": {
"query_stage": {
"dead": " ({query_stage})",
"initializing": " ( {query_stage} )"
}
}
},
"ui": {
@ -352,8 +159,7 @@
"minute": "{count} {count, plural,\n one {minutė}\n other {minutės}\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}"
},
"past": "prieš {time}"
}
},
"target-picker": {
"add_area_id": "Pasirinkite sritį",
@ -420,7 +226,6 @@
"logs": "Įvykių žurnalai",
"lovelace": "Lovelace ataskaitų sritis",
"navigate_to": "Pereiti į {panel}",
"navigate_to_config": "Pereiti į {panel} konfigūraciją",
"person": "Žmonės",
"scene": "Scenos",
"script": "Skriptai",
@ -517,8 +322,6 @@
"blueprint": {
"blueprint_to_use": "Naudotini techniniai planai",
"header": "Techninis planas",
"inputs": "Įvestys",
"manage_blueprints": "Tvarkyti techninius planus",
"no_blueprints": "Neturite jokių techninių planų.",
"no_inputs": "Šis techninis planas neturi jokių įvesčių."
},
@ -643,7 +446,6 @@
"header": "Importuoti techninį planą",
"import_btn": "Peržiūrėti techninį planą",
"import_header": "\"{Name}\" techninis planas",
"import_introduction": "Galite importuoti kitų vartotojų techninius planus iš Github ir bendruomenės forumų. Žemiau įveskite projekto universalųjį adresą (URL).",
"importing": "Įkeliamas techninis planas...",
"raw_blueprint": "Techninio plano turinys",
"save_btn": "Importuoti techninį planą",
@ -677,8 +479,7 @@
"security_devices": "Apsaugoti įrenginiai"
},
"not_connected": "Neprisijungęs"
},
"caption": "Home Assistant Cloud"
}
},
"core": {
"caption": "Bendra"
@ -777,24 +578,7 @@
},
"info": {
"copy_github": "GitHub'ui",
"copy_raw": "Neapdorotas tekstas",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Alexa įgalinta",
"google_enabled": "Google įgalinta",
"logged_in": "Prisijungė",
"remote_connected": "Nuotolinis prijungtas",
"remote_enabled": "Nuotolinis įgalintas",
"subscription_expiration": "Prenumeratos galiojimo laikas"
},
"lovelace": {
"dashboards": "Ataskaitų sritys",
"mode": "Režimas",
"resources": "Ištekliai"
}
}
}
"copy_raw": "Neapdorotas tekstas"
},
"integrations": {
"config_entry": {
@ -891,9 +675,7 @@
"add_user": {
"caption": "Pridėti vartotoją",
"create": "Sukurti",
"name": "Vardas",
"password": "Slaptažodis",
"username": "Vartotojo vardas"
"password": "Slaptažodis"
},
"editor": {
"active_tooltip": "Tikrina, ar vartotojas gali prisijungti",
@ -912,15 +694,8 @@
"zha": {
"add_device": "Pridėti įrenginį",
"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ų..."
},
"common": {
"add_devices": "Pridėti įrenginius",
"devices": "Įrenginiai"
},
"description": "„Zigbee Home Automation“ tinklo valdymas",
"device_pairing_card": {
"CONFIGURED": "Konfigūracija baigta",
"CONFIGURED_status_text": "Inicijuojama",
@ -938,7 +713,6 @@
}
},
"zwave": {
"caption": "Z-Wave",
"node_config": {
"set_config_parameter": "Nustatykite parametrą „Config“"
}
@ -972,22 +746,18 @@
}
},
"history": {
"period": "Laikotarpis",
"ranges": {
"today": "Šiandien",
"yesterday": "Vakar"
},
"showing_entries": "Rodomi įrašai, skirti"
}
},
"logbook": {
"period": "Laikotarpis",
"ranges": {
"today": "Šiandien"
}
},
"lovelace": {
"cards": {
"action_confirmation": "Ar tikrai norite atlikti veiksmą \"{action}\" ?",
"empty_state": {
"go_to_integrations_page": "Į integracijų puslapį",
"title": "Sveiki sugrįžę namo"
@ -1003,8 +773,7 @@
"none": "Nėra veiksmų",
"toggle": "Perjungti",
"url": "Internetinis adresas"
},
"editor_service_data": "Paslaugos duomenis galima įvesti tik į kodo rengyklę"
}
},
"card": {
"button": {
@ -1114,7 +883,6 @@
"configure_ui": "Konfigūruoti UI",
"exit_edit_mode": "Išeiti iš vartotojo sąsajos redagavimo režimo",
"help": "Pagalba",
"refresh": "Atnaujinti",
"start_conversation": "Pradėti pokalbį"
},
"unused_entities": {
@ -1195,9 +963,6 @@
"push_notifications": {
"description": "Siųsti pranešimus į šį įrenginį."
}
},
"shopping-list": {
"microphone_tip": "Bakstelėkite mikrofoną viršutinėje dešinėje ir pasakykite arba įveskite „Pridėti saldainių prie mano pirkinių sąrašo“"
}
}
}

View File

@ -82,251 +82,9 @@
}
},
"state": {
"alarm_control_panel": {
"armed": "Pieslēgta",
"armed_away": "Pieslēgta uz prombūtni",
"armed_custom_bypass": "Pieslēgts pielāgots apvedceļš",
"armed_home": "Pieslēgta mājās",
"armed_night": "Pieslēgta uz nakti",
"arming": "Pieslēdzas",
"disarmed": "Atslēgta",
"disarming": "Atslēdzas",
"pending": "Gaida",
"triggered": "Aktivizēta"
},
"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"
},
"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"
},
"occupancy": {
"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"
},
"sound": {
"off": "Brīvs",
"on": "Sajusts"
},
"vibration": {
"off": "Brīvs",
"on": "Sajusts"
},
"window": {
"off": "Aizvērts",
"on": "Atvērts"
}
},
"calendar": {
"off": "Izslēgts",
"on": "Ieslēgts"
},
"camera": {
"idle": "Dīkstāve",
"recording": "Ieraksta",
"streaming": "Straumē"
},
"climate": {
"cool": "Dzesēšana",
"dry": "Sauss",
"fan_only": "Tikai ventilators",
"heat": "Sildīšana",
"heat_cool": "Sildīt / Atdzesēt",
"off": "Izslēgts"
},
"configurator": {
"configure": "Konfigurēt",
"configured": "Konfigurēts"
},
"cover": {
"closed": "Slēgts",
"closing": "Slēdzas",
"open": "Atvērts",
"opening": "Atveras",
"stopped": "Apturēts"
},
"default": {
"unavailable": "Nepieejams",
"unknown": "Nezināms"
},
"device_tracker": {
"not_home": "Prom"
},
"fan": {
"off": "Izslēgts",
"on": "Ieslēgts"
},
"group": {
"closed": "Slēgta",
"closing": "Slēdzas",
"home": "Mājās",
"locked": "Bloķēta",
"not_home": "Prombūtnē",
"off": "Izslēgts",
"ok": "OK",
"on": "Ieslēgts",
"open": "Atvērta",
"opening": "Atveras",
"problem": "Problēma",
"stopped": "Apturēta",
"unlocked": "Atbloķēta"
},
"input_boolean": {
"off": "Izslēgta",
"on": "Ieslēgts"
},
"light": {
"off": "Izslēgts",
"on": "Ieslēgts"
},
"lock": {
"locked": "Aizslēgts",
"unlocked": "Atslēgts"
},
"media_player": {
"idle": "Dīkstāvē",
"off": "Izslēgts",
"on": "Ieslēgts",
"paused": "Apturēts",
"playing": "Atskaņo",
"standby": "Gaidīšanas režīmā"
},
"person": {
"home": "Mājās"
},
"plant": {
"ok": "Labi",
"problem": "Problēma"
},
"remote": {
"off": "Izslēgta",
"on": "Ieslēgts"
},
"scene": {
"scening": "Ainas radīšana"
},
"script": {
"off": "Izslēgts",
"on": "Ieslēgts"
},
"sensor": {
"off": "Izslēgts",
"on": "Ieslēgts"
},
"sun": {
"above_horizon": "Virs horizonta",
"below_horizon": "Zem horizonta"
},
"switch": {
"off": "Izslēgts",
"on": "Ieslēgts"
},
"timer": {
"active": "aktīvs",
"idle": "dīkstāve",
"paused": "apturēts"
},
"vacuum": {
"cleaning": "Notiek uzkopšana",
"docked": "Pie doka",
"error": "Kļūda",
"idle": "Dīkstāvē",
"off": "Izslēgts",
"on": "Ieslēgts",
"paused": "Apturēts",
"returning": "Ceļā pie doka"
},
"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"
},
"zwave": {
"default": {
"dead": "Beigta",
"initializing": "Inicializē",
"ready": "Gatavs",
"sleeping": "Guļ"
},
"query_stage": {
"dead": "Beigta ({query_stage})",
"initializing": "Inicializē ({query_stage})"
}
}
},
"ui": {
@ -410,9 +168,6 @@
"scene": {
"activate": "Aktivizēt"
},
"script": {
"execute": "Izpildīt"
},
"timer": {
"actions": {
"cancel": "atcelt",
@ -536,13 +291,6 @@
"url": "URL",
"video": "Video"
},
"content-type": {
"album": "Albums",
"artist": "Izpildītājs",
"library": "Bibliotēka",
"playlist": "Atskaņošanas saraksts",
"server": "Serveris"
},
"documentation": "dokumentācija",
"media_player": "Multivides Atskaņotājs",
"pick": "Izvēlēties",
@ -569,9 +317,7 @@
"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ļ"
"never": "Nekad"
},
"target-picker": {
"add_area_id": "Izvēlieties apgabalu"
@ -705,9 +451,7 @@
"updateDeviceName": "Ierīču reģistrā iestatiet šai ierīcei pielāgotu nosaukumu."
},
"zha_device_card": {
"area_picker_label": "Apgabals",
"device_name_placeholder": "Mainīt ierīces nosaukumu",
"update_name_button": "Atjaunināt nosaukumu"
"device_name_placeholder": "Mainīt ierīces nosaukumu"
}
}
},
@ -811,8 +555,7 @@
"label": "Aktivizēt ainu"
},
"service": {
"label": "Izsaukt pakalpojumu",
"service_data": "Pakalpojuma dati"
"label": "Izsaukt pakalpojumu"
},
"wait_template": {
"label": "Pagaidīt",
@ -1027,7 +770,6 @@
"alexa": {
"title": "Alexa"
},
"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",
@ -1087,7 +829,6 @@
"description": "Pielāgojiet jūsu iekārtas",
"pick_attribute": "Izvēlieties atribūtu, kuru pārlabot",
"picker": {
"entity": "Vienība",
"header": "Pielāgojumi",
"introduction": "Uzlabojiet atribūtus katrai vienībai. Pievienotie jeb mainīties pielāgojumi stāsies spēkā nekavējoties. Noņemtie pielāgojumi stāsies spēkā, kad vienība tiks atjaunināta."
},
@ -1119,7 +860,6 @@
"integration": "Integrācija",
"manufacturer": "Ražotājs",
"model": "Modelis",
"no_area": "Apgabals nav norādīts",
"no_devices": "Nav ierīču"
},
"delete": "Dzēst",
@ -1254,8 +994,7 @@
"path_configuration": "Ceļš uz configuration.yaml: {path}",
"server": "serveris",
"source": "Pirmkods:",
"system_health_error": "System Health komponents nav ielādēts. Pievienojiet “system_health:” bloku configuration.yaml",
"title": "Informācija"
"system_health_error": "System Health komponents nav ielādēts. Pievienojiet “system_health:” bloku configuration.yaml"
},
"integrations": {
"add_integration": "Pievienot integrāciju",
@ -1264,7 +1003,6 @@
"config_entry": {
"area": "Apgabalā {area}",
"delete": "Dzēst",
"delete_button": "Dzēst {integration}",
"delete_confirm": "Vai tiešām vēlaties dzēst šo integrāciju?",
"device_unavailable": "ierīce nav pieejama",
"devices": "{count} {count, plural,\n one {ierīce}\n other {ierīces}\n}",
@ -1275,8 +1013,6 @@
"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.",
"options": "Opcijas",
"reload": "Pārlādēt",
"reload_confirm": "Integrācija tika pārlādēta",
@ -1284,9 +1020,7 @@
"rename": "Pārdēvēt",
"restart_confirm": "Restartēt Home Assistant, lai pabeigtu šīs integrācijas noņemšanu",
"services": "{count} {count, plural,\n one {serviss}\n other {servisi}\n}",
"settings_button": "Rediģēt {integration} integrācijas iestatījumus",
"system_options": "Sistēmas opcijas",
"system_options_button": "Sistēmas opcijas {integration} integrācijai"
"system_options": "Sistēmas opcijas"
},
"config_flow": {
"aborted": "Pārtraukts",
@ -1346,8 +1080,7 @@
"multiple_messages": "ieraksts pirmo reizi parādījās {time} un pārādas {counter} reizes",
"no_errors": "Par kļūdām nav ziņots",
"no_issues": "Nav jaunu problēmu!",
"refresh": "Atsvaidzināt",
"title": "Žurnāli"
"refresh": "Atsvaidzināt"
},
"lovelace": {
"caption": "Lovelace infopaneļi",
@ -1505,8 +1238,7 @@
"introduction": "Skriptu redaktors ļauj jums izveidot un rediģēt skriptus. Lūdzu, izmantojiet zemāk esošo saiti, lai izlasītu instrukcijas, lai pārliecinātos, ka esat pareizi konfigurējis Home Assistant.",
"learn_more": "Uzziniet vairāk par skriptiem",
"no_scripts": "Rediģējami skripti nav atrasti",
"show_info": "Rādīt informāciju par skriptu",
"trigger_script": "Izpildīt skriptu"
"show_info": "Rādīt informāciju par skriptu"
}
},
"server_control": {
@ -1578,11 +1310,9 @@
"add_user": {
"caption": "Lietotāja pievienošana",
"create": "Izveidot",
"name": "Vārds",
"password": "Parole",
"password_confirm": "Apstipriniet paroli",
"password_not_match": "Paroles nesakrīt",
"username": "Lietotājvārds"
"password_not_match": "Paroles nesakrīt"
},
"caption": "Lietotāji",
"description": "Pārvaldiet lietotājus",
@ -1623,25 +1353,16 @@
"zha": {
"add_device": "Pievienot ierīci",
"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",
"search_again": "Atkārtot meklēšanu",
"spinner": "Meklē ZHA Zigbee ierīces..."
},
"add": {
"caption": "Pievienot ierīces"
},
"caption": "ZHA",
"clusters": {
"header": "Kopas"
},
"common": {
"add_devices": "Pievienot ierīces",
"clusters": "Kopas",
"devices": "Ierīces",
"value": "Vērtība"
},
"description": "Zigbee Home Automation tīkla pārvaldība",
"device_pairing_card": {
"CONFIGURED_status_text": "Inicializē",
"INITIALIZED_status_text": "Ierīce ir gatava lietošanai"
@ -1652,12 +1373,6 @@
"group_id": "Grupas ID",
"group_name_placeholder": "Grupas nosaukums"
},
"network_management": {
"header": "Tīkla pārvaldība"
},
"node_management": {
"header": "Ierīču pārvaldība"
},
"visualization": {
"caption": "Vizualizācija",
"header": "Tīkla vizualizācija"
@ -1717,7 +1432,6 @@
}
},
"zwave": {
"caption": "Z-Wave",
"common": {
"index": "Indekss",
"instance": "Instance",
@ -1788,20 +1502,13 @@
}
}
},
"history": {
"period": "Periods",
"showing_entries": "Rāda ierakstus par"
},
"logbook": {
"entries_not_found": "Neviens žurnāla ieraksts nav atrasts.",
"period": "Periods",
"ranges": {
"last_week": "Iepriekšējā nedēļā",
"this_week": "Šonedēļ",
"today": "Šodien",
"yesterday": "Vakardien"
},
"showing_entries": "Ieraksti par"
}
},
"lovelace": {
"cards": {
@ -1825,8 +1532,7 @@
}
},
"changed_toast": {
"message": "Šī informācijas paneļa Lovelace UI konfigurācija tika atjaunināta. Vēlaties atsvaidzināt, lai redzētu izmaiņas?",
"refresh": "Atsvaidzināt"
"message": "Šī informācijas paneļa Lovelace UI konfigurācija tika atjaunināta. Vēlaties atsvaidzināt, lai redzētu izmaiņas?"
},
"editor": {
"card": {
@ -1967,7 +1673,6 @@
"configure_ui": "Rediģēt lietotāja saskarni",
"exit_edit_mode": "Iziet no UI rediģēšanas režīma",
"help": "Palīdzība",
"refresh": "Atsvaidzināt",
"reload_resources": "Pārlādēt resursus"
},
"reload_lovelace": "Pārlādēt lietotāja saskarni",
@ -2073,8 +1778,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "Jūsu dators nav atļauto sarakstā.",
"not_whitelisted": "Jūsu dators nav iekļauts baltajā sarakstā."
"not_allowed": "Jūsu dators nav atļauto sarakstā."
},
"step": {
"init": {
@ -2217,15 +1921,12 @@
"create": "Izveidot pilnvaru",
"create_failed": "Neizdevās izveidot piekļuves pilnvaru.",
"created": "Izveidota {date}",
"created_at": "Izveidota {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 izveidošanas. Pašlaik ir aktīvas sekojošas ilgtermiņa piekļuves pilvaras.",
"empty_state": "Jums vēl nav ilgtermiņa piekļuves pilnvaru.",
"header": "Ilgtermiņa piekļuves pilnvaras",
"last_used": "Pēdējo reizi izmantota {date} no {location}",
"learn_auth_requests": "Uzziniet, kā veikt autentificētus pieprasījumus.",
"name": "Nosaukums",
"not_used": "Nekad nav izmantots",
"prompt_copy_token": "Kopējiet savu piekļuves pilnvaru. Tas vairs netiks rādīts.",
"prompt_name": "Pilnvaras nosaukums"
},
@ -2283,11 +1984,6 @@
"description": "Iespējot vai atspējot vibrāciju šajā ierīcē, kontrolējot ierīces.",
"header": "Vibrācija"
}
},
"shopping-list": {
"add_item": "Pievienot vienumu",
"clear_completed": "Noņemt izpildītos",
"microphone_tip": "Pieskarieties mikrofonam augšējā labajā stūrī un sakiet vai rakstiet \"Pievienot konfektes manam iepirkumu sarakstam\""
}
},
"sidebar": {

View File

@ -95,253 +95,11 @@
}
},
"state": {
"alarm_control_panel": {
"armed": "Aktivert",
"armed_away": "Aktivert borte",
"armed_custom_bypass": "Aktivert tilpasset unntak",
"armed_home": "Aktivert hjemme",
"armed_night": "Aktivert natt",
"arming": "Aktivererer",
"disarmed": "Dekativert",
"disarming": "Deaktiverer",
"pending": "Venter",
"triggered": "Utløst"
},
"automation": {
"off": "Av",
"on": "På"
},
"binary_sensor": {
"battery": {
"off": "Normal",
"on": "Lavt"
},
"cold": {
"off": "Normal",
"on": "Kald"
},
"connectivity": {
"off": "Frakoblet",
"on": "Tilkoblet"
},
"default": {
"off": "Av",
"on": "På"
},
"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"
},
"occupancy": {
"off": "Klar",
"on": "Oppdaget"
},
"opening": {
"off": "Lukket",
"on": "Åpen"
},
"presence": {
"off": "Borte",
"on": "Hjemme"
},
"problem": {
"off": "OK",
"on": ""
},
"safety": {
"off": "Sikker",
"on": "Usikker"
},
"smoke": {
"off": "Klar",
"on": "Oppdaget"
},
"sound": {
"off": "Klar",
"on": "Oppdaget"
},
"vibration": {
"off": "Klar",
"on": "Oppdaget"
},
"window": {
"off": "Lukket",
"on": "Åpent"
}
},
"calendar": {
"off": "Av",
"on": "På"
},
"camera": {
"idle": "Inaktiv",
"recording": "Opptak",
"streaming": "Strømmer"
},
"climate": {
"cool": "Kjøling",
"dry": "Tørr",
"fan_only": "Kun vifte",
"heat": "Varme",
"heat_cool": "Varme/kjøling",
"off": "Av"
},
"configurator": {
"configure": "Konfigurer",
"configured": "Konfigurert"
},
"cover": {
"closed": "Lukket",
"closing": "Lukker",
"open": "Åpen",
"opening": "Åpner",
"stopped": "Stoppet"
},
"default": {
"off": "Av",
"on": "På",
"unavailable": "Utilgjengelig",
"unknown": "Ukjent"
},
"device_tracker": {
"not_home": "Borte"
},
"fan": {
"off": "Av",
"on": "På"
},
"group": {
"closed": "Lukket",
"closing": "Lukker",
"home": "Hjemme",
"locked": "Låst",
"not_home": "Borte",
"off": "Av",
"ok": "OK",
"on": "På",
"open": "Åpen",
"opening": "Åpner",
"problem": "Problem",
"stopped": "Stoppet",
"unlocked": "Ulåst"
},
"input_boolean": {
"off": "Av",
"on": "På"
},
"light": {
"off": "Av",
"on": "På"
},
"lock": {
"locked": "Låst",
"unlocked": "Ulåst"
},
"media_player": {
"idle": "Inaktiv",
"off": "Av",
"on": "På",
"paused": "Pauset",
"playing": "Spiller",
"standby": "Avventer"
},
"person": {
"home": "Hjemme"
},
"plant": {
"ok": "OK",
"problem": "Problem"
},
"remote": {
"off": "Av",
"on": "På"
},
"scene": {
"scening": "Scenende"
},
"script": {
"off": "Av",
"on": "På"
},
"sensor": {
"off": "Av",
"on": "På"
},
"sun": {
"above_horizon": "Over horisonten",
"below_horizon": "Under horisonten"
},
"switch": {
"off": "Av",
"on": "På"
},
"timer": {
"active": "Aktiv",
"idle": "Inaktiv",
"paused": "pauset"
},
"vacuum": {
"cleaning": "Rengjør",
"docked": "Dokket",
"error": "Feil",
"idle": "Inaktiv",
"off": "Av",
"on": "På",
"paused": "Pauset",
"returning": "Returner til dokk"
},
"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"
},
"zwave": {
"default": {
"dead": "Død",
"initializing": "Initialiserer",
"ready": "Klar",
"sleeping": "Sover"
},
"query_stage": {
"dead": "Død ({query_stage})",
"initializing": "Initialiserer ({query_stage})"
}
}
},
"ui": {
@ -442,8 +200,7 @@
},
"script": {
"cancel": "Avbryt",
"cancel_multiple": "Avbryt {number}",
"execute": "Utfør"
"cancel_multiple": "Avbryt {number}"
},
"service": {
"run": "Kjør"
@ -630,7 +387,6 @@
"media-browser": {
"audio_not_supported": "Nettleseren din støtter ikke lydelementet.",
"choose_player": "Velg spiller",
"choose-source": "Velg kilde",
"class": {
"album": "Album",
"app": "App",
@ -653,13 +409,6 @@
"url": "URL",
"video": "Video"
},
"content-type": {
"album": "Album",
"artist": "Artist",
"library": "Bibliotek",
"playlist": "Spilleliste",
"server": "Server"
},
"documentation": "dokumentasjon",
"learn_adding_local_media": "Lær mer om å legge til medier i {documentation}.",
"local_media_files": "Plasser video-, lyd- og bildefilene dine i mediekatalogen for å kunne bla gjennom og spille dem av i nettleseren eller på støttede mediaspillere.",
@ -701,7 +450,6 @@
"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}",
"future_duration": {
"day": "Om {count} {count, plural,\n one {dag}\n other {dager}\n}",
"hour": "Om {count} {count, plural,\n one {time}\n other {timer}\n}",
@ -711,7 +459,6 @@
},
"just_now": "Akkurat nå",
"never": "Aldri",
"past": "{time} siden",
"past_duration": {
"day": "{count} {count, plural,\n one {dag}\n other {dager}\n} siden",
"hour": "{count} {count, plural,\n one {time}\n other {timer}\n} siden",
@ -720,6 +467,12 @@
"week": "{count} {count, plural,\n one {uke}\n other {uker}\n} siden"
}
},
"service-control": {
"required": "Dette feltet er påkrevd",
"service_data": "Tjenestedata",
"target": "Mål",
"target_description": "Hva skal denne tjenesten bruke som målrettede områder, enheter eller enheter."
},
"service-picker": {
"service": "Tjeneste"
},
@ -727,8 +480,8 @@
"add_area_id": "Velg område",
"add_device_id": "Velg enhet",
"add_entity_id": "Velg entitet",
"expand_area_id": "Utvid dette området med de separate enhetene og entitetene det inneholder. Etter utvidelse vil den ikke oppdatere enhetene og entitetene når området endres.",
"expand_device_id": "Utvid denne enheten i separate entiteter. Etter utvidelse vil den ikke oppdatere entitetene når enheten endres.",
"expand_area_id": "Utvid dette området til de separate enhetene og enhetene det inneholder. Etter utvidelse vil den ikke oppdatere enhetene og enhetene når området endres.",
"expand_device_id": "Utvid denne enheten til de separate enhetene den inneholder. Etter utvidelse vil den ikke oppdatere enhetene når enheten endres.",
"remove_area_id": "Fjern område",
"remove_device_id": "Fjern enhet",
"remove_entity_id": "Fjern entitet"
@ -841,7 +594,6 @@
"crop": "Beskjære"
},
"more_info_control": {
"controls": "Kontroller",
"cover": {
"close_cover": "Lukk dekselet",
"close_tile_cover": "Lukk dekkevinkel",
@ -926,7 +678,6 @@
"logs": "Logger",
"lovelace": "Lovelace instrumentbord",
"navigate_to": "Naviger til {panel}",
"navigate_to_config": "Naviger til {panel} konfigurasjon",
"person": "Personer",
"scene": "Scener",
"script": "Skript",
@ -1009,9 +760,7 @@
},
"unknown": "Ukjent",
"zha_device_card": {
"area_picker_label": "Område",
"device_name_placeholder": "Endre enhetsnavn",
"update_name_button": "Oppdater navn"
"device_name_placeholder": "Endre enhetsnavn"
}
}
},
@ -1055,10 +804,6 @@
"triggered": "Utløst {name}"
},
"panel": {
"calendar": {
"my_calendars": "Mine kalendere",
"today": "I dag"
},
"config": {
"advanced_mode": {
"hint_enable": "Manglende konfigurasjonsalternativer? Aktivér avansert modus",
@ -1176,8 +921,7 @@
"label": "Aktiver scene"
},
"service": {
"label": "Tilkall tjeneste",
"service_data": "Tjenestedata"
"label": "Tilkall tjeneste"
},
"wait_for_trigger": {
"continue_timeout": "Fortsett ved tidsavbrudd",
@ -1197,8 +941,6 @@
"blueprint": {
"blueprint_to_use": "Blueprint å bruke",
"header": "Blueprint",
"inputs": "Innganger",
"manage_blueprints": "Administrer Blueprinter",
"no_blueprints": "Du har ingen Blueprinter",
"no_inputs": "Denne Blueprinten har ingen innganger"
},
@ -1453,7 +1195,6 @@
"header": "Importer en Blueprint",
"import_btn": "Forhåndsvisning av Blueprint",
"import_header": "Blueprint \"{name}\"",
"import_introduction": "Du kan importere Blueprinter av andre brukere fra GitHub og fellesskapsforumet. Skriv inn URL-en til blueprinten nedenfor.",
"import_introduction_link": "Du kan importere Blueprinter av andre brukere fra GitHub og {community_link}. Skriv inn URL-en til blueprinten nedenfor.",
"importing": "Laster Blueprint...",
"raw_blueprint": "Blueprint innhold",
@ -1575,7 +1316,6 @@
"not_exposed_entities": "Ikke eksponerte entiteter",
"title": ""
},
"caption": "",
"description_features": "Kontroller hjemmet når du er borte og integrer med Alexa og Google Assistant",
"description_login": "Logget inn som {email}",
"description_not_login": "Ikke pålogget",
@ -1708,7 +1448,6 @@
"pick_attribute": "Velg et attributt som skal overstyres",
"picker": {
"documentation": "Dokumentasjon for tilpassing",
"entity": "Entitet",
"header": "Tilpasninger",
"introduction": "Justér attributter per entitet. Lagt til eller redigerte tilpasninger trer i kraft umiddelbart. Fjernede tilpasninger trer i kraft når entiteten blir oppdatert."
},
@ -1755,7 +1494,6 @@
"integration": "Integrasjon",
"manufacturer": "Produsent",
"model": "Modell",
"no_area": "Ingen område",
"no_devices": "Ingen enheter"
},
"delete": "Slett",
@ -1850,7 +1588,7 @@
"selected": "{number} valgte",
"status": {
"disabled": "Deaktivert",
"ok": "OK",
"ok": "Ok",
"readonly": "Skrivebeskyttet",
"restored": "Gjennopprettet",
"unavailable": "Utilgjengelig"
@ -1911,42 +1649,9 @@
"source": "Kilder:",
"system_health_error": "System tilstand komponenten er ikke lastet inn. Legg til 'system_health:' i configuration.yaml",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Alexa Aktivert",
"can_reach_cert_server": "Nå sertifikatserver",
"can_reach_cloud": "Nå Home Assistant Cloud",
"can_reach_cloud_auth": "Nå autentiseringsserver",
"google_enabled": "Google Aktivert",
"logged_in": "Logget inn",
"relayer_connected": "Relayer tilkoblet",
"remote_connected": "Ekstern tilkobling",
"remote_enabled": "Ekstern Aktivert",
"subscription_expiration": "Utløp av abonnement"
},
"homeassistant": {
"arch": "CPU-arkitektur",
"dev": "Utvikling",
"docker": "Docker",
"hassio": "HassOS",
"installation_type": "Installasjonstype",
"os_name": "Navn på operativsystem",
"os_version": "Operativsystemversjon",
"python_version": "Python-versjon",
"timezone": "Tidssone",
"version": "Versjon",
"virtualenv": "Virtuelt miljø"
},
"lovelace": {
"dashboards": "Instrumentbord",
"mode": "Modus",
"resources": "Ressurser"
}
},
"manage": "Administrer",
"more_info": "mer informasjon"
},
"title": "Informasjon"
}
},
"integration_panel_move": {
"link_integration_page": "integrasjonssiden",
@ -1960,7 +1665,6 @@
"config_entry": {
"area": "I {area}",
"delete": "Slett",
"delete_button": "Slett {integration}",
"delete_confirm": "Er du sikker på at du vil slette denne integrasjonen?",
"device_unavailable": "Enheten er utilgjengelig",
"devices": "{count} {count, plural,\n one {enhet}\n other {enheter}\n}",
@ -1971,8 +1675,6 @@
"hub": "Tilkoblet via",
"manuf": "av {manufacturer}",
"no_area": "Intet område",
"no_device": "Oppføringer uten enheter",
"no_devices": "Denne integrasjonen har ingen enheter.",
"options": "Alternativer",
"reload": "Last inn på nytt",
"reload_confirm": "Integrasjonen ble lastet på nytt",
@ -1980,16 +1682,16 @@
"rename": "Gi nytt navn",
"restart_confirm": "Start Home Assistant på nytt for å fullføre fjerningen av denne integrasjonen",
"services": "{count} {count, plural,\n one {tjeneste}\n other {tjenester}\n}",
"settings_button": "Rediger innstillinger for {integration}",
"system_options": "Systemalternativer",
"system_options_button": "Systemalternativer for {integration}",
"unnamed_entry": "Ikke navngitt oppføring"
},
"config_flow": {
"aborted": "Avbrutt",
"close": "Lukk",
"could_not_load": "Konfigurasjonsflyt kunne ikke lastes inn",
"created_config": "Opprettet konfigurasjon for {name} .",
"dismiss": "Avvis dialog",
"error": "Feil",
"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.",
@ -1998,6 +1700,10 @@
"finish": "Fullfør",
"loading_first_time": "Vennligst vent mens integrasjonen installeres",
"not_all_required_fields": "Ikke alle obligatoriske felt er fylt ut.",
"pick_flow_step": {
"new_flow": "Nei, sett opp en annen forekomst av {integration}",
"title": "Vi oppdaget disse, vil du sette dem opp?"
},
"submit": "Send inn"
},
"configure": "Konfigurer",
@ -2043,8 +1749,7 @@
"multiple_messages": "meldingen oppstod først ved {time} og vist {counter} ganger",
"no_errors": "Ingen feil er rapportert.",
"no_issues": "Det er ingen nye problemer!",
"refresh": "Oppdater",
"title": "Logger"
"refresh": "Oppdater"
},
"lovelace": {
"caption": "Lovelace instrumentbord",
@ -2375,8 +2080,7 @@
"learn_more": "Lær mer om skript",
"no_scripts": "Vi kunne ikke finne noen redigerbare skript",
"run_script": "Kjør skript",
"show_info": "Vis informasjon om skript",
"trigger_script": "Utløse skript"
"show_info": "Vis informasjon om skript"
}
},
"server_control": {
@ -2470,11 +2174,9 @@
"add_user": {
"caption": "Legg til bruker",
"create": "Opprett",
"name": "Navn",
"password": "Passord",
"password_confirm": "Bekreft passord",
"password_not_match": "Passord samsvarer ikke",
"username": "Brukernavn"
"password_not_match": "Passord samsvarer ikke"
},
"caption": "Brukere",
"description": "Administrer Home Assistant-brukerkontoer",
@ -2518,19 +2220,12 @@
"add_device": "Legg til enhet",
"add_device_page": {
"discovered_text": "Enheter vises her når de er oppdaget.",
"discovery_text": "Automatisk oppdagede enheter vises her. Følg instruksjonene for enheten(e) og sett enheten(e) i paringsmodus.",
"header": "ZigBee Hjemmeautomasjon - Legg til enheter",
"no_devices_found": "Ingen enheter ble funnet, sørg for at de er i paring-modus og hold dem våkne mens oppdagelsen kjører.",
"pairing_mode": "Kontroller at enhetene er i paringsmodus. Sjekk instruksjonene til enheten om hvordan du gjør dette.",
"search_again": "Søk på nytt",
"spinner": "Søker etter ZHA ZigBee-enheter..."
},
"add": {
"caption": "Legg til enheter",
"description": "Legg til enheter i ZigBee-nettverket"
},
"button": "Konfigurer",
"caption": "",
"cluster_attributes": {
"attributes_of_cluster": "Attributter for den valgte klyngen",
"get_zigbee_attribute": "Hent ZigBee-attributt",
@ -2554,13 +2249,10 @@
"introduction": "Klynger er byggesteinene for ZigBee-funksjonalitet. De skiller funksjonalitet i logiske enheter. Det finnes klient- og servertyper, og som består av attributter og kommandoer."
},
"common": {
"add_devices": "Legg til enheter",
"clusters": "Klynger",
"devices": "Enheter",
"manufacturer_code_override": "Overstyring av produsentkode",
"value": "Verdi"
},
"description": "ZigBee Hjemmeautomasjon nettverksadministrasjon",
"device_pairing_card": {
"CONFIGURED": "Konfigurasjonen er fullført",
"CONFIGURED_status_text": "Initialiserer",
@ -2571,9 +2263,6 @@
"PAIRED": "Enhet funnet",
"PAIRED_status_text": "Starter intervju"
},
"devices": {
"header": "ZigBee Hjemmeautomasjon - Enhet"
},
"group_binding": {
"bind_button_help": "Bind den valgte gruppen til de valgte enhetsklyngene.",
"bind_button_label": "Bind gruppe",
@ -2588,48 +2277,24 @@
"groups": {
"add_group": "Legg til gruppe",
"add_members": "Legg til medlemmer",
"adding_members": "Legger til medlemmer",
"caption": "Grupper",
"create": "Opprett gruppe",
"create_group": "ZigBee Hjemmeautomasjon - Opprett gruppe",
"create_group_details": "Angi de nødvendige detaljene for å opprette en ny ZigBee-gruppe",
"creating_group": "Oppretter gruppe",
"description": "Administrer ZigBee-grupper",
"group_details": "Her er alle detaljene for den valgte ZigBee-gruppen.",
"group_id": "Gruppe-ID",
"group_info": "Gruppeinformasjon",
"group_name_placeholder": "Gruppenavn",
"group_not_found": "Gruppe ikke funnet!",
"group-header": "ZigBee Hjemmeautomasjon - Gruppedetaljer",
"groups": "Grupper",
"groups-header": "ZigBee Hjemmeautomasjon - Gruppeadministrasjon",
"header": "ZigBee Hjemmeautomasjon - Gruppeadministrasjon",
"introduction": "Opprett og modifiser ZigBee-grupper",
"manage_groups": "Administrer ZigBee-grupper",
"members": "Medlemmer",
"remove_groups": "Fjern grupper",
"remove_members": "Fjern medlemmer",
"removing_groups": "Fjerner grupper",
"removing_members": "Fjerner medlemmer",
"zha_zigbee_groups": "ZHA ZigBee grupper"
},
"header": "Konfigurer ZigBee Hjemmeautomasjon",
"introduction": "Her er det mulig å konfigurere ZHA-komponenten. Ikke alt er mulig å konfigurere fra brukergrensesnittet ennå, men vi jobber med det.",
"network_management": {
"header": "Nettverksadministrasjon",
"introduction": "Kommandoer som påvirker hele nettverket"
"removing_members": "Fjerner medlemmer"
},
"network": {
"caption": "Nettverk"
},
"node_management": {
"header": "Enhetshåndtering",
"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.",
"introduction": "Kjør ZHA-kommandoer som påvirker en enkelt enhet. Velg en enhet for å se en liste over tilgjengelige kommandoer."
},
"title": "ZigBee Hjemmeautomasjon",
"visualization": {
"caption": "Visualisering",
"header": "Nettverksvisualisering",
@ -2701,7 +2366,6 @@
"header": "Administrere Z-Wave-nettverket",
"home_id": "Hjem-ID",
"introduction": "Administrer Z-Wave-nettverket og Z-Wave-nodene dine",
"node_count": "Antall noder",
"nodes_ready": "Noder klare",
"server_version": "Serverversjon"
},
@ -2738,7 +2402,6 @@
},
"zwave": {
"button": "Konfigurer",
"caption": "Z-Wave",
"common": {
"index": "Indeks",
"instance": "Forekomst",
@ -2857,18 +2520,18 @@
"type": "Hendelse type"
},
"services": {
"alert_parsing_yaml": "Feil ved parsing av YAML: {data}",
"accepts_target": "Denne tjenesten godtar et mål, for eksempel: `entity_id: light.bed_light`",
"all_parameters": "Alle tilgjengelige parametere",
"call_service": "Tilkall tjeneste",
"column_description": "Beskrivelse",
"column_example": "Eksempel",
"column_parameter": "",
"data": "Tjenestedata (YAML, valgfritt)",
"description": "Service utviklingsverktøyet lar deg tilkalle 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"
"title": "Tjenester",
"ui_mode": "Gå til UI-modus",
"yaml_mode": "Gå til YAML-modus",
"yaml_parameters": "Parameter er bare tilgjengelig i YAML-modus"
},
"states": {
"alert_entity_field": "Entitet er et obligatorisk felt",
@ -2908,25 +2571,20 @@
}
},
"history": {
"period": "Periode",
"ranges": {
"last_week": "Forrige uke",
"this_week": "Denne uken",
"today": "I dag",
"yesterday": "I går"
},
"showing_entries": "Viser oppføringer for"
}
},
"logbook": {
"entries_not_found": "Finner ingen loggbokoppføringer",
"period": "Periode",
"ranges": {
"last_week": "Forrige uke",
"this_week": "Denne uken",
"today": "I dag",
"yesterday": "I går"
},
"showing_entries": "Viser oppføringer for"
}
},
"lovelace": {
"add_entities": {
@ -2935,7 +2593,6 @@
"yaml_unsupported": "Du kan ikke bruke denne funksjonen når du bruker Lovelace i YAML-modus."
},
"cards": {
"action_confirmation": "Er du sikker på at du vil utføre handlingen \"{action}\"?",
"actions": {
"action_confirmation": "Er du sikker på at du vil utføre handlingen \"{action}\"?",
"no_entity_more_info": "Ingen enhet angitt for mer informasjon dialog",
@ -2974,13 +2631,11 @@
"reorder_items": "Bestill varer på nytt"
},
"starting": {
"description": "Home Assistant starter, vennligst vent...",
"header": "Home Assistant starter..."
"description": "Home Assistant starter, vennligst vent..."
}
},
"changed_toast": {
"message": "Lovelace UI-konfigurasjonen for dette dashbordet ble oppdatert. Oppdater for å se endringer?",
"refresh": "Oppdater"
"message": "Lovelace UI-konfigurasjonen for dette dashbordet ble oppdatert. Oppdater for å se endringer?"
},
"components": {
"timestamp-display": {
@ -2999,7 +2654,6 @@
"toggle": "Veksle",
"url": "URL"
},
"editor_service_data": "Tjenestedata kan bare legges inn i kodeditoren",
"navigation_path": "Navigasjonsbane",
"url_path": "URL-bane"
},
@ -3197,7 +2851,6 @@
},
"sensor": {
"description": "Sensorkortet gir deg en rask oversikt over sensortilstanden din med en valgfri graf for å visualisere endring over tid.",
"graph_detail": "Detaljer for graf",
"graph_type": "Graf type",
"name": "",
"show_more_detail": "Vis flere detaljer"
@ -3368,7 +3021,6 @@
"configure_ui": "Rediger brukergrensesnitt",
"exit_edit_mode": "Avslutt redigeringsmodus for brukergrensesnitt",
"help": "Hjelp",
"refresh": "Oppdater",
"reload_resources": "Last inn ressurser på nytt",
"start_conversation": "Start samtale"
},
@ -3493,8 +3145,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "Datamaskinen din er ikke tillatt.",
"not_whitelisted": "Datamaskinen din er ikke hvitelistet."
"not_allowed": "Datamaskinen din er ikke tillatt."
},
"step": {
"init": {
@ -3647,15 +3298,12 @@
"create": "Opprett Token",
"create_failed": "Kunne ikke opprette tilgangstoken.",
"created": "Opprettet {date}",
"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.",
"name": "Navn",
"not_used": "Har aldri blitt brukt",
"prompt_copy_token": "Kopier tilgangstoken. Det blir ikke vist igjen.",
"prompt_name": "Gi tokenet et navn"
},
@ -3720,11 +3368,6 @@
},
"shopping_list": {
"start_conversation": "Start samtale"
},
"shopping-list": {
"add_item": "Legg til",
"clear_completed": "Fjern fullførte",
"microphone_tip": "Aktivér mikrofonen øverst til høyre og si “Add candy to my shopping list”"
}
},
"sidebar": {

View File

@ -95,253 +95,11 @@
}
},
"state": {
"alarm_control_panel": {
"armed": "Ingeschakeld",
"armed_away": "Ingeschakeld afwezig",
"armed_custom_bypass": "Ingeschakeld met overbrugging(en)",
"armed_home": "Ingeschakeld thuis",
"armed_night": "Ingeschakeld nacht",
"arming": "Schakelt in",
"disarmed": "Uitgeschakeld",
"disarming": "Schakelt uit",
"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"
},
"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"
},
"occupancy": {
"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"
},
"sound": {
"off": "Niet gedetecteerd",
"on": "Gedetecteerd"
},
"vibration": {
"off": "Niet gedetecteerd",
"on": "Gedetecteerd"
},
"window": {
"off": "Dicht",
"on": "Open"
}
},
"calendar": {
"off": "Uit",
"on": "Aan"
},
"camera": {
"idle": "Inactief",
"recording": "Opnemen",
"streaming": "Streamen"
},
"climate": {
"cool": "Koelen",
"dry": "Droog",
"fan_only": "Alleen ventilatie",
"heat": "Verwarmen",
"heat_cool": "Verwarmen/Koelen",
"off": "Uit"
},
"configurator": {
"configure": "Configureer",
"configured": "Geconfigureerd"
},
"cover": {
"closed": "Gesloten",
"closing": "Sluit",
"open": "Open",
"opening": "Opent",
"stopped": "Gestopt"
},
"default": {
"off": "Uit",
"on": "Aan",
"unavailable": "Niet beschikbaar",
"unknown": "Onbekend"
},
"device_tracker": {
"not_home": "Afwezig"
},
"fan": {
"off": "Uit",
"on": "Aan"
},
"group": {
"closed": "Gesloten",
"closing": "Sluiten",
"home": "Thuis",
"locked": "Vergrendeld",
"not_home": "Afwezig",
"off": "Uit",
"ok": "OK",
"on": "Aan",
"open": "Open",
"opening": "Openen",
"problem": "Probleem",
"stopped": "Gestopt",
"unlocked": "Ontgrendeld"
},
"input_boolean": {
"off": "Uit",
"on": "Aan"
},
"light": {
"off": "Uit",
"on": "Aan"
},
"lock": {
"locked": "Vergrendeld",
"unlocked": "Ontgrendeld"
},
"media_player": {
"idle": "Inactief",
"off": "Uit",
"on": "Aan",
"paused": "Gepauzeerd",
"playing": "Afspelen",
"standby": "Standby"
},
"person": {
"home": "Thuis"
},
"plant": {
"ok": "OK",
"problem": "Probleem"
},
"remote": {
"off": "Uit",
"on": "Aan"
},
"scene": {
"scening": "Scènes"
},
"script": {
"off": "Uit",
"on": "Aan"
},
"sensor": {
"off": "Uit",
"on": "Aan"
},
"sun": {
"above_horizon": "Boven de horizon",
"below_horizon": "Onder de horizon"
},
"switch": {
"off": "Uit",
"on": "Aan"
},
"timer": {
"active": "actief",
"idle": "inactief",
"paused": "gepauzeerd"
},
"vacuum": {
"cleaning": "Reinigen",
"docked": "Gedockt",
"error": "Fout",
"idle": "Inactief",
"off": "Uit",
"on": "Aan",
"paused": "Gepauseerd",
"returning": "Terugkeren naar dock"
},
"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"
},
"zwave": {
"default": {
"dead": "Onbereikbaar",
"initializing": "Initialiseren",
"ready": "Gereed",
"sleeping": "Slaapt"
},
"query_stage": {
"dead": "Onbereikbaar ({query_stage})",
"initializing": "Initialiseren ( {query_stage} )"
}
}
},
"ui": {
@ -442,8 +200,7 @@
},
"script": {
"cancel": "Annuleer",
"cancel_multiple": "Annuleer {number}",
"execute": "Uitvoeren"
"cancel_multiple": "Annuleer {number}"
},
"service": {
"run": "Uitvoeren"
@ -538,6 +295,19 @@
"yes": "Ja"
},
"components": {
"addon-picker": {
"addon": "Add-on",
"error": {
"fetch_addons": {
"description": "Het ophalen van add-ons leverde een fout op.",
"title": "Fout bij ophalen add-ons"
},
"no_supervisor": {
"description": "Geen Supervisor gevonden, dus add-ons konden niet worden geladen.",
"title": "Geen Supervisor"
}
}
},
"area-picker": {
"add_dialog": {
"add": "Toevoegen",
@ -630,7 +400,6 @@
"media-browser": {
"audio_not_supported": "Uw browser ondersteunt het audio-element niet.",
"choose_player": "Kies speler",
"choose-source": "Kies bron",
"class": {
"album": "Album",
"app": "App",
@ -653,13 +422,6 @@
"url": "URL",
"video": "Video"
},
"content-type": {
"album": "Album",
"artist": "Artiest",
"library": "Bibliotheek",
"playlist": "Afspeellijst",
"server": "Server"
},
"documentation": "documentatie",
"learn_adding_local_media": "Leer meer over media toevoegen in de {documentation}.",
"local_media_files": "Plaats je video, audio en foto bestanden in de media map om bestanden te kunnen doorzoeken en afspelen in de browser of op ondersteunde mediaspelers.",
@ -701,7 +463,6 @@
"second": "{count} {count, plural,\none {seconde}\nother {seconden}\n}",
"week": "{count} {count, plural,\none {week}\nother {weken}\n}"
},
"future": "Over {time}",
"future_duration": {
"day": "Binnen {count} {count, plural,\n one {dag}\n other {dagen}\n}",
"hour": "Binnen {count} {count, plural,\n one {uur}\n other {uren}\n}",
@ -711,7 +472,6 @@
},
"just_now": "Zojuist",
"never": "Nooit",
"past": "{time} geleden",
"past_duration": {
"day": "{count} {count, plural,\n one {dag}\n other {dagen}\n} geleden",
"hour": "{count} {count, plural,\n one {uur}\n other {uren}\n} geleden",
@ -841,7 +601,6 @@
"crop": "Snijd bij"
},
"more_info_control": {
"controls": "Besturing",
"cover": {
"close_cover": "Sluit zonnewering",
"close_tile_cover": "Sluit klep",
@ -926,7 +685,6 @@
"logs": "Logs",
"lovelace": "Lovelace Dashboards",
"navigate_to": "Navigeer naar {panel}",
"navigate_to_config": "Navigeer naar {panel} configuratie",
"person": "Personen",
"scene": "Scènes",
"script": "Scripts",
@ -1009,9 +767,7 @@
},
"unknown": "Onbekend",
"zha_device_card": {
"area_picker_label": "Gebied",
"device_name_placeholder": "Wijzig apparaatnaam",
"update_name_button": "Naam bijwerken"
"device_name_placeholder": "Wijzig apparaatnaam"
}
}
},
@ -1055,10 +811,6 @@
"triggered": "Geactiveerd {name}"
},
"panel": {
"calendar": {
"my_calendars": "Mijn agenda's",
"today": "Vandaag"
},
"config": {
"advanced_mode": {
"hint_enable": "Ontbrekende configuratie-opties? Schakel geavanceerde modus in",
@ -1176,8 +928,7 @@
"label": "Activeer scène"
},
"service": {
"label": "Service aanroepen",
"service_data": "Service data"
"label": "Service aanroepen"
},
"wait_for_trigger": {
"continue_timeout": "Ga verder op time-out",
@ -1197,8 +948,6 @@
"blueprint": {
"blueprint_to_use": "Blueprint om te gebruiken",
"header": "Blueprint",
"inputs": "Inputs",
"manage_blueprints": "Beheer Blueprints",
"no_blueprints": "Je hebt geen Blueprints",
"no_inputs": "Deze Blueprint heeft geen inputs."
},
@ -1453,7 +1202,6 @@
"header": "Voeg een nieuwe Blueprint toe",
"import_btn": "Bekijk een Blueprint",
"import_header": "Blueprint \"{name}\"",
"import_introduction": "U kunt Blueprints van andere gebruikers importeren vanuit Github en de communityforums. Voer de URL van de Blueprint hieronder in.",
"import_introduction_link": "U kunt Blueprints van andere gebruikers importeren vanuit Github en de {community_link} . Voer de URL van de Blueprint hieronder in.",
"importing": "Blueprint importeren ...",
"raw_blueprint": "Blueprint inhoud",
@ -1575,7 +1323,6 @@
"not_exposed_entities": "Niet blootgestelde entiteiten",
"title": "Alexa"
},
"caption": "Home Assistent Cloud",
"description_features": "Bedien uw huis wanneer u weg bent en integreer met Alexa en Google Assistant",
"description_login": "Ingelogd als {email}",
"description_not_login": "Niet ingelogd",
@ -1708,7 +1455,6 @@
"pick_attribute": "Kies een attribuut om te overschrijven",
"picker": {
"documentation": "Documentatie aanpassen",
"entity": "Entiteit",
"header": "Aanpassingen",
"introduction": "Pas attributen per entiteit aan. Toegevoegde/gewijzigde aanpassingen worden onmiddellijk van kracht. Verwijderde aanpassingen worden van kracht wanneer de entiteit wordt bijgewerkt."
},
@ -1746,6 +1492,7 @@
"cant_edit": "Je kunt alleen items bewerken die in de gebruikersinterface zijn gemaakt.",
"caption": "Apparaten",
"confirm_delete": "Weet je zeker dat je dit apparaat wilt verwijderen?",
"confirm_disable_config_entry": "Er zijn geen apparaten meer voor de config entry {entry_name}, wil je in plaats daarvan de config entry uitschakelen?",
"confirm_rename_entity_ids": "Wil je ook de entiteits-ID's van je entiteiten hernoemen?",
"confirm_rename_entity_ids_warning": "Dit zal geen enkele configuratie wijzigen (zoals automatiseringen, scripts, scènes, dashboards) die momenteel deze entiteiten gebruikt! U moet ze zelf bijwerken om de nieuwe entiteits-ID's te gebruiken!",
"data_table": {
@ -1755,7 +1502,6 @@
"integration": "Integratie",
"manufacturer": "Fabrikant",
"model": "Model",
"no_area": "Geen gebied",
"no_devices": "Geen apparaten"
},
"delete": "Verwijderen",
@ -1859,7 +1605,8 @@
},
"filtering": {
"clear": "Wis",
"filtering_by": "Filteren op"
"filtering_by": "Filteren op",
"show": "Toon"
},
"header": "Configureer Home Assistant",
"helpers": {
@ -1911,42 +1658,9 @@
"source": "Bron:",
"system_health_error": "De systeemstatus component is niet geladen. Voeg ' system_health: ' toe aan het configuratiebestand.",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Alexa ingeschakeld",
"can_reach_cert_server": "Bereik de certificaat server",
"can_reach_cloud": "Bereik Home Assistant Cloud",
"can_reach_cloud_auth": "Bereik authenticatieserver",
"google_enabled": "Google ingeschakeld",
"logged_in": "Ingelogd",
"relayer_connected": "Relayer verbonden",
"remote_connected": "Op afstand verbonden",
"remote_enabled": "Op afstand ingeschakeld",
"subscription_expiration": "Abonnement vervalt"
},
"homeassistant": {
"arch": "CPU-architectuur",
"dev": "Ontwikkeling",
"docker": "Docker",
"hassio": "HassOS",
"installation_type": "Type installatie",
"os_name": "Naam besturingssysteem",
"os_version": "Versie van het besturingssysteem",
"python_version": "Python-versie",
"timezone": "Tijdzone",
"version": "Versie",
"virtualenv": "Virtuele omgeving"
},
"lovelace": {
"dashboards": "Dashboards",
"mode": "Mode",
"resources": "Bronnen"
}
},
"manage": "Beheer",
"more_info": "meer informatie"
},
"title": "Info"
}
},
"integration_panel_move": {
"link_integration_page": "integraties pagina",
@ -1960,19 +1674,28 @@
"config_entry": {
"area": "In {area}",
"delete": "Verwijder",
"delete_button": "Verwijder {integration}.",
"delete_confirm": "Weet je zeker dat je deze integratie wilt verwijderen?",
"device_unavailable": "Apparaat niet beschikbaar",
"devices": "{count} {count, plural,\n one {apparaat}\n other {apparaten}\n}",
"disable_restart_confirm": "Start Home Assistant opnieuw op om het uitzetten van deze integratie te voltooien",
"disable": {
"disable_confirm": "Weet je zeker dat je deze configuratie wilt uitschakelen? Al zijn apparaten en entiteiten zullen worden uitgeschakeld.",
"disabled": "Uitgeschakeld",
"disabled_by": {
"device": "apparaat",
"integration": "integratie",
"user": "gebruiker"
},
"disabled_cause": "Uitgeschakeld door {cause}"
},
"documentation": "Documentatie",
"enable_restart_confirm": "Start Home Assistant opnieuw op om het opzetten van deze integratie te voltooien",
"entities": "{count} {count, plural,\n one {entiteit}\n other {entiteiten}\n}",
"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.",
"options": "Opties",
"reload": "Herlaad",
"reload_confirm": "De integratie is opnieuw geladen",
@ -1980,16 +1703,16 @@
"rename": "Naam wijzigen",
"restart_confirm": "Herstart Home Assistant om het verwijderen van deze integratie te voltooien",
"services": "{count} {count, plural,\n one {service}\n other {services}\n}",
"settings_button": "Instellingen bewerken voor {integration}",
"system_options": "Systeeminstellingen",
"system_options_button": "Systeeminstellingen voor {integration}",
"unnamed_entry": "Naamloze invoer"
},
"config_flow": {
"aborted": "Afgebroken",
"close": "Sluiten",
"could_not_load": "Config flow kon niet geladen worden",
"created_config": "Configuratie gemaakt voor {name}.",
"dismiss": "Dialoogvenster sluiten",
"error": "Fout",
"error_saving_area": "Fout bij het opslaan van gebied: {error}",
"external_step": {
"description": "Deze stap vereist dat je een externe website bezoekt om dit te voltooien.",
@ -1998,6 +1721,10 @@
"finish": "Voltooien",
"loading_first_time": "Even geduld a.u.b. terwijl de integratie wordt geïnstalleerd",
"not_all_required_fields": "Niet alle verplichte velden zijn ingevuld.",
"pick_flow_step": {
"new_flow": "Nee, zet een andere instantie van {integratie} op",
"title": "We hebben deze ontdekt. Wil je ze instellen?"
},
"submit": "Opslaan"
},
"configure": "Configureer",
@ -2005,6 +1732,11 @@
"confirm_new": "Wil je {integration} instellen?",
"description": "Beheer integraties met services, apparaten, ...",
"details": "Integratiedetails",
"disable": {
"disabled_integrations": "{number} uitgeschakeld",
"hide_disabled": "Verberg uitgeschakelde integraties",
"show_disabled": "Toon uitgeschakelde integraties"
},
"discovered": "Ontdekt",
"home_assistant_website": "Home Assistant-website",
"ignore": {
@ -2043,8 +1775,7 @@
"multiple_messages": "bericht kwam voor het eerst om {time} en verschijnt {counter} keer",
"no_errors": "Er zijn geen fouten gerapporteerd.",
"no_issues": "Er zijn geen problemen!",
"refresh": "Vernieuwen",
"title": "Logboek"
"refresh": "Vernieuwen"
},
"lovelace": {
"caption": "Lovelace-dashboards",
@ -2375,8 +2106,7 @@
"learn_more": "Meer informatie over scripts",
"no_scripts": "We hebben geen bewerkbare scrips gevonden",
"run_script": "Script uitvoeren",
"show_info": "Toon info over script",
"trigger_script": "Trigger script"
"show_info": "Toon info over script"
}
},
"server_control": {
@ -2470,11 +2200,9 @@
"add_user": {
"caption": "Gebruiker toevoegen",
"create": "Maken",
"name": "Naam",
"password": "Wachtwoord",
"password_confirm": "Bevestig wachtwoord",
"password_not_match": "Wachtwoorden komen niet overeen",
"username": "Gebruikersnaam"
"password_not_match": "Wachtwoorden komen niet overeen"
},
"caption": "Gebruikers",
"description": "Gebruikers van Home Assistant beheren",
@ -2518,19 +2246,12 @@
"add_device": "Apparaat toevoegen",
"add_device_page": {
"discovered_text": "Apparaten zullen hier verschijnen zodra ze zijn ontdekt.",
"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.",
"header": "Zigbee Home Automation - Apparaten toevoegen",
"no_devices_found": "Geen apparaten gevonden, zorg ervoor dat ze in de koppelingsmodus staan en dat de apparaten activiteit blijven maken gedurende het koppelen.",
"pairing_mode": "Zorg ervoor dat de apparaten in de koppelingsmodus staan. Kijk in de instructies van het apparaat hoe dit moet.",
"search_again": "Opnieuw zoeken",
"spinner": "Zoeken naar ZHA Zigbee-apparaten ..."
},
"add": {
"caption": "Apparaten toevoegen",
"description": "Voeg apparaten toe aan het Zigbee netwerk"
},
"button": "Configureer",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "Attributen van het geselecteerde cluster",
"get_zigbee_attribute": "Haal Zigbee attribuut op",
@ -2554,13 +2275,10 @@
"introduction": "Clusters zijn de bouwstenen voor Zigbee-functionaliteit. Ze scheiden functionaliteit in logische eenheden. Er zijn client- en servertypen en deze bestaan uit attributen en opdrachten."
},
"common": {
"add_devices": "Apparaten toevoegen",
"clusters": "Clusters",
"devices": "Apparaten",
"manufacturer_code_override": "Fabrikant Code Override",
"value": "Waarde"
},
"description": "Zigbee Home Automation netwerkbeheer",
"device_pairing_card": {
"CONFIGURED": "Configuratie voltooid",
"CONFIGURED_status_text": "Initialiseren",
@ -2571,9 +2289,6 @@
"PAIRED": "Apparaat gevonden",
"PAIRED_status_text": "Start interview"
},
"devices": {
"header": "Zigbee Home Automation - Apparaat"
},
"group_binding": {
"bind_button_help": "Koppel de geselecteerde groep van de geselecteerde apparaatclusters.",
"bind_button_label": "Koppel groep",
@ -2588,48 +2303,24 @@
"groups": {
"add_group": "Groep toevoegen",
"add_members": "Leden toevoegen",
"adding_members": "Leden toevoegen",
"caption": "Groepen",
"create": "Groep maken",
"create_group": "Zigbee Home Automation - Aanmaken groep",
"create_group_details": "Voer de vereiste gegevens in om een nieuwe Zigbee groep te maken",
"creating_group": "Groep aanmaken",
"description": "Maak en wijzig Zigbee groepen",
"group_details": "Hier zijn alle details voor de geselecteerde Zigbee groep.",
"group_id": "Groep",
"group_info": "Groepsinformatie",
"group_name_placeholder": "Groepsnaam",
"group_not_found": "Groep niet gevonden!",
"group-header": "Zigbee Home Automation - Groepsdetails",
"groups": "groepen",
"groups-header": "Zigbee Home Automation - Groepsbeheer",
"header": "Zigbee Home Automation - Groepsbeheer",
"introduction": "Maak en verwijder Zigbee groepen",
"manage_groups": "Beheer Zigbee Groepen",
"members": "Leden",
"remove_groups": "verwijder groepen",
"remove_members": "Leden verwijderen",
"removing_groups": "groepen verwijderen",
"removing_members": "Leden verwijderen",
"zha_zigbee_groups": "ZHA Zigbee Groepen"
},
"header": "Configureer Zigbee Home Automation",
"introduction": "Hier kun je het ZHA component configureren. Het is nog niet mogelijk om alles te configureren vanuit de interface, maar we werken er aan.",
"network_management": {
"header": "Netwerkbeheer",
"introduction": "Commando's die het hele netwerk beïnvloeden"
"removing_members": "Leden verwijderen"
},
"network": {
"caption": "Netwerk"
},
"node_management": {
"header": "Apparaatbeheer",
"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 je met tussenpozen van 5 seconden kunt indrukken om het apparaat wakker te houden terwijl je ermee communiceert",
"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."
},
"title": "Zigbee Home Automation",
"visualization": {
"caption": "Visualisatie",
"header": "Netwerkvisualisatie",
@ -2695,7 +2386,6 @@
"header": "Beheer je Z-Wave netwerk",
"home_id": "Home ID",
"introduction": "Beheer uw Z-Wave netwerk en Z-Wave knooppunten",
"node_count": "Aantal knooppunten",
"nodes_ready": "Knooppunten gereed",
"server_version": "Server Versie"
},
@ -2730,7 +2420,6 @@
},
"zwave": {
"button": "Configureer",
"caption": "Z-Wave",
"common": {
"index": "Index",
"instance": "Exemplaar",
@ -2849,22 +2538,23 @@
"type": "Type gebeurtenis"
},
"services": {
"alert_parsing_yaml": "Fout bij het parseren van YAML: {data}",
"accepts_target": "Deze service accepteert een doel, bijvoorbeeld: `entity_id: light.bed_light`",
"all_parameters": "Alle beschikbare parameters",
"call_service": "Aanroepen service",
"column_description": "Beschrijving",
"column_example": "Voorbeeld",
"column_parameter": "Parameter",
"data": "Service data (YAML, optioneel)",
"description": "Met het service ontwikkelhulpmiddel kunt je 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"
"title": "Services",
"ui_mode": "Ga naar UI modus",
"yaml_mode": "Ga naar YAML mode",
"yaml_parameters": "Parameters alleen beschikbaar in YAML mode"
},
"states": {
"alert_entity_field": "Entiteit is een verplicht veld",
"attributes": "Attributen",
"copy_id": "Kopieer ID naar klembord",
"current_entities": "Huidige entiteiten",
"description1": "Stelt de weergave van een apparaat in Home Assistant in.",
"description2": "Er vindt geen communicatie met het daadwerkelijke apparaat plaats.",
@ -2900,25 +2590,20 @@
}
},
"history": {
"period": "Periode",
"ranges": {
"last_week": "Vorige week",
"this_week": "Deze week",
"today": "Vandaag",
"yesterday": "Gisteren"
},
"showing_entries": "Toon items voor"
}
},
"logbook": {
"entries_not_found": "Geen logboekvermeldingen gevonden.",
"period": "Periode",
"ranges": {
"last_week": "Vorige week",
"this_week": "Deze week",
"today": "Vandaag",
"yesterday": "Gisteren"
},
"showing_entries": "Toont gegevens van"
}
},
"lovelace": {
"add_entities": {
@ -2927,7 +2612,6 @@
"yaml_unsupported": "Je kunt deze functie niet gebruiken wanneer je de Lovelace gebruikersinterface gebruikt in YAML modus."
},
"cards": {
"action_confirmation": "Weet u zeker dat u actie \" {action} \" wilt uitvoeren?",
"actions": {
"action_confirmation": "Weet je zeker dat je actie \"{action}\" wilt uitvoeren?",
"no_entity_more_info": "Geen entiteit voorzien voor meer info dialoog",
@ -2966,13 +2650,11 @@
"reorder_items": "Artikelen opnieuw ordenen"
},
"starting": {
"description": "Home Assistant is aan het opstarten, even geduld...",
"header": "Home Assistant is aan het opstarten..."
"description": "Home Assistant is aan het opstarten, even geduld..."
}
},
"changed_toast": {
"message": "De Lovelace UI-configuratie voor dit dashboard is bijgewerkt. Vernieuwen om wijzigingen te zien?",
"refresh": "Vernieuwen"
"message": "De Lovelace UI-configuratie voor dit dashboard is bijgewerkt. Vernieuwen om wijzigingen te zien?"
},
"components": {
"timestamp-display": {
@ -2991,7 +2673,6 @@
"toggle": "Schakelaar",
"url": "URL"
},
"editor_service_data": "Servicegegevens kunnen alleen worden ingevoerd in de code-editor",
"navigation_path": "Navigatiepad",
"url_path": "URL-pad"
},
@ -3189,7 +2870,6 @@
},
"sensor": {
"description": "De Sensor-kaart geeft u een snel overzicht van de status van uw sensoren met een optionele grafiek om veranderingen in de tijd te visualiseren.",
"graph_detail": "Grafiek Detail",
"graph_type": "Grafiektype",
"name": "Sensor",
"show_more_detail": "Laat meer details zien"
@ -3360,7 +3040,6 @@
"configure_ui": "Configureer UI",
"exit_edit_mode": "UI-bewerkingsmodus afsluiten",
"help": "Help",
"refresh": "Vernieuwen",
"reload_resources": "Herlaad bronnen",
"start_conversation": "Gesprek starten"
},
@ -3401,7 +3080,9 @@
"playback_title": "Bericht afspelen"
},
"my": {
"documentation": "documentatie",
"error": "Er is een onbekende fout opgetreden",
"no_supervisor": "Deze omleiding wordt niet ondersteund door uw Home Assistant-installatie. Het vereist ofwel het Home Assistant besturingssysteem of de Home Assistant gecontroleerde installatiemethode. Voor meer informatie, zie de {docs_link}.",
"not_supported": "Deze redirect wordt niet ondersteund door uw Home Assistant instantie. Controleer de {link} voor de ondersteunde redirects en de versie waarin ze zijn geïntroduceerd."
},
"page-authorize": {
@ -3483,8 +3164,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "Uw computer is niet toegestaan.",
"not_whitelisted": "Je computer staat niet op de whitelist."
"not_allowed": "Uw computer is niet toegestaan."
},
"step": {
"init": {
@ -3637,15 +3317,12 @@
"create": "Token aanmaken",
"create_failed": "De toegangstoken kon niet worden aangemaakt.",
"created": "Gemaakt op {date}",
"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",
"name": "Naam",
"not_used": "Is nog nooit gebruikt",
"prompt_copy_token": "Kopieer je toegangstoken. Het wordt niet meer getoond.",
"prompt_name": "Geef het token een naam"
},
@ -3710,11 +3387,6 @@
},
"shopping_list": {
"start_conversation": "Gesprek starten"
},
"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": {

View File

@ -79,253 +79,11 @@
}
},
"state": {
"alarm_control_panel": {
"armed": "Påslått",
"armed_away": "På for borte",
"armed_custom_bypass": "Armert tilpassa unntak",
"armed_home": "På for heime",
"armed_night": "På for natta",
"arming": "Skrur på",
"disarmed": "Avslått",
"disarming": "Skrur av",
"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å"
},
"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"
},
"occupancy": {
"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"
},
"sound": {
"off": "Ikkje oppdaga",
"on": "Oppdaga"
},
"vibration": {
"off": "Ikkje oppdaga",
"on": "Oppdaga"
},
"window": {
"off": "Lukka",
"on": "Open"
}
},
"calendar": {
"off": "Av",
"on": "På"
},
"camera": {
"idle": "Inaktiv",
"recording": "Opptak",
"streaming": "Strøymer"
},
"climate": {
"cool": "Kjøle",
"dry": "Tørr",
"fan_only": "Berre vifte",
"heat": "Varme",
"heat_cool": "Oppvarming/Nedkjøling",
"off": "Av"
},
"configurator": {
"configure": "Konfigurerer",
"configured": "Konfigurert"
},
"cover": {
"closed": "Lukka",
"closing": "Lukkar",
"open": "Open",
"opening": "Opnar",
"stopped": "Stoppa"
},
"default": {
"off": "Av",
"on": "På",
"unavailable": "Utilgjengeleg",
"unknown": "Ukjent"
},
"device_tracker": {
"not_home": "Borte"
},
"fan": {
"off": "Av",
"on": "På"
},
"group": {
"closed": "Lukka",
"closing": "Lukkar",
"home": "Heime",
"locked": "Låst",
"not_home": "Borte",
"off": "Av",
"ok": "Ok",
"on": "På",
"open": "Open",
"opening": "Opnar",
"problem": "Problem",
"stopped": "Stoppa",
"unlocked": "Ulåst"
},
"input_boolean": {
"off": "Av",
"on": "På"
},
"light": {
"off": "Av",
"on": "På"
},
"lock": {
"locked": "Låst",
"unlocked": "Ulåst"
},
"media_player": {
"idle": "Inaktiv",
"off": "Av",
"on": "På",
"paused": "Pausa",
"playing": "Spelar",
"standby": "Avventer"
},
"person": {
"home": "Heime"
},
"plant": {
"ok": "Ok",
"problem": "Problem"
},
"remote": {
"off": "Av",
"on": "På"
},
"scene": {
"scening": "Scenande"
},
"script": {
"off": "Av",
"on": "På"
},
"sensor": {
"off": "Av",
"on": "På"
},
"sun": {
"above_horizon": "Over horisonten",
"below_horizon": "Under horisonten"
},
"switch": {
"off": "Av",
"on": "På"
},
"timer": {
"active": "aktiv",
"idle": "tomgang",
"paused": "pausa"
},
"vacuum": {
"cleaning": "Reingjer",
"docked": "Parkert",
"error": "Feil",
"idle": "Tomgang",
"off": "Av",
"on": "På",
"paused": "Pausa",
"returning": "Gå tilbake til ladestasjonen"
},
"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"
},
"zwave": {
"default": {
"dead": "Død",
"initializing": "Initialiserer",
"ready": "Klar",
"sleeping": "Søv"
},
"query_stage": {
"dead": "Død ({query_stage})",
"initializing": "Initialiserer ({query_stage})"
}
}
},
"ui": {
@ -398,8 +156,7 @@
},
"script": {
"cancel": "Avbryt",
"cancel_multiple": "Avbryt {number}",
"execute": "Utfør"
"cancel_multiple": "Avbryt {number}"
},
"service": {
"run": "Køyr"
@ -520,9 +277,7 @@
"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"
"never": "Aldri"
},
"service-picker": {
"service": "Teneste"
@ -613,9 +368,7 @@
},
"unknown": "Ukjent",
"zha_device_card": {
"area_picker_label": "Område",
"device_name_placeholder": "Endre navn på eining",
"update_name_button": "Oppdater namn"
"device_name_placeholder": "Endre navn på eining"
}
}
},
@ -643,10 +396,6 @@
"starting": "Home Assistant held på å starte. Alt er ikkje tilgjengeleg før den er ferdig starta."
},
"panel": {
"calendar": {
"my_calendars": "Mine kalendarar",
"today": "I dag"
},
"config": {
"areas": {
"caption": "Områderegister",
@ -706,8 +455,7 @@
"label": "Gjenta"
},
"service": {
"label": "Utfør tenestekall",
"service_data": "Tenestedata"
"label": "Utfør tenestekall"
},
"wait_template": {
"label": "Vent",
@ -899,7 +647,6 @@
"alexa": {
"title": "Alexa"
},
"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",
@ -965,8 +712,7 @@
"area": "Område",
"battery": "Batteri",
"manufacturer": "Produsent",
"model": "Modell",
"no_area": "Inga område"
"model": "Modell"
},
"description": "Administrer tilkopla einingar",
"device_info": "Einingsinfo ",
@ -1015,8 +761,7 @@
"caption": "Info",
"documentation": "Dokumentasjon ",
"integrations": "Integrasjonar",
"issues": "Problem ",
"title": "Info"
"issues": "Problem "
},
"integrations": {
"add_integration": "Legg til integrasjon ",
@ -1032,8 +777,6 @@
"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",
"options": "Val",
"rename": "Endre namn",
"restart_confirm": "Restart Home Assistant for å fjerne denne integrasjonen",
@ -1066,8 +809,7 @@
},
"introduction": "Her er det mogleg å konfigurere dine komponenter og Home Assistant. Ikkje alt er mogleg å konfigurere frå brukarsnittet endå, men vi jobbar med saka.",
"logs": {
"caption": "Loggar",
"title": "Loggar"
"caption": "Loggar"
},
"mqtt": {
"title": "MQTT"
@ -1149,9 +891,7 @@
"add_user": {
"caption": "Legg til brukar",
"create": "Lag",
"name": "Namn",
"password": "Passord",
"username": "Brukarnamn"
"password": "Passord"
},
"caption": "Brukarar",
"description": "Administrer brukarar",
@ -1176,23 +916,12 @@
},
"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..."
},
"add": {
"caption": "Legg til eining ",
"description": "Legg til eining i Zigbee-nettverket"
},
"caption": "ZHA",
"clusters": {
"header": "Klynger",
"introduction": "Klynger er byggesteinane for Zigbee-funksjonaliteten. Dei sepererar funksjonaliteten i logiske einingar. Det er klient- og servertyper, som består av attributtar og kommandoar."
},
"description": "Zigbee heimeautomasjon nettverksadministrering",
"devices": {
"header": "Zigbee Home Automation - Eininga"
},
"group_binding": {
"bind_button_help": "Huk den merka gruppa til den merka einingsklynga.",
"bind_button_label": "Huk gruppa",
@ -1205,10 +934,7 @@
"unbind_button_label": "Huk av gruppa"
},
"groups": {
"caption": "Grupper",
"description": "Lag og modifiser Zigbee-grupper",
"group-header": "Zigbee Home Automation - Gruppedetaljer",
"groups-header": "Zigbee Home Automation - Gruppehandtering"
"caption": "Grupper"
}
},
"zone": {
@ -1222,7 +948,6 @@
"edit_home_zone": "Plasseringa av heimen din kan endrast i den generelle konfigurasjonen."
},
"zwave": {
"caption": "Z-Wave",
"common": {
"index": "Indeks",
"instance": "Førekomst",
@ -1321,14 +1046,6 @@
}
}
},
"history": {
"period": "Periode",
"showing_entries": "Viser oppføringer for"
},
"logbook": {
"period": "Periode",
"showing_entries": "Visar oppføringar for"
},
"lovelace": {
"cards": {
"empty_state": {
@ -1353,13 +1070,11 @@
"clear_items": "Fjern dei markerrte elementa"
},
"starting": {
"description": "Home Assistant held på å starte. Ver vennleg og vent.",
"header": "Home Assistant held på å starte..."
"description": "Home Assistant held på å starte. Ver vennleg og vent."
}
},
"changed_toast": {
"message": "Lovelace-konfigurasjonen vart oppdatert. Ønsker du å friske opp?",
"refresh": "Frisk opp"
"message": "Lovelace-konfigurasjonen vart oppdatert. Ønsker du å friske opp?"
},
"editor": {
"card": {
@ -1494,8 +1209,7 @@
"menu": {
"close": "Lukk",
"configure_ui": "Konfigurer brukargrensesnitt",
"help": "Hjelp",
"refresh": "Oppdater"
"help": "Hjelp"
},
"reload_lovelace": "Omlast Lovelace",
"unused_entities": {
@ -1598,9 +1312,6 @@
}
},
"trusted_networks": {
"abort": {
"not_whitelisted": "Datamaskina di er ikkje kvitelista."
},
"step": {
"init": {
"data": {
@ -1728,14 +1439,11 @@
"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?"
},
@ -1780,11 +1488,6 @@
"vibrate": {
"header": "Vibrer"
}
},
"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\""
}
},
"sidebar": {

View File

@ -95,253 +95,11 @@
}
},
"state": {
"alarm_control_panel": {
"armed": "uzbrojony",
"armed_away": "uzbrojony (poza domem)",
"armed_custom_bypass": "uzbrojony (częściowo)",
"armed_home": "uzbrojony (w domu)",
"armed_night": "uzbrojony (noc)",
"arming": "uzbrajanie",
"disarmed": "rozbrojony",
"disarming": "rozbrajanie",
"pending": "oczekuje",
"triggered": "wyzwolony"
},
"automation": {
"off": "wył.",
"on": "wł."
},
"binary_sensor": {
"battery": {
"off": "naładowana",
"on": "rozładowana"
},
"cold": {
"off": "normalnie",
"on": "zimno"
},
"connectivity": {
"off": "offline",
"on": "online"
},
"default": {
"off": "wył.",
"on": "wł."
},
"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": "zamknięty",
"on": "otwarty"
},
"moisture": {
"off": "brak wilgoci",
"on": "wilgoć"
},
"motion": {
"off": "brak",
"on": "wykryto"
},
"occupancy": {
"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"
},
"sound": {
"off": "brak",
"on": "wykryto"
},
"vibration": {
"off": "brak",
"on": "wykryto"
},
"window": {
"off": "zamknięte",
"on": "otwarte"
}
},
"calendar": {
"off": "wył.",
"on": "wł."
},
"camera": {
"idle": "nieaktywna",
"recording": "nagrywanie",
"streaming": "strumieniowanie"
},
"climate": {
"cool": "chłodzenie",
"dry": "osuszanie",
"fan_only": "tylko wentylator",
"heat": "grzanie",
"heat_cool": "grzanie/chłodzenie",
"off": "wył."
},
"configurator": {
"configure": "konfiguruj",
"configured": "skonfigurowany"
},
"cover": {
"closed": "zamknięta",
"closing": "zamykanie",
"open": "otwarta",
"opening": "otwieranie",
"stopped": "zatrzymanie"
},
"default": {
"off": "wył.",
"on": "wł.",
"unavailable": "niedostępny",
"unknown": "nieznany"
},
"device_tracker": {
"not_home": "poza domem"
},
"fan": {
"off": "wył.",
"on": "wł."
},
"group": {
"closed": "zamknięte",
"closing": "zamykanie",
"home": "w domu",
"locked": "zamknięty",
"not_home": "poza domem",
"off": "wył.",
"ok": "ok",
"on": "wł.",
"open": "otwarte",
"opening": "otwieranie",
"problem": "problem",
"stopped": "zatrzymany",
"unlocked": "otwarty"
},
"input_boolean": {
"off": "wył.",
"on": "wł."
},
"light": {
"off": "wył.",
"on": "wł."
},
"lock": {
"locked": "zamknięty",
"unlocked": "otwarty"
},
"media_player": {
"idle": "nieaktywny",
"off": "wył.",
"on": "wł.",
"paused": "wstrzymany",
"playing": "odtwarzanie",
"standby": "tryb czuwania"
},
"person": {
"home": "w domu"
},
"plant": {
"ok": "ok",
"problem": "problem"
},
"remote": {
"off": "wył.",
"on": "wł."
},
"scene": {
"scening": "sceny"
},
"script": {
"off": "wył.",
"on": "wł."
},
"sensor": {
"off": "wył.",
"on": "wł."
},
"sun": {
"above_horizon": "nad horyzontem",
"below_horizon": "poniżej horyzontu"
},
"switch": {
"off": "wył.",
"on": "wł."
},
"timer": {
"active": "aktywny",
"idle": "nieaktywny",
"paused": "wstrzymany"
},
"vacuum": {
"cleaning": "sprzątanie",
"docked": "w stacji dokującej",
"error": "błąd",
"idle": "nieaktywny",
"off": "wył.",
"on": "wł.",
"paused": "wstrzymany",
"returning": "powrót do stacji dokującej"
},
"weather": {
"clear-night": "pogodna noc",
"cloudy": "pochmurno",
"exceptional": "warunki nadzwyczajne",
"fog": "mgła",
"hail": "grad",
"lightning": "błyskawice",
"lightning-rainy": "burza",
"partlycloudy": "częściowe zachmurzenie",
"pouring": "ulewa",
"rainy": "deszczowo",
"snowy": "opady śniegu",
"snowy-rainy": "śnieg z deszczem",
"sunny": "słonecznie",
"windy": "wietrznie",
"windy-variant": "wietrznie"
},
"zwave": {
"default": {
"dead": "martwy",
"initializing": "inicjalizacja",
"ready": "gotowy",
"sleeping": "uśpiony"
},
"query_stage": {
"dead": "martwy ({query_stage})",
"initializing": "inicjalizacja ({query_stage})"
}
}
},
"ui": {
@ -442,8 +200,7 @@
},
"script": {
"cancel": "Anuluj",
"cancel_multiple": "Anuluj {number}",
"execute": "Uruchom"
"cancel_multiple": "Anuluj {number}"
},
"service": {
"run": "Uruchom"
@ -630,7 +387,6 @@
"media-browser": {
"audio_not_supported": "Twoja przeglądarka nie obsługuje elementu audio.",
"choose_player": "Wybierz odtwarzacz",
"choose-source": "Wybierz źródło",
"class": {
"album": "Album",
"app": "Aplikacja",
@ -653,13 +409,6 @@
"url": "URL",
"video": "Wideo"
},
"content-type": {
"album": "Album",
"artist": "Artysta",
"library": "Biblioteka",
"playlist": "Lista odtwarzania",
"server": "Serwer"
},
"documentation": "dokumentacja",
"learn_adding_local_media": "Dowiedz się więcej o dodawaniu multimediów w {documentation}.",
"local_media_files": "Umieść pliki wideo, audio i obrazy w folderze multimediów, aby móc je przeglądać i odtwarzać w przeglądarce lub obsługiwanych odtwarzaczach multimedialnych.",
@ -701,7 +450,6 @@
"second": "{count} {count, plural,\n one {sekunda}\n few {sekundy}\n many {sekund}\n other {sekund}\n}",
"week": "{count} {count, plural,\n one {tydzień}\n few {tygodnie}\n many {tygodni}\n other {tygodni}\n}"
},
"future": "Za {time}",
"future_duration": {
"day": "Za {count} {count, plural,\n one {dzień}\n other {dni}\n}",
"hour": "Za {count} {count, plural,\n one {godzinę}\n few {godziny}\n many {godzin}\n other {godzin}\n}",
@ -711,7 +459,6 @@
},
"just_now": "Właśnie teraz",
"never": "Nigdy",
"past": "{time} temu",
"past_duration": {
"day": "{count} {count, plural,\n one {dzień}\n other {dni}\n} temu",
"hour": "{count} {count, plural,\n one {godzinę}\n few {godziny}\n many {godzin}\n other {godzin}\n} temu",
@ -847,7 +594,6 @@
"crop": "Przytnij"
},
"more_info_control": {
"controls": "Sterowanie",
"cover": {
"close_cover": "Zamknij roletę",
"close_tile_cover": "Przechylenie zamkniętej rolety",
@ -932,7 +678,6 @@
"logs": "Logi",
"lovelace": "Dashboardy",
"navigate_to": "Przejdź do: {panel}",
"navigate_to_config": "Przejdź do: Konfiguracja > {panel}",
"person": "Osoby",
"scene": "Sceny",
"script": "Skrypty",
@ -1015,9 +760,7 @@
},
"unknown": "Nieznany",
"zha_device_card": {
"area_picker_label": "Obszar",
"device_name_placeholder": "Zmień nazwę urządzenia",
"update_name_button": "Aktualizuj nazwę"
"device_name_placeholder": "Zmień nazwę urządzenia"
}
}
},
@ -1061,10 +804,6 @@
"triggered": "Wyzwolenie {name}"
},
"panel": {
"calendar": {
"my_calendars": "Moje kalendarze",
"today": "Dzisiaj"
},
"config": {
"advanced_mode": {
"hint_enable": "Brakuje opcji konfiguracji? Włącz tryb zaawansowany",
@ -1157,8 +896,7 @@
},
"event": {
"event": "Zdarzenie:",
"label": "Wywołanie zdarzenia",
"service_data": "Dane usługi"
"label": "Wywołanie zdarzenia"
},
"repeat": {
"label": "Powtórzenie",
@ -1182,8 +920,7 @@
"label": "Aktywuj scenę"
},
"service": {
"label": "Wywołanie usługi",
"service_data": "Dane usługi"
"label": "Wywołanie usługi"
},
"wait_for_trigger": {
"continue_timeout": "Kontynuuj po przekroczeniu limitu czasu",
@ -1203,8 +940,6 @@
"blueprint": {
"blueprint_to_use": "Wybierz schemat",
"header": "Schemat",
"inputs": "Dane wejściowe",
"manage_blueprints": "Zarządzaj schematami",
"no_blueprints": "Nie masz żadnych schematów",
"no_inputs": "Ten schemat nie ma żadnych danych wejściowych"
},
@ -1459,7 +1194,6 @@
"header": "Importuj schemat",
"import_btn": "Podgląd schematu",
"import_header": "Schemat: \"{name}\"",
"import_introduction": "Możesz importować schematy innych użytkowników z Githuba i forów społecznościowych. Wprowadź poniżej adres URL schematu.",
"import_introduction_link": "Możesz importować schematy innych użytkowników z Githuba i {community_link}. Wpisz poniżej adres URL schematu.",
"importing": "Wczytywanie schematu...",
"raw_blueprint": "Zawartość schematu",
@ -1581,7 +1315,6 @@
"not_exposed_entities": "Nieudostępnione encje",
"title": "Alexa"
},
"caption": "Chmura Home Assistant",
"description_features": "Sterowanie spoza domu i integracja z Alexą i Asystentem Google.",
"description_login": "Zalogowany jako {email}",
"description_not_login": "Nie zalogowany",
@ -1714,7 +1447,6 @@
"pick_attribute": "Wybierz atrybut do nadpisania",
"picker": {
"documentation": "Dokumentacja dostosowywania",
"entity": "Encja",
"header": "Dostosowywanie",
"introduction": "Dostosuj atrybuty encji. Dodawane/edytowane dostosowywania zostaną wprowadzone natychmiast. Usunięte dostosowania zostaną uwzględnione, gdy encja zostanie zaktualizowana."
},
@ -1761,7 +1493,6 @@
"integration": "Integracja",
"manufacturer": "Producent",
"model": "Model",
"no_area": "Brak obszaru",
"no_devices": "Brak urządzeń"
},
"delete": "Usuń",
@ -1917,42 +1648,9 @@
"source": "Źródło:",
"system_health_error": "Komponent kondycji systemu nie jest załadowany. Dodaj 'system_health:' do pliku configuration.yaml",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Alexa włączona",
"can_reach_cert_server": "Dostęp do serwera certyfikatów",
"can_reach_cloud": "Dostęp do chmury Home Assistant",
"can_reach_cloud_auth": "Dostęp do serwera uwierzytelniania",
"google_enabled": "Asystent Google włączony",
"logged_in": "Zalogowany",
"relayer_connected": "Relayer podłączony",
"remote_connected": "Zdalny dostęp podłączony",
"remote_enabled": "Zdalny dostęp włączony",
"subscription_expiration": "Wygaśnięcie subskrypcji"
},
"homeassistant": {
"arch": "Architektura procesora",
"dev": "Wersja deweloperska",
"docker": "Docker",
"hassio": "HassOS",
"installation_type": "Typ instalacji",
"os_name": "Nazwa systemu operacyjnego",
"os_version": "Wersja systemu operacyjnego",
"python_version": "Wersja Pythona",
"timezone": "Strefa czasowa",
"version": "Wersja",
"virtualenv": "Środowisko wirtualne"
},
"lovelace": {
"dashboards": "Dashboardy",
"mode": "Tryb",
"resources": "Zasoby"
}
},
"manage": "Zarządzaj",
"more_info": "więcej info"
},
"title": "Informacje"
}
},
"integration_panel_move": {
"link_integration_page": "stronie integracji",
@ -1966,7 +1664,6 @@
"config_entry": {
"area": "obszar: {area}",
"delete": "Usuń",
"delete_button": "Usuń {integration}",
"delete_confirm": "Czy na pewno chcesz usunąć tę integrację?",
"device_unavailable": "Urządzenie niedostępne",
"devices": "{count} {count, plural,\n one {urządzenie}\n few {urządzenia}\n many {urządzeń}\n other {urządzeń}\n}",
@ -1977,8 +1674,6 @@
"hub": "połączony poprzez:",
"manuf": "producent: {manufacturer}",
"no_area": "brak",
"no_device": "Encje bez urządzeń",
"no_devices": "Ta integracja nie ma żadnych urządzeń.",
"options": "Opcje",
"reload": "Wczytaj ponownie",
"reload_confirm": "Integracja została ponownie wczytana",
@ -1986,9 +1681,7 @@
"rename": "Zmień nazwę",
"restart_confirm": "Zrestartuj Home Assistanta, aby zakończyć usuwanie tej integracji",
"services": "{count} {count, plural,\n one {usługa}\n few {usługi}\n many {usług}\n other {usług}\n}",
"settings_button": "Edytuj ustawienia dla {integration}",
"system_options": "Opcje systemowe",
"system_options_button": "Opcje systemowe dla {integration}",
"unnamed_entry": "Nienazwany wpis"
},
"config_flow": {
@ -2055,8 +1748,7 @@
"multiple_messages": "wiadomość pojawiła się po raz pierwszy {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"
"refresh": "Odśwież"
},
"lovelace": {
"caption": "Dashboardy",
@ -2387,8 +2079,7 @@
"learn_more": "Dowiedz się więcej o skryptach",
"no_scripts": "Nie znaleziono żadnych edytowalnych skryptów",
"run_script": "Uruchom skrypt",
"show_info": "Pokaż informacje o skrypcie",
"trigger_script": "Uruchom skrypt"
"show_info": "Pokaż informacje o skrypcie"
}
},
"server_control": {
@ -2482,11 +2173,9 @@
"add_user": {
"caption": "Dodaj użytkownika",
"create": "Utwórz",
"name": "Imię",
"password": "Hasło",
"password_confirm": "Potwierdź hasło",
"password_not_match": "Hasła nie są takie same",
"username": "Nazwa użytkownika"
"password_not_match": "Hasła nie są takie same"
},
"caption": "Użytkownicy",
"description": "Zarządzaj kontami użytkowników Home Assistanta",
@ -2530,19 +2219,12 @@
"add_device": "Dodaj urządzenie",
"add_device_page": {
"discovered_text": "Urządzenia pojawią się tutaj, jak tylko zostaną wykryte.",
"discovery_text": "Wykryte urządzenia pojawią się tutaj. Postępuj zgodnie z instrukcjami dla urządzeń, by wprowadzić je w tryb parowania.",
"header": "Zigbee Home Automation - dodaj urządzenia",
"no_devices_found": "Nie znaleziono urządzeń, upewnij się, że są w trybie parowania i nie są w trybie uśpienia podczas wykrywania.",
"pairing_mode": "Upewnij się, że urządzenie jest w trybie parowania. Zapoznaj się z instrukcją obsługi urządzenia, by dowiedzieć się, jak to zrobić.",
"search_again": "Szukaj ponownie",
"spinner": "Wyszukiwanie urządzeń ZHA Zigbee..."
},
"add": {
"caption": "Dodaj urządzenia",
"description": "Dodaj urządzenia do sieci Zigbee"
},
"button": "Konfiguracja",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "Atrybuty wybranego klastra",
"get_zigbee_attribute": "Wyświetl atrybut Zigbee",
@ -2566,13 +2248,10 @@
"introduction": "Klastry są elementami składowymi funkcjonalności Zigbee. Dzielą one funkcjonalność na jednostki logiczne. Istnieją typy klientów i serwerów, które składają się z atrybutów i poleceń."
},
"common": {
"add_devices": "Dodaj urządzenia",
"clusters": "Klastry",
"devices": "Urządzenia",
"manufacturer_code_override": "Zastąpienie kodu producenta",
"value": "Wartość"
},
"description": "Zarządzanie siecią Zigbee Home Automation",
"device_pairing_card": {
"CONFIGURED": "Konfigurowanie zakończone",
"CONFIGURED_status_text": "Inicjalizacja",
@ -2583,9 +2262,6 @@
"PAIRED": "Znaleziono urządzenie",
"PAIRED_status_text": "Rozpoczęcie odpytywania"
},
"devices": {
"header": "Zigbee Home Automation - urządzenie"
},
"group_binding": {
"bind_button_help": "Powiąż wybraną grupę z wybranymi klastrami urządzeń.",
"bind_button_label": "Powiąż grupę",
@ -2600,48 +2276,24 @@
"groups": {
"add_group": "Dodaj grupę",
"add_members": "Dodaj członków",
"adding_members": "Dodawanie członków",
"caption": "Grupy",
"create": "Utwórz grupę",
"create_group": "Zigbee Home Automation - utwórz grupę",
"create_group_details": "Wprowadź wymagane dane, aby utworzyć nową grupę Zigbee",
"creating_group": "Tworzenie grupy",
"description": "Zarządzaj grupami Zigbee",
"group_details": "Oto wszystkie szczegóły dotyczące zaznaczonej grupy Zigbee.",
"group_id": "Identyfikator grupy",
"group_info": "Informacje o grupie",
"group_name_placeholder": "Nazwa grupy",
"group_not_found": "Grupa nie znaleziona!",
"group-header": "Zigbee Home Automation - szczegóły grupy",
"groups": "Grupy",
"groups-header": "Zigbee Home Automation - zarządzanie grupą",
"header": "Zigbee Home Automation - zarządzanie grupą",
"introduction": "Twórz i modyfikuj grupy zigbee",
"manage_groups": "Zarządzaj grupami Zigbee",
"members": "Członkowie",
"remove_groups": "Usuń grupy",
"remove_members": "Usuń członków",
"removing_groups": "Usuwanie grup",
"removing_members": "Usuwanie członków",
"zha_zigbee_groups": "Grupy ZHA Zigbee"
},
"header": "Konfiguruj Zigbee Home Automation",
"introduction": "Tutaj można skonfigurować komponent ZHA. Nie wszystko jest możliwe do skonfigurowania z interfejsu użytkownika, ale pracujemy nad tym.",
"network_management": {
"header": "Zarządzanie siecią",
"introduction": "Polecenia, które wpływają na całą sieć"
"removing_members": "Usuwanie członków"
},
"network": {
"caption": "Sieć"
},
"node_management": {
"header": "Zarządzanie urządzeniami",
"help_node_dropdown": "Wybierz urządzenie, aby wyświetlić jego opcje.",
"hint_battery_devices": "Uwaga: usypiane urządzenia (zasilane bateryjnie) muszą być wybudzone podczas wykonywania poleceń. Na ogół możesz wybudzić uśpione urządzenie, uruchamiając je.",
"hint_wakeup": "Niektóre urządzenia, takie jak czujniki Xiaomi, mają przycisk wybudzania, 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.",
"introduction": "Uruchom polecenia ZHA, które wpływają na pojedyncze urządzenie. Wybierz urządzenie, aby wyświetlić listę dostępnych poleceń."
},
"title": "Zigbee Home Automation",
"visualization": {
"caption": "Wizualizacja",
"header": "Wizualizacja sieci",
@ -2713,7 +2365,6 @@
"header": "Zarządzaj siecią Z-Wave",
"home_id": "Identyfikator domu",
"introduction": "Zarządzaj siecią i węzłami Z-Wave",
"node_count": "Liczba węzłów",
"nodes_ready": "Węzły gotowe",
"server_version": "Wersja serwera"
},
@ -2750,7 +2401,6 @@
},
"zwave": {
"button": "Konfiguracja",
"caption": "Z-Wave",
"common": {
"index": "Indeks",
"instance": "Instancja",
@ -2870,18 +2520,13 @@
},
"services": {
"accepts_target": "Ta usługa akceptuje cel, na przykład: `entity_id: light.bed_light`",
"alert_parsing_yaml": "Błąd parsowania YAML: {data}",
"all_parameters": "Wszystkie dostępne parametry",
"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",
"ui_mode": "Przejdź do trybu interfejsu użytkownika",
"yaml_mode": "Przejdź do trybu YAML",
@ -2925,25 +2570,20 @@
}
},
"history": {
"period": "Okres",
"ranges": {
"last_week": "Poprzedni tydzień",
"this_week": "Ten tydzień",
"today": "Dzisiaj",
"yesterday": "Wczoraj"
},
"showing_entries": "Wyświetlanie rekordów dla"
}
},
"logbook": {
"entries_not_found": "Nie znaleziono wpisów w dzienniku.",
"period": "Okres",
"ranges": {
"last_week": "Poprzedni tydzień",
"this_week": "Ten tydzień",
"today": "Dzisiaj",
"yesterday": "Wczoraj"
},
"showing_entries": "Wyświetlanie rekordów dla"
}
},
"lovelace": {
"add_entities": {
@ -2952,7 +2592,6 @@
"yaml_unsupported": "Nie możesz używać tej funkcji, gdy używasz interfejsu użytkownika Lovelace w trybie YAML."
},
"cards": {
"action_confirmation": "Czy na pewno chcesz wykonać akcję \"{action}\"?",
"actions": {
"action_confirmation": "Czy na pewno chcesz wykonać akcję \"{action}\"?",
"no_entity_more_info": "Nie wybrano encji dla okna dialogowego \"więcej informacji\"",
@ -2991,13 +2630,11 @@
"reorder_items": "Zmień kolejność elementów"
},
"starting": {
"description": "Home Assistant uruchamia się, proszę czekać.",
"header": "Home Assistant uruchamia się..."
"description": "Home Assistant uruchamia się, proszę czekać."
}
},
"changed_toast": {
"message": "Zaktualizowano konfigurację interfejsu Lovelace. Odświeżyć teraz?",
"refresh": "Wczytaj ponownie"
"message": "Zaktualizowano konfigurację interfejsu Lovelace. Odświeżyć teraz?"
},
"components": {
"timestamp-display": {
@ -3016,7 +2653,6 @@
"toggle": "Przełącz",
"url": "URL"
},
"editor_service_data": "Dane usługi można wprowadzać tylko w edytorze kodu",
"navigation_path": "Ścieżka",
"url_path": "Ścieżka adresu URL"
},
@ -3214,7 +2850,6 @@
},
"sensor": {
"description": "Karta sensor zapewnia szybki przegląd stanu sensorów z opcjonalnym wykresem, aby wizualizować zmiany w czasie.",
"graph_detail": "Szczegół wykresu",
"graph_type": "Rodzaj wykresu",
"name": "Sensor",
"show_more_detail": "Pokaż więcej informacji"
@ -3385,7 +3020,6 @@
"configure_ui": "Edytuj dashboard",
"exit_edit_mode": "Wyjdź z trybu edycji interfejsu użytkownika",
"help": "Pomoc",
"refresh": "Wczytaj ponownie",
"reload_resources": "Wczytaj ponownie zasoby",
"start_conversation": "Rozpocznij rozmowę"
},
@ -3510,8 +3144,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "Twój komputer nie ma zezwolenia",
"not_whitelisted": "Twój komputer nie znajduje się na białej liście"
"not_allowed": "Twój komputer nie ma zezwolenia"
},
"step": {
"init": {
@ -3664,15 +3297,12 @@
"create": "Utwórz token",
"create_failed": "Nie udało się utworzyć tokena.",
"created": "Utworzony {date}",
"created_at": "Utworzony {date}",
"delete_failed": "Nie udało się usunąć tokena.",
"description": "Długoterminowe tokeny dostępu umożliwiają skryptom interakcję z Home Assistantem. 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.",
"name": "Nazwa",
"not_used": "Nigdy nie był używany",
"prompt_copy_token": "Skopiuj token. Nie będzie on już ponownie wyświetlany.",
"prompt_name": "Nazwij token"
},
@ -3737,11 +3367,6 @@
},
"shopping_list": {
"start_conversation": "Rozpocznij rozmowę"
},
"shopping-list": {
"add_item": "Dodaj element",
"clear_completed": "Wyczyść ukończone",
"microphone_tip": "Dotknij ikonę mikrofonu w prawym górnym rogu i powiedz “Dodaj słodycze do mojej listy zakupów”"
}
},
"sidebar": {

View File

@ -95,253 +95,11 @@
}
},
"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": "Ativa"
},
"binary_sensor": {
"battery": {
"off": "Normal",
"on": "Fraca"
},
"cold": {
"off": "Normal",
"on": "Frio"
},
"connectivity": {
"off": "Desconectado",
"on": "Conectado"
},
"default": {
"off": "Livre",
"on": "Detectado"
},
"door": {
"off": "Fechado",
"on": "Aberto"
},
"garage_door": {
"off": "Fechado",
"on": "Aberto"
},
"gas": {
"off": "Livre",
"on": "Detectado"
},
"heat": {
"off": "Normal",
"on": "Quente"
},
"lock": {
"off": "Trancado",
"on": "Destrancado"
},
"moisture": {
"off": "Seco",
"on": "Molhado"
},
"motion": {
"off": "Livre",
"on": "Detectado"
},
"occupancy": {
"off": "Livre",
"on": "Detectado"
},
"opening": {
"off": "Fechado",
"on": "Aberto"
},
"presence": {
"off": "Ausente",
"on": "Em casa"
},
"problem": {
"off": "OK",
"on": "Problema"
},
"safety": {
"off": "Seguro",
"on": "Inseguro"
},
"smoke": {
"off": "Livre",
"on": "Detectado"
},
"sound": {
"off": "Livre",
"on": "Detectado"
},
"vibration": {
"off": "Livre",
"on": "Detectado"
},
"window": {
"off": "Fechado",
"on": "Aberto"
}
},
"calendar": {
"off": "Inativo",
"on": "Ligado"
},
"camera": {
"idle": "Ocioso",
"recording": "Gravando",
"streaming": "Transmitindo"
},
"climate": {
"cool": "Frio",
"dry": "Seco",
"fan_only": "Apenas ventilador",
"heat": "Quente",
"heat_cool": "Quente/Frio",
"off": "Desligado"
},
"configurator": {
"configure": "Configurar",
"configured": "Configurado"
},
"cover": {
"closed": "Fechado",
"closing": "Fechando",
"open": "Aberto",
"opening": "Abrindo",
"stopped": "Parado"
},
"default": {
"off": "Desligado",
"on": "Ligado",
"unavailable": "Indisponível",
"unknown": "Desconhecido"
},
"device_tracker": {
"not_home": "Ausente"
},
"fan": {
"off": "Desligado",
"on": "Ligado"
},
"group": {
"closed": "Fechado",
"closing": "Fechando",
"home": "Em casa",
"locked": "Trancado",
"not_home": "Ausente",
"off": "Desligado",
"ok": "OK",
"on": "Ligado",
"open": "Aberto",
"opening": "Abrindo",
"problem": "Problema",
"stopped": "Parado",
"unlocked": "Destrancado"
},
"input_boolean": {
"off": "Desligado",
"on": "Ligado"
},
"light": {
"off": "Desligado",
"on": "Ligado"
},
"lock": {
"locked": "Trancado",
"unlocked": "Destrancado"
},
"media_player": {
"idle": "Ocioso",
"off": "Desligado",
"on": "Ligado",
"paused": "Pausado",
"playing": "Tocando",
"standby": "Em espera"
},
"person": {
"home": "Em casa"
},
"plant": {
"ok": "Ok",
"problem": "Problema"
},
"remote": {
"off": "Desligado",
"on": "Ligado"
},
"scene": {
"scening": "Ativa"
},
"script": {
"off": "Desligado",
"on": "Ligado"
},
"sensor": {
"off": "Desligado",
"on": "Ligado"
},
"sun": {
"above_horizon": "Acima do horizonte",
"below_horizon": "Abaixo do horizonte"
},
"switch": {
"off": "Desligado",
"on": "Ligado"
},
"timer": {
"active": "ativo",
"idle": "ocioso",
"paused": "Pausado"
},
"vacuum": {
"cleaning": "Limpando",
"docked": "Baseado",
"error": "Erro",
"idle": "Em espera",
"off": "Desligado",
"on": "Ligado",
"paused": "Pausado",
"returning": "Retornando para base"
},
"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"
},
"zwave": {
"default": {
"dead": "Morto",
"initializing": "Iniciando",
"ready": "Pronto",
"sleeping": "Dormindo"
},
"query_stage": {
"dead": "Morto ({query_stage})",
"initializing": "Iniciando ( {query_stage} )"
}
}
},
"ui": {
@ -441,8 +199,7 @@
},
"script": {
"cancel": "Cancelar",
"cancel_multiple": "Cancelar {number}",
"execute": "Executar"
"cancel_multiple": "Cancelar {number}"
},
"service": {
"run": "Executar"
@ -616,7 +373,6 @@
}
},
"media-browser": {
"choose-source": "Escolha a fonte",
"class": {
"album": "Álbum",
"artist": "Artista",
@ -636,13 +392,6 @@
"url": "URL",
"video": "Vídeo"
},
"content-type": {
"album": "Álbum",
"artist": "Artista",
"library": "Biblioteca",
"playlist": "Lista de reprodução",
"server": "Servidor"
},
"documentation": "Documentação",
"media_player": "Reprodutor de Mídia",
"media-player-browser": "Navegador do Reprodutor de Mídia",
@ -676,10 +425,8 @@
"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}",
"just_now": "Agora",
"never": "Nunca",
"past": "{time} atrás"
"never": "Nunca"
},
"service-picker": {
"service": "Serviço"
@ -784,7 +531,6 @@
"crop": "Recortar"
},
"more_info_control": {
"controls": "Controles",
"details": "Detalhes",
"dismiss": "Dispensar diálogo",
"edit": "Editar entidade",
@ -919,9 +665,7 @@
},
"unknown": "Desconhecido",
"zha_device_card": {
"area_picker_label": "Área",
"device_name_placeholder": "Alterar o nome do dispositivo",
"update_name_button": "Atualizar Nome"
"device_name_placeholder": "Alterar o nome do dispositivo"
}
}
},
@ -952,10 +696,6 @@
"triggered": "{name} disparado"
},
"panel": {
"calendar": {
"my_calendars": "Meus Calendários",
"today": "Hoje"
},
"config": {
"advanced_mode": {
"hint_enable": "Faltam opções de configuração? Ative o modo avançado",
@ -1067,8 +807,7 @@
"label": "Ativar cena"
},
"service": {
"label": "Iniciar Serviço",
"service_data": "Dados do Serviço"
"label": "Iniciar Serviço"
},
"wait_template": {
"label": "Espere",
@ -1397,7 +1136,6 @@
"not_exposed_entities": "Nenhuma entidade exposta",
"title": "Alexa"
},
"caption": "Home Assistant Cloud",
"description_features": "Controle mesmo longe de casa, integre com a Alexa e o Google Assistant.",
"description_login": "Conectado como {email}",
"description_not_login": "Não logado",
@ -1527,7 +1265,6 @@
"different_include": "Possivelmente por meio de um domínio, um glob ou uma inclusão diferente.",
"pick_attribute": "Escolha um atributo para sobrescrever",
"picker": {
"entity": "Entidade",
"header": "Personalizações",
"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."
},
@ -1566,7 +1303,6 @@
"integration": "Integração",
"manufacturer": "Fabricante",
"model": "Modelo",
"no_area": "Sem área",
"no_devices": "Nenhum dispositivo"
},
"delete": "Eliminar",
@ -1715,29 +1451,8 @@
"source": "Código fonte:",
"system_health_error": "O componente System Health não foi carregado. Adicione 'system_health:' ao configuration.yaml",
"system_health": {
"checks": {
"cloud": {
"logged_in": "Logado"
},
"homeassistant": {
"arch": "Arquitetura da CPU",
"docker": "Docker",
"hassio": "HassOS",
"installation_type": "Tipo de Instalação",
"os_name": "Nome do Sistema Operacional",
"os_version": "Versão do Sistema Operacional",
"python_version": "Versão do Python",
"timezone": "Fuso horário",
"version": "Versão"
},
"lovelace": {
"mode": "Modo",
"resources": "Recursos"
}
},
"more_info": "Mais Informações"
},
"title": "Info"
}
},
"integration_panel_move": {
"link_integration_page": "Página de integrações",
@ -1751,7 +1466,6 @@
"config_entry": {
"area": "Em {area}",
"delete": "Excluir",
"delete_button": "Excluir {integration}",
"delete_confirm": "Tem certeza de que deseja excluir essa integração?",
"device_unavailable": "Dispositivo indisponível",
"devices": "{count} {count, plural,\none {dispositivo}\nother {dispositivos}\n}",
@ -1762,17 +1476,13 @@
"hub": "Conectado via",
"manuf": "por {manufacturer}",
"no_area": "Sem área",
"no_device": "Entidades sem dispositivos",
"no_devices": "Esta integração não possui dispositivos.",
"options": "Opções",
"reload": "Recarregar",
"reload_confirm": "A integração foi recarregada",
"reload_restart_confirm": "Reinicie o Home Assistant para terminar o carregamento dessa integração",
"rename": "Renomear",
"restart_confirm": "Reinicie o Home Assistant para concluir a remoção dessa integração",
"settings_button": "Editar configurações para {integration}",
"system_options": "Opções do sistema",
"system_options_button": "Opções do sistema para {integration}",
"unnamed_entry": "Entrada sem nome"
},
"config_flow": {
@ -1832,8 +1542,7 @@
"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"
"refresh": "Atualizar"
},
"lovelace": {
"caption": "Painéis Lovelace",
@ -2108,8 +1817,7 @@
"learn_more": "Saiba mais sobre scripts",
"no_scripts": "Não foi possível encontrar nenhum script editável",
"run_script": "Executar script",
"show_info": "Mostrar informações sobre a cena",
"trigger_script": "Disparar o script"
"show_info": "Mostrar informações sobre a cena"
}
},
"server_control": {
@ -2193,11 +1901,9 @@
"add_user": {
"caption": "Adicionar Usuário",
"create": "Criar",
"name": "Nome",
"password": "Senha",
"password_confirm": "Confirmar Senha",
"password_not_match": "As senhas não coincidem",
"username": "Usuário"
"password_not_match": "As senhas não coincidem"
},
"caption": "Usuários",
"description": "Gerenciar usuários",
@ -2241,19 +1947,12 @@
"add_device": "Adicionar Dispositivo",
"add_device_page": {
"discovered_text": "Os dispositivos descobertos aparecerão aqui.",
"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.",
"header": "Zigbee Home Automation - Adicionar dispositivos",
"no_devices_found": "Nenhum dispositivo encontrado, verifique se eles estão em modo de pareamento e os mantenha acordados enquanto a descoberta estiver ativa.",
"pairing_mode": "Certifique-se de que seus dispositivos estão em modo de pareamento. Verifique as instruções do seu dispositivo para saber como fazer isso.",
"search_again": "Pesquisar novamente",
"spinner": "Procurando por dispositivos ZHA Zigbee…"
},
"add": {
"caption": "Adicionar Dispositivos",
"description": "Adicionar dispositivos à rede Zigbee"
},
"button": "Configurar",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "Atributos do cluster selecionado",
"get_zigbee_attribute": "Obter atributo do Zigbee",
@ -2277,13 +1976,10 @@
"introduction": "Clusters são os blocos de construção da funcionalidade do Zigbee. Eles separam a funcionalidade em unidades lógicas. Existem tipos de cliente e servidor e são compostos por atributos e comandos."
},
"common": {
"add_devices": "Adicionar Dispositivos",
"clusters": "Clusters",
"devices": "Dispositivos",
"manufacturer_code_override": "Sobrescrever Código do Fabricante",
"value": "Valor"
},
"description": "Gerenciamento de rede Zigbee Home Automation",
"device_pairing_card": {
"CONFIGURED": "Configuração Finalizada",
"CONFIGURED_status_text": "Iniciando",
@ -2294,9 +1990,6 @@
"PAIRED": "Dispositivo Encontrado",
"PAIRED_status_text": "Iniciando Entrevista"
},
"devices": {
"header": "Zigbee Home Automation - Dispositivo"
},
"group_binding": {
"bind_button_help": "Vincule o grupo selecionado aos clusters de dispositivos selecionados.",
"bind_button_label": "Vincular Grupo",
@ -2311,48 +2004,24 @@
"groups": {
"add_group": "Adicionar Grupo",
"add_members": "Adicionar membros",
"adding_members": "Adicionando membros",
"caption": "Grupos",
"create": "Criar grupo",
"create_group": "Zigbee Automação Residencial - Criar Grupo",
"create_group_details": "Digite os detalhes necessários para criar um grupo Zigbee",
"creating_group": "Criando grupo",
"description": "Criar e modificar grupos Zigbee",
"group_details": "Aqui estão todos os detalhes do grupo Zigbee selecionado.",
"group_id": "ID do grupo",
"group_info": "Informações do grupo",
"group_name_placeholder": "Nome do grupo",
"group_not_found": "Grupo não encontrado!",
"group-header": "Zigbee Home Automation - Detalhes do Grupo",
"groups": "Grupos",
"groups-header": "Zigbee Home Automation - Gerenciamento de grupos",
"header": "Zigbee Automação Residencial - Gestão de Grupo",
"introduction": "Criar e modificar grupos Zigbee",
"manage_groups": "Gerenciar grupos Zigbee",
"members": "Membros",
"remove_groups": "Remover grupos",
"remove_members": "Remover membros",
"removing_groups": "Removendo grupos",
"removing_members": "Removendo membros",
"zha_zigbee_groups": "Grupos ZHA Zigbee"
},
"header": "Configurar o Zigbee Home Automation",
"introduction": "Aqui é possível configurar o componente ZHA. Ainda não é possível configurar tudo a partir da interface do usuário, mas estamos trabalhando nisso.",
"network_management": {
"header": "Gerenciamento de Rede",
"introduction": "Comandos que afetam toda a rede"
"removing_members": "Removendo membros"
},
"network": {
"caption": "Rede"
},
"node_management": {
"header": "Gerenciamento de Dispositivos",
"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.",
"hint_wakeup": "Alguns dispositivos, como sensores Xiaomi, têm um botão de despertar que você pode pressionar em intervalos de ~5 segundos que mantêm os dispositivos acordados enquanto interage com eles.",
"introduction": "Execute comandos ZHA que afetam um único dispositivo. Escolha um dispositivo para ver uma lista dos comandos disponíveis."
},
"title": "Zigbee Home Automation",
"visualization": {
"caption": "Visualização"
}
@ -2388,7 +2057,6 @@
},
"zwave": {
"button": "Configurar",
"caption": "",
"common": {
"index": "Índice",
"instance": "Instância",
@ -2501,17 +2169,12 @@
"type": "Tipo de evento"
},
"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": {
@ -2545,25 +2208,20 @@
}
},
"history": {
"period": "Período",
"ranges": {
"last_week": "Semana Anterior",
"this_week": "Esta semana",
"today": "Hoje",
"yesterday": "Ontem"
},
"showing_entries": "Exibindo entradas para"
}
},
"logbook": {
"entries_not_found": "Não foram encontradas registros no diário de bordo.",
"period": "Período",
"ranges": {
"last_week": "Semana anterior",
"this_week": "Esta semana",
"today": "Hoje",
"yesterday": "Ontem"
},
"showing_entries": "Exibindo registros de"
}
},
"lovelace": {
"add_entities": {
@ -2572,7 +2230,6 @@
"yaml_unsupported": "Você não pode usar esta função ao usar a UI do Lovelace no modo YAML."
},
"cards": {
"action_confirmation": "Tem certeza de que deseja executar a ação \" {action} \"?",
"confirm_delete": "Tem certeza de que deseja excluir este cartão?",
"empty_state": {
"go_to_integrations_page": "Vá para a página de integrações.",
@ -2602,13 +2259,11 @@
"reorder_items": "Reordenar itens"
},
"starting": {
"description": "O Home Assistant está iniciando, por favor aguarde...",
"header": "O Home Assistant está iniciando..."
"description": "O Home Assistant está iniciando, por favor aguarde..."
}
},
"changed_toast": {
"message": "A configuração da Interface Lovelace foi atualizada, você gostaria de recarregar para ver as modificações?",
"refresh": "Atualizar"
"message": "A configuração da Interface Lovelace foi atualizada, você gostaria de recarregar para ver as modificações?"
},
"editor": {
"action-editor": {
@ -2797,7 +2452,6 @@
},
"sensor": {
"description": "O cartão Sensor oferece uma visão rápida do estado de seus sensores com um gráfico opcional para visualizar a mudança ao longo do tempo.",
"graph_detail": "Detalhe do gráfico",
"graph_type": "Tipo de gráfico",
"name": "Sensor",
"show_more_detail": "Mostrar mais detalhes"
@ -2958,7 +2612,6 @@
"configure_ui": "Configurar “interface” do usuário",
"exit_edit_mode": "Sair do modo de edição de interface",
"help": "Ajuda",
"refresh": "Atualizar",
"reload_resources": "Recarregar recursos"
},
"reload_lovelace": "Recarregar Interface Lovelace",
@ -3076,8 +2729,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "Seu computador não tem permissão.",
"not_whitelisted": "Seu computador não está na lista de permissões."
"not_allowed": "Seu computador não tem permissão."
},
"step": {
"init": {
@ -3225,15 +2877,12 @@
"create": "Criar token",
"create_failed": "Falha ao criar o token de acesso.",
"created": "Criado em {date}",
"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} de {location}",
"learn_auth_requests": "Aprenda como fazer solicitações autenticadas.",
"name": "Nome",
"not_used": "Nunca foi usado",
"prompt_copy_token": "Copie seu token de acesso. Ele não será mostrado novamente.",
"prompt_name": "Nome?"
},
@ -3294,11 +2943,6 @@
"description": "Ative ou desative a vibração neste dispositivo ao controlar dispositivos.",
"header": "Vibrar"
}
},
"shopping-list": {
"add_item": "Adicionar item",
"clear_completed": "Limpar completos",
"microphone_tip": "Clique no microfone no canto superior direito e diga ou digite \"Adicionar doces à minha lista de compras\""
}
},
"sidebar": {

View File

@ -95,253 +95,11 @@
}
},
"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",
"pending": "Pendente",
"triggered": "Despoletado"
},
"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"
},
"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"
},
"occupancy": {
"off": "Limpo",
"on": "Detectado"
},
"opening": {
"off": "Fechado",
"on": "Aberto"
},
"presence": {
"off": "Ausente",
"on": "Casa"
},
"problem": {
"off": "OK",
"on": "Problema"
},
"safety": {
"off": "Seguro",
"on": "Inseguro"
},
"smoke": {
"off": "Limpo",
"on": "Detectado"
},
"sound": {
"off": "Limpo",
"on": "Detectado"
},
"vibration": {
"off": "Limpo",
"on": "Detetado"
},
"window": {
"off": "Fechada",
"on": "Aberta"
}
},
"calendar": {
"off": "Desligado",
"on": "Ligado"
},
"camera": {
"idle": "Em espera",
"recording": "A gravar",
"streaming": "A enviar"
},
"climate": {
"cool": "Frio",
"dry": "Desumidificar",
"fan_only": "Apenas ventilar",
"heat": "Quente",
"heat_cool": "Calor / Frio",
"off": "Desligado"
},
"configurator": {
"configure": "Configurar",
"configured": "Configurado"
},
"cover": {
"closed": "Fechada",
"closing": "A fechar",
"open": "Aberta",
"opening": "A abrir",
"stopped": "Parado"
},
"default": {
"off": "Desligado",
"on": "Ligado",
"unavailable": "Indisponível",
"unknown": "Desconhecido"
},
"device_tracker": {
"not_home": "Fora"
},
"fan": {
"off": "Desligada",
"on": "Ligado"
},
"group": {
"closed": "Fechada",
"closing": "A fechar",
"home": "Casa",
"locked": "Bloqueado",
"not_home": "Ausente",
"off": "Desligado",
"ok": "OK",
"on": "Ligado",
"open": "Aberta",
"opening": "A abrir",
"problem": "Problema",
"stopped": "Parado",
"unlocked": "Desbloqueado"
},
"input_boolean": {
"off": "Desligado",
"on": "Ligado"
},
"light": {
"off": "Desligado",
"on": "Ligado"
},
"lock": {
"locked": "Trancada",
"unlocked": "Destrancada"
},
"media_player": {
"idle": "Em espera",
"off": "Desligado",
"on": "Ligado",
"paused": "Em pausa",
"playing": "A reproduzir",
"standby": "Em espera"
},
"person": {
"home": "Casa"
},
"plant": {
"ok": "OK",
"problem": "Problema"
},
"remote": {
"off": "Desativado",
"on": "Ligado"
},
"scene": {
"scening": "Cenas"
},
"script": {
"off": "Desligado",
"on": "Ligado"
},
"sensor": {
"off": "Desligado",
"on": "Ligado"
},
"sun": {
"above_horizon": "Acima do horizonte",
"below_horizon": "Abaixo do horizonte"
},
"switch": {
"off": "Desligado",
"on": "Ligado"
},
"timer": {
"active": "ativo",
"idle": "Em espera",
"paused": "Em pausa"
},
"vacuum": {
"cleaning": "A limpar",
"docked": "Encaixado",
"error": "Erro",
"idle": "Em espera",
"off": "Desligado",
"on": "Ligado",
"paused": "Em pausa",
"returning": "A regressar à doca"
},
"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"
},
"zwave": {
"default": {
"dead": "Morto",
"initializing": "A inicializar",
"ready": "Pronto",
"sleeping": "Adormecido"
},
"query_stage": {
"dead": "Morto ({query_stage})",
"initializing": "A inicializar ({query_stage})"
}
}
},
"ui": {
@ -442,8 +200,7 @@
},
"script": {
"cancel": "Cancelar",
"cancel_multiple": "Cancelar {number}",
"execute": "Executar"
"cancel_multiple": "Cancelar {number}"
},
"service": {
"run": "Executar"
@ -630,7 +387,6 @@
"media-browser": {
"audio_not_supported": "O seu navegador não suporta o elemento de áudio.",
"choose_player": "Escolha o Leitor",
"choose-source": "Escolha a fonte",
"class": {
"album": "Álbum",
"app": "App",
@ -653,13 +409,6 @@
"url": "URL",
"video": "Vídeo"
},
"content-type": {
"album": "Álbum",
"artist": "Artista",
"library": "Biblioteca",
"playlist": "Lista de reprodução",
"server": "Servidor"
},
"documentation": "Documentação",
"learn_adding_local_media": "Saiba mais sobre como adicionar ficheiros de média na {documentation} .",
"local_media_files": "Coloque seus ficheiros de vídeo, áudio e imagem no diretório de multimédia para poder navegar e reproduzi-los no navegador ou em reprodutores de média compatíveis.",
@ -701,7 +450,6 @@
"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}",
"future_duration": {
"day": "Dentro de {count} {count, plural,\n one {dia}\n other {dias}\n}",
"hour": "Dentro de {count} {count, plural,\n one {hora}\n other {horas}\n}",
@ -711,7 +459,6 @@
},
"just_now": "Agora mesmo",
"never": "Nunca",
"past": "Há {time} atrás",
"past_duration": {
"day": "{count} {count, plural,\n one {dia}\n other {dias}\n} atrás",
"hour": "{count} {count, plural,\n one {hora}\n other {horas}\n} atrás",
@ -838,7 +585,6 @@
"crop": "Cortar"
},
"more_info_control": {
"controls": "Controlos",
"cover": {
"close_cover": "Fechar estore/persiana",
"close_tile_cover": "Fechar inclinação do estore",
@ -923,7 +669,6 @@
"logs": "Logs",
"lovelace": "Painéis Lovelace",
"navigate_to": "Ir para {panel}",
"navigate_to_config": "Ir para a configuração do {panel}",
"person": "Pessoas",
"scene": "Cenários",
"script": "Script",
@ -1006,9 +751,7 @@
},
"unknown": "Desconhecido",
"zha_device_card": {
"area_picker_label": "Área",
"device_name_placeholder": "Alterar o nome do dispositivo",
"update_name_button": "Atualizar Nome"
"device_name_placeholder": "Alterar o nome do dispositivo"
}
}
},
@ -1049,10 +792,6 @@
"triggered": "Despoletado {name}"
},
"panel": {
"calendar": {
"my_calendars": "Os meus Calendários",
"today": "Hoje"
},
"config": {
"advanced_mode": {
"hint_enable": "Falta de opções de configuração? Ativar o modo avançado em",
@ -1170,8 +909,7 @@
"label": "Ativar cena"
},
"service": {
"label": "Chamar serviço",
"service_data": "Dados para o serviço"
"label": "Chamar serviço"
},
"wait_for_trigger": {
"continue_timeout": "Continuar após tempo limite",
@ -1191,8 +929,6 @@
"blueprint": {
"blueprint_to_use": "*Blueprint* a usar",
"header": "*Blueprint*",
"inputs": "Entrada",
"manage_blueprints": "Gerir *Blueprints*",
"no_blueprints": "Não tem nenhum *blueprint*",
"no_inputs": "Este *blueprint* não tem nenhuma entrada"
},
@ -1447,7 +1183,6 @@
"header": "Importar um *Blueprint*",
"import_btn": "Pré-visualizar *blueprint*",
"import_header": "*Blueprint* \"{name}\"",
"import_introduction": "Pode importar *blueprints* de outros utilizadores pelo Github e pelo fórum da comunidade. introduza o URL do *blueprint* em baixo",
"import_introduction_link": "Você pode importar *blueprints* de outros utilizadores do Github e do {community_link} . Insira o URL do *blueprint* abaixo.",
"importing": "A carregar *blueprint*...",
"raw_blueprint": "Conteúdo do *blueprint*",
@ -1567,7 +1302,6 @@
"not_exposed_entities": "Entidades não expostas",
"title": "Alexa"
},
"caption": "Home Assistant Cloud",
"description_features": "Controle a casa quando estiver fora e integre-se com Alexa e Google Assistant",
"description_login": "Ligado como {email}",
"description_not_login": "Não está ligado",
@ -1700,7 +1434,6 @@
"pick_attribute": "Escolha um atributo para substituir.",
"picker": {
"documentation": "Documentação de configuração",
"entity": "Entidade",
"header": "Personalizações",
"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."
},
@ -1747,7 +1480,6 @@
"integration": "Integração",
"manufacturer": "Fabricante",
"model": "Modelo",
"no_area": "Sem área",
"no_devices": "Sem dispositivos"
},
"delete": "Apagar",
@ -1903,42 +1635,9 @@
"source": "Fonte:",
"system_health_error": "O componente System Health não está carregado. Adicione 'system_health:' ao configuration.yaml",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Alexa ativa",
"can_reach_cert_server": "Alcança Servidor de Certificados",
"can_reach_cloud": "Alcança Home Assistant Cloud",
"can_reach_cloud_auth": "Alcança servidor de autenticação",
"google_enabled": "Google ativo",
"logged_in": "Em linha",
"relayer_connected": "Intermediário Ligado",
"remote_connected": "Ligado remotamente",
"remote_enabled": "Remoto ativo",
"subscription_expiration": "Validade da Subscrição"
},
"homeassistant": {
"arch": "Arquitetura do CPU",
"dev": "Desenvolvimento",
"docker": "",
"hassio": "HassOS",
"installation_type": "Tipo de Instalação",
"os_name": "Nome do Sistema Operativo",
"os_version": "Versão do Sistema Operativo",
"python_version": "Versão Python",
"timezone": "Fuso horário",
"version": "Versão",
"virtualenv": "Ambiente Virtual"
},
"lovelace": {
"dashboards": "Dashboards",
"mode": "Modo",
"resources": "Recursos"
}
},
"manage": "Gerir",
"more_info": "mais informações"
},
"title": "Informações"
}
},
"integration_panel_move": {
"link_integration_page": "Página de Integrações",
@ -1952,7 +1651,6 @@
"config_entry": {
"area": "Em {area}",
"delete": "Eliminar",
"delete_button": "Apagar {integration}",
"delete_confirm": "Tem a certeza que pretende apagar esta integração?",
"device_unavailable": "Dispositivo indisponível",
"devices": "{count} {count, plural,\n one {dispositivo}\n other {dispositivos}\n}",
@ -1963,8 +1661,6 @@
"hub": "Conectado via",
"manuf": "por {manufacturer}",
"no_area": "Nenhuma Área",
"no_device": "Entidades sem dispositivos",
"no_devices": "Esta integração não possui dispositivos.",
"options": "Opções",
"reload": "Recarregar",
"reload_confirm": "A integração foi recarregada",
@ -1972,9 +1668,7 @@
"rename": "Renomear",
"restart_confirm": "Reinicie o Home Assistant para concluir a remoção desta integração",
"services": "{count} {count, plural,\n one {serviço}\n other {serviços}\n}",
"settings_button": "Editar configurações para {integration}",
"system_options": "Opções do sistema",
"system_options_button": "Opções do sistema para {integration}",
"unnamed_entry": "Entrada sem nome"
},
"config_flow": {
@ -2034,8 +1728,7 @@
"multiple_messages": "mensagem ocorreu primeiro em {time} e repetiu-se {counter} vezes",
"no_errors": "Nenhum erro foi reportado.",
"no_issues": "Não há novos problemas!",
"refresh": "Atualizar",
"title": "Logs"
"refresh": "Atualizar"
},
"lovelace": {
"caption": "Painéis Lovelace",
@ -2366,8 +2059,7 @@
"learn_more": "Saber mais sobre scripts",
"no_scripts": "Não foi possível encontrar nenhum script editável",
"run_script": "Executar script",
"show_info": "Mostrar informações sobre o script",
"trigger_script": "Despoletar script"
"show_info": "Mostrar informações sobre o script"
}
},
"server_control": {
@ -2461,11 +2153,9 @@
"add_user": {
"caption": "Adicionar Utilizador",
"create": "Criar",
"name": "Nome",
"password": "Palavra-passe",
"password_confirm": "Confirme a Senha",
"password_not_match": "As palavras-passe não coincidem",
"username": "Nome de Utilizador"
"password_not_match": "As palavras-passe não coincidem"
},
"caption": "Utilizadores",
"description": "Gerir as contas de utilizador do Home Assistant",
@ -2509,19 +2199,12 @@
"add_device": "Adicionar Dispositivo",
"add_device_page": {
"discovered_text": "Os dispositivos aparecem aqui uma vez descobertos.",
"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",
"no_devices_found": "Nenhum dispositivo encontrado, verifique se eles estão no modo de emparelhamento e mantenha-os acordados enquanto a descoberta está em execução.",
"pairing_mode": "Verifique se seus dispositivos estão no modo de emparelhamento. Verifique as instruções do seu dispositivo sobre como fazer isso.",
"search_again": "Pesquisar Novamente",
"spinner": "À procura de dispositivos ZHA Zigbee..."
},
"add": {
"caption": "Adicionar Dispositivos",
"description": "Adicionar dispositivos à rede Zigbee"
},
"button": "Configurar",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "Atributos do cluster selecionado",
"get_zigbee_attribute": "Obter atributo Zigbee",
@ -2545,13 +2228,10 @@
"introduction": "Os Clusters são os blocos de construção da funcionalidade Zigbee. Eles separam a funcionalidade em unidades lógicas. Existem do tipo cliente e servidor e são compostos de atributos e comandos."
},
"common": {
"add_devices": "Adicionar dispositivos",
"clusters": "Clusters",
"devices": "Dispositivos",
"manufacturer_code_override": "Substituição do código do fabricante",
"value": "Valor"
},
"description": "Gestão de rede Zigbee Home Automation",
"device_pairing_card": {
"CONFIGURED": "Configuração Completa",
"CONFIGURED_status_text": "A inicializar",
@ -2562,9 +2242,6 @@
"PAIRED": "Dispositivo encontrado",
"PAIRED_status_text": "A iniciar entrevista"
},
"devices": {
"header": "Zigbee Home Automation - Dispositivo"
},
"group_binding": {
"bind_button_help": "Vincule o grupo selecionado aos clusters de dispositivos selecionados.",
"bind_button_label": "Vincular grupo",
@ -2579,48 +2256,24 @@
"groups": {
"add_group": "Adicionar grupo",
"add_members": "Adicionar membros",
"adding_members": "A Adicionar membros",
"caption": "Grupos",
"create": "Criar grupo",
"create_group": "Zigbee Home Automation - Criar grupo",
"create_group_details": "Digite os detalhes necessários para criar um novo grupo zigbee",
"creating_group": "Criação de grupo",
"description": "Gerir grupos Zigbee",
"group_details": "Aqui estão todos os detalhes do grupo Zigbee selecionado.",
"group_id": "ID do grupo",
"group_info": "Informações sobre o grupo",
"group_name_placeholder": "Nome do Grupo",
"group_not_found": "Grupo não encontrado!",
"group-header": "Zigbee Home Automation - Detalhes do grupo",
"groups": "Grupos",
"groups-header": "Zigbee Home Automation - Gestão de Grupos",
"header": "Zigbee Home Automation - Gestão de Grupos",
"introduction": "Criar e modificar grupos zigbee",
"manage_groups": "Gerir Grupos Zigbee",
"members": "Membros",
"remove_groups": "Remover grupos",
"remove_members": "Remover membros",
"removing_groups": "A remover grupos",
"removing_members": "A remover de membros",
"zha_zigbee_groups": "Grupos ZHA Zigbee"
},
"header": "Configurar a automação residencial Zigbee",
"introduction": "Aqui é possível configurar o componente ZHA. Ainda não é possível configurar tudo a partir do IU, mas estamos a trabalhar nisso.",
"network_management": {
"header": "Gestão ",
"introduction": "Comandos que afetam toda a rede"
"removing_members": "A remover de membros"
},
"network": {
"caption": "Rede"
},
"node_management": {
"header": "Gestão dispositivos",
"help_node_dropdown": "Selecione um dispositivo para visualizar as opções por dispositivo.",
"hint_battery_devices": "Nota: Os dispositivos que entram em modo \"sleep\" (alimentados a bateria) precisam estar activos ao executar comandos sobre eles. Geralmente é possível \"acordar\" um dispositivo em modo\"sleep\" acionando-o.",
"hint_wakeup": "Alguns dispositivos, como os sensores Xiaomi, têm um botão de ativação que você pode pressionar em intervalos de ~ 5 segundos para manter os dispositivos acordados enquanto você interage com eles.",
"introduction": "Execute comandos ZHA que afetem um único dispositivo. Escolha um dispositivo para ver uma lista de comandos disponíveis."
},
"title": "Automação residencial zigbee",
"visualization": {
"caption": "Visualização",
"header": "Visualização de rede",
@ -2685,7 +2338,6 @@
"header": "Gerir a sua rede Z-Wave",
"home_id": "ID de Casa",
"introduction": "Gerir a sua rede Z-Wave e respetivos nós",
"node_count": "Nº de nós",
"nodes_ready": "Nós prontos",
"server_version": "Versão do servidor"
},
@ -2718,7 +2370,6 @@
},
"zwave": {
"button": "Configurar UI",
"caption": "Z-Wave",
"common": {
"index": "Índice",
"instance": "Instância",
@ -2836,17 +2487,12 @@
"type": "Tipo de Evento"
},
"services": {
"alert_parsing_yaml": "Erro na análise de YAML: {data}",
"call_service": "Chamar serviço",
"column_description": "Descrição",
"column_example": "Exemplo",
"column_parameter": "Parâmetro",
"data": "Dados do serviço (YAML, opcional)",
"description": "A ferramenta serviços, permite-lhe chamar qualquer serviço disponível no Home Assistant.",
"fill_example_data": "Preencher com dados do exemplo",
"no_description": "Nenhuma descrição disponível",
"no_parameters": "Este serviço não necessita de parâmetros.",
"select_service": "Selecione um serviço para ver a descrição",
"title": "Serviços"
},
"states": {
@ -2887,25 +2533,20 @@
}
},
"history": {
"period": "Período",
"ranges": {
"last_week": "Semana passada",
"this_week": "Esta semana",
"today": "Hoje",
"yesterday": "Ontem"
},
"showing_entries": "Mostrar valores para"
}
},
"logbook": {
"entries_not_found": "Sem registos no diário de bordo",
"period": "Período",
"ranges": {
"last_week": "Semana passada",
"this_week": "Esta semana",
"today": "Hoje",
"yesterday": "Ontem"
},
"showing_entries": "Mostrar valores para"
}
},
"lovelace": {
"add_entities": {
@ -2914,7 +2555,6 @@
"yaml_unsupported": "Você não pode usar esta função ao usar o Lovelace IU no modo YAML."
},
"cards": {
"action_confirmation": "Tem a certeza que quer executar a ação \"{action}\"?",
"actions": {
"no_entity_toggle": "Nenhuma entidade fornecida para alternar",
"no_navigation_path": "Nenhum caminho de navegação especificado",
@ -2950,13 +2590,11 @@
"reorder_items": "Reordenar itens"
},
"starting": {
"description": "Home Assistant está a inicializar, por favor aguarde...",
"header": "Home Assistant está a inicializar..."
"description": "Home Assistant está a inicializar, por favor aguarde..."
}
},
"changed_toast": {
"message": "A configuração do Lovelace foi atualizada para este painel, gostaria de atualizar para verificar as alterações?",
"refresh": "Atualizar"
"message": "A configuração do Lovelace foi atualizada para este painel, gostaria de atualizar para verificar as alterações?"
},
"components": {
"timestamp-display": {
@ -2975,7 +2613,6 @@
"toggle": "Alternar",
"url": "URL"
},
"editor_service_data": "Os dados de serviço só podem ser inseridos no editor de código",
"navigation_path": "URL de navegação",
"url_path": "Endereço URL"
},
@ -3173,7 +2810,6 @@
},
"sensor": {
"description": "O cartão Sensor dá-lhe uma visão rápida do estado dos seus sensores com um gráfico opcional para visualizar a mudança ao longo do tempo.",
"graph_detail": "Detalhe do Gráfico",
"graph_type": "Tipo De Gráfico",
"name": "Sensor",
"show_more_detail": "Mostrar mais detalhes"
@ -3344,7 +2980,6 @@
"configure_ui": "Configurar Painel",
"exit_edit_mode": "Sair do modo de edição do IU",
"help": "Ajuda",
"refresh": "Atualizar",
"reload_resources": "Recarregar recursos",
"start_conversation": "Iniciar conversa"
},
@ -3463,8 +3098,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "O seu computador não está na lista de endereços permitidos.",
"not_whitelisted": "O seu computador não está na lista de endereços permitidos."
"not_allowed": "O seu computador não está na lista de endereços permitidos."
},
"step": {
"init": {
@ -3616,15 +3250,12 @@
"create": "Criar Token",
"create_failed": "Falha ao criar o token de acesso.",
"created": "Criado em {date}",
"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.",
"name": "Nome",
"not_used": "Nunca foi utilizado",
"prompt_copy_token": "Copie o seu token de acesso. Não será mostrado novamente.",
"prompt_name": "Nome?"
},
@ -3689,11 +3320,6 @@
},
"shopping_list": {
"start_conversation": "Iniciar conversa"
},
"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”"
}
},
"sidebar": {

View File

@ -94,253 +94,11 @@
}
},
"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",
"pending": "În așteptare",
"triggered": "Declanșat"
},
"automation": {
"off": "Oprit",
"on": "Pornit"
},
"binary_sensor": {
"battery": {
"off": "Normal",
"on": "Scăzută"
},
"cold": {
"off": "Normal",
"on": "Rece"
},
"connectivity": {
"off": "Deconectat",
"on": "Conectat"
},
"default": {
"off": "Oprit",
"on": "Pornit"
},
"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": "Detectat"
},
"occupancy": {
"off": "Liber",
"on": "Detectat"
},
"opening": {
"off": "Închis",
"on": "Deschis"
},
"presence": {
"off": "Plecat",
"on": "Acasă"
},
"problem": {
"off": "OK",
"on": "Problemă"
},
"safety": {
"off": "Sigur",
"on": "Nesigur"
},
"smoke": {
"off": "Liber",
"on": "Detectat"
},
"sound": {
"off": "Liber",
"on": "Detectat"
},
"vibration": {
"off": "Liber",
"on": "Detectat"
},
"window": {
"off": "Închis",
"on": "Deschis"
}
},
"calendar": {
"off": "Oprit",
"on": "Pornit"
},
"camera": {
"idle": "Inactiv",
"recording": "Înregistrare",
"streaming": "Streaming"
},
"climate": {
"cool": "Rece",
"dry": "Uscat",
"fan_only": "Numai ventilator",
"heat": "Căldură",
"heat_cool": "Încălzire / Răcire",
"off": "Oprit"
},
"configurator": {
"configure": "Configurează",
"configured": "Configurat"
},
"cover": {
"closed": "Închis",
"closing": "Se închide",
"open": "Deschis",
"opening": "Se deschide",
"stopped": "Oprit"
},
"default": {
"off": "Oprit",
"on": "Pornit",
"unavailable": "Indisponibil",
"unknown": "Necunoscut"
},
"device_tracker": {
"not_home": "Plecat"
},
"fan": {
"off": "Oprit",
"on": "Pornit"
},
"group": {
"closed": "Închis",
"closing": "Se închide",
"home": "Acasă",
"locked": "Blocat",
"not_home": "Plecat",
"off": "Oprit",
"ok": "OK",
"on": "Pornit",
"open": "Deschis",
"opening": "Se deschide",
"problem": "Problemă",
"stopped": "Oprit",
"unlocked": "Deblocat"
},
"input_boolean": {
"off": "Oprit",
"on": "Pornit"
},
"light": {
"off": "Oprit",
"on": "Pornit"
},
"lock": {
"locked": "Blocat",
"unlocked": "Deblocat"
},
"media_player": {
"idle": "Inactiv",
"off": "Oprit",
"on": "Pornit",
"paused": "În pauză",
"playing": "Rulează",
"standby": "În așteptare"
},
"person": {
"home": "Acasă"
},
"plant": {
"ok": "OK",
"problem": "Problemă"
},
"remote": {
"off": "Oprit",
"on": "Pornit"
},
"scene": {
"scening": "Scenare"
},
"script": {
"off": "Oprit",
"on": "Pornit"
},
"sensor": {
"off": "Oprit",
"on": "Pornit"
},
"sun": {
"above_horizon": "Deasupra orizontului",
"below_horizon": "Sub orizont"
},
"switch": {
"off": "Oprit",
"on": "Pornit"
},
"timer": {
"active": "activ",
"idle": "inactiv",
"paused": "În pauză"
},
"vacuum": {
"cleaning": "Curățare",
"docked": "Andocat",
"error": "Eroare",
"idle": "Inactiv",
"off": "Oprit",
"on": "Pornit",
"paused": "Întrerupt",
"returning": "În curs de întoarcere la doc"
},
"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": "Vânt",
"windy-variant": "Vânt"
},
"zwave": {
"default": {
"dead": "Inactiv",
"initializing": "Se inițializează",
"ready": "Gata",
"sleeping": "Adormit"
},
"query_stage": {
"dead": "Inactiv ({query_stage})",
"initializing": "Se inițializează ({query_stage})"
}
}
},
"ui": {
@ -440,8 +198,7 @@
},
"script": {
"cancel": "Anulare",
"cancel_multiple": "Anulați {number}",
"execute": "Execută"
"cancel_multiple": "Anulați {number}"
},
"service": {
"run": "Rulați"
@ -619,7 +376,6 @@
},
"media-browser": {
"audio_not_supported": "Browserul dvs. nu acceptă elementul audio.",
"choose-source": "Alegeți sursa",
"class": {
"album": "Album",
"app": "Aplicație",
@ -642,13 +398,6 @@
"url": "URL",
"video": "Video"
},
"content-type": {
"album": "Album",
"artist": "Artist",
"library": "Bibliotecă",
"playlist": "Listă de redare",
"server": "Server"
},
"documentation": "documentație",
"local_media_files": "Plasați fișierele video, audio și imagini în directorul media pentru a le putea naviga și reda în browser sau pe playere media acceptate.",
"media_player": "Media Player",
@ -683,7 +432,6 @@
"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}",
"future_duration": {
"day": "În {count} {count, plural,\n one {zi}\n other {zile}\n}",
"hour": "În {count} {count, plural,\n one {oră}\n other {ore}\n}",
@ -693,7 +441,6 @@
},
"just_now": "Chiar acum",
"never": "Niciodată",
"past": "{time} în urmă",
"past_duration": {
"day": "acum {count} {count, plural,\n one {zi}\n other {zile}\n}",
"hour": "acum {count} {count, plural,\n one {oră}\n other {ore}\n}",
@ -898,7 +645,6 @@
"integrations": "Integrări",
"logs": "Jurnale",
"navigate_to": "Navigați la {panel}",
"navigate_to_config": "Navigați la configurația {panel}",
"person": "Persoane",
"scene": "Scene",
"script": "Scripturi",
@ -960,9 +706,7 @@
},
"unknown": "Necunoscut",
"zha_device_card": {
"area_picker_label": "Zonă",
"device_name_placeholder": "Schimbați numele dispozitivului",
"update_name_button": "Actualizați numele"
"device_name_placeholder": "Schimbați numele dispozitivului"
}
}
},
@ -1006,10 +750,6 @@
"triggered": "Declanșat {name}"
},
"panel": {
"calendar": {
"my_calendars": "Calendarele mele",
"today": "Astăzi"
},
"config": {
"advanced_mode": {
"hint_enable": "Lipsesc opțiuni de configurare? Activați modul avansat",
@ -1126,8 +866,7 @@
"label": "Activare scenă"
},
"service": {
"label": "Apelați serviciul",
"service_data": "Date serviciu"
"label": "Apelați serviciul"
},
"wait_for_trigger": {
"continue_timeout": "Continuă la timeout",
@ -1147,8 +886,6 @@
"blueprint": {
"blueprint_to_use": "Plan de utilizat",
"header": "Plan",
"inputs": "Intrări",
"manage_blueprints": "Gestionați planurile",
"no_blueprints": "Nu aveți niciun plan.",
"no_inputs": "Acest plan nu are intrări."
},
@ -1397,7 +1134,6 @@
"header": "Importați un plan",
"import_btn": "Previzualizați planul",
"import_header": "Planul „{name}”",
"import_introduction": "Puteți importa planuri ale altor utilizatori din Github și din forumurile comunității. Introduceți mai jos adresa URL a planului.",
"import_introduction_link": "Puteți importa planuri ale altor utilizatori din Github și din {community_link}. Introduceți mai jos adresa URL a planului.",
"importing": "Se încarcă planul...",
"raw_blueprint": "Conținutul planului",
@ -1515,7 +1251,6 @@
"not_exposed_entities": "Entități neexpuse",
"title": "Alexa"
},
"caption": "Home Assistant Cloud",
"description_features": "Controlați-vă casa de la distanță și integrați Alexa și Asistentul Google.",
"description_login": "Conectat ca {email}",
"description_not_login": "Nu v-ați conectat",
@ -1647,7 +1382,6 @@
"pick_attribute": "Alegeți un atribut pentru a suprascrie",
"picker": {
"documentation": "Documentație de personalizare",
"entity": "Entitate",
"header": "Personalizări",
"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ă."
},
@ -1693,7 +1427,6 @@
"integration": "Integrare",
"manufacturer": "Producător",
"model": "Model",
"no_area": "Nicio zonă",
"no_devices": "Nu există dispozitive"
},
"delete": "Șterge",
@ -1845,40 +1578,9 @@
"server": "Server",
"source": "Sursă:",
"system_health": {
"checks": {
"cloud": {
"can_reach_cert_server": "Accesați serverul de certificate",
"can_reach_cloud": "Accesați Cloud Asistent Cloud",
"can_reach_cloud_auth": "Accesați serverul de autentificare",
"google_enabled": "Google activat",
"logged_in": "Conectat",
"remote_connected": "Conectat la distanță",
"remote_enabled": "Activat la distanță",
"subscription_expiration": "Expirarea abonamentului"
},
"homeassistant": {
"arch": "Arhitectura CPU",
"dev": "Dezvoltare",
"docker": "Docker",
"hassio": "HassOS",
"installation_type": "Tipul de instalare",
"os_name": "Numele sistemului de operare",
"os_version": "Versiunea sistemului de operare",
"python_version": "Versiunea Python",
"timezone": "Fus orar",
"version": "Versiune",
"virtualenv": "Mediu virtual"
},
"lovelace": {
"dashboards": "Tablouri de bord",
"mode": "Mod",
"resources": "Resurse"
}
},
"manage": "Administrați",
"more_info": "mai multe informații"
},
"title": "Info"
}
},
"integration_panel_move": {
"link_integration_page": "Pagina de integrari",
@ -1891,7 +1593,6 @@
"config_entry": {
"area": "În {area}",
"delete": "Șterge",
"delete_button": "Ștergeți {integration}",
"delete_confirm": "Sigur doriți să ștergeți această integrare?",
"device_unavailable": "Dispozitiv indisponibil",
"devices": "{count} {count, plural,\n one {dispozitiv}\n other {dispozitive}\n}",
@ -1902,8 +1603,6 @@
"hub": "Conectat prin",
"manuf": "de {manufacturer}",
"no_area": "Nicio zonă",
"no_device": "Entități fără dispozitive",
"no_devices": "Această integrare nu are dispozitive.",
"options": "Opțiuni",
"reload": "Reîncărcați",
"reload_confirm": "Integrarea a fost reîncărcată",
@ -1911,9 +1610,7 @@
"rename": "Redenumiți",
"restart_confirm": "Reporniți Home Assistant pentru a termina eliminarea acestei integrări",
"services": "{count} {count, plural,\n one {serviciu}\n other {servicii}\n}",
"settings_button": "Modificați setările pentru {integration}",
"system_options": "Opțiuni de sistem",
"system_options_button": "Opțiuni de sistem pentru {integration}",
"unnamed_entry": "Intrare anonimă"
},
"config_flow": {
@ -1974,8 +1671,7 @@
"multiple_messages": "mesajul a apărut prima dată pe {time} și apare de {counter} ori",
"no_errors": "Nu au fost raportate erori.",
"no_issues": "Nu există probleme noi!",
"refresh": "Reîmprospătare",
"title": "Jurnale"
"refresh": "Reîmprospătare"
},
"lovelace": {
"caption": "Panouri de bord Lovelace",
@ -2290,8 +1986,7 @@
"learn_more": "Aflați mai multe despre scripturi",
"no_scripts": "Nu am putut găsi niciun script modificabil",
"run_script": "Rulați scriptul",
"show_info": "Afișează informații despre script",
"trigger_script": "Script activator"
"show_info": "Afișează informații despre script"
}
},
"server_control": {
@ -2367,11 +2062,9 @@
"add_user": {
"caption": "Adăugați utilizator",
"create": "Creează",
"name": "Nume",
"password": "Parolă",
"password_confirm": "Confirmați parola",
"password_not_match": "Parolele nu se potrivesc",
"username": "Nume de utilizator"
"password_not_match": "Parolele nu se potrivesc"
},
"caption": "Utilizatori",
"description": "Gestionați conturile de utilizator Home Assistant",
@ -2415,19 +2108,12 @@
"add_device": "Adăugați dispozitiv",
"add_device_page": {
"discovered_text": "Dispozitivele vor apărea aici odată descoperite.",
"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",
"no_devices_found": "Nu s-au găsit dispozitive, asigurați-vă că sunt în modul de împerechere și mențineți-le active în timp ce descoperirea rulează.",
"pairing_mode": "Asigurați-vă că dispozitivele dvs. sunt în modul de asociere. Consultați instrucțiunile dispozitivului dvs. despre cum să faceți acest lucru.",
"search_again": "Caută din nou",
"spinner": "Se caută dispozitive ZHA Zigbee..."
},
"add": {
"caption": "Adăugați dispozitive",
"description": "Adăugați dispozitive în rețeaua Zigbee"
},
"button": "Configurează",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "Atributele clusterului selectat",
"get_zigbee_attribute": "Obțineți atributul Zigbee",
@ -2449,13 +2135,10 @@
"introduction": "Clusterele sunt blocurile pentru funcționalitatea Zigbee. Ele separă funcționalitatea în unități logice. Există tipuri client și server și sunt alcătuite din atribute și comenzi."
},
"common": {
"add_devices": "Adaugă dispozitive",
"clusters": "Clustere",
"devices": "Dispozitivele",
"manufacturer_code_override": "Suprascriere cod producător",
"value": "Valoare"
},
"description": "Managementul rețelei Zigbee Home Automation",
"device_pairing_card": {
"CONFIGURED": "Configurare terminată",
"CONFIGURED_status_text": "Inițializare",
@ -2466,9 +2149,6 @@
"PAIRED": "Dispozitiv găsit",
"PAIRED_status_text": "Începe intervievarea"
},
"devices": {
"header": "Zigbee Home Automation - Dispozitiv"
},
"group_binding": {
"bind_button_help": "Conectează grupul selectat cu grupurile de dispozitive selectate.",
"bind_button_label": "Legați grupul",
@ -2483,46 +2163,24 @@
"groups": {
"add_group": "Adăugați grup",
"add_members": "Adăugați membri",
"adding_members": "Adaug membri",
"caption": "Grupuri",
"create": "Creare Grup",
"create_group": "Zigbee Home Automation - Creare grup",
"create_group_details": "Introduceți detaliile necesare pentru a crea un nou grup Zigbee",
"creating_group": "Creez grupul",
"description": "Gestionați grupurile Zigbee",
"group_details": "Iată toate detaliile pentru grupul Zigbee selectat.",
"group_id": "ID grup",
"group_info": "Informații despre grup",
"group_name_placeholder": "Numele Grupului",
"group_not_found": "Grupul nu a fost găsit!",
"group-header": "Zigbee Home Automation - Detalii despre grup",
"groups": "Grupuri",
"groups-header": "Zigbee Home Automation - Managementul grupului",
"header": "Zigbee Home Automation - Managementul grupului",
"introduction": "Creați și modificați grupuri Zigbee",
"manage_groups": "Gestionați grupurile Zigbee",
"members": "Membri",
"remove_groups": "Eliminați grupurile",
"remove_members": "Eliminați membrii",
"removing_groups": "Elimin grupurile",
"removing_members": "Elimin membri",
"zha_zigbee_groups": "Grupuri ZHA Zigbee"
},
"header": "Configurați automatizarea Zigbee Home",
"introduction": "Aici este posibil să configurați componenta ZHA. Nu totul este posibil pentru a configura din interfeței de utilizator încă, dar lucrăm la asta.",
"network_management": {
"header": "Administrare rețea",
"introduction": "Comenzi care afectează întreaga rețea"
"removing_members": "Elimin membri"
},
"network": {
"caption": "Rețea"
},
"node_management": {
"header": "Gestionare dispozitive",
"help_node_dropdown": "Selectați un dispozitiv pentru a vizualiza opțiunile pentru fiecare dispozitiv.",
"introduction": "Executați comenzi ZHA care afectează un singur dispozitiv. Alegeți un dispozitiv pentru a vedea o listă de comenzi disponibile."
},
"title": "Automatizare Zigbee Home",
"visualization": {
"caption": "Vizualizare",
"header": "Vizualizare rețea",
@ -2586,7 +2244,6 @@
"header": "Gestionați-vă rețeaua Z-Wave",
"home_id": "ID domiciliu",
"introduction": "Gestionați rețeaua Z-Wave și nodurile Z-Wave",
"node_count": "Numărul de noduri",
"server_version": "Versiunea serverului"
},
"device_info": {
@ -2612,7 +2269,6 @@
},
"zwave": {
"button": "Configurează",
"caption": "Z-Wave",
"common": {
"index": "Index",
"instance": "Instanţă",
@ -2725,17 +2381,12 @@
"type": "Tip eveniment"
},
"services": {
"alert_parsing_yaml": "Eroare la analizarea YAML: {data}",
"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": "Nu este disponibilă nicio descriere",
"no_parameters": "Acest serviciu nu are parametri.",
"select_service": "Alegeți un serviciu pentru a vizualiza descrierea",
"title": "Servicii"
},
"states": {
@ -2776,25 +2427,20 @@
}
},
"history": {
"period": "Perioadă",
"ranges": {
"last_week": "Săptămâna trecută",
"this_week": "Săptămâna aceasta",
"today": "Astăzi",
"yesterday": "Ieri"
},
"showing_entries": "Se afișează intrările pentru"
}
},
"logbook": {
"entries_not_found": "Nu s-au găsit intrări în jurnal.",
"period": "Perioadă",
"ranges": {
"last_week": "Săptămâna trecută",
"this_week": "Săptămâna aceasta",
"today": "Astăzi",
"yesterday": "Ieri"
},
"showing_entries": "Afișează intrări pentru"
}
},
"lovelace": {
"add_entities": {
@ -2803,7 +2449,6 @@
"yaml_unsupported": "Nu se poate utiliza această funcție atunci când utilizați interfața de utilizator Lovelace în modul YAML."
},
"cards": {
"action_confirmation": "Sunteți sigur că doriți să efectuați acțiunea \"{action}\"?",
"actions": {
"action_confirmation": "Sunteți sigur că doriți să efectuați acțiunea \"{action}\"?"
},
@ -2836,13 +2481,11 @@
"reorder_items": "Reordonați articolele"
},
"starting": {
"description": "Home Assistant pornește, vă rugăm să așteptați...",
"header": "Home Assistant pornește..."
"description": "Home Assistant pornește, vă rugăm să așteptați..."
}
},
"changed_toast": {
"message": "Configurația interfeței de utilizator Lovelace a fost actualizată. Reîmprospătați pentru a vedea modificările?",
"refresh": "Reîmprospătați"
"message": "Configurația interfeței de utilizator Lovelace a fost actualizată. Reîmprospătați pentru a vedea modificările?"
},
"components": {
"timestamp-display": {
@ -3033,7 +2676,6 @@
},
"sensor": {
"description": "Cardul senzor vă oferă o imagine de ansamblu rapidă a stării senzorilor cu un grafic opțional pentru a vizualiza schimbarea în timp.",
"graph_detail": "Detaliu grafic",
"graph_type": "Tip grafic",
"name": "Senzor",
"show_more_detail": "Afișați mai multe detalii"
@ -3202,7 +2844,6 @@
"configure_ui": "Configurați interfața utilizator",
"exit_edit_mode": "Ieșiți din modul de modificare a interfeței de utilizator",
"help": "Ajutor",
"refresh": "Reîmprospătați",
"reload_resources": "Reîncărcare resurse",
"start_conversation": "Începeți conversația"
},
@ -3326,8 +2967,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "Calculatorul dvs. nu este permis.",
"not_whitelisted": "Calculatorul dvs. nu este pe lista albă."
"not_allowed": "Calculatorul dvs. nu este permis."
},
"step": {
"init": {
@ -3478,15 +3118,12 @@
"create": "Creați Token",
"create_failed": "Crearea token-ului de acces nu a reușit.",
"created": "Creat în {date}",
"created_at": "Creat la {date}",
"delete_failed": "Ștergerea token-ului de acces nu a reușit.",
"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 creare. Următoarele token-uri de acces de lungă durată sunt active la ora actuală.",
"empty_state": "Nu aveți tokenuri de acces de lungă durată deocamdata",
"header": "Token-uri de acces de lungă durată",
"last_used": "Ultima utilizare la {date} din {location}",
"learn_auth_requests": "Aflați cum să faceți cereri autentificate.",
"name": "Nume",
"not_used": "Nu a fost folosit niciodată",
"prompt_copy_token": "Copiați token-ul de acces. Aceasta nu va mai fi afișat.",
"prompt_name": "Dați un nume token-ului"
},
@ -3550,11 +3187,6 @@
},
"shopping_list": {
"start_conversation": "Începeți conversația"
},
"shopping-list": {
"add_item": "Adăugați element",
"clear_completed": "Golire terminată",
"microphone_tip": "Atingeți microfonul din partea dreaptă sus și rostiți \"Add candy to my shopping list\""
}
},
"sidebar": {

View File

@ -95,253 +95,11 @@
}
},
"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": "Вкл"
},
"door": {
"off": "Закрыта",
"on": "Открыта"
},
"garage_door": {
"off": "Закрыты",
"on": "Открыты"
},
"gas": {
"off": "Не обнаружен",
"on": "Обнаружен"
},
"heat": {
"off": "Норма",
"on": "Нагрев"
},
"lock": {
"off": "Закрыт",
"on": "Открыт"
},
"moisture": {
"off": "Сухо",
"on": "Влажно"
},
"motion": {
"off": "Нет движения ",
"on": "Движение"
},
"occupancy": {
"off": "Не обнаружено",
"on": "Обнаружено"
},
"opening": {
"off": "Закрыто",
"on": "Открыто"
},
"presence": {
"off": "Не дома",
"on": "Дома"
},
"problem": {
"off": "ОК",
"on": "Проблема"
},
"safety": {
"off": "Безопасно",
"on": "Небезопасно"
},
"smoke": {
"off": "Нет дыма",
"on": "Дым"
},
"sound": {
"off": "Не обнаружен",
"on": "Обнаружен"
},
"vibration": {
"off": "Не обнаружена",
"on": "Обнаружена"
},
"window": {
"off": "Закрыто",
"on": "Открыто"
}
},
"calendar": {
"off": "Выкл",
"on": "Вкл"
},
"camera": {
"idle": "Бездействие",
"recording": "Запись",
"streaming": "Трансляция"
},
"climate": {
"cool": "Охлаждение",
"dry": "Осушение",
"fan_only": "Вентиляция",
"heat": "Обогрев",
"heat_cool": "Обогрев / Охлаждение",
"off": "Выкл"
},
"configurator": {
"configure": "Настроить",
"configured": "Настроено"
},
"cover": {
"closed": "Закрыто",
"closing": "Закрывается",
"open": "Открыто",
"opening": "Открывается",
"stopped": "Остановлено"
},
"default": {
"off": "Выкл",
"on": "Вкл",
"unavailable": "Недоступно",
"unknown": "Неизвестно"
},
"device_tracker": {
"not_home": "Не дома"
},
"fan": {
"off": "Выкл",
"on": "Вкл"
},
"group": {
"closed": "Закрыто",
"closing": "Закрывается",
"home": "Дома",
"locked": "Заблокирована",
"not_home": "Не дома",
"off": "Выкл",
"ok": "ОК",
"on": "Вкл",
"open": "Открыто",
"opening": "Открывается",
"problem": "Проблема",
"stopped": "Остановлено",
"unlocked": "Разблокирована"
},
"input_boolean": {
"off": "Выкл",
"on": "Вкл"
},
"light": {
"off": "Выкл",
"on": "Вкл"
},
"lock": {
"locked": "Закрыт",
"unlocked": "Открыт"
},
"media_player": {
"idle": "Ожидание",
"off": "Выкл",
"on": "Вкл",
"paused": "Пауза",
"playing": "Воспроизведение",
"standby": "Ожидание"
},
"person": {
"home": "Дома"
},
"plant": {
"ok": "ОК",
"problem": "Проблема"
},
"remote": {
"off": "Выкл",
"on": "Вкл"
},
"scene": {
"scening": "Переход к сцене"
},
"script": {
"off": "Выкл",
"on": "Вкл"
},
"sensor": {
"off": "Выкл",
"on": "Вкл"
},
"sun": {
"above_horizon": "Над горизонтом",
"below_horizon": "За горизонтом"
},
"switch": {
"off": "Выкл",
"on": "Вкл"
},
"timer": {
"active": "Отсчёт",
"idle": "Ожидание",
"paused": "Пауза"
},
"vacuum": {
"cleaning": "Уборка",
"docked": "У док-станции",
"error": "Ошибка",
"idle": "Бездействие",
"off": "Выключен",
"on": "Включен",
"paused": "Приостановлен",
"returning": "Возвращается к док-станции"
},
"weather": {
"clear-night": "Ясно, ночь",
"cloudy": "Облачно",
"exceptional": "Предупреждение",
"fog": "Туман",
"hail": "Град",
"lightning": "Молния",
"lightning-rainy": "Молния, дождь",
"partlycloudy": "Переменная облачность",
"pouring": "Ливень",
"rainy": "Дождь",
"snowy": "Снег",
"snowy-rainy": "Снег с дождем",
"sunny": "Ясно",
"windy": "Ветрено",
"windy-variant": "Ветрено"
},
"zwave": {
"default": {
"dead": "Неисправно",
"initializing": "Инициализация",
"ready": "Готов",
"sleeping": "Режим сна"
},
"query_stage": {
"dead": "Неисправно ({query_stage})",
"initializing": "Инициализация ({query_stage})"
}
}
},
"ui": {
@ -362,7 +120,7 @@
},
"automation": {
"last_triggered": "Последний запуск",
"trigger": "Запуск"
"trigger": "Запустить действия"
},
"camera": {
"not_available": "Изображение не доступно"
@ -443,7 +201,7 @@
"script": {
"cancel": "Отменить",
"cancel_multiple": "Отменить {number}",
"execute": "Выполнить"
"run": "Запустить"
},
"service": {
"run": "Запустить"
@ -538,6 +296,19 @@
"yes": "Да"
},
"components": {
"addon-picker": {
"addon": "Дополнение",
"error": {
"fetch_addons": {
"description": "При загрузке дополнений возникла ошибка.",
"title": "Ошибка при загрузке дополнений"
},
"no_supervisor": {
"description": "Supervisor не найден, поэтому не удалось загрузить дополнения.",
"title": "Отсутствует Supervisor"
}
}
},
"area-picker": {
"add_dialog": {
"add": "Добавить",
@ -630,7 +401,6 @@
"media-browser": {
"audio_not_supported": "Ваш браузер не поддерживает аудио.",
"choose_player": "Выбор медиаплеера",
"choose-source": "Выбрать источник",
"class": {
"album": "Альбом",
"app": "Приложение",
@ -653,13 +423,6 @@
"url": "URL-адрес",
"video": "Видео"
},
"content-type": {
"album": "Альбом",
"artist": "Исполнитель",
"library": "Библиотека",
"playlist": "Плейлист",
"server": "Сервер"
},
"documentation": "документации",
"learn_adding_local_media": "Подробнее о добавлении мультимедиа читайте в {documentation}.",
"local_media_files": "Поместите видео, аудио и графические файлы в каталог мультимедиа, чтобы иметь возможность просматривать и воспроизводить их в браузере или на поддерживаемых медиаплеерах.",
@ -701,7 +464,6 @@
"second": "{count} {count, plural,\n one {сек.}\n other {сек.}\n}",
"week": "{count} {count, plural,\none {нед.}\nother {нед.}\n}"
},
"future": "через {time}",
"future_duration": {
"day": "Через {count} {count, plural,\n one {д.}\n other {д.}\n}",
"hour": "Через {count} {count, plural,\n one {ч.}\n other {ч.}\n}",
@ -711,7 +473,6 @@
},
"just_now": "Сейчас",
"never": "Никогда",
"past": "{time} назад",
"past_duration": {
"day": "{count} {count, plural,\n one {д.}\n other {д.}\n} назад",
"hour": "{count} {count, plural,\n one {ч.}\n other {ч.}\n} назад",
@ -723,8 +484,8 @@
"service-control": {
"required": "Обязательное поле",
"service_data": "Данные службы",
"target": "Цель",
"target_description": "Что эта служба должна использовать в качестве цели"
"target": "Цели",
"target_description": "Помещения, устройства или объекты, которые следует использовать в качестве целевых для этой службы."
},
"service-picker": {
"service": "Служба"
@ -733,8 +494,8 @@
"add_area_id": "Выбрать помещение",
"add_device_id": "Выбрать устройство",
"add_entity_id": "Выбрать объект",
"expand_area_id": "Разделить это помещение на отдельные устройства и объекты. После разделения устройства и объекты не будут обновляться при изменении помещения.",
"expand_device_id": "Разделить это устройство на отдельные объекты. После разделения объекты не будут обновляться при изменении устройства.",
"expand_area_id": "Разделить это помещение на отдельные дочерние устройства и объекты. После разделения устройства и объекты не будут обновляться при изменении помещения.",
"expand_device_id": "Разделить это устройство на отдельные дочерние объекты. После разделения объекты не будут обновляться при изменении устройства.",
"remove_area_id": "Удалить помещение",
"remove_device_id": "Удалить устройство",
"remove_entity_id": "Удалить объект"
@ -847,7 +608,6 @@
"crop": "Обрезать"
},
"more_info_control": {
"controls": "Управление",
"cover": {
"close_cover": "Закрыть",
"close_tile_cover": "Закрыть",
@ -932,7 +692,6 @@
"logs": "Журнал сервера",
"lovelace": "Панели Lovelace",
"navigate_to": "Открыть \"{panel}\"",
"navigate_to_config": "Перейти в раздел \"{panel}\"",
"person": "Люди",
"scene": "Сцены",
"script": "Сценарии",
@ -1015,9 +774,7 @@
},
"unknown": "Неизвестно",
"zha_device_card": {
"area_picker_label": "Помещение",
"device_name_placeholder": "Название",
"update_name_button": "Обновить название"
"device_name_placeholder": "Название"
}
}
},
@ -1061,10 +818,6 @@
"triggered": "Сработало от {name}"
},
"panel": {
"calendar": {
"my_calendars": "Мои календари",
"today": "Сегодня"
},
"config": {
"advanced_mode": {
"hint_enable": "Хотите больше параметров для конфигурирования? Активируйте расширенный режим на",
@ -1182,8 +935,7 @@
"label": "Активировать сцену"
},
"service": {
"label": "Вызов службы",
"service_data": "Данные"
"label": "Вызов службы"
},
"wait_for_trigger": {
"continue_timeout": "Продолжить по истечении времени",
@ -1203,8 +955,6 @@
"blueprint": {
"blueprint_to_use": "Используемый проект",
"header": "Проект",
"inputs": "Исходные данные",
"manage_blueprints": "Управление проектами",
"no_blueprints": "У Вас еще нет проектов.",
"no_inputs": "Для этого проекта не требуется указание исходных данных."
},
@ -1214,7 +964,7 @@
"delete_confirm": "Вы уверены, что хотите удалить?",
"duplicate": "Дублировать",
"header": "Условия",
"introduction": "Условия — это необязательная часть правила автоматизации. Действие автоматизации не будет выполнено, пока не будут удовлетворены все условия.",
"introduction": "Условия — это необязательная часть правила автоматизации. Действие автоматизации не будет запущено, пока не будут удовлетворены все условия.",
"learn_more": "Узнайте больше об условиях",
"name": "Условие",
"type_select": "Тип условия",
@ -1459,7 +1209,6 @@
"header": "Импортировать проект",
"import_btn": "Предварительный просмотр проекта",
"import_header": "Проект \"{name}\"",
"import_introduction": "Вы можете импортировать проекты других пользователей из Github и форумов сообщества. Для этого введите в этом окне URL-адрес проекта.",
"import_introduction_link": "Вы можете импортировать проекты других пользователей из Github и {community_link}. Для этого введите в этом окне URL-адрес проекта.",
"importing": "Загрузка проекта...",
"raw_blueprint": "Состав проекта",
@ -1581,7 +1330,6 @@
"not_exposed_entities": "Объекты, к которым закрыт доступ",
"title": "Alexa"
},
"caption": "Home Assistant Cloud",
"description_features": "Удалённый доступ к серверу, интеграция с Alexa и Google Assistant",
"description_login": "{email}",
"description_not_login": "Вход не выполнен",
@ -1714,7 +1462,6 @@
"pick_attribute": "Выберите атрибут",
"picker": {
"documentation": "Узнайте больше о кастомизации",
"entity": "Объект",
"header": "Кастомизация",
"introduction": "Настройка атрибутов объектов. Добавленные или изменённые настройки сразу же вступают в силу. Удалённые настройки вступят в силу после обновления объекта."
},
@ -1752,6 +1499,7 @@
"cant_edit": "Вы можете редактировать только созданные в пользовательском интерфейсе элементы.",
"caption": "Устройства",
"confirm_delete": "Вы уверены, что хотите удалить это устройство?",
"confirm_disable_config_entry": "Для записи конфигурации {entry_name} больше нет устройств. Отключить вместо этого запись конфигурации?",
"confirm_rename_entity_ids": "Хотите ли Вы также переименовать идентификаторы объектов?",
"confirm_rename_entity_ids_warning": "Переименование повлечёт за собой необходимость вручную обновлять изменённые данные в правилах автоматизации, сценариях, сценах и пользовательском интерфейсе.",
"data_table": {
@ -1761,7 +1509,6 @@
"integration": "Интеграция",
"manufacturer": "Производитель",
"model": "Модель",
"no_area": "Не указано",
"no_devices": "Нет устройств"
},
"delete": "Удалить",
@ -1865,7 +1612,8 @@
},
"filtering": {
"clear": "Очистить",
"filtering_by": "Отфильтровано по принадлежности к"
"filtering_by": "Отфильтровано по принадлежности к",
"show": "Показать"
},
"header": "Настройка Home Assistant",
"helpers": {
@ -1917,42 +1665,9 @@
"source": "Исходный код:",
"system_health_error": "Компонент System Health не загружен. Добавьте 'system_health:' в файл configuration.yaml.",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Интеграция с Alexa",
"can_reach_cert_server": "Доступ к серверу сертификатов",
"can_reach_cloud": "Доступ к Home Assistant Cloud",
"can_reach_cloud_auth": "Доступ к серверу аутентификации",
"google_enabled": "Интеграция с Google",
"logged_in": "Вход в систему",
"relayer_connected": "Relayer подключен",
"remote_connected": "Удалённый доступ подключен",
"remote_enabled": "Удалённый доступ активирован",
"subscription_expiration": "Срок действия подписки"
},
"homeassistant": {
"arch": "Архитектура ЦП",
"dev": "Среда разработки",
"docker": "Docker",
"hassio": "HassOS",
"installation_type": "Тип установки",
"os_name": "Название операционной системы",
"os_version": "Версия операционной системы",
"python_version": "Версия Python",
"timezone": "Часовой пояс",
"version": "Версия",
"virtualenv": "Виртуальное окружение"
},
"lovelace": {
"dashboards": "Панели",
"mode": "Режим",
"resources": "Ресурсы"
}
},
"manage": "Управление",
"more_info": "дополнительная информация"
},
"title": "О системе"
}
},
"integration_panel_move": {
"link_integration_page": "странице интеграций",
@ -1966,19 +1681,28 @@
"config_entry": {
"area": "Помещение: {area}",
"delete": "Удалить",
"delete_button": "Удалить интеграцию {integration}",
"delete_confirm": "Вы уверены, что хотите удалить эту интеграцию?",
"device_unavailable": "Устройство недоступно",
"devices": "{count} {count, plural,\n one {устройство}\n other {устройств}\n}",
"disable_restart_confirm": "Перезапустите Home Assistant, чтобы завершить отключение этой интеграции.",
"disable": {
"disable_confirm": "Вы уверены, что хотите отключить эту запись конфигурации? Её дочерние устройства и объекты будут также отключены.",
"disabled": "Отключено",
"disabled_by": {
"device": "Устройство",
"integration": "Интеграция",
"user": "Пользователь"
},
"disabled_cause": "Инициатор: {cause}"
},
"documentation": "Документация",
"enable_restart_confirm": "Перезапустите Home Assistant, чтобы завершить подключение этой интеграции.",
"entities": "{count} {count, plural,\n one {объект}\n other {объектов}\n}",
"entity_unavailable": "Объект недоступен",
"firmware": "Прошивка: {version}",
"hub": "Подключено через",
"manuf": "{manufacturer}",
"no_area": "Не указано",
"no_device": "Объекты без устройств",
"no_devices": "Эта интеграция не имеет устройств",
"options": "Настройки",
"reload": "Перезагрузить",
"reload_confirm": "Перезагрузка интеграции выполнена",
@ -1986,9 +1710,7 @@
"rename": "Переименовать",
"restart_confirm": "Перезапустите Home Assistant, чтобы завершить удаление этой интеграции",
"services": "{count} {count, plural,\n one {служба}\n other {служб}\n}",
"settings_button": "Настройки интеграции {integration}",
"system_options": "Настройки интеграции",
"system_options_button": "Системные параметры интеграции {integration}",
"unnamed_entry": "Без названия"
},
"config_flow": {
@ -2017,6 +1739,11 @@
"confirm_new": "Хотите начать настройку интеграции {integration}?",
"description": "Управление интеграциями с устройствами или службами",
"details": "Детали интеграции",
"disable": {
"disabled_integrations": "Отключено: {number}",
"hide_disabled": "Скрыть отключенные интеграции",
"show_disabled": "Показать отключенные интеграции"
},
"discovered": "Обнаружено",
"home_assistant_website": "сайте Home Assistant",
"ignore": {
@ -2055,8 +1782,7 @@
"multiple_messages": "первое сообщение получено {time} и повторялось {counter} раз",
"no_errors": "Нет сообщений об ошибках.",
"no_issues": "Нет сообщений о проблемах.",
"refresh": "Обновить",
"title": "Лог"
"refresh": "Обновить"
},
"lovelace": {
"caption": "Панели Lovelace",
@ -2354,7 +2080,7 @@
"id": "ID объекта",
"id_already_exists": "Этот ID уже существует",
"id_already_exists_save_error": "ID объекта не уникален, укажите другой ID или оставьте поле пустым, чтобы автоматически сгенерировать его.",
"introduction": "Используйте сценарии для выполнения последовательности действий.",
"introduction": "Используйте сценарии для запуска последовательности действий.",
"link_available_actions": "Узнайте больше о действиях",
"load_error_not_editable": "Доступны для редактирования только сценарии из scripts.yaml.",
"max": {
@ -2387,8 +2113,7 @@
"learn_more": "Узнайте больше о сценариях",
"no_scripts": "Редактируемые сценарии не найдены",
"run_script": "Запустить сценарий",
"show_info": "Показать информацию о сценарии",
"trigger_script": "Запустить сценарий"
"show_info": "Показать информацию о сценарии"
}
},
"server_control": {
@ -2482,11 +2207,9 @@
"add_user": {
"caption": "Добавить пользователя",
"create": "Добавить",
"name": "Имя",
"password": "Пароль",
"password_confirm": "Подтвердите пароль",
"password_not_match": "Пароли не совпадают",
"username": "Логин"
"password_not_match": "Пароли не совпадают"
},
"caption": "Пользователи",
"description": "Учётные записи пользователей Home Assistant",
@ -2530,19 +2253,12 @@
"add_device": "Добавить устройство",
"add_device_page": {
"discovered_text": "Устройства появятся здесь, когда будут обнаружены.",
"discovery_text": "Здесь будут отображаться обнаруженные устройства. Следуйте инструкциям для Вашего устройства, чтобы включить режим сопряжения.",
"header": "Zigbee Home Automation",
"no_devices_found": "Устройства не найдены, убедитесь, что они находятся в режиме сопряжения, и держите их активными во время обнаружения.",
"pairing_mode": "Убедитесь, что подключаемые устройства находятся в режиме сопряжения. Чтобы узнать, как активировать режим сопряжения, ознакомьтесь с инструкциями для Вашего устройства.",
"search_again": "Повторный поиск",
"spinner": "Поиск Zigbee устройств..."
},
"add": {
"caption": "Добавить устройства",
"description": "Добавить устройства в сеть Zigbee"
},
"button": "Настройки",
"caption": "Zigbee Home Automation",
"cluster_attributes": {
"attributes_of_cluster": "Атрибуты выбранного кластера",
"get_zigbee_attribute": "Получить атрибут Zigbee",
@ -2566,13 +2282,10 @@
"introduction": "Кластеры это блоки, из которых состоит функциональность устройства Zigbee. В структуре кластера существуют элементы клиента и сервера, которые состоят из атрибутов и команд."
},
"common": {
"add_devices": "Добавить устройства",
"clusters": "Кластеры",
"devices": "Устройства",
"manufacturer_code_override": "Переназначить код производителя",
"value": "Значение"
},
"description": "Управление сетью Zigbee Home Automation",
"device_pairing_card": {
"CONFIGURED": "Настройка завершена",
"CONFIGURED_status_text": "Инициализация",
@ -2583,9 +2296,6 @@
"PAIRED": "Найдено устройство",
"PAIRED_status_text": "Опрос начат"
},
"devices": {
"header": "Zigbee Home Automation - Устройство"
},
"group_binding": {
"bind_button_help": "Привяжите выбранную группу к выбранным кластерам устройств.",
"bind_button_label": "Привязать группу",
@ -2600,48 +2310,24 @@
"groups": {
"add_group": "Добавить группу",
"add_members": "Добавить участников",
"adding_members": "Добавление участников",
"caption": "Группы",
"create": "Создать группу",
"create_group": "Создание новой группы",
"create_group_details": "Укажите необходимые данные для создания новой группы Zigbee",
"creating_group": "Создание группы",
"description": "Управление группами Zigbee",
"group_details": "Здесь приведена вся доступная информация о выбранной группе Zigbee.",
"group_id": "ID группы",
"group_info": "Информация о группе",
"group_name_placeholder": "Название группы",
"group_not_found": "Группа не найдена!",
"group-header": "Zigbee Home Automation - Информация о группе",
"groups": "Группы",
"groups-header": "Zigbee Home Automation - Управление группами",
"header": "Zigbee Home Automation - Управление группами",
"introduction": "Создавайте и изменяйте группы Zigbee",
"manage_groups": "Управление группами Zigbee",
"members": "Участники",
"remove_groups": "Удалить группы",
"remove_members": "Удалить участников",
"removing_groups": "Удаляем группы",
"removing_members": "Удаление участников",
"zha_zigbee_groups": "Группы ZHA Zigbee"
},
"header": "Настройка Zigbee Home Automation",
"introduction": "Здесь можно настроить компонент ZHA. Пока что не все можно настроить из интерфейса, но мы работаем над этим.",
"network_management": {
"header": "Управление сетью",
"introduction": "Команды, которые влияют на всю сеть"
"removing_members": "Удаление участников"
},
"network": {
"caption": "Сеть"
},
"node_management": {
"header": "Управление устройством",
"help_node_dropdown": "Выберите устройство для просмотра индивидуальных параметров.",
"hint_battery_devices": "Примечание:\nСпящие (работающие от батареи) устройства должны быть активны при выполнении команд. Обычно устройство выходит из режима сна, когда срабатывает на изменение внешних условий.",
"hint_wakeup": "Некоторые устройства, такие как датчики Xiaomi, имеют кнопку пробуждения, которую Вы можете нажимать с интервалом ~ 5 секунд, чтобы держать устройства в активном состоянии во время взаимодействия с ними.",
"introduction": "Команды ZHA, которые влияют на одно устройство. Выберите устройство, чтобы увидеть список доступных команд."
},
"title": "Zigbee Home Automation",
"visualization": {
"caption": "Визуализация",
"header": "Визуализация сети",
@ -2713,7 +2399,6 @@
"header": "Управление сетью Z-Wave",
"home_id": "ID дома",
"introduction": "Управляйте сетью и отдельными узлами Z-Wave",
"node_count": "Количество узлов",
"nodes_ready": "Узлы готовы",
"server_version": "Версия сервера"
},
@ -2750,7 +2435,6 @@
},
"zwave": {
"button": "Настройки",
"caption": "Z-Wave",
"common": {
"index": "Индекс",
"instance": "Экземпляр",
@ -2870,18 +2554,13 @@
},
"services": {
"accepts_target": "Эта служба принимает целевой объект, например: `entity_id: light.bed_light`",
"alert_parsing_yaml": "Ошибка при разборе синтаксиса YAML: {data}",
"all_parameters": "Все доступные параметры",
"call_service": "Вызвать службу",
"column_description": "Описание",
"column_example": "Пример",
"column_parameter": "Параметр",
"data": "Данные службы в формате YAML (необязательно)",
"description": "Здесь Вы можете вызвать любую службу Home Assistant из списка доступных.",
"fill_example_data": "Заполнить данными из примера",
"no_description": "Описание недоступно",
"no_parameters": "Нет параметров для этой службы.",
"select_service": "Выберите службу, чтобы увидеть описание.",
"title": "Службы",
"ui_mode": "Перейти в режим формы ввода",
"yaml_mode": "Перейти в режим YAML",
@ -2890,6 +2569,7 @@
"states": {
"alert_entity_field": "Укажите объект.",
"attributes": "Атрибуты",
"copy_id": "Скопировать ID в буфер обмена",
"current_entities": "Список объектов",
"description1": "Здесь Вы можете вручную изменить состояние устройства в Home Assistant.",
"description2": "Изменённое состояние не будет синхронизировано с устройством.",
@ -2925,25 +2605,20 @@
}
},
"history": {
"period": "Период",
"ranges": {
"last_week": "Прошедшая неделя",
"this_week": "Эта неделя",
"today": "Сегодня",
"yesterday": "Вчера"
},
"showing_entries": "Отображение записей за"
}
},
"logbook": {
"entries_not_found": "В журнале нет записей.",
"period": "Период",
"ranges": {
"last_week": "Прошедшая неделя",
"this_week": "Эта неделя",
"today": "Сегодня",
"yesterday": "Вчера"
},
"showing_entries": "Отображение записей за"
}
},
"lovelace": {
"add_entities": {
@ -2952,13 +2627,12 @@
"yaml_unsupported": "Вы не можете использовать эту функцию, если пользовательский интерфейс Lovelace работает в режиме YAML."
},
"cards": {
"action_confirmation": "Вы действительно хотите выполнить действие \"{action}\"?",
"actions": {
"action_confirmation": "Вы уверены, что хотите выполнить действие \"{action}\"?",
"action_confirmation": "Вы уверены, что хотите запустить действие \"{action}\"?",
"no_entity_more_info": "Не указан объект для диалогового окна с дополнительной информацией",
"no_entity_toggle": "Не указан объект для переключения состояния",
"no_navigation_path": "Не указан путь навигации",
"no_service": "Не указана служба для выполнения",
"no_service": "Не указана служба для запуска",
"no_url": "Не указан URL-адрес"
},
"confirm_delete": "Вы уверены, что хотите удалить эту карточку?",
@ -2991,13 +2665,11 @@
"reorder_items": "Изменить порядок"
},
"starting": {
"description": "Home Assistant запускается, пожалуйста, подождите...",
"header": "Запуск Home Assistant..."
"description": "Home Assistant запускается, пожалуйста, подождите..."
}
},
"changed_toast": {
"message": "Конфигурация этой панели Lovelace была изменена, обновить страницу?",
"refresh": "Обновить"
"message": "Конфигурация этой панели Lovelace была изменена, обновить страницу?"
},
"components": {
"timestamp-display": {
@ -3016,7 +2688,6 @@
"toggle": "Переключить",
"url": "URL-адрес"
},
"editor_service_data": "Данные службы могут быть внесены только в текстовом редакторе",
"navigation_path": "Путь навигации",
"url_path": "URL-адрес"
},
@ -3214,7 +2885,6 @@
},
"sensor": {
"description": "Дает быстрый обзор состояния сенсоров. Дополнительно может отображать график для визуализации изменений во времени.",
"graph_detail": "Детализация графика",
"graph_type": "Тип графика",
"name": "Сенсор",
"show_more_detail": "Больше деталей на графике"
@ -3333,7 +3003,7 @@
"confirm_remove_config_text": "Если Вы очистите конфигурацию этой панели Lovelace, карточки с Вашими устройствами и помещениями будут создаваться автоматически.",
"confirm_remove_config_title": "Вы уверены, что хотите очистить конфигурацию пользовательского интерфейса Lovelace?",
"confirm_unsaved_changes": "У вас есть несохраненные изменения. Вы уверены, что хотите выйти?",
"confirm_unsaved_comments": "Ваша конфигурация содержит комментарии, они не будут сохранены. Вы хотите продолжить?",
"confirm_unsaved_comments": "Возможно, Ваша конфигурация содержит комментарии. Они не будут сохранены. Вы хотите продолжить?",
"error_invalid_config": "Конфигурация недействительна: {error}",
"error_parse_yaml": "Ошибка при разборе синтаксиса YAML: {error}",
"error_remove": "Не удалось удалить конфигурацию: {error}",
@ -3385,7 +3055,6 @@
"configure_ui": "Изменить панель",
"exit_edit_mode": "Выход из режима редактирования интерфейса",
"help": "Справка",
"refresh": "Обновить",
"reload_resources": "Перезагрузить ресурсы",
"start_conversation": "Начать диалог"
},
@ -3427,8 +3096,10 @@
},
"my": {
"component_not_loaded": "Это перенаправление не поддерживается Вашим Home Assistant. Настройте интеграцию \"{integration}\" для использования этого перенаправления.",
"documentation": "документацией",
"error": "Произошла неизвестная ошибка.",
"faq_link": "часто задаваемыми вопросами по My Home Assistant",
"no_supervisor": "Это перенаправление не поддерживается Вашим Home Assistant. Оно предназначено только для Home Assistant OS или Home Assistant Supervised. Для получения дополнительной информации ознакомьтесь с {docs_link}.",
"not_supported": "Это перенаправление не поддерживается Вашим Home Assistant. Ознакомьтесь с {link}, чтобы узнать поддерживаемые перенаправления и версии, в которых они были добавлены."
},
"page-authorize": {
@ -3510,8 +3181,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "Доступ с этого устройства запрещён",
"not_whitelisted": "Ваш компьютер не включён в белый список."
"not_allowed": "Доступ с этого устройства запрещён"
},
"step": {
"init": {
@ -3664,15 +3334,12 @@
"create": "Создать токен",
"create_failed": "Не удалось создать токен доступа.",
"created": "Создан {date}",
"created_at": "Создан {date}",
"delete_failed": "Не удалось удалить токен доступа.",
"description": "Создайте долгосрочные токены доступа, чтобы Ваши скрипты могли взаимодействовать с Home Assistant. Каждый токен будет действителен в течение 10 лет с момента создания. Ниже Вы можете просмотреть долгосрочные токены доступа, которые в настоящее время активны.",
"empty_state": "У Вас еще нет долгосрочных токенов доступа.",
"header": "Долгосрочные токены доступа",
"last_used": "Последнее использование {date} из {location}",
"learn_auth_requests": "Узнайте, как выполнять аутентифицированные запросы.",
"name": "Название",
"not_used": "Никогда не использовался",
"prompt_copy_token": "Скопируйте Ваш токен доступа. Он больше не будет показан.",
"prompt_name": "Название токена"
},
@ -3737,11 +3404,6 @@
},
"shopping_list": {
"start_conversation": "Начать диалог"
},
"shopping-list": {
"add_item": "Добавить элемент",
"clear_completed": "Очистить завершенные",
"microphone_tip": "Нажмите на микрофон в правом верхнем углу и скажите или напечатайте “Add candy to my shopping list”"
}
},
"sidebar": {

View File

@ -88,253 +88,11 @@
}
},
"state": {
"alarm_control_panel": {
"armed": "Aktívny",
"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",
"arming": "Aktivuje sa",
"disarmed": "Neaktívny",
"disarming": "Deaktivuje sa",
"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"
},
"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"
},
"occupancy": {
"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"
},
"sound": {
"off": "Ticho",
"on": "Zachytený zvuk"
},
"vibration": {
"off": "Kľud",
"on": "Zachytené vibrácie"
},
"window": {
"off": "Zatvorené",
"on": "Otvorené"
}
},
"calendar": {
"off": "Neaktívny",
"on": "Aktívny"
},
"camera": {
"idle": "Nečinná",
"recording": "Záznam",
"streaming": "Streamovanie"
},
"climate": {
"cool": "Chladenie",
"dry": "Sušenie",
"fan_only": "Iba ventilátor",
"heat": "Kúrenie",
"heat_cool": "Vykurovanie / Chladenie",
"off": "Vypnuté"
},
"configurator": {
"configure": "Konfigurovať",
"configured": "Nakonfigurované"
},
"cover": {
"closed": "Zatvorené",
"closing": "Zatvára sa",
"open": "Otvorené",
"opening": "Otvára sa",
"stopped": "Zastavené"
},
"default": {
"off": "Vypnutý",
"on": "Zapnutý",
"unavailable": "Nedostupný",
"unknown": "Neznámy"
},
"device_tracker": {
"not_home": "Preč"
},
"fan": {
"off": "Neaktívny",
"on": "Zapnutý"
},
"group": {
"closed": "Zatvorená",
"closing": "Zatvára sa",
"home": "Doma",
"locked": "Zamknutá",
"not_home": "Preč",
"off": "Neaktívny",
"ok": "OK",
"on": "Aktívny",
"open": "Otvorená",
"opening": "Otvára sa",
"problem": "Problém",
"stopped": "Zastavené",
"unlocked": "Odomknutá"
},
"input_boolean": {
"off": "Vypnuté",
"on": "Aktívny"
},
"light": {
"off": "Neaktívny",
"on": "Aktívny"
},
"lock": {
"locked": "Zamknutý",
"unlocked": "Odomknutý"
},
"media_player": {
"idle": "Nečinný",
"off": "Neaktívny",
"on": "Zapnutý",
"paused": "Pozastavený",
"playing": "Prehrávanie",
"standby": "Pohotovostný režim"
},
"person": {
"home": "Doma"
},
"plant": {
"ok": "OK",
"problem": "Problém"
},
"remote": {
"off": "Vypnutý",
"on": "Zapnutý"
},
"scene": {
"scening": "Scénovanie"
},
"script": {
"off": "Neaktívny",
"on": "Zapnutý"
},
"sensor": {
"off": "Neaktívny",
"on": "Zapnutý"
},
"sun": {
"above_horizon": "Nad horizontom",
"below_horizon": "Za horizontom"
},
"switch": {
"off": "Vypnutý",
"on": "Aktívny"
},
"timer": {
"active": "aktívny",
"idle": "nečinný",
"paused": "pozastavený"
},
"vacuum": {
"cleaning": "Čistí",
"docked": "V doku",
"error": "Chyba",
"idle": "Nečinný",
"off": "Vypnutý",
"on": "Zapnutý",
"paused": "Pozastavený",
"returning": "Vracia sa do doku"
},
"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"
},
"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": {
@ -423,8 +181,7 @@
"activate": "Aktivovať"
},
"script": {
"cancel": "Zrušiť",
"execute": "Vykonať"
"cancel": "Zrušiť"
},
"service": {
"run": "Spustiť"
@ -582,7 +339,6 @@
"media-browser": {
"audio_not_supported": "Váš prehliadač nepodporuje zvukový prvok.",
"choose_player": "Vyberte prehrávač",
"choose-source": "Vybrať zdroj",
"class": {
"album": "Album",
"app": "App",
@ -605,13 +361,6 @@
"url": "URL",
"video": "Video"
},
"content-type": {
"album": "Album",
"artist": "Umelec",
"library": "Knižnica",
"playlist": "Zoznam k prehratiu",
"server": "Server"
},
"documentation": "dokumentácia",
"learn_adding_local_media": "Ďalšie informácie o pridávaní médií nájdete v dokumentácii {documentation}.",
"local_media_files": "Umiestnite videosúbory, zvukové a obrazové súbory do mediálneho adresára, aby ste ich mohli prehľadávať a prehrávať v prehliadači alebo v podporovaných prehrávačoch médií.",
@ -651,13 +400,11 @@
"second": "{count} {count, plural,\none {sekunda}\nother {sekúnd}\n}",
"week": "{count} {count, plural,\none {týždeň}\nother {týždne}\n}"
},
"future": "O {time}",
"future_duration": {
"day": "Za {count} {count, plural,\n one {deň}\n other {dní}\n}",
"week": "Za {count} {count, plural,\n one {týždeň}\n other {týždňov}\n}"
},
"never": "Nikdy",
"past": "Pred {time}",
"past_duration": {
"day": "Pred {count} {count, plural,\none {dňom}\nother {dňami}\n}",
"hour": "Pred {count} {count, plural,\n one {hodinou}\n other {hodinami}\n}",
@ -757,7 +504,6 @@
"crop": "Orezať"
},
"more_info_control": {
"controls": "Ovládacie prvky",
"details": "Podrobnosti",
"dismiss": "Zrušiť dialógové okno",
"edit": "Upraviť entitu",
@ -866,9 +612,7 @@
},
"unknown": "Neznámy",
"zha_device_card": {
"area_picker_label": "Oblasť",
"device_name_placeholder": "Zmeniť názov zariadenia",
"update_name_button": "Aktualizovať názov"
"device_name_placeholder": "Zmeniť názov zariadenia"
}
}
},
@ -908,10 +652,6 @@
"triggered": "Spustené {name}"
},
"panel": {
"calendar": {
"my_calendars": "Moje kalendáre",
"today": "Dnes"
},
"config": {
"advanced_mode": {
"link_profile_page": "vaša profilová stránka"
@ -993,8 +733,7 @@
"label": "Aktivovať scénu"
},
"service": {
"label": "Zavolať službu",
"service_data": "Dáta služby"
"label": "Zavolať službu"
},
"wait_for_trigger": {
"continue_timeout": "Pokračovať po vypršaní času",
@ -1230,7 +969,6 @@
"header": "Importovať plán",
"import_btn": "Ukážka plánu",
"import_header": "Plán \"{name}\"",
"import_introduction": "Môžete importovať plány ďalších používateľov z Githubu a komunitných fór. Nižšie zadajte adresu URL plánu.",
"import_introduction_link": "Môžete importovať plány ďalších používateľov z Githubu a {community_link} . Nižšie zadajte adresu URL podrobného plánu.",
"importing": "Načítava sa plán...",
"save_btn": "Importovať plán",
@ -1318,7 +1056,6 @@
"not_exposed_entities": "Nezverejnené entity",
"title": "Alexa"
},
"caption": "Home Assistant Cloud",
"description_features": "Ovládajte svoj domov, keď ste preč, a integrujte ho s Alexa a Google Assistant",
"description_login": "Prihlásený ako {email}",
"description_not_login": "Neprihlásený",
@ -1480,7 +1217,6 @@
"device": "Zariadenie",
"integration": "Integrácia",
"manufacturer": "Výrobca",
"no_area": "Žiadna oblasť",
"no_devices": "Žiadne zariadenia"
},
"delete": "Odstrániť",
@ -1608,8 +1344,7 @@
"path_configuration": "Cesta k configuration.yaml: {path}",
"server": "server",
"source": "Zdroj:",
"system_health_error": "Súčasť System Health nie je načítaná. Pridajte 'system_health:' do súboru configuration.yaml",
"title": "Info"
"system_health_error": "Súčasť System Health nie je načítaná. Pridajte 'system_health:' do súboru configuration.yaml"
},
"integration_panel_move": {
"link_integration_page": "stránka integrácie"
@ -1621,7 +1356,6 @@
"config_entry": {
"area": "V {area}",
"delete": "Odstrániť",
"delete_button": "Odstrániť {integration}",
"delete_confirm": "Naozaj chcete odstrániť túto integráciu?",
"device_unavailable": "Zariadenie nie je k dispozícii",
"documentation": "Dokumentácia",
@ -1630,16 +1364,12 @@
"hub": "Pripojené cez",
"manuf": "od {manufacturer}",
"no_area": "Žiadna oblasť",
"no_device": "Entity bez zariadení",
"no_devices": "Táto integrácia nemá žiadne zariadenia.",
"options": "Možnosti",
"reload": "Znova načítať",
"reload_confirm": "Integrácia bola opätovne načítaná",
"rename": "Premenovať",
"restart_confirm": "Ak chcete dokončiť odstránenie tejto integrácie, reštartujte Home Assistant",
"settings_button": "Upraviť nastavenia pre {integration}",
"system_options": "Možnosti systému",
"system_options_button": "Systémové možnosti pre {integration}"
"system_options": "Možnosti systému"
},
"config_flow": {
"aborted": "Prerušené",
@ -1696,8 +1426,7 @@
"multiple_messages": "správa sa prvýkrát vyskytla o {time} a opakuje sa {counter} krát",
"no_errors": "Neboli hlásené žiadne chyby.",
"no_issues": "Žiadne nové chyby!",
"refresh": "Obnoviť",
"title": "Logy"
"refresh": "Obnoviť"
},
"lovelace": {
"caption": "Lovelace dashboardy",
@ -2045,11 +1774,9 @@
"add_user": {
"caption": "Pridať používateľa",
"create": "Vytvoriť",
"name": "Meno",
"password": "Heslo",
"password_confirm": "Potvrdiť heslo",
"password_not_match": "Heslá sa nezhodujú",
"username": "Užívateľské meno"
"password_not_match": "Heslá sa nezhodujú"
},
"caption": "Používatelia",
"description": "Spravujte používateľské účty Home Assistant",
@ -2089,18 +1816,11 @@
},
"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",
"no_devices_found": "Neboli nájdené žiadne zariadenia, uistite sa, že sú v režime párovania a udržujte ich pri prebudené počas zisťovania.",
"search_again": "Hľadať znova",
"spinner": "Vyhľadávanie ZHA Zigbee zariadení ..."
},
"add": {
"caption": "Pridať zariadenia",
"description": "Pridať zariadenia do siete ZigBee"
},
"button": "Konfigurovať",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "Atribúty vybraného klastra",
"get_zigbee_attribute": "Získať atribút Zigbee",
@ -2124,63 +1844,34 @@
"introduction": "Klastre sú stavebnými kameňmi pre funkčnosť Zigbee. Rozdeľujú funkčnosť na logické jednotky. Existujú typy klientov a serverov, ktoré pozostávajú z atribútov a príkazov."
},
"common": {
"add_devices": "Pridať zariadenia",
"clusters": "Zoskupenia",
"devices": "Zariadenia",
"manufacturer_code_override": "Prepísanie kódu výrobcu",
"value": "Hodnota"
},
"description": "Správa siete Zigbee Home Automation",
"devices": {
"header": "Zigbee Home Automation - Zariadenie"
},
"group_binding": {
"bind_button_help": "Prepojte vybranú skupinu na vybrané zoskupenia zariadení.",
"unbind_button_help": "Odpojte vybratú skupinu z vybratých zoskupení zariadení."
},
"groups": {
"add_members": "Pridať členov",
"adding_members": "Pridávanie členov",
"caption": "Skupiny",
"create": "Vytvoriť skupinu",
"create_group": "Zigbee Home Automation - Vytvoriť skupinu",
"create_group_details": "Zadajte požadované údaje na vytvorenie novej skupiny ZigBee",
"creating_group": "Vytvorenie skupiny",
"description": "Správa skupín Zigbee",
"group_details": "Tu sú všetky podrobnosti o vybranej skupine Zigbee.",
"group_id": "ID skupiny",
"group_info": "Informácie o skupine",
"group_name_placeholder": "Názov skupiny",
"group_not_found": "Skupina sa nenašla!",
"group-header": "Zigbee Home Automation - Podrobnosti o skupine",
"groups": "Skupiny",
"groups-header": "Zigbee Home Automation - Správa skupiny",
"header": "Zigbee Home Automation - Správa skupiny",
"introduction": "Vytvorenie a úprava skupín ZigBee",
"manage_groups": "Správa skupín ZigBee",
"members": "členovia",
"remove_groups": "Odstrániť skupiny",
"remove_members": "Odstrániť členov",
"removing_groups": "Odstránenie skupín",
"removing_members": "Odstránenie členov"
},
"header": "Konfigurácia Zigbee Home Automation",
"introduction": "Tu je možné nakonfigurovať komponent ZHA. Nie je možné všetko nakonfigurovať z používateľského rozhrania, ale pracujeme na tom.",
"network_management": {
"header": "Správa siete",
"introduction": "Príkazy, ktoré ovplyvňujú celú sieť"
},
"network": {
"caption": "Sieť"
},
"node_management": {
"header": "Správa Zariadenia",
"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."
},
"title": "Zigbee Home Automation"
}
},
"zone": {
"add_zone": "Pridať zónu",
@ -2218,7 +1909,6 @@
},
"zwave": {
"button": "Konfigurovať",
"caption": "Z-Wave",
"common": {
"index": "Index",
"instance": "Inštancie",
@ -2297,17 +1987,12 @@
"type": "Typ udalosti"
},
"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",
"data": "Údaje o službe (YAML, voliteľné)",
"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": {
@ -2341,25 +2026,20 @@
}
},
"history": {
"period": "Obdobie",
"ranges": {
"last_week": "Minulý týždeň",
"this_week": "Tento týždeň",
"today": "Dnes",
"yesterday": "Včera"
},
"showing_entries": "Zobrazujú sa záznamy pre"
}
},
"logbook": {
"entries_not_found": "Nenašli sa žiadne záznamy v denníku.",
"period": "Obdobie",
"ranges": {
"last_week": "Minulý týždeň",
"this_week": "Tento týždeň",
"today": "Dnes",
"yesterday": "Včera"
},
"showing_entries": "Zobrazujú sa záznamy za obdobie"
}
},
"lovelace": {
"add_entities": {
@ -2399,13 +2079,11 @@
"clear_items": "Vymazať označené položky"
},
"starting": {
"description": "Home Assistant sa spúšťa, čakajte prosím...",
"header": "Home Assistant sa spúšťa..."
"description": "Home Assistant sa spúšťa, čakajte prosím..."
}
},
"changed_toast": {
"message": "Konfigurácia používateľského rozhrania Lovelace pre tento dashboard bola aktualizovaná. Obnoviť a zobraziť zmeny?",
"refresh": "Obnoviť"
"message": "Konfigurácia používateľského rozhrania Lovelace pre tento dashboard bola aktualizovaná. Obnoviť a zobraziť zmeny?"
},
"editor": {
"action-editor": {
@ -2418,7 +2096,6 @@
"toggle": "Prepnúť",
"url": "URL"
},
"editor_service_data": "Servisné údaje je možné zadávať iba v editore kódov",
"navigation_path": "Navigačná cesta",
"url_path": "Cesta adresy URL"
},
@ -2592,7 +2269,6 @@
},
"sensor": {
"description": "Karta Senzor poskytuje rýchly prehľad o stave senzorov s voliteľným grafom na vizualizáciu zmien v priebehu času.",
"graph_detail": "Detail grafu",
"graph_type": "Typ grafu",
"name": "Snímač",
"show_more_detail": "Zobraziť viac podrobností"
@ -2724,7 +2400,6 @@
"configure_ui": "Upraviť Dashboard",
"exit_edit_mode": "Skončiť režim úprav používateľského rozhrania",
"help": "Pomoc",
"refresh": "Obnoviť",
"reload_resources": "Znova načítať prostriedky",
"start_conversation": "Začať konverzáciu"
},
@ -2844,9 +2519,6 @@
}
},
"trusted_networks": {
"abort": {
"not_whitelisted": "Váš počítač nie je v zozname povolených zariadení."
},
"step": {
"init": {
"data": {
@ -2992,15 +2664,12 @@
"create": "Vytvoriť Token",
"create_failed": "Nepodarilo sa vytvoriť prístupový token.",
"created": "Vytvorené {date}",
"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.",
"name": "Názov",
"not_used": "Nikdy nebol použitý",
"prompt_copy_token": "Skopírujte svoj nový prístupový token. Znova sa nezobrazí.",
"prompt_name": "Pomenujte token"
},
@ -3057,11 +2726,6 @@
"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": {

View File

@ -95,253 +95,11 @@
}
},
"state": {
"alarm_control_panel": {
"armed": "Omogočen",
"armed_away": "Omogočen-zunaj",
"armed_custom_bypass": "Vklopljen izjeme po meri",
"armed_home": "Omogočen-doma",
"armed_night": "Omogočen-noč",
"arming": "Omogočanje",
"disarmed": "Onemogočen",
"disarming": "Onemogočanje",
"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"
},
"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"
},
"occupancy": {
"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"
},
"sound": {
"off": "Čisto",
"on": "Zaznano"
},
"vibration": {
"off": "Čisto",
"on": "Zaznano"
},
"window": {
"off": "Zaprto",
"on": "Odprto"
}
},
"calendar": {
"off": "Izključen",
"on": "Vklopljen"
},
"camera": {
"idle": "V pripravljenosti",
"recording": "Snemanje",
"streaming": "Pretakanje"
},
"climate": {
"cool": "Mrzlo",
"dry": "Suho",
"fan_only": "Samo ventilator",
"heat": "Toplo",
"heat_cool": "Gretje/Hlajenje",
"off": "Izključen"
},
"configurator": {
"configure": "Konfiguriraj",
"configured": "Konfigurirano"
},
"cover": {
"closed": "Zaprto",
"closing": "Zapiranje",
"open": "Odprto",
"opening": "Odpiranje",
"stopped": "Ustavljeno"
},
"default": {
"off": "Izključen",
"on": "Vključen",
"unavailable": "Ni na voljo",
"unknown": "Neznano"
},
"device_tracker": {
"not_home": "Odsoten"
},
"fan": {
"off": "Izključen",
"on": "Vklopljen"
},
"group": {
"closed": "Zaprto",
"closing": "Zapiranje",
"home": "Doma",
"locked": "Zaklenjeno",
"not_home": "Odsoten",
"off": "Izključen",
"ok": "OK",
"on": "Vklopljen",
"open": "Odprto",
"opening": "Odpiranje",
"problem": "Težava",
"stopped": "Ustavljeno",
"unlocked": "Odklenjeno"
},
"input_boolean": {
"off": "Izključen",
"on": "Vklopljen"
},
"light": {
"off": "Izključen",
"on": "Vklopljen"
},
"lock": {
"locked": "Zaklenjeno",
"unlocked": "Odklenjeno"
},
"media_player": {
"idle": "V pripravljenosti",
"off": "Izključen",
"on": "Vklopljen",
"paused": "Na pavzi",
"playing": "Predvaja",
"standby": "V pripravljenosti"
},
"person": {
"home": "Doma"
},
"plant": {
"ok": "OK",
"problem": "Težava"
},
"remote": {
"off": "Izključen",
"on": "Vklopljen"
},
"scene": {
"scening": "Nastavitev scene"
},
"script": {
"off": "Izključen",
"on": "Vklopljen"
},
"sensor": {
"off": "Izključen",
"on": "Vklopljen"
},
"sun": {
"above_horizon": "Nad obzorjem",
"below_horizon": "Pod obzorjem"
},
"switch": {
"off": "Izključen",
"on": "Vklopljen"
},
"timer": {
"active": "aktiven",
"idle": "V pripravljenosti",
"paused": "Na pavzi"
},
"vacuum": {
"cleaning": "Čistim",
"docked": "Priključen",
"error": "Napaka",
"idle": "V pripravljenosti",
"off": "Izključen",
"on": "Vklopljen",
"paused": "Zaustavljeno",
"returning": "Vračam se na postajo"
},
"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"
},
"zwave": {
"default": {
"dead": "Mrtev",
"initializing": "Inicializacija",
"ready": "Pripravljen",
"sleeping": "Spanje"
},
"query_stage": {
"dead": "Mrtev ({query_stage})",
"initializing": "Inicializacija ({query_stage})"
}
}
},
"ui": {
@ -441,8 +199,7 @@
},
"script": {
"cancel": "Prekliči",
"cancel_multiple": "Prekliči {number}",
"execute": "Zaženi"
"cancel_multiple": "Prekliči {number}"
},
"service": {
"run": "Poženi"
@ -627,7 +384,6 @@
"media-browser": {
"audio_not_supported": "Vaš brskalnik ne podpira zvočnega elementa.",
"choose_player": "Izberi predvajalnik",
"choose-source": "Izberite vir",
"class": {
"album": "Album",
"app": "Aplikacija",
@ -650,13 +406,6 @@
"url": "URL",
"video": "Video"
},
"content-type": {
"album": "Album",
"artist": "Umetnik",
"library": "Knjižnica",
"playlist": "Seznam predvajanja",
"server": "Strežnik"
},
"documentation": "dokumentacija",
"learn_adding_local_media": "Več o dodajanju medijskih vsebin preberite v {documentation}.",
"local_media_files": "V mapo medijskih vsebin dodajte video, zvočne in slikovne datoteke, ki jih lahko pregledujete ali predvajate v brskalniku oz podprtih predvajalnikih.",
@ -698,7 +447,6 @@
"second": "{count} {count, plural,\none {sekunda}\nother {sekund}\n}",
"week": "{count} {count, plural,\none {Teden}\ntwo {Tedna}\nthree {Tedne}\nfour {Tedne}\nother {Tednov}\n}"
},
"future": "Čez {time}",
"future_duration": {
"day": "V {count} {count, plural,\n one {dnevu}\n other {dnevih}\n}",
"hour": "V {count} {count, plural,\n one {uri}\n other {urah}\n}",
@ -708,7 +456,6 @@
},
"just_now": "Ravnokar",
"never": "Nikoli",
"past": "Pred {time}",
"past_duration": {
"day": "Pred {count} {count, plural,\n one {dnevom}\n two {dnevoma}\n other {dnevi}\n}",
"hour": "Pred {count} {count, plural,\n one {uro}\n two {urama}\n other {urami}\n}",
@ -832,7 +579,6 @@
"crop": "Izreži"
},
"more_info_control": {
"controls": "Nadzor",
"cover": {
"close_cover": "Zapri pokrov",
"close_tile_cover": "Zapri nagib pokrova",
@ -917,7 +663,6 @@
"logs": "Dnevniki",
"lovelace": "Nadzorne plošče Lovelace",
"navigate_to": "Pojdi na {panel}",
"navigate_to_config": "Pojdi na nastavitve {location}",
"person": "Osebe",
"scene": "Scene",
"script": "Skripti",
@ -1000,9 +745,7 @@
},
"unknown": "Neznano",
"zha_device_card": {
"area_picker_label": "Območje",
"device_name_placeholder": "Spremenite ime naprave",
"update_name_button": "Posodobi ime"
"device_name_placeholder": "Spremenite ime naprave"
}
}
},
@ -1040,10 +783,6 @@
"triggered": "Sproženo {name}"
},
"panel": {
"calendar": {
"my_calendars": "Moji koledarji",
"today": "Danes"
},
"config": {
"advanced_mode": {
"hint_enable": "Ali manjkajo možnosti konfiguracije? Vključi napredni način",
@ -1135,8 +874,7 @@
},
"event": {
"event": "Dogodek:",
"label": "Požarni dogodek",
"service_data": "Podatki storitve"
"label": "Požarni dogodek"
},
"repeat": {
"label": "Ponovite",
@ -1160,8 +898,7 @@
"label": "Aktivirajte sceno"
},
"service": {
"label": "Kliči storitev",
"service_data": "Podatki storitve"
"label": "Kliči storitev"
},
"wait_for_trigger": {
"continue_timeout": "Nadaljuj ob časovni omejitvi",
@ -1181,8 +918,6 @@
"blueprint": {
"blueprint_to_use": "Načrt za uporabo",
"header": "Načrt",
"inputs": "Vhodi",
"manage_blueprints": "Upravljanje načrtov",
"no_blueprints": "Nimate načrtov",
"no_inputs": "Ta načrt nima vhodov."
},
@ -1436,7 +1171,6 @@
"header": "Uvozite načrt",
"import_btn": "Predogled načrta",
"import_header": "Načrt \"{name}\"",
"import_introduction": "Načrte lahko uvozite od drugih uporabnikov Github-a ali iz foruma sklupnosti. Spodaj vnesite URL načrta.",
"import_introduction_link": "Načrte je mogoče uvoziti od drugih Github uporabnikov ali {community_link}. Spodaj vnesite URL naslov načrta.",
"importing": "Nalaganje načrta ...",
"raw_blueprint": "Vsebina načrta",
@ -1552,7 +1286,6 @@
"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",
@ -1685,7 +1418,6 @@
"pick_attribute": "Izberite atribut, ki ga želite preglasiti",
"picker": {
"documentation": "Dokumentacija o prilagoditvah",
"entity": "Entiteta",
"header": "Prilagoditve",
"introduction": "Prilagajanja atributov na entiteti. Dodane/spremenjene prilagoditve začnejo veljati takoj. Odstranjene pa po posodobitvi entitete."
},
@ -1732,7 +1464,6 @@
"integration": "Integracija",
"manufacturer": "Proizvajalec",
"model": "Model",
"no_area": "Brez območja",
"no_devices": "Brez naprav"
},
"delete": "Izbriši",
@ -1888,42 +1619,9 @@
"source": "Vir:",
"system_health_error": "Komponenta \"system health\" ni naložena. Dodajte \"system_health:\" v svoj configuration.yaml",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Alexa omogočena",
"can_reach_cert_server": "Dostop do strežnika certifikatov",
"can_reach_cloud": "Dosezite oblak Home Assistant",
"can_reach_cloud_auth": "Dosezite strežnik za preverjanje pristnosti",
"google_enabled": "Google omogočen",
"logged_in": "Prijavljen kot",
"relayer_connected": "Preklopnik povezan",
"remote_connected": "Oddaljeno povezano",
"remote_enabled": "Oddaljeno omogočeno",
"subscription_expiration": "Potek naročnine"
},
"homeassistant": {
"arch": "Arhitektura CPU",
"dev": "Razvoj",
"docker": "Docker",
"hassio": "HassOS",
"installation_type": "Vrsta namestitve",
"os_name": "Ime operacijskega sistema",
"os_version": "Različica operacijskega sistema",
"python_version": "Različica Pythona",
"timezone": "Časovni pas",
"version": "Različica",
"virtualenv": "Navidezno okolje"
},
"lovelace": {
"dashboards": "Nadzorne plošče",
"mode": "Način",
"resources": "Viri"
}
},
"manage": "Upravljaj",
"more_info": "več informacij"
},
"title": "Info"
}
},
"integration_panel_move": {
"link_integration_page": "Stran za integracije",
@ -1937,7 +1635,6 @@
"config_entry": {
"area": "V {area}",
"delete": "Izbriši",
"delete_button": "Izbriši {integration}",
"delete_confirm": "Ali ste prepričani, da želite izbrisati to integracijo?",
"device_unavailable": "naprava ni na voljo",
"devices": "{count} {count, plural,\n one {naprava}\n other {naprav}\n}",
@ -1948,8 +1645,6 @@
"hub": "Povezan prek",
"manuf": "naredil: {manufacturer}",
"no_area": "Brez območja",
"no_device": "Entitete brez naprav",
"no_devices": "Ta integracija je brez naprav.",
"options": "Možnosti",
"reload": "Znova naloži",
"reload_confirm": "Integracija je bila znova naložena",
@ -1957,9 +1652,7 @@
"rename": "Preimenuj",
"restart_confirm": "Znova zaženite Home Assistant-a, da dokončate odstranitev te integracije",
"services": "{count} {count, plural,\n one {storitev}\n two {storitvi}\n other {storitve}\n}",
"settings_button": "Uredite nastavitve za {integration}",
"system_options": "Sistemske možnosti",
"system_options_button": "Sistemske možnosti za {integration}",
"unnamed_entry": "Neimenovani vnos"
},
"config_flow": {
@ -2019,8 +1712,7 @@
"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"
"refresh": "Osveži"
},
"lovelace": {
"caption": "Nadzorne plošče Lovelace",
@ -2351,8 +2043,7 @@
"learn_more": "Preberite več o skriptah",
"no_scripts": "Nismo našli nobene skripte za urejanje",
"run_script": "Zaženi skript",
"show_info": "Pokaži informacije o skripti",
"trigger_script": "Sproži skripto"
"show_info": "Pokaži informacije o skripti"
}
},
"server_control": {
@ -2446,11 +2137,9 @@
"add_user": {
"caption": "Dodaj uporabnika",
"create": "Ustvari",
"name": "Ime",
"password": "Geslo",
"password_confirm": "Potrdi geslo",
"password_not_match": "Gesli se ne ujemata",
"username": "Uporabniško ime"
"password_not_match": "Gesli se ne ujemata"
},
"caption": "Uporabniki",
"description": "Upravljanje uporabnikov",
@ -2494,19 +2183,12 @@
"add_device": "Dodaj napravo",
"add_device_page": {
"discovered_text": "Naprave se bodo prikazale tukaj, ko jih odkrijemo.",
"discovery_text": "Tukaj bodo prikazane odkrite naprave. Sledite navodilom za napravo in jo postavite v način seznanjanja.",
"header": "Zigbee Home Automation - Dodaj naprave",
"no_devices_found": "Nobene naprave ni bilo mogoče najti, preverite, ali so v stanju pripravljenosti, in bodite budni, medtem ko odkritje teče.",
"pairing_mode": "Prepričajte se, da so vaše naprave v načinu združevanja. Preverite navodila svoje naprave, kako to storiti.",
"search_again": "Ponovno iskanje",
"spinner": "Iskanje ZHA Zigbee naprav..."
},
"add": {
"caption": "Dodajte naprave",
"description": "Dodajte naprave v omrežje Zigbee"
},
"button": "Konfiguriraj",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "Atributi izbrane gruče",
"get_zigbee_attribute": "Pridobite Zigbee Atribute",
@ -2530,13 +2212,10 @@
"introduction": "Gruče so sestavni del funkcionalnosti Zigbee. Funkcionalnost ločijo na logične enote. Obstajajo vrste odjemalcev in strežnikov, ki jih sestavljajo atributi in ukazi."
},
"common": {
"add_devices": "Dodajte naprave",
"clusters": "Gruče",
"devices": "Naprave",
"manufacturer_code_override": "Preglasitev kode proizvajalca",
"value": "Vrednost"
},
"description": "Upravljanje omrežja za avtomatizacijo doma Zigbee",
"device_pairing_card": {
"CONFIGURED": "Konfiguriranje je končano",
"CONFIGURED_status_text": "Inicializacija",
@ -2547,9 +2226,6 @@
"PAIRED": "Najdena naprava",
"PAIRED_status_text": "Intervju se začenja"
},
"devices": {
"header": "ZigBee Home Automation-naprava"
},
"group_binding": {
"bind_button_help": "Povežite izbrano skupino z izbranimi gručami naprave.",
"bind_button_label": "Združi skupino",
@ -2564,48 +2240,24 @@
"groups": {
"add_group": "Dodaj skupino",
"add_members": "Dodajte člane",
"adding_members": "Dodajanje članov",
"caption": "Skupine",
"create": "Ustvari skupino",
"create_group": "Zigbee Home Automation - Ustvari skupino",
"create_group_details": "Da ustvarite novo skupino Zigbee vnesite zahtevane podrobnosti.",
"creating_group": "Ustvarjanje skupine",
"description": "Upravljanje skupin Zigbee",
"group_details": "Tu so vse podrobnosti za izbrano skupino Zigbee.",
"group_id": "ID skupine",
"group_info": "Informacije o skupini",
"group_name_placeholder": "Ime skupine",
"group_not_found": "Skupine ni mogoče najti!",
"group-header": "Zigbee Home Automation - Podrobnosti o skupini",
"groups": "Skupine",
"groups-header": "ZigBee Home Automation-upravljanje skupin",
"header": "ZigBee Home Automation-upravljanje skupin",
"introduction": "Ustvarite in spreminjajte skupine Zigbee",
"manage_groups": "Upravljajte zigbee skupine",
"members": "Člani",
"remove_groups": "Odstrani skupine",
"remove_members": "Odstranite člane",
"removing_groups": "Odstranjevanje skupin",
"removing_members": "Odstranjevanje članov",
"zha_zigbee_groups": "ZHA Zigbee Skupine"
},
"header": "Konfigurirajte Zigbee Home Automation",
"introduction": "Tu je možno konfigurirati komponento ZHA. Iz uporabniškega vmesnika še ni mogoče konfigurirati vsega, vendar delamo na tem.",
"network_management": {
"header": "Upravljanje omrežja",
"introduction": "Ukazi, ki vplivajo na celotno omrežje"
"removing_members": "Odstranjevanje članov"
},
"network": {
"caption": "Omrežje"
},
"node_management": {
"header": "Upravljanje naprav",
"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.",
"introduction": "Zaženite ukaze ZHA, ki vplivajo na posamezno napravo. Izberite napravo in si oglejte seznam ukazov, ki so na voljo."
},
"title": "Zigbee Home Automation",
"visualization": {
"caption": "Vizualizacija",
"header": "Prikaz omrežja",
@ -2657,8 +2309,7 @@
"dashboard": {
"driver_version": "Različica gonilnika",
"dump_dead_nodes_text": "Nekatera vaša vozlišča se niso odzvala in so domnevno mrtva. Ta ne bodo v celoti izvožena.",
"home_id": "ID doma",
"node_count": "Število vozlišč"
"home_id": "ID doma"
},
"device_info": {
"node_ready": "Vozlišče pripravljeno",
@ -2688,7 +2339,6 @@
},
"zwave": {
"button": "Konfiguriraj",
"caption": "Z-Wave",
"common": {
"index": "Indeks",
"instance": "Instanca",
@ -2801,17 +2451,12 @@
"type": "Vrsta dogodka"
},
"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": {
@ -2852,25 +2497,20 @@
}
},
"history": {
"period": "Obdobje",
"ranges": {
"last_week": "Prejšnji teden",
"this_week": "Ta teden",
"today": "Danes",
"yesterday": "Včeraj"
},
"showing_entries": "Prikaz vnosov za"
}
},
"logbook": {
"entries_not_found": "Ni vpisov v dnevnike.",
"period": "Obdobje",
"ranges": {
"last_week": "Prejšnji teden",
"this_week": "Ta teden",
"today": "Danes",
"yesterday": "Včeraj"
},
"showing_entries": "Prikaz vnosov za"
}
},
"lovelace": {
"add_entities": {
@ -2913,13 +2553,11 @@
"reorder_items": "Prerazporedite elemente"
},
"starting": {
"description": "Home Assistant se zaganja, prosimo počakajte ...",
"header": "Home Assistant se zaganja ..."
"description": "Home Assistant se zaganja, prosimo počakajte ..."
}
},
"changed_toast": {
"message": "Nastavitve uporabniškega vmesnika Lovelace za to nadzorno ploščo so bile posodobljene. Če želite videti spremembe, jo osvežite.",
"refresh": "Osveži"
"message": "Nastavitve uporabniškega vmesnika Lovelace za to nadzorno ploščo so bile posodobljene. Če želite videti spremembe, jo osvežite."
},
"components": {
"timestamp-display": {
@ -2937,7 +2575,6 @@
"toggle": "Preklop",
"url": "URL"
},
"editor_service_data": "Podatke o storitvah lahko vnesete samo v urejevalniku kode",
"navigation_path": "Navigacijska pot",
"url_path": "Pot URL-ja"
},
@ -3134,7 +2771,6 @@
},
"sensor": {
"description": "Kartica Sensor vam omogoča hiter pregled stanja vaših senzorjev z izbirnim grafom, s katerim lahko prikažete spremembe skozi čas.",
"graph_detail": "Podrobnosti grafa",
"graph_type": "Vrsta grafikona",
"name": "Senzor",
"show_more_detail": "Pokaži več podrobnosti"
@ -3303,7 +2939,6 @@
"configure_ui": "Uredi nadzorno ploščo",
"exit_edit_mode": "Zapustite način urejanja iz uporabniškega vmesnika",
"help": "Pomoč",
"refresh": "Osveži",
"reload_resources": "Ponovno naloži vire",
"start_conversation": "Začni pogovor"
},
@ -3422,8 +3057,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "Vaš računalnik ni dovoljen.",
"not_whitelisted": "Vaš računalnik ni dodan med zaupanja vredne."
"not_allowed": "Vaš računalnik ni dovoljen."
},
"step": {
"init": {
@ -3575,15 +3209,12 @@
"create": "Ustvari žeton",
"create_failed": "Ni bilo mogoče ustvariti žetona za dostop.",
"created": "Ustvarjeno {date}",
"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.",
"name": "Ime",
"not_used": "Nikoli ni bil uporabljen",
"prompt_copy_token": "Kopirate žeton za dostop. Ta ne bo prikazan znova.",
"prompt_name": "Dajte žetonu ime"
},
@ -3648,11 +3279,6 @@
},
"shopping_list": {
"start_conversation": "Začni pogovor"
},
"shopping-list": {
"add_item": "Dodaj potrebščino",
"clear_completed": "Počisti dokončane",
"microphone_tip": "Dotaknite se mikrofona v zgornjem desnem kotu in recite ali vnesite »Dodaj sladkarije na moj nakupovalni seznam«"
}
},
"sidebar": {

View File

@ -8,38 +8,11 @@
"shopping_list": "Lista za kupovinu",
"states": "Pregled"
},
"state": {
"weather": {
"clear-night": "Vedra noć",
"cloudy": "Oblačno",
"fog": "Magla",
"hail": "Grad",
"lightning": "Grmljavina",
"lightning-rainy": "Grmljavina sa kišom",
"partlycloudy": "Delimično oblačno",
"pouring": "Pljusak",
"rainy": "Kiša",
"snowy": "Sneg",
"snowy-rainy": "Sneg i kiša",
"sunny": "Sunčano",
"windy": "Vetrovito",
"windy-variant": "Vetrovito"
},
"zwave": {
"query_stage": {
"dead": " ({query_stage})",
"initializing": " ( {query_stage} )"
}
}
},
"ui": {
"card": {
"scene": {
"activate": "Aktiviraj"
},
"script": {
"execute": "Izvrši"
},
"weather": {
"attributes": {
"air_pressure": "Vazdušni pritisak",
@ -99,9 +72,6 @@
}
}
},
"cloud": {
"caption": "Home Assistant Cloud"
},
"entities": {
"picker": {
"header": "Entiteter"
@ -111,7 +81,6 @@
"title": "MQTT"
},
"zwave": {
"caption": "Z-Wave",
"node_config": {
"set_config_parameter": "Подесите параметар Цонфиг"
}

View File

@ -19,28 +19,6 @@
"error": "Грешка"
}
},
"state": {
"sun": {
"above_horizon": "Iznad horizonta",
"below_horizon": "Ispod horizonta"
},
"switch": {
"off": "Isključen"
},
"timer": {
"active": "укључен",
"idle": "неактна чекању"
},
"zwave": {
"default": {
"ready": "Spreman"
},
"query_stage": {
"dead": " ({query_stage})",
"initializing": " ( {query_stage} )"
}
}
},
"ui": {
"card": {
"lock": {
@ -78,9 +56,6 @@
"learn_more": "Сазнајте више о аутоматизацијама"
}
},
"cloud": {
"caption": "Home Assistant Cloud"
},
"integrations": {
"config_flow": {
"external_step": {
@ -96,16 +71,13 @@
"add_user": {
"caption": "Додај корисника",
"create": "Направите",
"name": "Име",
"password": "Лозинка",
"username": "Корисничко име"
"password": "Лозинка"
},
"editor": {
"caption": "Прикажи корисника"
}
},
"zwave": {
"caption": "Z-Wave",
"node_config": {
"set_config_parameter": "Подесите параметар Цонфиг"
}

View File

@ -95,253 +95,11 @@
}
},
"state": {
"alarm_control_panel": {
"armed": "Larmat",
"armed_away": "Larmat",
"armed_custom_bypass": "Larm förbikopplat",
"armed_home": "Hemmalarmat",
"armed_night": "Nattlarmat",
"arming": "Tillkopplar",
"disarmed": "Avlarmat",
"disarming": "Frånkopplar",
"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å"
},
"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"
},
"occupancy": {
"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"
},
"sound": {
"off": "Klart",
"on": "Detekterad"
},
"vibration": {
"off": "Klart",
"on": "Detekterad"
},
"window": {
"off": "Stängt",
"on": "Öppet"
}
},
"calendar": {
"off": "Av",
"on": "På"
},
"camera": {
"idle": "Inaktiv",
"recording": "Spelar in",
"streaming": "Strömmar"
},
"climate": {
"cool": "Kyla",
"dry": "Avfuktning",
"fan_only": "Endast fläkt",
"heat": "Värme",
"heat_cool": "Värme/Kyla",
"off": "Av"
},
"configurator": {
"configure": "Konfigurera",
"configured": "Konfigurerad"
},
"cover": {
"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": {
"not_home": "Borta"
},
"fan": {
"off": "Av",
"on": "På"
},
"group": {
"closed": "Stängd",
"closing": "Stänger",
"home": "Hemma",
"locked": "Låst",
"not_home": "Borta",
"off": "Av",
"ok": "Ok",
"on": "På",
"open": "Öppen",
"opening": "Öppnar",
"problem": "Problem",
"stopped": "Stoppad",
"unlocked": "Olåst"
},
"input_boolean": {
"off": "Av",
"on": "På"
},
"light": {
"off": "Av",
"on": "På"
},
"lock": {
"locked": "Låst",
"unlocked": "Olåst"
},
"media_player": {
"idle": "Inaktiv",
"off": "Av",
"on": "På",
"paused": "Pausad",
"playing": "Spelar",
"standby": "Viloläge"
},
"person": {
"home": "Hemma"
},
"plant": {
"ok": "Ok",
"problem": "Problem"
},
"remote": {
"off": "Av",
"on": "På"
},
"scene": {
"scening": "Scenario"
},
"script": {
"off": "Av",
"on": "På"
},
"sensor": {
"off": "Av",
"on": "På"
},
"sun": {
"above_horizon": "Ovanför horisonten",
"below_horizon": "Nedanför horisonten"
},
"switch": {
"off": "Av",
"on": "På"
},
"timer": {
"active": "aktiv",
"idle": "inaktiv",
"paused": "pausad"
},
"vacuum": {
"cleaning": "Städar",
"docked": "Dockad",
"error": "Fel",
"idle": "Inaktiv",
"off": "Av",
"on": "På",
"paused": "Pausad",
"returning": "Återgår till docka"
},
"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"
},
"zwave": {
"default": {
"dead": "Död",
"initializing": "Initierar",
"ready": "Redo",
"sleeping": "Sovande"
},
"query_stage": {
"dead": "Död ({query_stage})",
"initializing": "Initierar ({query_stage})"
}
}
},
"ui": {
@ -442,8 +200,7 @@
},
"script": {
"cancel": "Avbryt",
"cancel_multiple": "Avbryt {number}",
"execute": "Kör"
"cancel_multiple": "Avbryt {number}"
},
"service": {
"run": "Kör"
@ -630,7 +387,6 @@
"media-browser": {
"audio_not_supported": "Mediaspelaren i webbläsaren stödjer inte denna typ av musikmedia.",
"choose_player": "Välj spelare",
"choose-source": "Välj källa",
"class": {
"album": "Album",
"app": "App",
@ -653,13 +409,6 @@
"url": "URL",
"video": "Video"
},
"content-type": {
"album": "Album",
"artist": "Artist",
"library": "Bibliotek",
"playlist": "Spellista",
"server": "Server"
},
"documentation": "dokumentation",
"learn_adding_local_media": "Läs mer om hur du lägger till media i {documentation} .",
"local_media_files": "Placera dina video-, ljud- och bildfiler i mediekatalogen för att kunna bläddra och spela upp dem i webbläsaren eller på mediaspelare som stöds.",
@ -701,7 +450,6 @@
"second": "{count} {count, plural,\n one {sekund}\n other {sekunder}\n}",
"week": "{count} {count, plural,\none {vecka}\nother {veckor}\n}"
},
"future": "Om {time}",
"future_duration": {
"day": "Om {count} {count, plural,\n one {dag}\n other {dagar}\n}",
"hour": "Om {count} {count, plural,\n one {timme}\n other {timmar}\n}",
@ -711,7 +459,6 @@
},
"just_now": "Nyss",
"never": "Aldrig",
"past": "{time} sedan",
"past_duration": {
"day": "{count} {count, plural,\n one {dag}\n other {dagar}\n} sedan",
"hour": "{count} {count, plural,\n one {timme}\n other {timmar}\n} sedan",
@ -841,7 +588,6 @@
"crop": "Beskär"
},
"more_info_control": {
"controls": "Kontroller",
"cover": {
"close_cover": "Stäng rullgardin",
"close_tile_cover": "Stäng rullgardinsblad",
@ -926,7 +672,6 @@
"logs": "Loggar",
"lovelace": "Lovelace kontrollpaneler",
"navigate_to": "Navigera till {panel}",
"navigate_to_config": "Navigera till {panel} konfiguration",
"person": "Personer",
"scene": "Scener",
"script": "Skript",
@ -1009,9 +754,7 @@
},
"unknown": "Okänd",
"zha_device_card": {
"area_picker_label": "Område",
"device_name_placeholder": "Ändra enhetsnamn",
"update_name_button": "Uppdatera namn"
"device_name_placeholder": "Ändra enhetsnamn"
}
}
},
@ -1055,10 +798,6 @@
"triggered": "Utlöst {name}"
},
"panel": {
"calendar": {
"my_calendars": "Mina Kalendrar",
"today": "Idag"
},
"config": {
"advanced_mode": {
"hint_enable": "Saknas konfigurationsalternativ? Aktivera avancerat läge på",
@ -1176,8 +915,7 @@
"label": "Aktivera scenario"
},
"service": {
"label": "Kör tjänst",
"service_data": "Händelsedata"
"label": "Kör tjänst"
},
"wait_for_trigger": {
"continue_timeout": "Fortsätt vid paus",
@ -1197,8 +935,6 @@
"blueprint": {
"blueprint_to_use": "Blueprint att använda",
"header": "Blueprint",
"inputs": "Input",
"manage_blueprints": "Hantera blueprints",
"no_blueprints": "Du har inga blueprints",
"no_inputs": "Det här blueprint:et har inga input."
},
@ -1453,7 +1189,6 @@
"header": "Importera blueprint",
"import_btn": "Förhandsgranska blueprint",
"import_header": "Blueprint \"{name}\"",
"import_introduction": "Du kan importera blueprints av andra användare från Github och communityforum. Ange webbadressen till ritningen nedan.",
"import_introduction_link": "Du kan importera blueprints från andra användare och {community_link}. Ange URL för blueprint nedan.",
"importing": "Laddar blueprint...",
"raw_blueprint": "Innehåll i blueprint",
@ -1575,7 +1310,6 @@
"not_exposed_entities": "Ej exponerade entiteter",
"title": ""
},
"caption": "Home Assistant Cloud",
"description_features": "Styr hemmet när du är borta och integrera med Alexa och Google Assistant.",
"description_login": "Inloggad som {email}",
"description_not_login": "Inte inloggad",
@ -1708,7 +1442,6 @@
"pick_attribute": "Välj ett attribut att anpassa",
"picker": {
"documentation": "Anpassningsdokumentation",
"entity": "Entitet",
"header": "Anpassningar",
"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."
},
@ -1755,7 +1488,6 @@
"integration": "Integration",
"manufacturer": "Tillverkare",
"model": "Modell",
"no_area": "Inget område",
"no_devices": "Inga enheter"
},
"delete": "Ta bort",
@ -1911,42 +1643,9 @@
"source": "Källkod:",
"system_health_error": "Systemhälsokomponenten har inte lästs in. Lägg till 'system_health:' i configuration.yaml",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Alexa Aktiverad",
"can_reach_cert_server": "Nå certifkatserver",
"can_reach_cloud": "Nå Home Assistant Cloud",
"can_reach_cloud_auth": "Nå autentiseringsserver",
"google_enabled": "Google Aktiverad",
"logged_in": "Inloggad",
"relayer_connected": "Vidarebefodrare Ansluten",
"remote_connected": "Fjärransluten",
"remote_enabled": "Fjärråtkomst Aktiverad",
"subscription_expiration": "Prenumerationens utgång"
},
"homeassistant": {
"arch": "CPU-arkitektur",
"dev": "Utveckling",
"docker": "Docker",
"hassio": "HassOS",
"installation_type": "Installationstyp",
"os_name": "Operativsystemnamn",
"os_version": "Operativsystemversion",
"python_version": "Python Version",
"timezone": "Tidszon",
"version": "Version",
"virtualenv": "Virtuell miljö"
},
"lovelace": {
"dashboards": "Kontrollpaneler",
"mode": "Läge",
"resources": "Resurser"
}
},
"manage": "Hantera",
"more_info": "mer information"
},
"title": "Info"
}
},
"integration_panel_move": {
"link_integration_page": "integrationssidan",
@ -1960,7 +1659,6 @@
"config_entry": {
"area": "I {area}",
"delete": "Ta bort",
"delete_button": "Ta bort {integration}",
"delete_confirm": "Är du säker på att du vill radera denna integration?",
"device_unavailable": "Enhet otillgänglig",
"devices": "{count} {count, plural,\n one {enhet}\n other {enheter}\n}",
@ -1971,8 +1669,6 @@
"hub": "Ansluten via",
"manuf": "av {manufacturer}",
"no_area": "Inget område (\"area\")",
"no_device": "Entitet utan enheter",
"no_devices": "Denna integration har inga enheter.",
"options": "Alternativ",
"reload": "Ladda om",
"reload_confirm": "Integrationen laddades om",
@ -1980,9 +1676,7 @@
"rename": "Döp om",
"restart_confirm": "Starta om Home Assistant för att slutföra borttagningen av denna integration",
"services": "{count} {count, plural,\n one {service}\n other {services}\n}",
"settings_button": "Redigera inställningar för {integration}",
"system_options": "Systemalternativ",
"system_options_button": "Systeminställningar för {integration}",
"unnamed_entry": "Namnlös post"
},
"config_flow": {
@ -2042,8 +1736,7 @@
"multiple_messages": "Meddelandet inträffade först {time} och har hänt {counter} gånger",
"no_errors": "Inga fel har rapporterats.",
"no_issues": "Det finns inga nya problem!",
"refresh": "Uppdatera",
"title": "Loggar"
"refresh": "Uppdatera"
},
"lovelace": {
"caption": "Lovelace kontrollpaneler",
@ -2374,8 +2067,7 @@
"learn_more": "Lär dig mer om skript",
"no_scripts": "Vi kunde inte hitta några redigerbara skript",
"run_script": "Kör skript",
"show_info": "Visa information om skript",
"trigger_script": "Aktivera skript"
"show_info": "Visa information om skript"
}
},
"server_control": {
@ -2469,11 +2161,9 @@
"add_user": {
"caption": "Lägg till användare",
"create": "Skapa",
"name": "Namn",
"password": "Lösenord",
"password_confirm": "Bekräfta lösenord",
"password_not_match": "Lösenorden överensstämmer inte",
"username": "Användarnamn"
"password_not_match": "Lösenorden överensstämmer inte"
},
"caption": "Användare",
"description": "Hantera användare",
@ -2517,19 +2207,12 @@
"add_device": "Lägg till en enhet",
"add_device_page": {
"discovered_text": "Enheterna kommer att dyka upp här när de upptäckts.",
"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",
"no_devices_found": "Inga enheter hittade, se till att dom är i parningsläge och håll dom aktiva medans sökning sker.",
"pairing_mode": "Se till att dina enheter är i parningsläge. Kontrollera instruktionerna för din enhet om hur du gör det.",
"search_again": "Sök Igen",
"spinner": "Söker efter ZHA Zigbee-enheter ..."
},
"add": {
"caption": "Lägg till enheter",
"description": "Lägg till enheter till Zigbee-nätverket"
},
"button": "Konfigurera",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "Attribut för det valda klustret",
"get_zigbee_attribute": "Hämta Zigbee-attribut",
@ -2553,13 +2236,10 @@
"introduction": "Kluster är byggstenarna för Zigbee-funktionalitet. De separerar funktionalitet i logiska enheter. Det finns klient- och servertyper som består av attribut och kommandon."
},
"common": {
"add_devices": "Lägg till enheter",
"clusters": "Kluster",
"devices": "Enheter",
"manufacturer_code_override": "Överskrid kod av tillverkare",
"value": "Värde"
},
"description": "Zigbee Home Automation (ZHA) nätverkshantering",
"device_pairing_card": {
"CONFIGURED": "Konfigurationen är klar",
"CONFIGURED_status_text": "Initierar",
@ -2570,9 +2250,6 @@
"PAIRED": "Enheten hittades",
"PAIRED_status_text": "Startar intervju"
},
"devices": {
"header": "Zigbee Home Automation - Enhet"
},
"group_binding": {
"bind_button_help": "Bind den valda gruppen till de valda enhetsklustren.",
"bind_button_label": "Bind grupp",
@ -2587,48 +2264,24 @@
"groups": {
"add_group": "Lägg till grupp",
"add_members": "Lägg till medlemmar",
"adding_members": "Lägger till medlemmar",
"caption": "Grupper",
"create": "Skapa grupp",
"create_group": "ZigBee Hemautomation - Skapa grupp",
"create_group_details": "Ange de uppgifter som krävs för att skapa en ny ZigBee-grupp",
"creating_group": "Skapar grupp",
"description": "Hantera Zigbee-grupper",
"group_details": "Här är alla detaljer för den valda Zigbee-gruppen.",
"group_id": "Grupp-ID",
"group_info": "Gruppinformation",
"group_name_placeholder": "Gruppnamn",
"group_not_found": "Gruppen hittades inte!",
"group-header": "Zigbee Home Automation - Gruppdetaljer",
"groups": "Grupper",
"groups-header": "Zigbee Home Automation - Grupphantering",
"header": "Zigbee Home Automation - Grupphantering",
"introduction": "Skapa och ändra zigbeegrupper",
"manage_groups": "Hantera Zigbee-grupper",
"members": "Medlemmar",
"remove_groups": "Ta bort grupper",
"remove_members": "Ta bort medlemmar",
"removing_groups": "Tar bort grupper",
"removing_members": "Tar bort medlemmar",
"zha_zigbee_groups": "ZHA Zigbee-grupper"
},
"header": "Konfigurera ZigBee-hemautomation",
"introduction": "Här går det att konfigurera ZHA-komponenten. Det är inte möjligt att ställa in allt från användargränssnittet ännu, men vi jobbar på det.",
"network_management": {
"header": "Nätverkshantering",
"introduction": "Kommandon som påverkar hela nätverket"
"removing_members": "Tar bort medlemmar"
},
"network": {
"caption": "Nätverk"
},
"node_management": {
"header": "Enhetshantering",
"help_node_dropdown": "Välj en enhet för att visa alternativ per enhet.",
"hint_battery_devices": "Obs: Sömniga (batteridrivna) enheter måste vara vakna när du kör kommandon mot dem. Du kan i allmänhet väcka en sömnig enhet genom att utlösa den.",
"hint_wakeup": "Vissa enheter, som Xiaomi-sensorer, har en väckningsknapp som du kan trycka på med ca 5 sekunders intervall för att hålla enheterna vakna medan du interagerar med dem.",
"introduction": "Kör ZHA-kommandon som påverkar en enda enhet. Välj en enhet för att se en lista över tillgängliga kommandon."
},
"title": "ZigBee Hemautomation",
"visualization": {
"caption": "Visualisering",
"header": "Visualisering av nätverk",
@ -2700,7 +2353,6 @@
"header": "Hantera ditt Z-Wave-nätverk",
"home_id": "Hem ID",
"introduction": "Hantera ditt Z-Wave-nätverk och dina noder.",
"node_count": "Antal noder",
"nodes_ready": "Noder redo",
"server_version": "Serverversion"
},
@ -2737,7 +2389,6 @@
},
"zwave": {
"button": "Konfigurera",
"caption": "Z-Wave",
"common": {
"index": "Index",
"instance": "Instans",
@ -2856,17 +2507,12 @@
"type": "Händelsetyp"
},
"services": {
"alert_parsing_yaml": "Fel vid tolkning av YAML: {data}",
"call_service": "Anropa tjänst",
"column_description": "Beskrivning",
"column_example": "Exempel",
"column_parameter": "Parameter",
"data": "Data (YAML, valbart)",
"description": "Utvecklarverktyget för tjänster låter dig anropa alla tillgängliga tjänster i Home Assistant.",
"fill_example_data": "Fyll på exempeldata",
"no_description": "Ingen beskrivning tillgänglig",
"no_parameters": "Den här tjänsten tar inga parametrar.",
"select_service": "Välj en tjänst för att se beskrivningen",
"title": "Tjänster"
},
"states": {
@ -2907,25 +2553,20 @@
}
},
"history": {
"period": "Period",
"ranges": {
"last_week": "Föregående vecka",
"this_week": "Denna vecka",
"today": "Idag",
"yesterday": "Igår"
},
"showing_entries": "Visar poster för"
}
},
"logbook": {
"entries_not_found": "Inga loggboksposter hittades.",
"period": "Period",
"ranges": {
"last_week": "Föregående vecka",
"this_week": "Denna vecka",
"today": "Idag",
"yesterday": "Igår"
},
"showing_entries": "Visar poster för"
}
},
"lovelace": {
"add_entities": {
@ -2934,7 +2575,6 @@
"yaml_unsupported": "Du kan inte använda den här funktionen när du använder Lovelace användargränssnitt i YAML-läge."
},
"cards": {
"action_confirmation": "Är du säker på att du vill utföra händelsen \"{action}\"?",
"actions": {
"action_confirmation": "Är du säker på att du vill utföra händelsen \"{action}\"?",
"no_entity_more_info": "Ingen entitet angiven för mer info dialog",
@ -2973,13 +2613,11 @@
"reorder_items": "Ändra ordning på objekt"
},
"starting": {
"description": "Home Assistant startar, var god vänta...",
"header": "Home Assistant startar..."
"description": "Home Assistant startar, var god vänta..."
}
},
"changed_toast": {
"message": "Lovelace-konfigurationen uppdaterades, vill du ladda om?",
"refresh": "Uppdatera"
"message": "Lovelace-konfigurationen uppdaterades, vill du ladda om?"
},
"components": {
"timestamp-display": {
@ -2998,7 +2636,6 @@
"toggle": "Växla",
"url": "URL"
},
"editor_service_data": "Data för en tjänst kan bara anges i kodredigeraren",
"navigation_path": "Navigationsväg",
"url_path": "Sökväg till URL"
},
@ -3196,7 +2833,6 @@
},
"sensor": {
"description": "Sensorkortet ger dig en snabb överblick över dina sensortillstånd med en valfri graf för att visualisera förändring över tid.",
"graph_detail": "Detalj på kurva",
"graph_type": "Typ av kurva",
"name": "Sensor",
"show_more_detail": "Visa fler detaljer"
@ -3367,7 +3003,6 @@
"configure_ui": "Redigera kontrollpanel",
"exit_edit_mode": "Avsluta UI-redigeringsläge",
"help": "Hjälp",
"refresh": "Uppdatera",
"reload_resources": "Ladda om resurser",
"start_conversation": "Starta konversation"
},
@ -3486,8 +3121,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "Din dator har inte tillåtelse.",
"not_whitelisted": "Din dator är inte vitlistad"
"not_allowed": "Din dator har inte tillåtelse."
},
"step": {
"init": {
@ -3640,15 +3274,12 @@
"create": "Skapa token",
"create_failed": "Det gick inte att skapa åtkomsttoken.",
"created": "Skapat {date}",
"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.",
"name": "Namn",
"not_used": "Har aldrig använts",
"prompt_copy_token": "Kopiera din åtkomsttoken. Den kommer inte att visas igen.",
"prompt_name": "Ge token ett namn"
},
@ -3713,11 +3344,6 @@
},
"shopping_list": {
"start_conversation": "Starta konversation"
},
"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 eller skriv \"Add candy to my shopping list\""
}
},
"sidebar": {

View File

@ -42,191 +42,9 @@
}
},
"state": {
"alarm_control_panel": {
"armed": "எச்சரிக்கை ஒலி அமைக்கப்பட்டுள்ளது",
"armed_away": "எச்சரிக்கை ஒலி வெளியே",
"armed_custom_bypass": "விருப்ப எச்சரிக்கை ஒலி",
"armed_home": "எச்சரிக்கை ஒலி முகப்பு",
"armed_night": "எச்சரிக்கை ஒலி இரவில்",
"arming": "எச்சரிக்கை ஒலி அமைக்கிறது",
"disarmed": "எச்சரிக்கை ஒலி அமைக்கப்படவில்லை",
"disarming": "எச்சரிக்கை ஒலி நீக்கம்",
"pending": "நிலுவையில்",
"triggered": "தூண்டப்படுகிறது"
},
"automation": {
"off": "ஆஃப்",
"on": "ஆன் "
},
"binary_sensor": {
"default": {
"off": "ஆஃப்",
"on": "ஆன்"
},
"gas": {
"off": "தெளிவு",
"on": "கண்டறியப்பட்டது"
},
"heat": {
"off": "ஆஃப்",
"on": "சூடான"
},
"moisture": {
"off": "உலர்",
"on": "ஈரம்"
},
"motion": {
"off": "தெளிவு ",
"on": "கண்டறியப்பட்டது"
},
"occupancy": {
"off": "தெளிவு ",
"on": "கண்டறியப்பட்டது"
},
"opening": {
"off": "மூடப்பட்டது",
"on": "திறக்கப்பட்டுள்ளது"
},
"presence": {
"off": "தொலைவில்",
"on": "முகப்பு"
},
"problem": {
"off": "சரி",
"on": "சிக்கல்"
},
"safety": {
"off": "பாதுகாப்பான",
"on": "பாதுகாப்பற்ற"
},
"smoke": {
"off": "தெளிவு ",
"on": "கண்டறியப்பட்டது"
},
"sound": {
"off": "தெளிவு ",
"on": "கண்டறியப்பட்டது"
},
"vibration": {
"off": "தெளிவு ",
"on": "கண்டறியப்பட்டது"
},
"window": {
"off": "மூடப்பட்டுள்ளது",
"on": "திறக்கப்பட்டுள்ளது"
}
},
"calendar": {
"off": "ஆஃப்",
"on": "ஆன்"
},
"camera": {
"idle": "பணியின்றி",
"recording": "பதிவு",
"streaming": "ஸ்ட்ரீமிங்"
},
"climate": {
"cool": "குளிர்",
"dry": "உலர்ந்த",
"fan_only": "விசிறி மட்டும்",
"heat": "வெப்பம்",
"off": "ஆஃப்"
},
"configurator": {
"configure": "உள்ளமை",
"configured": "உள்ளமைக்கப்பட்டது"
},
"cover": {
"closed": "மூடப்பட்டது",
"closing": "மூடுகிறது",
"open": "திறக்கப்பட்டுள்ளது",
"opening": "திறக்கிறது",
"stopped": "நிறுத்தப்பட்டது"
},
"default": {
"unavailable": "கிடைக்கவில்லை",
"unknown": "தெரியவில்லை"
},
"device_tracker": {
"not_home": "தொலைவில்"
},
"fan": {
"off": "ஆஃப்",
"on": "விசிறி ஆன்"
},
"group": {
"closed": "மூடப்பட்டுள்ளது ",
"closing": "மூடுகிறது ",
"home": "முகப்பு",
"locked": "பூட்டப்பட்டுள்ளது ",
"not_home": "தொலைவில்",
"off": "ஆஃப்",
"ok": "சரி",
"on": "ஆன்",
"open": "திறக்கப்பட்டுள்ளது ",
"opening": "திறக்கிறது ",
"problem": "சிக்கல்",
"stopped": "நிறுத்தப்பட்டுள்ளது ",
"unlocked": "திறக்கப்பட்டுள்ளது "
},
"input_boolean": {
"off": "ஆஃப்",
"on": "ஆன்"
},
"light": {
"off": "ஆஃப்",
"on": "ஆன்"
},
"lock": {
"locked": "பூட்டப்பட்டது",
"unlocked": "திறக்கப்பட்டது"
},
"media_player": {
"idle": "பணியின்றி",
"off": "ஆஃப்",
"on": "ஆன்",
"paused": "இடைநிறுத்தப்பட்டுள்ளது",
"playing": "விளையாடுதல்",
"standby": "காத்திரு"
},
"plant": {
"ok": "சரி",
"problem": "சிக்கல்"
},
"remote": {
"off": "ஆஃப்",
"on": "ஆன்"
},
"scene": {
"scening": "காட்சி"
},
"script": {
"off": "ஆஃப்",
"on": "ஆன்"
},
"sensor": {
"off": "ஆஃப்",
"on": "ஆன்"
},
"sun": {
"above_horizon": "தொடுவானத்திற்கு மேலே",
"below_horizon": "தொடுவானத்திற்குக் கீழே"
},
"switch": {
"off": "ஆஃப்",
"on": "ஆன்"
},
"zwave": {
"default": {
"dead": "இறந்துவிட்டது",
"initializing": "துவக்குகிறது",
"ready": "தயார்",
"sleeping": "தூங்குகின்றது"
},
"query_stage": {
"dead": "இறந்துவிட்டது ({query_stage})",
"initializing": "துவக்குகிறது ( {query_stage} )"
}
}
},
"ui": {
@ -261,7 +79,6 @@
"title": "MQTT"
},
"zwave": {
"caption": "Z-Wave",
"node_config": {
"set_config_parameter": "கட்டமைப்பு அளவுருவை அமைக்கவும்"
}

View File

@ -44,232 +44,9 @@
}
},
"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": {
"on": "చల్లని"
},
"connectivity": {
"off": "డిస్కనెక్ట్",
"on": "కనెక్ట్"
},
"default": {
"off": "ఆఫ్",
"on": "ఆన్"
},
"door": {
"off": "మూసుకుంది",
"on": "తెరిచివుంది"
},
"garage_door": {
"off": "మూసుకుంది",
"on": "తెరిచివుంది"
},
"gas": {
"off": "గ్యాస్ ఆఫ్",
"on": "గ్యాస్ ఆన్"
},
"heat": {
"off": "సాధారణ",
"on": "వేడి"
},
"lock": {
"off": "లాక్ చేయబడింది",
"on": "లాక్ చేయబడలేదు"
},
"moisture": {
"off": "పొడి",
"on": "తడి"
},
"motion": {
"off": "కదలిక లేదు",
"on": "కదలిక వుంది"
},
"occupancy": {
"off": "ఉనికిడి లేదు",
"on": "ఉనికిడి ఉంది"
},
"opening": {
"off": "మూసివుంది",
"on": "తెరుచుకుంటోంది"
},
"presence": {
"off": "బయట",
"on": "ఇంట"
},
"problem": {
"off": "OK",
"on": "సమస్య"
},
"safety": {
"off": "క్షేమం",
"on": "క్షేమం కాదు"
},
"smoke": {
"off": "పొగ లేదు",
"on": "పొగ వుంది"
},
"sound": {
"off": "శబ్ధం లేదు",
"on": "శబ్ధం వుంది"
},
"vibration": {
"off": "కదలట్లేదు",
"on": "కదులుతోంది"
},
"window": {
"off": "మూసుకుంది",
"on": "తెరిచివుంది"
}
},
"calendar": {
"off": "ఆఫ్",
"on": "ఆన్"
},
"camera": {
"idle": "ఐడిల్",
"recording": "రికార్డింగ్",
"streaming": "ప్రసారం"
},
"climate": {
"cool": "చల్లగా",
"dry": "పొడి",
"fan_only": "ఫ్యాన్ మాత్రమే",
"heat": "వెచ్చగా",
"off": "ఆఫ్"
},
"configurator": {
"configure": "కాన్ఫిగర్",
"configured": "కాన్ఫిగర్"
},
"cover": {
"closed": "మూసుకుంది",
"closing": "మూసుకుంటోంది",
"open": "తెరిచివుంది",
"opening": "తెరుచుకుంటోంది",
"stopped": "ఆగివుంది"
},
"default": {
"unavailable": "అందుబాటులో లేదు",
"unknown": "తెలియదు"
},
"device_tracker": {
"not_home": "బయట"
},
"fan": {
"off": "ఆఫ్",
"on": "ఆన్"
},
"group": {
"closed": "మూసుకుంది",
"closing": "మూసుకుంటోంది",
"home": "ఇంట",
"locked": "మూసి వుండు",
"not_home": "బయట",
"off": "ఆఫ్",
"ok": "అలాగే",
"on": "ఆన్",
"open": "తెరిచివుంది",
"opening": "తెరుచుకుంటోంది",
"problem": "సమస్య",
"stopped": "ఆపివుంది",
"unlocked": "తెరుచి వుండు"
},
"input_boolean": {
"off": "ఆఫ్",
"on": "ఆన్"
},
"light": {
"off": "ఆఫ్",
"on": "ఆన్"
},
"lock": {
"locked": "మూసి వుండు",
"unlocked": "తెరుచి వుండు"
},
"media_player": {
"idle": "ఐడిల్",
"off": "ఆఫ్",
"on": "ఆన్",
"paused": "ఆపివుంది",
"playing": "ఆడుతోంది",
"standby": "నిలకడ"
},
"plant": {
"ok": "అలాగే",
"problem": "సమస్య"
},
"remote": {
"off": "ఆఫ్",
"on": "ఆన్"
},
"scene": {
"scening": "సీనింగ్"
},
"script": {
"off": "ఆఫ్",
"on": "ఆన్"
},
"sensor": {
"off": "ఆఫ్",
"on": "ఆన్"
},
"sun": {
"above_horizon": "హోరిజోన్ పైన",
"below_horizon": "హోరిజోన్ క్రింద"
},
"switch": {
"off": "ఆఫ్",
"on": "ఆన్"
},
"vacuum": {
"cleaning": "శుభ్రపరుచుతోంది"
},
"weather": {
"cloudy": "మేఘావృతం",
"fog": "పొగమంచు",
"hail": "వడగళ్ళు",
"lightning": "మెరుపులు",
"lightning-rainy": "మెరుపు, వర్షం",
"partlycloudy": "పాక్షికంగా మేఘావృతం",
"pouring": "కుంభవృష్టి",
"rainy": "వర్షం",
"snowy": "మంచు",
"snowy-rainy": "మంచు, వర్షం",
"sunny": "ఎండ",
"windy": "గాలులతో",
"windy-variant": "గాలులతో"
},
"zwave": {
"default": {
"dead": "మృత పరికరం",
"initializing": "సిద్ధం అవుతోంది",
"ready": "రెడీ",
"sleeping": "నిద్రిస్తోంది"
},
"query_stage": {
"dead": "మృత పరికరం ({query_stage})",
"initializing": "సిద్ధం అవుతోంది ( {query_stage} )"
}
}
},
"ui": {
@ -304,9 +81,6 @@
"scene": {
"activate": "యాక్టివేట్"
},
"script": {
"execute": "అమలు చేయండి"
},
"vacuum": {
"actions": {
"start_cleaning": "శుభ్రపరచడం ప్రారంభించండి",
@ -493,7 +267,6 @@
}
},
"zwave": {
"caption": "Z-Wave",
"description": "మీ Z- వేవ్ నెట్వర్క్ని నిర్వహించండి",
"node_config": {
"set_config_parameter": "కాన్ఫిగర్ పారామితిని సెట్ చేయండి"
@ -516,9 +289,6 @@
}
}
},
"history": {
"period": "కాలం"
},
"mailbox": {
"delete_button": "తొలగించు",
"delete_prompt": "ఈ సందేశాన్ని తొలగించాలా?",
@ -562,9 +332,6 @@
}
},
"trusted_networks": {
"abort": {
"not_whitelisted": "మీ కంప్యూటర్ అనుమతి జాబితాలో లేదు."
},
"step": {
"init": {
"data": {
@ -597,8 +364,6 @@
"link_promo": "అనువాదకు సహాయం చెయ్యండి"
},
"long_lived_access_tokens": {
"created_at": "{date} లో రూపొందించబడింది",
"not_used": "ఎప్పుడూ ఉపయోగించలేదు",
"prompt_name": "పేరు?"
},
"push_notifications": {
@ -608,11 +373,6 @@
"refresh_tokens": {
"header": "రిఫ్రెష్ టోకెన్లు"
}
},
"shopping-list": {
"add_item": "క్రొత్తది జోడించు",
"clear_completed": "పూర్తయినవి తొలిగించు",
"microphone_tip": "కుడి వైపున మైక్రోఫోన్ను నొక్కి, “Add candy to my shopping list”"
}
}
}

View File

@ -72,250 +72,9 @@
}
},
"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": "เปิด"
},
"door": {
"off": "ปิดแล้ว",
"on": "เปิด"
},
"garage_door": {
"off": "ปิดแล้ว",
"on": "เปิด"
},
"gas": {
"off": "ไม่พบแก๊ส",
"on": "ตรวจพบแก๊ส"
},
"heat": {
"off": "ปกติ",
"on": "ร้อน"
},
"lock": {
"off": "ล็อคอยู่",
"on": "ปลดล็อคแล้ว"
},
"moisture": {
"off": "แห้ง",
"on": "เปียก"
},
"motion": {
"off": "ไม่พบการเคลื่อนไหว",
"on": "พบการเคลื่อนไหว"
},
"occupancy": {
"off": "ไม่พบ",
"on": "พบ"
},
"opening": {
"off": "ปิด",
"on": "เปิด"
},
"presence": {
"off": "ไม่อยู่",
"on": "อยู่บ้าน"
},
"problem": {
"off": "ตกลง",
"on": "ปัญหา"
},
"safety": {
"off": "ปิด",
"on": "เปิด"
},
"smoke": {
"off": "ไม่พบควัน",
"on": "พบควัน"
},
"sound": {
"off": "ไม่ได้ยิน",
"on": "ได้ยิน"
},
"vibration": {
"off": "ไม่พบการสั่น",
"on": "พบการสั่น"
},
"window": {
"off": "ปิดแล้ว",
"on": "เปิด"
}
},
"calendar": {
"off": "ปิด",
"on": "เปิด"
},
"camera": {
"idle": "ไม่ได้ใช้งาน",
"recording": "กำลังบันทึก",
"streaming": "สตรีมมิ่ง"
},
"climate": {
"cool": "เย็น",
"dry": "แห้ง",
"fan_only": "เฉพาะพัดลม",
"heat": "ร้อน",
"heat_cool": "ร้อน/เย็น",
"off": "ปิด"
},
"configurator": {
"configure": "ตั้งค่า",
"configured": "ตั้งค่าแล้ว"
},
"cover": {
"closed": "ปิด",
"closing": "กำลังปิด",
"open": "เปิด",
"opening": "กำลังเปิด",
"stopped": "หยุด"
},
"default": {
"unavailable": "ไม่พร้อมใช้งาน",
"unknown": "ไม่ทราบสถานะ"
},
"device_tracker": {
"not_home": "ไม่อยู่"
},
"fan": {
"off": "ปิด",
"on": "เปิด"
},
"group": {
"closed": "ปิดแล้ว",
"closing": "กำลังปิด",
"home": "อยู่บ้าน",
"locked": "ล็อคแล้ว",
"not_home": "ไม่อยู่บ้าน",
"off": "ปิด",
"ok": "พร้อมใช้งาน",
"on": "เปิด",
"open": "เปิด",
"opening": "กำลังเปิด",
"problem": "มีปัญหา",
"stopped": "หยุดแล้ว",
"unlocked": "ปลดล็อคแล้ว"
},
"input_boolean": {
"off": "ปิด",
"on": "เปิด"
},
"light": {
"off": "ปิด",
"on": "เปิด"
},
"lock": {
"locked": "ล็อค",
"unlocked": "ปลดล็อค"
},
"media_player": {
"idle": "ไม่ได้ใช้งาน",
"off": "ปิด",
"on": "เปิด",
"paused": "หยุดชั่วคราว",
"playing": "กำลังเล่น",
"standby": "แสตนด์บาย"
},
"person": {
"home": "อยู่บ้าน"
},
"plant": {
"ok": "พร้อมใช้งาน",
"problem": "มีปัญหา"
},
"remote": {
"off": "ปิด",
"on": "เปิด"
},
"scene": {
"scening": "ซีน"
},
"script": {
"off": "ปิด",
"on": "เปิด"
},
"sensor": {
"off": "ปิด",
"on": "เปิด"
},
"sun": {
"above_horizon": "เหนือขอบฟ้า",
"below_horizon": "ตกดิน"
},
"switch": {
"off": "ปิด",
"on": "เปิด"
},
"timer": {
"active": "ใช้งานอยู่",
"idle": "ไม่ได้ใช้งาน",
"paused": "หยุดชั่วคราว"
},
"vacuum": {
"cleaning": "กำลังทำความสะอาด",
"docked": "เชื่อมต่อ",
"error": "ผิดพลาด",
"idle": "ว่าง",
"off": "ปิด",
"on": "เปิด",
"paused": "หยุดชั่วคราว",
"returning": "กลับไปจุดเชื่อมต่อ"
},
"weather": {
"clear-night": "ฟ้าโปร่ง, กลางคืน",
"cloudy": "มีเมฆมาก",
"fog": "หมอก",
"hail": "ลูกเห็บ",
"lightning": "ฟ้าแลบ",
"lightning-rainy": "ฟ้าแลบ, ฝนตก",
"partlycloudy": "มีเมฆบางส่วน",
"pouring": "เท",
"rainy": "ฝน",
"snowy": "หิมะ",
"snowy-rainy": "หิมะ, ฝน",
"sunny": "แดดจัด",
"windy": "ลมแรง",
"windy-variant": "ลมแรง"
},
"zwave": {
"default": {
"dead": "ไม่พร้อมใช้งาน",
"initializing": "กำลังเริ่มต้น",
"ready": "พร้อมใช้งาน",
"sleeping": "กำลังหลับ"
},
"query_stage": {
"dead": "ไม่พร้อมใช้งาน ({query_stage})",
"initializing": "กำลังเริ่มต้น ( {query_stage} )"
}
}
},
"ui": {
@ -384,9 +143,6 @@
"scene": {
"activate": "กระตุ้น"
},
"script": {
"execute": "ปฏิบัติ"
},
"timer": {
"actions": {
"cancel": "ยกเลิก",
@ -486,9 +242,7 @@
"second": "{count} {count, plural,\n one {วินาที}\n other {วินาที}\n}",
"week": "{count} {count, plural,\n one {สัปดาห์}\n other {สัปดาห์}\n}"
},
"future": "{time} ที่แล้ว",
"never": "ไม่เคย",
"past": "{time}ที่แล้ว"
"never": "ไม่เคย"
},
"service-picker": {
"service": "บริการ"
@ -529,11 +283,7 @@
"reconfigure": "กำหนดค่าอุปกรณ์ ZHA อีกครั้ง (เพื่อรักษาอุปกรณ์) ใช้สิ่งนี้หากคุณมีปัญหากับอุปกรณ์ หากอุปกรณ์ดังกล่าวเป็นอุปกรณ์ที่ใช้พลังงานจากแบตเตอรี่โปรดตรวจสอบให้แน่ใจว่าอุปกรณ์นั้นเปิดอยู่และยอมรับคำสั่งเมื่อคุณใช้บริการ",
"remove": "ลบอุปกรณ์ออกจากเครือข่าย Zigbee"
},
"unknown": "ไม่ทราบสถานะ",
"zha_device_card": {
"area_picker_label": "พื้นที่",
"update_name_button": "อัปเดตชื่อ"
}
"unknown": "ไม่ทราบสถานะ"
}
},
"duration": {
@ -607,8 +357,7 @@
"service_data": "บริการ"
},
"service": {
"label": "เรียกบริการ",
"service_data": "ข้อมูลบริการ"
"label": "เรียกบริการ"
},
"wait_for_trigger": {
"label": "รอทริกเกอร์"
@ -801,7 +550,6 @@
"nabu_casa_account": "บัญชี Nabu Casa",
"sign_out": "ลงชื่อออก"
},
"caption": "Home Assistant Cloud",
"description_features": "ควบคุมการทำงานจากนอกบ้าน ร่วมกับ Alexa และ Google Assistant",
"description_login": "ลงชื่อเข้าใช้เป็น {email}",
"description_not_login": "ยังไม่ได้เข้าสู่ระบบ",
@ -895,9 +643,6 @@
}
},
"header": "การตั้งค่า Home Assistant",
"info": {
"title": "ข้อมูล"
},
"integrations": {
"attention": "ต้องระบุ",
"caption": "การทำงานร่วมกัน",
@ -909,8 +654,6 @@
"hub": "เชื่อมต่อผ่านทาง",
"manuf": "โดย {manufacturer}",
"no_area": "ไม่มีห้อง",
"no_device": "เป็น Entities โดยไม่มีอุปกรณ์",
"no_devices": "การทำงานร่วมกันนี้ไม่มีอุปกรณ์ใดๆ อยู่เลย",
"restart_confirm": "เริ่ม Home Assistant ใหม่หลังจากลบการบูรณาการนี้"
},
"config_flow": {
@ -992,9 +735,7 @@
"add_user": {
"caption": "เพิ่มผู้ใช้",
"create": "สร้าง",
"name": "ชื่อ",
"password": "รหัสผ่าน",
"username": "ชื่อผู้ใช้"
"password": "รหัสผ่าน"
},
"caption": "ผู้ใช้",
"description": "จัดการผู้ใช้งานในระบบ",
@ -1008,15 +749,10 @@
},
"zha": {
"add_device_page": {
"discovery_text": "อุปกรณ์ที่ค้นหาเจอจะปรากฏที่นี่ ทำตามคำแนะนำบนอุปกรณ์ของคุณและให้อุปกรณ์อยู่ในโหมดการจับคู่ด้วย",
"header": "Zigbee Home Automation - เพิ่มอุปกรณ์",
"spinner": "กำลังค้นหาอุปกรณ์ ZHA Zigbee ..."
},
"caption": "ZHA",
"description": "การจัดการระบบอัติโนมัติของ Zigbee"
}
},
"zwave": {
"caption": "Z-Wave",
"common": {
"index": "ดัชนี",
"instance": "อิน สแตนซ์",
@ -1069,14 +805,6 @@
}
}
},
"history": {
"period": "ช่วงเวลา",
"showing_entries": "วันที่ต้องการแสดง"
},
"logbook": {
"period": "ช่วงเวลา",
"showing_entries": "วันที่ต้องการแสดง"
},
"lovelace": {
"cards": {
"empty_state": {
@ -1100,8 +828,7 @@
}
},
"changed_toast": {
"message": "อัพเดทการกำหนดค่าส่วนแสดงผล Lovelace แล้ว คุณต้องการจะรีเฟรชหน้าหรือไม่",
"refresh": "รีเฟรช"
"message": "อัพเดทการกำหนดค่าส่วนแสดงผล Lovelace แล้ว คุณต้องการจะรีเฟรชหน้าหรือไม่"
},
"editor": {
"card": {
@ -1176,8 +903,7 @@
},
"menu": {
"configure_ui": "ตั้งค่าการแสดงผล",
"help": "วิธีใช้",
"refresh": "รีเฟรช"
"help": "วิธีใช้"
},
"reload_lovelace": "โหลดส่วนแสดงผล Lovelace ใหม่",
"warning": {
@ -1267,9 +993,6 @@
}
},
"trusted_networks": {
"abort": {
"not_whitelisted": "คอมพิวเตอร์ของคุณไม่ได้รับสิทธิ์ในการเข้าถึง"
},
"step": {
"init": {
"data": {
@ -1389,15 +1112,12 @@
"create": "สร้าง Token ใหม่",
"create_failed": "เกิดข้อผิดพลาดในการลบ Access Token",
"created": "สร้างเมื่อ {date}",
"created_at": "สร้างเมื่อ {date}",
"delete_failed": "เกิดข้อผิดพลาดในการลบ Access Token",
"description": "สร้างโทเค็นการเข้าถึงระยะยาวเพื่อให้สคริปต์ของคุณเชื่อมต่อกับ Home Assistant ได้ โดยแต่ละโทเค็นที่สร้างขึ้นจะอยู่ได้ 10 ปีนับจากวันที่สร้าง\nโทเค็นการเข้าถึงระยะยาวต่อไปนี้กำลังถูกใช้ในบัญชีของคุณอยู่..",
"empty_state": "คุณยังไม่มีโทเค็นการเข้าถึงระยะยาวเลย",
"header": "โทเค็นการเข้าถึงระยะยาว",
"last_used": "ใช้ครั้งล่าสุดเมื่อ {date} จาก {location}",
"learn_auth_requests": "เรียนรู้วิธีสร้างคำขอที่มีการรับรองความถูกต้อง",
"name": "ชื่อ",
"not_used": "ยังไม่เคยถูกใช้งาน",
"prompt_copy_token": "จด Access Token ของคุณไว้ที่อื่นด้วย มันจะไม่แสดงให้เห็นอีกแล้วหลังจากนี้",
"prompt_name": "ชื่อ?"
},
@ -1442,11 +1162,6 @@
"vibrate": {
"header": "สั่น"
}
},
"shopping-list": {
"add_item": "เพิ่มรายการใหม่",
"clear_completed": "จัดการเรียบร้อย",
"microphone_tip": "ลองแตะไมโครโฟนที่ด้านบนขวาและพูดว่า \"เพิ่มลูกอมลงในรายการช้อปปิ้งของฉัน\" ดูสิ!"
}
},
"sidebar": {

View File

@ -95,253 +95,11 @@
}
},
"state": {
"alarm_control_panel": {
"armed": "Etkin",
"armed_away": "Etkin dışarıda",
"armed_custom_bypass": "Özel alarm atlatması",
"armed_home": "Evdeyim modu kuruldu",
"armed_night": "Etkin gece",
"arming": "Etkinleşiyor",
"disarmed": "Etkisiz",
"disarming": "Etkisizleştiriliyor",
"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"
},
"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ı"
},
"occupancy": {
"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ı"
},
"sound": {
"off": "Temiz",
"on": "Algılandı"
},
"vibration": {
"off": "Temiz",
"on": "Algılandı"
},
"window": {
"off": "Kapalı",
"on": "Açık"
}
},
"calendar": {
"off": "Kapalı",
"on": "Açık"
},
"camera": {
"idle": "Boşta",
"recording": "Kaydediliyor",
"streaming": "Yayın akışı"
},
"climate": {
"cool": "Serin",
"dry": "Kuru",
"fan_only": "Sadece fan",
"heat": "Sıcak",
"heat_cool": "Isıtma / Soğutma",
"off": "Kapalı"
},
"configurator": {
"configure": "Ayarla",
"configured": "Ayarlandı"
},
"cover": {
"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": {
"not_home": "Dışarıda"
},
"fan": {
"off": "Kapalı",
"on": "Açık"
},
"group": {
"closed": "Kapandı",
"closing": "Kapanıyor",
"home": "Evde",
"locked": "Kilitli",
"not_home": "Dışarıda",
"off": "Kapalı",
"ok": "Tamam",
"on": "Açık",
"open": "Açık",
"opening": "Açılıyor",
"problem": "Problem",
"stopped": "Durduruldu",
"unlocked": "Kilitli değil"
},
"input_boolean": {
"off": "Kapalı",
"on": "Açık"
},
"light": {
"off": "Kapalı",
"on": "Açık"
},
"lock": {
"locked": "Kilitli",
"unlocked": "Kilitli değil"
},
"media_player": {
"idle": "Boşta",
"off": "Kapalı",
"on": "Açık",
"paused": "Durduruldu",
"playing": "Oynuyor",
"standby": "Bekleme modu"
},
"person": {
"home": "Evde"
},
"plant": {
"ok": "Tamam",
"problem": "Problem"
},
"remote": {
"off": "Kapalı",
"on": "Açık"
},
"scene": {
"scening": "senaryolar"
},
"script": {
"off": "Kapalı",
"on": "Açık"
},
"sensor": {
"off": "Kapalı",
"on": "Açık"
},
"sun": {
"above_horizon": "Ufkun üzerinde",
"below_horizon": "Ufkun altında"
},
"switch": {
"off": "Kapalı",
"on": "Açık"
},
"timer": {
"active": "Aktif",
"idle": "Boşta",
"paused": "Durduruldu"
},
"vacuum": {
"cleaning": "Temizleniyor",
"docked": "Dock'da",
"error": "Hata",
"idle": "Boşta",
"off": "Kapalı",
"on": "Açık",
"paused": "Durduruldu",
"returning": "Dock'a geri dönüş"
},
"weather": {
"clear-night": "Açık, gece",
"cloudy": "Bulutlu",
"exceptional": "Olağanüstü",
"fog": "Sis",
"hail": "Selam",
"lightning": "Yıldırım",
"lightning-rainy": "Yıldırım, yağmurlu",
"partlycloudy": "Parçalı bulutlu",
"pouring": "Dökme",
"rainy": "Yağmurlu",
"snowy": "Karlı",
"snowy-rainy": "Karlı, yağmurlu",
"sunny": "Güneşli",
"windy": "Rüzgarlı",
"windy-variant": "Rüzgarlı"
},
"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": {
@ -442,8 +200,7 @@
},
"script": {
"cancel": "İptal",
"cancel_multiple": "{number} iptal et",
"execute": "Yürüt"
"cancel_multiple": "{number} iptal et"
},
"service": {
"run": "Çalıştır"
@ -630,7 +387,6 @@
"media-browser": {
"audio_not_supported": "Tarayıcınız ses öğesini desteklemiyor.",
"choose_player": "Medya oynatıcı seçin",
"choose-source": "Kaynak Seçin",
"class": {
"album": "Albüm",
"app": "Uygulama",
@ -653,13 +409,6 @@
"url": "URL",
"video": "Video"
},
"content-type": {
"album": "Albüm",
"artist": "Sanatçı",
"library": "Kütüphane",
"playlist": "Oynatma listesi",
"server": "Sunucu"
},
"documentation": "dokümantasyon",
"learn_adding_local_media": "{documentation}'ye ortam ekleme hakkında daha fazla bilgi edinin.",
"local_media_files": "Tarayıcıda veya desteklenen medya oynatıcılarda göz atıp oynatabilmek için video, ses ve görüntü dosyalarınızı medya dizinine yerleştirin.",
@ -701,7 +450,6 @@
"second": "{count}{count, plural,\n one { saniye }\n other { saniye }\n}",
"week": "{count}{count, plural,\n one { hafta }\n other { hafta }\n}"
},
"future": "{time} içinde",
"future_duration": {
"day": "In {count} {count, plural,\n one {gün}\n other {günler}\n}",
"hour": "In {count} {count, plural,\n one {saat}\n other {saatler}\n}",
@ -711,7 +459,6 @@
},
"just_now": "Şu anda",
"never": "Asla",
"past": "{time} önce",
"past_duration": {
"day": "{count} {count, plural,\n one {gün}\n other {günler}\n} önce",
"hour": "{count} {count, plural,\n one {saat}\n other {saatler}\n} önce",
@ -720,6 +467,12 @@
"week": "{count} {count, plural,\n one {hafta}\n other {haftalar}\n} önce"
}
},
"service-control": {
"required": "Bu alan gereklidir",
"service_data": "Servis Verisi",
"target": "Hedefler",
"target_description": "Bu hizmet, hedeflenen alanlar, cihazlar veya varlıklar olarak neleri kullanmalıdır?"
},
"service-picker": {
"service": "Servis"
},
@ -727,8 +480,8 @@
"add_area_id": "Alanı seç",
"add_device_id": "Cihazı seç",
"add_entity_id": "Varlığı seç",
"expand_area_id": "Bu alanı içerdiği ayrı cihazlarda ve varlıklarda genişletin. Genişletme sonrası, alan değiştiğinde cihazları ve varlıkları güncellemeyecektir.",
"expand_device_id": "Bu cihazı ayrı varlıklarda genişletin. Genişletme sonrası, cihaz değiştiğinde varlıklar güncellenmeyecektir.",
"expand_area_id": "Bu alanı içerdiği ayrı aygıtlara ve varlıklara genişletin. Genişlettikten sonra, alan değiştiğinde cihazları ve varlıkları güncelleştirmez.",
"expand_device_id": "Bu aygıtı içerdiği ayrı varlıklara genişletin. Genişlettikten sonra, cihaz değiştiğinde varlıkları güncelleştirmez.",
"remove_area_id": "Alanı kaldır",
"remove_device_id": "Cihazı kaldır",
"remove_entity_id": "Varlığı kaldır"
@ -841,7 +594,6 @@
"crop": "Kırp"
},
"more_info_control": {
"controls": "Kontroller",
"cover": {
"close_cover": "Kapalı kepenk",
"close_tile_cover": "Kepenk eğimini kapat",
@ -926,7 +678,6 @@
"logs": "Günlükler",
"lovelace": "Lovelace Kontrol Paneli",
"navigate_to": "{panel} gidin",
"navigate_to_config": "{panel} yapılandırmasına gidin",
"person": "Kişiler",
"scene": "Sahneler",
"script": "Senaryolar",
@ -1009,9 +760,7 @@
},
"unknown": "Bilinmeyen",
"zha_device_card": {
"area_picker_label": "Alan",
"device_name_placeholder": "Aygıt adını değiştirme",
"update_name_button": "Adı Güncelle"
"device_name_placeholder": "Aygıt adını değiştirme"
}
}
},
@ -1055,10 +804,6 @@
"triggered": "Tetiklendi {name}"
},
"panel": {
"calendar": {
"my_calendars": "Takvimlerim",
"today": "Bugün"
},
"config": {
"advanced_mode": {
"hint_enable": "Yapılandırma seçenekleri eksik mi? Gelişmiş modu etkinleştirin",
@ -1152,7 +897,7 @@
"event": {
"event": "Olay:",
"label": "Olayı Çalıştır",
"service_data": "Hizmet verisi"
"service_data": "Servis Verisi"
},
"repeat": {
"label": "Tekrar",
@ -1176,8 +921,7 @@
"label": "Sahneyi etkinleştir"
},
"service": {
"label": "Servisi Çağır",
"service_data": "Servis Verisi"
"label": "Servisi Çağır"
},
"wait_for_trigger": {
"continue_timeout": "zaman aşımına devam et",
@ -1197,8 +941,6 @@
"blueprint": {
"blueprint_to_use": "Kullanılacak taslak",
"header": "Taslak",
"inputs": "Girişler",
"manage_blueprints": "Taslakları yönetin",
"no_blueprints": "Hiç taslağın yok.",
"no_inputs": "Bu taslağın herhangi bir girdisi yok."
},
@ -1453,7 +1195,6 @@
"header": "Taslağı içeri aktar",
"import_btn": "Taslağı içe aktar",
"import_header": "Taslak \"{name}\"",
"import_introduction": "Diğer kullanıcıların taslaklarını Github'dan ve topluluk forumlarından içe aktarabilirsiniz. Taslağın URL'sini aşağıya girin.",
"import_introduction_link": "Diğer kullanıcıların taslaklarını Github ve {community_link} den içe aktarabilirsiniz. Planın URL'sini aşağıya girin.",
"importing": "Taslak içe aktarılıyor...",
"raw_blueprint": "Taslak içeriği",
@ -1575,7 +1316,6 @@
"not_exposed_entities": "Sergilenmemiş varlıklar",
"title": "Alexa"
},
"caption": "Home Assistant Cloud",
"description_features": "Dışarıdayken evi kontrol edin ve Alexa ve Google Assistant ile entegre edin",
"description_login": "{email} olarak oturum açtınız",
"description_not_login": "Oturum açmadınız",
@ -1708,7 +1448,6 @@
"pick_attribute": "Geçersiz kılmak için bir özellik seçin",
"picker": {
"documentation": "Özelleştirme belgeleri",
"entity": "Varlık",
"header": "Özelleştirmeler",
"introduction": "Varlık özniteliklerinde ince ayar yapın. Eklenen / düzenlenen özelleştirmeler hemen yürürlüğe girecektir. Varlık güncellendiğinde kaldırılan özelleştirmeler geçerli olacaktır."
},
@ -1755,7 +1494,6 @@
"integration": "Entegrasyon",
"manufacturer": "Üretici",
"model": "Model",
"no_area": "Alan Yok",
"no_devices": "Cihaz yok"
},
"delete": "Sil",
@ -1911,42 +1649,9 @@
"source": "Kaynak:",
"system_health_error": "Sistem Sağlığı bileşeni yüklü değil. configuration.yaml içine 'system_health:' ekleyin",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Alexa Etkin",
"can_reach_cert_server": "Sertifika Sunucusuna Ulaşın",
"can_reach_cloud": "Home Assistant Cloud'a ulaşın",
"can_reach_cloud_auth": "Kimlik Doğrulama Sunucusuna Ulaşın",
"google_enabled": "Google Etkin",
"logged_in": "Giriş Yaptı",
"relayer_connected": "Yeniden Katman bağlı",
"remote_connected": "Uzaktan Bağlı",
"remote_enabled": "Uzaktan Etkinleştirildi",
"subscription_expiration": "Aboneliğin Sona Ermesi"
},
"homeassistant": {
"arch": "CPU Mimarisi",
"dev": "Geliştirme",
"docker": "Konteyner",
"hassio": "HassOS",
"installation_type": "Kurulum Türü",
"os_name": "İşletim Sistemi Adı",
"os_version": "İşletim Sistemi Sürümü",
"python_version": "Python Sürümü",
"timezone": "Saat dilimi",
"version": "Sürüm",
"virtualenv": "Sanal Ortam"
},
"lovelace": {
"dashboards": "Kontrol panelleri",
"mode": "Mod",
"resources": "Kaynaklar"
}
},
"manage": "Yönet",
"more_info": "daha fazla bilgi"
},
"title": "Bilgi"
}
},
"integration_panel_move": {
"link_integration_page": "entegrasyonlar sayfası",
@ -1960,7 +1665,6 @@
"config_entry": {
"area": "{area} içinde",
"delete": "Sil",
"delete_button": "{integration} silin",
"delete_confirm": "Bu entegrasyonu silmek istediğinizden emin misiniz?",
"device_unavailable": "Cihaz kullanılamıyor",
"devices": "{count} {count, plural,\n one {cihaz}\n other {cihazlar}\n}",
@ -1971,8 +1675,6 @@
"hub": "Şununla bağlı:",
"manuf": "üretici: {manufacturer}",
"no_area": "Alan Yok",
"no_device": "Aygıtsız varlıklar",
"no_devices": "Bu entegrasyona ait hiçbir aygıt yok",
"options": "Seçenekler",
"reload": "Tekrar yükle",
"reload_confirm": "Entegrasyon yeniden yüklendi",
@ -1980,16 +1682,16 @@
"rename": "Yeniden adlandır",
"restart_confirm": "Bu entegrasyonu kaldırmaya devam etmek için Home Assistant'ı yeniden başlatın",
"services": "{count} {count, plural,\n one {hizmet}\n other {hizmetler}\n}",
"settings_button": "{integration} ayarlarını düzenleyin",
"system_options": "Sistem seçenekleri",
"system_options_button": "{integration} için sistem seçenekleri",
"unnamed_entry": "Adsız giriş"
},
"config_flow": {
"aborted": "İptal edildi",
"close": "Kapat",
"could_not_load": "Yapılandırma akışı yüklenemedi",
"created_config": "{name} için ayar oluşturuldu.",
"dismiss": "İletişim kutusunu kapat",
"error": "Hata",
"error_saving_area": "Alan kayıt etme hatası: {error}",
"external_step": {
"description": "Bu adım, tamamlanması için harici bir web sitesini ziyaret etmenizi gerektirir.",
@ -1998,6 +1700,10 @@
"finish": "Bitir",
"loading_first_time": "Lütfen entegrasyonun yüklenmesini bekleyin",
"not_all_required_fields": "Gerekli alanların tümü doldurulmamış.",
"pick_flow_step": {
"new_flow": "Hayır, {integration} öğesinin başka bir örneğini ayarlama",
"title": "Bunları keşfettik, kurmak ister misin?"
},
"submit": "Gönder"
},
"configure": "Yapılandır",
@ -2043,8 +1749,7 @@
"multiple_messages": "ileti ilk önce {time} meydana geldi ve {counter} kez gösterildi",
"no_errors": "Herhangi bir hata rapor edilmiştir.",
"no_issues": "Yeni bir sorun yok!",
"refresh": "Yenile",
"title": "Günlük"
"refresh": "Yenile"
},
"lovelace": {
"caption": "Lovelace Kontrol Panelleri",
@ -2375,8 +2080,7 @@
"learn_more": "Senaryolar hakkında daha fazla bilgi edinin",
"no_scripts": "Düzenlenebilir herhangi bir senaryo bulamadık",
"run_script": "Senaryoyu çalıştır",
"show_info": "Komut dosyası hakkında bilgi göster",
"trigger_script": "Komut dosyası tetikle"
"show_info": "Komut dosyası hakkında bilgi göster"
}
},
"server_control": {
@ -2470,11 +2174,9 @@
"add_user": {
"caption": "Kullanıcı Ekle",
"create": "Oluştur",
"name": "Ad",
"password": "Parola",
"password_confirm": "Parolayı Onayla",
"password_not_match": "Parolalar eşleşmiyor",
"username": "Kullanıcı Adı"
"password_not_match": "Parolalar eşleşmiyor"
},
"caption": "Kullanıcılar",
"description": "Home Assistant kullanıcı hesaplarını yönetin",
@ -2518,19 +2220,12 @@
"add_device": "Cihaz Ekle",
"add_device_page": {
"discovered_text": "Cihazlar keşfedildikten sonra burada görünecektir.",
"discovery_text": "Keşfedilen aygıtlar burada gösterilecek. Cihazınızın(lar) yönergelerini izleyin ve aygıtı(lar) eşleştirme moduna yerleştirin.",
"header": "Zigbee Ev Otomasyonu - Cihaz Ekle",
"no_devices_found": "Hiçbir cihaz bulunamadı, eşleştirme modunda olduklarından emin olun ve keşfetme sırasında cihazıık tutun.",
"pairing_mode": "Cihazlarınızın eşleme modunda olduğundan emin olun. Bunun nasıl yapılacağı konusunda cihazınızın talimatlarını kontrol edin.",
"search_again": "Yeniden Ara",
"spinner": "ZHA Zigbee cihazları aranıyor ..."
},
"add": {
"caption": "Cihaz Ekle",
"description": "Zigbee ağına cihaz ekleme"
},
"button": "Yapılandır",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "Seçili kümenin öznitelikleri",
"get_zigbee_attribute": "Zigbee Özelliğini al",
@ -2554,13 +2249,10 @@
"introduction": "Kümeler, Zigbee işlevselliğinin yapı taşlarıdır. İşlevselliği mantıksal birimlere ayırırlar. Özniteliklerden ve komutlardan oluşan istemci ve sunucu türleri vardır."
},
"common": {
"add_devices": "Cihaz Ekle",
"clusters": "Kümeler",
"devices": "Cihazlar",
"manufacturer_code_override": "Üretici Kodu Geçersiz Kılma",
"value": "Değer"
},
"description": "Zigbee Ev Otomasyonu ağ yönetimi",
"device_pairing_card": {
"CONFIGURED": "Yapılandırma Tamamlandı",
"CONFIGURED_status_text": "Başlatılıyor",
@ -2571,9 +2263,6 @@
"PAIRED": "Cihaz Bulundu",
"PAIRED_status_text": "Görüşme Başlatılıyor"
},
"devices": {
"header": "Zigbee Ev Otomasyonu - Cihaz"
},
"group_binding": {
"bind_button_help": "Seçilen grubu seçilen aygıt kümelerine bağlayın.",
"bind_button_label": "Grupla",
@ -2588,48 +2277,24 @@
"groups": {
"add_group": "Grup Ekle",
"add_members": "Üye ekle",
"adding_members": "Üye Ekleme",
"caption": "Gruplar",
"create": "Grup oluştur",
"create_group": "Zigbee Ev Otomasyonu - Grup Oluştur",
"create_group_details": "Yeni bir zigbee grubu oluşturmak için gerekli ayrıntıları girin",
"creating_group": "Grup Oluşturma",
"description": "Zigbee gruplarını yönetin",
"group_details": "İşte seçilen Zigbee grubu için tüm detaylar.",
"group_id": "Grup kimliği",
"group_info": "Grup Bilgisi",
"group_name_placeholder": "Grup Adı",
"group_not_found": "Grup bulunamadı!",
"group-header": "Zigbee Ev Otomasyonu - Grup Detayları",
"groups": "Gruplar",
"groups-header": "Zigbee Ev Otomasyonu - Grup Yönetimi",
"header": "Zigbee Ev Otomasyonu - Grup Yönetimi",
"introduction": "Zigbee grupları oluşturma ve değiştirme",
"manage_groups": "Zigbee Gruplarını Yönetin",
"members": "Üyeler",
"remove_groups": "Grupları Kaldır",
"remove_members": "Üyeleri Kaldır",
"removing_groups": "Grupları Kaldırma",
"removing_members": "Üyeleri Kaldırma",
"zha_zigbee_groups": "ZHA Zigbee Grupları"
},
"header": "Zigbee Ev Otomasyonunu Yapılandırma",
"introduction": "Burada ZHA bileşenini yapılandırmak mümkündür. Kullanıcı arayüzünden henüz her şey yapılandırılamıyor, ancak üzerinde çalışıyoruz.",
"network_management": {
"header": "Ağ yönetimi",
"introduction": "Tüm ağı etkileyen komutlar"
"removing_members": "Üyeleri Kaldırma"
},
"network": {
"caption": "Ağ"
},
"node_management": {
"header": "Cihaz yönetimi",
"help_node_dropdown": "Aygıt başına seçenekleri görüntülemek için bir aygıt seçin.",
"hint_battery_devices": "Not: Uykulu (pille çalışan) cihazların, kendilerine karşı komutları çalıştırırken uyanık olmaları gerekir. Genellikle uykulu bir cihazı tetikleyerek uyandırabilirsiniz.",
"hint_wakeup": "Xiaomi sensörleri gibi bazı cihazlarda, onlarla etkileşime girerken cihazları uyanık tutan ~ 5 saniyelik aralıklarla basabileceğiniz bir uyanma düğmesi bulunur.",
"introduction": "Tek bir cihazı etkileyen ZHA komutlarını çalıştırın. Kullanılabilir komutların listesini görmek için bir cihaz seçin."
},
"title": "Zigbee Ev Otomasyonu",
"visualization": {
"caption": "Görselleştirme",
"header": "Ağ Görselleştirme",
@ -2701,7 +2366,6 @@
"header": "Z-Wave Ağınızı Yönetin",
"home_id": "Ev kimliği",
"introduction": "Z-Wave ağınızı ve Z-Wave düğümlerinizi yönetin",
"node_count": "Düğüm Sayısı",
"nodes_ready": "Düğümler hazır",
"server_version": "Sunucu Sürümü"
},
@ -2738,7 +2402,6 @@
},
"zwave": {
"button": "Yapılandır",
"caption": "Z-Wave",
"common": {
"index": "Indeks",
"instance": "Örnek",
@ -2857,18 +2520,18 @@
"type": "Olay Türü"
},
"services": {
"alert_parsing_yaml": "YAML alınamadı: {data}",
"accepts_target": "Bu hizmet bir hedefi kabul eder, örneğin: 'entity_id: light.bed_light'",
"all_parameters": "Mevcut tüm parametreler",
"call_service": "Arama Servisi",
"column_description": "Açıklama",
"column_example": "Örnek",
"column_parameter": "Parametre",
"data": "Servis Verileri (YAML, isteğe bağlı)",
"description": "Servisler geliştirici araçı, Home Assistant'taki mevcut tüm hizmetleri aramanızı sağlar.",
"fill_example_data": "Örnek Verileri Doldur",
"no_description": "Açıklama mevcut değil",
"no_parameters": "Bu servis parametre almaz.",
"select_service": "Açıklamasını görmek için bir servis seçin",
"title": "Servisler"
"title": "Servisler",
"ui_mode": "UI moduna git",
"yaml_mode": "YAML moduna git",
"yaml_parameters": "Parametreler yalnızca YAML modunda kullanılabilir"
},
"states": {
"alert_entity_field": "Varlık zorunlu bir alandır",
@ -2908,25 +2571,20 @@
}
},
"history": {
"period": "Dönem",
"ranges": {
"last_week": "Geçen hafta",
"this_week": "Bu hafta",
"today": "Bugün",
"yesterday": "Dün"
},
"showing_entries": "Gösterilen girişler"
}
},
"logbook": {
"entries_not_found": "Kayıt defteri girişi bulunamadı.",
"period": "Dönem",
"ranges": {
"last_week": "Geçen hafta",
"this_week": "Bu hafta",
"today": "Bugün",
"yesterday": "Dün"
},
"showing_entries": "Gösterilen girişler"
}
},
"lovelace": {
"add_entities": {
@ -2935,7 +2593,6 @@
"yaml_unsupported": "YAML modunda Lovelace kullanıcı arayüzünü kullanırken bu işlevi kullanamazsınız."
},
"cards": {
"action_confirmation": "\" {action} \" işlemini yürütmek istediğinizden emin misiniz?",
"actions": {
"action_confirmation": "\"{action}\" eylemini yürütmek istediğinizden emin misiniz?",
"no_entity_more_info": "Daha fazla bilgi iletişim kutusu için varlık sağlanmadı",
@ -2974,13 +2631,11 @@
"reorder_items": "Öğeleri yeniden sıralayın"
},
"starting": {
"description": "Home Assistant başlıyor, lütfen bekleyin ...",
"header": "Home Assistant başlıyor ..."
"description": "Home Assistant başlıyor, lütfen bekleyin ..."
}
},
"changed_toast": {
"message": "Bu kontrol paneli için Lovelace UI yapılandırması güncellendi. Değişiklikleri görmek için yenilensin mi?",
"refresh": "Yenile"
"message": "Bu kontrol paneli için Lovelace UI yapılandırması güncellendi. Değişiklikleri görmek için yenilensin mi?"
},
"components": {
"timestamp-display": {
@ -2999,7 +2654,6 @@
"toggle": "Geçiş",
"url": "URL"
},
"editor_service_data": "Hizmet verileri yalnızca kod düzenleyicisine girilebilir",
"navigation_path": "Gezinme Yolu",
"url_path": "URL Yolu"
},
@ -3197,7 +2851,6 @@
},
"sensor": {
"description": "Sensör kartı, zaman içindeki değişimi göstermek için isteğe bağlı bir grafikle sensörlerinizin durumuna hızlı bir genel bakış sunar.",
"graph_detail": "Grafik Ayrıntısı",
"graph_type": "Grafik Türü",
"name": "Sensör",
"show_more_detail": "Daha fazla ayrıntı göster"
@ -3368,7 +3021,6 @@
"configure_ui": "Kullanıcı arayüzünü ayarla",
"exit_edit_mode": "UI düzenleme modundan çık",
"help": "Yardım",
"refresh": "Yenile",
"reload_resources": "Kaynakları yeniden yükle",
"start_conversation": "Konuşmayı başlatın"
},
@ -3493,8 +3145,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "Bilgisayarınıza izin verilmiyor.",
"not_whitelisted": "Bilgisayarınız beyaz listeye eklenmemiş."
"not_allowed": "Bilgisayarınıza izin verilmiyor."
},
"step": {
"init": {
@ -3647,15 +3298,12 @@
"create": "Anahtar oluştur.",
"create_failed": "Erişim anahtarı oluşturulamadı.",
"created": "{date} oluşturuldu",
"created_at": "{date} tarihinde oluşturuldu",
"delete_failed": "Erişim anahtarı silinemedi.",
"description": "Komut dosyalarınızın Home Assistant örneğinizle etkileşime girmesine izin vermek için uzun ömürlü erişim jetonları oluşturun. Her bir jeton, oluşturulduktan sonra 10 yıl süreyle geçerli olacaktır. Aşağıdaki uzun ömürlü erişim jetonları şu anda aktif.",
"empty_state": "Henüz uzun ömürlü erişim anahtarınız yok.",
"header": "Uzun ömürlü erişim anahtarları",
"last_used": "En son {date} tarihinde {location} konumundan kullanıldı",
"learn_auth_requests": "Yetkilendirilmiş istekleri nasıl yapacağınızı öğrenin.",
"name": "Ad",
"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": "Belirtece bir ad verin"
},
@ -3720,11 +3368,6 @@
},
"shopping_list": {
"start_conversation": "Konuşmayı başlatın"
},
"shopping-list": {
"add_item": "Öge Ekle",
"clear_completed": "Tamamlananları Temizle",
"microphone_tip": "Sağ üstteki mikrofona dokunun ve \"alışveriş listeme şeker ekle\" deyin"
}
},
"sidebar": {

View File

@ -95,253 +95,11 @@
}
},
"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": "Увімкнено"
},
"door": {
"off": "Зачинені",
"on": "Відчинені"
},
"garage_door": {
"off": "Зачинені",
"on": "Відкриті"
},
"gas": {
"off": "Не виявлено",
"on": "Виявлено газ"
},
"heat": {
"off": "Норма",
"on": "Нагрівання"
},
"lock": {
"off": "Заблоковано",
"on": "Розблоковано"
},
"moisture": {
"off": "Сухо",
"on": "Волого"
},
"motion": {
"off": "Не виявлено",
"on": "Виявлено рух"
},
"occupancy": {
"off": "Не виявлено",
"on": "Виявлено присутність"
},
"opening": {
"off": "Зачинено",
"on": "Відчинено"
},
"presence": {
"off": "Відсутній",
"on": "Вдома"
},
"problem": {
"off": "ОК",
"on": "Проблема"
},
"safety": {
"off": "Безпечно",
"on": "Небезпечно"
},
"smoke": {
"off": "Не виявлено",
"on": "Виявлено дим"
},
"sound": {
"off": "Не виявлено",
"on": "Виявлено звук"
},
"vibration": {
"off": "Не виявлено",
"on": "Виявлена вібрація"
},
"window": {
"off": "Зачинено",
"on": "Відчинено"
}
},
"calendar": {
"off": "Вимкнено",
"on": "Увімкнено"
},
"camera": {
"idle": "Очікування",
"recording": "Запис",
"streaming": "Трансляція"
},
"climate": {
"cool": "Охолодження",
"dry": "Осушення",
"fan_only": "Лише вентилятор",
"heat": "Обігрівання",
"heat_cool": "Нагрівання / Охолодження",
"off": "Вимкнено"
},
"configurator": {
"configure": "Налаштувати",
"configured": "Налаштовано"
},
"cover": {
"closed": "Зачинено",
"closing": "Закривається",
"open": "Відчинено",
"opening": "Відкривається",
"stopped": "Призупинено"
},
"default": {
"off": "Вимкнено",
"on": "Увімкнено",
"unavailable": "Недоступний",
"unknown": "Невідомо"
},
"device_tracker": {
"not_home": "Відсутній"
},
"fan": {
"off": "Вимкнено",
"on": "Увімкнено"
},
"group": {
"closed": "Зачинено",
"closing": "Закривається",
"home": "Вдома",
"locked": "Заблоковано",
"not_home": "Відсутній",
"off": "Вимкнено",
"ok": "ОК",
"on": "Увімкнено",
"open": "Відчинено",
"opening": "Відкривається",
"problem": "Проблема",
"stopped": "Призупинено",
"unlocked": "Розблоковано"
},
"input_boolean": {
"off": "Вимкнено",
"on": "Увімкнено"
},
"light": {
"off": "Вимкнено",
"on": "Увімкнено"
},
"lock": {
"locked": "Заблоковано",
"unlocked": "Розблоковано"
},
"media_player": {
"idle": "Бездіяльність",
"off": "Вимкнено",
"on": "Увімкнено",
"paused": "Призупинено",
"playing": "Програвання",
"standby": "Очікування"
},
"person": {
"home": "Вдома"
},
"plant": {
"ok": "ОК",
"problem": "Проблема"
},
"remote": {
"off": "Вимкнено",
"on": "Увімкнено"
},
"scene": {
"scening": "Налаштування сцени"
},
"script": {
"off": "Вимкнено",
"on": "Увімкнено"
},
"sensor": {
"off": "Вимкнено",
"on": "Увімкнено"
},
"sun": {
"above_horizon": "Над горизонтом",
"below_horizon": "За горизонтом"
},
"switch": {
"off": "Вимкнено",
"on": "Увімкнено"
},
"timer": {
"active": "активний",
"idle": "очікування",
"paused": "на паузі"
},
"vacuum": {
"cleaning": "Прибирання",
"docked": "Пристиковано",
"error": "Помилка",
"idle": "Очікування",
"off": "Вимкнено",
"on": "Увімкнено",
"paused": "Призупинено",
"returning": "Повернення на док-станцію"
},
"weather": {
"clear-night": "Ясно, ніч",
"cloudy": "Хмарно",
"exceptional": "Попередження",
"fog": "Туман",
"hail": "Град",
"lightning": "Блискавка",
"lightning-rainy": "Блискавка, дощ",
"partlycloudy": "Невелика хмарність",
"pouring": "Злива",
"rainy": "Дощ",
"snowy": "Сніг",
"snowy-rainy": "Сніг з дощем",
"sunny": "Сонячно",
"windy": "Вітряно",
"windy-variant": "Вітряно"
},
"zwave": {
"default": {
"dead": "Неробоча",
"initializing": "Ініціалізація",
"ready": "Готово",
"sleeping": "Очікує"
},
"query_stage": {
"dead": "Неробоча ({query_stage})",
"initializing": "Ініціалізація ( {query_stage} )"
}
}
},
"ui": {
@ -441,8 +199,7 @@
},
"script": {
"cancel": "Скасувати",
"cancel_multiple": "Скасувати {number}",
"execute": "Виконати"
"cancel_multiple": "Скасувати {number}"
},
"service": {
"run": "Запустити"
@ -624,7 +381,6 @@
"media-browser": {
"audio_not_supported": "Ваш браузер не підтримує аудіо.",
"choose_player": "Вибір медіапрогравача",
"choose-source": "Виберіть джерело",
"class": {
"album": "Альбом",
"app": "Додаток",
@ -647,13 +403,6 @@
"url": "URL-адреса",
"video": "Відео"
},
"content-type": {
"album": "Альбом",
"artist": "Виконавець",
"library": "Бібліотека",
"playlist": "Список відтворення",
"server": "Сервер"
},
"documentation": "документації",
"learn_adding_local_media": "Детальніше про додавання мультимедіа читайте в {documentation}.",
"local_media_files": "Розмістіть відео, аудіо та графіку в медіа-каталозі, щоб мати змогу переглядати та відтворювати їх у браузері або на підтримуваних медіапрогравачах.",
@ -695,7 +444,6 @@
"second": "{count} {count, plural,\n one {сек.}\n other {сек.}\n}",
"week": "{count} {count, plural,\n one {тиж.}\n other {тиж.}\n}"
},
"future": "через {time}",
"future_duration": {
"day": "Через {count} {count, plural,\n one {день}\n other {днів}\n}",
"hour": "Через {count} {count, plural,\n one {година}\n other {годин}\n}",
@ -705,7 +453,6 @@
},
"just_now": "Зараз",
"never": "Ніколи",
"past": "{time} тому",
"past_duration": {
"day": "{count} {count, plural,\n one {день}\n other {днів}\n} тому",
"hour": "{count} {count, plural,\n one {годину}\n other {годин}\n} тому",
@ -828,7 +575,6 @@
"crop": "Обрізати"
},
"more_info_control": {
"controls": "Елементи управління",
"cover": {
"close_cover": "Закрити",
"close_tile_cover": "Закрити",
@ -913,7 +659,6 @@
"logs": "Журнал сервера",
"lovelace": "Інформаційні панелі Lovelace",
"navigate_to": "Відкрити \"{panel}\"",
"navigate_to_config": "Перейти в розділ \"{panel}\"",
"person": "Особи",
"scene": "Сцени",
"script": "Скрипти",
@ -996,9 +741,7 @@
},
"unknown": "Невідомо",
"zha_device_card": {
"area_picker_label": "Приміщення",
"device_name_placeholder": "Назва",
"update_name_button": "Оновити назву"
"device_name_placeholder": "Назва"
}
}
},
@ -1030,10 +773,6 @@
"triggered": "Виконано від імені {name}"
},
"panel": {
"calendar": {
"my_calendars": "Мої календарі",
"today": "Сьогодні"
},
"config": {
"advanced_mode": {
"hint_enable": "Відсутні необхідні параметри конфігурації? Увімкніть розширений режим.",
@ -1148,8 +887,7 @@
"label": "Активувати сцену"
},
"service": {
"label": "Викликати службу",
"service_data": "Дані служби"
"label": "Викликати службу"
},
"wait_for_trigger": {
"continue_timeout": "Продовжити при тайм-ауті",
@ -1169,8 +907,6 @@
"blueprint": {
"blueprint_to_use": "Використовуваний проект",
"header": "Проект",
"inputs": "Вихідні дані",
"manage_blueprints": "Керування проектами",
"no_blueprints": "У Вас ще немає проектів.",
"no_inputs": "Цей проект не потребує вихідних даних."
},
@ -1424,7 +1160,6 @@
"header": "Імпортувати проект",
"import_btn": "Попередній перегляд проекту",
"import_header": "Проект \"{name}\"",
"import_introduction": "Ви можете імпортувати проекти інших користувачів з Github і форумів спільноти. Для цього введіть у цьому вікні URL-адресу проекту.",
"import_introduction_link": "Ви можете імпортувати проекти інших користувачів з Github і {community_link} . Для цього введіть у цьому вікні URL-адресу проекту.",
"importing": "Завантаження проекту...",
"raw_blueprint": "Вміст проекту",
@ -1531,7 +1266,6 @@
"not_exposed_entities": "Сутності, до яких закритий доступ",
"title": "Alexa"
},
"caption": "Home Assistant Cloud",
"description_features": "Віддалений доступ до сервера, інтеграція з Alexa і Google Assistant",
"description_login": "Увійшли в систему як {email}",
"description_not_login": "Не ввійшли в систему",
@ -1664,7 +1398,6 @@
"pick_attribute": "Виберіть атрибут, який слід замінити",
"picker": {
"documentation": "Документація по налаштуванню",
"entity": "Сутність",
"header": "Кастомізація",
"introduction": "Налаштування атрибутів об'єктів. Додані або змінені налаштування відразу ж наберуть чинності. Віддалені налаштування наберуть чинності після оновлення об'єкта."
},
@ -1711,7 +1444,6 @@
"integration": "Інтеграція",
"manufacturer": "Виробник",
"model": "Модель",
"no_area": "Приміщення не вказано",
"no_devices": "Немає пристроїв"
},
"delete": "Видалити",
@ -1867,42 +1599,9 @@
"source": "Вихідний код:",
"system_health_error": "Компонент System Health не завантажено. Додайте 'system_health:' в файл 'configuration.yaml'.",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Інтеграція з Alexa",
"can_reach_cert_server": "Доступ до сервера сертифікатів",
"can_reach_cloud": "Доступ до Home Assistant Cloud",
"can_reach_cloud_auth": "Доступ до сервера аутентифікації",
"google_enabled": "Інтеграція з Google",
"logged_in": "Вхід у систему",
"relayer_connected": "Relayer підключений",
"remote_connected": "Віддалений доступ підключений",
"remote_enabled": "Віддалений доступ активований",
"subscription_expiration": "Термін дії підписки"
},
"homeassistant": {
"arch": "Архітектура ЦП",
"dev": "Середовище розробки",
"docker": "Docker",
"hassio": "HassOS",
"installation_type": "Тип інсталяції",
"os_name": "Назва операційної системи",
"os_version": "Версія операційної системи",
"python_version": "Версія Python",
"timezone": "Часовий пояс",
"version": "Версія",
"virtualenv": "Віртуальне оточення"
},
"lovelace": {
"dashboards": "Панелі",
"mode": "Режим",
"resources": "Ресурси"
}
},
"manage": "Керування",
"more_info": "додаткова інформація"
},
"title": "Інформація"
}
},
"integration_panel_move": {
"link_integration_page": "сторінка інтеграцій",
@ -1916,7 +1615,6 @@
"config_entry": {
"area": "Приміщення: {area}",
"delete": "Видалити",
"delete_button": "Видалити інтеграцію {integration}",
"delete_confirm": "Ви впевнені, що хочете видалити цю інтеграцію?",
"device_unavailable": "Пристрій недоступний",
"devices": "{count} {count, plural,\n one {пристрій}\n other {пристроїв}\n}",
@ -1927,8 +1625,6 @@
"hub": "Підключено через",
"manuf": "виробник: {manufacturer}",
"no_area": "Приміщення не вказано",
"no_device": "Об'єкти без пристроїв",
"no_devices": "Ця інтеграція не має пристроїв.",
"options": "Параметри",
"reload": "Перезавантажити",
"reload_confirm": "Інтеграція була перезавантажена",
@ -1936,9 +1632,7 @@
"rename": "Перейменувати",
"restart_confirm": "Перезавантажте Home Assistant, щоб завершити видалення цієї інтеграції",
"services": "{count} {count, plural,\n one {служба}\n other {служб}\n}",
"settings_button": "Редагувати налаштування для {integration}",
"system_options": "Системні параметри",
"system_options_button": "Системні параметри інтеграції {integration}",
"unnamed_entry": "Без назви"
},
"config_flow": {
@ -1998,8 +1692,7 @@
"multiple_messages": "повідомлення вперше виникло о {time} і показується {counter} разів",
"no_errors": "Немає повідомлень про помилки.",
"no_issues": "Немає повідомлень про проблеми.",
"refresh": "Оновити",
"title": "Лог"
"refresh": "Оновити"
},
"lovelace": {
"caption": "Інформаційні панелі Lovelace",
@ -2330,8 +2023,7 @@
"learn_more": "Дізнатися більше про скрипти",
"no_scripts": "Не вдалося знайти жодного скрипту для редагування",
"run_script": "Запусти скрипт",
"show_info": "Показати інформацію про скрипт",
"trigger_script": "Виконати скрипт"
"show_info": "Показати інформацію про скрипт"
}
},
"server_control": {
@ -2425,11 +2117,9 @@
"add_user": {
"caption": "Додати користувача",
"create": "Створити",
"name": "Ім'я",
"password": "Пароль",
"password_confirm": "Підтвердити пароль",
"password_not_match": "Паролі не збігаються",
"username": "Ім'я користувача"
"password_not_match": "Паролі не збігаються"
},
"caption": "Користувачі",
"description": "Управління користувачами",
@ -2473,19 +2163,12 @@
"add_device": "Додати пристрій",
"add_device_page": {
"discovered_text": "Після виявлення тут з’являться пристрої.",
"discovery_text": "Тут будуть відображатися автоматично виявлені пристрої. Дотримуйтесь вказівок на пристроях і переведіть їх в режим з'єднання.",
"header": "Розумні пристрої на базі Zigbee - додавання пристроїв",
"no_devices_found": "Не знайдено жодного пристрою, переконайтесь, що вони перебувають у режимі сполучення, і не дайте їм спати, поки йде процес виявлення.",
"pairing_mode": "Переконайтеся, що пристрої, які підключаються знаходяться в режимі сполучення. Щоб дізнатися, як активувати режим сполучення, ознайомтеся з інструкцією для Вашого пристрою.",
"search_again": "Повторити пошук",
"spinner": "Пошук пристроїв ZHA Zigbee ..."
},
"add": {
"caption": "Додати пристрій",
"description": "Додавання пристроїв до мережі Zigbee"
},
"button": "Налаштувати",
"caption": "Zigbee Home Automation",
"cluster_attributes": {
"attributes_of_cluster": "Атрибути вибраного кластера",
"get_zigbee_attribute": "Отримати атрибут Zigbee",
@ -2509,13 +2192,10 @@
"introduction": "Кластери є стандартними блоками для функціональності Zigbee. Вони розділяються функціональністю на логічні одиниці. В структурі кластера існують елементи клієнтів і серверів, які складаються з атрибутів і команд."
},
"common": {
"add_devices": "Додати пристрої",
"clusters": "Кластери",
"devices": "Пристрої",
"manufacturer_code_override": "Перевизначення коду виробника",
"value": "Значення"
},
"description": "Керування мережею Zigbee Home Automation",
"device_pairing_card": {
"CONFIGURED": "Налаштування завершено",
"CONFIGURED_status_text": "Ініціалізація",
@ -2526,9 +2206,6 @@
"PAIRED": "Знайдено пристрій",
"PAIRED_status_text": "Опитування розпочато"
},
"devices": {
"header": "Zigbee Home Automation - пристрій"
},
"group_binding": {
"bind_button_help": "Прив’язати вибрану групу до вибраних кластерів пристроїв.",
"bind_button_label": "Прив'язати групу",
@ -2543,48 +2220,24 @@
"groups": {
"add_group": "Додати групу",
"add_members": "Додати учасників",
"adding_members": "Додавання учасників",
"caption": "Групи",
"create": "Створити групу",
"create_group": "Zigbee Home Automation - створити групу",
"create_group_details": "Введіть необхідні дані, щоб створити нову групу Zigbee",
"creating_group": "Створення групи",
"description": "Керування групами Zigbee",
"group_details": "Ось усі подробиці для обраної групи Zigbee.",
"group_id": "Ідентифікатор групи",
"group_info": "Інформація про групу",
"group_name_placeholder": "Назва групи",
"group_not_found": "Групу не знайдено!",
"group-header": "Zigbee Home Automation - деталі групи",
"groups": "Групи",
"groups-header": "Zigbee Home Assistant - керування групами",
"header": "Zigbee Home Automation - керування групами",
"introduction": "Створення та модифікація груп Zigbee",
"manage_groups": "Керування групами Zigbee",
"members": "Учасники",
"remove_groups": "Видалити групи",
"remove_members": "Видалити учасників",
"removing_groups": "Видалення груп",
"removing_members": "Видалення учасників",
"zha_zigbee_groups": "ZHA Zigbee групи"
},
"header": "Налаштування Zigbee Home Automation",
"introduction": "Тут можна налаштувати компонент ZHA. Ще не все можливо налаштувати за допомогою інтерфейсу, але ми працюємо над цим.",
"network_management": {
"header": "Керування мережею",
"introduction": "Команди, які впливають на всю мережу"
"removing_members": "Видалення учасників"
},
"network": {
"caption": "Мережа"
},
"node_management": {
"header": "Керування пристроєм",
"help_node_dropdown": "Виберіть пристрій для перегляду індивідуальних параметрів.",
"hint_battery_devices": "Примітка:\n Сплячі (працюють від батареї) пристрої повинні бути активні при виконанні команд. Зазвичай пристрій виходить з режиму сну, коли спрацьовує на зміну зовнішніх умов.",
"hint_wakeup": "Деякі пристрої, такі як датчики Xiaomi, мають кнопку пробудження, яку Ви можете натискати з інтервалом ~ 5 секунд, щоб тримати пристрої в активному стані під час взаємодії з ними.",
"introduction": "Запустіть команди ZHA, які впливають на один пристрій. Виберіть пристрій, щоб переглянути список доступних команд."
},
"title": "Zigbee Home Automation",
"visualization": {
"caption": "Візуалізація",
"header": "Візуалізація мережі",
@ -2623,7 +2276,6 @@
},
"zwave": {
"button": "Налаштувати",
"caption": "Z-Wave",
"common": {
"index": "Індекс",
"instance": "Екземпляр",
@ -2736,17 +2388,12 @@
"type": "Тип події"
},
"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": {
@ -2787,25 +2434,20 @@
}
},
"history": {
"period": "Період",
"ranges": {
"last_week": "Минулого тижня",
"this_week": "Цього тижня",
"today": "Сьогодні",
"yesterday": "Вчора"
},
"showing_entries": "Показані записи за"
}
},
"logbook": {
"entries_not_found": "Не знайдено записів у журналі.",
"period": "Період",
"ranges": {
"last_week": "Минулого тижня",
"this_week": "Цього тижня",
"today": "Сьогодні",
"yesterday": "Вчора"
},
"showing_entries": "Показані записи за"
}
},
"lovelace": {
"add_entities": {
@ -2814,7 +2456,6 @@
"yaml_unsupported": "Цю функцію не можна використовувати, якщо інтерфейс користувача Lovelace працює в режимі YAML."
},
"cards": {
"action_confirmation": "Ви впевнені, що хочете виконати дію \"{action}\"?",
"confirm_delete": "Ви впевнені, що хочете видалити цю картку?",
"empty_state": {
"go_to_integrations_page": "Перейти на сторінку інтеграцій.",
@ -2845,13 +2486,11 @@
"reorder_items": "Змінити порядок елементів"
},
"starting": {
"description": "Home Assistant запускається, будь ласка, зачекайте ...",
"header": "Home Assistant запускається, будь ласка, зачекайте ..."
"description": "Home Assistant запускається, будь ласка, зачекайте ..."
}
},
"changed_toast": {
"message": "Конфігурацію Lovelace було оновлено, хочете оновити?",
"refresh": "Оновити"
"message": "Конфігурацію Lovelace було оновлено, хочете оновити?"
},
"components": {
"timestamp-display": {
@ -2870,7 +2509,6 @@
"toggle": "Переключити",
"url": "URL-адреса"
},
"editor_service_data": "Дані служби можна вводити лише в редакторі коду",
"navigation_path": "Шлях навігації",
"url_path": "Шлях URL-адреси"
},
@ -3066,7 +2704,6 @@
},
"sensor": {
"description": "Картка датчиків дає вам швидкий огляд стану ваших датчиків. Додатково може відображати графік для візуалізації змін в часі.",
"graph_detail": "Деталізація графіка",
"graph_type": "Тип графіка",
"name": "Датчик",
"show_more_detail": "Більше деталей на графіку"
@ -3235,7 +2872,6 @@
"configure_ui": "Налаштувати панель",
"exit_edit_mode": "Вийти з режиму редагування інтерфейсу користувача",
"help": "Допомога",
"refresh": "Оновити",
"reload_resources": "Перезавантажити ресурси",
"start_conversation": "Почати діалог"
},
@ -3354,8 +2990,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "Доступ з цього пристрою заборонено.",
"not_whitelisted": "Ваш комп'ютер не включений в білий список."
"not_allowed": "Доступ з цього пристрою заборонено."
},
"step": {
"init": {
@ -3507,15 +3142,12 @@
"create": "Створити токен",
"create_failed": "Не вдалося створити токен доступу.",
"created": "Створено {date}",
"created_at": "Створено {date}",
"delete_failed": "Не вдалося видалити токен доступу.",
"description": "Створіть довгострокові токени доступу, щоб Ваші скрипти могли взаємодіяти з Home Assistant. Кожен токен буде дійсний протягом 10 років з моменту створення. Нижче Ви можете переглянути довгострокові токени доступу, які в даний час активні.",
"empty_state": "У вас немає довгоіснуючих токенів доступу.",
"header": "Токени довготермінового доступу",
"last_used": "Останнє використання {date} з {location}",
"learn_auth_requests": "Дізнайтеся, як зробити аутентифіковані запити.",
"name": "Назва",
"not_used": "Ніколи не використовувався",
"prompt_copy_token": "Скопіюйте Ваш токен доступу. Він більше не буде показаний.",
"prompt_name": "Назва токена"
},
@ -3580,11 +3212,6 @@
},
"shopping_list": {
"start_conversation": "Почати діалог"
},
"shopping-list": {
"add_item": "Додати елемент",
"clear_completed": "Очистити позначені елементи",
"microphone_tip": "Торкніться мікрофона у верхньому правому куті та скажіть \"Add candy to my shopping list\""
}
},
"sidebar": {

View File

@ -16,9 +16,6 @@
"zha_device_info": {
"services": {
"remove": "زاگبی نیٹ ورک سے ایک آلہ ہٹائیں ۔"
},
"zha_device_card": {
"area_picker_label": "جگہ"
}
}
},
@ -51,9 +48,6 @@
"caption": "آلات",
"description": "منسلک آلات کا نظم کریں۔"
},
"logs": {
"title": "نوشتہ جات"
},
"server_control": {
"caption": "سرور کنٹرول۔",
"section": {

View File

@ -86,252 +86,11 @@
}
},
"state": {
"alarm_control_panel": {
"armed": "Kích hoạt an ninh",
"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",
"arming": "Kích hoạt",
"disarmed": "Vô hiệu hóa",
"disarming": "Giải giáp",
"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"
},
"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"
},
"occupancy": {
"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"
},
"sound": {
"off": "Trống trải",
"on": "Phát hiện"
},
"vibration": {
"off": "Trống trải",
"on": "Phát hiện"
},
"window": {
"off": "Đóng",
"on": "Mở"
}
},
"calendar": {
"off": "Tắt",
"on": "Bật"
},
"camera": {
"idle": "Không hoạt động",
"recording": "Ghi âm",
"streaming": "Phát trực tuyến"
},
"climate": {
"cool": "Mát mẻ",
"dry": "Khô",
"fan_only": "Chỉ có quạt",
"heat": "Nhiệt",
"heat_cool": "Nóng/Lạnh",
"off": "Tắt"
},
"configurator": {
"configure": "Cấu hình",
"configured": "Đã cấu hình"
},
"cover": {
"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": {
"not_home": "Đi vắng"
},
"fan": {
"off": "Tắt",
"on": "Bật"
},
"group": {
"closed": "Đã đóng",
"closing": "Đang đóng",
"home": "Ở nhà",
"locked": "Khoá",
"not_home": "Đi vắng",
"off": "Tắt",
"ok": "OK",
"on": "Bật",
"open": "Mở",
"opening": "Đang mở",
"problem": "Vấn đề",
"stopped": "Đã dừng",
"unlocked": "Mở khoá"
},
"input_boolean": {
"off": "Tắt",
"on": "Bật"
},
"light": {
"off": "Tắt",
"on": "Bật"
},
"lock": {
"locked": "Đã khóa",
"unlocked": "Mở khóa"
},
"media_player": {
"idle": "Không hoạt động",
"off": "Tắt",
"on": "Bật",
"paused": "Tạm dừng",
"playing": "Đang chơi",
"standby": "Chế độ chờ"
},
"person": {
"home": "Ở nhà"
},
"plant": {
"ok": "OK",
"problem": "Vấn đề"
},
"remote": {
"off": "Tắt",
"on": "Bật"
},
"scene": {
"scening": "Bối cảnh"
},
"script": {
"off": "Tắt",
"on": "Bật"
},
"sensor": {
"off": "Tắt",
"on": "Bật"
},
"sun": {
"above_horizon": "Trên đường chân trời",
"below_horizon": "Dưới đường chân trời"
},
"switch": {
"off": "Tắt",
"on": "Bật"
},
"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": "Tắt",
"on": "Bật",
"paused": "Tạm dừng",
"returning": "Đang trở lại dock"
},
"weather": {
"clear-night": "Trời trong, đêm",
"cloudy": "Nhiều mây",
"fog": "Sương mù",
"hail": "Mưa đá",
"lightning": "Sét",
"lightning-rainy": "Sét, mưa",
"partlycloudy": "Mây rải rác",
"pouring": "Mưa lớn",
"rainy": "Mưa",
"snowy": "Tuyết",
"snowy-rainy": "Tuyết, mưa",
"sunny": "Nắng đẹp",
"windy": "Gió nhẹ",
"windy-variant": "Gió nhẹ"
},
"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": {
@ -427,8 +186,7 @@
},
"script": {
"cancel": "Huỷ Bỏ",
"cancel_multiple": "Huỷ Bỏ {number}",
"execute": "Thi hành"
"cancel_multiple": "Huỷ Bỏ {number}"
},
"service": {
"run": "Chạy"
@ -582,7 +340,6 @@
"media-browser": {
"audio_not_supported": "Trình duyệt của bạn không hỗ trợ âm thanh.",
"choose_player": "Chọn Bộ phát",
"choose-source": "Chọn Nguồn",
"class": {
"album": "Album",
"app": "Ứng dụng",
@ -605,13 +362,6 @@
"url": "Url",
"video": "Video"
},
"content-type": {
"album": "Album",
"artist": "Nghệ sĩ",
"library": "Thư viện",
"playlist": "Danh sách phát",
"server": "Máy chủ"
},
"documentation": "tài liệu",
"learn_adding_local_media": "Tìm hiểu thêm về cách thêm nội dung đa phương tiện trong {documentation} .",
"local_media_files": "Đặt các tệp video, âm thanh và hình ảnh của bạn vào thư mục media để có thể duyệt và phát chúng trong trình duyệt hoặc trên các trình phát đa phương tiện được hỗ trợ.",
@ -653,10 +403,8 @@
"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}",
"just_now": "Ngay bây giờ",
"never": "Không bao giờ",
"past": "{time} trước"
"never": "Không bao giờ"
},
"service-picker": {
"service": "Dịch vụ"
@ -739,7 +487,6 @@
"crop": "Cắt bớt"
},
"more_info_control": {
"controls": "Điều khiển",
"details": "Chi tiết",
"dismiss": "Bỏ qua hộp thoại",
"edit": "Chỉnh sửa thực thể",
@ -837,10 +584,6 @@
"starting": "Home Assistant đang khởi động, không phải tất cả mọi thứ đều đã sẵn sàng cho đến khi khởi động hoàn tất."
},
"panel": {
"calendar": {
"my_calendars": "Các Lịch của tôi",
"today": "Hôm nay"
},
"config": {
"advanced_mode": {
"link_profile_page": "trang hồ sơ của bạn"
@ -935,8 +678,7 @@
}
},
"service": {
"label": "Gọi dịch vụ",
"service_data": "Dữ liệu dịch vụ"
"label": "Gọi dịch vụ"
},
"wait_for_trigger": {
"continue_timeout": "Tiếp tục thực hiện sau quá hạn",
@ -1167,7 +909,6 @@
"manage_domains": "Quản lý các tên miền",
"not_exposed": "{selected} không hiển thị"
},
"caption": "Home Assistant Cloud",
"description_login": "Đã đăng nhập với tên {email}",
"description_not_login": "Chưa đăng nhập",
"google": {
@ -1216,7 +957,6 @@
"different_include": "Có thể qua một miền, một đường dẫn hoặc một bao gồm khác.",
"pick_attribute": "Chọn một thuộc tính để ghi đè",
"picker": {
"entity": "Thực thể",
"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."
},
@ -1248,7 +988,6 @@
"integration": "Tích hợp",
"manufacturer": "Nhà sản xuất",
"model": "Dòng sản phẩm",
"no_area": "Không có khu vực",
"no_devices": "Không có thiết bị nào"
},
"delete": "Xóa",
@ -1367,8 +1106,7 @@
"license": "Được xuất bản theo giấy phép Apache 2.0",
"path_configuration": "Đường dẫn đến configuration.yaml: {path}",
"server": "máy chủ",
"source": "Nguồn:",
"title": "Thông tin"
"source": "Nguồn:"
},
"integration_panel_move": {
"link_integration_page": "trang các tích hợp",
@ -1381,7 +1119,6 @@
"caption": "Các bộ tích hợp",
"config_entry": {
"delete": "Xóa",
"delete_button": "Xoá {integration}",
"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",
"devices": "{count} {count, plural,\n one { thiết bị }\n other { các thiết bị }\n}",
@ -1391,8 +1128,6 @@
"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",
"options": "Tùy Chọn",
"reload": "Tải lại",
"reload_confirm": "Tích hợp đã được tải lại",
@ -1671,8 +1406,7 @@
"name": "Tên"
},
"run_script": "Chạy kịch bản",
"show_info": "Hiển thị thông tin về kịch bản",
"trigger_script": "Kích hoạt kịch bản"
"show_info": "Hiển thị thông tin về kịch bản"
}
},
"server_control": {
@ -1759,11 +1493,9 @@
"add_user": {
"caption": "Thêm người dùng",
"create": "Tạo",
"name": "Tên",
"password": "Mật khẩu",
"password_confirm": "Xác nhận Mật khẩu",
"password_not_match": "Mật khẩu không khớp",
"username": "Tên đăng nhập"
"password_not_match": "Mật khẩu không khớp"
},
"caption": "Người dùng",
"description": "Quản lý Người dùng",
@ -1796,24 +1528,13 @@
"pairing_mode": "Đảm bảo các thiết bị của bạn đang ở chế độ ghép nối. Kiểm tra hướng dẫn đi kèm thiết bị về cách làm điều này.",
"spinner": "Tìm kiếm các thiết bị ZHA Zigbee ..."
},
"add": {
"caption": "Thêm thiết bị",
"description": "Thêm thiết bị vào mạng ZigBee"
},
"button": "Cấu hình",
"caption": "ZHA",
"clusters": {
"header": "Các Cụm"
},
"common": {
"add_devices": "Thêm thiết bị",
"devices": "Thiết bị",
"value": "Giá trị"
},
"description": "Quản lý mạng Zigbee Home Automation",
"devices": {
"header": "ZigBee Home Automation - Thiết Bị"
},
"group_binding": {
"bind_button_help": "Liên kết nhóm đã chọn vào các cụm thiết bị đã chọn.",
"bind_button_label": "Liên kết Nhóm",
@ -1827,37 +1548,22 @@
},
"groups": {
"add_members": "Thêm Thành viên",
"adding_members": "Thêm Thành viên",
"caption": "Các nhóm",
"create": "Tạo Nhóm",
"create_group": "Zigbee Home Automation - Tạo Nhóm",
"creating_group": "Đang tạo Nhóm",
"description": "Tạo và sửa đổi các nhóm ZigBee",
"group_id": "Mã Nhóm",
"group_info": "Thông tin Nhóm",
"group_name_placeholder": "Tên Nhóm",
"group_not_found": "Không tìm thấy nhóm!",
"group-header": "ZigBee Home Automation - Chi tiết Nhóm",
"groups": "Nhóm",
"groups-header": "ZigBee Home Automation - Quản Lý Nhóm",
"header": "Zigbee Home Automation - Quản Lý Nhóm",
"introduction": "Tạo và sửa đổi các nhóm zigbee",
"manage_groups": "Quản Lý Các Nhóm Zigbee",
"members": "Thành viên",
"remove_groups": "Xoá các Nhóm",
"remove_members": "Xóa Thành viên",
"removing_groups": "Đang xoá các Nhóm",
"removing_members": "Xoá các Thành Viên",
"zha_zigbee_groups": "Các Nhóm Zigbee ZHA"
},
"header": "Cấu hình ZigBee Home Automation",
"network_management": {
"header": "Quản lí Mạng"
"removing_members": "Xoá các Thành Viên"
},
"network": {
"caption": "Mạng"
},
"title": "Zigbee Home Automation"
}
},
"zone": {
"add_zone": "Thêm Vùng địa lý",
@ -1889,7 +1595,6 @@
},
"zwave": {
"button": "Cấu hình",
"caption": "Z-Wave",
"common": {
"index": "Mục lục",
"value": "Giá trị"
@ -1957,17 +1662,12 @@
"type": "Loại Sự Kiện"
},
"services": {
"alert_parsing_yaml": "Lỗi phân tích YAML: {data}",
"call_service": "Gọi Dịch vụ",
"column_description": "Mô tả",
"column_example": "Ví dụ",
"column_parameter": "Tham số",
"data": "Dữ liệu dịch vụ (YAML, tùy chọn)",
"description": "Công cụ hỗ trợ phát triển dịch vụ cho phép bạn gọi các dịch vụ khả dụng trong Home Assistant.",
"fill_example_data": "Điền các Dữ liệu Mẫu",
"no_description": "Không có mô tả nào",
"no_parameters": "Dịch vụ này không có tham số.",
"select_service": "Chọn một dịch vụ để xem mô tả",
"title": "Dịch vụ"
},
"states": {
@ -1999,25 +1699,20 @@
}
},
"history": {
"period": "Giai đoạn",
"ranges": {
"last_week": "Tuần trước",
"this_week": "Tuần này",
"today": "Hôm nay",
"yesterday": "Hôm qua"
},
"showing_entries": "Hiển thị mục cho"
}
},
"logbook": {
"entries_not_found": "Không tìm thấy trong sổ nhật ký.",
"period": "Giai đoạn",
"ranges": {
"last_week": "Tuần trước",
"this_week": "Tuần này",
"today": "Hôm nay",
"yesterday": "Hôm qua"
},
"showing_entries": "Hiển thị mục cho"
}
},
"lovelace": {
"add_entities": {
@ -2052,13 +1747,11 @@
"clear_items": "Xóa các mục đã chọn"
},
"starting": {
"description": "Home Assistant đang khởi động, vui lòng chờ...",
"header": "Home Assistant đang khởi động"
"description": "Home Assistant đang khởi động, vui lòng chờ..."
}
},
"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"
"message": "Cấu hình Lovelace đã được cập nhật, bạn có muốn làm mới không?"
},
"editor": {
"action-editor": {
@ -2071,7 +1764,6 @@
"toggle": "Đảo ngược",
"url": "Url"
},
"editor_service_data": "Dữ liệu cho dịch vụ chỉ có thể được nhập bởi trình soạn thảo mã",
"navigation_path": "Đường Dẫn Hướng",
"url_path": "Đường dẫn url"
},
@ -2341,7 +2033,6 @@
"configure_ui": "Cấu hình giao diện",
"exit_edit_mode": "Thoát khỏi chế độ chỉnh sửa với UI",
"help": "Trợ giúp",
"refresh": "Làm tươi",
"reload_resources": "Tải lại các tài nguyên"
},
"reload_lovelace": "Tải lại giao diện",
@ -2459,8 +2150,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "Máy tính này không được phép.",
"not_whitelisted": "Máy tính của bạn không nằm trong danh sách trắng."
"not_allowed": "Máy tính này không được phép."
},
"step": {
"init": {
@ -2583,15 +2273,12 @@
"create": "Tạo Token",
"create_failed": "Không thể tạo token truy cập.",
"created": "Được tạo {date}",
"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.",
"name": "Tên",
"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?"
},
@ -2645,11 +2332,6 @@
"primary_color": "Màu chính",
"reset": "Thiết đặt lại"
}
},
"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": {

View File

@ -95,253 +95,11 @@
}
},
"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": "开启"
},
"door": {
"off": "关闭",
"on": "开启"
},
"garage_door": {
"off": "关闭",
"on": "开启"
},
"gas": {
"off": "正常",
"on": "触发"
},
"heat": {
"off": "正常",
"on": "过热"
},
"lock": {
"off": "上锁",
"on": "解锁"
},
"moisture": {
"off": "干燥",
"on": "湿润"
},
"motion": {
"off": "未触发",
"on": "触发"
},
"occupancy": {
"off": "未触发",
"on": "已触发"
},
"opening": {
"off": "关闭",
"on": "开启"
},
"presence": {
"off": "离开",
"on": "在家"
},
"problem": {
"off": "正常",
"on": "异常"
},
"safety": {
"off": "安全",
"on": "危险"
},
"smoke": {
"off": "正常",
"on": "触发"
},
"sound": {
"off": "正常",
"on": "触发"
},
"vibration": {
"off": "正常",
"on": "触发"
},
"window": {
"off": "关闭",
"on": "开启"
}
},
"calendar": {
"off": "关",
"on": "开"
},
"camera": {
"idle": "待机",
"recording": "录制中",
"streaming": "监控中"
},
"climate": {
"cool": "制冷",
"dry": "除湿",
"fan_only": "仅送风",
"heat": "制热",
"heat_cool": "制热/制冷",
"off": "关"
},
"configurator": {
"configure": "设置",
"configured": "设置成功"
},
"cover": {
"closed": "已关闭",
"closing": "正在关闭",
"open": "已打开",
"opening": "正在打开",
"stopped": "已停止"
},
"default": {
"off": "关",
"on": "开",
"unavailable": "不可用",
"unknown": "未知"
},
"device_tracker": {
"not_home": "离开"
},
"fan": {
"off": "关闭",
"on": "开启"
},
"group": {
"closed": "已关闭",
"closing": "正在关闭",
"home": "在家",
"locked": "已锁定",
"not_home": "离开",
"off": "关闭",
"ok": "正常",
"on": "开",
"open": "开启",
"opening": "正在打开",
"problem": "异常",
"stopped": "已停止",
"unlocked": "已解锁"
},
"input_boolean": {
"off": "关",
"on": "开"
},
"light": {
"off": "关",
"on": "开"
},
"lock": {
"locked": "锁定",
"unlocked": "解锁"
},
"media_player": {
"idle": "空闲",
"off": "关闭",
"on": "开启",
"paused": "已暂停",
"playing": "正在播放",
"standby": "待机"
},
"person": {
"home": "在家"
},
"plant": {
"ok": "正常",
"problem": "异常"
},
"remote": {
"off": "关",
"on": "开"
},
"scene": {
"scening": "当前场景"
},
"script": {
"off": "关闭",
"on": "开"
},
"sensor": {
"off": "关闭",
"on": "开启"
},
"sun": {
"above_horizon": "日出",
"below_horizon": "日落"
},
"switch": {
"off": "关",
"on": "开"
},
"timer": {
"active": "激活",
"idle": "空闲",
"paused": "暂停"
},
"vacuum": {
"cleaning": "正在清扫",
"docked": "停靠",
"error": "错误",
"idle": "空闲",
"off": "关闭",
"on": "开启",
"paused": "已暂停",
"returning": "正在返回"
},
"weather": {
"clear-night": "夜间晴朗",
"cloudy": "阴",
"exceptional": "特殊",
"fog": "雾",
"hail": "冰雹",
"lightning": "雷电",
"lightning-rainy": "雷阵雨",
"partlycloudy": "多云",
"pouring": "暴雨",
"rainy": "雨",
"snowy": "雪",
"snowy-rainy": "雨夹雪",
"sunny": "晴",
"windy": "有风",
"windy-variant": "有风"
},
"zwave": {
"default": {
"dead": "断开",
"initializing": "初始化",
"ready": "就绪",
"sleeping": "休眠"
},
"query_stage": {
"dead": "断开 ({query_stage})",
"initializing": "初始化 ({query_stage})"
}
}
},
"ui": {
@ -442,8 +200,7 @@
},
"script": {
"cancel": "取消",
"cancel_multiple": "取消 {number} 个",
"execute": "执行"
"cancel_multiple": "取消 {number} 个"
},
"service": {
"run": "运行"
@ -621,16 +378,15 @@
"was_normal": "正常",
"was_opened": "已打开",
"was_plugged_in": "已插入",
"was_safe": "安全",
"was_safe": "[%key_id:6884522%]",
"was_unlocked": "已解锁",
"was_unplugged": "已拔出",
"was_unsafe": "危险"
"was_unsafe": "[%key_id:6884523%]"
}
},
"media-browser": {
"audio_not_supported": "您的浏览器不支持音频元素。",
"choose_player": "选择播放器",
"choose-source": "选择媒体源",
"class": {
"album": "专辑",
"app": "应用",
@ -653,13 +409,6 @@
"url": "网址",
"video": "视频"
},
"content-type": {
"album": "专辑",
"artist": "艺术家",
"library": "媒体库",
"playlist": "播放列表",
"server": "服务器"
},
"documentation": "文档",
"learn_adding_local_media": "请参阅{documentation}以了解更多关于添加媒体的信息。",
"local_media_files": "将视频、音频和图像文件放在媒体目录中,以便在浏览器或支持的媒体播放器上浏览和播放这些文件。",
@ -701,7 +450,6 @@
"second": "{count} {count, plural,\n one {秒}\n other {秒}\n}",
"week": "{count} {count, plural,\n one {周}\n other {周}\n}"
},
"future": "{time}后",
"future_duration": {
"day": "{count} {count, plural,\n one {天}\n other {天}\n}后",
"hour": "{count} {count, plural,\n one {小时}\n other {小时}\n}后",
@ -711,7 +459,6 @@
},
"just_now": "刚刚",
"never": "从未",
"past": "{time}前",
"past_duration": {
"day": "{count} {count, plural,\n one {天}\n other {天}\n}前",
"hour": "{count} {count, plural,\none {小时}\nother {小时}\n}前",
@ -841,7 +588,6 @@
"crop": "剪裁"
},
"more_info_control": {
"controls": "控制项",
"cover": {
"close_cover": "关闭卷帘",
"close_tile_cover": "关闭翻转式卷帘",
@ -926,7 +672,6 @@
"logs": "日志",
"lovelace": "Lovelace 仪表盘",
"navigate_to": "转到 {panel}",
"navigate_to_config": "转到{panel}配置",
"person": "人员",
"scene": "场景",
"script": "脚本",
@ -1009,9 +754,7 @@
},
"unknown": "未知",
"zha_device_card": {
"area_picker_label": "区域",
"device_name_placeholder": "更改设备名称",
"update_name_button": "更新名称"
"device_name_placeholder": "更改设备名称"
}
}
},
@ -1055,10 +798,6 @@
"triggered": "已触发 {name}"
},
"panel": {
"calendar": {
"my_calendars": "我的日历",
"today": "今天"
},
"config": {
"advanced_mode": {
"hint_enable": "缺少某些配置选项?请启用高级模式",
@ -1176,8 +915,7 @@
"label": "激活场景"
},
"service": {
"label": "调用服务",
"service_data": "服务数据"
"label": "调用服务"
},
"wait_for_trigger": {
"continue_timeout": "超时继续",
@ -1197,8 +935,6 @@
"blueprint": {
"blueprint_to_use": "要使用的 Blueprint",
"header": "Blueprint",
"inputs": "输入",
"manage_blueprints": "管理 Blueprint",
"no_blueprints": "您还没有 Blueprint。",
"no_inputs": "该 Blueprint 没有任何输入。"
},
@ -1453,7 +1189,6 @@
"header": "导入 Blueprint",
"import_btn": "预览 Blueprint",
"import_header": "Blueprint \"{name}\"",
"import_introduction": "您可以从 Github 和社区论坛导入其他用户的 Blueprint。请在下方输入 Blueprint 的网址。",
"import_introduction_link": "您可以从 Github 和{community_link}导入其他用户的 Blueprint。请在下方输入 Blueprint 的 URL。",
"importing": "正在导入 Blueprint...",
"raw_blueprint": "Blueprint 内容",
@ -1575,7 +1310,6 @@
"not_exposed_entities": "不可发现的实体",
"title": "Alexa"
},
"caption": "Home Assistant Cloud",
"description_features": "远程控制智能家居,还可接入 Alexa 和 Google Assistant",
"description_login": "登录为 {email}",
"description_not_login": "未登录",
@ -1708,7 +1442,6 @@
"pick_attribute": "选择要覆盖的属性",
"picker": {
"documentation": "自定义文档",
"entity": "实体",
"header": "自定义",
"introduction": "调整每个实体的属性。添加/编辑的自定义设置将立即生效,删除的自定义设置将在实体更新时生效。"
},
@ -1755,7 +1488,6 @@
"integration": "集成",
"manufacturer": "制造商",
"model": "型号",
"no_area": "没有区域",
"no_devices": "没有设备"
},
"delete": "删除",
@ -1911,42 +1643,9 @@
"source": "源:",
"system_health_error": "未加载系统健康组件。请将 'system_health:' 添加到 configuration.yaml",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "已启用 Alexa",
"can_reach_cert_server": "可访问证书服务器",
"can_reach_cloud": "可访问 Home Assistant Cloud",
"can_reach_cloud_auth": "可访问认证服务器",
"google_enabled": "已启用 Google",
"logged_in": "已登录",
"relayer_connected": "通过代理连接",
"remote_connected": "远程连接",
"remote_enabled": "已启用远程控制",
"subscription_expiration": "订阅到期时间"
},
"homeassistant": {
"arch": "CPU 架构",
"dev": "开发版",
"docker": "Docker",
"hassio": "HassOS",
"installation_type": "安装类型",
"os_name": "操作系统名称",
"os_version": "操作系统版本",
"python_version": "Python 版本",
"timezone": "时区",
"version": "版本",
"virtualenv": "虚拟环境"
},
"lovelace": {
"dashboards": "仪表盘",
"mode": "模式",
"resources": "资源"
}
},
"manage": "管理",
"more_info": "更多信息"
},
"title": "信息"
}
},
"integration_panel_move": {
"link_integration_page": "集成页面",
@ -1960,7 +1659,6 @@
"config_entry": {
"area": "位于:{area}",
"delete": "删除",
"delete_button": "删除{integration}",
"delete_confirm": "您确定要删除此集成吗?",
"device_unavailable": "设备不可用",
"devices": "{count} {count, plural,\n one {个设备}\n other {个设备}\n}",
@ -1971,8 +1669,6 @@
"hub": "连接于",
"manuf": "by {manufacturer}",
"no_area": "没有区域",
"no_device": "无设备关联的实体",
"no_devices": "此集成没有设备。",
"options": "选项",
"reload": "重载",
"reload_confirm": "集成已重新加载",
@ -1980,9 +1676,7 @@
"rename": "重命名",
"restart_confirm": "重启 Home Assistant 以完成此集成的删除",
"services": "{count} {count, plural,\n one {个服务}\n other {个服务}\n}",
"settings_button": "编辑{integration}设置",
"system_options": "系统选项",
"system_options_button": "{integration}系统选项",
"unnamed_entry": "未命名条目"
},
"config_flow": {
@ -2043,8 +1737,7 @@
"multiple_messages": "消息首次出现在 {time},显示了 {counter} 次",
"no_errors": "未报告任何错误。",
"no_issues": "没有新问题!",
"refresh": "刷新",
"title": "日志"
"refresh": "刷新"
},
"lovelace": {
"caption": "Lovelace 仪表盘",
@ -2375,8 +2068,7 @@
"learn_more": "详细了解脚本",
"no_scripts": "未找到可编辑的脚本",
"run_script": "运行脚本",
"show_info": "显示有关脚本的信息",
"trigger_script": "触发脚本"
"show_info": "显示有关脚本的信息"
}
},
"server_control": {
@ -2470,11 +2162,9 @@
"add_user": {
"caption": "添加用户",
"create": "创建",
"name": "名字",
"password": "密码",
"password_confirm": "确认密码",
"password_not_match": "密码不匹配",
"username": "用户名"
"password_not_match": "密码不匹配"
},
"caption": "用户",
"description": "管理用户",
@ -2518,19 +2208,12 @@
"add_device": "添加设备",
"add_device_page": {
"discovered_text": "发现的设备会立即显示在这里。",
"discovery_text": "发现的设备将显示在这里。请按照设备的说明进行操作,将设备置于配对模式。",
"header": "Zigbee 家庭自动化 - 添加设备",
"no_devices_found": "未发现设备。请确保设备处于配对模式,并且在搜索设备时保持唤醒。",
"pairing_mode": "请确保您的设备处于配对模式。有关如何进入配对模式,请查阅设备说明书。",
"search_again": "再次搜索",
"spinner": "正在查找 ZHA Zigbee 设备......"
},
"add": {
"caption": "添加设备",
"description": "将设备添加到 Zigbee 网络"
},
"button": "配置",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "所选簇的属性",
"get_zigbee_attribute": "获取 Zigbee 属性",
@ -2554,13 +2237,10 @@
"introduction": "“簇”是 Zigbee 功能的构建基础,它们将功能分成逻辑单元。有客户端和服务器类型,由属性和命令组成。"
},
"common": {
"add_devices": "添加设备",
"clusters": "簇",
"devices": "设备",
"manufacturer_code_override": "制造商代码覆盖",
"value": "值"
},
"description": "Zigbee 智能家居(ZHA) 网络管理",
"device_pairing_card": {
"CONFIGURED": "配置完成",
"CONFIGURED_status_text": "正在初始化",
@ -2571,9 +2251,6 @@
"PAIRED": "发现设备",
"PAIRED_status_text": "开始协商"
},
"devices": {
"header": "Zigbee 家庭自动化 - 设备"
},
"group_binding": {
"bind_button_help": "将所选群组绑定到所选设备的簇。",
"bind_button_label": "绑定群组",
@ -2588,48 +2265,24 @@
"groups": {
"add_group": "添加群组",
"add_members": "添加成员",
"adding_members": "添加成员中",
"caption": "群组",
"create": "创建群组",
"create_group": "Zigbee 家庭自动化 - 新增群组",
"create_group_details": "输入所需的详细信息以创建新的 zigbee 群组",
"creating_group": "创建群组中",
"description": "管理 Zigbee 群组",
"group_details": "以下是所选 Zigbee 群组的所有详细信息。",
"group_id": "群组 ID",
"group_info": "群组信息",
"group_name_placeholder": "群组名",
"group_not_found": "找不到群组!",
"group-header": "Zigbee 家庭自动化 - 群组资讯",
"groups": "群组",
"groups-header": "Zigbee 家庭自动化 - 群组管理",
"header": "Zigbee 家庭自动化 - 群组管理",
"introduction": "创建和修改 Zigbee 群组",
"manage_groups": "管理 Zigbee 群组",
"members": "成员",
"remove_groups": "删除群组",
"remove_members": "删除成员",
"removing_groups": "删除群组中",
"removing_members": "删除成员中",
"zha_zigbee_groups": "ZHA Zigbee 群组"
},
"header": "配置 Zigbee 家庭自动化",
"introduction": "您可以在此配置 ZHA 组件。目前并非所有配置都能通过前端 UI 完成,但是我们在努力实现中。",
"network_management": {
"header": "网络管理",
"introduction": "影响整个网络的命令"
"removing_members": "删除成员中"
},
"network": {
"caption": "网络"
},
"node_management": {
"header": "设备管理",
"help_node_dropdown": "选择一个设备以查看每个设备的选项。",
"hint_battery_devices": "注意:在睡眠(电池供电)设备执行命令时,它们必须处于唤醒状态。通常,您可以通过触发睡眠设备来唤醒它。",
"hint_wakeup": "小米传感器等某些设备具有唤醒按钮,您可以每隔约 5 秒按一下此按钮,以便在与设备交互时保持设备唤醒。",
"introduction": "运行影响单个设备的 ZHA 命令。请选择设备以查看可用命令列表。"
},
"title": "Zigbee 家庭自动化",
"visualization": {
"caption": "可视化",
"header": "网络可视化",
@ -2701,7 +2354,6 @@
"header": "管理 Z-Wave 网络",
"home_id": "家庭 ID",
"introduction": "管理 Z-Wave 网络和节点",
"node_count": "节点数量",
"nodes_ready": "节点就绪",
"server_version": "服务器版本"
},
@ -2738,7 +2390,6 @@
},
"zwave": {
"button": "配置",
"caption": "Z-Wave",
"common": {
"index": "索引",
"instance": "实例",
@ -2857,17 +2508,12 @@
"type": "事件类型"
},
"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": {
@ -2908,25 +2554,20 @@
}
},
"history": {
"period": "日期范围",
"ranges": {
"last_week": "上周",
"this_week": "本周",
"today": "今天",
"yesterday": "昨天"
},
"showing_entries": "显示自以下日期的图表"
}
},
"logbook": {
"entries_not_found": "未找到日志条目。",
"period": "周期",
"ranges": {
"last_week": "上周",
"this_week": "本周",
"today": "今天",
"yesterday": "昨天"
},
"showing_entries": "显示以下日期的条目"
}
},
"lovelace": {
"add_entities": {
@ -2935,7 +2576,6 @@
"yaml_unsupported": "在 YAML 模式下使用 Lovelace 时不能使用此功能。"
},
"cards": {
"action_confirmation": "您确定要执行动作“{action}”吗?",
"actions": {
"action_confirmation": "您确定要执行动作“{action}”吗?",
"no_entity_more_info": "未指定要显示更多信息的实体",
@ -2974,13 +2614,11 @@
"reorder_items": "重新排序项目"
},
"starting": {
"description": "Home Assistant 正在启动,请稍候。",
"header": "Home Assistant 正在启动......"
"description": "Home Assistant 正在启动,请稍候。"
}
},
"changed_toast": {
"message": "此仪表盘的 Lovelace 配置已更新。刷新页面以查看更改?",
"refresh": "刷新"
"message": "此仪表盘的 Lovelace 配置已更新。刷新页面以查看更改?"
},
"components": {
"timestamp-display": {
@ -2999,7 +2637,6 @@
"toggle": "切换",
"url": "网址"
},
"editor_service_data": "服务数据只能在代码编辑器中输入",
"navigation_path": "导航路径",
"url_path": "网址路径"
},
@ -3197,7 +2834,6 @@
},
"sensor": {
"description": "“传感器”卡片供您快速了解传感器的状态,还提供可选的图表来表示其随时间的变化。",
"graph_detail": "图形详细信息",
"graph_type": "图形类型",
"name": "传感器",
"show_more_detail": "显示更多信息"
@ -3368,7 +3004,6 @@
"configure_ui": "编辑仪表盘",
"exit_edit_mode": "退出 UI 编辑模式",
"help": "帮助",
"refresh": "刷新",
"reload_resources": "重载资源",
"start_conversation": "开始对话"
},
@ -3493,8 +3128,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "您的电脑不允许访问。",
"not_whitelisted": "您的电脑不在白名单内。"
"not_allowed": "您的电脑不允许访问。"
},
"step": {
"init": {
@ -3647,15 +3281,12 @@
"create": "创建令牌",
"create_failed": "无法创建访问令牌。",
"created": "创建于 {date}",
"created_at": "创建于 {date}",
"delete_failed": "无法删除访问令牌。",
"description": "创建长期访问令牌以允许脚本与 Home Assistant 实例进行交互。每个令牌在创建后有效期为 10 年。以下是处于激活状态的长期访问令牌。",
"empty_state": "您还没有长期访问令牌。",
"header": "长期访问令牌",
"last_used": "上次使用于 {date} 来自 {location}",
"learn_auth_requests": "了解如何创建经过身份验证的请求。",
"name": "名称",
"not_used": "从未使用过",
"prompt_copy_token": "请复制您的访问令牌。它不会再显示出来。",
"prompt_name": "为令牌指定名称"
},
@ -3720,11 +3351,6 @@
},
"shopping_list": {
"start_conversation": "开始对话"
},
"shopping-list": {
"add_item": "添加项目",
"clear_completed": "清除已完成项目",
"microphone_tip": "点击右上角麦克风图标并说 “Add candy to my shopping list”"
}
},
"sidebar": {

View File

@ -95,253 +95,11 @@
}
},
"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": "開啟"
},
"door": {
"off": "已關閉",
"on": "已開啟"
},
"garage_door": {
"off": "關閉",
"on": "已開啟"
},
"gas": {
"off": "未觸發",
"on": "已觸發"
},
"heat": {
"off": "不熱",
"on": "熱"
},
"lock": {
"off": "已上鎖",
"on": "已解鎖"
},
"moisture": {
"off": "乾燥",
"on": "濕潤"
},
"motion": {
"off": "無人",
"on": "有人"
},
"occupancy": {
"off": "未觸發",
"on": "已觸發"
},
"opening": {
"off": "關閉",
"on": "開啟"
},
"presence": {
"off": "離家",
"on": "在家"
},
"problem": {
"off": "確定",
"on": "問題"
},
"safety": {
"off": "安全",
"on": "危險"
},
"smoke": {
"off": "未觸發",
"on": "已觸發"
},
"sound": {
"off": "已解除",
"on": "已觸發"
},
"vibration": {
"off": "未偵測",
"on": "偵測"
},
"window": {
"off": "關閉",
"on": "開啟"
}
},
"calendar": {
"off": "關閉",
"on": "開啟"
},
"camera": {
"idle": "待命",
"recording": "錄影中",
"streaming": "監控中"
},
"climate": {
"cool": "冷氣",
"dry": "除濕模式",
"fan_only": "僅送風",
"heat": "暖氣",
"heat_cool": "暖氣/冷氣",
"off": "關閉"
},
"configurator": {
"configure": "設定",
"configured": "設定成功"
},
"cover": {
"closed": "關閉",
"closing": "關閉中",
"open": "開啟",
"opening": "開啟中",
"stopped": "停止"
},
"default": {
"off": "關閉",
"on": "開啟",
"unavailable": "不可用",
"unknown": "未知"
},
"device_tracker": {
"not_home": "離家"
},
"fan": {
"off": "關閉",
"on": "開啟"
},
"group": {
"closed": "關閉",
"closing": "關閉中",
"home": "在家",
"locked": "鎖",
"not_home": "離家",
"off": "關閉",
"ok": "正常",
"on": "開啟",
"open": "開啟",
"opening": "開啟中",
"problem": "異常",
"stopped": "停止",
"unlocked": "已解鎖"
},
"input_boolean": {
"off": "關閉",
"on": "開啟"
},
"light": {
"off": "關閉",
"on": "開啟"
},
"lock": {
"locked": "已上鎖",
"unlocked": "已解鎖"
},
"media_player": {
"idle": "閒置",
"off": "關閉",
"on": "開啟",
"paused": "已暫停",
"playing": "播放中",
"standby": "待命"
},
"person": {
"home": "在家"
},
"plant": {
"ok": "健康",
"problem": "異常"
},
"remote": {
"off": "關閉",
"on": "開啓"
},
"scene": {
"scening": "目前場景"
},
"script": {
"off": "關閉",
"on": "開啓"
},
"sensor": {
"off": "關閉",
"on": "開啓"
},
"sun": {
"above_horizon": "日出東海",
"below_horizon": "日落西山"
},
"switch": {
"off": "關閉",
"on": "開啟"
},
"timer": {
"active": "啟用",
"idle": "閒置",
"paused": "暫停"
},
"vacuum": {
"cleaning": "清掃中",
"docked": "充電中",
"error": "錯誤",
"idle": "暫停",
"off": "關閉",
"on": "開啟",
"paused": "暫停",
"returning": "返回充電"
},
"weather": {
"clear-night": "晴空、夜間",
"cloudy": "多雲",
"exceptional": "例外",
"fog": "有霧",
"hail": "冰雹",
"lightning": "有雷",
"lightning-rainy": "有雷雨",
"partlycloudy": "局部多雲",
"pouring": "大雨",
"rainy": "有雨",
"snowy": "有雪",
"snowy-rainy": "有雪、有雨",
"sunny": "晴天",
"windy": "有風",
"windy-variant": "有風"
},
"zwave": {
"default": {
"dead": "失去連線",
"initializing": "正在初始化",
"ready": "準備就緒",
"sleeping": "休眠中"
},
"query_stage": {
"dead": "失去連線 ({query_stage})",
"initializing": "正在初始化 ( {query_stage} )"
}
}
},
"ui": {
@ -442,8 +200,7 @@
},
"script": {
"cancel": "取消",
"cancel_multiple": "取消 {number}",
"execute": "執行"
"cancel_multiple": "取消 {number}"
},
"service": {
"run": "執行"
@ -538,6 +295,19 @@
"yes": "是"
},
"components": {
"addon-picker": {
"addon": "Add-on",
"error": {
"fetch_addons": {
"description": "取得 Add-on 回報錯誤",
"title": "取得 Add-on 錯誤"
},
"no_supervisor": {
"description": "找不到 Supervisor、因此 Add-on 無法載入。",
"title": "找不到 Supervisor"
}
}
},
"area-picker": {
"add_dialog": {
"add": "新增",
@ -630,7 +400,6 @@
"media-browser": {
"audio_not_supported": "瀏覽器不支援音效元件。",
"choose_player": "選擇播放器",
"choose-source": "選擇來源",
"class": {
"album": "專輯",
"app": "App",
@ -653,13 +422,6 @@
"url": "URL",
"video": "影片"
},
"content-type": {
"album": "專輯",
"artist": "演唱者",
"library": "媒體庫",
"playlist": "播放列表",
"server": "伺服器"
},
"documentation": "相關文件",
"learn_adding_local_media": "詳細了解如何新增媒體{documentation}。",
"local_media_files": "將影片、音效及影像檔案放置於媒體資料夾、將可以透過瀏覽器或支援的媒體播放器進行瀏覽與播放。",
@ -701,7 +463,6 @@
"second": "{count} {count, plural,\n one {秒}\n other {秒}\n}",
"week": "{count} {count, plural,\n one {週}\n other {週}\n}"
},
"future": "{time}後",
"future_duration": {
"day": "於{count} {count, plural,\n one {天}\n other {天}\n}",
"hour": "於{count} {count, plural,\n one {小時}\n other {小時}\n}",
@ -711,7 +472,6 @@
},
"just_now": "現在",
"never": "未執行",
"past": "{time}前",
"past_duration": {
"day": "{count} {count, plural,\n one {天}\n other {天}\n}以前",
"hour": "{count} {count, plural,\n one {小時}\n other {小時}\n}以前",
@ -724,7 +484,7 @@
"required": "必填欄位",
"service_data": "服務資料",
"target": "目標",
"target_description": "此服務呼叫的目標"
"target_description": "此服務使用之目標區域、裝置或實體。"
},
"service-picker": {
"service": "服務"
@ -847,7 +607,6 @@
"crop": "裁切"
},
"more_info_control": {
"controls": "控制",
"cover": {
"close_cover": "關閉窗簾",
"close_tile_cover": "開啟窗簾",
@ -932,7 +691,6 @@
"logs": "記錄",
"lovelace": "Lovelace 主面板",
"navigate_to": "導航至 {panel}",
"navigate_to_config": "導航至 {panel} 設定",
"person": "人員",
"scene": "場景",
"script": "腳本",
@ -1015,9 +773,7 @@
},
"unknown": "未知",
"zha_device_card": {
"area_picker_label": "分區",
"device_name_placeholder": "變更裝置名稱",
"update_name_button": "更新名稱"
"device_name_placeholder": "變更裝置名稱"
}
}
},
@ -1061,10 +817,6 @@
"triggered": "觸發 {name}"
},
"panel": {
"calendar": {
"my_calendars": "我的行事曆",
"today": "今天"
},
"config": {
"advanced_mode": {
"hint_enable": "找不到設定選項?開啟進階模式",
@ -1182,8 +934,7 @@
"label": "啟用場景"
},
"service": {
"label": "執行服務",
"service_data": "服務資料"
"label": "執行服務"
},
"wait_for_trigger": {
"continue_timeout": "繼續逾時計算",
@ -1203,8 +954,6 @@
"blueprint": {
"blueprint_to_use": "欲使用之 Blueprint",
"header": "Blueprint",
"inputs": "輸入",
"manage_blueprints": "管理 Blueprint",
"no_blueprints": "目前沒有任何 Blueprint",
"no_inputs": "Blueprint 未包含任何輸入。"
},
@ -1459,7 +1208,6 @@
"header": "匯入 Blueprint",
"import_btn": "預覽 Blueprint",
"import_header": "Blueprint \"{name}\"",
"import_introduction": "可以自 Github 及社群論壇匯入其他使用者的 Blueprint。於下方輸入 Blueprint 之URL。",
"import_introduction_link": "可以自 Github 及{community_link}匯入其他使用者的 Blueprint。於下方輸入 Blueprint 之URL。",
"importing": "正在載入 Blueprint...",
"raw_blueprint": "Blueprint 內容",
@ -1581,7 +1329,6 @@
"not_exposed_entities": "未公開實體",
"title": "Alexa"
},
"caption": "Home Assistant Cloud",
"description_features": "遠端控制家庭與 Alexa 及 Google 助理整合",
"description_login": "登入帳號:{email}",
"description_not_login": "未登入",
@ -1714,7 +1461,6 @@
"pick_attribute": "選擇欲覆寫屬性",
"picker": {
"documentation": "自訂化文件",
"entity": "實體",
"header": "自訂化",
"introduction": "調整每個實體屬性。新增/編輯自訂化將可以立即生效,移除自訂化則必須等到實體更新時、方能生效。"
},
@ -1752,6 +1498,7 @@
"cant_edit": "只能編輯於 UI 中新增的實體。",
"caption": "裝置",
"confirm_delete": "確定要刪除這個裝置?",
"confirm_disable_config_entry": "所設定實體 {entry_name} 不再具有任何裝置,是否要關閉設定實體?",
"confirm_rename_entity_ids": "是否也要變更實體的實體 ID",
"confirm_rename_entity_ids_warning": "將不會變更任何實體正在使用的設定(例如自動化、腳本、場景與 Lovelace必須使用新實體 ID 自行更新。",
"data_table": {
@ -1761,7 +1508,6 @@
"integration": "整合",
"manufacturer": "廠牌",
"model": "型號",
"no_area": "無分區",
"no_devices": "沒有任何裝置"
},
"delete": "刪除",
@ -1865,7 +1611,8 @@
},
"filtering": {
"clear": "清除",
"filtering_by": "篩選"
"filtering_by": "篩選",
"show": "顯示"
},
"header": "設定 Home Assistant",
"helpers": {
@ -1917,42 +1664,9 @@
"source": "來源:",
"system_health_error": "系統健康元件未載入。請於 configuration.yaml 內加入「system_health:」",
"system_health": {
"checks": {
"cloud": {
"alexa_enabled": "Alexa 已啟用",
"can_reach_cert_server": "連線驗證伺服器",
"can_reach_cloud": "連線 Home Assistant Cloud",
"can_reach_cloud_auth": "連線認證伺服器",
"google_enabled": "Google 已啟用",
"logged_in": "已登入",
"relayer_connected": "中繼已連線",
"remote_connected": "遠端控制已連線",
"remote_enabled": "遠端控制已啟用",
"subscription_expiration": "訂閱到期"
},
"homeassistant": {
"arch": "CPU 架構",
"dev": "開發版",
"docker": "Docker",
"hassio": "HassOS",
"installation_type": "安裝類型",
"os_name": "作業系統名稱",
"os_version": "作業系統版本",
"python_version": "Python 版本",
"timezone": "時區",
"version": "版本",
"virtualenv": "虛擬環境"
},
"lovelace": {
"dashboards": "主面板",
"mode": "模式",
"resources": "資源"
}
},
"manage": "管理",
"more_info": "更多資訊"
},
"title": "資訊"
}
},
"integration_panel_move": {
"link_integration_page": "整合頁面",
@ -1966,19 +1680,28 @@
"config_entry": {
"area": "於 {area}",
"delete": "刪除",
"delete_button": "刪除 {integration}",
"delete_confirm": "確定要刪除此整合?",
"device_unavailable": "裝置不可用",
"devices": "{count} {count, plural,\n one {個裝置}\n other {個裝置}\n}",
"disable_restart_confirm": "重啟 Home Assistant 以完成整合關閉",
"disable": {
"disable_confirm": "確定要關閉此設定實體?其裝置與實體將會關閉。",
"disabled": "已關閉",
"disabled_by": {
"device": "裝置",
"integration": "整合",
"user": "使用者"
},
"disabled_cause": "由 {cause} 關閉。"
},
"documentation": "相關文件",
"enable_restart_confirm": "重啟 Home Assistant 以完成整合開啟",
"entities": "{count} {count, plural,\n one {個實體}\n other {個實體}\n}",
"entity_unavailable": "實體不可用",
"firmware": "韌體:{version}",
"hub": "連線:",
"manuf": "廠牌:{manufacturer}",
"no_area": "無分區",
"no_device": "沒有裝置的實體",
"no_devices": "這個整合沒有任何的裝置。",
"options": "選項",
"reload": "重新載入",
"reload_confirm": "整合已重新載入",
@ -1986,9 +1709,7 @@
"rename": "重新命名",
"restart_confirm": "重啟 Home Assistant 以完成此整合移動",
"services": "{count} {count, plural,\n one {項服務}\n other {項服務}\n}",
"settings_button": "編輯 {integration} 設定",
"system_options": "系統選項",
"system_options_button": "{integration} 系統選項",
"unnamed_entry": "未命名實體"
},
"config_flow": {
@ -2017,6 +1738,11 @@
"confirm_new": "是否要設定 {integration}",
"description": "管理服務、裝置整合等",
"details": "整合詳細資訊",
"disable": {
"disabled_integrations": "{number} 個已關閉",
"hide_disabled": "隱藏已關閉整合",
"show_disabled": "顯示已關閉整合"
},
"discovered": "已掃描",
"home_assistant_website": "Home Assistant 網站",
"ignore": {
@ -2055,8 +1781,7 @@
"multiple_messages": "訊息首次出現於 {time}、共顯示 {counter} 次",
"no_errors": "未回報任何錯誤。",
"no_issues": "沒有新問題!",
"refresh": "更新",
"title": "記錄"
"refresh": "更新"
},
"lovelace": {
"caption": "Lovelace 主面板",
@ -2387,8 +2112,7 @@
"learn_more": "詳細了解腳本",
"no_scripts": "無法找到任何可編輯的腳本",
"run_script": "執行腳本",
"show_info": "顯示關於腳本資訊",
"trigger_script": "觸發腳本"
"show_info": "顯示關於腳本資訊"
}
},
"server_control": {
@ -2482,11 +2206,9 @@
"add_user": {
"caption": "新增使用者",
"create": "新增",
"name": "名稱",
"password": "密碼",
"password_confirm": "確認密碼",
"password_not_match": "密碼不相符",
"username": "使用者名稱"
"password_not_match": "密碼不相符"
},
"caption": "使用者",
"description": "管理 Home Assistant 使用者帳號",
@ -2530,19 +2252,12 @@
"add_device": "新增裝置",
"add_device_page": {
"discovered_text": "在探索到裝置後將顯示於此處。",
"discovery_text": "所發現的裝置將會顯示於此。跟隨裝置的指示並將其設定為配對模式。",
"header": "Zigbee 家庭自動化 - 新增裝置",
"no_devices_found": "找不到裝置,請確定裝置處於配對模式、並於探索時保持喚醒狀態。",
"pairing_mode": "請確定裝置處於配對模式中,參閱裝置的手冊以了解如何進行操作。",
"search_again": "再次搜尋",
"spinner": "正在搜尋 ZHA Zigbee 裝置..."
},
"add": {
"caption": "新增裝置",
"description": "新增裝置至 Zigbee 網路"
},
"button": "設定",
"caption": "ZHA",
"cluster_attributes": {
"attributes_of_cluster": "獲取所選叢集屬性。",
"get_zigbee_attribute": "獲取 Zigbee 屬性",
@ -2566,13 +2281,10 @@
"introduction": "叢集為 Zigbee 功能的構建基礎,能夠將功能分為邏輯單位。具有客戶端與伺服端類型、由屬性與命令所組成。"
},
"common": {
"add_devices": "新增裝置",
"clusters": "叢集",
"devices": "裝置",
"manufacturer_code_override": "製造商代碼覆寫",
"value": "數值"
},
"description": "Zigbee 家庭自動化網路管理",
"device_pairing_card": {
"CONFIGURED": "設定完成",
"CONFIGURED_status_text": "初始化中",
@ -2583,9 +2295,6 @@
"PAIRED": "找到裝置",
"PAIRED_status_text": "開始探訪"
},
"devices": {
"header": "Zigbee 家庭自動化 - 裝置"
},
"group_binding": {
"bind_button_help": "綁定所選擇之群組至所選擇之裝置叢集。",
"bind_button_label": "綁定群組",
@ -2600,48 +2309,24 @@
"groups": {
"add_group": "新增群組",
"add_members": "新增成員",
"adding_members": "新增成員",
"caption": "群組",
"create": "新增群組",
"create_group": "Zigbee 家庭自動化 - 新增群組",
"create_group_details": "輸入所需詳細資訊以新增 Zigbee 群組。",
"creating_group": "新增群組",
"description": "管理 Zigbee 群組",
"group_details": "此處顯示所選 Zigbee 群組詳細資訊。",
"group_id": "群組 ID",
"group_info": "群組資訊",
"group_name_placeholder": "群組名稱",
"group_not_found": "找不到群組!",
"group-header": "Zigbee 家庭自動化 - 群組資訊",
"groups": "群組",
"groups-header": "Zigbee 家庭自動化 - 群組管理",
"header": "Zigbee 家庭自動化 - 群組管理",
"introduction": "新增與修改 Zigbee 群組",
"manage_groups": "管理 Zigbee 群組",
"members": "成員",
"remove_groups": "移除群組",
"remove_members": "移除成員",
"removing_groups": "正移除群組",
"removing_members": "正移除成員",
"zha_zigbee_groups": "ZHA Zigbee 群組"
},
"header": "設定 Zigbee 家庭自動化",
"introduction": "此處為可進行設定的 ZHA 元件。目前尚未支持所有設定,但是我們在努力建設中啦。",
"network_management": {
"header": "網路管理",
"introduction": "命令影響整個網路"
"removing_members": "正移除成員"
},
"network": {
"caption": "網路"
},
"node_management": {
"header": "裝置管理",
"help_node_dropdown": "選擇裝置以檢視該裝置選項。",
"hint_battery_devices": "請注意:對裝置執行命令時,需喚醒處於睡眠狀態的裝置(使用電池供電),通常可以藉由觸發以喚醒裝置。",
"hint_wakeup": "在您進行互動時某些裝置(例如小米感應器)有喚醒按鈕、可藉由每隔約 5 秒按一下、以保持該裝置處於喚醒狀態。",
"introduction": "執行 ZHA 命命將影響單一裝置。選擇裝置以檢視該裝置可使用之命令。"
},
"title": "Zigbee 家庭自動化",
"visualization": {
"caption": "形象化",
"header": "網路形象化",
@ -2713,7 +2398,6 @@
"header": "管理 Z-Wave 網路",
"home_id": "家庭 ID",
"introduction": "管理 Z-Wave 網路與節點",
"node_count": "節點計數",
"nodes_ready": "就緒節點",
"server_version": "伺服器版本"
},
@ -2750,7 +2434,6 @@
},
"zwave": {
"button": "設定",
"caption": "Z-Wave",
"common": {
"index": "指數",
"instance": "裝置",
@ -2870,18 +2553,13 @@
},
"services": {
"accepts_target": "服務接受目標,例如:`entity_id: light.bed_light`",
"alert_parsing_yaml": "解析 YAML 錯誤:{data}",
"all_parameters": "所有可用參數",
"call_service": "執行服務",
"column_description": "說明",
"column_example": "範例",
"column_parameter": "參數",
"data": "服務資料YAML選項",
"description": "服務開發工具允許呼叫任何 Home Assistant 中可用服務。",
"fill_example_data": "填寫範例資料",
"no_description": "無描述可使用",
"no_parameters": "此服務未含任何參數。",
"select_service": "選擇服務以檢視其說明",
"title": "服務",
"ui_mode": "進入 UI 模式",
"yaml_mode": "進入 YAML 模式",
@ -2890,6 +2568,7 @@
"states": {
"alert_entity_field": "實體為必填欄位",
"attributes": "屬性",
"copy_id": "複製 ID 至剪貼簿",
"current_entities": "目前實體",
"description1": "設定 Home Assistant 裝置代表。",
"description2": "將不會與實際裝置進行通訊。",
@ -2925,25 +2604,20 @@
}
},
"history": {
"period": "期間長",
"ranges": {
"last_week": "上週",
"this_week": "本週",
"today": "今天",
"yesterday": "昨天"
},
"showing_entries": "選擇要查看的時間"
}
},
"logbook": {
"entries_not_found": "找不到實體日誌。",
"period": "選擇週期",
"ranges": {
"last_week": "上週",
"this_week": "本週",
"today": "今天",
"yesterday": "昨天"
},
"showing_entries": "選擇要查看的時間"
}
},
"lovelace": {
"add_entities": {
@ -2952,7 +2626,6 @@
"yaml_unsupported": "當使用 Lovelace UI 的 YAML 模式時,無法使用此功能。"
},
"cards": {
"action_confirmation": "確定要執行動作 \"{action}\"",
"actions": {
"action_confirmation": "確定要執行動作 \"{action}\"",
"no_entity_more_info": "未提供獲得更詳細資料對話實體",
@ -2991,13 +2664,11 @@
"reorder_items": "重新排列項目"
},
"starting": {
"description": "Home Assistant 正在啟動,請稍候...",
"header": "Home Assistant 正在啟動..."
"description": "Home Assistant 正在啟動,請稍候..."
}
},
"changed_toast": {
"message": "此主面板 Lovelace UI 設定已更新,更新頁面檢視變更?",
"refresh": "更新"
"message": "此主面板 Lovelace UI 設定已更新,更新頁面檢視變更?"
},
"components": {
"timestamp-display": {
@ -3016,7 +2687,6 @@
"toggle": "開關",
"url": "URL"
},
"editor_service_data": "服務資料僅能於代碼編輯器中輸入",
"navigation_path": "導航路徑",
"url_path": "URL 路徑"
},
@ -3214,7 +2884,6 @@
},
"sensor": {
"description": "傳感器面板、可供以選項圖像方式檢視傳感器時間變化與狀態。",
"graph_detail": "圖像精細度",
"graph_type": "圖像類型",
"name": "傳感器面板",
"show_more_detail": "顯示更多資訊"
@ -3385,7 +3054,6 @@
"configure_ui": "編輯主面板",
"exit_edit_mode": "退出 UI 編輯模式",
"help": "說明",
"refresh": "更新",
"reload_resources": "重新載入資源",
"start_conversation": "開始對話"
},
@ -3427,8 +3095,10 @@
},
"my": {
"component_not_loaded": "Home Assistant 不支援此重新導向。需要使用整合 {integration} 方能使用。",
"documentation": "相關文件",
"error": "發生未知錯誤",
"faq_link": "Home Assistant 常見問答集",
"no_supervisor": "所安裝的 Home Assistant 不支援重新導向。需要為 Home Assistant 作業系統或 Home Assistant Supervised 安裝方式。更多資訊,請參閱 {docs_link}。",
"not_supported": "Home Assistant 不支援此重新導向。點選 {link} 獲取支援之重新導向與版本。"
},
"page-authorize": {
@ -3510,8 +3180,7 @@
},
"trusted_networks": {
"abort": {
"not_allowed": "電腦未被允許。",
"not_whitelisted": "電腦尚未加入許可清單。"
"not_allowed": "電腦未被允許。"
},
"step": {
"init": {
@ -3664,15 +3333,12 @@
"create": "創建密鑰",
"create_failed": "創建存取密鑰失敗。",
"created": "新增日期:{date}",
"created_at": "於{date}創建",
"delete_failed": "刪除存取密鑰失敗。",
"description": "創建長效存取密鑰,可供運用腳本與 Home Assistant 實體進行互動。每個密鑰於創建後,有效期為十年。目前已啟用之永久有效密鑰如下。",
"empty_state": "尚未創建永久有效存取密鑰。",
"header": "永久有效存取密鑰",
"last_used": "上次使用:於{date}、位置{location}",
"learn_auth_requests": "學習如何進行驗證請求。",
"name": "名稱",
"not_used": "從未使用過",
"prompt_copy_token": "複製存取密鑰,將不會再次顯示。",
"prompt_name": "為密鑰命名"
},
@ -3737,11 +3403,6 @@
},
"shopping_list": {
"start_conversation": "開始對話"
},
"shopping-list": {
"add_item": "新加入清單",
"clear_completed": "清理完成",
"microphone_tip": "點擊右上角的麥克風圖示,並說出「將糖果加入到購物清單」"
}
},
"sidebar": {