mirror of
https://github.com/home-assistant/frontend.git
synced 2025-08-14 19:59:26 +00:00
Compare commits
25 Commits
20201203.0
...
layout-str
Author | SHA1 | Date | |
---|---|---|---|
![]() |
cefb3c3f01 | ||
![]() |
909f3a3005 | ||
![]() |
4930532c7b | ||
![]() |
8a42e65c6a | ||
![]() |
5d4121a9b4 | ||
![]() |
3d83d5f4b5 | ||
![]() |
f9dece0743 | ||
![]() |
ac0871d0e8 | ||
![]() |
ffc19e591d | ||
![]() |
c53380ca3d | ||
![]() |
7c74a2026a | ||
![]() |
adaed438d9 | ||
![]() |
baf38305cb | ||
![]() |
8254712521 | ||
![]() |
53214781e3 | ||
![]() |
88cbbbdf65 | ||
![]() |
7f2ebb4bde | ||
![]() |
f1abb60e4a | ||
![]() |
e014c7aff6 | ||
![]() |
b79c03433e | ||
![]() |
34eb4d974d | ||
![]() |
3264be3c5e | ||
![]() |
655f4f75fb | ||
![]() |
4383f31696 | ||
![]() |
99eb15d15e |
2
setup.py
2
setup.py
@@ -2,7 +2,7 @@ from setuptools import setup, find_packages
|
||||
|
||||
setup(
|
||||
name="home-assistant-frontend",
|
||||
version="20201203.0",
|
||||
version="20201212.0",
|
||||
description="The Home Assistant frontend",
|
||||
url="https://github.com/home-assistant/home-assistant-polymer",
|
||||
author="The Home Assistant Authors",
|
||||
|
@@ -1,8 +1,12 @@
|
||||
export const copyToClipboard = (str) => {
|
||||
const el = document.createElement("textarea");
|
||||
el.value = str;
|
||||
document.body.appendChild(el);
|
||||
el.select();
|
||||
document.execCommand("copy");
|
||||
document.body.removeChild(el);
|
||||
if (navigator.clipboard) {
|
||||
navigator.clipboard.writeText(str);
|
||||
} else {
|
||||
const el = document.createElement("textarea");
|
||||
el.value = str;
|
||||
document.body.appendChild(el);
|
||||
el.select();
|
||||
document.execCommand("copy");
|
||||
document.body.removeChild(el);
|
||||
}
|
||||
};
|
||||
|
@@ -98,6 +98,12 @@ export class HaDataTable extends LitElement {
|
||||
|
||||
@property({ type: Boolean }) public hasFab = false;
|
||||
|
||||
/**
|
||||
* Add an extra rows at the bottom of the datatabel
|
||||
* @type {TemplateResult}
|
||||
*/
|
||||
@property({ attribute: false }) public appendRow?;
|
||||
|
||||
@property({ type: Boolean, attribute: "auto-height" })
|
||||
public autoHeight = false;
|
||||
|
||||
@@ -126,6 +132,8 @@ export class HaDataTable extends LitElement {
|
||||
|
||||
@query("slot[name='header']") private _header!: HTMLSlotElement;
|
||||
|
||||
private _items: DataTableRowData[] = [];
|
||||
|
||||
private _checkableRowsCount?: number;
|
||||
|
||||
private _checkedRows: string[] = [];
|
||||
@@ -318,10 +326,13 @@ export class HaDataTable extends LitElement {
|
||||
@scroll=${this._saveScrollPos}
|
||||
>
|
||||
${scroll({
|
||||
items: !this.hasFab
|
||||
? this._filteredData
|
||||
: [...this._filteredData, ...[{ empty: true }]],
|
||||
items: this._items,
|
||||
renderItem: (row: DataTableRowData, index) => {
|
||||
if (row.append) {
|
||||
return html`
|
||||
<div class="mdc-data-table__row">${row.content}</div>
|
||||
`;
|
||||
}
|
||||
if (row.empty) {
|
||||
return html` <div class="mdc-data-table__row"></div> `;
|
||||
}
|
||||
@@ -447,6 +458,20 @@ export class HaDataTable extends LitElement {
|
||||
if (this.curRequest !== curRequest) {
|
||||
return;
|
||||
}
|
||||
|
||||
if (this.appendRow || this.hasFab) {
|
||||
this._items = [...data];
|
||||
|
||||
if (this.appendRow) {
|
||||
this._items.push({ append: true, content: this.appendRow });
|
||||
}
|
||||
|
||||
if (this.hasFab) {
|
||||
this._items.push({ empty: true });
|
||||
}
|
||||
} else {
|
||||
this._items = data;
|
||||
}
|
||||
this._filteredData = data;
|
||||
}
|
||||
|
||||
|
@@ -1,4 +1,5 @@
|
||||
import "../ha-icon-button";
|
||||
import "../ha-svg-icon";
|
||||
import "@material/mwc-icon-button/mwc-icon-button";
|
||||
import "@polymer/paper-input/paper-input";
|
||||
import "@polymer/paper-item/paper-item";
|
||||
import "@polymer/paper-item/paper-item-body";
|
||||
@@ -12,6 +13,8 @@ import {
|
||||
html,
|
||||
LitElement,
|
||||
property,
|
||||
PropertyValues,
|
||||
query,
|
||||
TemplateResult,
|
||||
} from "lit-element";
|
||||
import memoizeOne from "memoize-one";
|
||||
@@ -35,6 +38,7 @@ import {
|
||||
import { SubscribeMixin } from "../../mixins/subscribe-mixin";
|
||||
import { PolymerChangedEvent } from "../../polymer-types";
|
||||
import { HomeAssistant } from "../../types";
|
||||
import { mdiClose, mdiMenuUp, mdiMenuDown } from "@mdi/js";
|
||||
|
||||
interface Device {
|
||||
name: string;
|
||||
@@ -111,17 +115,9 @@ export class HaDevicePicker extends SubscribeMixin(LitElement) {
|
||||
@property({ type: Boolean })
|
||||
private _opened?: boolean;
|
||||
|
||||
public open() {
|
||||
this.updateComplete.then(() => {
|
||||
(this.shadowRoot?.querySelector("vaadin-combo-box-light") as any)?.open();
|
||||
});
|
||||
}
|
||||
@query("vaadin-combo-box-light", true) private _comboBox!: HTMLElement;
|
||||
|
||||
public focus() {
|
||||
this.updateComplete.then(() => {
|
||||
this.shadowRoot?.querySelector("paper-input")?.focus();
|
||||
});
|
||||
}
|
||||
private _init = false;
|
||||
|
||||
private _getDevices = memoizeOne(
|
||||
(
|
||||
@@ -134,7 +130,13 @@ export class HaDevicePicker extends SubscribeMixin(LitElement) {
|
||||
deviceFilter: this["deviceFilter"]
|
||||
): Device[] => {
|
||||
if (!devices.length) {
|
||||
return [];
|
||||
return [
|
||||
{
|
||||
id: "",
|
||||
area: "",
|
||||
name: this.hass.localize("ui.components.device-picker.no_devices"),
|
||||
},
|
||||
];
|
||||
}
|
||||
|
||||
const deviceEntityLookup: DeviceEntityLookup = {};
|
||||
@@ -225,6 +227,15 @@ export class HaDevicePicker extends SubscribeMixin(LitElement) {
|
||||
: this.hass.localize("ui.components.device-picker.no_area"),
|
||||
};
|
||||
});
|
||||
if (!outputDevices.length) {
|
||||
return [
|
||||
{
|
||||
id: "",
|
||||
area: "",
|
||||
name: this.hass.localize("ui.components.device-picker.no_match"),
|
||||
},
|
||||
];
|
||||
}
|
||||
if (outputDevices.length === 1) {
|
||||
return outputDevices;
|
||||
}
|
||||
@@ -232,6 +243,18 @@ export class HaDevicePicker extends SubscribeMixin(LitElement) {
|
||||
}
|
||||
);
|
||||
|
||||
public open() {
|
||||
this.updateComplete.then(() => {
|
||||
(this.shadowRoot?.querySelector("vaadin-combo-box-light") as any)?.open();
|
||||
});
|
||||
}
|
||||
|
||||
public focus() {
|
||||
this.updateComplete.then(() => {
|
||||
this.shadowRoot?.querySelector("paper-input")?.focus();
|
||||
});
|
||||
}
|
||||
|
||||
public hassSubscribe(): UnsubscribeFunc[] {
|
||||
return [
|
||||
subscribeDeviceRegistry(this.hass.connection!, (devices) => {
|
||||
@@ -246,25 +269,33 @@ export class HaDevicePicker extends SubscribeMixin(LitElement) {
|
||||
];
|
||||
}
|
||||
|
||||
protected updated(changedProps: PropertyValues) {
|
||||
if (
|
||||
(!this._init && this.devices && this.areas && this.entities) ||
|
||||
(changedProps.has("_opened") && this._opened)
|
||||
) {
|
||||
this._init = true;
|
||||
(this._comboBox as any).items = this._getDevices(
|
||||
this.devices!,
|
||||
this.areas!,
|
||||
this.entities!,
|
||||
this.includeDomains,
|
||||
this.excludeDomains,
|
||||
this.includeDeviceClasses,
|
||||
this.deviceFilter
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
protected render(): TemplateResult {
|
||||
if (!this.devices || !this.areas || !this.entities) {
|
||||
return html``;
|
||||
}
|
||||
const devices = this._getDevices(
|
||||
this.devices,
|
||||
this.areas,
|
||||
this.entities,
|
||||
this.includeDomains,
|
||||
this.excludeDomains,
|
||||
this.includeDeviceClasses,
|
||||
this.deviceFilter
|
||||
);
|
||||
return html`
|
||||
<vaadin-combo-box-light
|
||||
item-value-path="id"
|
||||
item-id-path="id"
|
||||
item-label-path="name"
|
||||
.items=${devices}
|
||||
.value=${this._value}
|
||||
.renderer=${rowRenderer}
|
||||
@opened-changed=${this._openedChanged}
|
||||
@@ -282,34 +313,30 @@ export class HaDevicePicker extends SubscribeMixin(LitElement) {
|
||||
>
|
||||
${this.value
|
||||
? html`
|
||||
<ha-icon-button
|
||||
aria-label=${this.hass.localize(
|
||||
<mwc-icon-button
|
||||
.label=${this.hass.localize(
|
||||
"ui.components.device-picker.clear"
|
||||
)}
|
||||
slot="suffix"
|
||||
class="clear-button"
|
||||
icon="hass:close"
|
||||
@click=${this._clearValue}
|
||||
no-ripple
|
||||
>
|
||||
Clear
|
||||
</ha-icon-button>
|
||||
`
|
||||
: ""}
|
||||
${devices.length > 0
|
||||
? html`
|
||||
<ha-icon-button
|
||||
aria-label=${this.hass.localize(
|
||||
"ui.components.device-picker.show_devices"
|
||||
)}
|
||||
slot="suffix"
|
||||
class="toggle-button"
|
||||
.icon=${this._opened ? "hass:menu-up" : "hass:menu-down"}
|
||||
>
|
||||
Toggle
|
||||
</ha-icon-button>
|
||||
<ha-svg-icon .path=${mdiClose}></ha-svg-icon>
|
||||
</mwc-icon-button>
|
||||
`
|
||||
: ""}
|
||||
|
||||
<mwc-icon-button
|
||||
.label=${this.hass.localize(
|
||||
"ui.components.device-picker.show_devices"
|
||||
)}
|
||||
slot="suffix"
|
||||
class="toggle-button"
|
||||
>
|
||||
<ha-svg-icon
|
||||
.path=${this._opened ? mdiMenuUp : mdiMenuDown}
|
||||
></ha-svg-icon>
|
||||
</mwc-icon-button>
|
||||
</paper-input>
|
||||
</vaadin-combo-box-light>
|
||||
`;
|
||||
@@ -346,7 +373,7 @@ export class HaDevicePicker extends SubscribeMixin(LitElement) {
|
||||
|
||||
static get styles(): CSSResult {
|
||||
return css`
|
||||
paper-input > ha-icon-button {
|
||||
paper-input > mwc-icon-button {
|
||||
--mdc-icon-button-size: 24px;
|
||||
padding: 2px;
|
||||
color: var(--secondary-text-color);
|
||||
|
@@ -165,6 +165,24 @@ export class HaEntityPicker extends LitElement {
|
||||
);
|
||||
}
|
||||
|
||||
if (!states.length) {
|
||||
return [
|
||||
{
|
||||
entity_id: "",
|
||||
state: "",
|
||||
last_changed: "",
|
||||
last_updated: "",
|
||||
context: { id: "", user_id: null },
|
||||
attributes: {
|
||||
friendly_name: this.hass!.localize(
|
||||
"ui.components.entity.entity-picker.no_match"
|
||||
),
|
||||
icon: "mdi:magnify",
|
||||
},
|
||||
},
|
||||
];
|
||||
}
|
||||
|
||||
return states;
|
||||
}
|
||||
);
|
||||
@@ -215,7 +233,6 @@ export class HaEntityPicker extends LitElement {
|
||||
.label=${this.label === undefined
|
||||
? this.hass.localize("ui.components.entity.entity-picker.entity")
|
||||
: this.label}
|
||||
.value=${this._value}
|
||||
.disabled=${this.disabled}
|
||||
class="input"
|
||||
autocapitalize="none"
|
||||
|
@@ -1,4 +1,5 @@
|
||||
import "./ha-icon-button";
|
||||
import "./ha-svg-icon";
|
||||
import "@material/mwc-icon-button/mwc-icon-button";
|
||||
import "@polymer/paper-input/paper-input";
|
||||
import "@polymer/paper-item/paper-item";
|
||||
import "@polymer/paper-item/paper-item-body";
|
||||
@@ -14,6 +15,8 @@ import {
|
||||
property,
|
||||
internalProperty,
|
||||
TemplateResult,
|
||||
PropertyValues,
|
||||
query,
|
||||
} from "lit-element";
|
||||
import { fireEvent } from "../common/dom/fire_event";
|
||||
import {
|
||||
@@ -40,6 +43,7 @@ import {
|
||||
} from "../data/entity_registry";
|
||||
import { computeDomain } from "../common/entity/compute_domain";
|
||||
import type { HaDevicePickerDeviceFilterFunc } from "./device/ha-device-picker";
|
||||
import { mdiClose, mdiMenuDown, mdiMenuUp } from "@mdi/js";
|
||||
|
||||
const rowRenderer = (
|
||||
root: HTMLElement,
|
||||
@@ -121,6 +125,10 @@ export class HaAreaPicker extends SubscribeMixin(LitElement) {
|
||||
|
||||
@internalProperty() private _opened?: boolean;
|
||||
|
||||
@query("vaadin-combo-box-light", true) private _comboBox!: HTMLElement;
|
||||
|
||||
private _init = false;
|
||||
|
||||
public hassSubscribe(): UnsubscribeFunc[] {
|
||||
return [
|
||||
subscribeAreaRegistry(this.hass.connection!, (areas) => {
|
||||
@@ -159,6 +167,15 @@ export class HaAreaPicker extends SubscribeMixin(LitElement) {
|
||||
entityFilter: this["entityFilter"],
|
||||
noAdd: this["noAdd"]
|
||||
): AreaRegistryEntry[] => {
|
||||
if (!areas.length) {
|
||||
return [
|
||||
{
|
||||
area_id: "",
|
||||
name: this.hass.localize("ui.components.area-picker.no_areas"),
|
||||
},
|
||||
];
|
||||
}
|
||||
|
||||
const deviceEntityLookup: DeviceEntityLookup = {};
|
||||
let inputDevices: DeviceRegistryEntry[] | undefined;
|
||||
let inputEntities: EntityRegistryEntry[] | undefined;
|
||||
@@ -243,7 +260,9 @@ export class HaAreaPicker extends SubscribeMixin(LitElement) {
|
||||
}
|
||||
|
||||
if (entityFilter) {
|
||||
entities = entities.filter((entity) => entityFilter!(entity));
|
||||
inputEntities = inputEntities!.filter((entity) =>
|
||||
entityFilter!(entity)
|
||||
);
|
||||
}
|
||||
|
||||
let outputAreas = areas;
|
||||
@@ -268,6 +287,15 @@ export class HaAreaPicker extends SubscribeMixin(LitElement) {
|
||||
outputAreas = areas.filter((area) => areaIds!.includes(area.area_id));
|
||||
}
|
||||
|
||||
if (!outputAreas.length) {
|
||||
outputAreas = [
|
||||
{
|
||||
area_id: "",
|
||||
name: this.hass.localize("ui.components.area-picker.no_match"),
|
||||
},
|
||||
];
|
||||
}
|
||||
|
||||
return noAdd
|
||||
? outputAreas
|
||||
: [
|
||||
@@ -280,27 +308,35 @@ export class HaAreaPicker extends SubscribeMixin(LitElement) {
|
||||
}
|
||||
);
|
||||
|
||||
protected updated(changedProps: PropertyValues) {
|
||||
if (
|
||||
(!this._init && this._devices && this._areas && this._entities) ||
|
||||
(changedProps.has("_opened") && this._opened)
|
||||
) {
|
||||
this._init = true;
|
||||
(this._comboBox as any).items = this._getAreas(
|
||||
this._areas!,
|
||||
this._devices!,
|
||||
this._entities!,
|
||||
this.includeDomains,
|
||||
this.excludeDomains,
|
||||
this.includeDeviceClasses,
|
||||
this.deviceFilter,
|
||||
this.entityFilter,
|
||||
this.noAdd
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
protected render(): TemplateResult {
|
||||
if (!this._devices || !this._areas || !this._entities) {
|
||||
return html``;
|
||||
}
|
||||
const areas = this._getAreas(
|
||||
this._areas,
|
||||
this._devices,
|
||||
this._entities,
|
||||
this.includeDomains,
|
||||
this.excludeDomains,
|
||||
this.includeDeviceClasses,
|
||||
this.deviceFilter,
|
||||
this.entityFilter,
|
||||
this.noAdd
|
||||
);
|
||||
return html`
|
||||
<vaadin-combo-box-light
|
||||
item-value-path="area_id"
|
||||
item-id-path="area_id"
|
||||
item-label-path="name"
|
||||
.items=${areas}
|
||||
.value=${this._value}
|
||||
.renderer=${rowRenderer}
|
||||
@opened-changed=${this._openedChanged}
|
||||
@@ -321,34 +357,28 @@ export class HaAreaPicker extends SubscribeMixin(LitElement) {
|
||||
>
|
||||
${this.value
|
||||
? html`
|
||||
<ha-icon-button
|
||||
aria-label=${this.hass.localize(
|
||||
<mwc-icon-button
|
||||
.label=${this.hass.localize(
|
||||
"ui.components.area-picker.clear"
|
||||
)}
|
||||
slot="suffix"
|
||||
class="clear-button"
|
||||
icon="hass:close"
|
||||
@click=${this._clearValue}
|
||||
no-ripple
|
||||
>
|
||||
${this.hass.localize("ui.components.area-picker.clear")}
|
||||
</ha-icon-button>
|
||||
`
|
||||
: ""}
|
||||
${areas.length > 0
|
||||
? html`
|
||||
<ha-icon-button
|
||||
aria-label=${this.hass.localize(
|
||||
"ui.components.area-picker.show_areas"
|
||||
)}
|
||||
slot="suffix"
|
||||
class="toggle-button"
|
||||
.icon=${this._opened ? "hass:menu-up" : "hass:menu-down"}
|
||||
>
|
||||
${this.hass.localize("ui.components.area-picker.toggle")}
|
||||
</ha-icon-button>
|
||||
<ha-svg-icon .path=${mdiClose}></ha-svg-icon>
|
||||
</mwc-icon-button>
|
||||
`
|
||||
: ""}
|
||||
|
||||
<mwc-icon-button
|
||||
.label=${this.hass.localize("ui.components.area-picker.toggle")}
|
||||
slot="suffix"
|
||||
class="toggle-button"
|
||||
>
|
||||
<ha-svg-icon
|
||||
.path=${this._opened ? mdiMenuUp : mdiMenuDown}
|
||||
></ha-svg-icon>
|
||||
</mwc-icon-button>
|
||||
</paper-input>
|
||||
</vaadin-combo-box-light>
|
||||
`;
|
||||
@@ -424,7 +454,7 @@ export class HaAreaPicker extends SubscribeMixin(LitElement) {
|
||||
|
||||
static get styles(): CSSResult {
|
||||
return css`
|
||||
paper-input > ha-icon-button {
|
||||
paper-input > mwc-icon-button {
|
||||
--mdc-icon-button-size: 24px;
|
||||
padding: 2px;
|
||||
color: var(--secondary-text-color);
|
||||
|
@@ -127,7 +127,7 @@ class HaHLSPlayer extends LitElement {
|
||||
|
||||
// Parse playlist assuming it is a master playlist. Match group 1 is whether hevc, match group 2 is regular playlist url
|
||||
// See https://tools.ietf.org/html/rfc8216 for HLS spec details
|
||||
const playlistRegexp = /#EXT-X-STREAM-INF:.*?(?:CODECS=".*?(?<isHevc>hev1|hvc1)?\..*?".*?)?(?:\n|\r\n)(?<streamUrl>.+)/g;
|
||||
const playlistRegexp = /#EXT-X-STREAM-INF:.*?(?:CODECS=".*?(hev1|hvc1)?\..*?".*?)?(?:\n|\r\n)(.+)/g;
|
||||
const match = playlistRegexp.exec(masterPlaylist);
|
||||
const matchTwice = playlistRegexp.exec(masterPlaylist);
|
||||
|
||||
@@ -136,17 +136,13 @@ class HaHLSPlayer extends LitElement {
|
||||
let playlist_url: string;
|
||||
if (match !== null && matchTwice === null) {
|
||||
// Only send the regular playlist url if we match exactly once
|
||||
playlist_url = new URL(match.groups!.streamUrl, this.url).href;
|
||||
playlist_url = new URL(match[2], this.url).href;
|
||||
} else {
|
||||
playlist_url = this.url;
|
||||
}
|
||||
|
||||
// If codec is HEVC and ExoPlayer is supported, use ExoPlayer.
|
||||
if (
|
||||
this._useExoPlayer &&
|
||||
match !== null &&
|
||||
match.groups!.isHevc !== undefined
|
||||
) {
|
||||
if (this._useExoPlayer && match !== null && match[1] !== undefined) {
|
||||
this._renderHLSExoPlayer(playlist_url);
|
||||
} else if (hls.isSupported()) {
|
||||
this._renderHLSPolyfill(videoEl, hls, playlist_url);
|
||||
|
@@ -13,7 +13,7 @@ import type { HomeAssistant } from "../types";
|
||||
class HaRelativeTime extends UpdatingElement {
|
||||
@property({ attribute: false }) public hass!: HomeAssistant;
|
||||
|
||||
@property({ attribute: false }) public datetime?: string;
|
||||
@property({ attribute: false }) public datetime?: string | Date;
|
||||
|
||||
private _interval?: number;
|
||||
|
||||
|
@@ -77,7 +77,8 @@ export class HaAreaSelector extends LitElement {
|
||||
}
|
||||
if (this.selector.area.device?.integration) {
|
||||
if (
|
||||
!this._configEntries?.some((entry) =>
|
||||
this._configEntries &&
|
||||
!this._configEntries.some((entry) =>
|
||||
device.config_entries.includes(entry.entry_id)
|
||||
)
|
||||
) {
|
||||
|
@@ -63,7 +63,8 @@ export class HaDeviceSelector extends LitElement {
|
||||
}
|
||||
if (this.selector.device.integration) {
|
||||
if (
|
||||
!this._configEntries?.some((entry) =>
|
||||
this._configEntries &&
|
||||
!this._configEntries.some((entry) =>
|
||||
device.config_entries.includes(entry.entry_id)
|
||||
)
|
||||
) {
|
||||
|
@@ -30,6 +30,7 @@ import {
|
||||
subscribeAreaRegistry,
|
||||
} from "../data/area_registry";
|
||||
import {
|
||||
computeDeviceName,
|
||||
DeviceRegistryEntry,
|
||||
subscribeDeviceRegistry,
|
||||
} from "../data/device_registry";
|
||||
@@ -135,7 +136,7 @@ export class HaTargetPicker extends SubscribeMixin(LitElement) {
|
||||
return this._renderChip(
|
||||
"device_id",
|
||||
device_id,
|
||||
device?.name || device_id,
|
||||
device ? computeDeviceName(device, this.hass) : device_id,
|
||||
undefined,
|
||||
mdiDevices
|
||||
);
|
||||
@@ -435,10 +436,19 @@ export class HaTargetPicker extends SubscribeMixin(LitElement) {
|
||||
type: string,
|
||||
id: string
|
||||
): this["value"] {
|
||||
return {
|
||||
...value,
|
||||
[type]: ensureArray(value![type])!.filter((val) => val !== id),
|
||||
};
|
||||
const newVal = ensureArray(value![type])!.filter((val) => val !== id);
|
||||
if (newVal.length) {
|
||||
return {
|
||||
...value,
|
||||
[type]: newVal,
|
||||
};
|
||||
}
|
||||
const val = { ...value }!;
|
||||
delete val[type];
|
||||
if (Object.keys(val).length) {
|
||||
return val;
|
||||
}
|
||||
return undefined;
|
||||
}
|
||||
|
||||
private _deviceMeetsFilter(device: DeviceRegistryEntry): boolean {
|
||||
|
@@ -17,17 +17,17 @@ import "../../components/ha-switch";
|
||||
import { PolymerChangedEvent } from "../../polymer-types";
|
||||
import { haStyleDialog } from "../../resources/styles";
|
||||
import { HomeAssistant } from "../../types";
|
||||
import { DialogParams } from "./show-dialog-box";
|
||||
import { DialogBoxParams } from "./show-dialog-box";
|
||||
|
||||
@customElement("dialog-box")
|
||||
class DialogBox extends LitElement {
|
||||
@property({ attribute: false }) public hass!: HomeAssistant;
|
||||
|
||||
@internalProperty() private _params?: DialogParams;
|
||||
@internalProperty() private _params?: DialogBoxParams;
|
||||
|
||||
@internalProperty() private _value?: string;
|
||||
|
||||
public async showDialog(params: DialogParams): Promise<void> {
|
||||
public async showDialog(params: DialogBoxParams): Promise<void> {
|
||||
this._params = params;
|
||||
if (params.prompt) {
|
||||
this._value = params.defaultValue;
|
||||
@@ -55,8 +55,8 @@ class DialogBox extends LitElement {
|
||||
return html`
|
||||
<ha-dialog
|
||||
open
|
||||
?scrimClickAction=${this._params.prompt}
|
||||
?escapeKeyAction=${this._params.prompt}
|
||||
?scrimClickAction=${confirmPrompt}
|
||||
?escapeKeyAction=${confirmPrompt}
|
||||
@closed=${this._dialogClosed}
|
||||
defaultAction="ignore"
|
||||
.heading=${this._params.title
|
||||
@@ -140,10 +140,10 @@ class DialogBox extends LitElement {
|
||||
}
|
||||
|
||||
private _dialogClosed(ev) {
|
||||
if (ev.detail.action === "ignore") {
|
||||
if (this._params?.prompt && ev.detail.action === "ignore") {
|
||||
return;
|
||||
}
|
||||
this.closeDialog();
|
||||
this._dismiss();
|
||||
}
|
||||
|
||||
private _close(): void {
|
||||
|
@@ -1,31 +1,31 @@
|
||||
import { TemplateResult } from "lit-html";
|
||||
import { fireEvent } from "../../common/dom/fire_event";
|
||||
|
||||
interface BaseDialogParams {
|
||||
interface BaseDialogBoxParams {
|
||||
confirmText?: string;
|
||||
text?: string | TemplateResult;
|
||||
title?: string;
|
||||
warning?: boolean;
|
||||
}
|
||||
|
||||
export interface AlertDialogParams extends BaseDialogParams {
|
||||
export interface AlertDialogParams extends BaseDialogBoxParams {
|
||||
confirm?: () => void;
|
||||
}
|
||||
|
||||
export interface ConfirmationDialogParams extends BaseDialogParams {
|
||||
export interface ConfirmationDialogParams extends BaseDialogBoxParams {
|
||||
dismissText?: string;
|
||||
confirm?: () => void;
|
||||
cancel?: () => void;
|
||||
}
|
||||
|
||||
export interface PromptDialogParams extends BaseDialogParams {
|
||||
export interface PromptDialogParams extends BaseDialogBoxParams {
|
||||
inputLabel?: string;
|
||||
inputType?: string;
|
||||
defaultValue?: string;
|
||||
confirm?: (out?: string) => void;
|
||||
}
|
||||
|
||||
export interface DialogParams
|
||||
export interface DialogBoxParams
|
||||
extends ConfirmationDialogParams,
|
||||
PromptDialogParams {
|
||||
confirm?: (out?: string) => void;
|
||||
@@ -37,10 +37,10 @@ export const loadGenericDialog = () => import("./dialog-box");
|
||||
|
||||
const showDialogHelper = (
|
||||
element: HTMLElement,
|
||||
dialogParams: DialogParams,
|
||||
dialogParams: DialogBoxParams,
|
||||
extra?: {
|
||||
confirmation?: DialogParams["confirmation"];
|
||||
prompt?: DialogParams["prompt"];
|
||||
confirmation?: DialogBoxParams["confirmation"];
|
||||
prompt?: DialogBoxParams["prompt"];
|
||||
}
|
||||
) =>
|
||||
new Promise((resolve) => {
|
||||
|
@@ -44,7 +44,7 @@ class MoreInfoSun extends LitElement {
|
||||
>
|
||||
<ha-relative-time
|
||||
.hass=${this.hass}
|
||||
.datetimeObj=${item === "ris" ? risingDate : settingDate}
|
||||
.datetime=${item === "ris" ? risingDate : settingDate}
|
||||
></ha-relative-time>
|
||||
</div>
|
||||
<div class="value">
|
||||
|
@@ -60,6 +60,12 @@ export class HaTabsSubpageDataTable extends LitElement {
|
||||
*/
|
||||
@property({ type: Boolean }) public hasFab = false;
|
||||
|
||||
/**
|
||||
* Add an extra rows at the bottom of the datatabel
|
||||
* @type {TemplateResult}
|
||||
*/
|
||||
@property({ attribute: false }) public appendRow?;
|
||||
|
||||
/**
|
||||
* Field with a unique id per entry in data.
|
||||
* @type {String}
|
||||
@@ -171,6 +177,7 @@ export class HaTabsSubpageDataTable extends LitElement {
|
||||
.noDataText=${this.noDataText}
|
||||
.dir=${computeRTLDirection(this.hass)}
|
||||
.clickable=${this.clickable}
|
||||
.appendRow=${this.appendRow}
|
||||
>
|
||||
${!this.narrow
|
||||
? html`
|
||||
|
@@ -18,9 +18,6 @@ import "@polymer/paper-input/paper-textarea";
|
||||
import "@polymer/paper-dropdown-menu/paper-dropdown-menu-light";
|
||||
import "../../../components/entity/ha-entity-toggle";
|
||||
import "@material/mwc-button/mwc-button";
|
||||
import "./trigger/ha-automation-trigger";
|
||||
import "./condition/ha-automation-condition";
|
||||
import "./action/ha-automation-action";
|
||||
import { fireEvent } from "../../../common/dom/fire_event";
|
||||
import { haStyle } from "../../../resources/styles";
|
||||
import { HassEntity } from "home-assistant-js-websocket";
|
||||
@@ -151,7 +148,7 @@ export class HaBlueprintAutomationEditor extends LitElement {
|
||||
There is an error in this Blueprint: ${blueprint.error}
|
||||
</p>`
|
||||
: html`${blueprint?.metadata.description
|
||||
? html`<p class="card-content">
|
||||
? html`<p class="card-content pre-line">
|
||||
${blueprint.metadata.description}
|
||||
</p>`
|
||||
: ""}
|
||||
@@ -227,12 +224,18 @@ export class HaBlueprintAutomationEditor extends LitElement {
|
||||
) {
|
||||
return;
|
||||
}
|
||||
const input = { ...this.config.use_blueprint.input, [key]: value };
|
||||
|
||||
if (value === "" || value === undefined) {
|
||||
delete input[key];
|
||||
}
|
||||
|
||||
fireEvent(this, "value-changed", {
|
||||
value: {
|
||||
...this.config!,
|
||||
use_blueprint: {
|
||||
...this.config.use_blueprint,
|
||||
input: { ...this.config.use_blueprint.input, [key]: value },
|
||||
input,
|
||||
},
|
||||
},
|
||||
});
|
||||
@@ -264,6 +267,9 @@ export class HaBlueprintAutomationEditor extends LitElement {
|
||||
.padding {
|
||||
padding: 16px;
|
||||
}
|
||||
.pre-line {
|
||||
white-space: pre-line;
|
||||
}
|
||||
.blueprint-picker-container {
|
||||
padding: 16px;
|
||||
}
|
||||
|
@@ -32,6 +32,7 @@ import "../../../components/ha-svg-icon";
|
||||
import "../../../components/ha-yaml-editor";
|
||||
import { showToast } from "../../../util/toast";
|
||||
import type { HaYamlEditor } from "../../../components/ha-yaml-editor";
|
||||
import { copyToClipboard } from "../../../common/util/copy-clipboard";
|
||||
import {
|
||||
AutomationConfig,
|
||||
AutomationEntity,
|
||||
@@ -396,7 +397,7 @@ export class HaAutomationEditor extends KeyboardShortcutMixin(LitElement) {
|
||||
|
||||
private async _copyYaml() {
|
||||
if (this._editor?.yaml) {
|
||||
navigator.clipboard.writeText(this._editor.yaml);
|
||||
copyToClipboard(this._editor.yaml);
|
||||
}
|
||||
}
|
||||
|
||||
|
@@ -12,6 +12,7 @@ import {
|
||||
internalProperty,
|
||||
query,
|
||||
TemplateResult,
|
||||
css,
|
||||
} from "lit-element";
|
||||
import "../../../components/ha-dialog";
|
||||
import { haStyleDialog } from "../../../resources/styles";
|
||||
@@ -73,7 +74,9 @@ class DialogImportBlueprint extends LitElement {
|
||||
this._result.blueprint.metadata.domain
|
||||
)}
|
||||
<br />
|
||||
${this._result.blueprint.metadata.description}
|
||||
<p class="pre-line">
|
||||
${this._result.blueprint.metadata.description}
|
||||
</p>
|
||||
${this._result.validation_errors
|
||||
? html`
|
||||
<p class="error">
|
||||
@@ -104,7 +107,16 @@ class DialogImportBlueprint extends LitElement {
|
||||
<pre>${this._result.raw_data}</pre>
|
||||
</ha-expansion-panel>`
|
||||
: html`${this.hass.localize(
|
||||
"ui.panel.config.blueprint.add.import_introduction"
|
||||
"ui.panel.config.blueprint.add.import_introduction_link",
|
||||
"community_link",
|
||||
html`<a
|
||||
href="https://www.home-assistant.io/get-blueprints"
|
||||
target="_blank"
|
||||
rel="noreferrer noopener"
|
||||
>${this.hass.localize(
|
||||
"ui.panel.config.blueprint.add.community_forums"
|
||||
)}</a
|
||||
>`
|
||||
)}<paper-input
|
||||
id="input"
|
||||
.label=${this.hass.localize(
|
||||
@@ -199,8 +211,15 @@ class DialogImportBlueprint extends LitElement {
|
||||
}
|
||||
}
|
||||
|
||||
static get styles(): CSSResult {
|
||||
return haStyleDialog;
|
||||
static get styles(): CSSResult[] {
|
||||
return [
|
||||
haStyleDialog,
|
||||
css`
|
||||
.pre-line {
|
||||
white-space: pre-line;
|
||||
}
|
||||
`,
|
||||
];
|
||||
}
|
||||
}
|
||||
|
||||
|
@@ -1,6 +1,6 @@
|
||||
import "../../../components/ha-fab";
|
||||
import "@material/mwc-icon-button";
|
||||
import { mdiPlus, mdiHelpCircle, mdiDelete, mdiRobot } from "@mdi/js";
|
||||
import { mdiHelpCircle, mdiDelete, mdiRobot, mdiDownload } from "@mdi/js";
|
||||
import "@polymer/paper-tooltip/paper-tooltip";
|
||||
import {
|
||||
CSSResult,
|
||||
@@ -170,6 +170,23 @@ class HaBlueprintOverview extends LitElement {
|
||||
"ui.panel.config.blueprint.overview.no_blueprints"
|
||||
)}
|
||||
hasFab
|
||||
.appendRow=${html` <div
|
||||
class="mdc-data-table__cell"
|
||||
style="width: 100%; text-align: center;"
|
||||
role="cell"
|
||||
>
|
||||
<a
|
||||
href="https://www.home-assistant.io/get-blueprints"
|
||||
target="_blank"
|
||||
rel="noreferrer noopener"
|
||||
>
|
||||
<mwc-button
|
||||
>${this.hass.localize(
|
||||
"ui.panel.config.blueprint.overview.discover_more"
|
||||
)}</mwc-button
|
||||
>
|
||||
</a>
|
||||
</div>`}
|
||||
>
|
||||
<mwc-icon-button slot="toolbar-icon" @click=${this._showHelp}>
|
||||
<ha-svg-icon .path=${mdiHelpCircle}></ha-svg-icon>
|
||||
@@ -182,7 +199,7 @@ class HaBlueprintOverview extends LitElement {
|
||||
extended
|
||||
@click=${this._addBlueprint}
|
||||
>
|
||||
<ha-svg-icon slot="icon" .path=${mdiPlus}></ha-svg-icon>
|
||||
<ha-svg-icon slot="icon" .path=${mdiDownload}></ha-svg-icon>
|
||||
</ha-fab>
|
||||
</hass-tabs-subpage-data-table>
|
||||
`;
|
||||
@@ -195,7 +212,10 @@ class HaBlueprintOverview extends LitElement {
|
||||
${this.hass.localize("ui.panel.config.blueprint.overview.introduction")}
|
||||
<p>
|
||||
<a
|
||||
href="${documentationUrl(this.hass, "/docs/blueprint/editor/")}"
|
||||
href="${documentationUrl(
|
||||
this.hass,
|
||||
"/docs/automation/using_blueprints/"
|
||||
)}"
|
||||
target="_blank"
|
||||
rel="noreferrer"
|
||||
>
|
||||
|
@@ -148,7 +148,7 @@ export class HaConfigHelpers extends LitElement {
|
||||
.narrow=${this.narrow}
|
||||
back-path="/config"
|
||||
.route=${this.route}
|
||||
.tabs=${configSections.automation}
|
||||
.tabs=${configSections.helpers}
|
||||
.columns=${this._columns(this.narrow, this.hass.language)}
|
||||
.data=${this._getItems(this._stateItems)}
|
||||
@row-click=${this._openEditDialog}
|
||||
|
@@ -35,6 +35,7 @@ import "../../../components/ha-icon-input";
|
||||
import "../../../components/ha-svg-icon";
|
||||
import "../../../components/ha-yaml-editor";
|
||||
import type { HaYamlEditor } from "../../../components/ha-yaml-editor";
|
||||
import { copyToClipboard } from "../../../common/util/copy-clipboard";
|
||||
import {
|
||||
Action,
|
||||
deleteScript,
|
||||
@@ -545,7 +546,7 @@ export class HaScriptEditor extends KeyboardShortcutMixin(LitElement) {
|
||||
|
||||
private async _copyYaml() {
|
||||
if (this._editor?.yaml) {
|
||||
navigator.clipboard.writeText(this._editor.yaml);
|
||||
copyToClipboard(this._editor.yaml);
|
||||
}
|
||||
}
|
||||
|
||||
|
@@ -84,7 +84,7 @@ export class HaConfigTags extends SubscribeMixin(LitElement) {
|
||||
${tag.last_scanned_datetime
|
||||
? html`<ha-relative-time
|
||||
.hass=${this.hass}
|
||||
.datetimeObj=${tag.last_scanned_datetime}
|
||||
.datetime=${tag.last_scanned_datetime}
|
||||
></ha-relative-time>`
|
||||
: this.hass.localize("ui.panel.config.tags.never_scanned")}
|
||||
</div>`
|
||||
@@ -103,7 +103,7 @@ export class HaConfigTags extends SubscribeMixin(LitElement) {
|
||||
${last_scanned_datetime
|
||||
? html`<ha-relative-time
|
||||
.hass=${this.hass}
|
||||
.datetimeObj=${last_scanned_datetime}
|
||||
.datetime=${last_scanned_datetime}
|
||||
></ha-relative-time>`
|
||||
: this.hass.localize("ui.panel.config.tags.never_scanned")}
|
||||
`,
|
||||
|
@@ -84,9 +84,6 @@ export class HuiButtonCard extends LitElement implements LovelaceCard {
|
||||
}
|
||||
|
||||
public setConfig(config: ButtonCardConfig): void {
|
||||
if (!config.entity) {
|
||||
throw new Error("Entity must be specified");
|
||||
}
|
||||
if (config.entity && !isValidEntityId(config.entity)) {
|
||||
throw new Error("Invalid entity");
|
||||
}
|
||||
|
@@ -2,7 +2,14 @@ import { customElement } from "lit-element";
|
||||
import { HuiButtonCard } from "./hui-button-card";
|
||||
|
||||
@customElement("hui-entity-button-card")
|
||||
class HuiEntityButtonCard extends HuiButtonCard {}
|
||||
class HuiEntityButtonCard extends HuiButtonCard {
|
||||
public setConfig(config): void {
|
||||
if (!config.entity) {
|
||||
throw new Error("Entity must be specified");
|
||||
}
|
||||
super.setConfig(config);
|
||||
}
|
||||
}
|
||||
|
||||
declare global {
|
||||
interface HTMLElementTagNameMap {
|
||||
|
@@ -1,7 +1,8 @@
|
||||
import "@material/mwc-button";
|
||||
import "@material/mwc-list/mwc-list-item";
|
||||
import "@material/mwc-icon-button";
|
||||
import "../../../components/ha-button-menu";
|
||||
import { ActionDetail } from "@material/mwc-list/mwc-list-foundation";
|
||||
import "@material/mwc-list/mwc-list-item";
|
||||
import { mdiArrowDown, mdiArrowUp, mdiDotsVertical } from "@mdi/js";
|
||||
import {
|
||||
css,
|
||||
CSSResult,
|
||||
@@ -9,21 +10,20 @@ import {
|
||||
html,
|
||||
LitElement,
|
||||
property,
|
||||
TemplateResult,
|
||||
queryAssignedNodes,
|
||||
TemplateResult,
|
||||
} from "lit-element";
|
||||
import { HomeAssistant } from "../../../types";
|
||||
import { showEditCardDialog } from "../editor/card-editor/show-edit-card-dialog";
|
||||
import { swapCard, moveCard, addCard, deleteCard } from "../editor/config-util";
|
||||
import { confDeleteCard } from "../editor/delete-card";
|
||||
import { Lovelace, LovelaceCard } from "../types";
|
||||
import { computeCardSize } from "../common/compute-card-size";
|
||||
import { mdiDotsVertical, mdiArrowDown, mdiArrowUp } from "@mdi/js";
|
||||
import { ActionDetail } from "@material/mwc-list/mwc-list-foundation";
|
||||
import { showSelectViewDialog } from "../editor/select-view/show-select-view-dialog";
|
||||
import { fireEvent } from "../../../common/dom/fire_event";
|
||||
import "../../../components/ha-button-menu";
|
||||
import { saveConfig } from "../../../data/lovelace";
|
||||
import { showAlertDialog } from "../../../dialogs/generic/show-dialog-box";
|
||||
import { HomeAssistant } from "../../../types";
|
||||
import { showSaveSuccessToast } from "../../../util/toast-saved-success";
|
||||
import { computeCardSize } from "../common/compute-card-size";
|
||||
import { showEditCardDialog } from "../editor/card-editor/show-edit-card-dialog";
|
||||
import { addCard, deleteCard, moveCard, swapCard } from "../editor/config-util";
|
||||
import { showSelectViewDialog } from "../editor/select-view/show-select-view-dialog";
|
||||
import { Lovelace, LovelaceCard } from "../types";
|
||||
|
||||
@customElement("hui-card-options")
|
||||
export class HuiCardOptions extends LitElement {
|
||||
@@ -168,11 +168,7 @@ export class HuiCardOptions extends LitElement {
|
||||
}
|
||||
|
||||
private _editCard(): void {
|
||||
showEditCardDialog(this, {
|
||||
lovelaceConfig: this.lovelace!.config,
|
||||
saveConfig: this.lovelace!.saveConfig,
|
||||
path: this.path!,
|
||||
});
|
||||
fireEvent(this, "ll-edit-card", { path: this.path! });
|
||||
}
|
||||
|
||||
private _cardUp(): void {
|
||||
@@ -229,7 +225,7 @@ export class HuiCardOptions extends LitElement {
|
||||
}
|
||||
|
||||
private _deleteCard(): void {
|
||||
confDeleteCard(this, this.hass!, this.lovelace!, this.path!);
|
||||
fireEvent(this, "ll-delete-card", { path: this.path! });
|
||||
}
|
||||
}
|
||||
|
||||
|
@@ -8,7 +8,7 @@ export interface CreateCardDialogParams {
|
||||
entities?: string[]; // We can pass entity id's that will be added to the config when a card is picked
|
||||
}
|
||||
|
||||
const importCreateCardDialog = () => import("./hui-dialog-create-card");
|
||||
export const importCreateCardDialog = () => import("./hui-dialog-create-card");
|
||||
|
||||
export const showCreateCardDialog = (
|
||||
element: HTMLElement,
|
||||
|
@@ -6,7 +6,7 @@ export interface DeleteCardDialogParams {
|
||||
cardConfig?: LovelaceCardConfig;
|
||||
}
|
||||
|
||||
const importDeleteCardDialog = () => import("./hui-dialog-delete-card");
|
||||
export const importDeleteCardDialog = () => import("./hui-dialog-delete-card");
|
||||
|
||||
export const showDeleteCardDialog = (
|
||||
element: HTMLElement,
|
||||
|
@@ -8,7 +8,7 @@ export interface EditCardDialogParams {
|
||||
cardConfig?: LovelaceCardConfig;
|
||||
}
|
||||
|
||||
const importEditCardDialog = () => import("./hui-dialog-edit-card");
|
||||
export const importEditCardDialog = () => import("./hui-dialog-edit-card");
|
||||
|
||||
export const showEditCardDialog = (
|
||||
element: HTMLElement,
|
||||
|
@@ -28,6 +28,7 @@ const cardConfigStruct = object({
|
||||
name: optional(string()),
|
||||
states: optional(array()),
|
||||
theme: optional(string()),
|
||||
layout: optional(object()),
|
||||
});
|
||||
|
||||
const includeDomains = ["alarm_control_panel"];
|
||||
|
@@ -37,6 +37,7 @@ const cardConfigStruct = object({
|
||||
hold_action: optional(actionConfigStruct),
|
||||
theme: optional(string()),
|
||||
show_state: optional(boolean()),
|
||||
layout: optional(object()),
|
||||
});
|
||||
|
||||
const actions = [
|
||||
|
@@ -32,6 +32,7 @@ const cardConfigStruct = object({
|
||||
initial_view: optional(string()),
|
||||
theme: optional(string()),
|
||||
entities: array(string()),
|
||||
layout: optional(object()),
|
||||
});
|
||||
|
||||
const views = ["dayGridMonth", "dayGridDay", "listWeek"];
|
||||
|
@@ -36,6 +36,7 @@ const cardConfigStruct = object({
|
||||
type: string(),
|
||||
card: any(),
|
||||
conditions: optional(array(conditionStruct)),
|
||||
layout: optional(object()),
|
||||
});
|
||||
|
||||
@customElement("hui-conditional-card-editor")
|
||||
|
@@ -55,6 +55,7 @@ const cardConfigStruct = object({
|
||||
entities: array(entitiesConfigStruct),
|
||||
header: optional(headerFooterConfigStructs),
|
||||
footer: optional(headerFooterConfigStructs),
|
||||
layout: optional(object()),
|
||||
});
|
||||
|
||||
@customElement("hui-entities-card-editor")
|
||||
|
@@ -32,6 +32,7 @@ const cardConfigStruct = object({
|
||||
unit: optional(string()),
|
||||
theme: optional(string()),
|
||||
footer: optional(headerFooterConfigStructs),
|
||||
layout: optional(object()),
|
||||
});
|
||||
|
||||
@customElement("hui-entity-card-editor")
|
||||
|
@@ -31,6 +31,7 @@ const cardConfigStruct = object({
|
||||
max: optional(number()),
|
||||
severity: optional(object()),
|
||||
theme: optional(string()),
|
||||
layout: optional(object()),
|
||||
});
|
||||
|
||||
const includeDomains = ["sensor"];
|
||||
|
@@ -50,6 +50,7 @@ const cardConfigStruct = object({
|
||||
show_icon: optional(boolean()),
|
||||
state_color: optional(boolean()),
|
||||
entities: array(entitiesConfigStruct),
|
||||
layout: optional(object()),
|
||||
});
|
||||
|
||||
@customElement("hui-glance-card-editor")
|
||||
|
@@ -42,6 +42,7 @@ const cardConfigStruct = object({
|
||||
title: optional(string()),
|
||||
hours_to_show: optional(number()),
|
||||
refresh_interval: optional(number()),
|
||||
layout: optional(object()),
|
||||
});
|
||||
|
||||
@customElement("hui-history-graph-card-editor")
|
||||
|
@@ -23,6 +23,7 @@ const cardConfigStruct = object({
|
||||
entity: string(),
|
||||
name: optional(string()),
|
||||
theme: optional(string()),
|
||||
layout: optional(object()),
|
||||
});
|
||||
|
||||
const includeDomains = ["humidifier"];
|
||||
|
@@ -21,6 +21,7 @@ const cardConfigStruct = object({
|
||||
title: optional(string()),
|
||||
url: optional(string()),
|
||||
aspect_ratio: optional(string()),
|
||||
layout: optional(object()),
|
||||
});
|
||||
|
||||
@customElement("hui-iframe-card-editor")
|
||||
|
@@ -30,6 +30,7 @@ const cardConfigStruct = object({
|
||||
icon: optional(string()),
|
||||
hold_action: optional(actionConfigStruct),
|
||||
double_tap_action: optional(actionConfigStruct),
|
||||
layout: optional(object()),
|
||||
});
|
||||
|
||||
const includeDomains = ["light"];
|
||||
|
@@ -26,6 +26,7 @@ const cardConfigStruct = object({
|
||||
title: optional(string()),
|
||||
hours_to_show: optional(number()),
|
||||
theme: optional(string()),
|
||||
layout: optional(object()),
|
||||
});
|
||||
|
||||
@customElement("hui-logbook-card-editor")
|
||||
|
@@ -46,6 +46,7 @@ const cardConfigStruct = object({
|
||||
entities: array(entitiesConfigStruct),
|
||||
hours_to_show: optional(number()),
|
||||
geo_location_sources: optional(array()),
|
||||
layout: optional(object()),
|
||||
});
|
||||
|
||||
@customElement("hui-map-card-editor")
|
||||
|
@@ -23,6 +23,7 @@ const cardConfigStruct = object({
|
||||
title: optional(string()),
|
||||
content: string(),
|
||||
theme: optional(string()),
|
||||
layout: optional(object()),
|
||||
});
|
||||
|
||||
@customElement("hui-markdown-card-editor")
|
||||
|
@@ -1,22 +1,23 @@
|
||||
import {
|
||||
customElement,
|
||||
html,
|
||||
internalProperty,
|
||||
LitElement,
|
||||
property,
|
||||
internalProperty,
|
||||
TemplateResult,
|
||||
} from "lit-element";
|
||||
import { assert, object, optional, string } from "superstruct";
|
||||
import { fireEvent } from "../../../../common/dom/fire_event";
|
||||
import "../../../../components/entity/ha-entity-picker";
|
||||
import { HomeAssistant } from "../../../../types";
|
||||
import { MediaControlCardConfig } from "../../cards/types";
|
||||
import { LovelaceCardEditor } from "../../types";
|
||||
import { EditorTarget, EntitiesEditorEvent } from "../types";
|
||||
import { assert, object, string, optional } from "superstruct";
|
||||
|
||||
const cardConfigStruct = object({
|
||||
type: string(),
|
||||
entity: optional(string()),
|
||||
layout: optional(object()),
|
||||
});
|
||||
|
||||
const includeDomains = ["media_player"];
|
||||
|
@@ -25,6 +25,7 @@ const cardConfigStruct = object({
|
||||
tap_action: optional(actionConfigStruct),
|
||||
hold_action: optional(actionConfigStruct),
|
||||
theme: optional(string()),
|
||||
layout: optional(object()),
|
||||
});
|
||||
|
||||
@customElement("hui-picture-card-editor")
|
||||
|
@@ -39,6 +39,7 @@ const cardConfigStruct = object({
|
||||
show_name: optional(boolean()),
|
||||
show_state: optional(boolean()),
|
||||
theme: optional(string()),
|
||||
layout: optional(object()),
|
||||
});
|
||||
|
||||
const includeDomains = ["camera"];
|
||||
|
@@ -42,6 +42,7 @@ const cardConfigStruct = object({
|
||||
hold_action: optional(actionConfigStruct),
|
||||
entities: array(entitiesConfigStruct),
|
||||
theme: optional(string()),
|
||||
layout: optional(object()),
|
||||
});
|
||||
|
||||
const includeDomains = ["camera"];
|
||||
|
@@ -24,6 +24,7 @@ const cardConfigStruct = object({
|
||||
entity: string(),
|
||||
name: optional(string()),
|
||||
theme: optional(string()),
|
||||
layout: optional(object()),
|
||||
});
|
||||
|
||||
const includeDomains = ["plant"];
|
||||
|
@@ -35,6 +35,7 @@ const cardConfigStruct = object({
|
||||
detail: optional(number()),
|
||||
theme: optional(string()),
|
||||
hours_to_show: optional(number()),
|
||||
layout: optional(object()),
|
||||
});
|
||||
|
||||
const includeDomains = ["sensor"];
|
||||
|
@@ -4,11 +4,12 @@ import {
|
||||
CSSResult,
|
||||
customElement,
|
||||
html,
|
||||
internalProperty,
|
||||
LitElement,
|
||||
property,
|
||||
internalProperty,
|
||||
TemplateResult,
|
||||
} from "lit-element";
|
||||
import { assert, object, optional, string } from "superstruct";
|
||||
import { isComponentLoaded } from "../../../../common/config/is_component_loaded";
|
||||
import { fireEvent } from "../../../../common/dom/fire_event";
|
||||
import { HomeAssistant } from "../../../../types";
|
||||
@@ -16,12 +17,12 @@ import { ShoppingListCardConfig } from "../../cards/types";
|
||||
import "../../components/hui-theme-select-editor";
|
||||
import { LovelaceCardEditor } from "../../types";
|
||||
import { EditorTarget, EntitiesEditorEvent } from "../types";
|
||||
import { string, assert, object, optional } from "superstruct";
|
||||
|
||||
const cardConfigStruct = object({
|
||||
type: string(),
|
||||
title: optional(string()),
|
||||
theme: optional(string()),
|
||||
layout: optional(object()),
|
||||
});
|
||||
|
||||
@customElement("hui-shopping-list-card-editor")
|
||||
|
@@ -16,11 +16,11 @@ import {
|
||||
any,
|
||||
array,
|
||||
assert,
|
||||
boolean,
|
||||
number,
|
||||
object,
|
||||
optional,
|
||||
string,
|
||||
boolean,
|
||||
number,
|
||||
} from "superstruct";
|
||||
import { fireEvent, HASSDomEvent } from "../../../../common/dom/fire_event";
|
||||
import { LovelaceCardConfig, LovelaceConfig } from "../../../../data/lovelace";
|
||||
@@ -39,6 +39,7 @@ const cardConfigStruct = object({
|
||||
title: optional(string()),
|
||||
square: optional(boolean()),
|
||||
columns: optional(number()),
|
||||
layout: optional(object()),
|
||||
});
|
||||
|
||||
@customElement("hui-stack-card-editor")
|
||||
|
@@ -23,6 +23,7 @@ const cardConfigStruct = object({
|
||||
entity: string(),
|
||||
name: optional(string()),
|
||||
theme: optional(string()),
|
||||
layout: optional(object()),
|
||||
});
|
||||
|
||||
const includeDomains = ["climate"];
|
||||
|
@@ -10,10 +10,10 @@ import {
|
||||
import { assert, boolean, object, optional, string } from "superstruct";
|
||||
import { fireEvent } from "../../../../common/dom/fire_event";
|
||||
import { computeRTLDirection } from "../../../../common/util/compute_rtl";
|
||||
import "../../../../components/entity/ha-entity-attribute-picker";
|
||||
import "../../../../components/entity/ha-entity-picker";
|
||||
import "../../../../components/ha-formfield";
|
||||
import "../../../../components/ha-switch";
|
||||
import "../../../../components/entity/ha-entity-attribute-picker";
|
||||
import { HomeAssistant } from "../../../../types";
|
||||
import { WeatherForecastCardConfig } from "../../cards/types";
|
||||
import "../../components/hui-theme-select-editor";
|
||||
@@ -28,6 +28,7 @@ const cardConfigStruct = object({
|
||||
theme: optional(string()),
|
||||
show_forecast: optional(boolean()),
|
||||
secondary_info_attribute: optional(string()),
|
||||
layout: optional(object()),
|
||||
});
|
||||
|
||||
const includeDomains = ["weather"];
|
||||
|
@@ -1,3 +1,10 @@
|
||||
// hui-view dependencies for when in edit mode.
|
||||
import "../../../components/ha-fab";
|
||||
import "../components/hui-card-options";
|
||||
import { importCreateCardDialog } from "../editor/card-editor/show-create-card-dialog";
|
||||
import { importDeleteCardDialog } from "../editor/card-editor/show-delete-card-dialog";
|
||||
import { importEditCardDialog } from "../editor/card-editor/show-edit-card-dialog";
|
||||
|
||||
importCreateCardDialog();
|
||||
importDeleteCardDialog();
|
||||
importEditCardDialog();
|
||||
|
@@ -10,6 +10,7 @@ import {
|
||||
TemplateResult,
|
||||
} from "lit-element";
|
||||
import { classMap } from "lit-html/directives/class-map";
|
||||
import { fireEvent } from "../../../common/dom/fire_event";
|
||||
import { computeRTL } from "../../../common/util/compute_rtl";
|
||||
import { nextRender } from "../../../common/util/render-status";
|
||||
import "../../../components/entity/ha-state-label-badge";
|
||||
@@ -21,7 +22,6 @@ import type {
|
||||
import type { HomeAssistant } from "../../../types";
|
||||
import type { HuiErrorCard } from "../cards/hui-error-card";
|
||||
import { computeCardSize } from "../common/compute-card-size";
|
||||
import { showCreateCardDialog } from "../editor/card-editor/show-create-card-dialog";
|
||||
import type { Lovelace, LovelaceBadge, LovelaceCard } from "../types";
|
||||
|
||||
let editCodeLoaded = false;
|
||||
@@ -148,11 +148,7 @@ export class MasonryView extends LitElement implements LovelaceViewElement {
|
||||
}
|
||||
|
||||
private _addCard(): void {
|
||||
showCreateCardDialog(this, {
|
||||
lovelaceConfig: this.lovelace!.config,
|
||||
saveConfig: this.lovelace!.saveConfig,
|
||||
path: [this.index!],
|
||||
});
|
||||
fireEvent(this, "ll-create-card");
|
||||
}
|
||||
|
||||
private async _createColumns() {
|
||||
|
@@ -20,11 +20,23 @@ import { processConfigEntities } from "../common/process-config-entities";
|
||||
import { createBadgeElement } from "../create-element/create-badge-element";
|
||||
import { createCardElement } from "../create-element/create-card-element";
|
||||
import { createViewElement } from "../create-element/create-view-element";
|
||||
import { showCreateCardDialog } from "../editor/card-editor/show-create-card-dialog";
|
||||
import { showEditCardDialog } from "../editor/card-editor/show-edit-card-dialog";
|
||||
import { confDeleteCard } from "../editor/delete-card";
|
||||
import type { Lovelace, LovelaceBadge, LovelaceCard } from "../types";
|
||||
|
||||
const DEFAULT_VIEW_LAYOUT = "masonry";
|
||||
const PANEL_VIEW_LAYOUT = "panel";
|
||||
|
||||
declare global {
|
||||
// for fire event
|
||||
interface HASSDomEvents {
|
||||
"ll-create-card": undefined;
|
||||
"ll-edit-card": { path: [number] | [number, number] };
|
||||
"ll-delete-card": { path: [number] | [number, number] };
|
||||
}
|
||||
}
|
||||
|
||||
@customElement("hui-view")
|
||||
export class HUIView extends UpdatingElement {
|
||||
@property({ attribute: false }) public hass?: HomeAssistant;
|
||||
@@ -106,6 +118,23 @@ export class HUIView extends UpdatingElement {
|
||||
|
||||
if (configChanged && !this._layoutElement) {
|
||||
this._layoutElement = createViewElement(viewConfig!);
|
||||
this._layoutElement.addEventListener("ll-create-card", () => {
|
||||
showCreateCardDialog(this, {
|
||||
lovelaceConfig: this.lovelace!.config,
|
||||
saveConfig: this.lovelace!.saveConfig,
|
||||
path: [this.index!],
|
||||
});
|
||||
});
|
||||
this._layoutElement.addEventListener("ll-edit-card", (ev) => {
|
||||
showEditCardDialog(this, {
|
||||
lovelaceConfig: this.lovelace!.config,
|
||||
saveConfig: this.lovelace!.saveConfig,
|
||||
path: ev.detail.path,
|
||||
});
|
||||
});
|
||||
this._layoutElement.addEventListener("ll-delete-card", (ev) => {
|
||||
confDeleteCard(this, this.hass!, this.lovelace!, ev.detail.path);
|
||||
});
|
||||
}
|
||||
|
||||
if (configChanged) {
|
||||
|
@@ -21,7 +21,8 @@ export const panelTitleMixin = <T extends Constructor<HassBaseEl>>(
|
||||
if (
|
||||
!oldHass ||
|
||||
oldHass.panels !== this.hass.panels ||
|
||||
oldHass.panelUrl !== this.hass.panelUrl
|
||||
oldHass.panelUrl !== this.hass.panelUrl ||
|
||||
oldHass.localize !== this.hass.localize
|
||||
) {
|
||||
setTitle(getPanelTitle(this.hass));
|
||||
}
|
||||
|
@@ -36,6 +36,8 @@ export default <T extends Constructor<HassBaseEl>>(superClass: T) =>
|
||||
// eslint-disable-next-line: variable-name
|
||||
private __coreProgress?: string;
|
||||
|
||||
private __loadedFragmetTranslations: Set<string> = new Set();
|
||||
|
||||
private __loadedTranslations: {
|
||||
// track what things have been loaded
|
||||
[category: string]: LoadedTranslationCategory;
|
||||
@@ -101,6 +103,7 @@ export default <T extends Constructor<HassBaseEl>>(superClass: T) =>
|
||||
document.querySelector("html")!.setAttribute("lang", hass.language);
|
||||
this.style.direction = computeRTL(hass) ? "rtl" : "ltr";
|
||||
this._loadCoreTranslations(hass.language);
|
||||
this.__loadedFragmetTranslations = new Set();
|
||||
this._loadFragmentTranslations(hass.language, hass.panelUrl);
|
||||
}
|
||||
|
||||
@@ -195,10 +198,31 @@ export default <T extends Constructor<HassBaseEl>>(superClass: T) =>
|
||||
language: string,
|
||||
panelUrl: string
|
||||
) {
|
||||
if (translationMetadata.fragments.includes(panelUrl)) {
|
||||
const result = await getTranslation(panelUrl, language);
|
||||
this._updateResources(result.language, result.data);
|
||||
if (!panelUrl) {
|
||||
return;
|
||||
}
|
||||
const panelComponent = this.hass?.panels?.[panelUrl]?.component_name;
|
||||
|
||||
// If it's the first call we don't have panel info yet to check the component.
|
||||
// If the url is not known it might be a custom lovelace dashboard, so we load lovelace translations
|
||||
const fragment = translationMetadata.fragments.includes(
|
||||
panelComponent || panelUrl
|
||||
)
|
||||
? panelComponent || panelUrl
|
||||
: !panelComponent
|
||||
? "lovelace"
|
||||
: undefined;
|
||||
|
||||
if (!fragment) {
|
||||
return;
|
||||
}
|
||||
|
||||
if (this.__loadedFragmetTranslations.has(fragment)) {
|
||||
return;
|
||||
}
|
||||
this.__loadedFragmetTranslations.add(fragment);
|
||||
const result = await getTranslation(fragment, language);
|
||||
this._updateResources(result.language, result.data);
|
||||
}
|
||||
|
||||
private async _loadCoreTranslations(language: string) {
|
||||
@@ -227,6 +251,9 @@ export default <T extends Constructor<HassBaseEl>>(superClass: T) =>
|
||||
// from this._pendingHass instead. Otherwise the first set of strings is
|
||||
// overwritten when we call _updateHass the second time!
|
||||
|
||||
// Allow hass to be updated
|
||||
await new Promise((resolve) => setTimeout(resolve, 0));
|
||||
|
||||
if (language !== (this.hass ?? this._pendingHass).language) {
|
||||
// the language was changed, abort
|
||||
return;
|
||||
|
@@ -328,6 +328,7 @@
|
||||
"entity-picker": {
|
||||
"entity": "Entity",
|
||||
"clear": "Clear",
|
||||
"no_match": "No matching entities found",
|
||||
"show_entities": "Show entities"
|
||||
},
|
||||
"entity-attribute-picker": {
|
||||
@@ -359,6 +360,8 @@
|
||||
"clear": "Clear",
|
||||
"toggle": "Toggle",
|
||||
"show_devices": "Show devices",
|
||||
"no_devices": "You don't have any devices",
|
||||
"no_match": "No matching devices found",
|
||||
"device": "Device",
|
||||
"no_area": "No area"
|
||||
},
|
||||
@@ -367,6 +370,8 @@
|
||||
"show_areas": "Show areas",
|
||||
"area": "Area",
|
||||
"add_new": "Add new area…",
|
||||
"no_areas": "You don't have any areas",
|
||||
"no_match": "No matching areas found",
|
||||
"add_dialog": {
|
||||
"title": "Add new area",
|
||||
"text": "Enter the name of the new area.",
|
||||
@@ -1456,8 +1461,8 @@
|
||||
"description": "Manage blueprints",
|
||||
"overview": {
|
||||
"header": "Blueprint Editor",
|
||||
"introduction": "The blueprint editor allows you to create and edit blueprints.",
|
||||
"learn_more": "Learn more about blueprints",
|
||||
"introduction": "The blueprint configuration allows you to import and manage your blueprints.",
|
||||
"learn_more": "Learn more about using blueprints",
|
||||
"headers": {
|
||||
"name": "Name",
|
||||
"domain": "Domain",
|
||||
@@ -1467,21 +1472,23 @@
|
||||
"confirm_delete_text": "Are you sure you want to delete this blueprint?",
|
||||
"add_blueprint": "Import blueprint",
|
||||
"use_blueprint": "Create automation",
|
||||
"delete_blueprint": "Delete blueprint"
|
||||
"delete_blueprint": "Delete blueprint",
|
||||
"discover_more": "Discover more Blueprints"
|
||||
},
|
||||
"add": {
|
||||
"header": "Add new blueprint",
|
||||
"import_header": "Import \"{name}\" (type: {domain})",
|
||||
"import_introduction": "You can import blueprints of other users from Github and the community forums. Enter the URL of the blueprint below.",
|
||||
"header": "Import a blueprint",
|
||||
"import_header": "Blueprint \"{name}\"",
|
||||
"import_introduction_link": "You can import blueprints of other users from Github and the {community_link}. Enter the URL of the blueprint below.",
|
||||
"community_forums": "community forums",
|
||||
"url": "URL of the blueprint",
|
||||
"raw_blueprint": "Blueprint content",
|
||||
"importing": "Importing blueprint...",
|
||||
"import_btn": "Import blueprint",
|
||||
"saving": "Saving blueprint...",
|
||||
"save_btn": "Save blueprint",
|
||||
"importing": "Loading blueprint...",
|
||||
"import_btn": "Preview blueprint",
|
||||
"saving": "Importing blueprint...",
|
||||
"save_btn": "Import blueprint",
|
||||
"error_no_url": "Please enter the URL of the blueprint.",
|
||||
"unsupported_blueprint": "This blueprint is not supported",
|
||||
"file_name": "Local blueprint file name"
|
||||
"file_name": "Blueprint Path"
|
||||
}
|
||||
},
|
||||
"script": {
|
||||
|
File diff suppressed because it is too large
Load Diff
@@ -2,11 +2,13 @@
|
||||
"config_entry": {
|
||||
"disabled_by": {
|
||||
"config_entry": "Entrada de configuració",
|
||||
"device": "Dispositiu",
|
||||
"integration": "Integració",
|
||||
"user": "Usuari"
|
||||
}
|
||||
},
|
||||
"groups": {
|
||||
"owner": "Propietari",
|
||||
"system-admin": "Administradors",
|
||||
"system-read-only": "Usuaris de només lectura",
|
||||
"system-users": "Usuaris"
|
||||
@@ -545,6 +547,8 @@
|
||||
"add_new": "Afegir àrea nova...",
|
||||
"area": "Àrea",
|
||||
"clear": "Esborra",
|
||||
"no_areas": "No tens cap àrea",
|
||||
"no_match": "No s'han trobat àrees coincidents",
|
||||
"show_areas": "Mostra àrees"
|
||||
},
|
||||
"blueprint-picker": {
|
||||
@@ -565,6 +569,8 @@
|
||||
"clear": "Esborra",
|
||||
"device": "Dispositiu",
|
||||
"no_area": "Sense àrees",
|
||||
"no_devices": "No tens cap dispositiu",
|
||||
"no_match": "No s'han trobat dispositius coincidents",
|
||||
"show_devices": "Mostra dispositius",
|
||||
"toggle": "Commuta"
|
||||
},
|
||||
@@ -576,6 +582,7 @@
|
||||
"entity-picker": {
|
||||
"clear": "Esborra",
|
||||
"entity": "Entitat",
|
||||
"no_match": "No s'han trobat entitats coincidents",
|
||||
"show_entities": "Mostra entitats"
|
||||
}
|
||||
},
|
||||
@@ -709,6 +716,16 @@
|
||||
"service-picker": {
|
||||
"service": "Servei"
|
||||
},
|
||||
"target-picker": {
|
||||
"add_area_id": "Selecciona àrea",
|
||||
"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ï.",
|
||||
"remove_area_id": "Elimina àrea",
|
||||
"remove_device_id": "Elimina dispositiu",
|
||||
"remove_entity_id": "Elimina entitat"
|
||||
},
|
||||
"user-picker": {
|
||||
"add_user": "Afegeix usuari",
|
||||
"no_user": "Cap usuari",
|
||||
@@ -732,6 +749,7 @@
|
||||
"editor": {
|
||||
"confirm_delete": "Estàs segur que vols eliminar aquesta entrada?",
|
||||
"delete": "Elimina",
|
||||
"device_disabled": "El dispositiu d'aquesta entitat està desactivat.",
|
||||
"enabled_cause": "Desactivada per {cause}.",
|
||||
"enabled_delay_confirm": "Les entitats activades s'afegiran a Home Assistant d'aquí a {delay} segons",
|
||||
"enabled_description": "Les entitats desactivades no s'afegiran a Home Assistant.",
|
||||
@@ -742,6 +760,7 @@
|
||||
"icon_error": "Els icones han de tenir el format 'prefix:nom_icona', per exemple: 'mdi:home'",
|
||||
"name": "Nom",
|
||||
"note": "Nota: podria no funcionar amb alguna de les integracions.",
|
||||
"open_device_settings": "Obre la configuració del dispositiu",
|
||||
"unavailable": "Aquesta entitat no està disponible actualment.",
|
||||
"update": "Actualitza"
|
||||
},
|
||||
@@ -1029,7 +1048,7 @@
|
||||
"confirmation_text": "Tots els dispositius d'aquesta àrea quedaran sense assignar.",
|
||||
"confirmation_title": "Estàs segur que vols eliminar aquesta àrea?"
|
||||
},
|
||||
"description": "Gestiona les àrees de la casa",
|
||||
"description": "Agrupa dispositius i entitats en àrees",
|
||||
"editor": {
|
||||
"area_id": "ID d'àrea",
|
||||
"create": "Crea",
|
||||
@@ -1051,7 +1070,7 @@
|
||||
},
|
||||
"automation": {
|
||||
"caption": "Automatització",
|
||||
"description": "Gestiona les automatitzacions",
|
||||
"description": "Crea regles de comportament personalitzades per a casa teva",
|
||||
"dialog_new": {
|
||||
"blueprint": {
|
||||
"use_blueprint": "Utilitza un plànol"
|
||||
@@ -1239,7 +1258,7 @@
|
||||
"edit_ui": "Edita a través d'interfície",
|
||||
"edit_yaml": "Edita com a YAML",
|
||||
"enable_disable": "Activa/desactiva automatització",
|
||||
"introduction": "Utilitza les automatitzacions per donar més vida a la teva casa",
|
||||
"introduction": "Utilitza les automatitzacions per donar més vida a la teva casa.",
|
||||
"load_error_not_editable": "Només es poden editar les automatitzacions de l'arxiu automations.yaml.",
|
||||
"load_error_unknown": "Error en carregar l'automatització ({err_no}).",
|
||||
"max": {
|
||||
@@ -1399,28 +1418,34 @@
|
||||
"blueprint": {
|
||||
"add": {
|
||||
"error_no_url": "Introdueix l'URL del plànol.",
|
||||
"header": "Afegiu plànol nou",
|
||||
"import_btn": "Importa plànol",
|
||||
"import_header": "Importa {name} ({domain})",
|
||||
"file_name": "Directori del plànol",
|
||||
"header": "Importa un plànol nou",
|
||||
"import_btn": "Vista prèvia del plànol",
|
||||
"import_header": "Plànol \"{name}\"",
|
||||
"import_introduction": "Pots importar plànols d'altres usuaris des de Github i els fòrums de la comunitat. Introdueix, a sota, l'URL del plànol.",
|
||||
"importing": "Important plànol",
|
||||
"save_btn": "Desa plànol",
|
||||
"saving": "Desant plànol...",
|
||||
"importing": "Carregant plànol...",
|
||||
"raw_blueprint": "Contingut del plànol",
|
||||
"save_btn": "Importa plànol",
|
||||
"saving": "Important plànol...",
|
||||
"unsupported_blueprint": "Aquest plànols no és compatible",
|
||||
"url": "URL del plànol"
|
||||
},
|
||||
"caption": "Plànols",
|
||||
"description": "Gestiona els plànols",
|
||||
"overview": {
|
||||
"add_blueprint": "Afegiu plànol",
|
||||
"add_blueprint": "Importa plànol",
|
||||
"confirm_delete_header": "Eliminar aquest plànol?",
|
||||
"confirm_delete_text": "Segur que vols eliminar aquest plànol?",
|
||||
"delete_blueprint": "Elimina plànol",
|
||||
"header": "Editor de plànols",
|
||||
"headers": {
|
||||
"domain": "Domini",
|
||||
"file_name": "Nom de l'arxiu",
|
||||
"name": "Nom"
|
||||
},
|
||||
"introduction": "L'editor de plànols et permet crear i editar plànols.",
|
||||
"learn_more": "Més informació sobre els plànols"
|
||||
"introduction": "La configuració de plànols et permet importar-ne i gestionar-los.",
|
||||
"learn_more": "Més informació sobre l'ús dels plànols",
|
||||
"use_blueprint": "Crea automatització"
|
||||
}
|
||||
},
|
||||
"cloud": {
|
||||
@@ -1503,7 +1528,7 @@
|
||||
"title": "Alexa"
|
||||
},
|
||||
"caption": "Home Assistant Cloud",
|
||||
"description_features": "Controla la casa des de fora, pots integrar Alexa i Google Assistant.",
|
||||
"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ó",
|
||||
"dialog_certificate": {
|
||||
@@ -1598,7 +1623,7 @@
|
||||
},
|
||||
"core": {
|
||||
"caption": "General",
|
||||
"description": "Canvia la configuració general de Home Assistant",
|
||||
"description": "Sistema d'unitats, ubicació, zona horària i altres paràmetres generals",
|
||||
"section": {
|
||||
"core": {
|
||||
"core_config": {
|
||||
@@ -1660,6 +1685,7 @@
|
||||
"unknown_condition": "Condició desconeguda"
|
||||
},
|
||||
"create": "Crea una automatització amb el dispositiu",
|
||||
"create_disable": "No es pot crear una automatització amb dispositius desactivats",
|
||||
"no_automations": "No hi ha automatitzacions",
|
||||
"no_device_automations": "No hi ha automatitzacions disponibles per a aquest dispositiu.",
|
||||
"triggers": {
|
||||
@@ -1685,9 +1711,18 @@
|
||||
"no_devices": "Sense dispositius"
|
||||
},
|
||||
"delete": "Elimina",
|
||||
"description": "Gestiona els dispositius connectats",
|
||||
"description": "Gestiona els dispositius configurats",
|
||||
"device_info": "Informació del dispositiu",
|
||||
"device_not_found": "Dispositiu no trobat.",
|
||||
"disabled": "Desactivat",
|
||||
"disabled_by": {
|
||||
"config_entry": "Entrada de configuració",
|
||||
"integration": "Integració",
|
||||
"user": "Usuari"
|
||||
},
|
||||
"enabled_cause": "El dispositiu està desactivat per {cause}.",
|
||||
"enabled_description": "Els dispositius desactivats no es mostraran i les entitats que hi pertanyin es desactivaran i no s'afegiran a Home Assistant.",
|
||||
"enabled_label": "Activa dispositiu",
|
||||
"entities": {
|
||||
"add_entities_lovelace": "Afegeix a Lovelace",
|
||||
"disabled_entities": "+{count} {count, plural,\n one {entitat desabilitada}\n other {entitats desabilitades}\n}",
|
||||
@@ -1697,14 +1732,25 @@
|
||||
},
|
||||
"name": "Nom",
|
||||
"no_devices": "No hi ha dispositius",
|
||||
"picker": {
|
||||
"filter": {
|
||||
"filter": "Filtre",
|
||||
"hidden_devices": "{number} {number, plural,\n one {dispositiu amagat}\n other {dispositius amagats}\n}",
|
||||
"show_all": "Mostra-ho tot",
|
||||
"show_disabled": "Mostra dispositius desactivats"
|
||||
},
|
||||
"search": "Cerca dispositius"
|
||||
},
|
||||
"scene": {
|
||||
"create": "Crea una escena amb el dispositiu",
|
||||
"create_disable": "No es pot crear una escena amb dispositius desactivats",
|
||||
"no_scenes": "No hi ha escenes",
|
||||
"scenes": "Escenes"
|
||||
},
|
||||
"scenes": "Escenes",
|
||||
"script": {
|
||||
"create": "Crea un programa (script) amb el dispositiu",
|
||||
"create_disable": "No es pot crear un script amb dispositius desactivats",
|
||||
"no_scripts": "No hi ha scripts",
|
||||
"scripts": "Scripts"
|
||||
},
|
||||
@@ -1737,6 +1783,7 @@
|
||||
},
|
||||
"header": "Entitats",
|
||||
"headers": {
|
||||
"area": "Àrea",
|
||||
"entity_id": "ID de l'entitat",
|
||||
"integration": "Integració",
|
||||
"name": "Nom",
|
||||
@@ -1769,7 +1816,7 @@
|
||||
"header": "Configuració de Home Assistant",
|
||||
"helpers": {
|
||||
"caption": "Ajudants",
|
||||
"description": "Gestiona elements útils per a construir automatitzacions",
|
||||
"description": "Elements útils per a construir automatitzacions",
|
||||
"dialog": {
|
||||
"add_helper": "Afegeix ajudant",
|
||||
"add_platform": "Afegeix {platform}",
|
||||
@@ -1801,7 +1848,7 @@
|
||||
"copy_github": "Per GitHub",
|
||||
"copy_raw": "Text en brut",
|
||||
"custom_uis": "Interfícies d'usuari personalitzades:",
|
||||
"description": "Consulta informació de la teva instal·lació de Home Assistant",
|
||||
"description": "Versió, estat del sistema i enllaços a la documentació",
|
||||
"developed_by": "Desenvolupat per un munt de gent fantàstica.",
|
||||
"documentation": "Documentació",
|
||||
"frontend": "frontend-ui",
|
||||
@@ -1907,7 +1954,7 @@
|
||||
},
|
||||
"configure": "Configurar",
|
||||
"configured": "Configurades",
|
||||
"description": "Gestiona les integracions",
|
||||
"description": "Gestiona les integracions amb serveis, dispositius, ...",
|
||||
"details": "Detalls de la integració",
|
||||
"discovered": "Descobertes",
|
||||
"home_assistant_website": "lloc web de Home Assistant",
|
||||
@@ -1992,7 +2039,7 @@
|
||||
"open": "Obrir"
|
||||
}
|
||||
},
|
||||
"description": "Gestiona els teus panells Lovelace",
|
||||
"description": "Crea conjunts de panells personalitzats per controlar la teva casa",
|
||||
"resources": {
|
||||
"cant_edit_yaml": "Estàs utilitzant Lovelace en mode YAML per tant no pots gestionar els recursos des de la interfície d'usuari. Els pots gestionar des del fitxer 'configuration.yaml'.",
|
||||
"caption": "Recursos",
|
||||
@@ -2135,7 +2182,7 @@
|
||||
"refresh_node": {
|
||||
"battery_note": "Si el node funciona amb bateria, assegura't de que estigui actiu abans de continuar",
|
||||
"button": "Actualitza node",
|
||||
"complete": "Actualització del node completa",
|
||||
"complete": "Actualització del node completada",
|
||||
"description": "Això farà que OpenZWave torni a consultar el node i n'actualitzi les classes de comandes, funcions i valors.",
|
||||
"node_status": "Estat del node",
|
||||
"refreshing_description": "Actualitzant la informació del node...",
|
||||
@@ -2191,7 +2238,7 @@
|
||||
"scene": {
|
||||
"activated": "Escena {name} activada.",
|
||||
"caption": "Escenes",
|
||||
"description": "Gestiona les escenes",
|
||||
"description": "Captura els estats dels dispositius i recorda'ls més tard",
|
||||
"editor": {
|
||||
"default_name": "Nova escena",
|
||||
"devices": {
|
||||
@@ -2209,7 +2256,7 @@
|
||||
"without_device": "Entitats sense dispositiu"
|
||||
},
|
||||
"icon": "Icona",
|
||||
"introduction": "Utilitza les escenes per donar més vida a la teva llar.",
|
||||
"introduction": "Utilitza les escenes per donar més vida a la teva casa.",
|
||||
"load_error_not_editable": "Només es poden editar les escenes de l'arxiu scenes.yaml.",
|
||||
"load_error_unknown": "Error en carregar l'escena ({err_no}).",
|
||||
"name": "Nom",
|
||||
@@ -2235,7 +2282,7 @@
|
||||
},
|
||||
"script": {
|
||||
"caption": "Programació (scripts)",
|
||||
"description": "Gestiona els programes (scripts)",
|
||||
"description": "Executa una seqüència d'accions",
|
||||
"editor": {
|
||||
"alias": "Nom",
|
||||
"default_name": "Nou script",
|
||||
@@ -2346,7 +2393,7 @@
|
||||
"confirm_remove": "Estàs segur que vols eliminar l'etiqueta {tag}?",
|
||||
"confirm_remove_title": "Elimina l'etiqueta?",
|
||||
"create_automation": "Crea una automatització amb una etiqueta",
|
||||
"description": "Gestiona les etiquetes",
|
||||
"description": "Dispara automatitzacions quan una etiqueta NFC, un codi QR, etc; s'escanegi",
|
||||
"detail": {
|
||||
"companion_apps": "aplicacions de companion",
|
||||
"create": "Crea",
|
||||
@@ -2381,10 +2428,11 @@
|
||||
"username": "Nom d'usuari"
|
||||
},
|
||||
"caption": "Usuaris",
|
||||
"description": "Gestiona els usuaris",
|
||||
"description": "Gestiona els comptes d'usuari de Home Assistant",
|
||||
"editor": {
|
||||
"activate_user": "Activar usuari",
|
||||
"active": "Actiu",
|
||||
"active_tooltip": "Controla si l'usuari pot iniciar sessió",
|
||||
"admin": "Administrador",
|
||||
"caption": "Mostra usuari",
|
||||
"change_password": "Canviar contrasenya",
|
||||
@@ -2393,7 +2441,7 @@
|
||||
"delete_user": "Eliminar usuari",
|
||||
"group": "Grup",
|
||||
"id": "ID",
|
||||
"name": "Nom",
|
||||
"name": "Nom de visualització",
|
||||
"new_password": "Nova contrasenya",
|
||||
"owner": "Propietari",
|
||||
"password_changed": "La contrasenya s'ha canviat correctament",
|
||||
@@ -2401,19 +2449,24 @@
|
||||
"system_generated_users_not_editable": "No es poden actualitzar usuaris generats pel sistema.",
|
||||
"system_generated_users_not_removable": "No es poden eliminar usuaris generats pel sistema.",
|
||||
"unnamed_user": "Usuari sense nom",
|
||||
"update_user": "Actualitza"
|
||||
"update_user": "Actualitza",
|
||||
"username": "Nom d'usuari"
|
||||
},
|
||||
"picker": {
|
||||
"add_user": "Afegeix usuari",
|
||||
"headers": {
|
||||
"group": "Grup",
|
||||
"name": "Nom",
|
||||
"system": "Sistema"
|
||||
"is_active": "Actiu",
|
||||
"is_owner": "Propietari",
|
||||
"name": "Nom de visualització",
|
||||
"system": "Generat pel sistema",
|
||||
"username": "Nom d'usuari"
|
||||
}
|
||||
},
|
||||
"users_privileges_note": "El grup d'usuaris encara no està del tot acabat. L'usuari no podrà administrar la instància a través de la interfície d'usuari. Encara estem verificant tots els punts de l'API de gestió per assegurar-nos que limiten correctament l'accés als administradors."
|
||||
},
|
||||
"zha": {
|
||||
"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.",
|
||||
@@ -2459,6 +2512,16 @@
|
||||
"value": "Valor"
|
||||
},
|
||||
"description": "Gestiona la xarxa domòtica Zigbee (ZHA)",
|
||||
"device_pairing_card": {
|
||||
"CONFIGURED": "Configuració completada",
|
||||
"CONFIGURED_status_text": "Inicialitzant",
|
||||
"INITIALIZED": "Inicialització completada",
|
||||
"INITIALIZED_status_text": "El dispositiu està llest per a utilitzar-se",
|
||||
"INTERVIEW_COMPLETE": "Consulta completada",
|
||||
"INTERVIEW_COMPLETE_status_text": "Configurant",
|
||||
"PAIRED": "Dispositiu trobat",
|
||||
"PAIRED_status_text": "Iniciant consulta"
|
||||
},
|
||||
"devices": {
|
||||
"header": "Domòtica Zigbee (ZHA) - Dispositiu"
|
||||
},
|
||||
@@ -2474,6 +2537,7 @@
|
||||
"unbind_button_label": "Desvincula grup"
|
||||
},
|
||||
"groups": {
|
||||
"add_group": "Afegeix grup",
|
||||
"add_members": "Afegeix membres",
|
||||
"adding_members": "Afegint membres",
|
||||
"caption": "Grups",
|
||||
@@ -2516,7 +2580,11 @@
|
||||
"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)"
|
||||
"title": "Domòtica Zigbee (ZHA)",
|
||||
"visualization": {
|
||||
"caption": "Visualització",
|
||||
"header": "Visualització de xarxa"
|
||||
}
|
||||
},
|
||||
"zone": {
|
||||
"add_zone": "Afegeix zona",
|
||||
@@ -3116,7 +3184,7 @@
|
||||
"close": "Tanca",
|
||||
"empty_config": "Comença amb un panell buit",
|
||||
"header": "Pren el control de la interfície d'usuari Lovelace",
|
||||
"para": "Aquest panell Lovelace s'està gestionant per Home Assistant. S'actualitza automàticament quan hi ha noves entitats o nous components de Lovelace disponibles. Si prens el control, aquest panell no s'actualitzarà automàticament. Sempre pots crear un nou panell a configuració i fer-hi proves.",
|
||||
"para": "Aquest panell Lovelace està gestionat per Home Assistant. S'actualitza automàticament quan hi ha noves entitats o nous components de Lovelace disponibles. Si prens el control, aquest panell no s'actualitzarà automàticament. Sempre pots crear un nou panell a configuració i fer-hi proves.",
|
||||
"para_sure": "Estàs segur que vols prendre el control de la interfície d'usuari?",
|
||||
"save": "Prendre el control",
|
||||
"yaml_config": "Per ajudar a familiaritzar-te, aquí tens la configuració actual del teu panell Lovelace:",
|
||||
@@ -3383,10 +3451,13 @@
|
||||
"change_password": {
|
||||
"confirm_new_password": "Confirmar contrasenya nova",
|
||||
"current_password": "Contrasenya actual",
|
||||
"error_new_is_old": "La contrasenya nova ha de ser diferent de la contrasenya actual",
|
||||
"error_new_mismatch": "Els valors introduïts de la nova contrasenya no coincideixen",
|
||||
"error_required": "Obligatori",
|
||||
"header": "Canvi de contrasenya",
|
||||
"new_password": "Contrasenya nova",
|
||||
"submit": "Envia"
|
||||
"submit": "Envia",
|
||||
"success": "La contrasenya s'ha canviat correctament"
|
||||
},
|
||||
"current_user": "Has iniciat la sessió com a {fullName}.",
|
||||
"customize_sidebar": {
|
||||
|
@@ -2,6 +2,7 @@
|
||||
"config_entry": {
|
||||
"disabled_by": {
|
||||
"config_entry": "Položka nastavení",
|
||||
"device": "Zařízení",
|
||||
"integration": "Integrace",
|
||||
"user": "Uživatel"
|
||||
}
|
||||
@@ -546,11 +547,14 @@
|
||||
"add_new": "Přidat novou oblast ...",
|
||||
"area": "Oblast",
|
||||
"clear": "Vymazat",
|
||||
"no_areas": "Nemáte žádné oblasti",
|
||||
"no_match": "Nebyly nalezeny žádné odpovídající oblasti",
|
||||
"show_areas": "Zobrazit oblasti"
|
||||
},
|
||||
"blueprint-picker": {
|
||||
"add_user": "Přidat uživatele",
|
||||
"remove_user": "Odebrat uživatele"
|
||||
"remove_user": "Odebrat uživatele",
|
||||
"select_blueprint": "Vyberte šablonu"
|
||||
},
|
||||
"data-table": {
|
||||
"no-data": "Žádná data",
|
||||
@@ -565,6 +569,8 @@
|
||||
"clear": "Zrušit",
|
||||
"device": "Zařízení",
|
||||
"no_area": "Žádná oblast",
|
||||
"no_devices": "Nemáte žádná zařízení",
|
||||
"no_match": "Nebyla nalezena žádná odpovídající zařízení",
|
||||
"show_devices": "Zobrazit zařízení",
|
||||
"toggle": "Přepnout"
|
||||
},
|
||||
@@ -576,6 +582,7 @@
|
||||
"entity-picker": {
|
||||
"clear": "Zrušit",
|
||||
"entity": "Entita",
|
||||
"no_match": "Nebyly nalezeny žádné odpovídající entity",
|
||||
"show_entities": "Zobrazit entity"
|
||||
}
|
||||
},
|
||||
@@ -709,6 +716,16 @@
|
||||
"service-picker": {
|
||||
"service": "Služba"
|
||||
},
|
||||
"target-picker": {
|
||||
"add_area_id": "Vyberte oblast",
|
||||
"add_device_id": "Vyberte zařízení",
|
||||
"add_entity_id": "Vyberte entitu",
|
||||
"expand_area_id": "Rozdělit tuto oblast na jednotlivá zařízení a entity, které obsahuje. Po rozdělení nebudou zařízení a entity aktualizovány, pokud dojde ke změnám oblasti.",
|
||||
"expand_device_id": "Rozdělit toto zařízení na jednotlivé entity. Po rozdělení nebudou entity aktualizovány, pokud dojde ke změnám zařízení.",
|
||||
"remove_area_id": "Odebrat oblast",
|
||||
"remove_device_id": "Odebrat zařízení",
|
||||
"remove_entity_id": "Odebrat entitu"
|
||||
},
|
||||
"user-picker": {
|
||||
"add_user": "Přidat uživatele",
|
||||
"no_user": "Žádný uživatel",
|
||||
@@ -732,6 +749,7 @@
|
||||
"editor": {
|
||||
"confirm_delete": "Opravdu chcete tuto položku smazat?",
|
||||
"delete": "Odstranit",
|
||||
"device_disabled": "Zařízení této entity je zakázáno.",
|
||||
"enabled_cause": "Zakázáno {cause}.",
|
||||
"enabled_delay_confirm": "Povolené entity budou přidány do Home Assistant za {delay} sekund",
|
||||
"enabled_description": "Zakázané entity nebudou přidány do Home Assistant.",
|
||||
@@ -742,6 +760,7 @@
|
||||
"icon_error": "Ikony by měly být ve formátu 'prefix:nazevikony', např. 'mdi:home'",
|
||||
"name": "Jméno",
|
||||
"note": "Poznámka: U všech integrací to ještě nemusí fungovat.",
|
||||
"open_device_settings": "Otevřít nastavení zařízení",
|
||||
"unavailable": "Tato entita není momentálně k dispozici.",
|
||||
"update": "Aktualizovat"
|
||||
},
|
||||
@@ -882,6 +901,7 @@
|
||||
"navigation": {
|
||||
"areas": "Oblasti",
|
||||
"automation": "Automatizace",
|
||||
"blueprint": "Šablony",
|
||||
"core": "Obecné",
|
||||
"customize": "Přizpůsobení",
|
||||
"devices": "Zařízení",
|
||||
@@ -890,7 +910,7 @@
|
||||
"info": "Informace",
|
||||
"integrations": "Integrace",
|
||||
"logs": "Logy",
|
||||
"lovelace": "Lovelace Dashboardy",
|
||||
"lovelace": "Ovládací panely Lovelace",
|
||||
"navigate_to": "Přejít na {panel}",
|
||||
"navigate_to_config": "Přejít na nastavení {panel}",
|
||||
"person": "Osoby",
|
||||
@@ -953,7 +973,7 @@
|
||||
"zha_device_info": {
|
||||
"buttons": {
|
||||
"add": "Přidejte zařízení prostřednictvím tohoto zařízení",
|
||||
"clusters": "Clustery",
|
||||
"clusters": "Správa clusterů",
|
||||
"reconfigure": "Přenastavit zařízení",
|
||||
"remove": "Odebrat zařízení",
|
||||
"zigbee_information": "Podpis zařízení Zigbee"
|
||||
@@ -1028,7 +1048,7 @@
|
||||
"confirmation_text": "Všechna zařízení v této oblasti budou nastavena jako nepřiřazena.",
|
||||
"confirmation_title": "Opravdu chcete tuto oblast smazat?"
|
||||
},
|
||||
"description": "Správa oblastí ve vaší domácnosti",
|
||||
"description": "Seskupte zařízení a entity do oblastí",
|
||||
"editor": {
|
||||
"area_id": "ID oblasti",
|
||||
"create": "VYTVOŘIT",
|
||||
@@ -1050,8 +1070,11 @@
|
||||
},
|
||||
"automation": {
|
||||
"caption": "Automatizace",
|
||||
"description": "Správa automatizací",
|
||||
"description": "Vytvořte si pro svůj domov vlastní pravidla chování",
|
||||
"dialog_new": {
|
||||
"blueprint": {
|
||||
"use_blueprint": "Použít šablonu"
|
||||
},
|
||||
"header": "Vytvoření automatizace",
|
||||
"how": "Jak chcete vytvořit svou novou automatizaci?",
|
||||
"start_empty": "Začněte s prázdnou automatizací",
|
||||
@@ -1143,7 +1166,12 @@
|
||||
},
|
||||
"alias": "Název",
|
||||
"blueprint": {
|
||||
"inputs": "Vstupy"
|
||||
"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."
|
||||
},
|
||||
"conditions": {
|
||||
"add": "Přidat podmínku",
|
||||
@@ -1389,24 +1417,34 @@
|
||||
},
|
||||
"blueprint": {
|
||||
"add": {
|
||||
"error_no_url": "Zadejte adresu URL šablonky konfigurace",
|
||||
"header": "Přidat novou šablonku konfigurace",
|
||||
"import_btn": "Importovat šablonku konfigurace",
|
||||
"import_header": "Importovat \"{name}\" (typ: {domain})",
|
||||
"import_introduction": "Z Githubu a komunitních fór můžete importovat šablonky konfigurace sdílené ostatními uživateli. Zadejte adresu URL šablonky konfigurace.",
|
||||
"importing": "Importuje se šablonka konfigurace",
|
||||
"save_btn": "Uložit šablonku konfigurace",
|
||||
"saving": "Ukládání konfigurační šablonky",
|
||||
"url": "URL šablonky konfigurace"
|
||||
"error_no_url": "Zadejte adresu URL adresu šablony",
|
||||
"file_name": "Cesta k šabloně",
|
||||
"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.",
|
||||
"importing": "Načítám šablonu...",
|
||||
"raw_blueprint": "Obsah šablony",
|
||||
"save_btn": "Importovat šablonu",
|
||||
"saving": "Importuji šablonu...",
|
||||
"unsupported_blueprint": "Tato šablona není podporována.",
|
||||
"url": "URL adresa šablony"
|
||||
},
|
||||
"caption": "Šablony",
|
||||
"description": "Správa šablon",
|
||||
"overview": {
|
||||
"confirm_delete_header": "Odstranit tuto šablonku konfigurace?",
|
||||
"add_blueprint": "Import šablony",
|
||||
"confirm_delete_header": "Odstranit tuto šablonu?",
|
||||
"confirm_delete_text": "Opravdu chcete smazat tuto šablonu?",
|
||||
"delete_blueprint": "Smazat šablonu",
|
||||
"header": "Editor šablon",
|
||||
"headers": {
|
||||
"domain": "Doména",
|
||||
"file_name": "Název souboru",
|
||||
"name": "Jméno"
|
||||
},
|
||||
"learn_more": "Další informace o šablonkách konfigurace",
|
||||
"introduction": "Nastavení šablon vám umožňuje importovat a spravovat vaše šablony.",
|
||||
"learn_more": "Další informace o používání šablon",
|
||||
"use_blueprint": "Vytvořit automatizaci"
|
||||
}
|
||||
},
|
||||
@@ -1420,7 +1458,7 @@
|
||||
"enable_state_reporting": "Povolit hlášení stavu",
|
||||
"info": "Díky integraci Alexa pro Home Assistant Cloud budete moci ovládat všechna zařízení v Home Assistant pomocí jakéhokoli zařízení podporujícího Alexa.",
|
||||
"info_state_reporting": "Pokud povolíte hlášení stavu, Home Assistant bude posílat veškeré změny stavů všech exponovaných entit do Amazonu. Toto vám umožní sledovat aktuální stavy entity v aplikaci Alexa a použít tyto stavy k vytvoření rutin.",
|
||||
"manage_entities": "Spravovat entity",
|
||||
"manage_entities": "Správa entit",
|
||||
"state_reporting_error": "Nelze {enable_disable} hlášení stavu.",
|
||||
"sync_entities": "Synchronizovat entity",
|
||||
"sync_entities_error": "Chyba při synchronizaci entit:",
|
||||
@@ -1449,7 +1487,7 @@
|
||||
"integrations_introduction": "Integrace pro Home Assistant Cloud vám umožní připojit se ke cloudovým službám, aniž byste museli veřejně zpřístupnit vaší instanci Home Assistant na internetu.",
|
||||
"integrations_introduction2": "Na webových stránkách najdete ",
|
||||
"integrations_link_all_features": " všechny dostupné funkce",
|
||||
"manage_account": "Spravovat účet",
|
||||
"manage_account": "Správa účtu",
|
||||
"nabu_casa_account": "Účet Nabu Casa",
|
||||
"not_connected": "Není připojeno",
|
||||
"remote": {
|
||||
@@ -1490,7 +1528,7 @@
|
||||
"title": "Alexa"
|
||||
},
|
||||
"caption": "Home Assistant Cloud",
|
||||
"description_features": "Ovládejte vzdáleně, integrace s Alexou a Google Assistant.",
|
||||
"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",
|
||||
"dialog_certificate": {
|
||||
@@ -1585,7 +1623,7 @@
|
||||
},
|
||||
"core": {
|
||||
"caption": "Obecné",
|
||||
"description": "Změny obecného nastavení Home Assistant",
|
||||
"description": "Jednotkový systém, umístění, časové pásmo a další obecné parametry",
|
||||
"section": {
|
||||
"core": {
|
||||
"core_config": {
|
||||
@@ -1647,6 +1685,7 @@
|
||||
"unknown_condition": "Neznámá podmínka"
|
||||
},
|
||||
"create": "Vytvořit automatizaci se zařízením",
|
||||
"create_disable": "Nelze vytvořit automatizaci se zakázaným zařízením",
|
||||
"no_automations": "Žádné automatizace",
|
||||
"no_device_automations": "Pro toto zařízení nejsou k dispozici žádné automatizace.",
|
||||
"triggers": {
|
||||
@@ -1660,7 +1699,7 @@
|
||||
"caption": "Zařízení",
|
||||
"confirm_delete": "Opravdu chcete toto zařízení odstranit?",
|
||||
"confirm_rename_entity_ids": "Chcete také přejmenovat ID entit?",
|
||||
"confirm_rename_entity_ids_warning": "Žádná nastavení (např. automatizace, skripty, scény, dashboardy), která tyto entity aktuálně používá, nebudou změněna! Vše budete muset aktualizovat sami, aby se používaly nová ID entit!",
|
||||
"confirm_rename_entity_ids_warning": "Žádná nastavení (např. automatizace, skripty, scény, ovládací panely), která tyto entity aktuálně používá, nebudou změněna! Vše budete muset aktualizovat sami, aby se používaly nová ID entit!",
|
||||
"data_table": {
|
||||
"area": "Oblast",
|
||||
"battery": "Baterie",
|
||||
@@ -1675,6 +1714,15 @@
|
||||
"description": "Správa připojených zařízení",
|
||||
"device_info": "Informace o zařízení",
|
||||
"device_not_found": "Zařízení nebylo nalezeno.",
|
||||
"disabled": "Zakázáno",
|
||||
"disabled_by": {
|
||||
"config_entry": "Položka nastavení",
|
||||
"integration": "Integrace",
|
||||
"user": "Uživatel"
|
||||
},
|
||||
"enabled_cause": "Zařízení je zakázáno přes {cause}.",
|
||||
"enabled_description": "Zakázaná zařízení se nebudou zobrazovat a entity patřící k těmto zařízením budou zakázány a nebudou přidány do Home Assistant.",
|
||||
"enabled_label": "Povolit zařízení",
|
||||
"entities": {
|
||||
"add_entities_lovelace": "Přidat do Lovelace",
|
||||
"disabled_entities": "+{count} {count, plural,\n one {zakázaná entita}\n other {zakázaných entit}\n}",
|
||||
@@ -1684,14 +1732,25 @@
|
||||
},
|
||||
"name": "Jméno",
|
||||
"no_devices": "Žádná zařízení",
|
||||
"picker": {
|
||||
"filter": {
|
||||
"filter": "Filtrovat",
|
||||
"hidden_devices": "{number} {number, plural,\n one {skryté zařízení}\n few {skrytá zařízení}\n other {skrytých zařízení}\n}",
|
||||
"show_all": "Zobrazit vše",
|
||||
"show_disabled": "Zobrazit zakázaná zařízení"
|
||||
},
|
||||
"search": "Hledat zařízení"
|
||||
},
|
||||
"scene": {
|
||||
"create": "Vytvořit scénu se zařízením",
|
||||
"create_disable": "Nelze vytvořit scénu se zakázaným zařízením",
|
||||
"no_scenes": "Žádné scény",
|
||||
"scenes": "Scény"
|
||||
},
|
||||
"scenes": "Scény",
|
||||
"script": {
|
||||
"create": "Vytvořit skript se zařízením",
|
||||
"create_disable": "Nelze vytvořit skript se zakázaným zařízením",
|
||||
"no_scripts": "Žádné skripty",
|
||||
"scripts": "Skripty"
|
||||
},
|
||||
@@ -1757,7 +1816,7 @@
|
||||
"header": "Nastavení Home Assistant",
|
||||
"helpers": {
|
||||
"caption": "Pomocníci",
|
||||
"description": "Správa prvků, které mohou pomoci při vytváření automatizací",
|
||||
"description": "Prvky, které pomáhají vytvářet automatizace",
|
||||
"dialog": {
|
||||
"add_helper": "Přidat pomocníka",
|
||||
"add_platform": "Přidat {platform}",
|
||||
@@ -1789,7 +1848,7 @@
|
||||
"copy_github": "Pro GitHub",
|
||||
"copy_raw": "Nezpracovaný text",
|
||||
"custom_uis": "Vlastní uživatelská rozhraní:",
|
||||
"description": "Informace o instalaci Home Assistant",
|
||||
"description": "Verze, stav systému a odkazy na dokumentaci",
|
||||
"developed_by": "Vyvinuto partou úžasných lidí.",
|
||||
"documentation": "Dokumentace",
|
||||
"frontend": "frontend-ui",
|
||||
@@ -1831,7 +1890,7 @@
|
||||
"virtualenv": "Virtuální prostředí"
|
||||
},
|
||||
"lovelace": {
|
||||
"dashboards": "Dashboardy",
|
||||
"dashboards": "Ovládací panely",
|
||||
"mode": "Režim",
|
||||
"resources": "Zdroje"
|
||||
}
|
||||
@@ -1895,7 +1954,7 @@
|
||||
},
|
||||
"configure": "Nastavit",
|
||||
"configured": "Nastaveno",
|
||||
"description": "Správa integrací",
|
||||
"description": "Správa integrací a jejich služeb, zařízení, ...",
|
||||
"details": "Podrobnosti o integraci",
|
||||
"discovered": "Objeveno",
|
||||
"home_assistant_website": "stránky Home Assistant",
|
||||
@@ -1939,24 +1998,24 @@
|
||||
"title": "Logy"
|
||||
},
|
||||
"lovelace": {
|
||||
"caption": "Lovelace Dashboardy",
|
||||
"caption": "Ovládací panely Lovelace",
|
||||
"dashboards": {
|
||||
"cant_edit_default": "Standardní Lovelace dashboard nelze upravovat z uživatelského rozhraní. Můžete jej skrýt nastavením jiného dashboardu jako výchozího.",
|
||||
"cant_edit_yaml": "Dashboardy definované v YAML nelze upravovat z uživatelského rozhraní. Změňte je v configuration.yaml.",
|
||||
"caption": "Dashboardy",
|
||||
"cant_edit_default": "Standardní ovládací panel Lovelace nelze upravovat z uživatelského rozhraní. Můžete jej skrýt nastavením jiného ovládacího panelu jako výchozího.",
|
||||
"cant_edit_yaml": "Ovládací panely definované v YAML nelze upravovat z uživatelského rozhraní. Změňte je v configuration.yaml.",
|
||||
"caption": "Ovládací panely",
|
||||
"conf_mode": {
|
||||
"storage": "Řízeno uživatelským rozhraním",
|
||||
"yaml": "Soubor YAML"
|
||||
},
|
||||
"confirm_delete": "Opravdu chcete odstranit tento dashboard?",
|
||||
"default_dashboard": "Toto je výchozí dashboard",
|
||||
"confirm_delete": "Opravdu chcete odstranit tento ovládací panel?",
|
||||
"default_dashboard": "Toto je výchozí ovládací panel",
|
||||
"detail": {
|
||||
"create": "Vytvořit",
|
||||
"delete": "Smazat",
|
||||
"dismiss": "Zavřít",
|
||||
"edit_dashboard": "Upravit dashboard",
|
||||
"edit_dashboard": "Upravit ovládací panel",
|
||||
"icon": "Ikona",
|
||||
"new_dashboard": "Přidat nový dashboard",
|
||||
"new_dashboard": "Přidat nový ovládací panel",
|
||||
"remove_default": "Odebrat jako výchozí na tomto zařízení",
|
||||
"require_admin": "Pouze správce",
|
||||
"set_default": "Nastavit jako výchozí na tomto zařízení",
|
||||
@@ -1968,7 +2027,7 @@
|
||||
"url_error_msg": "Adresa URL by měla obsahovat - a nesmí obsahovat mezery ani speciální znaky, s výjimkou _ a -"
|
||||
},
|
||||
"picker": {
|
||||
"add_dashboard": "Přidat dashboard",
|
||||
"add_dashboard": "Přidat ovládací panel",
|
||||
"headers": {
|
||||
"conf_mode": "Metoda nastavení",
|
||||
"default": "Výchozí",
|
||||
@@ -1980,7 +2039,7 @@
|
||||
"open": "Otevřít"
|
||||
}
|
||||
},
|
||||
"description": "Správa Lovelace Dashboardů",
|
||||
"description": "Vytvořte vlastní sady karet pro ovládání svého domova",
|
||||
"resources": {
|
||||
"cant_edit_yaml": "Používáte Lovelace v režimu YAML, proto nemůžete spravovat své zdroje prostřednictvím uživatelského rozhraní. Spravujte je v souboru configuration.yaml.",
|
||||
"caption": "Zdroje",
|
||||
@@ -2021,7 +2080,7 @@
|
||||
"description_publish": "Publikovat paket",
|
||||
"listening_to": "Naslouchám",
|
||||
"message_received": "Zpráva {id} přijata na {topic} v {time} :",
|
||||
"payload": "Obsah",
|
||||
"payload": "Obsah (povolena šablona)",
|
||||
"publish": "Publikovat",
|
||||
"start_listening": "Začít naslouchat",
|
||||
"stop_listening": "Přestat naslouchat",
|
||||
@@ -2050,7 +2109,7 @@
|
||||
"network": "Síť",
|
||||
"node": {
|
||||
"config": "Nastavení",
|
||||
"dashboard": "Dashboard"
|
||||
"dashboard": "Ovládací panel"
|
||||
},
|
||||
"nodes": "Uzly",
|
||||
"select_instance": "Vyberte instanci"
|
||||
@@ -2083,7 +2142,7 @@
|
||||
"node_config": {
|
||||
"header": "Nastavení uzlu",
|
||||
"help_source": "Popisy parametrů nastavení a text nápovědy poskytuje projekt OpenZWave.",
|
||||
"introduction": "Spravujte různé parametry nastavení uzlu Z-Wave.",
|
||||
"introduction": "Správa různých parametrů nastavení uzlu Z-Wave.",
|
||||
"wakeup_help": "Uzly napájené z baterie musí být vzhůru, aby mohly změnit své nastavení. Pokud uzel není vzhůru, OpenZWave se pokusí aktualizovat nastavení uzlu při příštím probuzení, což může být o několik hodin (nebo dní) později. Zařízení probudíte takto:"
|
||||
},
|
||||
"node_metadata": {
|
||||
@@ -2179,7 +2238,7 @@
|
||||
"scene": {
|
||||
"activated": "Aktivovaná scéna {name}.",
|
||||
"caption": "Scény",
|
||||
"description": "Správa scén",
|
||||
"description": "Zachyťte stavy zařízení a snadno je později vyvolejte",
|
||||
"editor": {
|
||||
"default_name": "Nová scéna",
|
||||
"devices": {
|
||||
@@ -2223,7 +2282,7 @@
|
||||
},
|
||||
"script": {
|
||||
"caption": "Skripty",
|
||||
"description": "Správa skriptů",
|
||||
"description": "Provádějte posloupnosti akcí",
|
||||
"editor": {
|
||||
"alias": "Název",
|
||||
"default_name": "Nový skript",
|
||||
@@ -2334,7 +2393,7 @@
|
||||
"confirm_remove": "Opravdu chcete odebrat štítek {tag}?",
|
||||
"confirm_remove_title": "Odebrat štítek?",
|
||||
"create_automation": "Vytvořit automatizaci se štítkem",
|
||||
"description": "Správa štítků",
|
||||
"description": "Spusťte automatizaci skenováním NFC tagu, QR kódu atd.",
|
||||
"detail": {
|
||||
"companion_apps": "doprovodné aplikace",
|
||||
"create": "Vytvořit",
|
||||
@@ -2369,10 +2428,11 @@
|
||||
"username": "Uživatelské jméno"
|
||||
},
|
||||
"caption": "Uživatelé",
|
||||
"description": "Správa uživatelů",
|
||||
"description": "Správa uživatelských účtů pro Home Assistant",
|
||||
"editor": {
|
||||
"activate_user": "Aktivovat uživatele",
|
||||
"active": "Aktivní",
|
||||
"active_tooltip": "Určuje, zda se uživatel může přihlásit",
|
||||
"admin": "Administrátor",
|
||||
"caption": "Zobrazit uživatele",
|
||||
"change_password": "Změnit heslo",
|
||||
@@ -2565,7 +2625,7 @@
|
||||
"value": "Hodnota",
|
||||
"wakeup_interval": "Interval probuzení"
|
||||
},
|
||||
"description": "Spravujte svou síť Z-Wave",
|
||||
"description": "Správa síťě Z-Wave",
|
||||
"learn_more": "Další informace o Z-Wave",
|
||||
"network_management": {
|
||||
"header": "Správa sítě Z-Wave",
|
||||
@@ -2704,11 +2764,11 @@
|
||||
},
|
||||
"templates": {
|
||||
"all_listeners": "Tato šablona naslouchá všem změnám stavu.",
|
||||
"description": "Šablony jsou vykreslovány pomocí Jinja2 šablonového enginu s některými specifickými rozšířeními pro Home Assistant.",
|
||||
"description": "Šablony jsou vykreslovány pomocí šablonovacího systému Jinja2 s některými specifickými rozšířeními pro Home Assistant.",
|
||||
"domain": "Doména",
|
||||
"editor": "Editor šablon",
|
||||
"entity": "Entita",
|
||||
"jinja_documentation": "Dokumentace šablony Jinja2",
|
||||
"jinja_documentation": "Dokumentace šablon Jinja2",
|
||||
"listeners": "Tato šablona naslouchá následujícím změnám stavu:",
|
||||
"no_listeners": "Tato šablona nenaslouchá žádným událostem a nebude automaticky aktualizována.",
|
||||
"reset": "Obnovit ukázkovou šablonu",
|
||||
@@ -2716,7 +2776,7 @@
|
||||
"template_extensions": "Rozšíření šablony Home Assistant",
|
||||
"time": "Tato šablona se aktualizuje na začátku každé minuty.",
|
||||
"title": "Šablony",
|
||||
"unknown_error_template": "Šablona vykreslování neznámých chyb"
|
||||
"unknown_error_template": "Neznámá chyba při vykreslení šablony"
|
||||
}
|
||||
}
|
||||
},
|
||||
@@ -2781,7 +2841,7 @@
|
||||
}
|
||||
},
|
||||
"changed_toast": {
|
||||
"message": "Nastavení Lovelace pro tento dashboard bylo aktualizováno. Chcete obnovit stránku?",
|
||||
"message": "Nastavení Lovelace pro tento ovládací panel bylo aktualizováno. Chcete obnovit stránku?",
|
||||
"refresh": "Obnovit"
|
||||
},
|
||||
"editor": {
|
||||
@@ -3122,17 +3182,17 @@
|
||||
"save_config": {
|
||||
"cancel": "Zahodit změnu",
|
||||
"close": "Zavřít",
|
||||
"empty_config": "Začít s prázdným dashboardem",
|
||||
"empty_config": "Začít s prázdným ovládacím panel",
|
||||
"header": "Převzít kontrolu nad vaší Lovelace UI",
|
||||
"para": "Tento dashboard momentálně spravuje Home Assistant. Je automaticky aktualizován při přidání nové entity nebo Lovelace komponenty. Pokud převezmete kontrolu, nebudeme již provádět změny automaticky za vás. Vždy si můžete vytvořit nový dashboard na hraní.",
|
||||
"para": "Tento ovládací panel momentálně spravuje Home Assistant. Je automaticky aktualizován při přidání nové entity nebo Lovelace komponenty. Pokud převezmete kontrolu, nebudeme již provádět změny automaticky za vás. Vždy si můžete vytvořit nový ovládací panel na hraní.",
|
||||
"para_sure": "Opravdu chcete převzít kontrolu nad uživalským rozhraním ?",
|
||||
"save": "Převzít kontrolu",
|
||||
"yaml_config": "Abyste mohli snadněji začít, zde je aktuální nastavení tohoto dashboardu:",
|
||||
"yaml_control": "Chcete-li převzít kontrolu v režimu YAML, vytvořte soubor YAML s názvem, který jste uvedli ve svém nastavení pro tento dashboard, nebo výchozí \"ui-lovelace.yaml\".",
|
||||
"yaml_config": "Abyste mohli snadněji začít, zde je aktuální nastavení tohoto ovládacího panelu:",
|
||||
"yaml_control": "Chcete-li převzít kontrolu v režimu YAML, vytvořte soubor YAML s názvem, který jste uvedli ve svém nastavení pro tento ovládací panel, nebo výchozí \"ui-lovelace.yaml\".",
|
||||
"yaml_mode": "Používáte režim YAML, což znamená, že nemůžete změnit nastavení Lovelace z uživatelského rozhraní. Pokud chcete měnit Lovelace z uživatelského rozhraní, odstraňte \"mode: yaml\" z vašeho nastavení Lovelace v \"configuration.yaml\"."
|
||||
},
|
||||
"select_view": {
|
||||
"dashboard_label": "Dashboard",
|
||||
"dashboard_label": "Ovládací panel",
|
||||
"header": "Vyberte pohled"
|
||||
},
|
||||
"sub-element-editor": {
|
||||
@@ -3157,7 +3217,7 @@
|
||||
},
|
||||
"menu": {
|
||||
"close": "Zavřít",
|
||||
"configure_ui": "Upravit Dashboard",
|
||||
"configure_ui": "Upravit ovládací panel",
|
||||
"exit_edit_mode": "Ukončit režim úprav uživatelského rozhraní",
|
||||
"help": "Nápověda",
|
||||
"refresh": "Obnovit",
|
||||
@@ -3391,10 +3451,13 @@
|
||||
"change_password": {
|
||||
"confirm_new_password": "Potvrďte nové heslo",
|
||||
"current_password": "Současné heslo",
|
||||
"error_new_is_old": "Nové heslo se musí lišit od aktuálního hesla",
|
||||
"error_new_mismatch": "Zadaná nová hesla se neshodují",
|
||||
"error_required": "Povinný",
|
||||
"header": "Změnit heslo",
|
||||
"new_password": "Nové heslo",
|
||||
"submit": "Odeslat"
|
||||
"submit": "Odeslat",
|
||||
"success": "Heslo bylo úspěšně změněno"
|
||||
},
|
||||
"current_user": "Nyní jste přihlášeni jako {fullName}.",
|
||||
"customize_sidebar": {
|
||||
@@ -3403,9 +3466,9 @@
|
||||
"header": "Změna pořadí a skrytí položek postranního panelu"
|
||||
},
|
||||
"dashboard": {
|
||||
"description": "Vyberte výchozí dashboard pro toto zařízení.",
|
||||
"dropdown_label": "Dashboard",
|
||||
"header": "Dashboard"
|
||||
"description": "Vyberte výchozí ovládací panel pro toto zařízení.",
|
||||
"dropdown_label": "Ovládací panel",
|
||||
"header": "Ovládací panel"
|
||||
},
|
||||
"enable_shortcuts": {
|
||||
"description": "Povolte nebo zakažte klávesové zkratky pro provádění různých akcí v uživatelském rozhraní.",
|
||||
|
@@ -710,6 +710,9 @@
|
||||
"service-picker": {
|
||||
"service": "Dienst"
|
||||
},
|
||||
"target-picker": {
|
||||
"remove_area_id": "Bereich entfernen"
|
||||
},
|
||||
"user-picker": {
|
||||
"add_user": "Benutzer hinzufügen",
|
||||
"no_user": "Kein Benutzer",
|
||||
@@ -1692,6 +1695,11 @@
|
||||
"description": "Verbundene Geräte verwalten",
|
||||
"device_info": "Geräteinformationen",
|
||||
"device_not_found": "Gerät nicht gefunden.",
|
||||
"disabled": "Deaktiviert",
|
||||
"disabled_by": {
|
||||
"user": "Benutzer"
|
||||
},
|
||||
"enabled_label": "Gerät aktivieren",
|
||||
"entities": {
|
||||
"add_entities_lovelace": "Zu Lovelace hinzufügen",
|
||||
"disabled_entities": "+{count} {count, plural,\n one {deaktivierte Entität}\n other {deaktivierte Entitäten}\n}",
|
||||
@@ -1701,6 +1709,13 @@
|
||||
},
|
||||
"name": "Name",
|
||||
"no_devices": "Keine Geräte",
|
||||
"picker": {
|
||||
"filter": {
|
||||
"filter": "Filter",
|
||||
"show_all": "Alle anzeigen"
|
||||
},
|
||||
"search": "Geräte suchen"
|
||||
},
|
||||
"scene": {
|
||||
"create": "Szene mit Gerät erstellen",
|
||||
"no_scenes": "Keine Szenen",
|
||||
@@ -3407,10 +3422,12 @@
|
||||
"change_password": {
|
||||
"confirm_new_password": "Neues Passwort Bestätigen",
|
||||
"current_password": "Aktuelles Passwort",
|
||||
"error_new_is_old": "Das neue Kennwort muss sich von dem aktuellen Kennwort unterscheiden.",
|
||||
"error_required": "Erforderlich",
|
||||
"header": "Passwort ändern",
|
||||
"new_password": "Neues Passwort",
|
||||
"submit": "Absenden"
|
||||
"submit": "Absenden",
|
||||
"success": "Das Passwort wurde erfolgreich geändert"
|
||||
},
|
||||
"current_user": "Du bist derzeit als {fullName} angemeldet.",
|
||||
"customize_sidebar": {
|
||||
|
@@ -547,6 +547,8 @@
|
||||
"add_new": "Add new area…",
|
||||
"area": "Area",
|
||||
"clear": "Clear",
|
||||
"no_areas": "You don't have any areas",
|
||||
"no_match": "No matching areas found",
|
||||
"show_areas": "Show areas"
|
||||
},
|
||||
"blueprint-picker": {
|
||||
@@ -567,6 +569,8 @@
|
||||
"clear": "Clear",
|
||||
"device": "Device",
|
||||
"no_area": "No area",
|
||||
"no_devices": "You don't have any devices",
|
||||
"no_match": "No matching devices found",
|
||||
"show_devices": "Show devices",
|
||||
"toggle": "Toggle"
|
||||
},
|
||||
@@ -578,6 +582,7 @@
|
||||
"entity-picker": {
|
||||
"clear": "Clear",
|
||||
"entity": "Entity",
|
||||
"no_match": "No matching entities found",
|
||||
"show_entities": "Show entities"
|
||||
}
|
||||
},
|
||||
@@ -1043,7 +1048,7 @@
|
||||
"confirmation_text": "All devices in this area will become unassigned.",
|
||||
"confirmation_title": "Are you sure you want to delete this area?"
|
||||
},
|
||||
"description": "Group devices into areas",
|
||||
"description": "Group devices and entities into areas",
|
||||
"editor": {
|
||||
"area_id": "Area ID",
|
||||
"create": "Create",
|
||||
@@ -1413,15 +1418,15 @@
|
||||
"blueprint": {
|
||||
"add": {
|
||||
"error_no_url": "Please enter the URL of the blueprint.",
|
||||
"file_name": "Local blueprint file name",
|
||||
"header": "Add new blueprint",
|
||||
"import_btn": "Import blueprint",
|
||||
"import_header": "Import \"{name}\" (type: {domain})",
|
||||
"file_name": "Blueprint Path",
|
||||
"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.",
|
||||
"importing": "Importing blueprint...",
|
||||
"importing": "Loading blueprint...",
|
||||
"raw_blueprint": "Blueprint content",
|
||||
"save_btn": "Save blueprint",
|
||||
"saving": "Saving blueprint...",
|
||||
"save_btn": "Import blueprint",
|
||||
"saving": "Importing blueprint...",
|
||||
"unsupported_blueprint": "This blueprint is not supported",
|
||||
"url": "URL of the blueprint"
|
||||
},
|
||||
@@ -1438,8 +1443,8 @@
|
||||
"file_name": "File name",
|
||||
"name": "Name"
|
||||
},
|
||||
"introduction": "The blueprint editor allows you to create and edit blueprints.",
|
||||
"learn_more": "Learn more about blueprints",
|
||||
"introduction": "The blueprint configuration allows you to import and manage your blueprints.",
|
||||
"learn_more": "Learn more about using blueprints",
|
||||
"use_blueprint": "Create automation"
|
||||
}
|
||||
},
|
||||
@@ -2423,7 +2428,7 @@
|
||||
"username": "Username"
|
||||
},
|
||||
"caption": "Users",
|
||||
"description": "Manage users",
|
||||
"description": "Manage the Home Assistant user accounts",
|
||||
"editor": {
|
||||
"activate_user": "Activate user",
|
||||
"active": "Active",
|
||||
|
@@ -666,6 +666,16 @@
|
||||
"service-picker": {
|
||||
"service": "Servicio"
|
||||
},
|
||||
"target-picker": {
|
||||
"add_area_id": "Seleccionar área",
|
||||
"add_device_id": "Seleccionar dispositivo",
|
||||
"add_entity_id": "Seleccionar entidad",
|
||||
"expand_area_id": "Expanda esta área en los dispositivos y entidades independientes que contiene. Después de expandirlo no actualizará los dispositivos y entidades cuando cambie el área.",
|
||||
"expand_device_id": "Expanda este dispositivo en entidades independientes. Después de expandirlo no actualizará las entidades cuando cambie el dispositivo.",
|
||||
"remove_area_id": "Eliminar área",
|
||||
"remove_device_id": "Eliminar dispositivo",
|
||||
"remove_entity_id": "Eliminar entidad"
|
||||
},
|
||||
"user-picker": {
|
||||
"add_user": "Agregar usuario",
|
||||
"no_user": "Sin usuario",
|
||||
@@ -689,6 +699,7 @@
|
||||
"editor": {
|
||||
"confirm_delete": "¿Está seguro de que desea eliminar esta entrada?",
|
||||
"delete": "Eliminar",
|
||||
"device_disabled": "El dispositivo de esta entidad está deshabilitado.",
|
||||
"enabled_cause": "Deshabilitado por {cause}.",
|
||||
"enabled_delay_confirm": "Las entidades habilitadas se agregarán a Home Assistant en {delay} segundos",
|
||||
"enabled_description": "Las entidades deshabilitadas no serán agregadas a Home Assistant.",
|
||||
@@ -699,6 +710,7 @@
|
||||
"icon_error": "Los iconos deben estar en el formato 'prefijo:nombre del icono', por ejemplo, 'mdi: home'",
|
||||
"name": "Sustituir nombre",
|
||||
"note": "Nota: esto podría no funcionar todavía con todas las integraciones.",
|
||||
"open_device_settings": "Abrir la configuración del dispositivo",
|
||||
"unavailable": "Esta entidad no está disponible actualmente.",
|
||||
"update": "Actualizar"
|
||||
},
|
||||
@@ -1489,6 +1501,7 @@
|
||||
"unknown_condition": "Condición desconocida"
|
||||
},
|
||||
"create": "Crear automatización con dispositivo",
|
||||
"create_disable": "No se puede crear automatización con un dispositivo deshabilitado",
|
||||
"no_automations": "Sin automatizaciones",
|
||||
"no_device_automations": "No hay automatizaciones disponibles para este dispositivo.",
|
||||
"triggers": {
|
||||
@@ -1515,6 +1528,14 @@
|
||||
"description": "Administrar dispositivos conectados",
|
||||
"device_info": "Información del dispositivo",
|
||||
"device_not_found": "Dispositivo no encontrado.",
|
||||
"disabled": "Deshabilitado",
|
||||
"disabled_by": {
|
||||
"config_entry": "Entrada de configuración",
|
||||
"integration": "Integración",
|
||||
"user": "Usuario"
|
||||
},
|
||||
"enabled_description": "Los dispositivos deshabilitados no se mostrarán y las entidades que pertenecen al dispositivo se deshabilitarán y no se agregarán a Home Assistant.",
|
||||
"enabled_label": "Habilitar dispositivo",
|
||||
"entities": {
|
||||
"add_entities_lovelace": "Agregar a Lovelace",
|
||||
"disabled_entities": "+{count} {count, plural,\n one {entidad deshabilitada}\n other {entidades deshabilitadas}\n}",
|
||||
@@ -1524,14 +1545,24 @@
|
||||
},
|
||||
"name": "Nombre",
|
||||
"no_devices": "Sin dispositivos",
|
||||
"picker": {
|
||||
"filter": {
|
||||
"filter": "Filtrar",
|
||||
"show_all": "Mostrar todo",
|
||||
"show_disabled": "Mostrar los dispositivos deshabilitadas"
|
||||
},
|
||||
"search": "Mostrar dispositivos"
|
||||
},
|
||||
"scene": {
|
||||
"create": "Crear escena con dispositivo",
|
||||
"create_disable": "No se puede crear una escena con un dispositivo deshabilitado",
|
||||
"no_scenes": "Sin escenas",
|
||||
"scenes": "Escenas"
|
||||
},
|
||||
"scenes": "Escenas",
|
||||
"script": {
|
||||
"create": "Crear script con dispositivo",
|
||||
"create_disable": "No se puede crear un script con un dispositivo deshabilitado",
|
||||
"no_scripts": "Sin scripts",
|
||||
"scripts": "Scripts"
|
||||
},
|
||||
@@ -2168,6 +2199,7 @@
|
||||
"editor": {
|
||||
"activate_user": "Activar usuario",
|
||||
"active": "Activo",
|
||||
"active_tooltip": "Controla si el usuario puede iniciar sesión",
|
||||
"admin": "Administrador",
|
||||
"caption": "Ver usuario",
|
||||
"change_password": "Cambiar contraseña",
|
||||
@@ -3136,10 +3168,13 @@
|
||||
"change_password": {
|
||||
"confirm_new_password": "Confirmar nueva contraseña",
|
||||
"current_password": "Contraseña actual",
|
||||
"error_new_is_old": "La nueva contraseña debe ser diferente a la contraseña actual",
|
||||
"error_new_mismatch": "Las contraseñas no coinciden",
|
||||
"error_required": "Necesario",
|
||||
"header": "Cambiar contraseña",
|
||||
"new_password": "Nueva contraseña",
|
||||
"submit": "Enviar"
|
||||
"submit": "Enviar",
|
||||
"success": "La contraseña se cambió con éxito"
|
||||
},
|
||||
"current_user": "Actualmente estás conectado como {fullName} .",
|
||||
"customize_sidebar": {
|
||||
|
@@ -2,6 +2,7 @@
|
||||
"config_entry": {
|
||||
"disabled_by": {
|
||||
"config_entry": "Entrada de configuración",
|
||||
"device": "Dispositivo",
|
||||
"integration": "Integración",
|
||||
"user": "Usuario"
|
||||
}
|
||||
@@ -546,6 +547,8 @@
|
||||
"add_new": "Añade una nueva área ...",
|
||||
"area": "Área",
|
||||
"clear": "Limpiar",
|
||||
"no_areas": "No tienes áreas",
|
||||
"no_match": "No se han encontrado áreas coincidentes",
|
||||
"show_areas": "Mostrar áreas"
|
||||
},
|
||||
"blueprint-picker": {
|
||||
@@ -566,6 +569,8 @@
|
||||
"clear": "Limpiar",
|
||||
"device": "Dispositivo",
|
||||
"no_area": "Ningún área",
|
||||
"no_devices": "No tienes ningún dispositivo",
|
||||
"no_match": "No se han encontrado dispositivos coincidentes",
|
||||
"show_devices": "Mostrar dispositivos",
|
||||
"toggle": "Interruptor"
|
||||
},
|
||||
@@ -577,6 +582,7 @@
|
||||
"entity-picker": {
|
||||
"clear": "Limpiar",
|
||||
"entity": "Entidad",
|
||||
"no_match": "No se han encontrado entidades coincidentes",
|
||||
"show_entities": "Mostrar entidades"
|
||||
}
|
||||
},
|
||||
@@ -710,6 +716,16 @@
|
||||
"service-picker": {
|
||||
"service": "Servicio"
|
||||
},
|
||||
"target-picker": {
|
||||
"add_area_id": "Seleccionar área",
|
||||
"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.",
|
||||
"remove_area_id": "Eliminar área",
|
||||
"remove_device_id": "Eliminar dispositivo",
|
||||
"remove_entity_id": "Eliminar entidad"
|
||||
},
|
||||
"user-picker": {
|
||||
"add_user": "Añadir usuario",
|
||||
"no_user": "Sin usuario",
|
||||
@@ -733,6 +749,7 @@
|
||||
"editor": {
|
||||
"confirm_delete": "¿Estás seguro de que quieres eliminar este elemento?",
|
||||
"delete": "Eliminar",
|
||||
"device_disabled": "El dispositivo de esta entidad está deshabilitado.",
|
||||
"enabled_cause": "Desactivado por {cause}.",
|
||||
"enabled_delay_confirm": "Las entidades habilitadas se agregarán a Home Assistant en {delay} segundos",
|
||||
"enabled_description": "Las entidades deshabilitadas no se agregarán a Home Assistant.",
|
||||
@@ -743,6 +760,7 @@
|
||||
"icon_error": "Los iconos deben tener el formato 'prefijo:nombreicono', por ejemplo, 'mdi:home'",
|
||||
"name": "Nombre",
|
||||
"note": "Nota: puede que esto no funcione todavía con todas las integraciones",
|
||||
"open_device_settings": "Abrir la configuración del dispositivo",
|
||||
"unavailable": "Esta entidad no está disponible actualmente.",
|
||||
"update": "Actualizar"
|
||||
},
|
||||
@@ -1030,7 +1048,7 @@
|
||||
"confirmation_text": "Todos los dispositivos en esta área quedarán sin asignar.",
|
||||
"confirmation_title": "¿Estás seguro de que deseas eliminar esta área?"
|
||||
},
|
||||
"description": "Administra áreas en tu hogar",
|
||||
"description": "Agrupa dispositivos y entidades en áreas",
|
||||
"editor": {
|
||||
"area_id": "ID de área",
|
||||
"create": "Crear",
|
||||
@@ -1052,7 +1070,7 @@
|
||||
},
|
||||
"automation": {
|
||||
"caption": "Automatizaciones",
|
||||
"description": "Administra las automatizaciones",
|
||||
"description": "Crea reglas de comportamiento personalizadas para tu hogar",
|
||||
"dialog_new": {
|
||||
"blueprint": {
|
||||
"use_blueprint": "Usa un plano"
|
||||
@@ -1075,7 +1093,7 @@
|
||||
"duplicate": "Duplicar",
|
||||
"header": "Acciones",
|
||||
"introduction": "Las acciones son lo que hará Home Assistant cuando se desencadene la automatización.",
|
||||
"learn_more": "Saber más sobre las acciones.",
|
||||
"learn_more": "Aprende más sobre las acciones.",
|
||||
"name": "Acción",
|
||||
"type_select": "Tipo de acción",
|
||||
"type": {
|
||||
@@ -1162,7 +1180,7 @@
|
||||
"duplicate": "Duplicar",
|
||||
"header": "Condiciones",
|
||||
"introduction": "Las condiciones son opcionales e impedirán cualquier\nejecución posterior a menos que se cumplan todas las condiciones.",
|
||||
"learn_more": "Saber más sobre las condiciones",
|
||||
"learn_more": "Aprende más sobre las condiciones",
|
||||
"name": "Condición",
|
||||
"type_select": "Tipo de condición",
|
||||
"type": {
|
||||
@@ -1266,7 +1284,7 @@
|
||||
"duplicate": "Duplicar",
|
||||
"header": "Desencadenantes",
|
||||
"introduction": "Los desencadenantes son los que inician el funcionamiento de una regla de automatización. Es posible especificar varios desencadenantes para la misma regla. Una vez que se inicia un desencadenante, Home Assistant comprobará las condiciones, si las hubiere, y ejecutará la acción.",
|
||||
"learn_more": "Saber más sobre los desencadenantes",
|
||||
"learn_more": "Aprende más sobre los desencadenantes",
|
||||
"name": "Desencadenante",
|
||||
"type_select": "Tipo de desencadenante",
|
||||
"type": {
|
||||
@@ -1374,7 +1392,7 @@
|
||||
"name": "Nombre"
|
||||
},
|
||||
"introduction": "El editor de automatización te permite crear y editar automatizaciones. En el enlace siguiente puedes leer las instrucciones para asegurarte de que has configurado correctamente Home Assistant.",
|
||||
"learn_more": "Saber más sobre las automatizaciones",
|
||||
"learn_more": "Aprende más sobre las automatizaciones",
|
||||
"no_automations": "No pudimos encontrar ninguna automatización editable",
|
||||
"only_editable": "Solo las automatizaciones definidas en automations.yaml son editables.",
|
||||
"pick_automation": "Elije la automatización para editar",
|
||||
@@ -1400,15 +1418,15 @@
|
||||
"blueprint": {
|
||||
"add": {
|
||||
"error_no_url": "Por favor, introduce la URL del plano.",
|
||||
"file_name": "Nombre de archivo del plano local",
|
||||
"header": "Añadir nuevo plano",
|
||||
"import_btn": "Importar plano",
|
||||
"import_header": "Importar {name} (tipo: {domain})",
|
||||
"file_name": "Ruta del plano",
|
||||
"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.",
|
||||
"importing": "Importando plano...",
|
||||
"importing": "Cargando plano...",
|
||||
"raw_blueprint": "Contenido del plano",
|
||||
"save_btn": "Guardar plano",
|
||||
"saving": "Guardando plano...",
|
||||
"save_btn": "Importar plano",
|
||||
"saving": "Importando plano...",
|
||||
"unsupported_blueprint": "Este plano no es compatible",
|
||||
"url": "URL del plano"
|
||||
},
|
||||
@@ -1425,8 +1443,8 @@
|
||||
"file_name": "Nombre de archivo",
|
||||
"name": "Nombre"
|
||||
},
|
||||
"introduction": "El editor de planos te permite crear y editar planos.",
|
||||
"learn_more": "Más información sobre planos",
|
||||
"introduction": "La configuración de planos te permite importar y administrar tus planos.",
|
||||
"learn_more": "Aprende más sobre el uso de planos",
|
||||
"use_blueprint": "Crear automatización"
|
||||
}
|
||||
},
|
||||
@@ -1486,7 +1504,7 @@
|
||||
"webhooks": {
|
||||
"disable_hook_error_msg": "No se pudo deshabilitar el webhook:",
|
||||
"info": "Cualquier cosa que esté configurada para ser activada por un webhook puede recibir una URL de acceso público para permitirte enviar datos a Home Assistant desde cualquier lugar, sin exponer tu instancia a Internet.",
|
||||
"link_learn_more": "Saber más sobre la creación de automatizaciones basadas en webhook.",
|
||||
"link_learn_more": "Aprende más sobre la creación de automatizaciones basadas en webhook.",
|
||||
"loading": "Cargando ...",
|
||||
"manage": "Administrar",
|
||||
"no_hooks_yet": "Parece que aún no tienes webhooks. Comienza configurando un",
|
||||
@@ -1510,7 +1528,7 @@
|
||||
"title": "Alexa"
|
||||
},
|
||||
"caption": "Nube Home Assistant",
|
||||
"description_features": "Control fuera de casa, integración con Alexa y Google 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",
|
||||
"dialog_certificate": {
|
||||
@@ -1566,7 +1584,7 @@
|
||||
"introduction2": "Este servicio está a cargo de nuestro socio.",
|
||||
"introduction2a": ", una compañía fundada por los fundadores de Home Assistant y Hass.io.",
|
||||
"introduction3": "Home Assistant Cloud es un servicio de suscripción con una prueba gratuita de un mes. No se necesita información de pago.",
|
||||
"learn_more_link": "Saber más sobre Home Assistant Cloud",
|
||||
"learn_more_link": "Aprende más sobre Home Assistant Cloud",
|
||||
"password": "Contraseña",
|
||||
"password_error_msg": "Las contraseñas tienen al menos 8 caracteres.",
|
||||
"sign_in": "Inicia sesión",
|
||||
@@ -1605,7 +1623,7 @@
|
||||
},
|
||||
"core": {
|
||||
"caption": "Configuración general",
|
||||
"description": "Cambia la configuración general de Home Assistant",
|
||||
"description": "Sistema de unidades, ubicación, zona horaria y otros parámetros generales",
|
||||
"section": {
|
||||
"core": {
|
||||
"core_config": {
|
||||
@@ -1667,6 +1685,7 @@
|
||||
"unknown_condition": "Condición desconocida"
|
||||
},
|
||||
"create": "Crear automatización con el dispositivo",
|
||||
"create_disable": "No se puede crear una automatización con un dispositivo deshabilitado",
|
||||
"no_automations": "Sin automatizaciones",
|
||||
"no_device_automations": "No hay automatizaciones disponibles para este dispositivo.",
|
||||
"triggers": {
|
||||
@@ -1692,9 +1711,18 @@
|
||||
"no_devices": "Sin dispositivos"
|
||||
},
|
||||
"delete": "Eliminar",
|
||||
"description": "Administrar dispositivos conectados",
|
||||
"description": "Administra dispositivos configurados",
|
||||
"device_info": "Información del dispositivo",
|
||||
"device_not_found": "Dispositivo no encontrado.",
|
||||
"disabled": "Deshabilitado",
|
||||
"disabled_by": {
|
||||
"config_entry": "Entrada de configuración",
|
||||
"integration": "Integración",
|
||||
"user": "Usuario"
|
||||
},
|
||||
"enabled_cause": "El dispositivo está deshabilitado por {cause} .",
|
||||
"enabled_description": "Los dispositivos deshabilitados no se mostrarán y las entidades que pertenecen al dispositivo se deshabilitarán y no se añadirán a Home Assistant.",
|
||||
"enabled_label": "Habilitar dispositivo",
|
||||
"entities": {
|
||||
"add_entities_lovelace": "Añadir a Lovelace",
|
||||
"disabled_entities": "+{count} {count, plural,\n one {entidad deshabilitada}\n other {entidades deshabilitadas}\n}",
|
||||
@@ -1704,14 +1732,25 @@
|
||||
},
|
||||
"name": "Nombre",
|
||||
"no_devices": "Sin dispositivos",
|
||||
"picker": {
|
||||
"filter": {
|
||||
"filter": "Filtrar",
|
||||
"hidden_devices": "{number} {number, plural,\n one {dispositivo oculto}\n other {dispositivos ocultos}\n}",
|
||||
"show_all": "Mostrar todo",
|
||||
"show_disabled": "Mostrar dispositivos deshabilitados"
|
||||
},
|
||||
"search": "Buscar dispositivos"
|
||||
},
|
||||
"scene": {
|
||||
"create": "Crear escena con el dispositivo",
|
||||
"create_disable": "No se puede crear una escena con un dispositivo deshabilitado",
|
||||
"no_scenes": "Sin escenas",
|
||||
"scenes": "Escenas"
|
||||
},
|
||||
"scenes": "Escenas",
|
||||
"script": {
|
||||
"create": "Crear script con el dispositivo",
|
||||
"create_disable": "No se puede crear un script con un dispositivo deshabilitado",
|
||||
"no_scripts": "Sin scripts",
|
||||
"scripts": "Scripts"
|
||||
},
|
||||
@@ -1777,7 +1816,7 @@
|
||||
"header": "Configurar Home Assistant",
|
||||
"helpers": {
|
||||
"caption": "Ayudantes",
|
||||
"description": "Administra los elementos que pueden ayudar a construir automatizaciones.",
|
||||
"description": "Elementos que ayudan a construir automatizaciones",
|
||||
"dialog": {
|
||||
"add_helper": "Añadir ayudante",
|
||||
"add_platform": "Añadir {platform}",
|
||||
@@ -1809,7 +1848,7 @@
|
||||
"copy_github": "Para GitHub",
|
||||
"copy_raw": "Texto sin procesar",
|
||||
"custom_uis": "IU personalizadas:",
|
||||
"description": "Ver información sobre tu instalación de Home Assistant",
|
||||
"description": "Versión, estado del sistema y enlaces a la documentación",
|
||||
"developed_by": "Desarrollado por un montón de gente impresionante.",
|
||||
"documentation": "Documentación",
|
||||
"frontend": "interfaz de usuario",
|
||||
@@ -1915,7 +1954,7 @@
|
||||
},
|
||||
"configure": "Configurar",
|
||||
"configured": "Configurado",
|
||||
"description": "Administra las integraciones",
|
||||
"description": "Gestiona integraciones con servicios, dispositivos, ...",
|
||||
"details": "Detalles de la integración",
|
||||
"discovered": "Descubierto",
|
||||
"home_assistant_website": "Sitio web de Home Assistant",
|
||||
@@ -2000,7 +2039,7 @@
|
||||
"open": "Abrir"
|
||||
}
|
||||
},
|
||||
"description": "Administra tus Paneles de Control Lovelace",
|
||||
"description": "Crea conjuntos personalizados de tarjetas para controlar tu hogar",
|
||||
"resources": {
|
||||
"cant_edit_yaml": "Estás utilizando Lovelace en modo YAML, por tanto no puedes administrar tus recursos a través de la IU. Adminístralos en configuration.yaml.",
|
||||
"caption": "Recursos",
|
||||
@@ -2190,7 +2229,7 @@
|
||||
"update": "Actualizar"
|
||||
},
|
||||
"introduction": "Aquí puedes definir a cada persona de interés en Home Assistant.",
|
||||
"learn_more": "Saber más sobre las personas",
|
||||
"learn_more": "Aprende más sobre las personas",
|
||||
"no_persons_created_yet": "Parece que aún no has creado ninguna persona.",
|
||||
"note_about_persons_configured_in_yaml": "Nota: las personas configuradas a través de configuration.yaml no se pueden editar a través de la IU.",
|
||||
"person_not_found": "No pudimos encontrar a la persona que intentabas editar.",
|
||||
@@ -2199,7 +2238,7 @@
|
||||
"scene": {
|
||||
"activated": "Activada escena {name}.",
|
||||
"caption": "Escenas",
|
||||
"description": "Administra las escenas",
|
||||
"description": "Captura los estados de los dispositivos y recupéralos fácilmente más tarde",
|
||||
"editor": {
|
||||
"default_name": "Nueva Escena",
|
||||
"devices": {
|
||||
@@ -2234,7 +2273,7 @@
|
||||
"name": "Nombre"
|
||||
},
|
||||
"introduction": "El editor de escenas te permite crear y editar escenas. Por favor, sigue el siguiente enlace para leer las instrucciones para asegurarte de que has configurado Home Assistant correctamente.",
|
||||
"learn_more": "Saber más sobre las escenas",
|
||||
"learn_more": "Aprende más sobre las escenas",
|
||||
"no_scenes": "No pudimos encontrar ninguna escena editable",
|
||||
"only_editable": "Solo las escenas definidas en scenes.yaml son editables.",
|
||||
"pick_scene": "Elige una escena para editar",
|
||||
@@ -2243,7 +2282,7 @@
|
||||
},
|
||||
"script": {
|
||||
"caption": "Scripts",
|
||||
"description": "Administra los scripts",
|
||||
"description": "Ejecuta una secuencia de acciones",
|
||||
"editor": {
|
||||
"alias": "Nombre",
|
||||
"default_name": "Nuevo script",
|
||||
@@ -2255,7 +2294,7 @@
|
||||
"id_already_exists": "Este ID ya existe",
|
||||
"id_already_exists_save_error": "No puedes guardar este script porque el ID no es único, elije otro ID o déjalo en blanco para generar uno automáticamente.",
|
||||
"introduction": "Utiliza scripts para ejecutar una secuencia de acciones.",
|
||||
"link_available_actions": "Saber más sobre las acciones disponibles.",
|
||||
"link_available_actions": "Aprende más sobre las acciones disponibles.",
|
||||
"load_error_not_editable": "Solo los scripts dentro de scripts.yaml son editables.",
|
||||
"max": {
|
||||
"parallel": "Número máximo de ejecuciones paralelas",
|
||||
@@ -2284,7 +2323,7 @@
|
||||
"name": "Nombre"
|
||||
},
|
||||
"introduction": "El editor de scripts te permite crear y editar scripts. Por favor, sigue el siguiente enlace para leer las instrucciones para asegurarte de que has configurado Home Assistant correctamente.",
|
||||
"learn_more": "Saber más sobre los scripts",
|
||||
"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",
|
||||
@@ -2354,7 +2393,7 @@
|
||||
"confirm_remove": "¿Estás seguro de que quieres eliminar la etiqueta {tag} ?",
|
||||
"confirm_remove_title": "¿Eliminar etiqueta?",
|
||||
"create_automation": "Crear automatización con etiqueta",
|
||||
"description": "Administrar etiquetas",
|
||||
"description": "Activa automatizaciones cuando se escanea una etiqueta NFC, un código QR, etc.",
|
||||
"detail": {
|
||||
"companion_apps": "aplicaciones complementarias",
|
||||
"create": "Crear",
|
||||
@@ -2373,7 +2412,7 @@
|
||||
"last_scanned": "Última vez escaneada",
|
||||
"name": "Nombre"
|
||||
},
|
||||
"learn_more": "Más información sobre las etiquetas",
|
||||
"learn_more": "Aprende más sobre las etiquetas",
|
||||
"never_scanned": "Nunca escaneado",
|
||||
"no_tags": "Sin etiquetas",
|
||||
"write": "Escribir"
|
||||
@@ -2389,10 +2428,11 @@
|
||||
"username": "Nombre de usuario"
|
||||
},
|
||||
"caption": "Usuarios",
|
||||
"description": "Administra usuarios",
|
||||
"description": "Administra las cuentas de usuario de Home Assistant",
|
||||
"editor": {
|
||||
"activate_user": "Activar usuario",
|
||||
"active": "Activo",
|
||||
"active_tooltip": "Controla si el usuario puede iniciar sesión",
|
||||
"admin": "Administrador",
|
||||
"caption": "Ver usuario",
|
||||
"change_password": "Cambiar la contraseña",
|
||||
@@ -2586,7 +2626,7 @@
|
||||
"wakeup_interval": "Intervalo de activación"
|
||||
},
|
||||
"description": "Administra tu red Z-Wave",
|
||||
"learn_more": "Saber más sobre Z-Wave",
|
||||
"learn_more": "Aprende más sobre Z-Wave",
|
||||
"network_management": {
|
||||
"header": "Administración de red Z-Wave",
|
||||
"introduction": "Ejecutar comandos que afectan a la red Z-Wave. No recibirás comentarios sobre si la mayoría de los comandos tuvieron éxito, pero puedes consultar el Registro OZW para intentar averiguarlo."
|
||||
@@ -3325,7 +3365,7 @@
|
||||
"demo": {
|
||||
"demo_by": "por {name}",
|
||||
"introduction": "¡Bienvenido a casa! Has llegado a la demostración de Home Assistant donde mostramos las mejores interfaces de usuario creadas por nuestra comunidad.",
|
||||
"learn_more": "Saber más sobre Home Assistant",
|
||||
"learn_more": "Aprende más sobre Home Assistant",
|
||||
"next_demo": "Siguiente demostración"
|
||||
}
|
||||
},
|
||||
@@ -3405,16 +3445,19 @@
|
||||
"profile": {
|
||||
"advanced_mode": {
|
||||
"description": "Desbloquea las funciones avanzadas.",
|
||||
"link_promo": "Saber más",
|
||||
"link_promo": "Aprende más",
|
||||
"title": "Modo avanzado"
|
||||
},
|
||||
"change_password": {
|
||||
"confirm_new_password": "Confirmar nueva contraseña",
|
||||
"current_password": "Contraseña actual",
|
||||
"error_new_is_old": "La nueva contraseña debe ser diferente a la contraseña actual",
|
||||
"error_new_mismatch": "Los nuevos valores de contraseña introducidos no coinciden",
|
||||
"error_required": "Obligatorio",
|
||||
"header": "Cambiar contraseña",
|
||||
"new_password": "Nueva contraseña",
|
||||
"submit": "Enviar"
|
||||
"submit": "Enviar",
|
||||
"success": "Contraseña cambiada con éxito"
|
||||
},
|
||||
"current_user": "Has iniciado sesión como {fullName}.",
|
||||
"customize_sidebar": {
|
||||
@@ -3483,7 +3526,7 @@
|
||||
"error_load_platform": "Configurar notify.html5.",
|
||||
"error_use_https": "Requiere SSL activado para frontend.",
|
||||
"header": "Notificaciones push",
|
||||
"link_promo": "Saber más",
|
||||
"link_promo": "Aprende más",
|
||||
"push_notifications": "Notificaciones push"
|
||||
},
|
||||
"refresh_tokens": {
|
||||
|
@@ -2,6 +2,7 @@
|
||||
"config_entry": {
|
||||
"disabled_by": {
|
||||
"config_entry": "Seade kanne",
|
||||
"device": "Seade",
|
||||
"integration": "Sidumine",
|
||||
"user": "Kasutaja"
|
||||
}
|
||||
@@ -546,6 +547,8 @@
|
||||
"add_new": "Lisa uus ala...",
|
||||
"area": "Ala",
|
||||
"clear": "Puhasta",
|
||||
"no_areas": "Alad puuduvad",
|
||||
"no_match": "Sobivaid alasid ei leitud",
|
||||
"show_areas": "Näita alasid"
|
||||
},
|
||||
"blueprint-picker": {
|
||||
@@ -566,6 +569,8 @@
|
||||
"clear": "Puhasta",
|
||||
"device": "Seade",
|
||||
"no_area": "Ala puudub",
|
||||
"no_devices": "Seadmed puuduvad",
|
||||
"no_match": "Sobivaid seadmeid ei leitud",
|
||||
"show_devices": "Näita seadmeid",
|
||||
"toggle": "Lülita"
|
||||
},
|
||||
@@ -577,6 +582,7 @@
|
||||
"entity-picker": {
|
||||
"clear": "Puhasta",
|
||||
"entity": "Olem",
|
||||
"no_match": "Sobivaid olemeid ei leitud",
|
||||
"show_entities": "Näita olemeid"
|
||||
}
|
||||
},
|
||||
@@ -585,7 +591,7 @@
|
||||
"no_history_found": "Oleku ajalugu ei leitud"
|
||||
},
|
||||
"logbook": {
|
||||
"by": "allikas:",
|
||||
"by": ", allikas:",
|
||||
"by_service": "teenuse poolt",
|
||||
"entries_not_found": "Logiraamatu kandeid ei leitud.",
|
||||
"messages": {
|
||||
@@ -710,6 +716,16 @@
|
||||
"service-picker": {
|
||||
"service": "Teenus"
|
||||
},
|
||||
"target-picker": {
|
||||
"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.",
|
||||
"remove_area_id": "Eemalda ala",
|
||||
"remove_device_id": "Eemalda seade",
|
||||
"remove_entity_id": "Eemalda olem"
|
||||
},
|
||||
"user-picker": {
|
||||
"add_user": "Lisa kasutaja",
|
||||
"no_user": "Kasutaja puudub",
|
||||
@@ -733,6 +749,7 @@
|
||||
"editor": {
|
||||
"confirm_delete": "Oled kindel, et soovid selle kirje kustutada?",
|
||||
"delete": "Kustuta",
|
||||
"device_disabled": "Selle olemi seade on keelatud.",
|
||||
"enabled_cause": "Keelatud, sest {cause}.",
|
||||
"enabled_delay_confirm": "Lubatud üksused lisatakse Home Assistanti {delay} sekundi pärast",
|
||||
"enabled_description": "Keelatud olemeid ei lisata Home Assistant'i.",
|
||||
@@ -743,6 +760,7 @@
|
||||
"icon_error": "Ikoonid peaksid olema vormingus 'prefix: iconname', nt 'mdi: home'",
|
||||
"name": "Nime muutmine",
|
||||
"note": "Märkus: see ei pruugi veel töötada kõigi sidumistega.",
|
||||
"open_device_settings": "Seadme sätete avamine",
|
||||
"unavailable": "See olem pole praegu saadaval.",
|
||||
"update": "Uuenda"
|
||||
},
|
||||
@@ -1030,7 +1048,7 @@
|
||||
"confirmation_text": "Kõik sellele ala seadmed jäävad peremehetuks.",
|
||||
"confirmation_title": "Oled kindel, et soovid selle ala kustutada?"
|
||||
},
|
||||
"description": "Ülevaade kõikidest oma kodu aladest.",
|
||||
"description": "Seadmete ja olemite rühmitamine aladesse",
|
||||
"editor": {
|
||||
"area_id": "Piirkonna ID",
|
||||
"create": "LOO",
|
||||
@@ -1052,7 +1070,7 @@
|
||||
},
|
||||
"automation": {
|
||||
"caption": "Automatiseeringud",
|
||||
"description": "Loo ja redigeeri automatiseeringuid",
|
||||
"description": "Loo oma kodu jaoks kohandatud käitumisreeglid",
|
||||
"dialog_new": {
|
||||
"blueprint": {
|
||||
"use_blueprint": "Kasuta kavandit"
|
||||
@@ -1400,19 +1418,19 @@
|
||||
"blueprint": {
|
||||
"add": {
|
||||
"error_no_url": "Sisesta kavandi URL.",
|
||||
"file_name": "Kohaliku kavandifaili nimi",
|
||||
"header": "Uue kavandi lisamine",
|
||||
"import_btn": "Impordi kavand",
|
||||
"import_header": "Impordi {name} ( type:{domain} )",
|
||||
"import_introduction": "Teiste kasutajate kavandeid saad importida Githubist ja kogukonna foorumitest. Sisesta alloleva kavandi URL.",
|
||||
"importing": "Kavandi importimine ...",
|
||||
"file_name": "Kohaliku kavandifaili asukoht",
|
||||
"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.",
|
||||
"importing": "Kavandi laadimine...",
|
||||
"raw_blueprint": "Kavandi sisu",
|
||||
"save_btn": "Salvesta kavand",
|
||||
"saving": "Kavandi salvestamine ...",
|
||||
"save_btn": "Impordi kavand",
|
||||
"saving": "Kavandiimportimine...",
|
||||
"unsupported_blueprint": "Seda kavandit ei toetata",
|
||||
"url": "Kavandi URL"
|
||||
},
|
||||
"caption": "",
|
||||
"caption": "Kavandid",
|
||||
"description": "Kavandite haldamine",
|
||||
"overview": {
|
||||
"add_blueprint": "Laadi kavand",
|
||||
@@ -1425,8 +1443,8 @@
|
||||
"file_name": "Faili nimi",
|
||||
"name": "Nimi"
|
||||
},
|
||||
"introduction": "Kavandite redaktor võimaldab luua ja muuta kavandeid.",
|
||||
"learn_more": "Lisateave kavandite kohta",
|
||||
"introduction": "Kavandite seadistus võimaldab importida ja hallata oma kavandeid.",
|
||||
"learn_more": "Lisateave kavandite kasutamise kohta",
|
||||
"use_blueprint": "Loo automatiseering"
|
||||
}
|
||||
},
|
||||
@@ -1456,7 +1474,7 @@
|
||||
"enable_state_reporting": "Lubada olekuteavitused",
|
||||
"enter_pin_error": "PIN-koodi ei saa salvestada:",
|
||||
"enter_pin_hint": "Turvaseadmete kasutamiseks sisesta PIN",
|
||||
"enter_pin_info": "Turvaseadmetega suhtlemiseks sisestage PIN-kood. Turvaseadmed on uksed, garaažiuksed ja lukud. Google Assistanti kaudu selliste seadmetega suheldes palutakse Teil see PIN-kood öelda / sisestada.",
|
||||
"enter_pin_info": "Turvaseadmetega suhtlemiseks sisesta PIN-kood. Turvaseadmed on uksed, garaažiuksed ja lukud. Google Assistanti kaudu selliste seadmetega suheldes palutakse Teil see PIN-kood öelda / sisestada.",
|
||||
"info": "Google Assistanti integreerimisel läbi Home Assistant Cloudi saate juhtida kõiki oma Home Assistanti seadmeid mis tahes Google Assistanti toega seadme kaudu.",
|
||||
"info_state_reporting": "Kui lubate olekute avaldamise, saadab Home Assistant Google'ile kõik avaldatud olemite olekumuutused. See võimaldab Teil alati näha Google'i rakenduses uusimaid olekuid.",
|
||||
"manage_entities": "Halda olemeid",
|
||||
@@ -1478,7 +1496,7 @@
|
||||
"info": "Home Assistant Cloud pakub turvalist kaugühendust teie Home Assistantiga kodust eemal olles.",
|
||||
"instance_is_available": "Teie Home Assistant on saadaval aadressil",
|
||||
"instance_will_be_available": "Teie Home Assistanti on aadressiks saab",
|
||||
"link_learn_how_it_works": "Loe, kuidas see töötab",
|
||||
"link_learn_how_it_works": "Loe kuidas see töötab",
|
||||
"title": "Kaugjuhtimine"
|
||||
},
|
||||
"sign_out": "Logi välja",
|
||||
@@ -1535,7 +1553,7 @@
|
||||
"check_your_email": "Parooli lähtestamise kohta saate juhiseid oma e-posti aadressilt.",
|
||||
"email": "E-post",
|
||||
"email_error_msg": "Vigane meiliaadress",
|
||||
"instructions": "Sisestage oma e-posti aadress ja me saadame teile lingi parooli lähtestamiseks.",
|
||||
"instructions": "Sisesta oma e-posti aadress ja me saadame teile lingi parooli lähtestamiseks.",
|
||||
"send_reset_email": "Saatke lähtestamismeil",
|
||||
"subtitle": "Unustasid oma salasõna",
|
||||
"title": "Unustasid salasõna"
|
||||
@@ -1605,7 +1623,7 @@
|
||||
},
|
||||
"core": {
|
||||
"caption": "Üldine",
|
||||
"description": "Home Assistant'i üldiste seadete muutmine",
|
||||
"description": "Ühikud, asukoht, ajavöönd ja muud üldised parameetrid",
|
||||
"section": {
|
||||
"core": {
|
||||
"core_config": {
|
||||
@@ -1667,6 +1685,7 @@
|
||||
"unknown_condition": "Tundmatu tingimus"
|
||||
},
|
||||
"create": "Loo seadmega automatiseering",
|
||||
"create_disable": "Keelatud seadmega ei saa automaatiseeringuid luua",
|
||||
"no_automations": "Automatiseeringuid pole",
|
||||
"no_device_automations": "Selle seadme jaoks pole automatiseerimisi saadaval.",
|
||||
"triggers": {
|
||||
@@ -1692,9 +1711,18 @@
|
||||
"no_devices": "Seadmeid pole"
|
||||
},
|
||||
"delete": "Kustuta",
|
||||
"description": "Halda ühendatud seadmeid",
|
||||
"description": "Halda häälestatud seadmeid",
|
||||
"device_info": "Seadme info",
|
||||
"device_not_found": "Seadet ei leitud.",
|
||||
"disabled": "Keelatud",
|
||||
"disabled_by": {
|
||||
"config_entry": "Seade kanne",
|
||||
"integration": "Sidumine",
|
||||
"user": "Kasutaja"
|
||||
},
|
||||
"enabled_cause": "{cause} on seadme keelanud.",
|
||||
"enabled_description": "Keelatud seadmeid ei kuvata ja seadmele kuuluvad olemid keelatakse ning neid ei lisata Home Assistantile.",
|
||||
"enabled_label": "Luba seade",
|
||||
"entities": {
|
||||
"add_entities_lovelace": "Lisa Lovelace'i",
|
||||
"disabled_entities": "{count} {count, plural,\n one {keelatud olem}\n other {keelatud olemit}\n}",
|
||||
@@ -1704,14 +1732,25 @@
|
||||
},
|
||||
"name": "Nimi",
|
||||
"no_devices": "Seadmeid pole",
|
||||
"picker": {
|
||||
"filter": {
|
||||
"filter": "Filtreeri",
|
||||
"hidden_devices": "{number} peidetud {number, plural,\n one {olem}\n other {olemit}\n}",
|
||||
"show_all": "Kuva kõik",
|
||||
"show_disabled": "Kuva keelatud seadmed"
|
||||
},
|
||||
"search": "Otsi seadmeid"
|
||||
},
|
||||
"scene": {
|
||||
"create": "Loo seadmega stseen",
|
||||
"create_disable": "Keelatud seadmega ei saa stseene luua",
|
||||
"no_scenes": "Stseene pole",
|
||||
"scenes": "Stseenid"
|
||||
},
|
||||
"scenes": "Stseenid",
|
||||
"script": {
|
||||
"create": "Loo seadmega skript",
|
||||
"create_disable": "Keelatud seadmega ei saa skripte luua",
|
||||
"no_scripts": "Skripte pole",
|
||||
"scripts": "Skriptid"
|
||||
},
|
||||
@@ -1777,7 +1816,7 @@
|
||||
"header": "Home Assistant'i seadistamine",
|
||||
"helpers": {
|
||||
"caption": "Abimehed",
|
||||
"description": "Hallake elemente mis aitavad automatiseeringuid luua",
|
||||
"description": "Elemendid mis aitavad automatiseeringuid luua",
|
||||
"dialog": {
|
||||
"add_helper": "Lisage abistaja",
|
||||
"add_platform": "Lisa {platform}",
|
||||
@@ -1809,7 +1848,7 @@
|
||||
"copy_github": "GitHubi jaoks",
|
||||
"copy_raw": "Ainult tekst",
|
||||
"custom_uis": "Kohandatud kasutajaliidesed:",
|
||||
"description": "Kuva Home Assistant'i info",
|
||||
"description": "Versioon, süsteemi olek ja lingid dokumentatsioonile",
|
||||
"developed_by": "Tehtud paljude lahedate inimeste poolt.",
|
||||
"documentation": "Dokumentatsioon",
|
||||
"frontend": "frontend-ui",
|
||||
@@ -1827,9 +1866,9 @@
|
||||
"checks": {
|
||||
"cloud": {
|
||||
"alexa_enabled": "Alexa on lubatud",
|
||||
"can_reach_cert_server": "Ühendu serdiserveriga",
|
||||
"can_reach_cloud": "Ühendu Home Assistant Cloudiga",
|
||||
"can_reach_cloud_auth": "Ühendu tuvastusserveriga",
|
||||
"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",
|
||||
@@ -1915,7 +1954,7 @@
|
||||
},
|
||||
"configure": "Seadista",
|
||||
"configured": "Seadistatud",
|
||||
"description": "Halda ja seadista sidumisi",
|
||||
"description": "Halda teenuste, seadmete jne. sidumisi",
|
||||
"details": "Sidumise üksikasjad",
|
||||
"discovered": "Leitud",
|
||||
"home_assistant_website": "Home Assistant veebisait",
|
||||
@@ -2000,7 +2039,7 @@
|
||||
"open": "Ava"
|
||||
}
|
||||
},
|
||||
"description": "Hallake oma Lovelace juhtpaneele",
|
||||
"description": "Loo oma kodu juhtimiseks kohandatud juhtpaneele",
|
||||
"resources": {
|
||||
"cant_edit_yaml": "Kasutate Lovelace YAML režiimis. Seega ei saa Te hallata oma ressursse kasutajaliidese kaudu. Halda neid kirjes configuration.yaml.",
|
||||
"caption": "Ressursid",
|
||||
@@ -2199,7 +2238,7 @@
|
||||
"scene": {
|
||||
"activated": "Stseen {name} on käivitatud.",
|
||||
"caption": "Stseenid",
|
||||
"description": "Loo ja muuda stseene",
|
||||
"description": "Seadme olekute hõivamine ja nende hilisem taaskasutamine",
|
||||
"editor": {
|
||||
"default_name": "Uus stseen",
|
||||
"devices": {
|
||||
@@ -2243,7 +2282,7 @@
|
||||
},
|
||||
"script": {
|
||||
"caption": "Skriptid",
|
||||
"description": "Loo ja muuda skripte",
|
||||
"description": "Vallanda toimingute jada",
|
||||
"editor": {
|
||||
"alias": "Nimi",
|
||||
"default_name": "Uus skript",
|
||||
@@ -2293,7 +2332,7 @@
|
||||
},
|
||||
"server_control": {
|
||||
"caption": "Serveri juhtimine",
|
||||
"description": "Taaskäivita ja peata Home Assistant server",
|
||||
"description": "Taaskäivita ja peata Home Assistant serverit",
|
||||
"section": {
|
||||
"reloading": {
|
||||
"automation": "Taaslae automatiseeringud",
|
||||
@@ -2331,7 +2370,7 @@
|
||||
"zone": "Taaslae tsoonid"
|
||||
},
|
||||
"server_management": {
|
||||
"confirm_restart": "Oled kindel, et soovid taaskäivitada Home Assistant'i?",
|
||||
"confirm_restart": "Oled kindel, et soovid Home Assistant'i taaskäivitada?",
|
||||
"confirm_stop": "Oled kindel, et soovid seisata Home Assistant'i?",
|
||||
"heading": "Serveri haldamine",
|
||||
"introduction": "Kontrolli oma Home Assistant serverit... Home Assistant'ist.",
|
||||
@@ -2354,7 +2393,7 @@
|
||||
"confirm_remove": "Kas soovid kindlasti eemaldada märgise {tag}?",
|
||||
"confirm_remove_title": "Kas kustutan märgise?",
|
||||
"create_automation": "Lisa automatiseering TAG abil",
|
||||
"description": "Halda TAGe",
|
||||
"description": "Käivita automaatiseering NFC-sildi, QR-koodi jne. skännimisel",
|
||||
"detail": {
|
||||
"companion_apps": "mobiilirakendused",
|
||||
"create": "Loo",
|
||||
@@ -2389,10 +2428,11 @@
|
||||
"username": "Kasutajanimi"
|
||||
},
|
||||
"caption": "Kasutajad",
|
||||
"description": "Halda kasutajaid",
|
||||
"description": "Halda kasutakontosid",
|
||||
"editor": {
|
||||
"activate_user": "Aktiveeri kasutaja",
|
||||
"active": "Aktiivne",
|
||||
"active_tooltip": "Määrab kas kasutaja saab sisse logida",
|
||||
"admin": "Administraator",
|
||||
"caption": "Vaata kasutajat",
|
||||
"change_password": "Muuda salasõna",
|
||||
@@ -2503,7 +2543,7 @@
|
||||
"caption": "Grupid",
|
||||
"create": "Loo grupp",
|
||||
"create_group": "Zigbee Home Automation - Loo grupp",
|
||||
"create_group_details": "Sisestage uue zigbee grupi loomiseks vajalikud üksikasjad.",
|
||||
"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.",
|
||||
@@ -2832,7 +2872,7 @@
|
||||
},
|
||||
"calendar": {
|
||||
"calendar_entities": "Kalendri olemid",
|
||||
"description": "Kalendri kaardil kuvatakse kalender mis sisaldab päeva, nädala ja loendivaateid",
|
||||
"description": "Kalendri kaardil kuvatakse kalender mis sisaldab päeva-, nädala- ja loendivaateid",
|
||||
"inital_view": "Vaikevaade",
|
||||
"name": "Kalender",
|
||||
"views": {
|
||||
@@ -2857,7 +2897,7 @@
|
||||
"required": "Nõutav"
|
||||
},
|
||||
"entities": {
|
||||
"description": "Olemite kaart on kõige levinum kaarditüüp. See rühmitabolemid loenditeks.",
|
||||
"description": "Olemite kaart on kõige levinum kaarditüüp. See rühmitab olemid loenditeks.",
|
||||
"edit_special_row": "Selle rea üksikasjade vaatamiseks klõpsa nuppu Muuda",
|
||||
"entity_row_editor": "Olemirea redaktor",
|
||||
"entity_row": {
|
||||
@@ -2887,7 +2927,7 @@
|
||||
"toggle": "Vaheta olemeid."
|
||||
},
|
||||
"entity-filter": {
|
||||
"description": "Olemifiltri kaart võimaldab teil määratleda nende olemite loendit mida soovite jälgida ainult teatud olekus.",
|
||||
"description": "Olemifiltri kaart võimaldab teil määratleda nende olemite loendit mida soovid jälgida ainult teatud olekus.",
|
||||
"name": "Olemi filter"
|
||||
},
|
||||
"entity": {
|
||||
@@ -3411,10 +3451,13 @@
|
||||
"change_password": {
|
||||
"confirm_new_password": "Kinnita uut salasõna",
|
||||
"current_password": "Praegune salasõna",
|
||||
"error_new_is_old": "Uus salasõna peab praegusest erinema",
|
||||
"error_new_mismatch": "Sisestatud uus salasõna ei ühti",
|
||||
"error_required": "Nõutav",
|
||||
"header": "Muuda salasõna",
|
||||
"new_password": "Uus salasõna",
|
||||
"submit": "Esita"
|
||||
"submit": "Esita",
|
||||
"success": "Salasõna muutmine õnnestus"
|
||||
},
|
||||
"current_user": "Oled praegu sisse logitud kui {fullName}.",
|
||||
"customize_sidebar": {
|
||||
|
@@ -2,11 +2,13 @@
|
||||
"config_entry": {
|
||||
"disabled_by": {
|
||||
"config_entry": "Asetus",
|
||||
"device": "Laite",
|
||||
"integration": "Integraatio",
|
||||
"user": "Käyttäjä"
|
||||
}
|
||||
},
|
||||
"groups": {
|
||||
"owner": "Omistaja",
|
||||
"system-admin": "Järjestelmänvalvojat",
|
||||
"system-read-only": "Pelkästään luku -käyttäjät",
|
||||
"system-users": "Käyttäjät"
|
||||
@@ -511,15 +513,23 @@
|
||||
"continue": "Jatka",
|
||||
"copied": "Kopioitu",
|
||||
"delete": "Poista",
|
||||
"disable": "Poista käytöstä",
|
||||
"enable": "Ota käyttöön",
|
||||
"error_required": "Pakollinen",
|
||||
"leave": "Poistu",
|
||||
"loading": "Ladataan",
|
||||
"menu": "Valikko",
|
||||
"next": "Seuraava",
|
||||
"no": "Ei",
|
||||
"not_now": "Ei nyt",
|
||||
"overflow_menu": "Ylivuotovalikko",
|
||||
"previous": "Edellinen",
|
||||
"refresh": "Päivitä",
|
||||
"remove": "Poista",
|
||||
"rename": "Nimeä uudelleen",
|
||||
"save": "Tallenna",
|
||||
"skip": "Ohita",
|
||||
"stay": "Pysy",
|
||||
"successfully_deleted": "Poistettu onnistuneesti",
|
||||
"successfully_saved": "Tallennus onnistui",
|
||||
"undo": "Kumoa",
|
||||
@@ -537,8 +547,14 @@
|
||||
"add_new": "Lisää uusi alue...",
|
||||
"area": "Alue",
|
||||
"clear": "Tyhjennä",
|
||||
"no_areas": "Sinulla ei ole alueita",
|
||||
"no_match": "Vastaavia alueita ei löytynyt",
|
||||
"show_areas": "Näytä alueet"
|
||||
},
|
||||
"blueprint-picker": {
|
||||
"add_user": "Lisää käyttäjä",
|
||||
"remove_user": "Poista käyttäjä"
|
||||
},
|
||||
"data-table": {
|
||||
"no-data": "Ei dataa",
|
||||
"search": "Hae"
|
||||
@@ -552,6 +568,8 @@
|
||||
"clear": "Tyhjennä",
|
||||
"device": "Laite",
|
||||
"no_area": "Ei aluetta",
|
||||
"no_devices": "Sinulla ei ole laitteita",
|
||||
"no_match": "Vastaavia laitteita ei löytynyt",
|
||||
"show_devices": "Näytä laitteet",
|
||||
"toggle": "Vaihda"
|
||||
},
|
||||
@@ -563,6 +581,7 @@
|
||||
"entity-picker": {
|
||||
"clear": "Tyhjennä",
|
||||
"entity": "Kohde",
|
||||
"no_match": "Vastaavia kohteita ei löytynyt",
|
||||
"show_entities": "Näytä kohteet"
|
||||
}
|
||||
},
|
||||
@@ -682,6 +701,14 @@
|
||||
"service-picker": {
|
||||
"service": "Palvelu"
|
||||
},
|
||||
"target-picker": {
|
||||
"add_area_id": "Valitse alue",
|
||||
"add_device_id": "Valitse laite",
|
||||
"add_entity_id": "Valitse kohde",
|
||||
"remove_area_id": "Poista alue",
|
||||
"remove_device_id": "Poista laite",
|
||||
"remove_entity_id": "Poista kohde"
|
||||
},
|
||||
"user-picker": {
|
||||
"add_user": "Lisää käyttäjä",
|
||||
"no_user": "Ei käyttäjää",
|
||||
@@ -705,14 +732,17 @@
|
||||
"editor": {
|
||||
"confirm_delete": "Haluatko varmasti poistaa tämän kohteen?",
|
||||
"delete": "Poista",
|
||||
"device_disabled": "Tämän kohteen laite on poistettu käytöstä.",
|
||||
"enabled_cause": "{cause} on poistanut sen käytöstä.",
|
||||
"enabled_description": "Käytöstä poistettuja kohteita ei lisätä Home Assistantiin.",
|
||||
"enabled_label": "Ota kohte käyttöön",
|
||||
"enabled_restart_confirm": "Käynnistä Home Assistant uudelleen, jotta kohteet otetaan käyttöön",
|
||||
"entity_id": "Kohde ID",
|
||||
"icon": "Kuvakkeen yliajo",
|
||||
"icon_error": "Kuvakkeen tulisi olla muodossa etuliite:ikoni, esimerkiksi: mdi:home",
|
||||
"name": "Nimen yliajo",
|
||||
"note": "Huomaa: tämä ei ehkä vielä toimi kaikissa integraatioissa.",
|
||||
"open_device_settings": "Avaa laitteen asetukset",
|
||||
"unavailable": "Tämä kohde ei ole tällä hetkellä käytettävissä.",
|
||||
"update": "Päivitä"
|
||||
},
|
||||
@@ -842,6 +872,27 @@
|
||||
},
|
||||
"quick-bar": {
|
||||
"commands": {
|
||||
"navigation": {
|
||||
"areas": "Alueet",
|
||||
"automation": "Automaatiot",
|
||||
"core": "Yleinen",
|
||||
"customize": "Kustomointi",
|
||||
"devices": "Laitteet",
|
||||
"entities": "Kohteet",
|
||||
"helpers": "Apurit",
|
||||
"info": "Tiedot",
|
||||
"integrations": "Integraatiot",
|
||||
"logs": "Lokit",
|
||||
"lovelace": "Lovelace-kojelaudat",
|
||||
"navigate_to": "Siirry kohteeseen {panel}",
|
||||
"navigate_to_config": "Konfiguroi {panel}",
|
||||
"person": "Henkilöt",
|
||||
"script": "Skriptit",
|
||||
"server_control": "Palvelimen hallinta",
|
||||
"tags": "Tägit",
|
||||
"users": "Käyttäjät",
|
||||
"zone": "Alueet"
|
||||
},
|
||||
"reload": {
|
||||
"homekit": "Lataa HomeKit uudelleen",
|
||||
"input_boolean": "Lataa booleanit uudelleen",
|
||||
@@ -966,6 +1017,10 @@
|
||||
"automation": {
|
||||
"caption": "Automaatiot",
|
||||
"description": "Luo ja muokkaa automaatioita",
|
||||
"dialog_new": {
|
||||
"header": "Luo uusi automaatio",
|
||||
"how": "Miten haluat luoda uuden automaation?"
|
||||
},
|
||||
"editor": {
|
||||
"actions": {
|
||||
"add": "Lisää toiminto",
|
||||
@@ -1232,7 +1287,9 @@
|
||||
},
|
||||
"time": {
|
||||
"at": "Kellonaikana",
|
||||
"label": "Aika"
|
||||
"label": "Aika",
|
||||
"type_input": "Päivämäärä- ja aika-apurin arvo",
|
||||
"type_value": "Kiinteä aika"
|
||||
},
|
||||
"webhook": {
|
||||
"label": "Webhook",
|
||||
@@ -1268,6 +1325,34 @@
|
||||
"only_editable": "Vain automaatiot tiedostossa automations.yaml ovat muokattavissa.",
|
||||
"pick_automation": "Valitse automaatio, jota haluat muokata",
|
||||
"show_info_automation": "Näytä tietoja automaatiosta"
|
||||
},
|
||||
"thingtalk": {
|
||||
"create": "Luo automaatio",
|
||||
"link_devices": {
|
||||
"header": "Upeaa! Nyt meidän on linkitettävä joitakin laitteita",
|
||||
"unknown_placeholder": "Tuntematon paikkamerkki"
|
||||
},
|
||||
"task_selection": {
|
||||
"error_empty": "Kirjoita komento tai napauta ohita.",
|
||||
"error_unsupported": "Emme voineet luoda automaatiota sille (vielä?).",
|
||||
"for_example": "Esimerkiksi:",
|
||||
"header": "Luo uusi automaatio",
|
||||
"introduction": "Kirjoita alle, mitä tämän automaation pitäisi tehdä, ja yritämme muuntaa sen Home Assistant -automaatioksi.",
|
||||
"language_note": "Huomautus: Toistaiseksi tuetaan vain englantia."
|
||||
}
|
||||
}
|
||||
},
|
||||
"blueprint": {
|
||||
"add": {
|
||||
"file_name": "Blueprint polku"
|
||||
},
|
||||
"overview": {
|
||||
"headers": {
|
||||
"domain": "Toimialue",
|
||||
"file_name": "Tiedoston nimi",
|
||||
"name": "Nimi"
|
||||
},
|
||||
"use_blueprint": "Luo automaatio"
|
||||
}
|
||||
},
|
||||
"cloud": {
|
||||
@@ -1507,6 +1592,7 @@
|
||||
"unknown_condition": "Tuntematon ehto"
|
||||
},
|
||||
"create": "Luo automaatio laitteella",
|
||||
"create_disable": "Automaatiota ei voi luoda käytöstä poistetulla laitteella",
|
||||
"no_automations": "Ei automaatioita",
|
||||
"no_device_automations": "Tälle laitteelle ei ole käytettävissä automaatioita.",
|
||||
"triggers": {
|
||||
@@ -1535,6 +1621,14 @@
|
||||
"description": "Hallitse yhdistettyjä laitteita.",
|
||||
"device_info": "Laitteen tiedot",
|
||||
"device_not_found": "Laitetta ei löydy.",
|
||||
"disabled": "Poistettu käytöstä",
|
||||
"disabled_by": {
|
||||
"config_entry": "Asetus",
|
||||
"integration": "Integraatio",
|
||||
"user": "Käyttäjä"
|
||||
},
|
||||
"enabled_description": "Poistettuja laitteita ei näytetä, ja laitteeseen kuuluvat kohteet poistetaan käytöstä, eikä niitä lisätä Home Assistantiin.",
|
||||
"enabled_label": "Ota laite käyttöön",
|
||||
"entities": {
|
||||
"add_entities_lovelace": "Lisää Lovelace näkymään",
|
||||
"disabled_entities": "{count} {count, plural,\n one {kohde}\n other {kohdetta}\n}",
|
||||
@@ -1544,14 +1638,24 @@
|
||||
},
|
||||
"name": "Nimi",
|
||||
"no_devices": "Ei laitteita",
|
||||
"picker": {
|
||||
"filter": {
|
||||
"filter": "Suodatin",
|
||||
"show_all": "Näytä kaikki",
|
||||
"show_disabled": "Näytä käytöstä poistetut laitteet"
|
||||
},
|
||||
"search": "Etsi laitteita"
|
||||
},
|
||||
"scene": {
|
||||
"create": "Luo tilanne laitteella",
|
||||
"create_disable": "Kohtausta ei voi luoda käytöstä poistetulla laitteella",
|
||||
"no_scenes": "Ei tilanteita",
|
||||
"scenes": "Tilanteet"
|
||||
},
|
||||
"scenes": "Tilanteet",
|
||||
"script": {
|
||||
"create": "Luo tilanne laitteella",
|
||||
"create_disable": "Skriptiä ei voi luoda käytöstä poistetulla laitteella",
|
||||
"no_scripts": "Ei skriptejä",
|
||||
"scripts": "Skriptit"
|
||||
},
|
||||
@@ -1583,6 +1687,7 @@
|
||||
},
|
||||
"header": "Kohteet",
|
||||
"headers": {
|
||||
"area": "Alue",
|
||||
"entity_id": "Kohde ID",
|
||||
"integration": "Integraatio",
|
||||
"name": "Nimi",
|
||||
@@ -1644,6 +1749,8 @@
|
||||
"info": {
|
||||
"built_using": "Rakennettu käyttäen",
|
||||
"caption": "Tiedot",
|
||||
"copy_github": "GitHubille",
|
||||
"copy_raw": "Raaka teksti",
|
||||
"custom_uis": "Mukautetut käyttöliittymät:",
|
||||
"description": "Tietoja Home Assistant -asennuksesta",
|
||||
"developed_by": "Kehittänyt joukko mahtavia ihmisiä.",
|
||||
@@ -1659,6 +1766,42 @@
|
||||
"server": "palvelin",
|
||||
"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": {
|
||||
@@ -1958,6 +2101,7 @@
|
||||
},
|
||||
"services": {
|
||||
"add_node": "Lisää solmu",
|
||||
"cancel_command": "Peruuta komento",
|
||||
"remove_node": "Poista solmu"
|
||||
}
|
||||
},
|
||||
@@ -2073,6 +2217,8 @@
|
||||
},
|
||||
"picker": {
|
||||
"add_script": "Lisää skripti",
|
||||
"duplicate": "Kopioi",
|
||||
"duplicate_script": "Kopioi skripti",
|
||||
"edit_script": "Muokkaa skriptiä",
|
||||
"header": "Skriptieditori",
|
||||
"headers": {
|
||||
@@ -2119,6 +2265,7 @@
|
||||
"script": "Lataa skriptit uudelleen",
|
||||
"smtp": "Lataa smtp-ilmoituspalvelut uudelleen",
|
||||
"statistics": "Lataa tilastoentiteetit uudelleen",
|
||||
"telegram": "Päivitä Telegram-ilmoituspalvelut",
|
||||
"template": "Lataa mallientiteetiteetit uudelleen",
|
||||
"trend": "Lataa trendientiteetiteetit uudelleen",
|
||||
"universal": "Lataa universaali mediasoittimen entiteetit uudelleen",
|
||||
@@ -2145,6 +2292,7 @@
|
||||
"add_tag": "Lisää tunniste",
|
||||
"automation_title": "Tunniste {name} skannataan",
|
||||
"caption": "Tunnisteet",
|
||||
"confirm_remove_title": "Poista tägi?",
|
||||
"create_automation": "Automaation luominen tunnisteella",
|
||||
"description": "Hallitse tunnisteita",
|
||||
"detail": {
|
||||
@@ -2185,6 +2333,7 @@
|
||||
"editor": {
|
||||
"activate_user": "Aktivoi käyttäjä",
|
||||
"active": "Aktiivinen",
|
||||
"active_tooltip": "Määrittää, voiko käyttäjä kirjautua sisään",
|
||||
"admin": "Järjestelmänvalvoja",
|
||||
"caption": "Näytä käyttäjä",
|
||||
"change_password": "Vaihda salasana",
|
||||
@@ -2201,18 +2350,24 @@
|
||||
"system_generated_users_not_editable": "Järjestelmän luomia käyttäjiä ei voi päivittää.",
|
||||
"system_generated_users_not_removable": "Järjestelmän luomia käyttäjiä ei voi poistaa.",
|
||||
"unnamed_user": "Nimeämätön käyttäjä",
|
||||
"update_user": "Päivitä"
|
||||
"update_user": "Päivitä",
|
||||
"username": "Käyttäjätunnus"
|
||||
},
|
||||
"picker": {
|
||||
"add_user": "Lisää käyttäjä",
|
||||
"headers": {
|
||||
"group": "Ryhmä",
|
||||
"is_active": "Aktiivinen",
|
||||
"is_owner": "Omistaja",
|
||||
"name": "Nimi",
|
||||
"system": "Järjestelmä"
|
||||
"system": "Järjestelmä",
|
||||
"username": "Käyttäjätunnus"
|
||||
}
|
||||
},
|
||||
"users_privileges_note": "Käyttäjät-ryhmä on vielä kesken. Käyttäjä ei voi hallita Home Assistantia käyttöliittymän kautta. Auditoimme edelleen kaikkia hallinta-API-päätepisteitä varmistaaksemme, että ne rajoittavat pääsyn oikein."
|
||||
},
|
||||
"zha": {
|
||||
"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.",
|
||||
@@ -2258,6 +2413,16 @@
|
||||
"value": "Arvo"
|
||||
},
|
||||
"description": "Zigbee kotiautomaation verkonhallinta",
|
||||
"device_pairing_card": {
|
||||
"CONFIGURED": "Määritys valmis",
|
||||
"CONFIGURED_status_text": "Alustetaan",
|
||||
"INITIALIZED": "Alustus on valmis",
|
||||
"INITIALIZED_status_text": "Laite on käyttövalmis",
|
||||
"INTERVIEW_COMPLETE": "Haastattelu valmis",
|
||||
"INTERVIEW_COMPLETE_status_text": "Määrittää",
|
||||
"PAIRED": "Laite löydetty",
|
||||
"PAIRED_status_text": "Haastattelun aloittaminen"
|
||||
},
|
||||
"devices": {
|
||||
"header": "Zigbee-kotiautomaatio - laite"
|
||||
},
|
||||
@@ -2273,6 +2438,7 @@
|
||||
"unbind_button_label": "Pura ryhmän sidonta"
|
||||
},
|
||||
"groups": {
|
||||
"add_group": "Lisää ryhmä",
|
||||
"add_members": "Lisää jäseniä",
|
||||
"adding_members": "Lisätään jäseniä",
|
||||
"caption": "Ryhmät",
|
||||
@@ -2315,7 +2481,11 @@
|
||||
"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"
|
||||
"title": "Zigbee-kotiautomaatio",
|
||||
"visualization": {
|
||||
"caption": "Visualisointi",
|
||||
"header": "Verkon visualisointi"
|
||||
}
|
||||
},
|
||||
"zone": {
|
||||
"add_zone": "Lisää vyöhyke",
|
||||
@@ -2711,6 +2881,10 @@
|
||||
"description": "Glance-kortti on hyödyllinen useiden anturien ryhmittelemiseksi kompaktiin yleiskuvaan.",
|
||||
"name": "Pikavilkaisu"
|
||||
},
|
||||
"grid": {
|
||||
"description": "Ruudukkokortin avulla voit näyttää useita kortteja ruudukossa.",
|
||||
"name": "Ruudukko"
|
||||
},
|
||||
"history-graph": {
|
||||
"description": "Historiakaavio-kortin avulla voit näyttää kaavion kullekin luettelossa olevalle kohteelle.",
|
||||
"name": "Historiakuvaaja"
|
||||
@@ -2731,6 +2905,9 @@
|
||||
"description": "Valokortti antaa sinun muuttaa valon kirkkautta.",
|
||||
"name": "Valo"
|
||||
},
|
||||
"logbook": {
|
||||
"name": "Lokikirja"
|
||||
},
|
||||
"map": {
|
||||
"dark_mode": "Tumma tila?",
|
||||
"default_zoom": "Oletuszoomaus",
|
||||
@@ -2803,11 +2980,18 @@
|
||||
"entity": "Kohde",
|
||||
"no_description": "Ei kuvausta saatavilla."
|
||||
},
|
||||
"common": {
|
||||
"add": "Lisää",
|
||||
"clear": "Tyhjennä",
|
||||
"edit": "Muokkaa",
|
||||
"none": "Ei mitään"
|
||||
},
|
||||
"edit_badges": {
|
||||
"panel_mode": "Näitä kylttejä ei näytetä, koska tämä näkymä on \"Paneelitilassa\"."
|
||||
},
|
||||
"edit_card": {
|
||||
"add": "Lisää kortti",
|
||||
"clear": "Tyhjennä",
|
||||
"confirm_cancel": "Haluatko varmasti peruuttaa?",
|
||||
"delete": "Poista kortti",
|
||||
"duplicate": "Kopioi kortti",
|
||||
@@ -2848,6 +3032,22 @@
|
||||
}
|
||||
},
|
||||
"header": "Muokkaa käyttöliittymää",
|
||||
"header-footer": {
|
||||
"choose_header_footer": "Valitse {type}",
|
||||
"footer": "Alatunniste",
|
||||
"header": "Otsikko",
|
||||
"types": {
|
||||
"buttons": {
|
||||
"name": "Painikkeet"
|
||||
},
|
||||
"graph": {
|
||||
"name": "Kaavio"
|
||||
},
|
||||
"picture": {
|
||||
"name": "Kuva"
|
||||
}
|
||||
}
|
||||
},
|
||||
"menu": {
|
||||
"open": "Avaa Lovelace-valikko",
|
||||
"raw_editor": "Raaka konfigurointieditori"
|
||||
@@ -2892,6 +3092,13 @@
|
||||
"dashboard_label": "Kojelauta",
|
||||
"header": "Valitse näkymä"
|
||||
},
|
||||
"sub-element-editor": {
|
||||
"types": {
|
||||
"footer": "Alatunnisteen muokkausohjelma",
|
||||
"header": "Otsikkoeditori",
|
||||
"row": "Kohderivieditori"
|
||||
}
|
||||
},
|
||||
"suggest_card": {
|
||||
"add": "Lisää Lovelace-käyttöliittymään",
|
||||
"create_own": "Valitse toinen kortti",
|
||||
@@ -3141,10 +3348,13 @@
|
||||
"change_password": {
|
||||
"confirm_new_password": "Vahvista uusi salasana",
|
||||
"current_password": "Nykyinen salasana",
|
||||
"error_new_is_old": "Uuden salasanan on oltava eri kuin nykyinen salasana",
|
||||
"error_new_mismatch": "Annetut uudet salasanat eivät täsmää",
|
||||
"error_required": "Pakollinen",
|
||||
"header": "Vaihda salasana",
|
||||
"new_password": "Uusi salasana",
|
||||
"submit": "Lähetä"
|
||||
"submit": "Lähetä",
|
||||
"success": "Salasanan vaihtaminen onnistui"
|
||||
},
|
||||
"current_user": "Olet tällä hetkellä kirjautuneena tunnuksella {fullName}.",
|
||||
"customize_sidebar": {
|
||||
@@ -3157,6 +3367,9 @@
|
||||
"dropdown_label": "Kojelauta",
|
||||
"header": "Kojelauta"
|
||||
},
|
||||
"enable_shortcuts": {
|
||||
"header": "Pikanäppäimet"
|
||||
},
|
||||
"force_narrow": {
|
||||
"description": "Tämä piilottaa oletusarvoisesti sivupalkin, joka muistuttaa mobiilikokemusta.",
|
||||
"header": "Piilota sivupalkki aina"
|
||||
@@ -3242,6 +3455,9 @@
|
||||
"header": "Värinä"
|
||||
}
|
||||
},
|
||||
"shopping_list": {
|
||||
"start_conversation": "Aloita keskustelu"
|
||||
},
|
||||
"shopping-list": {
|
||||
"add_item": "Lisää tavara",
|
||||
"clear_completed": "Poista valmiit",
|
||||
|
@@ -2,6 +2,7 @@
|
||||
"config_entry": {
|
||||
"disabled_by": {
|
||||
"config_entry": "Paramètre de configuration",
|
||||
"device": "Appareil",
|
||||
"integration": "Intégration",
|
||||
"user": "Utilisateur"
|
||||
}
|
||||
@@ -546,6 +547,8 @@
|
||||
"add_new": "Ajouter une pièce...",
|
||||
"area": "Pièce",
|
||||
"clear": "Effacer",
|
||||
"no_areas": "Vous n'avez pas de pièce",
|
||||
"no_match": "Aucune pièce correspondante trouvée",
|
||||
"show_areas": "Afficher les pièces"
|
||||
},
|
||||
"blueprint-picker": {
|
||||
@@ -566,6 +569,8 @@
|
||||
"clear": "Effacer",
|
||||
"device": "Appareil",
|
||||
"no_area": "Pas de zone",
|
||||
"no_devices": "Vous n'avez aucun appareil",
|
||||
"no_match": "Aucun appareil correspondant trouvé",
|
||||
"show_devices": "Afficher les appareils",
|
||||
"toggle": "Permuter"
|
||||
},
|
||||
@@ -577,6 +582,7 @@
|
||||
"entity-picker": {
|
||||
"clear": "Effacer",
|
||||
"entity": "Entité",
|
||||
"no_match": "Aucune entité correspondante trouvée",
|
||||
"show_entities": "Afficher les entités"
|
||||
}
|
||||
},
|
||||
@@ -593,8 +599,8 @@
|
||||
"changed_to_state": "changé en {state}.",
|
||||
"cleared_device_class": "effacé (no {device_class} detected)",
|
||||
"detected_device_class": "détecté {device_class}",
|
||||
"rose": "aube",
|
||||
"set": "Coucher",
|
||||
"rose": "s'est levé",
|
||||
"set": "s'est couché",
|
||||
"turned_off": "éteint",
|
||||
"turned_on": "activé",
|
||||
"was_at_home": "Présent",
|
||||
@@ -710,6 +716,16 @@
|
||||
"service-picker": {
|
||||
"service": "Service"
|
||||
},
|
||||
"target-picker": {
|
||||
"add_area_id": "Choisissez la zone",
|
||||
"add_device_id": "Choisissez un appareil",
|
||||
"add_entity_id": "Choisissez une entité",
|
||||
"expand_area_id": "Développe cette zone dans les périphériques et entités séparés qu'elle contient. Une fois développé, il ne mettra pas à jour les appareils et les entités lorsque la zone change.",
|
||||
"expand_device_id": "Développe cet appareil dans des entités séparées. Une fois développé, il ne mettra pas à jour les entités lorsque l'appareil change.",
|
||||
"remove_area_id": "Supprimer la zone",
|
||||
"remove_device_id": "Supprimer l'appareil",
|
||||
"remove_entity_id": "Supprimer l'entité"
|
||||
},
|
||||
"user-picker": {
|
||||
"add_user": "Ajouter un utilisateur",
|
||||
"no_user": "Aucun utilisateur",
|
||||
@@ -733,6 +749,7 @@
|
||||
"editor": {
|
||||
"confirm_delete": "Voulez-vous vraiment supprimer cette entrée ?",
|
||||
"delete": "Supprimer",
|
||||
"device_disabled": "L'appareil de cette entité est désactivé.",
|
||||
"enabled_cause": "Désactivé par {cause} .",
|
||||
"enabled_delay_confirm": "Les entités activées seront ajoutées à Home Assistant dans {delay} secondes",
|
||||
"enabled_description": "Les entités désactivées ne seront pas ajoutées à Home Assistant.",
|
||||
@@ -743,6 +760,7 @@
|
||||
"icon_error": "Les icônes doivent être au format «préfixe: iconname», par exemple «mdi: home»",
|
||||
"name": "Nom",
|
||||
"note": "Remarque: cela peut ne pas encore fonctionner avec toutes les intégrations.",
|
||||
"open_device_settings": "Ouvrir les paramètres de l'appareil",
|
||||
"unavailable": "Cette entité n'est pas disponible actuellement.",
|
||||
"update": "Mise à jour"
|
||||
},
|
||||
@@ -1030,7 +1048,7 @@
|
||||
"confirmation_text": "Tous les appareils de cette pièce ne seront plus attribués.",
|
||||
"confirmation_title": "Êtes-vous sûr de vouloir supprimer cette pièce ?"
|
||||
},
|
||||
"description": "Vue d'ensemble de toutes les pièces de votre maison.",
|
||||
"description": "Regrouper les appareils et les entités en zones",
|
||||
"editor": {
|
||||
"area_id": "ID de la zone",
|
||||
"create": "Créer",
|
||||
@@ -1052,7 +1070,7 @@
|
||||
},
|
||||
"automation": {
|
||||
"caption": "Automatisations",
|
||||
"description": "Créer et modifier des automatisations",
|
||||
"description": "Créez des règles de comportement personnalisées pour votre maison",
|
||||
"dialog_new": {
|
||||
"blueprint": {
|
||||
"use_blueprint": "Utiliser un plan"
|
||||
@@ -1265,7 +1283,7 @@
|
||||
"delete_confirm": "Voulez-vous effacer ?",
|
||||
"duplicate": "Dupliquer",
|
||||
"header": "Déclencheurs",
|
||||
"introduction": "Les déclencheurs sont ce qui lance le traitement d'une règle d'automatisation. Il est possible de spécifier plusieurs déclencheurs pour une même règle. Dès qu'un déclencheur est activé, Home Assistant validera les conditions, s'il y en a, et appellera l'action.\n\n[En apprendre plus sur les déclencheurs.](https://home-assistant.io/docs/automation/trigger/)",
|
||||
"introduction": "Les déclencheurs sont ce qui lance le traitement d'une règle d'automatisation. Il est possible de spécifier plusieurs déclencheurs pour une même règle. Dès qu'un déclencheur est activé, Home Assistant validera les conditions, s'il y en a, et appellera l'action.",
|
||||
"learn_more": "En savoir plus sur les déclencheurs",
|
||||
"name": "Déclencheur",
|
||||
"type_select": "Type de déclencheur",
|
||||
@@ -1400,15 +1418,15 @@
|
||||
"blueprint": {
|
||||
"add": {
|
||||
"error_no_url": "Veuillez entrer l'URL du plan",
|
||||
"file_name": "Nom du fichier de plan local",
|
||||
"header": "Ajouter un nouveau plan",
|
||||
"import_btn": "Importer un plan",
|
||||
"file_name": "Chemin du fichier de plan local",
|
||||
"header": "Importer un plan",
|
||||
"import_btn": "Aperçu du plan",
|
||||
"import_header": "Importer \" {name} \" (type: {domain} )",
|
||||
"import_introduction": "Vous pouvez importer les plans d'autres utilisateurs de Github et des forums de la communauté. Entrez l'URL du plan ci-dessous.",
|
||||
"importing": "Importation du plan ...",
|
||||
"importing": "Chargement du plan ...",
|
||||
"raw_blueprint": "Contenu du plan",
|
||||
"save_btn": "Sauver le plan",
|
||||
"saving": "Enregistrement du plan ...",
|
||||
"save_btn": "Importer un plan",
|
||||
"saving": "Importation du plan ...",
|
||||
"unsupported_blueprint": "Ce plan n'est pas pris en charge",
|
||||
"url": "URL du plan"
|
||||
},
|
||||
@@ -1510,7 +1528,7 @@
|
||||
"title": "Alexa"
|
||||
},
|
||||
"caption": "Cloud Home Assistant",
|
||||
"description_features": "Contrôle hors de la maison, intégration avec Alexa et Google 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é",
|
||||
"dialog_certificate": {
|
||||
@@ -1605,7 +1623,7 @@
|
||||
},
|
||||
"core": {
|
||||
"caption": "Général",
|
||||
"description": "Changer la configuration générale de votre Home Assistant.",
|
||||
"description": "Unités de mesure, emplacement, fuseau horaire et autres paramètres généraux",
|
||||
"section": {
|
||||
"core": {
|
||||
"core_config": {
|
||||
@@ -1667,6 +1685,7 @@
|
||||
"unknown_condition": "Condition inconnue"
|
||||
},
|
||||
"create": "Créer une automatisation avec l'appareil",
|
||||
"create_disable": "Impossible de créer une automatisation avec un appareil désactivé",
|
||||
"no_automations": "Aucune automatisation",
|
||||
"no_device_automations": "Aucune automatisation n'est disponible pour cet appareil.",
|
||||
"triggers": {
|
||||
@@ -1692,9 +1711,18 @@
|
||||
"no_devices": "Aucun appareil"
|
||||
},
|
||||
"delete": "Supprimer",
|
||||
"description": "Gérer les appareils connectés",
|
||||
"description": "Gérer les appareils configurés",
|
||||
"device_info": "Informations sur l’appareil",
|
||||
"device_not_found": "Appareil non trouvé.",
|
||||
"disabled": "Désactivé",
|
||||
"disabled_by": {
|
||||
"config_entry": "Paramètre de configuration",
|
||||
"integration": "Intégration",
|
||||
"user": "Utilisateur"
|
||||
},
|
||||
"enabled_cause": "L'appareil est désactivé par {cause}.",
|
||||
"enabled_description": "Les appareils désactivés ne seront pas affichés et les entités appartenant à l'appareil seront désactivées et ne seront pas ajoutées à Home Assistant.",
|
||||
"enabled_label": "Activer l'appareil",
|
||||
"entities": {
|
||||
"add_entities_lovelace": "Ajouter à Lovelace",
|
||||
"disabled_entities": "+{count} {count, plural,\none {entité désactivée}\nother {entité désactivée}\n}",
|
||||
@@ -1704,14 +1732,24 @@
|
||||
},
|
||||
"name": "Nom",
|
||||
"no_devices": "Aucun appareil",
|
||||
"picker": {
|
||||
"filter": {
|
||||
"filter": "Filtre",
|
||||
"show_all": "Tout afficher",
|
||||
"show_disabled": "Afficher les appareils désactivés"
|
||||
},
|
||||
"search": "Rechercher des appareils"
|
||||
},
|
||||
"scene": {
|
||||
"create": "Créer une scène avec l'appareil",
|
||||
"create_disable": "Impossible de créer une scène avec un appareil désactivé",
|
||||
"no_scenes": "Pas de scènes",
|
||||
"scenes": "Scènes"
|
||||
},
|
||||
"scenes": "Scènes",
|
||||
"script": {
|
||||
"create": "Créer un script avec l'appareil",
|
||||
"create_disable": "Impossible de créer un script avec un appareil désactivé",
|
||||
"no_scripts": "Pas de scripts",
|
||||
"scripts": "Scripts"
|
||||
},
|
||||
@@ -1777,7 +1815,7 @@
|
||||
"header": "Configurer Home Assistant",
|
||||
"helpers": {
|
||||
"caption": "Entrées",
|
||||
"description": "Gérer les éléments qui peuvent aider à créer des automatisations",
|
||||
"description": "Éléments pouvant aider à construire des automatisations.",
|
||||
"dialog": {
|
||||
"add_helper": "Ajouter une entrée",
|
||||
"add_platform": "Ajouter {platform}",
|
||||
@@ -1809,7 +1847,7 @@
|
||||
"copy_github": "Pour Github",
|
||||
"copy_raw": "Texte brut",
|
||||
"custom_uis": "Interfaces utilisateur personnalisées :",
|
||||
"description": "Informations sur votre installation Home Assistant",
|
||||
"description": "Version, état du système et liens vers la documentation",
|
||||
"developed_by": "Développé par un groupe de personnes formidables.",
|
||||
"documentation": "Documentation",
|
||||
"frontend": "interface utilisateur",
|
||||
@@ -2000,7 +2038,7 @@
|
||||
"open": "Ouvrir"
|
||||
}
|
||||
},
|
||||
"description": "Configurez vos tableaux de bord Lovelace",
|
||||
"description": "Créez des jeux de cartes personnalisés pour contrôler votre maison",
|
||||
"resources": {
|
||||
"cant_edit_yaml": "Vous utilisez Lovelace en mode YAML, vous ne pouvez donc pas gérer vos ressources via l'interface utilisateur. Gérez-les dans configuration.yaml.",
|
||||
"caption": "Ressources",
|
||||
@@ -2199,7 +2237,7 @@
|
||||
"scene": {
|
||||
"activated": "Scène activée {name}.",
|
||||
"caption": "Scènes",
|
||||
"description": "Créer et modifier des scènes",
|
||||
"description": "Capturez les états de l'appareil et rappelez-les facilement plus tard",
|
||||
"editor": {
|
||||
"default_name": "Nouvelle scène",
|
||||
"devices": {
|
||||
@@ -2243,7 +2281,7 @@
|
||||
},
|
||||
"script": {
|
||||
"caption": "Scripts",
|
||||
"description": "Créer et modifier des scripts.",
|
||||
"description": "Exécuter une séquence d'actions",
|
||||
"editor": {
|
||||
"alias": "Nom",
|
||||
"default_name": "Nouveau script",
|
||||
@@ -2354,7 +2392,7 @@
|
||||
"confirm_remove": "Voulez-vous vraiment supprimer la balise {tag} ?",
|
||||
"confirm_remove_title": "Supprimer la balise ?",
|
||||
"create_automation": "Créer une automatisation avec une balise",
|
||||
"description": "Gérer les balises",
|
||||
"description": "Déclenchez les automatisations lorsqu’une balise NFC, un code QR, etc. est scanné",
|
||||
"detail": {
|
||||
"companion_apps": "applications associées",
|
||||
"create": "Créer",
|
||||
@@ -2389,10 +2427,11 @@
|
||||
"username": "Nom d'utilisateur"
|
||||
},
|
||||
"caption": "Utilisateurs",
|
||||
"description": "Gérer les utilisateurs",
|
||||
"description": "Gérer les comptes utilisateur de Home Assistant",
|
||||
"editor": {
|
||||
"activate_user": "Activer l'utilisateur",
|
||||
"active": "Actif",
|
||||
"active_tooltip": "Contrôle si l'utilisateur peut se connecter",
|
||||
"admin": "Administrateur",
|
||||
"caption": "Voir l'utilisateur",
|
||||
"change_password": "Changer le mot de passe",
|
||||
@@ -3053,7 +3092,7 @@
|
||||
"panel_mode": "Ces badges ne seront pas affichés car cette vue est en \"Mode Panneau\"."
|
||||
},
|
||||
"edit_card": {
|
||||
"add": "Ajouter une action",
|
||||
"add": "Ajouter une carte",
|
||||
"clear": "Effacer",
|
||||
"confirm_cancel": "Êtes-vous sûr de vouloir annuler ?",
|
||||
"delete": "Supprimer la carte",
|
||||
@@ -3411,10 +3450,13 @@
|
||||
"change_password": {
|
||||
"confirm_new_password": "Confirmer le nouveau mot de passe",
|
||||
"current_password": "Mot de passe actuel",
|
||||
"error_new_is_old": "Le nouveau mot de passe doit être différent du mot de passe actuel",
|
||||
"error_new_mismatch": "Les mots de passe saisis ne correspondent pas",
|
||||
"error_required": "Requis",
|
||||
"header": "Changer le mot de passe",
|
||||
"new_password": "nouveau mot de passe",
|
||||
"submit": "Envoyer"
|
||||
"submit": "Envoyer",
|
||||
"success": "Le mot de passe a été changé avec succès"
|
||||
},
|
||||
"current_user": "Vous êtes actuellement connecté en tant que {fullName}.",
|
||||
"customize_sidebar": {
|
||||
|
@@ -1400,6 +1400,7 @@
|
||||
"caption": "בצע משהו רק אם..."
|
||||
},
|
||||
"create": "צור אוטומציה עם המכשיר",
|
||||
"create_disable": "non posso creare automazioni condispositivi disabilitati",
|
||||
"no_automations": "אין אוטומציות",
|
||||
"no_device_automations": "אין אוטומציות זמינות עבור מכשיר זה.",
|
||||
"triggers": {
|
||||
@@ -1425,6 +1426,7 @@
|
||||
"description": "ניהול התקנים מחוברים",
|
||||
"device_info": "פרטי התקן",
|
||||
"device_not_found": "המכשיר לא נמצא.",
|
||||
"disabled": "disabilitato",
|
||||
"entities": {
|
||||
"add_entities_lovelace": "הוסף לממשק Lovelace",
|
||||
"disabled_entities": "+{count} {count, plural,\n one {disabled entity}\n other {disabled entities}\n}",
|
||||
@@ -1434,14 +1436,24 @@
|
||||
},
|
||||
"name": "שם",
|
||||
"no_devices": "אין התקנים",
|
||||
"picker": {
|
||||
"filter": {
|
||||
"filter": "filtro",
|
||||
"show_all": "mostra tutto",
|
||||
"show_disabled": "mostra entità disabilitate"
|
||||
},
|
||||
"search": "cerca dispositivi"
|
||||
},
|
||||
"scene": {
|
||||
"create": "צור סצינה עם המכשיר",
|
||||
"create_disable": "non posso creare scene con dispositivi disabilitati",
|
||||
"no_scenes": "אין סצינות",
|
||||
"scenes": "סצינות"
|
||||
},
|
||||
"scenes": "סצינות",
|
||||
"script": {
|
||||
"create": "צור סקריפט עם המכשיר",
|
||||
"create_disable": "non posso creare script con dispositivi disabilitati",
|
||||
"no_scripts": "אין סקריפטים",
|
||||
"scripts": "סקריפטים"
|
||||
},
|
||||
@@ -2908,10 +2920,12 @@
|
||||
"change_password": {
|
||||
"confirm_new_password": "אשר סיסמה חדשה",
|
||||
"current_password": "סיסמה נוכחית",
|
||||
"error_new_is_old": "la nuova password deve essere diversa dalla attuale",
|
||||
"error_required": "נדרש",
|
||||
"header": "שינוי סיסמה",
|
||||
"new_password": "סיסמה חדשה",
|
||||
"submit": "שלח"
|
||||
"submit": "שלח",
|
||||
"success": "cambio password riuscito"
|
||||
},
|
||||
"current_user": "אתה מחובר כעת כ- {fullName} .",
|
||||
"dashboard": {
|
||||
|
@@ -2,11 +2,13 @@
|
||||
"config_entry": {
|
||||
"disabled_by": {
|
||||
"config_entry": "Konfigurációs bejegyzés",
|
||||
"device": "Eszköz",
|
||||
"integration": "Integráció",
|
||||
"user": "Felhasználó"
|
||||
}
|
||||
},
|
||||
"groups": {
|
||||
"owner": "Tulajdonos",
|
||||
"system-admin": "Adminisztrátorok",
|
||||
"system-read-only": "Felhasználók csak olvasási jogosultsággal",
|
||||
"system-users": "Felhasználók"
|
||||
@@ -545,6 +547,8 @@
|
||||
"add_new": "Új terület hozzáadása...",
|
||||
"area": "Terület",
|
||||
"clear": "Törlés",
|
||||
"no_areas": "Nincsenek területei.",
|
||||
"no_match": "Nem található egyező terület",
|
||||
"show_areas": "Területek megjelenítése"
|
||||
},
|
||||
"blueprint-picker": {
|
||||
@@ -565,6 +569,8 @@
|
||||
"clear": "Törlés",
|
||||
"device": "Eszköz",
|
||||
"no_area": "Nincs terület",
|
||||
"no_devices": "Nincsenek eszközei",
|
||||
"no_match": "Nem található egyező eszköz",
|
||||
"show_devices": "Eszközök megjelenítése",
|
||||
"toggle": "Váltás"
|
||||
},
|
||||
@@ -576,6 +582,7 @@
|
||||
"entity-picker": {
|
||||
"clear": "Törlés",
|
||||
"entity": "Entitás",
|
||||
"no_match": "Nem található egyező entitás",
|
||||
"show_entities": "Entitások megjelenítése"
|
||||
}
|
||||
},
|
||||
@@ -709,6 +716,16 @@
|
||||
"service-picker": {
|
||||
"service": "Szolgáltatás"
|
||||
},
|
||||
"target-picker": {
|
||||
"add_area_id": "Terület kiválasztása",
|
||||
"add_device_id": "Eszköz kiválasztása",
|
||||
"add_entity_id": "Entitás kiválasztása",
|
||||
"expand_area_id": "Bontsd ki ezt a területet a benne található különálló eszközökben és entitásokban. A kibontás után nem fognak frissülni az eszközök és az entitások, amikor a terület megváltozik.",
|
||||
"expand_device_id": "Bontsd ki ezt az eszközt külön entitásokban. A kibontás után nem fognak frissülni az entitások, amikor az eszköz megváltozik.",
|
||||
"remove_area_id": "Terület eltávolítása",
|
||||
"remove_device_id": "Eszköz eltávolítása",
|
||||
"remove_entity_id": "Entitás eltávolítása"
|
||||
},
|
||||
"user-picker": {
|
||||
"add_user": "Felhasználó hozzáadása",
|
||||
"no_user": "Nincs felhasználó",
|
||||
@@ -732,6 +749,7 @@
|
||||
"editor": {
|
||||
"confirm_delete": "Biztosan törölni szeretnéd ezt a bejegyzést?",
|
||||
"delete": "Törlés",
|
||||
"device_disabled": "Ennek az entitásnak az eszköze le van tiltva.",
|
||||
"enabled_cause": "Letiltva. ({cause})",
|
||||
"enabled_delay_confirm": "Az engedélyezett entitások {delay} másodpercen belül hozzá lesznek adva a Home Assistant-hoz",
|
||||
"enabled_description": "A letiltott entitások nem lesznek hozzáadva a Home Assistant-hoz.",
|
||||
@@ -742,6 +760,7 @@
|
||||
"icon_error": "Az ikonokat a 'prefix:ikonnév' formátumban kell megadni, pl.: 'mdi:home'",
|
||||
"name": "Név",
|
||||
"note": "Megjegyzés: lehet, hogy ez még nem működik minden integrációval.",
|
||||
"open_device_settings": "Eszközbeállítások megnyitása",
|
||||
"unavailable": "Ez az entitás jelenleg nem elérhető.",
|
||||
"update": "Frissítés"
|
||||
},
|
||||
@@ -1029,7 +1048,7 @@
|
||||
"confirmation_text": "Minden ebben a területben lévő eszköz hozzárendelés nélküli lesz.",
|
||||
"confirmation_title": "Biztosan törölni szeretnéd ezt a területet?"
|
||||
},
|
||||
"description": "Otthoni területek kezelése",
|
||||
"description": "Eszközök és entitások csoportosítása területekre",
|
||||
"editor": {
|
||||
"area_id": "Terület ID",
|
||||
"create": "Létrehozás",
|
||||
@@ -1051,7 +1070,7 @@
|
||||
},
|
||||
"automation": {
|
||||
"caption": "Automatizálások",
|
||||
"description": "Automatizálások kezelése",
|
||||
"description": "Egyéni viselkedési szabályok létrehozása az otthonodhoz",
|
||||
"dialog_new": {
|
||||
"blueprint": {
|
||||
"use_blueprint": "Tervrajz használata"
|
||||
@@ -1399,22 +1418,22 @@
|
||||
"blueprint": {
|
||||
"add": {
|
||||
"error_no_url": "Add meg a tervrajz URL címét.",
|
||||
"file_name": "Helyi tervrajz neve",
|
||||
"header": "Új tervrajz hozzáadása",
|
||||
"import_btn": "Tervrajz importálása",
|
||||
"import_header": "{name} importálása ({domain})",
|
||||
"file_name": "Tervrajz elérési útja",
|
||||
"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.",
|
||||
"importing": "Tervrajz importálása...",
|
||||
"importing": "Tervrajz betöltése...",
|
||||
"raw_blueprint": "Tervrajz tartalma",
|
||||
"save_btn": "Tervrajz mentése",
|
||||
"saving": "Tervrajz mentése...",
|
||||
"save_btn": "Tervrajz importálása",
|
||||
"saving": "Tervrajz importálása...",
|
||||
"unsupported_blueprint": "Ez a tervrajz nem támogatott",
|
||||
"url": "A tervrajz URL-címe"
|
||||
},
|
||||
"caption": "Tervrajzok",
|
||||
"description": "Tervrajzok kezelése",
|
||||
"overview": {
|
||||
"add_blueprint": "Tervrajz hozzáadása",
|
||||
"add_blueprint": "Tervrajz importálása",
|
||||
"confirm_delete_header": "Törlöd ezt a tervrajzot?",
|
||||
"confirm_delete_text": "Biztosan törölni szeretnéd ezt a tervrajzot?",
|
||||
"delete_blueprint": "Tervrajz törlése",
|
||||
@@ -1509,7 +1528,7 @@
|
||||
"title": "Alexa"
|
||||
},
|
||||
"caption": "Home Assistant Felhő",
|
||||
"description_features": "Távoli vezérlés, Alexa és Google Asszisztens integráció",
|
||||
"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",
|
||||
"dialog_certificate": {
|
||||
@@ -1604,7 +1623,7 @@
|
||||
},
|
||||
"core": {
|
||||
"caption": "Általános",
|
||||
"description": "Az általános Home Assistant konfiguráció módosítása",
|
||||
"description": "Egységrendszer, hely, időzóna és egyéb általános paraméterek",
|
||||
"section": {
|
||||
"core": {
|
||||
"core_config": {
|
||||
@@ -1666,6 +1685,7 @@
|
||||
"unknown_condition": "Ismeretlen feltétel"
|
||||
},
|
||||
"create": "Automatizálás létrehozása eszközzel",
|
||||
"create_disable": "Nem lehet automatizálást létrehozni a letiltott eszközzel",
|
||||
"no_automations": "Nincsenek automatizálások",
|
||||
"no_device_automations": "Ehhez az eszközhöz nem állnak rendelkezésre automatizálások.",
|
||||
"triggers": {
|
||||
@@ -1691,9 +1711,18 @@
|
||||
"no_devices": "Nincsenek eszközök"
|
||||
},
|
||||
"delete": "Törlés",
|
||||
"description": "Csatlakoztatott eszközök kezelése",
|
||||
"description": "Konfigurált eszközök kezelése",
|
||||
"device_info": "Eszköz információ",
|
||||
"device_not_found": "Eszköz nem található.",
|
||||
"disabled": "Letiltva",
|
||||
"disabled_by": {
|
||||
"config_entry": "Konfigurációs bejegyzés",
|
||||
"integration": "Integráció",
|
||||
"user": "Felhasználó"
|
||||
},
|
||||
"enabled_cause": "Az eszköz le van tiltva. ({cause})",
|
||||
"enabled_description": "A letiltott eszközök nem jelennek meg, az eszközhöz tartozó entitások pedig le lesznek tiltva, és nem lesznek hozzáadva a Home Assistant programhoz.",
|
||||
"enabled_label": "Eszköz engedélyezése",
|
||||
"entities": {
|
||||
"add_entities_lovelace": "Hozzáadás a Lovelace-hez",
|
||||
"disabled_entities": "+{count} {count, plural,\n one {letiltott entitás}\n other {letiltott entitás}\n}",
|
||||
@@ -1703,14 +1732,25 @@
|
||||
},
|
||||
"name": "Név",
|
||||
"no_devices": "Nincsenek eszközök",
|
||||
"picker": {
|
||||
"filter": {
|
||||
"filter": "Szűrő",
|
||||
"hidden_devices": "{number} rejtett {number, plural,\n one {eszköz}\n other {eszköz}\n}",
|
||||
"show_all": "Az összes megjelenítése",
|
||||
"show_disabled": "Letiltott eszközök megjelenítése"
|
||||
},
|
||||
"search": "Eszközök keresése"
|
||||
},
|
||||
"scene": {
|
||||
"create": "Jelenet létrehozása eszközzel",
|
||||
"create_disable": "Nem lehet létrehozni a jelenetet letiltott eszközzel",
|
||||
"no_scenes": "Nincsenek jelenetek",
|
||||
"scenes": "Jelenetek"
|
||||
},
|
||||
"scenes": "Jelenetek",
|
||||
"script": {
|
||||
"create": "Szkript létrehozása eszközzel",
|
||||
"create_disable": "Nem lehet szkriptet létrehozni letiltott eszközzel",
|
||||
"no_scripts": "Nincsenek szkriptek",
|
||||
"scripts": "Szkriptek"
|
||||
},
|
||||
@@ -1743,6 +1783,7 @@
|
||||
},
|
||||
"header": "Entitások",
|
||||
"headers": {
|
||||
"area": "Terület",
|
||||
"entity_id": "Entitás ID",
|
||||
"integration": "Integráció",
|
||||
"name": "Név",
|
||||
@@ -1775,7 +1816,7 @@
|
||||
"header": "Home Assistant beállítása",
|
||||
"helpers": {
|
||||
"caption": "Segítők",
|
||||
"description": "Automatizálások létrehozását segítő elemek kezelése",
|
||||
"description": "Automatizálások létrehozását elősegítő elemek",
|
||||
"dialog": {
|
||||
"add_helper": "Segítő hozzáadása",
|
||||
"add_platform": "{platform} hozzáadása",
|
||||
@@ -1807,7 +1848,7 @@
|
||||
"copy_github": "A GitHub számára",
|
||||
"copy_raw": "Nyers szöveg",
|
||||
"custom_uis": "Egyéni felhasználói felületek:",
|
||||
"description": "Telepítési információ megtekintése a Home Assistant-ról",
|
||||
"description": "Verzió, rendszerállapot és dokumentációra mutató linkek",
|
||||
"developed_by": "Egy csomó fantasztikus ember által kifejlesztve.",
|
||||
"documentation": "Dokumentáció",
|
||||
"frontend": "frontend-ui",
|
||||
@@ -1913,7 +1954,7 @@
|
||||
},
|
||||
"configure": "Beállítás",
|
||||
"configured": "Konfigurálva",
|
||||
"description": "Integrációk kezelése",
|
||||
"description": "Integrációk kezelése (szolgáltatások, eszközök...)",
|
||||
"details": "Integráció részletei",
|
||||
"discovered": "Felfedezett",
|
||||
"home_assistant_website": "Home Assistant weboldal",
|
||||
@@ -1998,7 +2039,7 @@
|
||||
"open": "Megnyitás"
|
||||
}
|
||||
},
|
||||
"description": "Lovelace irányítópultok kezelése",
|
||||
"description": "Hozz létre személyre szabott kártyafelosztásokat az otthonod vezérléséhez",
|
||||
"resources": {
|
||||
"cant_edit_yaml": "A Lovelace-t YAML módban használod, ezért az erőforrásokat nem kezelheted a felhasználói felületről. Kezeld őket a configuration.yaml fájlban.",
|
||||
"caption": "Erőforrások",
|
||||
@@ -2197,7 +2238,7 @@
|
||||
"scene": {
|
||||
"activated": "Aktivált jelenet: {name}.",
|
||||
"caption": "Jelenetek",
|
||||
"description": "Jelenetek kezelése",
|
||||
"description": "Eszköz állapotok rögzítése, hogy később egyszerűen előhívhasd őket",
|
||||
"editor": {
|
||||
"default_name": "Új jelenet",
|
||||
"devices": {
|
||||
@@ -2241,7 +2282,7 @@
|
||||
},
|
||||
"script": {
|
||||
"caption": "Szkriptek",
|
||||
"description": "Szkriptek kezelése",
|
||||
"description": "Műveletsorozat végrehajtása",
|
||||
"editor": {
|
||||
"alias": "Név",
|
||||
"default_name": "Új Szkript",
|
||||
@@ -2352,7 +2393,7 @@
|
||||
"confirm_remove": "Biztosan el szeretnéd távolítani a(z) {tag} címkét?",
|
||||
"confirm_remove_title": "Eltávolítod a címkét?",
|
||||
"create_automation": "Automatizálás létrehozása címkével",
|
||||
"description": "Címkék kezelése",
|
||||
"description": "Automatizálások indítása NFC-címke, QR-kód stb. beolvasásakor",
|
||||
"detail": {
|
||||
"companion_apps": "társalkalmazások",
|
||||
"create": "Létrehozás",
|
||||
@@ -2387,10 +2428,11 @@
|
||||
"username": "Felhasználónév"
|
||||
},
|
||||
"caption": "Felhasználók",
|
||||
"description": "Felhasználók kezelése",
|
||||
"description": "Home Assistant felhasználói fiókok kezelése",
|
||||
"editor": {
|
||||
"activate_user": "Felhasználó aktiválása",
|
||||
"active": "Aktív",
|
||||
"active_tooltip": "Szabályozza, hogy a felhasználó be tud-e jelentkezni",
|
||||
"admin": "Adminisztrátor",
|
||||
"caption": "Felhasználó megtekintése",
|
||||
"change_password": "Jelszó módosítása",
|
||||
@@ -2399,7 +2441,7 @@
|
||||
"delete_user": "Felhasználó törlése",
|
||||
"group": "Csoport",
|
||||
"id": "ID",
|
||||
"name": "Név",
|
||||
"name": "Megjelenítendő név",
|
||||
"new_password": "Új Jelszó",
|
||||
"owner": "Tulajdonos",
|
||||
"password_changed": "A jelszó módosítása sikeresen megtörtént",
|
||||
@@ -2407,14 +2449,18 @@
|
||||
"system_generated_users_not_editable": "Nem lehet frissíteni a rendszer által létrehozott felhasználókat.",
|
||||
"system_generated_users_not_removable": "Nem lehet eltávolítani a rendszer által létrehozott felhasználókat.",
|
||||
"unnamed_user": "Névtelen felhasználó",
|
||||
"update_user": "Frissítés"
|
||||
"update_user": "Frissítés",
|
||||
"username": "Felhasználónév"
|
||||
},
|
||||
"picker": {
|
||||
"add_user": "Felhasználó hozzáadása",
|
||||
"headers": {
|
||||
"group": "Csoport",
|
||||
"name": "Név",
|
||||
"system": "Rendszer"
|
||||
"is_active": "Aktív",
|
||||
"is_owner": "Tulajdonos",
|
||||
"name": "Megjelenítendő név",
|
||||
"system": "Rendszer által létrehozott",
|
||||
"username": "Felhasználónév"
|
||||
}
|
||||
},
|
||||
"users_privileges_note": "A felhasználói csoport funkció jelenleg is fejlesztés alatt áll. A felhasználó nem tudja kezelni a példányt a felhasználói felületen keresztül. Folyamatosan ellenőrizzük az összes felügyeleti API-végpontot annak érdekében, hogy azok helyesen korlátozzák a hozzáférést az adminisztrátorok részére."
|
||||
@@ -2466,6 +2512,16 @@
|
||||
"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",
|
||||
"INITIALIZED": "Az inicializálás befejeződött",
|
||||
"INITIALIZED_status_text": "A készülék használatra kész",
|
||||
"INTERVIEW_COMPLETE": "Interjú kész",
|
||||
"INTERVIEW_COMPLETE_status_text": "Konfigurálás",
|
||||
"PAIRED": "Eszköz megtalálva",
|
||||
"PAIRED_status_text": "Interjú indítása"
|
||||
},
|
||||
"devices": {
|
||||
"header": "Zigbee Home Automation - Eszköz"
|
||||
},
|
||||
@@ -2785,7 +2841,7 @@
|
||||
}
|
||||
},
|
||||
"changed_toast": {
|
||||
"message": "Az ehhez az irányítópulthoz tartozó Lovelace konfiguráció módosítva lett, szeretnél frissíteni az aktualizáláshoz?",
|
||||
"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"
|
||||
},
|
||||
"editor": {
|
||||
@@ -3395,10 +3451,13 @@
|
||||
"change_password": {
|
||||
"confirm_new_password": "Új Jelszó Megerősítése",
|
||||
"current_password": "Jelenlegi Jelszó",
|
||||
"error_new_is_old": "Az új jelszónak különböznie kell az aktuális jelszótól",
|
||||
"error_new_mismatch": "A megadott új jelszavak nem egyeznek",
|
||||
"error_required": "Szükséges",
|
||||
"header": "Jelszó Módosítása",
|
||||
"new_password": "Új Jelszó",
|
||||
"submit": "Küldés"
|
||||
"submit": "Küldés",
|
||||
"success": "A jelszó sikeresen módosíva lett"
|
||||
},
|
||||
"current_user": "Jelenleg {fullName} felhasználóként vagy bejelentkezve.",
|
||||
"customize_sidebar": {
|
||||
|
@@ -21,7 +21,7 @@
|
||||
"map": "Քարտեզ",
|
||||
"profile": "Անձնագիր",
|
||||
"shopping_list": "Գնումների ցուցակ",
|
||||
"states": "Գլխավոր"
|
||||
"states": "Ակնարկ"
|
||||
},
|
||||
"state_attributes": {
|
||||
"climate": {
|
||||
@@ -89,7 +89,7 @@
|
||||
"disarmed": "Զինաթափված",
|
||||
"disarming": "Զինաթափող",
|
||||
"pending": "Սպասում",
|
||||
"triggered": "պատճառը"
|
||||
"triggered": "Գործարկել է"
|
||||
},
|
||||
"automation": {
|
||||
"off": "Անջատած",
|
||||
@@ -207,7 +207,7 @@
|
||||
},
|
||||
"default": {
|
||||
"unavailable": "Անհասանելի",
|
||||
"unknown": "հայտնի չէ"
|
||||
"unknown": "Անհայտ"
|
||||
},
|
||||
"device_tracker": {
|
||||
"not_home": "Հեռու"
|
||||
@@ -480,6 +480,9 @@
|
||||
},
|
||||
"service-picker": {
|
||||
"service": "Ծառայություն"
|
||||
},
|
||||
"target-picker": {
|
||||
"add_entity_id": "Ընտրեք սուբյեկտ"
|
||||
}
|
||||
},
|
||||
"dialogs": {
|
||||
@@ -488,6 +491,11 @@
|
||||
"enable_new_entities_label": "Միացնել նոր ավելացված օբյեկտները:",
|
||||
"title": "Համակարգի Պարամետրերը"
|
||||
},
|
||||
"entity_registry": {
|
||||
"editor": {
|
||||
"open_device_settings": "Բացել սարքի կարգավորումները"
|
||||
}
|
||||
},
|
||||
"more_info_control": {
|
||||
"script": {
|
||||
"last_action": "Վերջին գործողությունը"
|
||||
@@ -796,6 +804,33 @@
|
||||
"introduction": "Կսմթել յուրաքանչյուր անձի հատկանիշները: Անհապաղ գործողության մեջ կավելացվեն / խմբագրված փոփոխությունները: Հեռացված կարգավորումները ուժի մեջ են մտնում սուբյեկտի թարմացման դեպքում:"
|
||||
}
|
||||
},
|
||||
"devices": {
|
||||
"automation": {
|
||||
"create_disable": "Հնարավոր չէ ստեղծել ավտոմատացում անջատված սարքով"
|
||||
},
|
||||
"disabled": "Անջատված",
|
||||
"disabled_by": {
|
||||
"config_entry": "Կարգավորման կետ",
|
||||
"integration": "Ինտեգրում",
|
||||
"user": "Օգտատեր"
|
||||
},
|
||||
"enabled_cause": "Անջատված է {cause}-ի կողմից",
|
||||
"enabled_label": "Միացնել սարքը",
|
||||
"picker": {
|
||||
"filter": {
|
||||
"filter": "Ֆիլտր",
|
||||
"show_all": "Ցույց տալ ամբողջը",
|
||||
"show_disabled": "Ցուցադրել ապաակտիվացված սարքերը"
|
||||
},
|
||||
"search": "Որոնել սարքեր"
|
||||
},
|
||||
"scene": {
|
||||
"create_disable": "Հնարավոր չէ սցենար ստեղծել անջատված սարքով"
|
||||
},
|
||||
"script": {
|
||||
"create_disable": "Անջատված սարքով հնարավոր չէ ստեղծել սկրիպտ"
|
||||
}
|
||||
},
|
||||
"entities": {
|
||||
"caption": "Անշարժ գույքի ռեգիստր",
|
||||
"description": "Բոլոր հայտնի սուբյեկտների ակնարկ:",
|
||||
@@ -899,6 +934,7 @@
|
||||
"description": "Կառավարեք օգտվողներին",
|
||||
"editor": {
|
||||
"activate_user": "Ակտիվացրեք օգտագործողին",
|
||||
"active_tooltip": "Վերահսկում է, եթե օգտագործողը կարող է մուտք գործել",
|
||||
"caption": "Տեսնել օգտագործողին",
|
||||
"change_password": "Փոխել գաղտնաբառը",
|
||||
"deactivate_user": "Ապաակտիվացնել օգտագործողին",
|
||||
@@ -1247,10 +1283,13 @@
|
||||
"change_password": {
|
||||
"confirm_new_password": "Հաստատեք նոր գաղտնաբառ",
|
||||
"current_password": "Ընթացիկ գաղտնաբառ",
|
||||
"error_new_is_old": "Նոր գաղտնաբառը պետք է տարբերվի ներկայիս գաղտնաբառից",
|
||||
"error_new_mismatch": "Գաղտնաբառերը չեն համընկնում",
|
||||
"error_required": "Պահանջվում է",
|
||||
"header": "Փոխել գաղտնաբառը",
|
||||
"new_password": "Նոր գաղտնաբառը",
|
||||
"submit": "Ներկայացնել"
|
||||
"submit": "Ներկայացնել",
|
||||
"success": "Գաղտնաբառը հաջողությամբ փոխվեց"
|
||||
},
|
||||
"current_user": "Դուք մուտք եք գործել որպես {fullName} :",
|
||||
"force_narrow": {
|
||||
|
@@ -2,6 +2,7 @@
|
||||
"config_entry": {
|
||||
"disabled_by": {
|
||||
"config_entry": "Voce di configurazione",
|
||||
"device": "Dispositivo",
|
||||
"integration": "Integrazione",
|
||||
"user": "Utente"
|
||||
}
|
||||
@@ -546,6 +547,8 @@
|
||||
"add_new": "Aggiungi nuova area…",
|
||||
"area": "Area",
|
||||
"clear": "Cancella",
|
||||
"no_areas": "Non hai aree",
|
||||
"no_match": "Non sono state trovate aree corrispondenti",
|
||||
"show_areas": "Mostra le aree"
|
||||
},
|
||||
"blueprint-picker": {
|
||||
@@ -566,6 +569,8 @@
|
||||
"clear": "Cancella",
|
||||
"device": "Dispositivo",
|
||||
"no_area": "Nessuna area",
|
||||
"no_devices": "Non hai alcun dispositivo",
|
||||
"no_match": "Non sono stati trovati dispositivi corrispondenti",
|
||||
"show_devices": "Mostra dispositivi",
|
||||
"toggle": "Azionare"
|
||||
},
|
||||
@@ -577,6 +582,7 @@
|
||||
"entity-picker": {
|
||||
"clear": "Cancella",
|
||||
"entity": "Entità",
|
||||
"no_match": "Non sono state trovate entità corrispondenti",
|
||||
"show_entities": "Mostra entità"
|
||||
}
|
||||
},
|
||||
@@ -710,6 +716,16 @@
|
||||
"service-picker": {
|
||||
"service": "Servizio"
|
||||
},
|
||||
"target-picker": {
|
||||
"add_area_id": "Scegli area",
|
||||
"add_device_id": "Scegli dispositivo",
|
||||
"add_entity_id": "Scegli entità",
|
||||
"expand_area_id": "Espandi quest'area nei dispositivi e nelle entità separate che contiene. Dopo l'espansione non aggiornerà i dispositivi e le entità quando l'area cambia.",
|
||||
"expand_device_id": "Espandi questo dispositivo in entità separate. Dopo l'espansione non aggiornerà le entità quando il dispositivo cambia.",
|
||||
"remove_area_id": "Rimuovi area",
|
||||
"remove_device_id": "Rimuovi dispositivo",
|
||||
"remove_entity_id": "Rimuovi entità"
|
||||
},
|
||||
"user-picker": {
|
||||
"add_user": "Aggiungi utente",
|
||||
"no_user": "Nessun utente",
|
||||
@@ -733,6 +749,7 @@
|
||||
"editor": {
|
||||
"confirm_delete": "Sei sicuro di voler eliminare questa voce?",
|
||||
"delete": "Elimina",
|
||||
"device_disabled": "Il dispositivo di questa entità è disabilitato.",
|
||||
"enabled_cause": "Disabilitato da {cause}.",
|
||||
"enabled_delay_confirm": "Le entità abilitate saranno aggiunte a Home Assistant in {delay} secondi",
|
||||
"enabled_description": "Le entità disabilitate non saranno aggiunte a Home Assistant",
|
||||
@@ -743,6 +760,7 @@
|
||||
"icon_error": "Le icone dovrebbero essere nel formato 'prefisso:nome_icona', ad esempio 'mdi:home'.",
|
||||
"name": "Nome",
|
||||
"note": "Nota: questo potrebbe non funzionare ancora con tutte le integrazioni.",
|
||||
"open_device_settings": "Apri le impostazioni del dispositivo",
|
||||
"unavailable": "Questa entità non è attualmente disponibile.",
|
||||
"update": "Aggiorna"
|
||||
},
|
||||
@@ -1030,7 +1048,7 @@
|
||||
"confirmation_text": "Tutti i dispositivi in quest'area non saranno assegnati.",
|
||||
"confirmation_title": "Sei sicuro di voler cancellare quest'area?"
|
||||
},
|
||||
"description": "Gestisci le aree della tua casa",
|
||||
"description": "Raggruppa dispositivi ed entità in aree",
|
||||
"editor": {
|
||||
"area_id": "Area ID",
|
||||
"create": "Crea",
|
||||
@@ -1052,7 +1070,7 @@
|
||||
},
|
||||
"automation": {
|
||||
"caption": "Automazioni",
|
||||
"description": "Gestisci le Automazioni",
|
||||
"description": "Crea regole di comportamento personalizzate per la tua casa",
|
||||
"dialog_new": {
|
||||
"blueprint": {
|
||||
"use_blueprint": "Usa un progetto"
|
||||
@@ -1400,15 +1418,15 @@
|
||||
"blueprint": {
|
||||
"add": {
|
||||
"error_no_url": "Inserisci l'URL del progetto.",
|
||||
"file_name": "Nome del file di progetto locale",
|
||||
"header": "Aggiungi un nuovo progetto",
|
||||
"import_btn": "Importa progetto",
|
||||
"import_header": "Importa \"{name}\" (tipo: {domain})",
|
||||
"file_name": "Percorso del progetto",
|
||||
"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.",
|
||||
"importing": "Importazione del progetto in corso ...",
|
||||
"importing": "Caricamento progetto ...",
|
||||
"raw_blueprint": "Contenuto del progetto",
|
||||
"save_btn": "Salva progetto",
|
||||
"saving": "Salvataggio del progetto in corso ...",
|
||||
"save_btn": "Importa progetto",
|
||||
"saving": "Importazione del progetto ...",
|
||||
"unsupported_blueprint": "Questo progetto non è supportato",
|
||||
"url": "URL del progetto"
|
||||
},
|
||||
@@ -1425,8 +1443,8 @@
|
||||
"file_name": "Nome file",
|
||||
"name": "Nome"
|
||||
},
|
||||
"introduction": "L'editor del progetto consente di creare e modificare i progetti.",
|
||||
"learn_more": "Per saperne di più sui progetti",
|
||||
"introduction": "La configurazione del progetto ti consente di importare e gestire i tuoi progetti.",
|
||||
"learn_more": "Ulteriori informazioni sull'utilizzo dei progetti",
|
||||
"use_blueprint": "Crea automazione"
|
||||
}
|
||||
},
|
||||
@@ -1510,7 +1528,7 @@
|
||||
"title": "Alexa"
|
||||
},
|
||||
"caption": "Home Assistant Cloud",
|
||||
"description_features": "Controllo fuori casa, integrazione con Alexa e Google Assistant.",
|
||||
"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",
|
||||
"dialog_certificate": {
|
||||
@@ -1605,7 +1623,7 @@
|
||||
},
|
||||
"core": {
|
||||
"caption": "Generale",
|
||||
"description": "Modifica la configurazione generale di Home Assistant",
|
||||
"description": "Sistema di unità, posizione, fuso orario e altri parametri generali",
|
||||
"section": {
|
||||
"core": {
|
||||
"core_config": {
|
||||
@@ -1667,6 +1685,7 @@
|
||||
"unknown_condition": "Condizione sconosciuta"
|
||||
},
|
||||
"create": "Crea l'automazione con il dispositivo",
|
||||
"create_disable": "Non è possibile creare automazione con un dispositivo disabilitato",
|
||||
"no_automations": "Nessuna automazione",
|
||||
"no_device_automations": "Non ci sono Automazioni disponibili per questo dispositivo.",
|
||||
"triggers": {
|
||||
@@ -1692,9 +1711,18 @@
|
||||
"no_devices": "Nessun dispositivo"
|
||||
},
|
||||
"delete": "Elimina",
|
||||
"description": "Gestisci i dispositivi collegati",
|
||||
"description": "Gestisci i dispositivi configurati",
|
||||
"device_info": "Informazioni sul dispositivo",
|
||||
"device_not_found": "Dispositivo non trovato.",
|
||||
"disabled": "Disabilitato",
|
||||
"disabled_by": {
|
||||
"config_entry": "Voce di configurazione",
|
||||
"integration": "Integrazione",
|
||||
"user": "Utente"
|
||||
},
|
||||
"enabled_cause": "Il dispositivo è stato disabilitato da {cause}.",
|
||||
"enabled_description": "I dispositivi disabilitati non verranno mostrati e le entità appartenenti al dispositivo verranno disabilitate e non aggiunte a Home Assistant.",
|
||||
"enabled_label": "Abilita dispositivo",
|
||||
"entities": {
|
||||
"add_entities_lovelace": "Aggiungi a Lovelace",
|
||||
"disabled_entities": "+{count} {count, plural,\n one {entità disabilitata}\n other {entità disabilitate}\n}",
|
||||
@@ -1704,14 +1732,25 @@
|
||||
},
|
||||
"name": "Nome",
|
||||
"no_devices": "Nessun dispositivo",
|
||||
"picker": {
|
||||
"filter": {
|
||||
"filter": "Filtro",
|
||||
"hidden_devices": "nascosto/i {number} {number, plural,\n one {dispositivo}\n other {dispositivi}\n}",
|
||||
"show_all": "Mostra tutto",
|
||||
"show_disabled": "Mostra dispositivi disabilitati"
|
||||
},
|
||||
"search": "Cerca dispositivi"
|
||||
},
|
||||
"scene": {
|
||||
"create": "Crea una Scena con il dispositivo",
|
||||
"create_disable": "Non è possibile creare scene con un dispositivo disabilitato",
|
||||
"no_scenes": "Nessuna Scena",
|
||||
"scenes": "Scene"
|
||||
},
|
||||
"scenes": "Scene",
|
||||
"script": {
|
||||
"create": "Crea uno script con il dispositivo",
|
||||
"create_disable": "Non è possibile creare script con un dispositivo disabilitato",
|
||||
"no_scripts": "Nessuno script",
|
||||
"scripts": "Script"
|
||||
},
|
||||
@@ -1777,7 +1816,7 @@
|
||||
"header": "Configura Home Assistant",
|
||||
"helpers": {
|
||||
"caption": "Aiutanti",
|
||||
"description": "Gestisci elementi che possono aiutare a costruire le automazioni.",
|
||||
"description": "Elementi che aiutano a costruire le automazioni",
|
||||
"dialog": {
|
||||
"add_helper": "Aggiungi aiutante",
|
||||
"add_platform": "Aggiungi {platform}",
|
||||
@@ -1809,7 +1848,7 @@
|
||||
"copy_github": "Per GitHub",
|
||||
"copy_raw": "Testo non elaborato",
|
||||
"custom_uis": "Interfacce Utente personalizzate:",
|
||||
"description": "Visualizza le informazioni sull'installazione di Home Assistant",
|
||||
"description": "Versione, integrità del sistema e collegamenti alla documentazione",
|
||||
"developed_by": "Sviluppato da un gruppo di persone fantastiche.",
|
||||
"documentation": "Documentazione",
|
||||
"frontend": "frontend-ui",
|
||||
@@ -1915,7 +1954,7 @@
|
||||
},
|
||||
"configure": "Configura",
|
||||
"configured": "Configurato",
|
||||
"description": "Gestisci le integrazioni",
|
||||
"description": "Gestisci le integrazioni con servizi, dispositivi, ...",
|
||||
"details": "Dettagli dell'integrazione",
|
||||
"discovered": "Rilevato",
|
||||
"home_assistant_website": "Sito Web di Home Assistant",
|
||||
@@ -2000,7 +2039,7 @@
|
||||
"open": "Aprire"
|
||||
}
|
||||
},
|
||||
"description": "Gestisci le tue plance di Lovelace",
|
||||
"description": "Crea insiemi di schede personalizzate per controllare la tua casa",
|
||||
"resources": {
|
||||
"cant_edit_yaml": "Si utilizza Lovelace in modalità YAML, pertanto non è possibile gestire le risorse tramite l'Interfaccia Utente. Gestirli in configuration.yaml.",
|
||||
"caption": "Risorse",
|
||||
@@ -2199,7 +2238,7 @@
|
||||
"scene": {
|
||||
"activated": "Scena attivata {name}.",
|
||||
"caption": "Scene",
|
||||
"description": "Gestisci le scene",
|
||||
"description": "Cattura gli stati del dispositivo e richiamarli facilmente in seguito",
|
||||
"editor": {
|
||||
"default_name": "Nuova scena",
|
||||
"devices": {
|
||||
@@ -2243,7 +2282,7 @@
|
||||
},
|
||||
"script": {
|
||||
"caption": "Script",
|
||||
"description": "Gestisci gli script",
|
||||
"description": "Esegui una sequenza di azioni",
|
||||
"editor": {
|
||||
"alias": "Nome",
|
||||
"default_name": "Nuovo script",
|
||||
@@ -2354,7 +2393,7 @@
|
||||
"confirm_remove": "Sei sicuro di voler rimuovere l'etichetta {tag}?",
|
||||
"confirm_remove_title": "Rimuovere l'etichetta?",
|
||||
"create_automation": "Creare un'automazione con l'etichetta",
|
||||
"description": "Gestisci le etichette",
|
||||
"description": "Attiva le automazioni quando viene scansionato un tag NFC, un codice QR, ecc",
|
||||
"detail": {
|
||||
"companion_apps": "app complementari",
|
||||
"create": "Crea",
|
||||
@@ -2389,10 +2428,11 @@
|
||||
"username": "Nome utente"
|
||||
},
|
||||
"caption": "Utenti",
|
||||
"description": "Gestisci gli utenti",
|
||||
"description": "Gestisci gli account utente di Home Assistant",
|
||||
"editor": {
|
||||
"activate_user": "Attiva utente",
|
||||
"active": "Attivo",
|
||||
"active_tooltip": "Controlla se l'utente può effettuare il login",
|
||||
"admin": "Amministratore",
|
||||
"caption": "Visualizza utente",
|
||||
"change_password": "Cambia password",
|
||||
@@ -3411,10 +3451,13 @@
|
||||
"change_password": {
|
||||
"confirm_new_password": "Conferma la nuova password",
|
||||
"current_password": "Password corrente",
|
||||
"error_new_is_old": "La nuova password deve essere diversa dalla password corrente",
|
||||
"error_new_mismatch": "I valori della nuova password immessi non corrispondono",
|
||||
"error_required": "Richiesto",
|
||||
"header": "Cambia password",
|
||||
"new_password": "Nuova password",
|
||||
"submit": "Invia"
|
||||
"submit": "Invia",
|
||||
"success": "Password modificata correttamente"
|
||||
},
|
||||
"current_user": "Sei attualmente connesso come {fullName}.",
|
||||
"customize_sidebar": {
|
||||
|
@@ -2,11 +2,13 @@
|
||||
"config_entry": {
|
||||
"disabled_by": {
|
||||
"config_entry": "構成エントリ",
|
||||
"device": "デバイス",
|
||||
"integration": "インテグレーション",
|
||||
"user": "ユーザー"
|
||||
}
|
||||
},
|
||||
"groups": {
|
||||
"owner": "オーナー",
|
||||
"system-admin": "管理者",
|
||||
"system-read-only": "読み取り専用ユーザー",
|
||||
"system-users": "ユーザー"
|
||||
@@ -531,6 +533,8 @@
|
||||
"add_new": "新しいエリアを追加…",
|
||||
"area": "エリア",
|
||||
"clear": "消去",
|
||||
"no_areas": "エリアがありません",
|
||||
"no_match": "一致するエリアが見つかりません",
|
||||
"show_areas": "エリアを表示"
|
||||
},
|
||||
"blueprint-picker": {
|
||||
@@ -551,6 +555,8 @@
|
||||
"clear": "削除",
|
||||
"device": "デバイス",
|
||||
"no_area": "エリアなし",
|
||||
"no_devices": "デバイスがありません",
|
||||
"no_match": "一致するデバイスが見つかりません",
|
||||
"show_devices": "デバイスを表示",
|
||||
"toggle": "切り替え"
|
||||
},
|
||||
@@ -562,6 +568,7 @@
|
||||
"entity-picker": {
|
||||
"clear": "消去",
|
||||
"entity": "エンティティ",
|
||||
"no_match": "一致するエンティティが見つかりません",
|
||||
"show_entities": "エンティティを表示"
|
||||
}
|
||||
},
|
||||
@@ -695,6 +702,16 @@
|
||||
"service-picker": {
|
||||
"service": "サービス"
|
||||
},
|
||||
"target-picker": {
|
||||
"add_area_id": "エリアを選択",
|
||||
"add_device_id": "デバイスを選択",
|
||||
"add_entity_id": "エンティティを選択",
|
||||
"expand_area_id": "含まれている個別のデバイスとエンティティでこの領域を展開します。拡張後、領域が変更されてもデバイスとエンティティは更新されません。",
|
||||
"expand_device_id": "このデバイスを別々のエンティティで展開します。展開した後は、デバイスが変更されたときにエンティティが更新されません。",
|
||||
"remove_area_id": "エリアを削除する",
|
||||
"remove_device_id": "デバイスを削除",
|
||||
"remove_entity_id": "エンティティの削除"
|
||||
},
|
||||
"user-picker": {
|
||||
"add_user": "ユーザーを追加",
|
||||
"no_user": "ユーザーなし",
|
||||
@@ -718,6 +735,7 @@
|
||||
"editor": {
|
||||
"confirm_delete": "このエントリを削除してもよろしいですか?",
|
||||
"delete": "削除",
|
||||
"device_disabled": "このエンティティのデバイスは無効になっています。",
|
||||
"enabled_cause": "{cause} によって無効にされました。",
|
||||
"enabled_delay_confirm": "有効なエンティティは {delay} 秒でホーム アシスタントに追加されます",
|
||||
"enabled_description": "無効化されたエンティティは Home Assistant に追加されません。",
|
||||
@@ -728,6 +746,7 @@
|
||||
"icon_error": "アイコンは「prefix:iconname」の形式にする必要があります(例:「mdi:home」)。",
|
||||
"name": "名前の上書き",
|
||||
"note": "注: これは、まだすべてのインテグレーションで動作しない場合があります。",
|
||||
"open_device_settings": "デバイス設定を開く",
|
||||
"unavailable": "このエンティティは現在利用できません。",
|
||||
"update": "更新"
|
||||
},
|
||||
@@ -992,7 +1011,7 @@
|
||||
"dismiss": "閉じる",
|
||||
"service_call_failed": "サービス{service}の呼び出しに失敗しました。",
|
||||
"started": "ホームアシスタントが開始されました!",
|
||||
"starting": "Home Assistantが起動中です。終了するまですべてが利用できるわけではありません。",
|
||||
"starting": "Home Assistantが起動中です。全て利用可能なるまでもうしばらくお待ち下さい。",
|
||||
"triggered": "トリガーしました {name}"
|
||||
},
|
||||
"panel": {
|
||||
@@ -1352,7 +1371,7 @@
|
||||
"delete_automation": "オートメーションを削除",
|
||||
"delete_confirm": "このオートメーションを削除してもよろしいですか?",
|
||||
"duplicate": "複製",
|
||||
"duplicate_automation": "重複したオートメーション",
|
||||
"duplicate_automation": "オートメーションを複製",
|
||||
"edit_automation": "オートメーションを編集",
|
||||
"header": "オートメーションエディター",
|
||||
"headers": {
|
||||
@@ -1385,11 +1404,13 @@
|
||||
"blueprint": {
|
||||
"add": {
|
||||
"error_no_url": "設計図のURLを入力してください。",
|
||||
"file_name": "設計図のパス",
|
||||
"header": "新しい設計図を追加する",
|
||||
"import_btn": "設計図をインポートする",
|
||||
"import_header": "インポート{name} ( {domain} )",
|
||||
"import_introduction": "Github やコミュニティフォーラムから他のユーザーの設計図をインポートできます。以下に、設計図の URL を入力します。",
|
||||
"importing": "設計図をインポートしています...",
|
||||
"raw_blueprint": "設計図コンテンツ",
|
||||
"save_btn": "設計図の保存",
|
||||
"saving": "設計図を保存しています...",
|
||||
"unsupported_blueprint": "この設計図はサポートされていません",
|
||||
@@ -1401,12 +1422,16 @@
|
||||
"add_blueprint": "設計図を追加する",
|
||||
"confirm_delete_header": "この設計図を削除しますか?",
|
||||
"confirm_delete_text": "この設計図を削除してもよ思いますか?",
|
||||
"delete_blueprint": "設計図を削除",
|
||||
"header": "設計図エディタ",
|
||||
"headers": {
|
||||
"domain": "ドメイン",
|
||||
"file_name": "ファイル名",
|
||||
"name": "名前"
|
||||
},
|
||||
"introduction": "設計図エディターを使用すると、設計図を作成および編集できます。",
|
||||
"learn_more": "設計図の詳細"
|
||||
"learn_more": "設計図の詳細",
|
||||
"use_blueprint": "オートメーションを作成"
|
||||
}
|
||||
},
|
||||
"cloud": {
|
||||
@@ -1646,6 +1671,7 @@
|
||||
"unknown_condition": "状態不明"
|
||||
},
|
||||
"create": "デバイスからオートメーションを作成",
|
||||
"create_disable": "無効なデバイスで自動化を作成できません",
|
||||
"no_automations": "オートメーションなし",
|
||||
"no_device_automations": "このデバイスで利用可能なオートメーションはありません。",
|
||||
"triggers": {
|
||||
@@ -1674,6 +1700,15 @@
|
||||
"description": "接続されたデバイスの管理",
|
||||
"device_info": "デバイス情報",
|
||||
"device_not_found": "デバイスが見つかりません。",
|
||||
"disabled": "無効",
|
||||
"disabled_by": {
|
||||
"config_entry": "構成エントリ",
|
||||
"integration": "インテグレーション",
|
||||
"user": "ユーザー"
|
||||
},
|
||||
"enabled_cause": "デバイスは{cause}によって無効にされています。",
|
||||
"enabled_description": "無効なデバイスは表示されず、デバイスに属するエンティティは無効になり、ホーム アシスタントに追加されません。",
|
||||
"enabled_label": "デバイスを有効にする",
|
||||
"entities": {
|
||||
"add_entities_lovelace": "Lovelaceに追加",
|
||||
"disabled_entities": "{count} {count, plural,\n one {無効なエンティティ}\n other {無効なエンティティ}\n}",
|
||||
@@ -1683,14 +1718,25 @@
|
||||
},
|
||||
"name": "名前",
|
||||
"no_devices": "デバイスなし",
|
||||
"picker": {
|
||||
"filter": {
|
||||
"filter": "フィルター",
|
||||
"hidden_devices": "{number} 非表示 {number, plural,\n one {デバイス}\n other {デバイス}\n}",
|
||||
"show_all": "すべてを表示",
|
||||
"show_disabled": "無効なデバイスを表示する"
|
||||
},
|
||||
"search": "デバイスを探す"
|
||||
},
|
||||
"scene": {
|
||||
"create": "デバイスからシーンを作成",
|
||||
"create_disable": "デバイスが無効になっているのでシーンを作成できません",
|
||||
"no_scenes": "シーンなし",
|
||||
"scenes": "シーン"
|
||||
},
|
||||
"scenes": "シーン",
|
||||
"script": {
|
||||
"create": "デバイスからスクリプトを作成",
|
||||
"create_disable": "デバイスが無効になっているのでスクリプトを作成できません",
|
||||
"no_scripts": "スクリプトなし",
|
||||
"scripts": "スクリプト"
|
||||
},
|
||||
@@ -1723,6 +1769,7 @@
|
||||
},
|
||||
"header": "エンティティ",
|
||||
"headers": {
|
||||
"area": "エリア",
|
||||
"entity_id": "エンティティ ID",
|
||||
"integration": "インテグレーション",
|
||||
"name": "名前",
|
||||
@@ -1784,6 +1831,8 @@
|
||||
"info": {
|
||||
"built_using": "を使用して構築",
|
||||
"caption": "情報",
|
||||
"copy_github": "GitHubの場合",
|
||||
"copy_raw": "本来のテキスト",
|
||||
"custom_uis": "カスタムの UIs:",
|
||||
"description": "ホーム アシスタントのインストールに関する情報を表示する",
|
||||
"developed_by": "素晴らしい人々の集まりによって開発されました。",
|
||||
@@ -2369,6 +2418,7 @@
|
||||
"editor": {
|
||||
"activate_user": "ユーザーを有効化",
|
||||
"active": "アクティブ",
|
||||
"active_tooltip": "ユーザーがログインできるかどうかを制御します",
|
||||
"admin": "管理者",
|
||||
"caption": "ユーザーを表示",
|
||||
"change_password": "パスワードの変更",
|
||||
@@ -2385,19 +2435,24 @@
|
||||
"system_generated_users_not_editable": "システムが生成されたユーザーを変更できません。",
|
||||
"system_generated_users_not_removable": "システムで生成されたユーザーを削除できません。",
|
||||
"unnamed_user": "名前のないユーザー",
|
||||
"update_user": "更新"
|
||||
"update_user": "更新",
|
||||
"username": "ユーザー名"
|
||||
},
|
||||
"picker": {
|
||||
"add_user": "ユーザーを追加する",
|
||||
"headers": {
|
||||
"group": "グループ",
|
||||
"is_active": "アクティブ",
|
||||
"is_owner": "オーナー",
|
||||
"name": "名前",
|
||||
"system": "システム"
|
||||
"system": "システム",
|
||||
"username": "ユーザー名"
|
||||
}
|
||||
},
|
||||
"users_privileges_note": "ユーザーグループは作業中です。ユーザーは、UIを介してインスタンスを管理できなくなります。すべての管理APIエンドポイントを引き続き監査して、管理者へのアクセスを正しく制限していることを確認しています。"
|
||||
},
|
||||
"zha": {
|
||||
"add_device": "デバイスの追加",
|
||||
"add_device_page": {
|
||||
"discovered_text": "検出されると、デバイスがここに表示されます。",
|
||||
"discovery_text": "検出されたデバイスがここに表示されます。デバイスの指示に従い、ペアリングモードにします。",
|
||||
@@ -2443,6 +2498,16 @@
|
||||
"value": "バリュー"
|
||||
},
|
||||
"description": "Zigbee Home Automationネットワーク管理",
|
||||
"device_pairing_card": {
|
||||
"CONFIGURED": "構成の完了",
|
||||
"CONFIGURED_status_text": "初期化中",
|
||||
"INITIALIZED": "初期化が完了しました",
|
||||
"INITIALIZED_status_text": "デバイスを使用する準備ができました",
|
||||
"INTERVIEW_COMPLETE": "インタビュー完了",
|
||||
"INTERVIEW_COMPLETE_status_text": "構成",
|
||||
"PAIRED": "デバイスが見つかりました",
|
||||
"PAIRED_status_text": "インタビュー開始"
|
||||
},
|
||||
"devices": {
|
||||
"header": "Zigbeeホームオートメーション-デバイス"
|
||||
},
|
||||
@@ -2458,6 +2523,7 @@
|
||||
"unbind_button_label": "グループのバインド解除"
|
||||
},
|
||||
"groups": {
|
||||
"add_group": "グループの追加",
|
||||
"add_members": "メンバーの追加",
|
||||
"adding_members": "メンバーの追加",
|
||||
"caption": "グループ",
|
||||
@@ -2500,7 +2566,11 @@
|
||||
"hint_wakeup": "Xiaomiセンサーなどの一部のデバイスには、約5秒間隔で押すことができるウェイクアップボタンがあり、デバイスを操作している間、デバイスをウェイクアップしたままにできます。",
|
||||
"introduction": "単一のデバイスに影響する ZHA コマンドを実行します。デバイスを選択して、使用可能なコマンドの一覧を表示します。"
|
||||
},
|
||||
"title": "Zigbeeホームオートメーション"
|
||||
"title": "Zigbeeホームオートメーション",
|
||||
"visualization": {
|
||||
"caption": "可視化",
|
||||
"header": "ネットワークの視覚化"
|
||||
}
|
||||
},
|
||||
"zone": {
|
||||
"add_zone": "ゾーンを追加",
|
||||
@@ -3167,7 +3237,7 @@
|
||||
"entity_non_numeric": "エンティティが数値ではありません: {entity}",
|
||||
"entity_not_found": "エンティティが使用できません: {entity}",
|
||||
"entity_unavailable": "{entity}は現在利用できません",
|
||||
"starting": "ホームアシスタントが起動していますが、まだすべてが利用可能なわけではありません"
|
||||
"starting": "Home Assistantが起動中です。全て利用可能なるまでもうしばらくお待ち下さい。"
|
||||
}
|
||||
},
|
||||
"mailbox": {
|
||||
@@ -3367,10 +3437,13 @@
|
||||
"change_password": {
|
||||
"confirm_new_password": "新しいパスワードの確認",
|
||||
"current_password": "現在のパスワード",
|
||||
"error_new_is_old": "新しいパスワードは現在のパスワードと異なる必要があります",
|
||||
"error_new_mismatch": "入力された新しいパスワードが一致しません",
|
||||
"error_required": "必須",
|
||||
"header": "パスワードの変更",
|
||||
"new_password": "新しいパスワード",
|
||||
"submit": "送信"
|
||||
"submit": "送信",
|
||||
"success": "パスワードが正常に変更されました"
|
||||
},
|
||||
"current_user": "現在、 {fullName}としてログインしています。",
|
||||
"customize_sidebar": {
|
||||
|
@@ -683,9 +683,9 @@
|
||||
"enabled_description": "비활성화 된 구성요소는 Home Assistant 에 추가되지 않습니다.",
|
||||
"enabled_label": "구성요소 활성화",
|
||||
"entity_id": "구성요소 ID",
|
||||
"icon": "아이콘 재정의",
|
||||
"icon": "아이콘",
|
||||
"icon_error": "아이콘은 접두사:아이콘이름 형식이어야 합니다. 예: mdi:home",
|
||||
"name": "이름 재정의",
|
||||
"name": "이름",
|
||||
"note": "참고: 모든 통합 구성요소에서 아직 작동하지 않을 수 있습니다.",
|
||||
"unavailable": "이 구성요소는 현재 사용할 수 없습니다.",
|
||||
"update": "업데이트"
|
||||
@@ -844,7 +844,7 @@
|
||||
"input_select": "선택입력 다시 읽어오기",
|
||||
"input_text": "문자입력 다시 읽어오기",
|
||||
"min_max": "최소/최대 구성요소 다시 읽어오기",
|
||||
"mqtt": "MQTT 구성요소 다시 읽어오기",
|
||||
"mqtt": "직접 구성한 MQTT 구성요소 다시 읽어오기",
|
||||
"person": "구성원 다시 읽어오기",
|
||||
"ping": "ping 이진 센서 구성요소 다시 읽어오기",
|
||||
"reload": "{domain} 다시 읽어오기",
|
||||
@@ -1185,7 +1185,7 @@
|
||||
"trigger": "트리거"
|
||||
},
|
||||
"event": {
|
||||
"context_user_pick": "사용자 추가",
|
||||
"context_user_pick": "사용자 선택",
|
||||
"context_user_picked": "사용자 발행 이벤트",
|
||||
"context_users": "트리거된 이벤트로 제한",
|
||||
"event_data": "이벤트 데이터",
|
||||
@@ -1289,15 +1289,15 @@
|
||||
"blueprint": {
|
||||
"add": {
|
||||
"error_no_url": "블루프린트의 URL 을 입력해주세요.",
|
||||
"file_name": "로컬 블루프린트 파일 이름",
|
||||
"header": "새로운 블루프린트 추가",
|
||||
"import_btn": "블루프린트 가져오기",
|
||||
"import_header": "\"{name}\" (유형: {domain}) 가져오기",
|
||||
"file_name": "블루프린트 경로",
|
||||
"header": "블루프린트 가져오기",
|
||||
"import_btn": "블루프린트 미리보기",
|
||||
"import_header": "\"{name}\" 블루프린트",
|
||||
"import_introduction": "Github 및 커뮤니티 포럼에서 다른 사용자의 블루프린트를 가져올 수 있습니다. 블루프린트의 URL 을 하단의 입력란에 입력해주세요.",
|
||||
"importing": "블루프린트를 가져오는 중 ...",
|
||||
"importing": "블루프린트를 읽는 중 ...",
|
||||
"raw_blueprint": "블루프린트 내용",
|
||||
"save_btn": "블루프린트 저장하기",
|
||||
"saving": "블루프린트 저장 중 ...",
|
||||
"save_btn": "블루프린트 가져오기",
|
||||
"saving": "블루프린트 가져오는 중 ...",
|
||||
"unsupported_blueprint": "이 블루프린트는 지원되지 않습니다.",
|
||||
"url": "블루프린트의 URL"
|
||||
},
|
||||
@@ -1314,8 +1314,8 @@
|
||||
"file_name": "파일 이름",
|
||||
"name": "이름"
|
||||
},
|
||||
"introduction": "블루프린트 편집기를 사용하면 블루프린트를 만들고 편집할 수 있습니다.",
|
||||
"learn_more": "블루프린트에 대해 더 알아보기",
|
||||
"introduction": "블루프린트 구성을 사용하면 블루프린트를 가져오고 관리할 수 있습니다.",
|
||||
"learn_more": "블루프린트 사용에 대해 더 알아보기",
|
||||
"use_blueprint": "자동화 만들기"
|
||||
}
|
||||
},
|
||||
@@ -1561,7 +1561,7 @@
|
||||
"caption": "기기",
|
||||
"confirm_delete": "이 기기를 삭제하시겠습니까?",
|
||||
"confirm_rename_entity_ids": "구성요소의 ID 이름 또한 바꾸시겠습니까?",
|
||||
"confirm_rename_entity_ids_warning": "현재 이러한 구성요소를 사용하고 있는 구성 (자동화, 스크립트, 씬, Lovelace 등)은 변경되지 않으므로 직접 업데이트해야 합니다.",
|
||||
"confirm_rename_entity_ids_warning": "현재 이러한 구성요소를 사용하고 있는 구성 (자동화, 스크립트, 씬, 대시보드 등)은 변경되지 않습니다. 새로운 구성요소 ID 를 사용하려면 직접 업데이트해야 합니다.",
|
||||
"data_table": {
|
||||
"area": "영역",
|
||||
"battery": "배터리",
|
||||
@@ -1634,7 +1634,7 @@
|
||||
"remove_selected": {
|
||||
"button": "선택된 구성요소 제거",
|
||||
"confirm_partly_text": "선택한 {selected} 개의 구성요소 중 {removable} 개의 구성요소를 제거할 수 있습니다. 통합 구성요소가 더 이상 구성요소를 제공하지 않는 경우에만 구성요소를 제거할 수 있으며, 제거된 통합 구성요소의 구성요소를 제거하기 전에 Home Assistant 를 다시 시작해야 할 수 있습니다. 제거 가능한 구성요소를 제거하시겠습니까?",
|
||||
"confirm_partly_title": "선택된 {number} 개의 구성요소만 제거할 수 있습니다.",
|
||||
"confirm_partly_title": "선택된 {number} {number, plural,\n one { 개의 구성요소만}\n other { 개의 구성요소만}\n} 제거할 수 있습니다.",
|
||||
"confirm_text": "이러한 구성요소가 포함된 경우 Lovelace 구성 및 자동화에서 제거해야 합니다.",
|
||||
"confirm_title": "{number} 개의 구성요소를 제거하시겠습니까?"
|
||||
},
|
||||
@@ -1684,7 +1684,7 @@
|
||||
"built_using": "다음을 사용하여 제작",
|
||||
"caption": "정보",
|
||||
"custom_uis": "사용자 UI :",
|
||||
"description": "설치된 Home Assistant 에 대한 정보입니다",
|
||||
"description": "버전, 시스템 상태 및 문서에 대한 링크입니다",
|
||||
"developed_by": "Home Assistant 는 수많은 멋진 사람들에 의해 개발되었습니다.",
|
||||
"documentation": "관련문서",
|
||||
"frontend": "프런트엔드-UI",
|
||||
@@ -2024,7 +2024,7 @@
|
||||
"scene": {
|
||||
"activated": "{name} 씬이 활성화 됨.",
|
||||
"caption": "씬",
|
||||
"description": "씬을 관리합니다",
|
||||
"description": "기기의 상태를 캡처하고 나중에 쉽게 호출할 수 있습니다",
|
||||
"editor": {
|
||||
"default_name": "새로운 씬",
|
||||
"devices": {
|
||||
@@ -2136,7 +2136,7 @@
|
||||
"input_text": "문자입력 다시 읽어오기",
|
||||
"introduction": "Home Assistant 의 일부 구성 내용은 재시작 없이 다시 읽어 들일 수 있습니다. 다시 읽어오기를 누르면 현재 사용 중인 YAML 구성 내용을 내리고 새로운 구성 내용을 읽어 들입니다.",
|
||||
"min_max": "최소/최대 구성요소 다시 읽어오기",
|
||||
"mqtt": "MQTT 구성요소 다시 읽어오기",
|
||||
"mqtt": "직접 구성한 MQTT 구성요소 다시 읽어오기",
|
||||
"person": "구성원 다시 읽어오기",
|
||||
"ping": "ping 이진 센서 구성요소 다시 읽어오기",
|
||||
"reload": "{domain} 다시 읽어오기",
|
||||
@@ -2174,7 +2174,7 @@
|
||||
"automation_title": "{name} 태그가 검색되었습니다",
|
||||
"caption": "태그",
|
||||
"create_automation": "태그로 자동화 구성하기",
|
||||
"description": "태그를 관리합니다",
|
||||
"description": "NFC 태그, QR 코드 등이 스캔될 때 자동화를 트리거합니다",
|
||||
"detail": {
|
||||
"create": "만들기",
|
||||
"create_and_write": "만들고 쓰기",
|
||||
@@ -2218,7 +2218,7 @@
|
||||
"delete_user": "사용자 삭제",
|
||||
"group": "그룹",
|
||||
"id": "ID",
|
||||
"name": "이름",
|
||||
"name": "표시 이름",
|
||||
"new_password": "새로운 비밀번호",
|
||||
"owner": "소유자",
|
||||
"password_changed": "비밀번호가 변경되었습니다.",
|
||||
@@ -2234,8 +2234,8 @@
|
||||
"group": "그룹",
|
||||
"is_active": "활성화",
|
||||
"is_owner": "소유자",
|
||||
"name": "이름",
|
||||
"system": "시스템",
|
||||
"name": "표시 이름",
|
||||
"system": "시스템 자동 생성",
|
||||
"username": "사용자 이름"
|
||||
}
|
||||
},
|
||||
@@ -2546,7 +2546,7 @@
|
||||
"entity": "구성요소",
|
||||
"jinja_documentation": "Jinja2 템플릿 문서 보기",
|
||||
"listeners": "이 템플릿은 다음의 상태 변경 이벤트를 수신합니다.",
|
||||
"no_listeners": "이 템플릿은 상태 변경 이벤트를 수신하지 않으며 자동으로 업데이트되지 않습니다.",
|
||||
"no_listeners": "이 템플릿은 이벤트를 수신하지 않으며 자동으로 업데이트되지 않습니다.",
|
||||
"reset": "데모 템플릿으로 재설정",
|
||||
"result_type": "결과 유형",
|
||||
"template_extensions": "Home Assistant 템플릿 확장기능 문서 보기",
|
||||
@@ -2621,6 +2621,12 @@
|
||||
"refresh": "새로고침"
|
||||
},
|
||||
"editor": {
|
||||
"action-editor": {
|
||||
"actions": {
|
||||
"url": "URL"
|
||||
},
|
||||
"url_path": "URL 경로"
|
||||
},
|
||||
"card": {
|
||||
"alarm-panel": {
|
||||
"available_states": "사용 가능한 상태요소",
|
||||
@@ -2652,7 +2658,7 @@
|
||||
},
|
||||
"entities": {
|
||||
"description": "구성요소 카드는 가장 일반적인 유형의 카드입니다. 항목을 목록으로 그룹화합니다.",
|
||||
"edit_special_row": "코드 편집기를 사용하여 행 편집",
|
||||
"edit_special_row": "편집 버튼을 클릭하여 이 행의 세부 정보 보기",
|
||||
"entity_row": {
|
||||
"attribute": "속성",
|
||||
"button": "버튼",
|
||||
|
@@ -2,6 +2,7 @@
|
||||
"config_entry": {
|
||||
"disabled_by": {
|
||||
"config_entry": "Konfiguratioun's Entrée",
|
||||
"device": "Apparat",
|
||||
"integration": "Integratioun",
|
||||
"user": "Benotzer"
|
||||
}
|
||||
@@ -696,6 +697,14 @@
|
||||
"service-picker": {
|
||||
"service": "Service"
|
||||
},
|
||||
"target-picker": {
|
||||
"add_area_id": "Beräich auswielen",
|
||||
"add_device_id": "Apparat auswielen",
|
||||
"add_entity_id": "Entitéit auswielen",
|
||||
"remove_area_id": "Beräich läschen",
|
||||
"remove_device_id": "Apparat läschen",
|
||||
"remove_entity_id": "Entitéit läschen"
|
||||
},
|
||||
"user-picker": {
|
||||
"add_user": "Benotzer erstellen",
|
||||
"no_user": "Kee Benotzer",
|
||||
@@ -719,6 +728,7 @@
|
||||
"editor": {
|
||||
"confirm_delete": "Sécher fir dës Entrée ze läsche?",
|
||||
"delete": "Läschen",
|
||||
"device_disabled": "Den Apparat vun dëser Entitéit ass déaktivéiert.",
|
||||
"enabled_cause": "Desaktivéiert duerch {cause}.",
|
||||
"enabled_description": "Deaktivéiert Entitéiten ginn net am Home Assistant bäigesat.",
|
||||
"enabled_label": "Entitéit aktivéieren",
|
||||
@@ -728,6 +738,7 @@
|
||||
"icon_error": "Ikonen sollten am format 'prefix:numm' sinn, Beispill: 'mdi:home'",
|
||||
"name": "Numm",
|
||||
"note": "Note: dëst funktionéiert villäicht nach net mat all Integratioun.",
|
||||
"open_device_settings": "Apparat Astellungen opmachen",
|
||||
"unavailable": "Dës Entitéit ass net erreechbar fir de Moment.",
|
||||
"update": "Aktualiséieren"
|
||||
},
|
||||
@@ -1642,6 +1653,7 @@
|
||||
"unknown_condition": "Onbekannte Konditioun"
|
||||
},
|
||||
"create": "Automatisme mat Apparat erstellen",
|
||||
"create_disable": "Ka keen Automatisme mat déaktivéiertem Apparat erstellen",
|
||||
"no_automations": "Keng Automatismen",
|
||||
"no_device_automations": "Et gi keng Automatisme fir dësen Apparat.",
|
||||
"triggers": {
|
||||
@@ -1670,6 +1682,13 @@
|
||||
"description": "Verwalt verbonnen Apparater",
|
||||
"device_info": "Informatioune vum Apparat",
|
||||
"device_not_found": "Apparat net fonnt.",
|
||||
"disabled": "Deaktivéiert",
|
||||
"disabled_by": {
|
||||
"integration": "Integratioun",
|
||||
"user": "Benotzer"
|
||||
},
|
||||
"enabled_cause": "Dësen Apparat ass duerch {cause} déaktivéiert.",
|
||||
"enabled_label": "Apparat aktivéieren",
|
||||
"entities": {
|
||||
"add_entities_lovelace": "Zu Lovelace bäisetzen",
|
||||
"disabled_entities": "+{count} {count, plural,\n one {Déaktivéiert Entitéit}\n other {Déaktivéiert Entitéiten}\n}",
|
||||
@@ -1679,14 +1698,24 @@
|
||||
},
|
||||
"name": "Numm",
|
||||
"no_devices": "Keng Apparater",
|
||||
"picker": {
|
||||
"filter": {
|
||||
"filter": "Filter",
|
||||
"show_all": "All uweisen",
|
||||
"show_disabled": "Déaktivéiert Apparater uweisen"
|
||||
},
|
||||
"search": "Apparater sichen"
|
||||
},
|
||||
"scene": {
|
||||
"create": "Zeen mat Apparat erstellen",
|
||||
"create_disable": "Ka keng Zeen mat déaktivéiertem Apparat erstellen",
|
||||
"no_scenes": "Keng Zeenen",
|
||||
"scenes": "Zeenen"
|
||||
},
|
||||
"scenes": "Zeenen",
|
||||
"script": {
|
||||
"create": "Skript mat Apparat erstellen",
|
||||
"create_disable": "Ka kee Skript mat déaktivéiertem Apparat erstellen",
|
||||
"no_scripts": "Keng Skripten",
|
||||
"scripts": "Skripten"
|
||||
},
|
||||
@@ -2362,6 +2391,7 @@
|
||||
"editor": {
|
||||
"activate_user": "Benotzer aktivéieren",
|
||||
"active": "Aktiv",
|
||||
"active_tooltip": "Kontrolléiert ob de Benotzer sech verbanne kann",
|
||||
"admin": "Administrator",
|
||||
"caption": "Benotzer kucken",
|
||||
"change_password": "Passwuert änneren",
|
||||
@@ -3379,10 +3409,13 @@
|
||||
"change_password": {
|
||||
"confirm_new_password": "Neit Passwuert confirméieren",
|
||||
"current_password": "Aktuellt Passwuert",
|
||||
"error_new_is_old": "Neit Passwuert muss anescht sinn wéi dat aktuellt Passwuert",
|
||||
"error_new_mismatch": "Verschidde Wäerter fir neit Passwuert ausgefëllt",
|
||||
"error_required": "Obligatoresch",
|
||||
"header": "Passwuert änneren",
|
||||
"new_password": "Neit Passwuert",
|
||||
"submit": "Ofschécken"
|
||||
"submit": "Ofschécken",
|
||||
"success": "Passwuert erfollegräich geännert"
|
||||
},
|
||||
"current_user": "Dir sidd aktuell ageloggt als {fullName}.",
|
||||
"customize_sidebar": {
|
||||
|
@@ -1,5 +1,11 @@
|
||||
{
|
||||
"config_entry": {
|
||||
"disabled_by": {
|
||||
"device": "Įrenginys"
|
||||
}
|
||||
},
|
||||
"groups": {
|
||||
"owner": "Savininkas",
|
||||
"system-admin": "Administratoriai",
|
||||
"system-read-only": "Tik skaitymo privilegija",
|
||||
"system-users": "Vartotojai"
|
||||
@@ -290,8 +296,24 @@
|
||||
"save": "Išsaugoti"
|
||||
},
|
||||
"components": {
|
||||
"area-picker": {
|
||||
"no_areas": "Neturite jokių sričių",
|
||||
"no_match": "Nerasta atitinkančių sričių"
|
||||
},
|
||||
"blueprint-picker": {
|
||||
"add_user": "Pridėti vartotoją",
|
||||
"remove_user": "Pašalinti vartotoją",
|
||||
"select_blueprint": "Pasirinkite techninį planą"
|
||||
},
|
||||
"device-picker": {
|
||||
"device": "Įrenginys"
|
||||
"device": "Įrenginys",
|
||||
"no_devices": "Neturite jokių įrenginių",
|
||||
"no_match": "Nerasta atitinkančių įrenginių"
|
||||
},
|
||||
"entity": {
|
||||
"entity-picker": {
|
||||
"no_match": "Nerasta atitinkančių objektų"
|
||||
}
|
||||
},
|
||||
"logbook": {
|
||||
"by_service": "pagal paslaugą",
|
||||
@@ -331,6 +353,14 @@
|
||||
},
|
||||
"past": "prieš {time}"
|
||||
},
|
||||
"target-picker": {
|
||||
"add_area_id": "Pasirinkite sritį",
|
||||
"add_device_id": "Pasirinkite įrenginį",
|
||||
"add_entity_id": "Pasirinkite objektą",
|
||||
"remove_area_id": "Pašalinti sritį",
|
||||
"remove_device_id": "Pašalinti įrenginį",
|
||||
"remove_entity_id": "Pašalinti objektą"
|
||||
},
|
||||
"user-picker": {
|
||||
"add_user": "Pridėti naudotoją",
|
||||
"no_user": "Nėra vartotojo",
|
||||
@@ -339,6 +369,10 @@
|
||||
},
|
||||
"dialogs": {
|
||||
"entity_registry": {
|
||||
"editor": {
|
||||
"device_disabled": "Šio objekto įrenginys išjungtas.",
|
||||
"open_device_settings": "Atidaryti įrenginio nustatymus"
|
||||
},
|
||||
"faq": "dokumentacija"
|
||||
},
|
||||
"helper_settings": {
|
||||
@@ -369,6 +403,31 @@
|
||||
}
|
||||
},
|
||||
"quick-bar": {
|
||||
"commands": {
|
||||
"navigation": {
|
||||
"areas": "Sritys",
|
||||
"automation": "Automatizacijos",
|
||||
"blueprint": "Techniniai planai",
|
||||
"core": "Bendra",
|
||||
"customize": "Tinkinimas",
|
||||
"devices": "Įrenginiai",
|
||||
"entities": "Objectai",
|
||||
"helpers": "Pagelbikliai",
|
||||
"info": "Informacija",
|
||||
"integrations": "Integracijos",
|
||||
"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",
|
||||
"server_control": "Serverio valdikliai",
|
||||
"tags": "Žymės",
|
||||
"users": "Vartotojai",
|
||||
"zone": "Zonos"
|
||||
}
|
||||
},
|
||||
"filter_placeholder": "Objekto filtras"
|
||||
}
|
||||
},
|
||||
@@ -414,6 +473,20 @@
|
||||
}
|
||||
},
|
||||
"automation": {
|
||||
"dialog_new": {
|
||||
"blueprint": {
|
||||
"use_blueprint": "Naudoti techninį planą"
|
||||
},
|
||||
"header": "Kurti naują automatizavimą",
|
||||
"how": "Kaip norite sukurti naują automatizavimą?",
|
||||
"start_empty": "Pradėkite nuo tuščios automatizacijos",
|
||||
"thingtalk": {
|
||||
"create": "Sukurti",
|
||||
"header": "Apibūdinkite automatizaciją, kurią norite sukurti",
|
||||
"input_label": "Ką turėtų atlikti šis automatizavimas?",
|
||||
"intro": "Ir mes pasistengsime jį jums sukurti. Pavyzdžiui: išeidami išjunkite šviesas."
|
||||
}
|
||||
},
|
||||
"editor": {
|
||||
"actions": {
|
||||
"add": "Pridėti veiksmą",
|
||||
@@ -436,6 +509,14 @@
|
||||
}
|
||||
}
|
||||
},
|
||||
"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ų."
|
||||
},
|
||||
"conditions": {
|
||||
"delete": "Ištrinti",
|
||||
"duplicate": "Dubliuoti",
|
||||
@@ -544,6 +625,39 @@
|
||||
"learn_more": "Sužinokite daugiau apie automatizavimą"
|
||||
}
|
||||
},
|
||||
"blueprint": {
|
||||
"add": {
|
||||
"error_no_url": "Įveskite techninio plano universalųjį adresą (URL).",
|
||||
"file_name": "Kelias iki techninio plano",
|
||||
"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ą",
|
||||
"saving": "Importuojamas techninis planas...",
|
||||
"unsupported_blueprint": "Šis techninis planas nepalaikomas",
|
||||
"url": "Techninio plano universalusis adresas (URL)"
|
||||
},
|
||||
"caption": "Techniniai planai",
|
||||
"description": "Tvarkyti techninius planus",
|
||||
"overview": {
|
||||
"add_blueprint": "Importuoti techninius planus",
|
||||
"confirm_delete_header": "Ištrinti šį techninį planą?",
|
||||
"confirm_delete_text": "Ar tikrai norite ištrinti šį techninį planą?",
|
||||
"delete_blueprint": "Ištrinti techninį planą",
|
||||
"header": "Techninių planų rengyklė",
|
||||
"headers": {
|
||||
"domain": "Domenas",
|
||||
"file_name": "Failo vardas",
|
||||
"name": "Pavadinimas"
|
||||
},
|
||||
"introduction": "Techninio plano konfigūracija leidžia importuoti ir valdyti jūsų techninius planus.",
|
||||
"learn_more": "Sužinokite daugiau apie techninių planų naudojimą",
|
||||
"use_blueprint": "Sukurti automatizavimą"
|
||||
}
|
||||
},
|
||||
"cloud": {
|
||||
"account": {
|
||||
"connected": "Prisijungęs",
|
||||
@@ -570,6 +684,7 @@
|
||||
"no_conditions": "Nėra sąlygų",
|
||||
"unknown_condition": "Nežinoma sąlyga"
|
||||
},
|
||||
"create_disable": "Negalima sukurti automatizavimo su išjungtu įrenginiu",
|
||||
"triggers": {
|
||||
"no_triggers": "Nėra paleidiklių",
|
||||
"unknown_trigger": "Nežinomas paleidiklis"
|
||||
@@ -581,7 +696,31 @@
|
||||
"device": "Įrenginys",
|
||||
"model": "Modelis"
|
||||
},
|
||||
"description": "Tvarkyti prijungtus įrenginius"
|
||||
"description": "Tvarkyti prijungtus įrenginius",
|
||||
"disabled": "Išjungta",
|
||||
"disabled_by": {
|
||||
"config_entry": "Konfigūracijos įrašas",
|
||||
"integration": "Integracija",
|
||||
"user": "Vartotojas"
|
||||
},
|
||||
"enabled_cause": "Įrenginį išjungė {cause}.",
|
||||
"enabled_description": "Išjungti įrenginiai nebus rodomi, o įrenginiui priklausantys objektai bus išjungti ir nepridedami į Home Assistant.",
|
||||
"enabled_label": "Įgalinti įrenginį",
|
||||
"picker": {
|
||||
"filter": {
|
||||
"filter": "Filtras",
|
||||
"hidden_devices": "{number} paslėptas (-i) {number, plural,\n one {įrenginys}\n other {įrenginiai}\n}",
|
||||
"show_all": "Rodyti viską",
|
||||
"show_disabled": "Rodyti išjungtus įrenginius"
|
||||
},
|
||||
"search": "Ieškoti įrenginių"
|
||||
},
|
||||
"scene": {
|
||||
"create_disable": "Negalima sukurti scenos su išjungtu įrenginiu"
|
||||
},
|
||||
"script": {
|
||||
"create_disable": "Negalima sukurti skripto su išjungtu įrenginiu"
|
||||
}
|
||||
},
|
||||
"entities": {
|
||||
"caption": "Subjektų registras",
|
||||
@@ -591,6 +730,9 @@
|
||||
"show_all": "Rodyti viską"
|
||||
},
|
||||
"header": "Subjektų registras",
|
||||
"headers": {
|
||||
"area": "Sritis"
|
||||
},
|
||||
"introduction2": "Naudokite subjekto registrą, kad perrašytumėte pavadinimą, pakeiskite subjekto ID arba pašalintumėte įrašą iš namų asistento. Atminkite, kad pašalindami registro įrašą tai nepanaikins pačio subjekto. Norėdami tai padaryti, sekite toliau pateiktą nuorodą ir pašalinkite ją iš integracijos puslapio."
|
||||
}
|
||||
},
|
||||
@@ -601,6 +743,27 @@
|
||||
"timer": "Laikmatis"
|
||||
}
|
||||
},
|
||||
"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"
|
||||
}
|
||||
}
|
||||
}
|
||||
},
|
||||
"integrations": {
|
||||
"config_entry": {
|
||||
"hub": "Prijungtas per",
|
||||
@@ -657,6 +820,8 @@
|
||||
"save_script": "Įrašyti scenarijų"
|
||||
},
|
||||
"picker": {
|
||||
"duplicate": "Dubliuoti",
|
||||
"duplicate_script": "Dubliuoti skriptą",
|
||||
"run_script": "Vykdyti scenarijų"
|
||||
}
|
||||
},
|
||||
@@ -676,16 +841,42 @@
|
||||
"username": "Vartotojo vardas"
|
||||
},
|
||||
"editor": {
|
||||
"caption": "Peržiūrėti vartotoją"
|
||||
"active_tooltip": "Tikrina, ar vartotojas gali prisijungti",
|
||||
"caption": "Peržiūrėti vartotoją",
|
||||
"username": "Vartotojo vardas"
|
||||
},
|
||||
"picker": {
|
||||
"add_user": "Pridėti vartotoją",
|
||||
"headers": {
|
||||
"is_active": "Aktyvus",
|
||||
"is_owner": "Savininkas",
|
||||
"username": "Vartotojo vardas"
|
||||
}
|
||||
}
|
||||
},
|
||||
"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ų..."
|
||||
},
|
||||
"description": "„Zigbee Home Automation“ tinklo valdymas"
|
||||
"description": "„Zigbee Home Automation“ tinklo valdymas",
|
||||
"device_pairing_card": {
|
||||
"CONFIGURED": "Konfigūracija baigta",
|
||||
"CONFIGURED_status_text": "Inicijuojama",
|
||||
"INITIALIZED": "Inicijavimas baigtas",
|
||||
"INITIALIZED_status_text": "Įrenginys paruoštas naudoti",
|
||||
"INTERVIEW_COMPLETE_status_text": "Konfigūruojama",
|
||||
"PAIRED": "Rastas įrenginys"
|
||||
},
|
||||
"groups": {
|
||||
"add_group": "Pridėti grupę"
|
||||
},
|
||||
"visualization": {
|
||||
"caption": "Vizualizacija",
|
||||
"header": "Tinklo vizualizacija"
|
||||
}
|
||||
},
|
||||
"zwave": {
|
||||
"caption": "Z-Wave",
|
||||
@@ -710,6 +901,8 @@
|
||||
"title": "Paslaugos"
|
||||
},
|
||||
"states": {
|
||||
"last_changed": "Pakeista",
|
||||
"last_updated": "Atnaujinta",
|
||||
"title": "Būsenos"
|
||||
},
|
||||
"templates": {
|
||||
@@ -769,13 +962,27 @@
|
||||
"position": "Padėtis",
|
||||
"tilt-position": "Pakreipimo padėtis"
|
||||
}
|
||||
},
|
||||
"logbook": {
|
||||
"description": "Veiksmų žurnalo kortelėje rodomas įvykių sąrašas.",
|
||||
"name": "Veiksmų žurnalas"
|
||||
},
|
||||
"picture-glance": {
|
||||
"state_entity": "Būsenos objektas"
|
||||
}
|
||||
},
|
||||
"common": {
|
||||
"add": "Pridėti",
|
||||
"clear": "Išvalyti",
|
||||
"edit": "Redaguoti",
|
||||
"none": "Nė vienas"
|
||||
},
|
||||
"edit_badges": {
|
||||
"panel_mode": "Šie ženkleliai nebus rodomi, nes šis rodinys yra „Skydelio režime“."
|
||||
},
|
||||
"edit_card": {
|
||||
"add": "Pridėti kortelę",
|
||||
"clear": "Išvalyti",
|
||||
"delete": "Ištrinti",
|
||||
"edit": "Redaguoti",
|
||||
"move": "Perkelti",
|
||||
@@ -795,6 +1002,22 @@
|
||||
"move_right": "Perkelti rodinį į dešinę"
|
||||
},
|
||||
"header": "Redaguoti UI",
|
||||
"header-footer": {
|
||||
"choose_header_footer": "Pasirinkite {type}",
|
||||
"footer": "Poraštė",
|
||||
"header": "Antraštė",
|
||||
"types": {
|
||||
"buttons": {
|
||||
"name": "Mygtukai"
|
||||
},
|
||||
"graph": {
|
||||
"name": "Diagrama"
|
||||
},
|
||||
"picture": {
|
||||
"name": "Paveikslėlis"
|
||||
}
|
||||
}
|
||||
},
|
||||
"menu": {
|
||||
"raw_editor": "Konfigūracijos redaktorius"
|
||||
},
|
||||
@@ -817,6 +1040,13 @@
|
||||
"header": "Valdykite savo „Lovelace“ vartotojo sąsają",
|
||||
"para_sure": "Ar tikrai norite kontroliuoti savo vartotojo sąsają?",
|
||||
"save": "Kontroliuoti"
|
||||
},
|
||||
"sub-element-editor": {
|
||||
"types": {
|
||||
"footer": "Poraštės rengyklė",
|
||||
"header": "Antraštės rengyklė",
|
||||
"row": "Objekto eilučių rengyklė"
|
||||
}
|
||||
}
|
||||
},
|
||||
"menu": {
|
||||
@@ -888,8 +1118,11 @@
|
||||
"profile": {
|
||||
"change_password": {
|
||||
"current_password": "Dabartinis slaptažodis",
|
||||
"error_new_is_old": "Naujas slaptažodis turi skirtis nuo dabartinio slaptažodžio",
|
||||
"error_new_mismatch": "Nesutampa naujojo slaptažodžio laukai",
|
||||
"header": "Keisti slaptažodį",
|
||||
"new_password": "Naujas slaptažodis"
|
||||
"new_password": "Naujas slaptažodis",
|
||||
"success": "Slaptažodis pakeistas sėkmingai"
|
||||
},
|
||||
"language": {
|
||||
"dropdown_label": "Kalba",
|
||||
|
@@ -2,6 +2,7 @@
|
||||
"config_entry": {
|
||||
"disabled_by": {
|
||||
"config_entry": "Konfigurer oppføring",
|
||||
"device": "Enhet",
|
||||
"integration": "Integrasjon",
|
||||
"user": "Bruker"
|
||||
}
|
||||
@@ -546,6 +547,8 @@
|
||||
"add_new": "Legg til nytt område ...",
|
||||
"area": "Område",
|
||||
"clear": "Tøm",
|
||||
"no_areas": "Du har ingen områder",
|
||||
"no_match": "Fant ingen samsvarende områder",
|
||||
"show_areas": "Vis områder"
|
||||
},
|
||||
"blueprint-picker": {
|
||||
@@ -566,6 +569,8 @@
|
||||
"clear": "Tøm",
|
||||
"device": "Enhet",
|
||||
"no_area": "Ingen område",
|
||||
"no_devices": "Du har ingen enheter",
|
||||
"no_match": "Fant ingen samsvarende enheter",
|
||||
"show_devices": "Vis enheter",
|
||||
"toggle": "Veksle"
|
||||
},
|
||||
@@ -577,6 +582,7 @@
|
||||
"entity-picker": {
|
||||
"clear": "Tøm",
|
||||
"entity": "Entitet",
|
||||
"no_match": "Fant ingen samsvarende entiteter",
|
||||
"show_entities": "Vis entiteter"
|
||||
}
|
||||
},
|
||||
@@ -710,6 +716,16 @@
|
||||
"service-picker": {
|
||||
"service": "Tjeneste"
|
||||
},
|
||||
"target-picker": {
|
||||
"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.",
|
||||
"remove_area_id": "Fjern område",
|
||||
"remove_device_id": "Fjern enhet",
|
||||
"remove_entity_id": "Fjern entitet"
|
||||
},
|
||||
"user-picker": {
|
||||
"add_user": "Legg til bruker",
|
||||
"no_user": "Ingen bruker",
|
||||
@@ -733,6 +749,7 @@
|
||||
"editor": {
|
||||
"confirm_delete": "Er du sikker på at du vil slette denne oppføringen?",
|
||||
"delete": "Slett",
|
||||
"device_disabled": "Enheten til denne enhtiteen er deaktivert",
|
||||
"enabled_cause": "Deaktivert av {cause}.",
|
||||
"enabled_delay_confirm": "De aktiverte enhetene blir lagt til i Home Assistant om {delay} sekunder",
|
||||
"enabled_description": "Deaktiverte entiteter vil ikke bli lagt til i Home Assistant.",
|
||||
@@ -743,6 +760,7 @@
|
||||
"icon_error": "Ikoner bør være i formatet 'prefiks:ikonnavn', f.eks 'mdi:home'",
|
||||
"name": "Navn",
|
||||
"note": "Merk: Dette fungerer kanskje ikke ennå med alle integrasjoner.",
|
||||
"open_device_settings": "Åpne enhetsinnstillinger",
|
||||
"unavailable": "Denne entiteten er ikke tilgjengelig for øyeblikket.",
|
||||
"update": "Oppdater"
|
||||
},
|
||||
@@ -1030,7 +1048,7 @@
|
||||
"confirmation_text": "Alle enheter som tilhører dette området vil ikke bli tildelt.",
|
||||
"confirmation_title": "Er du sikker på at du vil slette dette området?"
|
||||
},
|
||||
"description": "Administrere områder i hjemmet ditt",
|
||||
"description": "Gruppere enheter og enheter i områder",
|
||||
"editor": {
|
||||
"area_id": "Område ID",
|
||||
"create": "Opprett",
|
||||
@@ -1052,7 +1070,7 @@
|
||||
},
|
||||
"automation": {
|
||||
"caption": "Automasjoner",
|
||||
"description": "Administrer automasjoner",
|
||||
"description": "Lag egendefinerte atferdsregler for hjemmet ditt",
|
||||
"dialog_new": {
|
||||
"blueprint": {
|
||||
"use_blueprint": "Bruke en blueprint"
|
||||
@@ -1400,15 +1418,15 @@
|
||||
"blueprint": {
|
||||
"add": {
|
||||
"error_no_url": "Vennligst skriv inn URL-en til blueprint",
|
||||
"file_name": "Lokalt blueprint filnavn",
|
||||
"header": "Legg til ny blueprint",
|
||||
"import_btn": "Importer blueprint",
|
||||
"import_header": "Importer {name} (type: {domain})",
|
||||
"file_name": "Blueprint Bane",
|
||||
"header": "Importer en blueprint",
|
||||
"import_btn": "Forhåndsvisning av blueprint",
|
||||
"import_header": "Blueprint \"{name}\"",
|
||||
"import_introduction": "Du kan importere blueprints av andre brukere fra Github og fellesskapsforumet. Skriv inn URL-en til blueprint nedenfor.",
|
||||
"importing": "Importerer blueprint...",
|
||||
"importing": "Laster blueprint...",
|
||||
"raw_blueprint": "Blueprint innhold",
|
||||
"save_btn": "Lagre blueprint",
|
||||
"saving": "Lagrer blueprint...",
|
||||
"save_btn": "Importer blueprint",
|
||||
"saving": "Importerer blueprint...",
|
||||
"unsupported_blueprint": "Denne blueprinten støttes ikke",
|
||||
"url": "URL til blueprint"
|
||||
},
|
||||
@@ -1425,8 +1443,8 @@
|
||||
"file_name": "Filnavn",
|
||||
"name": "Navn"
|
||||
},
|
||||
"introduction": "Med blueprint editor kan du opprette og redigere blueprints",
|
||||
"learn_more": "Lær mer om blueprint",
|
||||
"introduction": "Med blueprint-konfigurasjonen kan du importere og administrere dine blueprints.",
|
||||
"learn_more": "Finn ut mer om hvordan du bruker blueprints",
|
||||
"use_blueprint": "Opprett automasjon"
|
||||
}
|
||||
},
|
||||
@@ -1510,7 +1528,7 @@
|
||||
"title": ""
|
||||
},
|
||||
"caption": "",
|
||||
"description_features": "Kontroller borte fra hjemmet, integrer med Alexa og Google Assistant.",
|
||||
"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",
|
||||
"dialog_certificate": {
|
||||
@@ -1605,7 +1623,7 @@
|
||||
},
|
||||
"core": {
|
||||
"caption": "Generelt",
|
||||
"description": "Endre den generelle konfigurasjonen for Home Assistant",
|
||||
"description": "Enhetssystem, plassering, tidssone og andre generelle parametere",
|
||||
"section": {
|
||||
"core": {
|
||||
"core_config": {
|
||||
@@ -1667,6 +1685,7 @@
|
||||
"unknown_condition": "Ukjent tilstand"
|
||||
},
|
||||
"create": "Lag automasjon med enheten",
|
||||
"create_disable": "Kan ikke opprette automasjon med deaktivert enhet",
|
||||
"no_automations": "Ingen automasjoner",
|
||||
"no_device_automations": "Det er ingen automasjoner tilgjengelig for denne enheten.",
|
||||
"triggers": {
|
||||
@@ -1692,9 +1711,18 @@
|
||||
"no_devices": "Ingen enheter"
|
||||
},
|
||||
"delete": "Slett",
|
||||
"description": "Administrer tilkoblede enheter",
|
||||
"description": "Administrer konfigurerte enheter",
|
||||
"device_info": "Enhetsinformasjon",
|
||||
"device_not_found": "Enhet ikke funnet",
|
||||
"disabled": "Deaktivert",
|
||||
"disabled_by": {
|
||||
"config_entry": "Konfigurer oppføring",
|
||||
"integration": "Integrasjon",
|
||||
"user": "Bruker"
|
||||
},
|
||||
"enabled_cause": "Enheten er deaktivert av {cause}",
|
||||
"enabled_description": "Deaktiverte enheter vises ikke, og entiteter som tilhører enheten deaktiveres og ikke legges til i Home Assistant",
|
||||
"enabled_label": "Aktivér enhet",
|
||||
"entities": {
|
||||
"add_entities_lovelace": "Legg til i Lovelace",
|
||||
"disabled_entities": "+{count} {count, plural,\n one {deaktivert entitet}\n other {deaktiverte entiteter}\n}",
|
||||
@@ -1704,14 +1732,25 @@
|
||||
},
|
||||
"name": "Navn",
|
||||
"no_devices": "Ingen enheter",
|
||||
"picker": {
|
||||
"filter": {
|
||||
"filter": "Filter",
|
||||
"hidden_devices": "{number} {number, plural,\n one {skjult enhet}\n other {skjulte enheter}\n}",
|
||||
"show_all": "Vis alle",
|
||||
"show_disabled": "Vis deaktiverte enheter"
|
||||
},
|
||||
"search": "Søk etter enheter"
|
||||
},
|
||||
"scene": {
|
||||
"create": "Lag scene med enheten",
|
||||
"create_disable": "Kan ikke opprette scene med deaktivert enhet",
|
||||
"no_scenes": "Ingen scener",
|
||||
"scenes": "Scener"
|
||||
},
|
||||
"scenes": "Scener",
|
||||
"script": {
|
||||
"create": "Lag skript med enheten",
|
||||
"create_disable": "Kan ikke opprette skript med deaktivert enhet",
|
||||
"no_scripts": "Ingen skript",
|
||||
"scripts": "Skript"
|
||||
},
|
||||
@@ -1777,7 +1816,7 @@
|
||||
"header": "Konfigurer Home Assistant",
|
||||
"helpers": {
|
||||
"caption": "Hjelpere",
|
||||
"description": "Administrere elementer som bidrar til å bygge automasjoner",
|
||||
"description": "Elementer som hjelper med å bygge automatiseringer",
|
||||
"dialog": {
|
||||
"add_helper": "Legg hjelper",
|
||||
"add_platform": "Legg til {platform}",
|
||||
@@ -1809,7 +1848,7 @@
|
||||
"copy_github": "",
|
||||
"copy_raw": "Rå tekst",
|
||||
"custom_uis": "Tilpassede brukergrensesnitt:",
|
||||
"description": "Vise informasjon om installasjonen av Home Assistant",
|
||||
"description": "Versjon, systemhelse og lenker til dokumentasjon",
|
||||
"developed_by": "Utviklet av en gjeng med fantastiske mennesker.",
|
||||
"documentation": "Dokumentasjon",
|
||||
"frontend": "frontend",
|
||||
@@ -1915,7 +1954,7 @@
|
||||
},
|
||||
"configure": "Konfigurer",
|
||||
"configured": "Konfigurert",
|
||||
"description": "Administrer integrasjoner",
|
||||
"description": "Administrer integrasjoner med tjenester, enheter, ...",
|
||||
"details": "Integrasjonsdetaljer",
|
||||
"discovered": "Oppdaget",
|
||||
"home_assistant_website": "Nettsted for Home Assistant",
|
||||
@@ -2000,7 +2039,7 @@
|
||||
"open": "Åpne"
|
||||
}
|
||||
},
|
||||
"description": "Administrer Lovelace Dashboards",
|
||||
"description": "Opprett tilpassede sett med kort for å kontrollere hjemmet ditt",
|
||||
"resources": {
|
||||
"cant_edit_yaml": "Du bruker Lovelace i YAML-modus, derfor kan du ikke administrere ressursene dine via brukergrensesnittet. Behandle dem i configuration.yaml.",
|
||||
"caption": "Ressurser",
|
||||
@@ -2199,7 +2238,7 @@
|
||||
"scene": {
|
||||
"activated": "Aktivert scene {name}.",
|
||||
"caption": "Scener",
|
||||
"description": "Administrer scener",
|
||||
"description": "Ta opp enhetstilstander og få dem til å huske dem på en enkel måte senere",
|
||||
"editor": {
|
||||
"default_name": "Ny scene",
|
||||
"devices": {
|
||||
@@ -2243,7 +2282,7 @@
|
||||
},
|
||||
"script": {
|
||||
"caption": "Skript",
|
||||
"description": "Administrer skript",
|
||||
"description": "Utføre en sekvens med handlinger",
|
||||
"editor": {
|
||||
"alias": "Navn",
|
||||
"default_name": "Nytt skript",
|
||||
@@ -2354,7 +2393,7 @@
|
||||
"confirm_remove": "Er du sikker på at du vil fjerne taggen {tag} ?",
|
||||
"confirm_remove_title": "Fjerne tag?",
|
||||
"create_automation": "Opprett automasjon med tag",
|
||||
"description": "Administrer tagger",
|
||||
"description": "Utløs automatisasjoner når en NFC-tag, QR-kode osv. Skannes",
|
||||
"detail": {
|
||||
"companion_apps": "kompanjong apper",
|
||||
"create": "Opprett",
|
||||
@@ -2389,10 +2428,11 @@
|
||||
"username": "Brukernavn"
|
||||
},
|
||||
"caption": "Brukere",
|
||||
"description": "Administrer brukere",
|
||||
"description": "Administrer Home Assistant-brukerkontoer",
|
||||
"editor": {
|
||||
"activate_user": "Aktiver bruker",
|
||||
"active": "Aktiv",
|
||||
"active_tooltip": "Kontrollerer om brukeren kan logge inn",
|
||||
"admin": "",
|
||||
"caption": "Vis bruker",
|
||||
"change_password": "Endre passord",
|
||||
@@ -2989,20 +3029,20 @@
|
||||
"name": "Mediekontroll"
|
||||
},
|
||||
"picture-elements": {
|
||||
"description": "Picture Elements-kortet er en av de mest allsidige korttyper. Kortene lar deg plassere ikoner eller tekst og til og med tjenester! På et bilde basert på koordinater.",
|
||||
"description": "Bildeelementer-kortet er et av de mest allsidige korttypene. Kortene lar deg plassere ikoner eller tekst og til og med tjenester! På et bilde basert på koordinater.",
|
||||
"name": "Bildeelementer"
|
||||
},
|
||||
"picture-entity": {
|
||||
"description": "Bilde entitet kortet viser en entitet i form av et bilde. I stedet for bilder fra URL, kan det også vise bilde av kameraentiteter.",
|
||||
"name": "Bildeoppføring"
|
||||
"name": "Bilde entitet"
|
||||
},
|
||||
"picture-glance": {
|
||||
"description": "Picture Glance-kortet viser et bilde og tilhørende entitetstilstander som et ikon. Entitetene på høyre side tillater veksling av handlinger, andre viser dialogboksen mer informasjon.",
|
||||
"description": "Bilde blikk-kortet viser et bilde og tilhørende entitetstilstander som et ikon. Entitetene på høyre side tillater veksling av handlinger, andre viser dialogboksen mer informasjon.",
|
||||
"name": "Bilde blikk",
|
||||
"state_entity": "Statusentitet"
|
||||
},
|
||||
"picture": {
|
||||
"description": "Bildekortet lar deg stille inn et bilde som skal brukes til navigasjon til forskjellige baner i grensesnittet ditt eller for å tilkalle en tjeneste.",
|
||||
"description": "Bildekortet lar deg sette inn et bilde som skal brukes til navigasjon til forskjellige baner i grensesnittet ditt eller for å tilkalle en tjeneste.",
|
||||
"name": "Bilde"
|
||||
},
|
||||
"plant-status": {
|
||||
@@ -3411,10 +3451,13 @@
|
||||
"change_password": {
|
||||
"confirm_new_password": "Bekreft nytt passord",
|
||||
"current_password": "Nåværende passord",
|
||||
"error_new_is_old": "Nytt passord må være annerledes enn gjeldende passord",
|
||||
"error_new_mismatch": "Oppgitte nye passordverdier stemmer ikke overens",
|
||||
"error_required": "Nødvendig",
|
||||
"header": "Endre passord",
|
||||
"new_password": "Nytt passord",
|
||||
"submit": "Send inn"
|
||||
"submit": "Send inn",
|
||||
"success": "Passordet ble endret"
|
||||
},
|
||||
"current_user": "Du er logget inn som {fullName}.",
|
||||
"customize_sidebar": {
|
||||
|
@@ -2,6 +2,7 @@
|
||||
"config_entry": {
|
||||
"disabled_by": {
|
||||
"config_entry": "Configuratie-item",
|
||||
"device": "Apparaat",
|
||||
"integration": "Integratie",
|
||||
"user": "Gebruiker"
|
||||
}
|
||||
@@ -546,6 +547,8 @@
|
||||
"add_new": "Gebied toevoegen...",
|
||||
"area": "Gebied",
|
||||
"clear": "Wis",
|
||||
"no_areas": "Je hebt geen gebieden",
|
||||
"no_match": "Geen overeenkomende gebieden gevonden",
|
||||
"show_areas": "Toon gebieden"
|
||||
},
|
||||
"blueprint-picker": {
|
||||
@@ -566,6 +569,8 @@
|
||||
"clear": "Wis",
|
||||
"device": "Apparaat",
|
||||
"no_area": "Geen gebied",
|
||||
"no_devices": "Je hebt geen apparaten",
|
||||
"no_match": "Geen overeenkomende apparaten gevonden",
|
||||
"show_devices": "Apparaten weergeven",
|
||||
"toggle": "Omschakelen"
|
||||
},
|
||||
@@ -577,6 +582,7 @@
|
||||
"entity-picker": {
|
||||
"clear": "Wis",
|
||||
"entity": "Entiteit",
|
||||
"no_match": "Geen overeenkomende entiteiten gevonden",
|
||||
"show_entities": "Entiteiten weergeven"
|
||||
}
|
||||
},
|
||||
@@ -592,7 +598,7 @@
|
||||
"became_unavailable": "is niet meer beschikbaar",
|
||||
"changed_to_state": "gewijzigd in {state}",
|
||||
"cleared_device_class": "niets gedetecteerd (geen {device_class} gedetecteerd)",
|
||||
"detected_device_class": "gedetecteerd {device_class}",
|
||||
"detected_device_class": "{device_class} gedetecteerd",
|
||||
"rose": "opkomst",
|
||||
"set": "ondergang",
|
||||
"turned_off": "is uitgeschakeld",
|
||||
@@ -710,6 +716,16 @@
|
||||
"service-picker": {
|
||||
"service": "Service"
|
||||
},
|
||||
"target-picker": {
|
||||
"add_area_id": "Kies gebied",
|
||||
"add_device_id": "Kies apparaat",
|
||||
"add_entity_id": "Kies entiteit",
|
||||
"expand_area_id": "Breid dit gebied uit in de afzonderlijke apparaten en entiteiten die het bevat. Na het uitbreiden zal het de apparaten en entiteiten niet bijwerken wanneer het gebied verandert.",
|
||||
"expand_device_id": "Breid dit apparaat uit in afzonderlijke entiteiten. Na het uitbreiden worden de entiteiten niet bijgewerkt wanneer het apparaat verandert.",
|
||||
"remove_area_id": "Verwijder gebied",
|
||||
"remove_device_id": "Verwijder apparaat",
|
||||
"remove_entity_id": "Verwijder entiteit"
|
||||
},
|
||||
"user-picker": {
|
||||
"add_user": "Gebruiker toevoegen",
|
||||
"no_user": "Geen gebruiker",
|
||||
@@ -733,6 +749,7 @@
|
||||
"editor": {
|
||||
"confirm_delete": "Weet je zeker dat je dit item wilt verwijderen?",
|
||||
"delete": "Verwijderen",
|
||||
"device_disabled": "Het apparaat van deze entiteit is uitgeschakeld.",
|
||||
"enabled_cause": "Uitgeschakeld vanwege {cause}",
|
||||
"enabled_delay_confirm": "De ingeschakelde entiteiten worden over {delay} seconden aan Home Assistant toegevoegd",
|
||||
"enabled_description": "Uitgeschakelde entiteiten zullen niet aan Home Assistant worden toegevoegd",
|
||||
@@ -743,6 +760,7 @@
|
||||
"icon_error": "Pictogrammen moeten de notatie 'prefix:pictogramnaam' hebben, bijvoorbeeld 'mdi:home'",
|
||||
"name": "Naam",
|
||||
"note": "Opmerking: dit werkt mogelijk nog niet met alle integraties.",
|
||||
"open_device_settings": "Open de apparaatinstellingen",
|
||||
"unavailable": "Deze entiteit is momenteel niet beschikbaar.",
|
||||
"update": "Bijwerken"
|
||||
},
|
||||
@@ -883,6 +901,7 @@
|
||||
"navigation": {
|
||||
"areas": "Gebieden",
|
||||
"automation": "Automatiseringen",
|
||||
"blueprint": "Blueprints",
|
||||
"core": "Algemeen",
|
||||
"customize": "Aanpassingen",
|
||||
"devices": "Apparaten",
|
||||
@@ -1006,7 +1025,7 @@
|
||||
"dismiss": "Afwijzen",
|
||||
"service_call_failed": "Kan service {service} niet aanroepen",
|
||||
"started": "Home Assistant is gestart!",
|
||||
"starting": "Home Assistant is aan het opstarten. Gedurende het opstarten zal niet alles beschikbaar zijn.",
|
||||
"starting": "Home Assistant is aan het opstarten. Gedurende het opstarten is niet alles beschikbaar.",
|
||||
"triggered": "Geactiveerd {name}"
|
||||
},
|
||||
"panel": {
|
||||
@@ -1029,7 +1048,7 @@
|
||||
"confirmation_text": "Alle apparaten in dit gebied zullen niet meer toegewezen zijn.",
|
||||
"confirmation_title": "Weet je zeker dat je dit gebied wilt verwijderen?"
|
||||
},
|
||||
"description": "Overzicht van alle gebieden in je huis.",
|
||||
"description": "Groepeer apparaten en entiteiten in gebieden",
|
||||
"editor": {
|
||||
"area_id": "Gebieds-ID",
|
||||
"create": "Aanmaken",
|
||||
@@ -1051,10 +1070,10 @@
|
||||
},
|
||||
"automation": {
|
||||
"caption": "Automatiseringen",
|
||||
"description": "Het maken en bewerken van automatiseringen",
|
||||
"description": "Maak aangepaste gedragsregels voor uw huis",
|
||||
"dialog_new": {
|
||||
"blueprint": {
|
||||
"use_blueprint": "Gebruik een blauwdruk"
|
||||
"use_blueprint": "Gebruik een Blueprint"
|
||||
},
|
||||
"header": "Een nieuwe automatisering maken",
|
||||
"how": "Hoe wil je je nieuwe automatisering maken?",
|
||||
@@ -1147,12 +1166,12 @@
|
||||
},
|
||||
"alias": "Naam",
|
||||
"blueprint": {
|
||||
"blueprint_to_use": "Blauwdruk om te gebruiken",
|
||||
"header": "Blauwdruk",
|
||||
"blueprint_to_use": "Blueprint om te gebruiken",
|
||||
"header": "Blueprint",
|
||||
"inputs": "Inputs",
|
||||
"manage_blueprints": "Beheer blauwdrukken",
|
||||
"no_blueprints": "Je hebt geen blauwdrukken",
|
||||
"no_inputs": "Deze blauwdruk heeft geen inputs."
|
||||
"manage_blueprints": "Beheer Blueprints",
|
||||
"no_blueprints": "Je hebt geen Blueprints",
|
||||
"no_inputs": "Deze Blueprint heeft geen inputs."
|
||||
},
|
||||
"conditions": {
|
||||
"add": "Voorwaarde toevoegen",
|
||||
@@ -1398,30 +1417,34 @@
|
||||
},
|
||||
"blueprint": {
|
||||
"add": {
|
||||
"error_no_url": "Voer de URL van de blauwdruk in.",
|
||||
"header": "Voeg een nieuwe blauwdruk toe",
|
||||
"import_btn": "Blauwdruk importeren",
|
||||
"import_header": "Importeer \"{name}\" (type: {domain})",
|
||||
"import_introduction": "U kunt blauwdrukken van andere gebruikers importeren vanuit Github en de communityforums. Voer de URL van de blauwdruk hieronder in.",
|
||||
"importing": "Blauwdruk importeren ...",
|
||||
"save_btn": "Bewaar blauwdruk",
|
||||
"saving": "Blauwdruk opslaan ...",
|
||||
"url": "URL van de blauwdruk"
|
||||
"error_no_url": "Voer de URL van de Blueprint in.",
|
||||
"file_name": "Blueprint pad",
|
||||
"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.",
|
||||
"importing": "Blueprint importeren ...",
|
||||
"raw_blueprint": "Blueprint inhoud",
|
||||
"save_btn": "Blueprint importeren",
|
||||
"saving": "Blueprint importeren ...",
|
||||
"unsupported_blueprint": "Deze Blueprint wordt niet ondersteund",
|
||||
"url": "URL van de Blueprint"
|
||||
},
|
||||
"caption": "Blauwdrukken",
|
||||
"description": "Beheer blauwdrukken",
|
||||
"caption": "Blueprints",
|
||||
"description": "Beheer Blueprints",
|
||||
"overview": {
|
||||
"add_blueprint": "Blauwdruk importeren",
|
||||
"confirm_delete_header": "Deze blauwdruk verwijderen?",
|
||||
"add_blueprint": "Blueprint importeren",
|
||||
"confirm_delete_header": "Deze Blueprint verwijderen?",
|
||||
"confirm_delete_text": "Weet je zeker dat je deze blauwdruk wilt verwijderen?",
|
||||
"header": "Blauwdrukeditor",
|
||||
"delete_blueprint": "Verwijder Blueprint",
|
||||
"header": "Blueprinteditor",
|
||||
"headers": {
|
||||
"domain": "Domein",
|
||||
"file_name": "Bestandsnaam",
|
||||
"name": "Naam"
|
||||
},
|
||||
"introduction": "Met de blauwdrukeditor kunt je blauwdrukken maken en bewerken.",
|
||||
"learn_more": "Meer informatie over blauwdrukken",
|
||||
"introduction": "Met de Blueprinteditor kunt je Blueprints maken en bewerken.",
|
||||
"learn_more": "Meer informatie over Blueprints",
|
||||
"use_blueprint": "Automatisering maken"
|
||||
}
|
||||
},
|
||||
@@ -1505,7 +1528,7 @@
|
||||
"title": "Alexa"
|
||||
},
|
||||
"caption": "Home Assistent Cloud",
|
||||
"description_features": "Bestuur weg van huis, verbind met Alexa en Google Assistant.",
|
||||
"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",
|
||||
"dialog_certificate": {
|
||||
@@ -1600,7 +1623,7 @@
|
||||
},
|
||||
"core": {
|
||||
"caption": "Algemeen",
|
||||
"description": "Wijzig je algemene Home Assistant-configuratie",
|
||||
"description": "Eenheidssysteem, locatie, tijdzone en andere algemene parameters",
|
||||
"section": {
|
||||
"core": {
|
||||
"core_config": {
|
||||
@@ -1662,6 +1685,7 @@
|
||||
"unknown_condition": "Onbekende toestand"
|
||||
},
|
||||
"create": "Maak een automatisering aan met het apparaat",
|
||||
"create_disable": "Kan geen automatisering maken met een uitgeschakeld apparaat",
|
||||
"no_automations": "Geen automatiseringen",
|
||||
"no_device_automations": "Er zijn geen automatiseringen beschikbaar voor dit apparaat.",
|
||||
"triggers": {
|
||||
@@ -1687,9 +1711,18 @@
|
||||
"no_devices": "Geen apparaten"
|
||||
},
|
||||
"delete": "Verwijderen",
|
||||
"description": "Beheer verbonden apparaten",
|
||||
"description": "Beheer geconfigureerde apparaten",
|
||||
"device_info": "Apparaat info",
|
||||
"device_not_found": "Apparaat niet gevonden.",
|
||||
"disabled": "Uitgeschakeld",
|
||||
"disabled_by": {
|
||||
"config_entry": "Configuratie-invoer",
|
||||
"integration": "Integratie",
|
||||
"user": "Gebruiker"
|
||||
},
|
||||
"enabled_cause": "Het apparaat is uitgeschakeld door {cause}.",
|
||||
"enabled_description": "Uitgeschakelde apparaten worden niet weergegeven en entiteiten die bij het apparaat horen, worden uitgeschakeld en niet toegevoegd aan Home Assistant.",
|
||||
"enabled_label": "Schakel apparaat in",
|
||||
"entities": {
|
||||
"add_entities_lovelace": "Voeg toe aan de Lovelace gebruikersinterface",
|
||||
"disabled_entities": "+{count} {count, plural,\n one {uitgeschakelde entiteit}\n other {uitgeschakelde entiteiten}\n}",
|
||||
@@ -1699,14 +1732,25 @@
|
||||
},
|
||||
"name": "Naam",
|
||||
"no_devices": "Geen apparaten",
|
||||
"picker": {
|
||||
"filter": {
|
||||
"filter": "Filter",
|
||||
"hidden_devices": "{number} verborgen {number, plural,\n one {apparaat}\n other {apparaten}\n}",
|
||||
"show_all": "Alles weergeven",
|
||||
"show_disabled": "Toon uitgeschakelde apparaten"
|
||||
},
|
||||
"search": "Zoek apparaten"
|
||||
},
|
||||
"scene": {
|
||||
"create": "Maak een scène aan met het apparaat",
|
||||
"create_disable": "Kan geen scène maken met een uitgeschakeld apparaat",
|
||||
"no_scenes": "Geen scènes",
|
||||
"scenes": "Scènes"
|
||||
},
|
||||
"scenes": "Scènes",
|
||||
"script": {
|
||||
"create": "Maak een script aan met het apparaat",
|
||||
"create_disable": "Kan geen script maken met een uitgeschakeld apparaat",
|
||||
"no_scripts": "Geen scripts",
|
||||
"scripts": "Scripts"
|
||||
},
|
||||
@@ -1804,7 +1848,7 @@
|
||||
"copy_github": "Voor GitHub",
|
||||
"copy_raw": "Ruwe tekst",
|
||||
"custom_uis": "Aangepaste UI's:",
|
||||
"description": "Informatie over je Home Assistant installatie",
|
||||
"description": "Versie, systeemstatus en links naar documentatie",
|
||||
"developed_by": "Ontwikkeld door een stel geweldige mensen.",
|
||||
"documentation": "Documentatie",
|
||||
"frontend": "Frontend",
|
||||
@@ -1910,7 +1954,7 @@
|
||||
},
|
||||
"configure": "Configureer",
|
||||
"configured": "Geconfigureerd",
|
||||
"description": "Beheer en installeer integraties",
|
||||
"description": "Beheer integraties met services, apparaten, ...",
|
||||
"details": "Integratiedetails",
|
||||
"discovered": "Ontdekt",
|
||||
"home_assistant_website": "Home Assistant-website",
|
||||
@@ -1995,7 +2039,7 @@
|
||||
"open": "Open"
|
||||
}
|
||||
},
|
||||
"description": "Configureer je Lovelace-dashboards",
|
||||
"description": "Maak aangepaste cards om uw huis te besturen",
|
||||
"resources": {
|
||||
"cant_edit_yaml": "Je gebruikt Lovelace in YAML-modus, daarom kun je je bronnen niet beheren via de gebruikersinterface. Beheer ze in configuration.yaml.",
|
||||
"caption": "Bronnen",
|
||||
@@ -2194,7 +2238,7 @@
|
||||
"scene": {
|
||||
"activated": "Scène {name} geactiveerd.",
|
||||
"caption": "Scènes",
|
||||
"description": "Maak en bewerk scènes",
|
||||
"description": "Leg apparaatstatussen vast en roep ze later gemakkelijk op",
|
||||
"editor": {
|
||||
"default_name": "Nieuwe scène",
|
||||
"devices": {
|
||||
@@ -2238,7 +2282,7 @@
|
||||
},
|
||||
"script": {
|
||||
"caption": "Scripts",
|
||||
"description": "Maak en bewerk scripts",
|
||||
"description": "Voer een reeks acties uit",
|
||||
"editor": {
|
||||
"alias": "Naam",
|
||||
"default_name": "Nieuw script",
|
||||
@@ -2349,7 +2393,7 @@
|
||||
"confirm_remove": "Weet je zeker dat je tag {tag} wilt verwijderen?",
|
||||
"confirm_remove_title": "Tag verwijderen?",
|
||||
"create_automation": "Creëer automatisering met tag",
|
||||
"description": "Beheer tags",
|
||||
"description": "Activeer automatiseringen wanneer een NFC-tag, QR-code, enz. wordt gescand",
|
||||
"detail": {
|
||||
"companion_apps": "bijbehorende apps",
|
||||
"create": "Creëer",
|
||||
@@ -2384,10 +2428,11 @@
|
||||
"username": "Gebruikersnaam"
|
||||
},
|
||||
"caption": "Gebruikers",
|
||||
"description": "Gebruikers beheren",
|
||||
"description": "Gebruikers van Home Assistant beheren",
|
||||
"editor": {
|
||||
"activate_user": "Activeer gebruiker",
|
||||
"active": "Actief",
|
||||
"active_tooltip": "Bepaal of de gebruiker kan inloggen",
|
||||
"admin": "Beheerder",
|
||||
"caption": "Bekijk gebruiker",
|
||||
"change_password": "Wachtwoord wijzigen",
|
||||
@@ -2472,8 +2517,10 @@
|
||||
"CONFIGURED_status_text": "Initialiseren",
|
||||
"INITIALIZED": "Initialisatie voltooid",
|
||||
"INITIALIZED_status_text": "Het apparaat is klaar voor gebruik",
|
||||
"INTERVIEW_COMPLETE": "Interview compleet",
|
||||
"INTERVIEW_COMPLETE_status_text": "Configureren",
|
||||
"PAIRED": "Apparaat gevonden"
|
||||
"PAIRED": "Apparaat gevonden",
|
||||
"PAIRED_status_text": "Start interview"
|
||||
},
|
||||
"devices": {
|
||||
"header": "Zigbee Home Automation - Apparaat"
|
||||
@@ -2533,7 +2580,11 @@
|
||||
"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"
|
||||
"title": "Zigbee Home Automation",
|
||||
"visualization": {
|
||||
"caption": "Visualisatie",
|
||||
"header": "Netwerkvisualisatie"
|
||||
}
|
||||
},
|
||||
"zone": {
|
||||
"add_zone": "Zone toevoegen",
|
||||
@@ -3400,10 +3451,13 @@
|
||||
"change_password": {
|
||||
"confirm_new_password": "Bevestig nieuw wachtwoord",
|
||||
"current_password": "Huidige wachtwoord",
|
||||
"error_new_is_old": "Het nieuwe wachtwoord moet anders zijn dan het huidige wachtwoord",
|
||||
"error_new_mismatch": "Ingevoerde wachtwoordwaarden komen niet overeen",
|
||||
"error_required": "Verplicht",
|
||||
"header": "Wachtwoord wijzigen",
|
||||
"new_password": "Nieuw wachtwoord",
|
||||
"submit": "Verzenden"
|
||||
"submit": "Verzenden",
|
||||
"success": "Wachtwoord is succesvol veranderd"
|
||||
},
|
||||
"current_user": "Je bent momenteel ingelogd als {fullName}.",
|
||||
"customize_sidebar": {
|
||||
|
@@ -2,6 +2,7 @@
|
||||
"config_entry": {
|
||||
"disabled_by": {
|
||||
"config_entry": "Wpis konfiguracji",
|
||||
"device": "Urządzenie",
|
||||
"integration": "Integracja",
|
||||
"user": "Użytkownik"
|
||||
}
|
||||
@@ -546,6 +547,8 @@
|
||||
"add_new": "Dodaj nowy obszar...",
|
||||
"area": "Obszar",
|
||||
"clear": "Wyczyść",
|
||||
"no_areas": "Nie masz żadnych obszarów",
|
||||
"no_match": "Nie znaleziono pasujących obszarów",
|
||||
"show_areas": "Pokaż obszary"
|
||||
},
|
||||
"blueprint-picker": {
|
||||
@@ -566,6 +569,8 @@
|
||||
"clear": "Wyczyść",
|
||||
"device": "Urządzenie",
|
||||
"no_area": "Brak obszaru",
|
||||
"no_devices": "Nie masz żadnych urządzeń",
|
||||
"no_match": "Nie znaleziono pasujących urządzeń",
|
||||
"show_devices": "Pokaż urządzenia",
|
||||
"toggle": "Przełącz"
|
||||
},
|
||||
@@ -577,6 +582,7 @@
|
||||
"entity-picker": {
|
||||
"clear": "Wyczyść",
|
||||
"entity": "Encja",
|
||||
"no_match": "Nie znaleziono pasujących encji",
|
||||
"show_entities": "Pokaż encje"
|
||||
}
|
||||
},
|
||||
@@ -710,6 +716,14 @@
|
||||
"service-picker": {
|
||||
"service": "Usługa"
|
||||
},
|
||||
"target-picker": {
|
||||
"add_area_id": "Wybierz obszar",
|
||||
"add_device_id": "Wybierz urządzenie",
|
||||
"add_entity_id": "Wybierz encję",
|
||||
"remove_area_id": "Usuń obszar",
|
||||
"remove_device_id": "Usuń urządzenie",
|
||||
"remove_entity_id": "Usuń encję"
|
||||
},
|
||||
"user-picker": {
|
||||
"add_user": "Dodaj użytkownika",
|
||||
"no_user": "Brak użytkownika",
|
||||
@@ -733,6 +747,7 @@
|
||||
"editor": {
|
||||
"confirm_delete": "Czy na pewno chcesz usunąć ten wpis?",
|
||||
"delete": "Usuń",
|
||||
"device_disabled": "Urządzenie tej encji jest wyłączone",
|
||||
"enabled_cause": "Wyłączone przez {cause}.",
|
||||
"enabled_delay_confirm": "Włączone encje zostaną dodane do Home Assistanta po {delay} sekundach",
|
||||
"enabled_description": "Wyłączone encje nie będą dostępne w Home Assistant.",
|
||||
@@ -743,6 +758,7 @@
|
||||
"icon_error": "Ikony powinny mieć format 'prefix:iconname', np. 'mdi:home'",
|
||||
"name": "Nazwa",
|
||||
"note": "Uwaga: to może jeszcze nie działać ze wszystkimi integracjami.",
|
||||
"open_device_settings": "Otwórz ustawienia urządzenia",
|
||||
"unavailable": "Ta encja nie jest obecnie dostępna.",
|
||||
"update": "Aktualizuj"
|
||||
},
|
||||
@@ -1030,7 +1046,7 @@
|
||||
"confirmation_text": "Wszystkie urządzenia z tego obszaru pozostaną bez przypisanego obszaru.",
|
||||
"confirmation_title": "Czy na pewno chcesz usunąć ten obszar?"
|
||||
},
|
||||
"description": "Zarządzaj obszarami w twoim domu",
|
||||
"description": "Grupuj urządzenia i encje w obszary",
|
||||
"editor": {
|
||||
"area_id": "Identyfikator obszaru",
|
||||
"create": "Utwórz",
|
||||
@@ -1052,7 +1068,7 @@
|
||||
},
|
||||
"automation": {
|
||||
"caption": "Automatyzacje",
|
||||
"description": "Zarządzaj automatyzacjami",
|
||||
"description": "Twórz niestandardowe zasady zachowania w swoim domu",
|
||||
"dialog_new": {
|
||||
"blueprint": {
|
||||
"use_blueprint": "Użyj schematu"
|
||||
@@ -1400,15 +1416,15 @@
|
||||
"blueprint": {
|
||||
"add": {
|
||||
"error_no_url": "Wprowadź adres URL schematu.",
|
||||
"file_name": "Nazwa lokalnego pliku schematu",
|
||||
"header": "Dodaj nowy schemat",
|
||||
"import_btn": "Importuj schemat",
|
||||
"import_header": "Importuj \"{name}\" (typ: {domain})",
|
||||
"file_name": "Ścieżka do schematu",
|
||||
"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.",
|
||||
"importing": "Importowanie schematu...",
|
||||
"importing": "Wczytywanie schematu...",
|
||||
"raw_blueprint": "Zawartość schematu",
|
||||
"save_btn": "Zapisz schemat",
|
||||
"saving": "Zapisywanie schematu...",
|
||||
"save_btn": "Importuj schemat",
|
||||
"saving": "Importowanie schematu...",
|
||||
"unsupported_blueprint": "Ten schemat nie jest obsługiwany",
|
||||
"url": "URL schematu"
|
||||
},
|
||||
@@ -1425,8 +1441,8 @@
|
||||
"file_name": "Nazwa pliku",
|
||||
"name": "Nazwa"
|
||||
},
|
||||
"introduction": "Edytor schematów pozwala tworzyć i edytować schematy",
|
||||
"learn_more": "Dowiedz się więcej o schematach",
|
||||
"introduction": "Konfiguracja schematów umożliwia ich importowanie i zarządzanie nimi.",
|
||||
"learn_more": "Dowiedz się więcej o używaniu schematów",
|
||||
"use_blueprint": "Utwórz automatyzację"
|
||||
}
|
||||
},
|
||||
@@ -1510,7 +1526,7 @@
|
||||
"title": "Alexa"
|
||||
},
|
||||
"caption": "Chmura Home Assistant",
|
||||
"description_features": "Sterowanie spoza domu, integracja z Alexą i Asystentem Google.",
|
||||
"description_features": "Sterowanie spoza domu i integracja z Alexą i Asystentem Google.",
|
||||
"description_login": "Zalogowany jako {email}",
|
||||
"description_not_login": "Nie zalogowany",
|
||||
"dialog_certificate": {
|
||||
@@ -1605,7 +1621,7 @@
|
||||
},
|
||||
"core": {
|
||||
"caption": "Ogólne",
|
||||
"description": "Zmień podstawowe opcje Home Assistanta",
|
||||
"description": "System metryczny, lokalizacja, strefa czasowa oraz inne parametry ogólne",
|
||||
"section": {
|
||||
"core": {
|
||||
"core_config": {
|
||||
@@ -1667,6 +1683,7 @@
|
||||
"unknown_condition": "Nieznany warunek"
|
||||
},
|
||||
"create": "Utwórz automatyzację z urządzeniem",
|
||||
"create_disable": "Nie można utworzyć automatyzacji z wyłączonym urządzeniem",
|
||||
"no_automations": "Brak automatyzacji",
|
||||
"no_device_automations": "Brak dostępnych automatyzacji dla tego urządzenia.",
|
||||
"triggers": {
|
||||
@@ -1692,9 +1709,18 @@
|
||||
"no_devices": "Brak urządzeń"
|
||||
},
|
||||
"delete": "Usuń",
|
||||
"description": "Zarządzaj podłączonymi urządzeniami",
|
||||
"description": "Zarządzaj skonfigurowanymi urządzeniami",
|
||||
"device_info": "Informacje o urządzeniu",
|
||||
"device_not_found": "Urządzenie nie zostało znalezione.",
|
||||
"disabled": "Wyłączone",
|
||||
"disabled_by": {
|
||||
"config_entry": "Wpis konfiguracji",
|
||||
"integration": "Integracja",
|
||||
"user": "Użytkownik"
|
||||
},
|
||||
"enabled_cause": "Urządzenie jest wyłączone przez {cause}",
|
||||
"enabled_description": "Wyłączone urządzenia nie będą wyświetlane, a encje do niego należące zostaną wyłączone i nie zostaną dodane do Home Assistanta.",
|
||||
"enabled_label": "Włącz urządzenie",
|
||||
"entities": {
|
||||
"add_entities_lovelace": "Dodaj do interfejsu użytkownika Lovelace",
|
||||
"disabled_entities": "+{count} {count, plural,\n one {wyłączona encja}\n few {wyłączone encje}\n many {wyłączonych encji}\n other {wyłączonych encji}\n}",
|
||||
@@ -1704,14 +1730,25 @@
|
||||
},
|
||||
"name": "Nazwa",
|
||||
"no_devices": "Brak urządzeń",
|
||||
"picker": {
|
||||
"filter": {
|
||||
"filter": "Filtr",
|
||||
"hidden_devices": "{number} {number, plural,\n one {ukryte urządzenie}\n few {ukryte urządzenia}\n many {ukrytych urządzeń}\n other {ukrytych urządzeń}\n}",
|
||||
"show_all": "Pokaż wszystkie",
|
||||
"show_disabled": "Pokaż wyłączone urządzenia"
|
||||
},
|
||||
"search": "Wyszukiwanie urządzeń"
|
||||
},
|
||||
"scene": {
|
||||
"create": "Utwórz scenę z urządzeniem",
|
||||
"create_disable": "Nie można utworzyć sceny z wyłączonym urządzeniem",
|
||||
"no_scenes": "Brak scen",
|
||||
"scenes": "Sceny"
|
||||
},
|
||||
"scenes": "Sceny",
|
||||
"script": {
|
||||
"create": "Utwórz skrypt z urządzeniem",
|
||||
"create_disable": "Nie można utworzyć skryptu z wyłączonym urządzeniem",
|
||||
"no_scripts": "Brak skryptów",
|
||||
"scripts": "Skrypty"
|
||||
},
|
||||
@@ -1777,7 +1814,7 @@
|
||||
"header": "Konfiguruj Home Assistanta",
|
||||
"helpers": {
|
||||
"caption": "Pomocnicy",
|
||||
"description": "Zarządzaj elementami, które pomagają w tworzeniu automatyzacji",
|
||||
"description": "Elementy, które pomagają w tworzeniu automatyzacji",
|
||||
"dialog": {
|
||||
"add_helper": "Dodaj pomocnika",
|
||||
"add_platform": "Dodaj {platform}",
|
||||
@@ -1809,7 +1846,7 @@
|
||||
"copy_github": "Dla GitHuba",
|
||||
"copy_raw": "Tekst",
|
||||
"custom_uis": "Niestandardowe interfejsy użytkownika:",
|
||||
"description": "Informacje o instalacji Home Assistanta",
|
||||
"description": "Wersja, kondycja systemu i linki do dokumentacji",
|
||||
"developed_by": "Opracowany przez grono wspaniałych ludzi.",
|
||||
"documentation": "Dokumentacja",
|
||||
"frontend": "frontend-ui",
|
||||
@@ -1875,7 +1912,7 @@
|
||||
"delete": "Usuń",
|
||||
"delete_button": "Usuń {integration}",
|
||||
"delete_confirm": "Czy na pewno chcesz usunąć tę integrację?",
|
||||
"device_unavailable": "urządzenie niedostępne",
|
||||
"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}",
|
||||
"documentation": "Dokumentacja",
|
||||
"entities": "{count} {count, plural,\n one {encja}\n few {encje}\n many {encji}\n other {encji}\n}",
|
||||
@@ -1915,7 +1952,7 @@
|
||||
},
|
||||
"configure": "Konfiguruj",
|
||||
"configured": "Skonfigurowane",
|
||||
"description": "Zarządzaj integracjami",
|
||||
"description": "Zarządzaj integracjami z usługami, urządzeniami, ...",
|
||||
"details": "Szczegóły integracji",
|
||||
"discovered": "Wykryte",
|
||||
"home_assistant_website": "Home Assistant",
|
||||
@@ -2000,7 +2037,7 @@
|
||||
"open": "Otwórz"
|
||||
}
|
||||
},
|
||||
"description": "Zarządzaj dashboardami interfejsu użytkownika Lovelace",
|
||||
"description": "Twórz niestandardowe zestawy kart do sterowania domem",
|
||||
"resources": {
|
||||
"cant_edit_yaml": "Korzystasz z interfejsu użytkownika Lovelace w trybie YAML, dlatego nie możesz zarządzać zasobami za pomocą interfejsu użytkownika. Zarządzaj nimi w pliku configuration.yaml.",
|
||||
"caption": "Zasoby",
|
||||
@@ -2199,7 +2236,7 @@
|
||||
"scene": {
|
||||
"activated": "Aktywowana scena {name}.",
|
||||
"caption": "Sceny",
|
||||
"description": "Zarządzaj scenami",
|
||||
"description": "Przechwytuj stany urządzeń i łatwo przywołuj je później",
|
||||
"editor": {
|
||||
"default_name": "Nowa scena",
|
||||
"devices": {
|
||||
@@ -2243,7 +2280,7 @@
|
||||
},
|
||||
"script": {
|
||||
"caption": "Skrypty",
|
||||
"description": "Zarządzaj skryptami",
|
||||
"description": "Wykonywanie sekwencji akcji",
|
||||
"editor": {
|
||||
"alias": "Nazwa",
|
||||
"default_name": "Nowy skrypt",
|
||||
@@ -2354,7 +2391,7 @@
|
||||
"confirm_remove": "Czy na pewno chcesz usunąć tag {tag}?",
|
||||
"confirm_remove_title": "Usunąć tag?",
|
||||
"create_automation": "Utwórz automatyzację z tagiem",
|
||||
"description": "Zarządzaj tagami",
|
||||
"description": "Uruchamiaj automatyzacje po zeskanowaniu tagu NFC, kodu QR, itp",
|
||||
"detail": {
|
||||
"companion_apps": "aplikacji towarzyszącej",
|
||||
"create": "Utwórz",
|
||||
@@ -2389,10 +2426,11 @@
|
||||
"username": "Nazwa użytkownika"
|
||||
},
|
||||
"caption": "Użytkownicy",
|
||||
"description": "Zarządzaj użytkownikami",
|
||||
"description": "Zarządzaj kontami użytkowników Home Assistanta",
|
||||
"editor": {
|
||||
"activate_user": "Aktywuj użytkownika",
|
||||
"active": "Aktywny",
|
||||
"active_tooltip": "Określa, czy użytkownik może się zalogować",
|
||||
"admin": "Administrator",
|
||||
"caption": "Wyświetl użytkownika",
|
||||
"change_password": "Zmień hasło",
|
||||
@@ -3411,10 +3449,13 @@
|
||||
"change_password": {
|
||||
"confirm_new_password": "Potwierdź nowe hasło",
|
||||
"current_password": "Bieżące hasło",
|
||||
"error_new_is_old": "Nowe hasło musi być inne niż obecne hasło",
|
||||
"error_new_mismatch": "Wprowadzone nowe hasła nie są zgodne",
|
||||
"error_required": "Wymagane",
|
||||
"header": "Zmień hasło",
|
||||
"new_password": "Nowe hasło",
|
||||
"submit": "Zatwierdź"
|
||||
"submit": "Zatwierdź",
|
||||
"success": "Hasło zostało pomyślnie zmienione"
|
||||
},
|
||||
"current_user": "Jesteś obecnie zalogowany jako {fullName}.",
|
||||
"customize_sidebar": {
|
||||
|
@@ -2,6 +2,7 @@
|
||||
"config_entry": {
|
||||
"disabled_by": {
|
||||
"config_entry": "Editar configuração",
|
||||
"device": "Dispositivo",
|
||||
"integration": "Integração",
|
||||
"user": "Utilizador"
|
||||
}
|
||||
@@ -546,6 +547,8 @@
|
||||
"add_new": "Adicionar nova área…",
|
||||
"area": "Área",
|
||||
"clear": "Limpar",
|
||||
"no_areas": "Você não tem nenhuma área",
|
||||
"no_match": "Nenhuma área correspondente encontrada",
|
||||
"show_areas": "Mostrar áreas"
|
||||
},
|
||||
"blueprint-picker": {
|
||||
@@ -566,6 +569,8 @@
|
||||
"clear": "Apagar",
|
||||
"device": "Dispositivo",
|
||||
"no_area": "Sem área",
|
||||
"no_devices": "Você não tem nenhum dispositivo",
|
||||
"no_match": "Nenhum dispositivo correspondente encontrado",
|
||||
"show_devices": "Mostrar dispositivos",
|
||||
"toggle": "Alternar"
|
||||
},
|
||||
@@ -577,6 +582,7 @@
|
||||
"entity-picker": {
|
||||
"clear": "Limpar",
|
||||
"entity": "Entidade",
|
||||
"no_match": "Nenhuma entidade correspondente encontrada",
|
||||
"show_entities": "Mostrar entidades"
|
||||
}
|
||||
},
|
||||
@@ -688,13 +694,13 @@
|
||||
"second": "{count} {count, plural,\n one {segundo}\n other {segundos}\n}",
|
||||
"week": "{count} {count, plural,\n one {semana}\n other {semanas}\n}"
|
||||
},
|
||||
"future": "Há {time}",
|
||||
"future": "Em {time}",
|
||||
"future_duration": {
|
||||
"day": "In {count} {count, plural,\n one {dia}\n other {dias}\n}",
|
||||
"hour": "In {count} {count, plural,\n one {hora}\n other {horas}\n}",
|
||||
"minute": "In {count} {count, plural,\n one {minuto}\n other {minutos}\n}",
|
||||
"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}",
|
||||
"minute": "Dentro de {count} {count, plural,\n one {minuto}\n other {minutos}\n}",
|
||||
"second": "In {count} {count, plural,\n one {segundo}\n other {segundos}\n}",
|
||||
"week": "In {count} {count, plural,\n one {semana}\n other {semanas}\n}"
|
||||
"week": "Dentro de {count} {count, plural,\n one {semana}\n other {semanas}\n}"
|
||||
},
|
||||
"just_now": "Agora mesmo",
|
||||
"never": "Nunca",
|
||||
@@ -710,6 +716,16 @@
|
||||
"service-picker": {
|
||||
"service": "Serviço"
|
||||
},
|
||||
"target-picker": {
|
||||
"add_area_id": "Escolha a área",
|
||||
"add_device_id": "Escolha o dispositivo",
|
||||
"add_entity_id": "Escolher entidade",
|
||||
"expand_area_id": "Expandir esta área nos dispositivos e entidades separadas que ela contém. Após a expansão não atualizará os dispositivos e entidades quando a área mudar.",
|
||||
"expand_device_id": "Expandir este dispositivo em entidades separadas. Após a expansão não atualizará as entidades quando o dispositivo mudar.",
|
||||
"remove_area_id": "Remover área",
|
||||
"remove_device_id": "Remover dispositivo",
|
||||
"remove_entity_id": "Remover entidade"
|
||||
},
|
||||
"user-picker": {
|
||||
"add_user": "Adicionar Utilizador",
|
||||
"no_user": "Nenhum utilizador",
|
||||
@@ -733,7 +749,9 @@
|
||||
"editor": {
|
||||
"confirm_delete": "Tem certeza de que deseja apagar esta entrada?",
|
||||
"delete": "Apagar",
|
||||
"device_disabled": "O dispositivo desta entidade está desativado.",
|
||||
"enabled_cause": "Desativado por {cause}.",
|
||||
"enabled_delay_confirm": "As entidades ativadas serão adicionadas ao Home Assistant em {delay} segundos",
|
||||
"enabled_description": "Entidades desativadas não serão adicionadas ao Home Assistant.",
|
||||
"enabled_label": "Ativar entidade",
|
||||
"enabled_restart_confirm": "Reinicie o Home Assistant para ativar as entidades",
|
||||
@@ -742,6 +760,7 @@
|
||||
"icon_error": "Os ícones devem estar no formato 'prefixo:nome do ícone', por exemplo 'mdi:home'.",
|
||||
"name": "Nome",
|
||||
"note": "Nota: isto pode ainda não funcionar com todas as integrações.",
|
||||
"open_device_settings": "Abrir configurações do dispositivo",
|
||||
"unavailable": "Esta entidade não está atualmente disponível.",
|
||||
"update": "Atualizar"
|
||||
},
|
||||
@@ -761,6 +780,7 @@
|
||||
"initial": "Valor inicial",
|
||||
"maximum": "Valor máximo",
|
||||
"minimum": "Valor mínimo",
|
||||
"restore": "Restaurar o último valor conhecido quando o Home Assistant inicia",
|
||||
"step": "Tamanho do passo"
|
||||
},
|
||||
"generic": {
|
||||
@@ -809,8 +829,11 @@
|
||||
"more_info_control": {
|
||||
"controls": "Controlos",
|
||||
"cover": {
|
||||
"close_cover": "Fechar a capa",
|
||||
"open_cover": "Abrir capa"
|
||||
"close_cover": "Fechar estore/persiana",
|
||||
"close_tile_cover": "Fechar inclinação do estore",
|
||||
"open_cover": "Abrir estore/persiana",
|
||||
"open_tilt_cover": "Abrir inclinação do estore",
|
||||
"stop_cover": "Impedir que estore/persiana se mova"
|
||||
},
|
||||
"details": "Detalhes",
|
||||
"dismiss": "Descartar diálogo",
|
||||
@@ -1277,6 +1300,7 @@
|
||||
"event": {
|
||||
"context_user_pick": "Selecionar o utilizador",
|
||||
"context_user_picked": "Evento do utilizador",
|
||||
"context_users": "Limite a eventos desencadeados por",
|
||||
"event_data": "Dados do evento",
|
||||
"event_type": "Tipo de evento",
|
||||
"label": "Evento"
|
||||
@@ -1377,12 +1401,16 @@
|
||||
"thingtalk": {
|
||||
"create": "Criar automação",
|
||||
"link_devices": {
|
||||
"header": "Ótimo! Agora precisamos conectar alguns dispositivos"
|
||||
"ambiguous_entities": "Um ou mais dispositivos têm mais do que uma entidade correspondente, por favor escolha aquela que pretende utilizar.",
|
||||
"header": "Ótimo! Agora precisamos conectar alguns dispositivos",
|
||||
"unknown_placeholder": "placeholder desconhecido"
|
||||
},
|
||||
"task_selection": {
|
||||
"error_empty": "Entre um comando ou salte este passo.",
|
||||
"error_unsupported": "Não conseguimos (ainda?) criar uma automação para isso.",
|
||||
"for_example": "Por exemplo:",
|
||||
"header": "Criar uma nova automação",
|
||||
"introduction": "Digite abaixo o que esta automação deve fazer, e nós tentaremos convertê-la em uma automação Home Assistant.",
|
||||
"language_note": "Nota: Por enquanto, apenas o inglês é suportado."
|
||||
}
|
||||
}
|
||||
@@ -1390,15 +1418,14 @@
|
||||
"blueprint": {
|
||||
"add": {
|
||||
"error_no_url": "Por favor introduza o URL do projeto",
|
||||
"file_name": "Nome do ficheiro do projeto local",
|
||||
"header": "Adicionar novo projeto",
|
||||
"file_name": "Caminho do projeto",
|
||||
"header": "Importar a receita",
|
||||
"import_btn": "Importar projeto",
|
||||
"import_header": "Importar \"{name}\" (tipo: {domain})",
|
||||
"import_header": "Receita \"{name}\"",
|
||||
"import_introduction": "Você pode importar projetos de outros utilizadores pelo Github e pelo fórum da comunidade. introduza o URL do projeto abaixo",
|
||||
"importing": "A importar projeto...",
|
||||
"raw_blueprint": "Conteúdo do projeto",
|
||||
"save_btn": "Projeto guardado",
|
||||
"saving": "A guardar projecto...",
|
||||
"saving": "A importar projeto...",
|
||||
"unsupported_blueprint": "Projeto não suportado",
|
||||
"url": "URL do projeto"
|
||||
},
|
||||
@@ -1657,10 +1684,13 @@
|
||||
"unknown_condition": "Condição desconhecida"
|
||||
},
|
||||
"create": "Criar automação com dispositivo",
|
||||
"create_disable": "Não é possível criar a automação com um dispositivo desativado",
|
||||
"no_automations": "Sem automações",
|
||||
"no_device_automations": "Não há automações disponíveis para este dispositivo.",
|
||||
"triggers": {
|
||||
"caption": "Fazer alguma coisa quando..."
|
||||
"caption": "Fazer alguma coisa quando...",
|
||||
"no_triggers": "Sem acionadores",
|
||||
"unknown_trigger": "Acionador desconhecido"
|
||||
},
|
||||
"unknown_automation": "Automação desconhecida"
|
||||
},
|
||||
@@ -1680,9 +1710,18 @@
|
||||
"no_devices": "Sem dispositivos"
|
||||
},
|
||||
"delete": "Apagar",
|
||||
"description": "Gerir dispositivos ligados",
|
||||
"description": "Gerir dispositivos configurados",
|
||||
"device_info": "Informação do dispositivo",
|
||||
"device_not_found": "Dispositivo não encontrado.",
|
||||
"disabled": "Desativado",
|
||||
"disabled_by": {
|
||||
"config_entry": "",
|
||||
"integration": "Integração",
|
||||
"user": "Utilizador"
|
||||
},
|
||||
"enabled_cause": "O dispositivo foi desativado por {cause} .",
|
||||
"enabled_description": "Os dispositivos desativados não serão mostrados e as entidades pertencentes ao dispositivo serão desactivadas e não serão adicionadas ao Home Assistant.",
|
||||
"enabled_label": "Ativar dispositivo",
|
||||
"entities": {
|
||||
"add_entities_lovelace": "Adicionar ao Lovelace",
|
||||
"disabled_entities": "+{count} {count, plural,\n one {entidade inactiva}\n other {entidades inactivas}\n}",
|
||||
@@ -1692,14 +1731,25 @@
|
||||
},
|
||||
"name": "Nome",
|
||||
"no_devices": "Sem dispositivos",
|
||||
"picker": {
|
||||
"filter": {
|
||||
"filter": "Filtro",
|
||||
"hidden_devices": "{number} dispositivo/s {number, plural,\n one {escondido}\n other {escondidos}\n}",
|
||||
"show_all": "Mostrar tudo",
|
||||
"show_disabled": "Mostrar entidades desativadas"
|
||||
},
|
||||
"search": "Pesquisar dispositivos"
|
||||
},
|
||||
"scene": {
|
||||
"create": "Criar cena com o dispositivo",
|
||||
"create_disable": "Não é possível criar cenarios com o dispositivo desativado",
|
||||
"no_scenes": "Sem cenários",
|
||||
"scenes": "Cenas"
|
||||
},
|
||||
"scenes": "Cenas",
|
||||
"script": {
|
||||
"create": "Criar script com o dispositivo",
|
||||
"create_disable": "Não é possível criar o script com um dispositivo desativado",
|
||||
"no_scripts": "Sem scripts",
|
||||
"scripts": "Scripts"
|
||||
},
|
||||
@@ -1715,12 +1765,12 @@
|
||||
"disable_selected": {
|
||||
"button": "Desativar seleção",
|
||||
"confirm_text": "Entidades desativadas não serão adicionadas ao Home Assistant.",
|
||||
"confirm_title": "Deseja desativar {number} entidades?"
|
||||
"confirm_title": "Quer desativar {number} {number, plural,\n one {entity}\n other {entities}\n}?"
|
||||
},
|
||||
"enable_selected": {
|
||||
"button": "Ativar seleção ",
|
||||
"confirm_text": "Assim ficarão disponíveis no Home Assistant caso actualmente estejam desactivados.",
|
||||
"confirm_title": "Deseja ativar {number} entidades?"
|
||||
"confirm_title": "Deseja ativar {number} {number, plural,\n one {entidade}\n other {entidades}\n}?"
|
||||
},
|
||||
"filter": {
|
||||
"filter": "Filtro",
|
||||
@@ -1820,6 +1870,7 @@
|
||||
"can_reach_cloud_auth": "Ligar ao servidor de autenticação",
|
||||
"google_enabled": "Google ativo",
|
||||
"logged_in": "Ligado em",
|
||||
"relayer_connected": "Intermediário Ligado",
|
||||
"remote_connected": "Ligado remotamente",
|
||||
"remote_enabled": "Remoto ativo",
|
||||
"subscription_expiration": "Validade da Subscrição"
|
||||
@@ -1902,9 +1953,9 @@
|
||||
},
|
||||
"configure": "Configurar",
|
||||
"configured": "Configurado",
|
||||
"description": "Gerir integrações",
|
||||
"description": "Gerir integrações com serviços, dispositivos, ...",
|
||||
"details": "Detalhes da integração",
|
||||
"discovered": "Detetados",
|
||||
"discovered": "Descoberto",
|
||||
"home_assistant_website": "Site do Home Assistant ",
|
||||
"ignore": {
|
||||
"confirm_delete_ignore": "Isto fará com que a integração volte a aparecer nas suas integrações descobertas, quando for descoberta. Isto pode requerer um reinício ou demorar algum tempo.",
|
||||
@@ -2044,6 +2095,7 @@
|
||||
"network": "Rede",
|
||||
"node_id": "ID de nó",
|
||||
"ozw_instance": "Instância OpenZWave",
|
||||
"query_stage": "Fase de consulta",
|
||||
"wakeup_instructions": "Instruções ao acordar",
|
||||
"zwave": "Z-Wave"
|
||||
},
|
||||
@@ -2054,6 +2106,10 @@
|
||||
},
|
||||
"navigation": {
|
||||
"network": "Rede",
|
||||
"node": {
|
||||
"config": "Configuração",
|
||||
"dashboard": "Painel de instrumentos"
|
||||
},
|
||||
"nodes": "Nós",
|
||||
"select_instance": "Selecione a instância"
|
||||
},
|
||||
@@ -2082,6 +2138,15 @@
|
||||
"introduction": "Gerir funções de rede.",
|
||||
"node_count": "{count} nós"
|
||||
},
|
||||
"node_config": {
|
||||
"header": "Configuração do Nó",
|
||||
"help_source": "As descrições dos parâmetros de configuração e o texto de ajuda são fornecidos pelo projeto OpenZWave.",
|
||||
"introduction": "Administrar os diferentes parâmetros de configuração para um nó Z-Wave.",
|
||||
"wakeup_help": "Os nós alimentados por bateria devem estar acordados para mudar a sua configuração. Se o nó não estiver acordado, o OpenZWave irá tentar atualizar a configuração do nó da próxima vez que ele acordar, o que pode acontecer horas (ou dias) depois. Siga estes passos para acordar o seu dispositivo:"
|
||||
},
|
||||
"node_metadata": {
|
||||
"product_manual": "Manual do produto"
|
||||
},
|
||||
"node_query_stages": {
|
||||
"associations": "Refrescando grupos de associação e membros",
|
||||
"cacheload": "Carregando informações do arquivo de cache do OpenZWave. Os nós da bateria permanecerão nesta fase até que o nó acorde.",
|
||||
@@ -2172,7 +2237,7 @@
|
||||
"scene": {
|
||||
"activated": "Ativar cena {name}.",
|
||||
"caption": "Cenários",
|
||||
"description": "Gerir cenários",
|
||||
"description": "Capture os estados dos dispositivos e facilmente recupere os mesmos mais tarde",
|
||||
"editor": {
|
||||
"default_name": "Nova Cena",
|
||||
"devices": {
|
||||
@@ -2327,7 +2392,7 @@
|
||||
"confirm_remove": "Tens a certeza que queres remover a etiqueta {tag}?",
|
||||
"confirm_remove_title": "Remover a etiqueta?",
|
||||
"create_automation": "Criar automação com etiqueta",
|
||||
"description": "Gerir etiquetas",
|
||||
"description": "Acionar automatizações quando uma tag NFC, código QR, etc. é lido.",
|
||||
"detail": {
|
||||
"companion_apps": "Aplicações de dispositivos móveis",
|
||||
"create": "Criar",
|
||||
@@ -2346,6 +2411,7 @@
|
||||
"last_scanned": "Última ocorrência",
|
||||
"name": "Nome"
|
||||
},
|
||||
"learn_more": "Saiba mais sobre tags",
|
||||
"never_scanned": "Nunca lido",
|
||||
"no_tags": "Sem etiquetas",
|
||||
"write": "Escrever"
|
||||
@@ -2365,6 +2431,7 @@
|
||||
"editor": {
|
||||
"activate_user": "Ativar utilizador",
|
||||
"active": "Ativo",
|
||||
"active_tooltip": "Controla se o utilizador pode fazer login",
|
||||
"admin": "Administrador",
|
||||
"caption": "Ver utilizador",
|
||||
"change_password": "Alterar palavra-passe",
|
||||
@@ -2915,6 +2982,7 @@
|
||||
"name": "Relance"
|
||||
},
|
||||
"grid": {
|
||||
"description": "O cartão em Grelha permite mostrar vários cartões numa grelha.",
|
||||
"name": "Grelha"
|
||||
},
|
||||
"history-graph": {
|
||||
@@ -3382,10 +3450,13 @@
|
||||
"change_password": {
|
||||
"confirm_new_password": "Confirmar a nova palavra-passe",
|
||||
"current_password": "Palavra-passe atual",
|
||||
"error_new_is_old": "A nova palavra-passe deve ser diferente da palavra-passe atual",
|
||||
"error_new_mismatch": "Os novos valores da palavra-passe introduzidos não coincidem",
|
||||
"error_required": "Obrigatório",
|
||||
"header": "Alterar palavra-passe",
|
||||
"new_password": "Nova palavra-passe",
|
||||
"submit": "Enviar"
|
||||
"submit": "Enviar",
|
||||
"success": "Palavra-passe alterada com sucesso"
|
||||
},
|
||||
"current_user": "Esta atualmente ligado como {fullName}",
|
||||
"customize_sidebar": {
|
||||
@@ -3399,6 +3470,7 @@
|
||||
"header": "Painel de instrumentos"
|
||||
},
|
||||
"enable_shortcuts": {
|
||||
"description": "Ativar ou desativar atalhos de teclado para executar várias ações na IU.",
|
||||
"header": "Atalhos de Teclado"
|
||||
},
|
||||
"force_narrow": {
|
||||
|
@@ -1,7 +1,8 @@
|
||||
{
|
||||
"config_entry": {
|
||||
"disabled_by": {
|
||||
"config_entry": "Запись",
|
||||
"config_entry": "Конфигурация",
|
||||
"device": "Устройство",
|
||||
"integration": "Интеграция",
|
||||
"user": "Пользователь"
|
||||
}
|
||||
@@ -394,7 +395,7 @@
|
||||
},
|
||||
"cover": {
|
||||
"position": "Положение",
|
||||
"tilt_position": "Положение наклона"
|
||||
"tilt_position": "Наклон"
|
||||
},
|
||||
"fan": {
|
||||
"direction": "Направление",
|
||||
@@ -546,11 +547,14 @@
|
||||
"add_new": "Добавить помещение...",
|
||||
"area": "Помещение",
|
||||
"clear": "Очистить",
|
||||
"no_areas": "Не найдено ни одного помещения",
|
||||
"no_match": "Подходящих помещений не найдено",
|
||||
"show_areas": "Показать помещения"
|
||||
},
|
||||
"blueprint-picker": {
|
||||
"add_user": "Добавить пользователя",
|
||||
"remove_user": "Удалить пользователя"
|
||||
"remove_user": "Удалить пользователя",
|
||||
"select_blueprint": "Выберите проект"
|
||||
},
|
||||
"data-table": {
|
||||
"no-data": "Нет данных",
|
||||
@@ -565,6 +569,8 @@
|
||||
"clear": "Очистить",
|
||||
"device": "Устройство",
|
||||
"no_area": "Не указано",
|
||||
"no_devices": "Не найдено ни одного устройства",
|
||||
"no_match": "Подходящих устройств не найдено",
|
||||
"show_devices": "Показать устройства",
|
||||
"toggle": "Переключить"
|
||||
},
|
||||
@@ -576,6 +582,7 @@
|
||||
"entity-picker": {
|
||||
"clear": "Очистить",
|
||||
"entity": "Объект",
|
||||
"no_match": "Подходящих объектов не найдено",
|
||||
"show_entities": "Показать объекты"
|
||||
}
|
||||
},
|
||||
@@ -709,6 +716,16 @@
|
||||
"service-picker": {
|
||||
"service": "Служба"
|
||||
},
|
||||
"target-picker": {
|
||||
"add_area_id": "Выбрать помещение",
|
||||
"add_device_id": "Выбрать устройство",
|
||||
"add_entity_id": "Выбрать объект",
|
||||
"expand_area_id": "Разделить это помещение на отдельные устройства и объекты. После разделения устройства и объекты не будут обновляться при изменении помещения.",
|
||||
"expand_device_id": "Разделить это устройство на отдельные объекты. После разделения объекты не будут обновляться при изменении устройства.",
|
||||
"remove_area_id": "Удалить помещение",
|
||||
"remove_device_id": "Удалить устройство",
|
||||
"remove_entity_id": "Удалить объект"
|
||||
},
|
||||
"user-picker": {
|
||||
"add_user": "Добавить пользователя",
|
||||
"no_user": "Нет пользователя",
|
||||
@@ -732,6 +749,7 @@
|
||||
"editor": {
|
||||
"confirm_delete": "Вы уверены, что хотите удалить эту запись?",
|
||||
"delete": "Удалить",
|
||||
"device_disabled": "Родительское устройство этого объекта скрыто.",
|
||||
"enabled_cause": "Инициатор: {cause}.",
|
||||
"enabled_delay_confirm": "Объекты будут добавлены в Home Assistant через {delay} секунд",
|
||||
"enabled_description": "Скрытые объекты не будут доступны в Home Assistant.",
|
||||
@@ -742,6 +760,7 @@
|
||||
"icon_error": "Параметр должен быть в формате 'prefix:iconname' (например: 'mdi:home')",
|
||||
"name": "Название",
|
||||
"note": "(может работать не со всеми интеграциями)",
|
||||
"open_device_settings": "Открыть настройки устройства",
|
||||
"unavailable": "Этот объект в настоящее время недоступен.",
|
||||
"update": "Обновить"
|
||||
},
|
||||
@@ -811,7 +830,10 @@
|
||||
"controls": "Управление",
|
||||
"cover": {
|
||||
"close_cover": "Закрыть",
|
||||
"open_cover": "Открыть"
|
||||
"close_tile_cover": "Закрыть",
|
||||
"open_cover": "Открыть",
|
||||
"open_tilt_cover": "Открыть",
|
||||
"stop_cover": "Остановить"
|
||||
},
|
||||
"details": "Свойства",
|
||||
"dismiss": "Закрыть диалог",
|
||||
@@ -879,6 +901,7 @@
|
||||
"navigation": {
|
||||
"areas": "Помещения",
|
||||
"automation": "Автоматизация",
|
||||
"blueprint": "Проекты",
|
||||
"core": "Общие",
|
||||
"customize": "Кастомизация",
|
||||
"devices": "Устройства",
|
||||
@@ -1025,7 +1048,7 @@
|
||||
"confirmation_text": "Связанные устройства потеряют привязку к помещению.",
|
||||
"confirmation_title": "Вы уверены, что хотите удалить это помещение?"
|
||||
},
|
||||
"description": "Управление помещениями",
|
||||
"description": "Группировка устройств и объектов по помещениям",
|
||||
"editor": {
|
||||
"area_id": "ID помещения",
|
||||
"create": "Добавить",
|
||||
@@ -1049,7 +1072,18 @@
|
||||
"caption": "Автоматизация",
|
||||
"description": "Управление правилами автоматизации",
|
||||
"dialog_new": {
|
||||
"header": "Новая автоматизация"
|
||||
"blueprint": {
|
||||
"use_blueprint": "Использовать проект"
|
||||
},
|
||||
"header": "Новая автоматизация",
|
||||
"how": "Каким образом Вы хотели бы создать автоматизацию?",
|
||||
"start_empty": "Начать с пустой автоматизации",
|
||||
"thingtalk": {
|
||||
"create": "Создать",
|
||||
"header": "Описать автоматизацию, которую Вы хотите создать",
|
||||
"input_label": "Что должна делать эта автоматизация?",
|
||||
"intro": "И мы попробуем преобразовать её из текста. Например: Turn the lights off when I leave."
|
||||
}
|
||||
},
|
||||
"editor": {
|
||||
"actions": {
|
||||
@@ -1131,6 +1165,14 @@
|
||||
"unsupported_action": "Отсутствует форма ввода для этого действия: {action}"
|
||||
},
|
||||
"alias": "Название",
|
||||
"blueprint": {
|
||||
"blueprint_to_use": "Используемый проект",
|
||||
"header": "Проект",
|
||||
"inputs": "Исходные данные",
|
||||
"manage_blueprints": "Управление проектами",
|
||||
"no_blueprints": "У Вас еще нет проектов.",
|
||||
"no_inputs": "Для этого проекта не требуется указание исходных данных."
|
||||
},
|
||||
"conditions": {
|
||||
"add": "Добавить условие",
|
||||
"delete": "Удалить",
|
||||
@@ -1373,6 +1415,39 @@
|
||||
}
|
||||
}
|
||||
},
|
||||
"blueprint": {
|
||||
"add": {
|
||||
"error_no_url": "Введите URL-адрес проекта.",
|
||||
"file_name": "Путь к проекту",
|
||||
"header": "Импортировать проект",
|
||||
"import_btn": "Предварительный просмотр проекта",
|
||||
"import_header": "Проект \"{name}\"",
|
||||
"import_introduction": "Вы можете импортировать проекты других пользователей из Github и форумов сообщества. Для этого введите в этом окне URL-адрес проекта.",
|
||||
"importing": "Загрузка проекта...",
|
||||
"raw_blueprint": "Состав проекта",
|
||||
"save_btn": "Импортировать проект",
|
||||
"saving": "Импортирование проекта...",
|
||||
"unsupported_blueprint": "Этот проект не поддерживается",
|
||||
"url": "URL-адрес проекта"
|
||||
},
|
||||
"caption": "Проекты",
|
||||
"description": "Управление проектами",
|
||||
"overview": {
|
||||
"add_blueprint": "Импортировать проект",
|
||||
"confirm_delete_header": "Удалить этот проект?",
|
||||
"confirm_delete_text": "Вы уверены, что хотите удалить этот проект?",
|
||||
"delete_blueprint": "Удалить проект",
|
||||
"header": "Редактор проекта",
|
||||
"headers": {
|
||||
"domain": "Домен",
|
||||
"file_name": "Название файла",
|
||||
"name": "Название"
|
||||
},
|
||||
"introduction": "В этом разделе настроек Вы можете импортировать новые и управлять существующими проектами.",
|
||||
"learn_more": "Узнайте больше об использовании проектов",
|
||||
"use_blueprint": "Создать автоматизацию"
|
||||
}
|
||||
},
|
||||
"cloud": {
|
||||
"account": {
|
||||
"alexa": {
|
||||
@@ -1610,6 +1685,7 @@
|
||||
"unknown_condition": "Неизвестное условие"
|
||||
},
|
||||
"create": "Создать автоматизацию",
|
||||
"create_disable": "Скрытые устройства нельзя использовать для создания автоматизаций",
|
||||
"no_automations": "Нет автоматизаций",
|
||||
"no_device_automations": "Для этого устройства нет средств автоматизации.",
|
||||
"triggers": {
|
||||
@@ -1638,6 +1714,15 @@
|
||||
"description": "Управление подключенными устройствами",
|
||||
"device_info": "Устройство",
|
||||
"device_not_found": "Устройство не найдено",
|
||||
"disabled": "Скрыто",
|
||||
"disabled_by": {
|
||||
"config_entry": "Конфигурация",
|
||||
"integration": "Интеграция",
|
||||
"user": "Пользователь"
|
||||
},
|
||||
"enabled_cause": "Инициатор: {cause}.",
|
||||
"enabled_description": "Скрытые устройства и их дочерние объекты не будут доступны в Home Assistant.",
|
||||
"enabled_label": "Отображать устройство",
|
||||
"entities": {
|
||||
"add_entities_lovelace": "Добавить объекты в Lovelace UI",
|
||||
"disabled_entities": "Показать {count} {count, plural,\n one {скрытый объект}\n other {скрытых объектов}\n}",
|
||||
@@ -1647,14 +1732,25 @@
|
||||
},
|
||||
"name": "Название",
|
||||
"no_devices": "Нет устройств",
|
||||
"picker": {
|
||||
"filter": {
|
||||
"filter": "Фильтр",
|
||||
"hidden_devices": "{number} {number, plural,\n one {скрытое устройство}\n other {скрытых устройств}\n}",
|
||||
"show_all": "Показать все",
|
||||
"show_disabled": "Скрытые устройства"
|
||||
},
|
||||
"search": "Поиск устройств"
|
||||
},
|
||||
"scene": {
|
||||
"create": "Создать сцену",
|
||||
"create_disable": "Скрытые устройства нельзя использовать для создания сцен",
|
||||
"no_scenes": "Нет сцен",
|
||||
"scenes": "Сцены"
|
||||
},
|
||||
"scenes": "Сцены",
|
||||
"script": {
|
||||
"create": "Создать сценарий",
|
||||
"create_disable": "Скрытые устройства нельзя использовать для создания сценариев",
|
||||
"no_scripts": "Нет сценариев",
|
||||
"scripts": "Сценарии"
|
||||
},
|
||||
@@ -1858,7 +1954,7 @@
|
||||
},
|
||||
"configure": "Настроить",
|
||||
"configured": "Настроено",
|
||||
"description": "Управление интеграциями",
|
||||
"description": "Управление интеграциями с устройствами или службами",
|
||||
"details": "Детали интеграции",
|
||||
"discovered": "Обнаружено",
|
||||
"home_assistant_website": "сайте Home Assistant",
|
||||
@@ -2297,7 +2393,7 @@
|
||||
"confirm_remove": "Вы уверены, что хотите удалить метку {tag}?",
|
||||
"confirm_remove_title": "Удалить метку?",
|
||||
"create_automation": "Создать автоматизацию с меткой",
|
||||
"description": "Управление метками",
|
||||
"description": "Запуск автоматизации при сканировании меток NFC, QR-кодов",
|
||||
"detail": {
|
||||
"companion_apps": "приложения-компаньоны",
|
||||
"create": "Добавить",
|
||||
@@ -2332,10 +2428,11 @@
|
||||
"username": "Логин"
|
||||
},
|
||||
"caption": "Пользователи",
|
||||
"description": "Учётные записи пользователей",
|
||||
"description": "Учётные записи пользователей Home Assistant",
|
||||
"editor": {
|
||||
"activate_user": "Активировать",
|
||||
"active": "Активен",
|
||||
"active_tooltip": "Разрешает или запрещает пользователю вход в систему",
|
||||
"admin": "Администратор",
|
||||
"caption": "Просмотр пользователя",
|
||||
"change_password": "Изменить пароль",
|
||||
@@ -2649,7 +2746,7 @@
|
||||
"states": {
|
||||
"alert_entity_field": "Укажите объект.",
|
||||
"attributes": "Атрибуты",
|
||||
"current_entities": "Список актуальных объектов",
|
||||
"current_entities": "Список объектов",
|
||||
"description1": "Здесь Вы можете вручную изменить состояние устройства в Home Assistant.",
|
||||
"description2": "Изменённое состояние не будет синхронизировано с устройством.",
|
||||
"entity": "Объект",
|
||||
@@ -2941,7 +3038,8 @@
|
||||
},
|
||||
"picture-glance": {
|
||||
"description": "Показывает изображение и состояния объектов в виде значков. Объекты в правой стороне позволяют выполнять действия, остальные объекты при нажатии отображают окно с дополнительной информацией.",
|
||||
"name": "Picture Glance"
|
||||
"name": "Picture Glance",
|
||||
"state_entity": "Объект, определяющий состояние изображения"
|
||||
},
|
||||
"picture": {
|
||||
"description": "Позволяет установить изображение, которое будет использоваться для навигации по различным путям в Вашем интерфейсе или для вызова службы.",
|
||||
@@ -3353,10 +3451,13 @@
|
||||
"change_password": {
|
||||
"confirm_new_password": "Подтвердите новый пароль",
|
||||
"current_password": "Текущий пароль",
|
||||
"error_new_is_old": "Новый пароль должен отличаться от текущего",
|
||||
"error_new_mismatch": "Введенный новый пароль не совпадает",
|
||||
"error_required": "Обязательное поле",
|
||||
"header": "Изменить пароль",
|
||||
"new_password": "Новый пароль",
|
||||
"submit": "Подтвердить"
|
||||
"submit": "Подтвердить",
|
||||
"success": "Пароль успешно изменён"
|
||||
},
|
||||
"current_user": "Добро пожаловать, {fullName}! Вы вошли в систему.",
|
||||
"customize_sidebar": {
|
||||
|
@@ -2,11 +2,13 @@
|
||||
"config_entry": {
|
||||
"disabled_by": {
|
||||
"config_entry": "Konfigurationsvärde",
|
||||
"device": "Enhet",
|
||||
"integration": "Integration",
|
||||
"user": "Användare"
|
||||
}
|
||||
},
|
||||
"groups": {
|
||||
"owner": "Ägare",
|
||||
"system-admin": "Administratörer",
|
||||
"system-read-only": "Användare med läsbehörighet",
|
||||
"system-users": "Användare"
|
||||
@@ -511,15 +513,23 @@
|
||||
"continue": "Fortsätt",
|
||||
"copied": "Kopierad",
|
||||
"delete": "Radera",
|
||||
"disable": "Inaktivera",
|
||||
"enable": "Aktivera",
|
||||
"error_required": "Krävs",
|
||||
"leave": "Lämna",
|
||||
"loading": "Läser in",
|
||||
"menu": "Meny",
|
||||
"next": "Nästa",
|
||||
"no": "Nej",
|
||||
"not_now": "Inte nu",
|
||||
"overflow_menu": "Överflödesmeny",
|
||||
"previous": "Föregående",
|
||||
"refresh": "Uppdatera",
|
||||
"remove": "Ta bort",
|
||||
"rename": "Döp om",
|
||||
"save": "Spara",
|
||||
"skip": "Hoppa över",
|
||||
"stay": "Stanna kvar",
|
||||
"successfully_deleted": "Har raderats",
|
||||
"successfully_saved": "Inställningar sparades",
|
||||
"undo": "Ångra",
|
||||
@@ -537,8 +547,15 @@
|
||||
"add_new": "Lägg till nytt område ...",
|
||||
"area": "Område",
|
||||
"clear": "Rensa",
|
||||
"no_areas": "Du har inga områden",
|
||||
"no_match": "Inga matchande områden hittades",
|
||||
"show_areas": "Visa områden"
|
||||
},
|
||||
"blueprint-picker": {
|
||||
"add_user": "Lägg till användare",
|
||||
"remove_user": "Ta bort användare",
|
||||
"select_blueprint": "Ta bort blueprint"
|
||||
},
|
||||
"data-table": {
|
||||
"no-data": "Ingen data",
|
||||
"search": "Sök"
|
||||
@@ -552,6 +569,8 @@
|
||||
"clear": "Rensa",
|
||||
"device": "Enhet",
|
||||
"no_area": "Inget område",
|
||||
"no_devices": "Du har inga enheter",
|
||||
"no_match": "Inga matchande enheter hittades",
|
||||
"show_devices": "Visa enheter",
|
||||
"toggle": "Växla"
|
||||
},
|
||||
@@ -563,6 +582,7 @@
|
||||
"entity-picker": {
|
||||
"clear": "Rensa",
|
||||
"entity": "Entitet",
|
||||
"no_match": "Inga matchande entiteter hittades",
|
||||
"show_entities": "Visa entiteter"
|
||||
}
|
||||
},
|
||||
@@ -581,8 +601,8 @@
|
||||
"detected_device_class": "upptäckt {device_class}",
|
||||
"rose": "gick upp",
|
||||
"set": "gick ned",
|
||||
"turned_off": "Slogs av",
|
||||
"turned_on": "Slogs på",
|
||||
"turned_off": "slogs av",
|
||||
"turned_on": "slogs på",
|
||||
"was_at_home": "var hemma",
|
||||
"was_at_state": "var på {state}",
|
||||
"was_away": "var borta",
|
||||
@@ -696,6 +716,16 @@
|
||||
"service-picker": {
|
||||
"service": "Tjänst"
|
||||
},
|
||||
"target-picker": {
|
||||
"add_area_id": "Välj område",
|
||||
"add_device_id": "Välj enhet",
|
||||
"add_entity_id": "Välj entitet",
|
||||
"expand_area_id": "Expandera detta område med de separata enheter och enheter som det innehåller. Efter att ha expanderat uppdateras inte enheterna och enheterna när området ändras.",
|
||||
"expand_device_id": "Expandera den här enheten i separata entiteter. Efter att ha expanderat den inte kommer att uppdatera entiteterna när enheten ändras.",
|
||||
"remove_area_id": "Ta bort området",
|
||||
"remove_device_id": "Ta bort enheten",
|
||||
"remove_entity_id": "Ta bort entiteten"
|
||||
},
|
||||
"user-picker": {
|
||||
"add_user": "Lägg till användare",
|
||||
"no_user": "Ingen användare",
|
||||
@@ -719,19 +749,23 @@
|
||||
"editor": {
|
||||
"confirm_delete": "Är du säker på att du vill ta bort den här posten?",
|
||||
"delete": "Radera",
|
||||
"device_disabled": "Enheten för den här entiteten är inaktiverad.",
|
||||
"enabled_cause": "Inaktiverad på grund av {cause}.",
|
||||
"enabled_delay_confirm": "De aktiverade enheterna läggs till i Home Assistant om {delay} sekunder",
|
||||
"enabled_description": "Inaktiverade entiteter kommer inte att läggas till i Home Assistant.",
|
||||
"enabled_label": "Aktivera entitet",
|
||||
"enabled_restart_confirm": "Starta om Home Assistant för att slutföra aktiveringen av enheterna",
|
||||
"entity_id": "Entitets-ID",
|
||||
"icon": "Ikon",
|
||||
"icon_error": "Ikoner ska vara i formatet 'prefix:ikonnamn', t.ex. 'mdi:home'",
|
||||
"name": "Namn",
|
||||
"note": "Obs: detta kanske inte fungerar ännu med alla integrationer.",
|
||||
"open_device_settings": "Öppna enhetsinställningar",
|
||||
"unavailable": "Den här entiteten är för närvarande inte tillgänglig.",
|
||||
"update": "Uppdatera"
|
||||
},
|
||||
"faq": "dokumentation",
|
||||
"no_unique_id": "Den här entiteten har inget unikt ID, därför kan den inte hanteras från användargränssnittet.\nKlicka här {faq_link} för mer detaljer.",
|
||||
"no_unique_id": "Den här entiteten (\"{entity_id}\") har inget unikt ID, därför kan den inte hanteras från användargränssnittet.\nKlicka här {faq_link} för mer detaljer.",
|
||||
"related": "Relaterade",
|
||||
"settings": "Inställningar"
|
||||
},
|
||||
@@ -794,6 +828,13 @@
|
||||
},
|
||||
"more_info_control": {
|
||||
"controls": "Kontroller",
|
||||
"cover": {
|
||||
"close_cover": "Stäng rullgardin",
|
||||
"close_tile_cover": "Stäng rullgardinsblad",
|
||||
"open_cover": "Öppna rullgardin",
|
||||
"open_tilt_cover": "Öppna rullgardinsblad",
|
||||
"stop_cover": "Stoppa rullgardin"
|
||||
},
|
||||
"details": "Detaljer",
|
||||
"dismiss": "Avfärda",
|
||||
"edit": "Redigera entitet",
|
||||
@@ -857,6 +898,29 @@
|
||||
},
|
||||
"quick-bar": {
|
||||
"commands": {
|
||||
"navigation": {
|
||||
"areas": "Områden",
|
||||
"automation": "Automationer",
|
||||
"blueprint": "Blueprint",
|
||||
"core": "Allmänt",
|
||||
"customize": "Anpassningar",
|
||||
"devices": "Enheter",
|
||||
"entities": "Entiteter",
|
||||
"helpers": "Hjälpare",
|
||||
"info": "Info",
|
||||
"integrations": "Integrationer",
|
||||
"logs": "Loggar",
|
||||
"lovelace": "Lovelace kontrollpaneler",
|
||||
"navigate_to": "Navigera till {panel}",
|
||||
"navigate_to_config": "Navigera till {panel} konfiguration",
|
||||
"person": "Personer",
|
||||
"scene": "Scener",
|
||||
"script": "Skript",
|
||||
"server_control": "Serverhantering",
|
||||
"tags": "Taggar",
|
||||
"users": "Användare",
|
||||
"zone": "Zoner"
|
||||
},
|
||||
"reload": {
|
||||
"automation": "Ladda om automationer",
|
||||
"command_line": "Ladda om command line entiteter",
|
||||
@@ -1006,7 +1070,21 @@
|
||||
},
|
||||
"automation": {
|
||||
"caption": "Automatiseringar",
|
||||
"description": "Hantera automationer",
|
||||
"description": "Skapa anpassade beteenderegler för ditt hem",
|
||||
"dialog_new": {
|
||||
"blueprint": {
|
||||
"use_blueprint": "Använd blueprint"
|
||||
},
|
||||
"header": "Skapa en ny automatisering",
|
||||
"how": "Hur vill du skapa din nya automatisering?",
|
||||
"start_empty": "Börja med en tom automation",
|
||||
"thingtalk": {
|
||||
"create": "Skapa",
|
||||
"header": "Beskriv automatiseringen du vill skapa",
|
||||
"input_label": "Vad ska denna automatisering göra?",
|
||||
"intro": "Och vi kommer att försöka skapa det åt dig. Till exempel: Släck lamporna när jag går."
|
||||
}
|
||||
},
|
||||
"editor": {
|
||||
"actions": {
|
||||
"add": "Lägg till åtgärd",
|
||||
@@ -1087,6 +1165,14 @@
|
||||
"unsupported_action": "Inget gränssnittsstöd för åtgärd: {action}"
|
||||
},
|
||||
"alias": "Namn",
|
||||
"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."
|
||||
},
|
||||
"conditions": {
|
||||
"add": "Lägg till villkor",
|
||||
"delete": "Radera",
|
||||
@@ -1311,6 +1397,55 @@
|
||||
"only_editable": "Endast automatiseringar i automations.yaml kan redigeras.",
|
||||
"pick_automation": "Välj automation att redigera",
|
||||
"show_info_automation": "Visa info om automation"
|
||||
},
|
||||
"thingtalk": {
|
||||
"create": "Skapa automatisering",
|
||||
"link_devices": {
|
||||
"ambiguous_entities": "En eller flera enheter har mer än en matchande entitet, vänligen välj den du vill använda.",
|
||||
"header": "Bra! Nu måste vi länka några enheter",
|
||||
"unknown_placeholder": "Okänd platshållare"
|
||||
},
|
||||
"task_selection": {
|
||||
"error_empty": "Ange ett kommando eller tryck på hoppa över.",
|
||||
"error_unsupported": "Vi kunde inte skapa en automatisering för det (ännu?).",
|
||||
"for_example": "Till exempel:",
|
||||
"header": "Skapa en ny automatisering",
|
||||
"introduction": "Skriv nedan vad denna automatisering ska göra, så försöker vi konvertera den till en Home Assistant-automatisering.",
|
||||
"language_note": "Obs! Endast engelska stöds för tillfället."
|
||||
}
|
||||
}
|
||||
},
|
||||
"blueprint": {
|
||||
"add": {
|
||||
"error_no_url": "Ange webbadressen till blueprint:et",
|
||||
"file_name": "Blueprintsökväg",
|
||||
"header": "Importera en 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.",
|
||||
"importing": "Laddar blueprint...",
|
||||
"raw_blueprint": "Innehåll i blueprint",
|
||||
"save_btn": "Importera blueprint",
|
||||
"saving": "Importerar blueprint...",
|
||||
"unsupported_blueprint": "Det här blueprint:et stöds ej",
|
||||
"url": "Webbadressen till blueprint:et"
|
||||
},
|
||||
"caption": "Blueprints",
|
||||
"description": "Hantera blueprints",
|
||||
"overview": {
|
||||
"add_blueprint": "Importera blueprint",
|
||||
"confirm_delete_header": "Ta bort detta blueprint?",
|
||||
"confirm_delete_text": "Är du säker på att du vill ta bort det här blueprint:et",
|
||||
"delete_blueprint": "Ta bort blueprint",
|
||||
"header": "Blueprint Editor",
|
||||
"headers": {
|
||||
"domain": "Domän",
|
||||
"file_name": "Filnamn",
|
||||
"name": "Namn"
|
||||
},
|
||||
"introduction": "Med Blueprint-configurationen kan du importera och hantera dina blueprints",
|
||||
"learn_more": "Lär dig mer om blueprints",
|
||||
"use_blueprint": "Skapa automation"
|
||||
}
|
||||
},
|
||||
"cloud": {
|
||||
@@ -1393,7 +1528,7 @@
|
||||
"title": ""
|
||||
},
|
||||
"caption": "Home Assistant Cloud",
|
||||
"description_features": "Styra även när du inte är hemma, integrera med Alexa och Google Assistant.",
|
||||
"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",
|
||||
"dialog_certificate": {
|
||||
@@ -1550,6 +1685,7 @@
|
||||
"unknown_condition": "Okänt villkor"
|
||||
},
|
||||
"create": "Skapa automatisering med enheten",
|
||||
"create_disable": "Det går inte att skapa automatisering med en inaktiverad enhet",
|
||||
"no_automations": "Inga automatiseringar",
|
||||
"no_device_automations": "Det finns inga automatiseringar tillgängliga för den här enheten.",
|
||||
"triggers": {
|
||||
@@ -1578,6 +1714,15 @@
|
||||
"description": "Hantera anslutna enheter",
|
||||
"device_info": "Enhetsinformation",
|
||||
"device_not_found": "Enheten hittades inte.",
|
||||
"disabled": "Inaktiverad",
|
||||
"disabled_by": {
|
||||
"config_entry": "Konfigurationspost",
|
||||
"integration": "Integration",
|
||||
"user": "Användare"
|
||||
},
|
||||
"enabled_cause": "Enheten inaktiverad av {cause} .",
|
||||
"enabled_description": "Inaktiverade enheter kommer inte att visas och entiteter som tillhör enheten kommer att inaktiveras och inte läggas till i Home Assistant.",
|
||||
"enabled_label": "Aktivera enhet",
|
||||
"entities": {
|
||||
"add_entities_lovelace": "Lägg till i Lovelace",
|
||||
"disabled_entities": "+{count} {count, plural,\n one {avaktiverad entitet}\n other {avaktiverade entiteter}\n}",
|
||||
@@ -1587,14 +1732,25 @@
|
||||
},
|
||||
"name": "Namn",
|
||||
"no_devices": "Inga enheter",
|
||||
"picker": {
|
||||
"filter": {
|
||||
"filter": "Filtrera",
|
||||
"hidden_devices": "{number} {number, plural,\n one {dold enhet}\n other {dolda enheter}\n}",
|
||||
"show_all": "Visa alla",
|
||||
"show_disabled": "Visa inaktiverade enheter"
|
||||
},
|
||||
"search": "Sök efter enheter"
|
||||
},
|
||||
"scene": {
|
||||
"create": "Skapa scenario med enhet",
|
||||
"create_disable": "Det går inte att skapa scen med en inaktiverad enhet",
|
||||
"no_scenes": "Inga scenarier",
|
||||
"scenes": "Scenarier"
|
||||
},
|
||||
"scenes": "Scenarier",
|
||||
"script": {
|
||||
"create": "Skapa skript med enhet",
|
||||
"create_disable": "Det går inte att skapa skript med en inaktiverad enhet",
|
||||
"no_scripts": "Inga skript",
|
||||
"scripts": "Skript"
|
||||
},
|
||||
@@ -1610,12 +1766,12 @@
|
||||
"disable_selected": {
|
||||
"button": "Inaktivera valda",
|
||||
"confirm_text": "Inaktiverade entiteter kommer inte att läggas till i Home Assistant.",
|
||||
"confirm_title": "Vill du inaktivera {number} entiteter?"
|
||||
"confirm_title": "Vill du inaktivera {number} {number, plural,\n one {entitet}\n other {entiteter}\n}?"
|
||||
},
|
||||
"enable_selected": {
|
||||
"button": "Aktivera valda",
|
||||
"confirm_text": "Detta kommer att göra dem tillgängliga i Home Assistant igen om de nu är inaktiverade.",
|
||||
"confirm_title": "Vill du aktivera {number} entiteter?"
|
||||
"confirm_title": "Vill du aktivera {number} {number, plural,\n one {entitet}\n other {entiteter}\n}?"
|
||||
},
|
||||
"filter": {
|
||||
"filter": "Filter",
|
||||
@@ -1627,6 +1783,7 @@
|
||||
},
|
||||
"header": "Entiteter",
|
||||
"headers": {
|
||||
"area": "Område",
|
||||
"entity_id": "Entitets-ID",
|
||||
"integration": "Integration",
|
||||
"name": "Namn",
|
||||
@@ -1639,7 +1796,7 @@
|
||||
"confirm_partly_text": "Du kan bara ta bort {removable} av de valda {selected} enheterna. Enheter kan endast tas bort när integrationen inte längre tillhandahåller enheterna. Ibland måste du starta om Home Assistant innan du kan ta bort enheterna för en borttagen integration. Är du säker på att du vill ta bort de flyttbara enheterna?",
|
||||
"confirm_partly_title": "Endast {number} valda entiteter kan tas bort.",
|
||||
"confirm_text": "Du bör ta bort dem från din Lovelace-konfiguration och automatisering om de innehåller dessa entiteter.",
|
||||
"confirm_title": "Vill du ta bort {number} entiteter?"
|
||||
"confirm_title": "Vill du ta bort {number} {number, plural,\n one {entitet}\n other {entiteter}\n}?"
|
||||
},
|
||||
"search": "Sök entiteter",
|
||||
"selected": "{number} valda",
|
||||
@@ -1688,8 +1845,10 @@
|
||||
"info": {
|
||||
"built_using": "Byggt med",
|
||||
"caption": "Info",
|
||||
"copy_github": "För GitHub",
|
||||
"copy_raw": "Rå text",
|
||||
"custom_uis": "Anpassade användargränssnitt:",
|
||||
"description": "Visa information om din Home Assistant-installation",
|
||||
"description": "Version, systemhälsa och länkar till dokumentation",
|
||||
"developed_by": "Utvecklad av ett gäng grymma människor.",
|
||||
"documentation": "Dokumentation",
|
||||
"frontend": "frontend-UI",
|
||||
@@ -1703,6 +1862,42 @@
|
||||
"server": "server",
|
||||
"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": {
|
||||
@@ -1759,7 +1954,7 @@
|
||||
},
|
||||
"configure": "Konfigurera",
|
||||
"configured": "Konfigurerad",
|
||||
"description": "Hantera integrationer",
|
||||
"description": "Hantera integrationer med tjänster, enheter, ...",
|
||||
"details": "Integrationsdetaljer",
|
||||
"discovered": "Upptäckt",
|
||||
"home_assistant_website": "Home Assistants hemsida",
|
||||
@@ -1844,7 +2039,7 @@
|
||||
"open": "Öppna"
|
||||
}
|
||||
},
|
||||
"description": "Konfigurera dina Lovelace kontrollpaneler",
|
||||
"description": "Skapa anpassade kortuppsättningar för att styra ditt hem",
|
||||
"resources": {
|
||||
"cant_edit_yaml": "Du använder Lovelace i YAML-läge, därför kan du inte sköta dina resurser genom användargränssnittet. Du får göra det i configuration.yaml istället.",
|
||||
"caption": "Resurser",
|
||||
@@ -2043,7 +2238,7 @@
|
||||
"scene": {
|
||||
"activated": "Aktiverat scenario {name} .",
|
||||
"caption": "Scenarier",
|
||||
"description": "Hantera scenarier",
|
||||
"description": "Fånga enhetstillstånd och återkalla dem lätt senare",
|
||||
"editor": {
|
||||
"default_name": "Nytt scenario",
|
||||
"devices": {
|
||||
@@ -2087,7 +2282,7 @@
|
||||
},
|
||||
"script": {
|
||||
"caption": "Skript",
|
||||
"description": "Hantera skript",
|
||||
"description": "Utför en sekvens av åtgärder",
|
||||
"editor": {
|
||||
"alias": "Namn",
|
||||
"default_name": "Nytt skript",
|
||||
@@ -2120,6 +2315,8 @@
|
||||
},
|
||||
"picker": {
|
||||
"add_script": "Lägg till nytt skript",
|
||||
"duplicate": "Duplicera",
|
||||
"duplicate_script": "Duplicera skript",
|
||||
"edit_script": "Redigera skript",
|
||||
"header": "Skript-redigerare",
|
||||
"headers": {
|
||||
@@ -2193,8 +2390,10 @@
|
||||
"add_tag": "Lägg till tagg",
|
||||
"automation_title": "Taggen {name} är skannad",
|
||||
"caption": "Taggar",
|
||||
"confirm_remove": "Är du säker på att du vill ta bort taggen {tag}?",
|
||||
"confirm_remove_title": "Ta bort taggen?",
|
||||
"create_automation": "Skapa automatisering med tagg",
|
||||
"description": "Hantera taggar",
|
||||
"description": "Utlös automatiseringar när en NFC-tagg, QR-kod etc. skannas",
|
||||
"detail": {
|
||||
"companion_apps": "kompletterande appar",
|
||||
"create": "Skapa",
|
||||
@@ -2233,6 +2432,7 @@
|
||||
"editor": {
|
||||
"activate_user": "Aktivera användare",
|
||||
"active": "Aktiva",
|
||||
"active_tooltip": "Styr om en användare kan logga in",
|
||||
"admin": "Administratör",
|
||||
"caption": "Visa användare",
|
||||
"change_password": "Ändra lösenord",
|
||||
@@ -2249,18 +2449,24 @@
|
||||
"system_generated_users_not_editable": "Det gick inte att uppdatera systemgenererade användare.",
|
||||
"system_generated_users_not_removable": "Det går inte att ta bort användare som skapats av systemet.",
|
||||
"unnamed_user": "Namnlös användare",
|
||||
"update_user": "Uppdatera"
|
||||
"update_user": "Uppdatera",
|
||||
"username": "Användarnamn"
|
||||
},
|
||||
"picker": {
|
||||
"add_user": "Lägg till användare",
|
||||
"headers": {
|
||||
"group": "Grupp",
|
||||
"is_active": "Aktiv",
|
||||
"is_owner": "Ägare",
|
||||
"name": "Namn",
|
||||
"system": "System"
|
||||
"system": "System",
|
||||
"username": "Användarnamn"
|
||||
}
|
||||
},
|
||||
"users_privileges_note": "Användargruppen är under konstruktion. Användaren kommer inte att kunna administrera instansen via användargränssnittet. Vi granskar fortfarande alla API-slutpunkter för att försäkra att de korrekt begränsar åtkomst till endast administratörer."
|
||||
},
|
||||
"zha": {
|
||||
"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.",
|
||||
@@ -2306,6 +2512,16 @@
|
||||
"value": "Värde"
|
||||
},
|
||||
"description": "Zigbee Home Automation (ZHA) nätverkshantering",
|
||||
"device_pairing_card": {
|
||||
"CONFIGURED": "Konfigurationen är klar",
|
||||
"CONFIGURED_status_text": "Initierar",
|
||||
"INITIALIZED": "Initiering klar",
|
||||
"INITIALIZED_status_text": "Enheten är redo att användas",
|
||||
"INTERVIEW_COMPLETE": "Intervju klar",
|
||||
"INTERVIEW_COMPLETE_status_text": "Konfigurerar",
|
||||
"PAIRED": "Enheten hittades",
|
||||
"PAIRED_status_text": "Startar intervju"
|
||||
},
|
||||
"devices": {
|
||||
"header": "Zigbee Home Automation - Enhet"
|
||||
},
|
||||
@@ -2321,6 +2537,7 @@
|
||||
"unbind_button_label": "Avlasta gruppen"
|
||||
},
|
||||
"groups": {
|
||||
"add_group": "Lägg till grupp",
|
||||
"add_members": "Lägg till medlemmar",
|
||||
"adding_members": "Lägger till medlemmar",
|
||||
"caption": "Grupper",
|
||||
@@ -2363,7 +2580,11 @@
|
||||
"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"
|
||||
"title": "ZigBee Hemautomation",
|
||||
"visualization": {
|
||||
"caption": "Visualisering",
|
||||
"header": "Visualisering av nätverk"
|
||||
}
|
||||
},
|
||||
"zone": {
|
||||
"add_zone": "Lägg till Zon",
|
||||
@@ -2532,6 +2753,8 @@
|
||||
"filter_attributes": "Filterattribut",
|
||||
"filter_entities": "Filtrera entiteter",
|
||||
"filter_states": "Filtrera tillstånd",
|
||||
"last_changed": "Senast ändrad",
|
||||
"last_updated": "Senast uppdaterad",
|
||||
"more_info": "Mer information",
|
||||
"no_entities": "Inga enheter",
|
||||
"set_state": "Ange tillstånd",
|
||||
@@ -2759,6 +2982,10 @@
|
||||
"description": "Glance-kortet är användbart för att gruppera flera sensorer i en kompakt översikt.",
|
||||
"name": "Blick"
|
||||
},
|
||||
"grid": {
|
||||
"description": "Med Grid-kortet kan du visa flera kort i ett rutnät.",
|
||||
"name": "Rutnät"
|
||||
},
|
||||
"history-graph": {
|
||||
"description": "Historikdiagramkortet låter dig att visa en graf för varje listad enhet.",
|
||||
"name": "Historikdiagram"
|
||||
@@ -2779,6 +3006,10 @@
|
||||
"description": "Med ljuskortet kan du ändra ljusets ljusstyrka.",
|
||||
"name": "Lampa"
|
||||
},
|
||||
"logbook": {
|
||||
"description": "Loggbokskortet visar en lista över händelser för entiteter.",
|
||||
"name": "Loggbok"
|
||||
},
|
||||
"map": {
|
||||
"dark_mode": "Mörkt läge?",
|
||||
"default_zoom": "Standardzoom",
|
||||
@@ -2807,7 +3038,8 @@
|
||||
},
|
||||
"picture-glance": {
|
||||
"description": "Picture Glance-kortet visar en bild och motsvarande enhetstillstånd som en ikon. Enheterna på höger sida tillåter att växla åtgärder, andra visar dialogrutan för mer information.",
|
||||
"name": "Bildblick"
|
||||
"name": "Bildblick",
|
||||
"state_entity": "Statusentitet"
|
||||
},
|
||||
"picture": {
|
||||
"description": "Bildkortet låter dig ställa in en bild som ska användas för att navigera till olika banor i ditt gränssnitt eller för att ringa en tjänst.",
|
||||
@@ -2851,11 +3083,18 @@
|
||||
"entity": "Entitet",
|
||||
"no_description": "Ingen beskrivning finns tillgänglig."
|
||||
},
|
||||
"common": {
|
||||
"add": "Lägg till",
|
||||
"clear": "Rensa",
|
||||
"edit": "Redigera",
|
||||
"none": "Ingen"
|
||||
},
|
||||
"edit_badges": {
|
||||
"panel_mode": "Dessa märken visas inte eftersom den här vyn är i \"Panelläge\"."
|
||||
},
|
||||
"edit_card": {
|
||||
"add": "Lägg till kort",
|
||||
"clear": "Rensa",
|
||||
"confirm_cancel": "Är du säker på att du vill avbryta?",
|
||||
"delete": "Ta bort kort",
|
||||
"duplicate": "Duplicera kort",
|
||||
@@ -2896,6 +3135,22 @@
|
||||
}
|
||||
},
|
||||
"header": "Ändra användargränssnittet",
|
||||
"header-footer": {
|
||||
"choose_header_footer": "Välj en {type}",
|
||||
"footer": "Sidfot",
|
||||
"header": "Sidhuvud",
|
||||
"types": {
|
||||
"buttons": {
|
||||
"name": "Knappar"
|
||||
},
|
||||
"graph": {
|
||||
"name": "Graf"
|
||||
},
|
||||
"picture": {
|
||||
"name": "Bild"
|
||||
}
|
||||
}
|
||||
},
|
||||
"menu": {
|
||||
"open": "Öppna Lovelace-menyn",
|
||||
"raw_editor": "Rå konfigurationsredigerare"
|
||||
@@ -2940,6 +3195,13 @@
|
||||
"dashboard_label": "Instrumentpanel",
|
||||
"header": "Välj en vy"
|
||||
},
|
||||
"sub-element-editor": {
|
||||
"types": {
|
||||
"footer": "Redigerare för sidfot",
|
||||
"header": "Redigerare för sidhuvud",
|
||||
"row": "Redigerare för rader"
|
||||
}
|
||||
},
|
||||
"suggest_card": {
|
||||
"add": "Lägg till i Lovelace-gränsnitt",
|
||||
"create_own": "Välj annat kort",
|
||||
@@ -3189,10 +3451,13 @@
|
||||
"change_password": {
|
||||
"confirm_new_password": "Bekräfta nytt lösenord",
|
||||
"current_password": "Nuvarande lösenord",
|
||||
"error_new_is_old": "Det nya lösenordet måste skilja sig från det aktuella lösenordet",
|
||||
"error_new_mismatch": "Inmatade nya lösenord matchar inte varandra",
|
||||
"error_required": "Krävs",
|
||||
"header": "Ändra lösenord",
|
||||
"new_password": "Nytt lösenord",
|
||||
"submit": "Skicka"
|
||||
"submit": "Skicka",
|
||||
"success": "Lösenordet har ändrats"
|
||||
},
|
||||
"current_user": "Du är inloggad som {fullName}.",
|
||||
"customize_sidebar": {
|
||||
@@ -3298,6 +3563,9 @@
|
||||
"header": "Vibrera"
|
||||
}
|
||||
},
|
||||
"shopping_list": {
|
||||
"start_conversation": "Starta konversation"
|
||||
},
|
||||
"shopping-list": {
|
||||
"add_item": "Lägg till objekt",
|
||||
"clear_completed": "Rensning slutförd",
|
||||
|
@@ -2,11 +2,13 @@
|
||||
"config_entry": {
|
||||
"disabled_by": {
|
||||
"config_entry": "Config Girişi",
|
||||
"device": "Cihaz",
|
||||
"integration": "Entegrasyon",
|
||||
"user": "Kullanıcı"
|
||||
}
|
||||
},
|
||||
"groups": {
|
||||
"owner": "Sahibi",
|
||||
"system-admin": "Yöneticiler",
|
||||
"system-read-only": "Salt Okunur Kullanıcılar",
|
||||
"system-users": "Kullanıcılar"
|
||||
@@ -545,6 +547,8 @@
|
||||
"add_new": "Yeni alan ekle…",
|
||||
"area": "Alan",
|
||||
"clear": "Temizle",
|
||||
"no_areas": "Hiç alanınız yok",
|
||||
"no_match": "Eşleşen alan bulunamadı",
|
||||
"show_areas": "Alanları göster"
|
||||
},
|
||||
"blueprint-picker": {
|
||||
@@ -565,6 +569,8 @@
|
||||
"clear": "Temiz",
|
||||
"device": "Cihaz",
|
||||
"no_area": "Alan Yok",
|
||||
"no_devices": "Hiç cihazınız yok",
|
||||
"no_match": "Eşleşen cihaz bulunamadı",
|
||||
"show_devices": "Cihazları göster",
|
||||
"toggle": "Geçiş"
|
||||
},
|
||||
@@ -576,6 +582,7 @@
|
||||
"entity-picker": {
|
||||
"clear": "Temizle",
|
||||
"entity": "Varlık",
|
||||
"no_match": "Eşleşen varlık bulunamadı",
|
||||
"show_entities": "Varlıkları göster"
|
||||
}
|
||||
},
|
||||
@@ -709,6 +716,16 @@
|
||||
"service-picker": {
|
||||
"service": "Servis"
|
||||
},
|
||||
"target-picker": {
|
||||
"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.",
|
||||
"remove_area_id": "Alanı kaldır",
|
||||
"remove_device_id": "Cihazı kaldır",
|
||||
"remove_entity_id": "Varlığı kaldır"
|
||||
},
|
||||
"user-picker": {
|
||||
"add_user": "Kullanıcı Ekle",
|
||||
"no_user": "Kullanıcı yok",
|
||||
@@ -732,6 +749,7 @@
|
||||
"editor": {
|
||||
"confirm_delete": "Bu girişi silmek istediğinizden emin misiniz?",
|
||||
"delete": "Sil",
|
||||
"device_disabled": "Bu varlığın ait olduğu cihaz devre dışı.",
|
||||
"enabled_cause": "{cause} tarafından devre dışı bırakılmış.",
|
||||
"enabled_delay_confirm": "Etkinleştirilen varlıklar, {delay} saniye içinde Home Assistant'a eklenecek",
|
||||
"enabled_description": "Devre dışı bırakılan varlıklar Home Assistant'a eklenmeyecek.",
|
||||
@@ -742,6 +760,7 @@
|
||||
"icon_error": "Simgeler 'önek: simge adı' biçiminde olmalıdır, örneğin 'mdi: home'",
|
||||
"name": "Ad",
|
||||
"note": "Not: Bu, tüm entegrasyonlarda henüz çalışmayabilir.",
|
||||
"open_device_settings": "Cihaz ayarlarını aç",
|
||||
"unavailable": "Bu varlık şu anda kullanılamıyor.",
|
||||
"update": "Güncelle"
|
||||
},
|
||||
@@ -1399,11 +1418,13 @@
|
||||
"blueprint": {
|
||||
"add": {
|
||||
"error_no_url": "Lütfen taslağın URL'sini girin.",
|
||||
"header": "Yeni taslak ekle",
|
||||
"file_name": "Taslak Yolu",
|
||||
"header": "Taslağı içeri aktar",
|
||||
"import_btn": "Taslağı içe aktar",
|
||||
"import_header": "{name} ( {domain} ) 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.",
|
||||
"importing": "Taslak içe aktarılıyor...",
|
||||
"raw_blueprint": "Taslak içeriği",
|
||||
"save_btn": "Taslağı kaydet",
|
||||
"saving": "Taslak kaydediliyor...",
|
||||
"unsupported_blueprint": "Bu taslak desteklenmiyor",
|
||||
@@ -1414,13 +1435,17 @@
|
||||
"overview": {
|
||||
"add_blueprint": "Taslak ekle",
|
||||
"confirm_delete_header": "Bu taslak silinsin mi?",
|
||||
"confirm_delete_text": "Bu taslağı silmek istediğinizden emin misiniz",
|
||||
"confirm_delete_text": "Bu taslağı silmek istediğinizden emin misiniz?",
|
||||
"delete_blueprint": "Taslağı sil",
|
||||
"header": "Taslak Düzenleyici",
|
||||
"headers": {
|
||||
"domain": "Alan adı",
|
||||
"file_name": "Dosya adı",
|
||||
"name": "Ad"
|
||||
},
|
||||
"introduction": "Taslak düzenleyici, taslakları oluşturmanıza ve düzenlemenize olanak tanır.",
|
||||
"learn_more": "Taslaklar hakkında daha fazla bilgi edinin"
|
||||
"learn_more": "Taslaklar hakkında daha fazla bilgi edinin",
|
||||
"use_blueprint": "Otomasyon oluşturun"
|
||||
}
|
||||
},
|
||||
"cloud": {
|
||||
@@ -1660,6 +1685,7 @@
|
||||
"unknown_condition": "Bilinmeyen durum"
|
||||
},
|
||||
"create": "Cihazla otomasyon oluşturun",
|
||||
"create_disable": "Devre dışı bırakılan cihazla otomasyon oluşturulamaz",
|
||||
"no_automations": "Otomasyon yok",
|
||||
"no_device_automations": "Bu cihaz için kullanılabilir otomasyon yok.",
|
||||
"triggers": {
|
||||
@@ -1688,6 +1714,15 @@
|
||||
"description": "Bağlı cihazları yönet",
|
||||
"device_info": "Cihaz bilgisi",
|
||||
"device_not_found": "Cihaz bulunamadı.",
|
||||
"disabled": "Devre dışı",
|
||||
"disabled_by": {
|
||||
"config_entry": "Yapılandırma Girişi",
|
||||
"integration": "Entegrasyon",
|
||||
"user": "Kullanıcı"
|
||||
},
|
||||
"enabled_cause": "Cihaz {cause} tarafından devre dışı bırakıldı.",
|
||||
"enabled_description": "Devre dışı bırakılan cihazlar gösterilmeyecek ve cihaza ait varlıklar devre dışı bırakılacak ve Home Assistant'a eklenmeyecek.",
|
||||
"enabled_label": "Cihazı etkinleştir",
|
||||
"entities": {
|
||||
"add_entities_lovelace": "Tüm cihaz varlıklarını Lovelace kullanıcı arayüzüne ekle",
|
||||
"disabled_entities": "+{count} {count, plural,\n one {engelli varlık}\n other {engelli varlıklar}\n}",
|
||||
@@ -1697,14 +1732,25 @@
|
||||
},
|
||||
"name": "Ad",
|
||||
"no_devices": "Cihaz yok",
|
||||
"picker": {
|
||||
"filter": {
|
||||
"filter": "Filtre",
|
||||
"hidden_devices": "{number} gizli {number, plural,\n one {device}\n other {devices}\n}",
|
||||
"show_all": "Tümünü göster",
|
||||
"show_disabled": "Devre dışı bırakılan aygıtları göster"
|
||||
},
|
||||
"search": "Cihazları ara"
|
||||
},
|
||||
"scene": {
|
||||
"create": "Aygıtla sahne oluşturma",
|
||||
"create_disable": "Devre dışı bırakılmış aygıtla sahne oluşturulamaz",
|
||||
"no_scenes": "Sahne yok",
|
||||
"scenes": "Sahneler"
|
||||
},
|
||||
"scenes": "Sahneler",
|
||||
"script": {
|
||||
"create": "Aygıtla sahne oluşturma",
|
||||
"create_disable": "Devre dışı bırakılmış cihazla komut dosyası oluşturulamaz",
|
||||
"no_scripts": "Komut dosyası yok",
|
||||
"scripts": "Komut dosyaları"
|
||||
},
|
||||
@@ -1737,6 +1783,7 @@
|
||||
},
|
||||
"header": "Varlıklar",
|
||||
"headers": {
|
||||
"area": "Alan",
|
||||
"entity_id": "Varlık kimliği",
|
||||
"integration": "Entegrasyon",
|
||||
"name": "Ad",
|
||||
@@ -2385,6 +2432,7 @@
|
||||
"editor": {
|
||||
"activate_user": "Kullanıcıyı etkinleştir",
|
||||
"active": "Aktif",
|
||||
"active_tooltip": "Kullanıcının oturum açıp açamayacağını kontrol eder",
|
||||
"admin": "Yönetici",
|
||||
"caption": "Kullanıcıyı görüntüle",
|
||||
"change_password": "Parolayı değiştir",
|
||||
@@ -2401,19 +2449,24 @@
|
||||
"system_generated_users_not_editable": "Sistem tarafından oluşturulan kullanıcılar güncellenemiyor.",
|
||||
"system_generated_users_not_removable": "Sistem tarafından oluşturulan kullanıcılar kaldırılamıyor.",
|
||||
"unnamed_user": "Adsız Kullanıcı",
|
||||
"update_user": "Güncelle"
|
||||
"update_user": "Güncelle",
|
||||
"username": "Kullanıcı Adı"
|
||||
},
|
||||
"picker": {
|
||||
"add_user": "Kullanıcı Ekle",
|
||||
"headers": {
|
||||
"group": "Grup",
|
||||
"is_active": "Etkin",
|
||||
"is_owner": "Sahibi",
|
||||
"name": "Ad",
|
||||
"system": "Sistem"
|
||||
"system": "Sistem",
|
||||
"username": "Kullanıcı Adı"
|
||||
}
|
||||
},
|
||||
"users_privileges_note": "Kullanıcı grubu özelliği devam eden bir çalışmadır. Kullanıcı örneği Kullanıcı Arabirimi üzerinden yönetemez. Yöneticilere erişimi doğru şekilde sınırlandırdığından emin olmak için tüm yönetim API uç noktalarını denetlemeye devam ediyoruz."
|
||||
},
|
||||
"zha": {
|
||||
"add_device": "Cihaz Ekle",
|
||||
"add_device_page": {
|
||||
"discovered_text": "Cihazlar keşfedildikten sonra burada görünecektir.",
|
||||
"discovery_text": "Keşfedilen cihazlar burada görünecektir. Cihaz (lar) ınız için talimatları izleyin ve cihazları eşleştirme moduna getirin.",
|
||||
@@ -2459,6 +2512,16 @@
|
||||
"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",
|
||||
"INITIALIZED": "Başlatma Tamamlandı",
|
||||
"INITIALIZED_status_text": "Cihaz kullanıma hazır",
|
||||
"INTERVIEW_COMPLETE": "Görüşme Tamamlandı",
|
||||
"INTERVIEW_COMPLETE_status_text": "Yapılandırılıyor",
|
||||
"PAIRED": "Cihaz Bulundu",
|
||||
"PAIRED_status_text": "Görüşme Başlatılıyor"
|
||||
},
|
||||
"devices": {
|
||||
"header": "Zigbee Ev Otomasyonu - Cihaz"
|
||||
},
|
||||
@@ -2474,6 +2537,7 @@
|
||||
"unbind_button_label": "Grubu Çöz"
|
||||
},
|
||||
"groups": {
|
||||
"add_group": "Grup Ekle",
|
||||
"add_members": "Üye ekle",
|
||||
"adding_members": "Üye Ekleme",
|
||||
"caption": "Gruplar",
|
||||
@@ -2516,7 +2580,11 @@
|
||||
"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"
|
||||
"title": "Zigbee Ev Otomasyonu",
|
||||
"visualization": {
|
||||
"caption": "Görselleştirme",
|
||||
"header": "Ağ Görselleştirme"
|
||||
}
|
||||
},
|
||||
"zone": {
|
||||
"add_zone": "Bölge Ekle",
|
||||
@@ -3383,10 +3451,13 @@
|
||||
"change_password": {
|
||||
"confirm_new_password": "Yeni Parolayı Onaylayın",
|
||||
"current_password": "Güncel Parola",
|
||||
"error_new_is_old": "Yeni parola geçerli paroladan farklı olmalıdır",
|
||||
"error_new_mismatch": "Girilen yeni parola değerleri eşleşmiyor",
|
||||
"error_required": "Gerekli",
|
||||
"header": "Parolayı Değiştir",
|
||||
"new_password": "Yeni Parola",
|
||||
"submit": "Gönder"
|
||||
"submit": "Gönder",
|
||||
"success": "Parola başarıyla değiştirildi"
|
||||
},
|
||||
"current_user": "{fullName} olarak giriş yaptınız.",
|
||||
"customize_sidebar": {
|
||||
|
@@ -2,6 +2,7 @@
|
||||
"config_entry": {
|
||||
"disabled_by": {
|
||||
"config_entry": "配置条目",
|
||||
"device": "设备",
|
||||
"integration": "集成",
|
||||
"user": "用户"
|
||||
}
|
||||
@@ -280,7 +281,7 @@
|
||||
"on": "开"
|
||||
},
|
||||
"scene": {
|
||||
"scening": "场景启用中"
|
||||
"scening": "当前场景"
|
||||
},
|
||||
"script": {
|
||||
"off": "关闭",
|
||||
@@ -546,6 +547,8 @@
|
||||
"add_new": "添加新区域…",
|
||||
"area": "区域",
|
||||
"clear": "清除",
|
||||
"no_areas": "您还没有创建区域",
|
||||
"no_match": "未找到相关区域",
|
||||
"show_areas": "显示区域"
|
||||
},
|
||||
"blueprint-picker": {
|
||||
@@ -566,6 +569,8 @@
|
||||
"clear": "清除",
|
||||
"device": "设备",
|
||||
"no_area": "没有区域",
|
||||
"no_devices": "您还没有设备",
|
||||
"no_match": "未找到相关设备",
|
||||
"show_devices": "显示设备",
|
||||
"toggle": "切换"
|
||||
},
|
||||
@@ -577,6 +582,7 @@
|
||||
"entity-picker": {
|
||||
"clear": "清除",
|
||||
"entity": "实体",
|
||||
"no_match": "未找到相关实体",
|
||||
"show_entities": "显示实体"
|
||||
}
|
||||
},
|
||||
@@ -710,6 +716,16 @@
|
||||
"service-picker": {
|
||||
"service": "服务"
|
||||
},
|
||||
"target-picker": {
|
||||
"add_area_id": "选择区域",
|
||||
"add_device_id": "选择设备",
|
||||
"add_entity_id": "选择实体",
|
||||
"expand_area_id": "在它包含的单独设备和实体中展开此区域。展开后,当区域发生更改时,它不会更新设备和实体。",
|
||||
"expand_device_id": "在单独的实体中展开此设备。展开后,设备发生变化时不会更新实体。",
|
||||
"remove_area_id": "删除区域",
|
||||
"remove_device_id": "删除设备",
|
||||
"remove_entity_id": "删除实体"
|
||||
},
|
||||
"user-picker": {
|
||||
"add_user": "添加用户",
|
||||
"no_user": "没有用户",
|
||||
@@ -733,6 +749,7 @@
|
||||
"editor": {
|
||||
"confirm_delete": "您确定要删除此条目吗?",
|
||||
"delete": "删除",
|
||||
"device_disabled": "该实体的设备已禁用。",
|
||||
"enabled_cause": "由于 {cause} 而被禁用",
|
||||
"enabled_delay_confirm": "已启用的实体将在 {delay} 秒后添加到 Home Assistant",
|
||||
"enabled_description": "已禁用的实体不再添加到 Home Assistant。",
|
||||
@@ -743,6 +760,7 @@
|
||||
"icon_error": "图标的格式应为 prefix:iconname,例如:mdi:home",
|
||||
"name": "名称",
|
||||
"note": "注意:这可能不适用于所有集成。",
|
||||
"open_device_settings": "打开设备设置",
|
||||
"unavailable": "该实体暂不可用。",
|
||||
"update": "更新"
|
||||
},
|
||||
@@ -781,7 +799,7 @@
|
||||
"min": "最小值",
|
||||
"mode": "显示模式",
|
||||
"slider": "滑杆",
|
||||
"step": "滑杆步长",
|
||||
"step": "步长",
|
||||
"unit_of_measurement": "单位"
|
||||
},
|
||||
"input_select": {
|
||||
@@ -1052,7 +1070,7 @@
|
||||
},
|
||||
"automation": {
|
||||
"caption": "自动化",
|
||||
"description": "管理自动化",
|
||||
"description": "为智能家居制订自动化规则",
|
||||
"dialog_new": {
|
||||
"blueprint": {
|
||||
"use_blueprint": "使用 Blueprint"
|
||||
@@ -1240,7 +1258,7 @@
|
||||
"edit_ui": "以图形界面编辑",
|
||||
"edit_yaml": "以 YAML 编辑",
|
||||
"enable_disable": "启用/禁用自动化",
|
||||
"introduction": "使用自动化让你的家聪明起来",
|
||||
"introduction": "家居智能化,始于自动化。",
|
||||
"load_error_not_editable": "只能编辑 automations.yaml 中的自动化。",
|
||||
"load_error_unknown": "加载自动化错误 ({err_no})。",
|
||||
"max": {
|
||||
@@ -1400,10 +1418,10 @@
|
||||
"blueprint": {
|
||||
"add": {
|
||||
"error_no_url": "请输入 Blueprint 的网址。",
|
||||
"file_name": "本地 Blueprint 文件名",
|
||||
"file_name": "Blueprint 路径",
|
||||
"header": "添加新的 Blueprint",
|
||||
"import_btn": "导入 Blueprint",
|
||||
"import_header": "导入 \"{name}\" (类型为 {domain})",
|
||||
"import_header": "Blueprint \"{name}\"",
|
||||
"import_introduction": "您可以从 Github 和社区论坛导入其他用户的 Blueprint。请在下方输入 Blueprint 的网址。",
|
||||
"importing": "正在导入 Blueprint...",
|
||||
"raw_blueprint": "Blueprint 内容",
|
||||
@@ -1425,8 +1443,8 @@
|
||||
"file_name": "文件名",
|
||||
"name": "名称"
|
||||
},
|
||||
"introduction": "Blueprint 编辑器方便您创建和编辑 Blueprint。",
|
||||
"learn_more": "详细了解 Blueprint",
|
||||
"introduction": "Blueprint 编辑器方便您导入和管理 Blueprint。",
|
||||
"learn_more": "详细了解如何使用 Blueprint",
|
||||
"use_blueprint": "创建自动化"
|
||||
}
|
||||
},
|
||||
@@ -1510,7 +1528,7 @@
|
||||
"title": "Alexa"
|
||||
},
|
||||
"caption": "Home Assistant Cloud",
|
||||
"description_features": "整合 Alexa 及 Google 助理,远程控制智能家居。",
|
||||
"description_features": "远程控制智能家居,还可接入 Alexa 和 Google Assistant",
|
||||
"description_login": "登录为 {email}",
|
||||
"description_not_login": "未登录",
|
||||
"dialog_certificate": {
|
||||
@@ -1605,7 +1623,7 @@
|
||||
},
|
||||
"core": {
|
||||
"caption": "通用",
|
||||
"description": "更改 Home Assistant 的通用配置",
|
||||
"description": "单位制、位置、时区及其他通用参数",
|
||||
"section": {
|
||||
"core": {
|
||||
"core_config": {
|
||||
@@ -1667,6 +1685,7 @@
|
||||
"unknown_condition": "未知环境条件"
|
||||
},
|
||||
"create": "通过设备创建自动化",
|
||||
"create_disable": "不能通过禁用的设备创建自动化",
|
||||
"no_automations": "没有自动化",
|
||||
"no_device_automations": "该设备没有可用的自动化。",
|
||||
"triggers": {
|
||||
@@ -1695,6 +1714,15 @@
|
||||
"description": "管理已连接的设备",
|
||||
"device_info": "设备信息",
|
||||
"device_not_found": "未找到设备。",
|
||||
"disabled": "已禁用",
|
||||
"disabled_by": {
|
||||
"config_entry": "配置条目",
|
||||
"integration": "集成",
|
||||
"user": "用户"
|
||||
},
|
||||
"enabled_cause": "设备已通过{cause}禁用。",
|
||||
"enabled_description": "禁用的设备将不会显示,并且属于该设备的实体也将被禁用并且不会添加到 Home Assistant。",
|
||||
"enabled_label": "启用设备",
|
||||
"entities": {
|
||||
"add_entities_lovelace": "添加到 Lovelace",
|
||||
"disabled_entities": "+{count} {count, plural,\n one {个已禁用实体}\n other {个已禁用实体}\n}",
|
||||
@@ -1704,14 +1732,25 @@
|
||||
},
|
||||
"name": "名称",
|
||||
"no_devices": "没有设备",
|
||||
"picker": {
|
||||
"filter": {
|
||||
"filter": "筛选",
|
||||
"hidden_devices": "{number} 个隐藏设备",
|
||||
"show_all": "显示全部",
|
||||
"show_disabled": "显示已禁用的设备"
|
||||
},
|
||||
"search": "搜索设备"
|
||||
},
|
||||
"scene": {
|
||||
"create": "通过设备创建场景",
|
||||
"create_disable": "不能通过禁用的设备创建场景",
|
||||
"no_scenes": "没有场景",
|
||||
"scenes": "场景"
|
||||
},
|
||||
"scenes": "场景",
|
||||
"script": {
|
||||
"create": "通过设备创建脚本",
|
||||
"create_disable": "不能通过禁用的设备创建脚本",
|
||||
"no_scripts": "没有脚本",
|
||||
"scripts": "脚本"
|
||||
},
|
||||
@@ -1777,7 +1816,7 @@
|
||||
"header": "配置 Home Assistant",
|
||||
"helpers": {
|
||||
"caption": "辅助元素",
|
||||
"description": "管理辅助构建自动化的元素",
|
||||
"description": "辅助构建自动化的元素",
|
||||
"dialog": {
|
||||
"add_helper": "添加辅助元素",
|
||||
"add_platform": "添加 {platform}",
|
||||
@@ -1809,7 +1848,7 @@
|
||||
"copy_github": "用于 GitHub",
|
||||
"copy_raw": "原始文本",
|
||||
"custom_uis": "自定义用户界面:",
|
||||
"description": "查看关于此 Home Assistant 安装的信息",
|
||||
"description": "Home Assistant 的版本号、系统状态和各类文档的链接",
|
||||
"developed_by": "由一帮很 Awesome~~~ 的人开发。",
|
||||
"documentation": "文档",
|
||||
"frontend": "前端用户界面",
|
||||
@@ -2000,7 +2039,7 @@
|
||||
"open": "打开"
|
||||
}
|
||||
},
|
||||
"description": "管理 Lovelace 仪表盘",
|
||||
"description": "自定义卡片布局,让控制设备更方便",
|
||||
"resources": {
|
||||
"cant_edit_yaml": "您正在 YAML 模式下使用 Lovelace,因此无法通过 UI 管理资源。请在 configuration.yaml 中管理它们。",
|
||||
"caption": "资源",
|
||||
@@ -2199,25 +2238,25 @@
|
||||
"scene": {
|
||||
"activated": "已激活场景 {name}。",
|
||||
"caption": "场景",
|
||||
"description": "管理场景",
|
||||
"description": "定格一组设备的状态,日后即可一键恢复",
|
||||
"editor": {
|
||||
"default_name": "新场景",
|
||||
"default_name": "新建场景",
|
||||
"devices": {
|
||||
"add": "添加设备",
|
||||
"delete": "删除设备",
|
||||
"header": "设备",
|
||||
"introduction": "添加要包含在场景中的设备。将所有设备设置为该场景所需的状态。"
|
||||
"introduction": "在此添加要包含在场景中的设备,然后将它们设置成该场景所需的状态。"
|
||||
},
|
||||
"entities": {
|
||||
"add": "添加实体",
|
||||
"delete": "删除实体",
|
||||
"device_entities": "如果添加属于设备的实体,则将添加该设备。",
|
||||
"device_entities": "如果添加的实体属于某设备,仍会添加为设备。",
|
||||
"header": "实体",
|
||||
"introduction": "可在此处设置不属于设备的实体。",
|
||||
"without_device": "无设备关联的实体"
|
||||
},
|
||||
"icon": "图标",
|
||||
"introduction": "使用场景使您的家充满生机。",
|
||||
"introduction": "场景激活,家居更鲜活。",
|
||||
"load_error_not_editable": "只能编辑 scenes.yaml 中的场景。",
|
||||
"load_error_unknown": "加载场景错误 ({err_no})。",
|
||||
"name": "名称",
|
||||
@@ -2243,7 +2282,7 @@
|
||||
},
|
||||
"script": {
|
||||
"caption": "脚本",
|
||||
"description": "管理脚本",
|
||||
"description": "执行一系列动作",
|
||||
"editor": {
|
||||
"alias": "名称",
|
||||
"default_name": "新建脚本",
|
||||
@@ -2254,7 +2293,7 @@
|
||||
"id": "实体 ID",
|
||||
"id_already_exists": "此 ID 已存在",
|
||||
"id_already_exists_save_error": "无法保存此脚本,因为 ID 不唯一。请选择其他 ID 或将其留空,以自动生成一个 ID。",
|
||||
"introduction": "使用脚本执行一系列操作。",
|
||||
"introduction": "操作有条不紊,一切交给脚本。",
|
||||
"link_available_actions": "详细了解可用操作。",
|
||||
"load_error_not_editable": "只能编辑 scripts.yaml 中的脚本。",
|
||||
"max": {
|
||||
@@ -2354,7 +2393,7 @@
|
||||
"confirm_remove": "您确定要删除标签 {tag} 吗?",
|
||||
"confirm_remove_title": "删除标签?",
|
||||
"create_automation": "通过标签创建自动化",
|
||||
"description": "管理标签",
|
||||
"description": "NFC 标签和二维码也可以触发自动化",
|
||||
"detail": {
|
||||
"companion_apps": "配套应用程序",
|
||||
"create": "创建",
|
||||
@@ -2393,6 +2432,7 @@
|
||||
"editor": {
|
||||
"activate_user": "激活用户",
|
||||
"active": "激活",
|
||||
"active_tooltip": "控制用户能否登录",
|
||||
"admin": "管理员",
|
||||
"caption": "用户信息",
|
||||
"change_password": "更改密码",
|
||||
@@ -3411,10 +3451,13 @@
|
||||
"change_password": {
|
||||
"confirm_new_password": "确认新密码",
|
||||
"current_password": "当前密码",
|
||||
"error_new_is_old": "新密码不能与当前密码相同",
|
||||
"error_new_mismatch": "输入的新密码不一致",
|
||||
"error_required": "必填",
|
||||
"header": "更改密码",
|
||||
"new_password": "新密码",
|
||||
"submit": "提交"
|
||||
"submit": "提交",
|
||||
"success": "密码修改成功"
|
||||
},
|
||||
"current_user": "您目前以 {fullName} 的身份登录。",
|
||||
"customize_sidebar": {
|
||||
|
@@ -2,6 +2,7 @@
|
||||
"config_entry": {
|
||||
"disabled_by": {
|
||||
"config_entry": "設定實體",
|
||||
"device": "裝置",
|
||||
"integration": "整合",
|
||||
"user": "使用者"
|
||||
}
|
||||
@@ -546,6 +547,8 @@
|
||||
"add_new": "新增分區...",
|
||||
"area": "分區",
|
||||
"clear": "未觸發",
|
||||
"no_areas": "目前沒有任何分區",
|
||||
"no_match": "找不到相符分區",
|
||||
"show_areas": "顯示分區"
|
||||
},
|
||||
"blueprint-picker": {
|
||||
@@ -566,6 +569,8 @@
|
||||
"clear": "清除",
|
||||
"device": "裝置",
|
||||
"no_area": "無分區",
|
||||
"no_devices": "目前沒有任何裝置",
|
||||
"no_match": "找不到相符裝置",
|
||||
"show_devices": "顯示裝置",
|
||||
"toggle": "觸發"
|
||||
},
|
||||
@@ -577,6 +582,7 @@
|
||||
"entity-picker": {
|
||||
"clear": "清除",
|
||||
"entity": "實體",
|
||||
"no_match": "找不到相符實體",
|
||||
"show_entities": "顯示實體"
|
||||
}
|
||||
},
|
||||
@@ -710,6 +716,16 @@
|
||||
"service-picker": {
|
||||
"service": "服務"
|
||||
},
|
||||
"target-picker": {
|
||||
"add_area_id": "選擇區域",
|
||||
"add_device_id": "選擇裝置",
|
||||
"add_entity_id": "選擇實體",
|
||||
"expand_area_id": "在它包含的單獨的裝置和實體中擴展此區域。擴展後,區域更改時將不會更新裝置和實體。",
|
||||
"expand_device_id": "在它包含的單獨的裝置和實體中擴展此區域。擴展後,區域更改時將不會更新裝置和實體。",
|
||||
"remove_area_id": "移除區域",
|
||||
"remove_device_id": "移除裝置",
|
||||
"remove_entity_id": "移除實體"
|
||||
},
|
||||
"user-picker": {
|
||||
"add_user": "新增使用者",
|
||||
"no_user": "沒有使用者",
|
||||
@@ -733,6 +749,7 @@
|
||||
"editor": {
|
||||
"confirm_delete": "確定要刪除此實體?",
|
||||
"delete": "刪除",
|
||||
"device_disabled": "該實體目前不可用。",
|
||||
"enabled_cause": "由 {cause} 關閉。",
|
||||
"enabled_delay_confirm": "啟用的實體將會於 {delay} 秒後新增至 Home Assistant",
|
||||
"enabled_description": "關閉的實體將不會新增至 Home Assistant。",
|
||||
@@ -743,6 +760,7 @@
|
||||
"icon_error": "圖示必須按照格式「prefix:iconname」設定,例如「mdi:home」",
|
||||
"name": "名稱",
|
||||
"note": "注意:可能無法適用所有整合。",
|
||||
"open_device_settings": "打開裝置設置",
|
||||
"unavailable": "該實體目前不可用。",
|
||||
"update": "更新"
|
||||
},
|
||||
@@ -829,7 +847,7 @@
|
||||
"restored": {
|
||||
"confirm_remove_text": "確定要移除此實體?",
|
||||
"confirm_remove_title": "移除實體?",
|
||||
"not_provided": "此實體目前不可用,屬於獨立可移除、變更或失常的整合或設備。",
|
||||
"not_provided": "此實體目前不可用,屬於獨立可移除、變更或失常的整合或裝置。",
|
||||
"remove_action": "移除實體",
|
||||
"remove_intro": "假如實體不再使用,可以藉由移除進行清除。"
|
||||
},
|
||||
@@ -961,7 +979,7 @@
|
||||
"zigbee_information": "Zigbee 裝置簽章"
|
||||
},
|
||||
"confirmations": {
|
||||
"remove": "確定要移除此設備?"
|
||||
"remove": "確定要移除此裝置?"
|
||||
},
|
||||
"device_signature": "Zigbee 裝置簽章",
|
||||
"last_seen": "上次出現",
|
||||
@@ -970,9 +988,9 @@
|
||||
"power_source": "電力來源",
|
||||
"quirk": "Quirk",
|
||||
"services": {
|
||||
"reconfigure": "重新設定 ZHA Zibgee 設備(健康設備)。假如遇到設備問題,請使用此選項。假如有問題的設備為使用電池的設備,請先確定設備已喚醒並處於接受命令狀態。",
|
||||
"reconfigure": "重新設定 ZHA Zibgee 裝置(健康裝置)。假如遇到裝置問題,請使用此選項。假如有問題的裝置為使用電池的裝置,請先確定裝置已喚醒並處於接受命令狀態。",
|
||||
"remove": "從 Zigbee 網路移除裝置。",
|
||||
"updateDeviceName": "於實體 ID 中自訂此設備名稱。",
|
||||
"updateDeviceName": "於實體 ID 中自訂此裝置名稱。",
|
||||
"zigbee_information": "檢視裝置的 Zigbee 資訊。"
|
||||
},
|
||||
"unknown": "未知",
|
||||
@@ -1027,10 +1045,10 @@
|
||||
"devices": "裝置"
|
||||
},
|
||||
"delete": {
|
||||
"confirmation_text": "所有該分區所屬設備都將變成未指派狀態。",
|
||||
"confirmation_text": "所有該分區所屬裝置都將變成未指派狀態。",
|
||||
"confirmation_title": "確定要刪除此分區?"
|
||||
},
|
||||
"description": "管理家中所有分區",
|
||||
"description": "群組分區裝置與實體",
|
||||
"editor": {
|
||||
"area_id": "分區 ID",
|
||||
"create": "建立",
|
||||
@@ -1045,14 +1063,14 @@
|
||||
"create_area": "新增分區",
|
||||
"header": "分區",
|
||||
"integrations_page": "整合頁面",
|
||||
"introduction": "分區主要用以管理設備所在位置。此資訊將會於 Home Assistant 中使用以協助您管理介面、權限,並與其他系統進行整合。",
|
||||
"introduction2": "欲於分區中放置設備,請使用下方連結至整合頁面,並點選設定整合以設定設備面板。",
|
||||
"introduction": "分區主要用以管理裝置所在位置。此資訊將會於 Home Assistant 中使用以協助您管理介面、權限,並與其他系統進行整合。",
|
||||
"introduction2": "欲於分區中放置裝置,請使用下方連結至整合頁面,並點選設定整合以設定裝置面板。",
|
||||
"no_areas": "看起來你還沒有建立分區!"
|
||||
}
|
||||
},
|
||||
"automation": {
|
||||
"caption": "自動化",
|
||||
"description": "管理自動化",
|
||||
"description": "為家庭新增自訂自動化",
|
||||
"dialog_new": {
|
||||
"blueprint": {
|
||||
"use_blueprint": "使用 Blueprint"
|
||||
@@ -1400,15 +1418,15 @@
|
||||
"blueprint": {
|
||||
"add": {
|
||||
"error_no_url": "請輸入 Blueprint 之 URL。",
|
||||
"file_name": "區域 Blueprint 檔案名稱",
|
||||
"header": "新增 Blueprint",
|
||||
"import_btn": "匯入 Blueprint",
|
||||
"import_header": "匯入 \"{name}\" (類型:{domain})",
|
||||
"file_name": "Blueprint 路徑",
|
||||
"header": "匯入 Blueprint",
|
||||
"import_btn": "預覽 Blueprint",
|
||||
"import_header": "Blueprint \"{name}\"",
|
||||
"import_introduction": "可以自 Github 及社群論壇匯入其他使用者的 Blueprint。於下方輸入 Blueprint 之URL。",
|
||||
"importing": "正在匯入 Blueprint...",
|
||||
"importing": "正在載入 Blueprint...",
|
||||
"raw_blueprint": "Blueprint 內容",
|
||||
"save_btn": "儲存 Blueprint",
|
||||
"saving": "正在儲存 Blueprint...",
|
||||
"save_btn": "匯入 Blueprint",
|
||||
"saving": "正在匯入 Blueprint...",
|
||||
"unsupported_blueprint": "不支援此 Blueprint",
|
||||
"url": "Blueprint 之 URL"
|
||||
},
|
||||
@@ -1425,8 +1443,8 @@
|
||||
"file_name": "檔案名稱",
|
||||
"name": "名稱"
|
||||
},
|
||||
"introduction": "Blueprint 編輯器可允許新增與編輯 Blueprint。",
|
||||
"learn_more": "詳細了解 Blueprint",
|
||||
"introduction": "Blueprint 編輯器可允許匯入與管理 Blueprint。",
|
||||
"learn_more": "詳細了解如何使用 Blueprint",
|
||||
"use_blueprint": "新增自動化"
|
||||
}
|
||||
},
|
||||
@@ -1438,8 +1456,8 @@
|
||||
"enable": "開啟",
|
||||
"enable_ha_skill": "開啟 Home Assistant skill for Alexa",
|
||||
"enable_state_reporting": "開啟狀態回報",
|
||||
"info": "藉由 Home Assistant Cloud 雲服務 Alexa 整合,將能透過 Alexa 支援設備以控制所有 Home Assistant 設備。",
|
||||
"info_state_reporting": "假如開啟狀態回報,Home Assistant 將會持續傳送所有連結實體的狀態改變至 Amazon。以確保於 Alexa app 中設備永遠保持最新狀態、並藉以創建例行自動化。",
|
||||
"info": "藉由 Home Assistant Cloud 雲服務 Alexa 整合,將能透過 Alexa 支援裝置以控制所有 Home Assistant 裝置。",
|
||||
"info_state_reporting": "假如開啟狀態回報,Home Assistant 將會持續傳送所有連結實體的狀態改變至 Amazon。以確保於 Alexa app 中裝置永遠保持最新狀態、並藉以創建例行自動化。",
|
||||
"manage_entities": "管理實體",
|
||||
"state_reporting_error": "無法 {enable_disable} 回報狀態。",
|
||||
"sync_entities": "同步實體",
|
||||
@@ -1455,10 +1473,10 @@
|
||||
"enable_ha_skill": "啟用 Home Assistant skill for Google Assistant",
|
||||
"enable_state_reporting": "開啟狀態回報",
|
||||
"enter_pin_error": "無法儲存 Pin:",
|
||||
"enter_pin_hint": "請輸入安全碼以使用加密設備",
|
||||
"enter_pin_info": "請輸入加密設備 Pin 碼、加密設備為如門、車庫與門鎖。當透過 Google Assistant 與此類設備進行互動時,將需要語音說出/輸入密碼。",
|
||||
"info": "藉由 Home Assistant Cloud 雲服務 Google Assistant 整合,將能透過 Google Assistant 支援設備以控制所有 Home Assistant 設備。",
|
||||
"info_state_reporting": "假如開啟狀態回報,Home Assistant 將會持續傳送所有連結實體的狀態改變至 Google。以確保於 Google app 中設備永遠保持最新狀態、並藉以創建例行自動化。",
|
||||
"enter_pin_hint": "請輸入安全碼以使用加密裝置",
|
||||
"enter_pin_info": "請輸入加密裝置 Pin 碼、加密裝置為如門、車庫與門鎖。當透過 Google Assistant 與此類裝置進行互動時,將需要語音說出/輸入密碼。",
|
||||
"info": "藉由 Home Assistant Cloud 雲服務 Google Assistant 整合,將能透過 Google Assistant 支援裝置以控制所有 Home Assistant 裝置。",
|
||||
"info_state_reporting": "假如開啟狀態回報,Home Assistant 將會持續傳送所有連結實體的狀態改變至 Google。以確保於 Google app 中裝置永遠保持最新狀態、並藉以創建例行自動化。",
|
||||
"manage_entities": "管理實體",
|
||||
"security_devices": "安全裝置",
|
||||
"sync_entities": "與 Google 同步實體",
|
||||
@@ -1476,8 +1494,8 @@
|
||||
"access_is_being_prepared": "遠端登入準備中,會於就緒時通知您。",
|
||||
"certificate_info": "認證資訊",
|
||||
"info": "Home Assistant Cloud 雲服務提供您離家時、遠端加密連線控制。",
|
||||
"instance_is_available": "您的設備可透過下方連結使用",
|
||||
"instance_will_be_available": "您的設備將可透過下方連結使用",
|
||||
"instance_is_available": "您的裝置可透過下方連結使用",
|
||||
"instance_will_be_available": "您的裝置將可透過下方連結使用",
|
||||
"link_learn_how_it_works": "了解如何運作",
|
||||
"title": "遠端控制"
|
||||
},
|
||||
@@ -1510,7 +1528,7 @@
|
||||
"title": "Alexa"
|
||||
},
|
||||
"caption": "Home Assistant Cloud",
|
||||
"description_features": "整合 Alexa 及 Google 助理,遠端控制智慧型家居",
|
||||
"description_features": "遠端控制家庭與 Alexa 及 Google 助理整合",
|
||||
"description_login": "登入帳號:{email}",
|
||||
"description_not_login": "未登入",
|
||||
"dialog_certificate": {
|
||||
@@ -1605,7 +1623,7 @@
|
||||
},
|
||||
"core": {
|
||||
"caption": "一般設定",
|
||||
"description": "變更 Home Assistant 一般設定",
|
||||
"description": "單位系統、座標、時區與其他一般設定",
|
||||
"section": {
|
||||
"core": {
|
||||
"core_config": {
|
||||
@@ -1666,9 +1684,10 @@
|
||||
"no_conditions": "無觸發條件",
|
||||
"unknown_condition": "未知觸發條件"
|
||||
},
|
||||
"create": "以設備新增自動化",
|
||||
"create": "以裝置新增自動化",
|
||||
"create_disable": "以裝置新增自動化",
|
||||
"no_automations": "沒有自動化",
|
||||
"no_device_automations": "該設備沒有任何自動化可使用。",
|
||||
"no_device_automations": "該裝置沒有任何自動化可使用。",
|
||||
"triggers": {
|
||||
"caption": "執行動作、當...",
|
||||
"no_triggers": "無觸發",
|
||||
@@ -1692,9 +1711,18 @@
|
||||
"no_devices": "沒有任何裝置"
|
||||
},
|
||||
"delete": "刪除",
|
||||
"description": "管理已連線的裝置",
|
||||
"description": "管理已設定裝置",
|
||||
"device_info": "裝置資訊",
|
||||
"device_not_found": "找不到裝置。",
|
||||
"disabled": "已關閉",
|
||||
"disabled_by": {
|
||||
"config_entry": "設定實體",
|
||||
"integration": "整合類型",
|
||||
"user": "使用者"
|
||||
},
|
||||
"enabled_cause": "由 {cause} 關閉。",
|
||||
"enabled_description": "關閉的實體將不會新增至 Home Assistant。",
|
||||
"enabled_label": "開啟裝置事件",
|
||||
"entities": {
|
||||
"add_entities_lovelace": "新增至 Lovelace UI",
|
||||
"disabled_entities": "{count} {count, plural,\n one {個已關閉實體}\n other {個已關閉實體}\n}",
|
||||
@@ -1704,14 +1732,25 @@
|
||||
},
|
||||
"name": "名稱",
|
||||
"no_devices": "沒有任何裝置",
|
||||
"picker": {
|
||||
"filter": {
|
||||
"filter": "過濾器",
|
||||
"hidden_devices": "{number} 隱藏 {number, plural,\n one {個裝置}\n other {個裝置}\n}",
|
||||
"show_all": "顯示全部",
|
||||
"show_disabled": "顯示關閉實體"
|
||||
},
|
||||
"search": "尋找裝置"
|
||||
},
|
||||
"scene": {
|
||||
"create": "以設備新增場景",
|
||||
"create": "以裝置新增場景",
|
||||
"create_disable": "以裝置新增場景",
|
||||
"no_scenes": "沒有場景",
|
||||
"scenes": "場景"
|
||||
},
|
||||
"scenes": "場景",
|
||||
"script": {
|
||||
"create": "以設備新增腳本",
|
||||
"create": "以裝置新增腳本",
|
||||
"create_disable": "以裝置新增腳本",
|
||||
"no_scripts": "沒有腳本",
|
||||
"scripts": "腳本"
|
||||
},
|
||||
@@ -1777,7 +1816,7 @@
|
||||
"header": "設定 Home Assistant",
|
||||
"helpers": {
|
||||
"caption": "助手",
|
||||
"description": "管理可協助建立自動化的元素",
|
||||
"description": "協助建立自動化的元素",
|
||||
"dialog": {
|
||||
"add_helper": "新增助手",
|
||||
"add_platform": "新增 {platform}",
|
||||
@@ -1809,7 +1848,7 @@
|
||||
"copy_github": "GitHub",
|
||||
"copy_raw": "原始文字",
|
||||
"custom_uis": "自定介面:",
|
||||
"description": "檢視 Home Assistant 安裝資訊",
|
||||
"description": "版本、系統健康度與文件連結",
|
||||
"developed_by": "由一群充滿熱情的人們所開發。",
|
||||
"documentation": "相關文件",
|
||||
"frontend": "frontend-ui",
|
||||
@@ -1875,7 +1914,7 @@
|
||||
"delete": "刪除",
|
||||
"delete_button": "刪除 {integration}",
|
||||
"delete_confirm": "確定要刪除此整合?",
|
||||
"device_unavailable": "設備不可用",
|
||||
"device_unavailable": "裝置不可用",
|
||||
"devices": "{count} {count, plural,\n one {個裝置}\n other {個裝置}\n}",
|
||||
"documentation": "相關文件",
|
||||
"entities": "{count} {count, plural,\n one {個實體}\n other {個實體}\n}",
|
||||
@@ -1915,7 +1954,7 @@
|
||||
},
|
||||
"configure": "設定",
|
||||
"configured": "已設定整合",
|
||||
"description": "管理整合",
|
||||
"description": "管理服務、裝置整合等",
|
||||
"details": "整合詳細資訊",
|
||||
"discovered": "已掃描",
|
||||
"home_assistant_website": "Home Assistant 網站",
|
||||
@@ -1977,9 +2016,9 @@
|
||||
"edit_dashboard": "編輯主面板",
|
||||
"icon": "圖示",
|
||||
"new_dashboard": "新增主面板",
|
||||
"remove_default": "移除此設備預設值",
|
||||
"remove_default": "移除此裝置預設值",
|
||||
"require_admin": "僅限管理員",
|
||||
"set_default": "設定為此設備預設值",
|
||||
"set_default": "設定為此裝置預設值",
|
||||
"show_sidebar": "於側邊列顯示",
|
||||
"title": "標題",
|
||||
"title_required": "必須輸入標題",
|
||||
@@ -2000,7 +2039,7 @@
|
||||
"open": "開啟"
|
||||
}
|
||||
},
|
||||
"description": "管理 Lovelace 主面板",
|
||||
"description": "創建自訂面板設定以控制家庭",
|
||||
"resources": {
|
||||
"cant_edit_yaml": "正使用 YAML 模式、因此無法藉由 UI 變更 Lovelace 設定。請於「configuration.yaml」進行管理。",
|
||||
"caption": "資源",
|
||||
@@ -2177,7 +2216,7 @@
|
||||
"confirm_delete_user": "確定要刪除帳號{name}使用者?依舊可以追蹤使用者,但人員將無法進行登入。",
|
||||
"create": "新增",
|
||||
"delete": "刪除",
|
||||
"device_tracker_intro": "選擇此人員所擁有的設備。",
|
||||
"device_tracker_intro": "選擇此人員所擁有的裝置。",
|
||||
"device_tracker_pick": "選擇要追蹤的裝置",
|
||||
"device_tracker_picked": "追蹤裝置",
|
||||
"link_integrations_page": "整合頁面",
|
||||
@@ -2186,7 +2225,7 @@
|
||||
"name": "名稱",
|
||||
"name_error_msg": "必須輸入名稱",
|
||||
"new_person": "新人員",
|
||||
"no_device_tracker_available_intro": "當有設備顯示有人員在場時、可以將該設備指定為某個人員所有。可以先藉由整合頁面、新增人員偵測整合以加入第一個設備。",
|
||||
"no_device_tracker_available_intro": "當有裝置顯示有人員在場時、可以將該裝置指定為某個人員所有。可以先藉由整合頁面、新增人員偵測整合以加入第一個裝置。",
|
||||
"update": "更新"
|
||||
},
|
||||
"introduction": "此處可定義 Home Assistant 中的每一位成員。",
|
||||
@@ -2199,22 +2238,22 @@
|
||||
"scene": {
|
||||
"activated": "已啟用場景 {name}。",
|
||||
"caption": "場景",
|
||||
"description": "管理場景",
|
||||
"description": "獲取裝置狀態以於稍候進行調用",
|
||||
"editor": {
|
||||
"default_name": "新場景",
|
||||
"devices": {
|
||||
"add": "新增裝置",
|
||||
"delete": "移除裝置",
|
||||
"header": "裝置",
|
||||
"introduction": "新增所要包含於場景中的設備,設定所有設備成此場景中所希望的狀態。"
|
||||
"introduction": "新增所要包含於場景中的裝置,設定所有裝置成此場景中所希望的狀態。"
|
||||
},
|
||||
"entities": {
|
||||
"add": "新增實體",
|
||||
"delete": "刪除實體",
|
||||
"device_entities": "假如新增一項屬於設備的實體,設備也將被新增。",
|
||||
"device_entities": "假如新增一項屬於裝置的實體,裝置也將被新增。",
|
||||
"header": "實體",
|
||||
"introduction": "不屬於設備的實體可以於此設置。",
|
||||
"without_device": "無設備實體"
|
||||
"introduction": "不屬於裝置的實體可以於此設置。",
|
||||
"without_device": "無裝置實體"
|
||||
},
|
||||
"icon": "圖示",
|
||||
"introduction": "使用場景來讓你的智慧型家居更有魅力吧。",
|
||||
@@ -2243,7 +2282,7 @@
|
||||
},
|
||||
"script": {
|
||||
"caption": "腳本",
|
||||
"description": "管理腳本",
|
||||
"description": "執行連續動作腳本",
|
||||
"editor": {
|
||||
"alias": "名稱",
|
||||
"default_name": "新腳本",
|
||||
@@ -2354,7 +2393,7 @@
|
||||
"confirm_remove": "是否要移除標籤 {tag}?",
|
||||
"confirm_remove_title": "移除標籤?",
|
||||
"create_automation": "以標籤新增自動化",
|
||||
"description": "管理標籤",
|
||||
"description": "當 NFC 標籤或 QR Code 掃描時、觸發自動化",
|
||||
"detail": {
|
||||
"companion_apps": "行動程式 App",
|
||||
"create": "新增",
|
||||
@@ -2389,10 +2428,11 @@
|
||||
"username": "使用者名稱"
|
||||
},
|
||||
"caption": "使用者",
|
||||
"description": "使用者管理",
|
||||
"description": "管理 Home Assistant 使用者帳號",
|
||||
"editor": {
|
||||
"activate_user": "啟用使用者",
|
||||
"active": "啟用",
|
||||
"active_tooltip": "控制用戶是否可以登錄",
|
||||
"admin": "管理員",
|
||||
"caption": "檢視使用者",
|
||||
"change_password": "更改密碼",
|
||||
@@ -2426,19 +2466,19 @@
|
||||
"users_privileges_note": "使用者群組功能仍在開發中。將無法透過 UI 進行使用者管理,仍在檢視所有管理 API Endpoint 以確保能夠正確符合管理員存取需求。"
|
||||
},
|
||||
"zha": {
|
||||
"add_device": "新增設備",
|
||||
"add_device": "新增裝置",
|
||||
"add_device_page": {
|
||||
"discovered_text": "在探索到裝置後將顯示於此處。",
|
||||
"discovery_text": "所發現的設備將會顯示於此。跟隨設備的指示並將其設定為配對模式。",
|
||||
"header": "Zigbee 家庭自動化 - 新增設備",
|
||||
"no_devices_found": "找不到設備,請確定設備處於配對模式、並於探索時保持喚醒狀態。",
|
||||
"pairing_mode": "請確定設備處於配對模式中,參閱設備的手冊以了解如何進行操作。",
|
||||
"discovery_text": "所發現的裝置將會顯示於此。跟隨裝置的指示並將其設定為配對模式。",
|
||||
"header": "Zigbee 家庭自動化 - 新增裝置",
|
||||
"no_devices_found": "找不到裝置,請確定裝置處於配對模式、並於探索時保持喚醒狀態。",
|
||||
"pairing_mode": "請確定裝置處於配對模式中,參閱裝置的手冊以了解如何進行操作。",
|
||||
"search_again": "再次搜尋",
|
||||
"spinner": "正在搜尋 ZHA Zigbee 設備..."
|
||||
"spinner": "正在搜尋 ZHA Zigbee 裝置..."
|
||||
},
|
||||
"add": {
|
||||
"caption": "新增裝置",
|
||||
"description": "新增設備至 Zigbee 網路"
|
||||
"description": "新增裝置至 Zigbee 網路"
|
||||
},
|
||||
"button": "設定",
|
||||
"caption": "ZHA",
|
||||
@@ -2476,24 +2516,24 @@
|
||||
"CONFIGURED": "設定完成",
|
||||
"CONFIGURED_status_text": "初始化中",
|
||||
"INITIALIZED": "初始化完成",
|
||||
"INITIALIZED_status_text": "設備已準備就緒",
|
||||
"INITIALIZED_status_text": "裝置已準備就緒",
|
||||
"INTERVIEW_COMPLETE": "探訪完成",
|
||||
"INTERVIEW_COMPLETE_status_text": "設定中",
|
||||
"PAIRED": "找到設備",
|
||||
"PAIRED": "找到裝置",
|
||||
"PAIRED_status_text": "開始探訪"
|
||||
},
|
||||
"devices": {
|
||||
"header": "Zigbee 家庭自動化 - 設備"
|
||||
"header": "Zigbee 家庭自動化 - 裝置"
|
||||
},
|
||||
"group_binding": {
|
||||
"bind_button_help": "綁定所選擇之群組至所選擇之設備叢集。",
|
||||
"bind_button_help": "綁定所選擇之群組至所選擇之裝置叢集。",
|
||||
"bind_button_label": "綁定群組",
|
||||
"cluster_selection_help": "選擇叢集以綁定至所選群組。",
|
||||
"group_picker_help": "選擇群組進行綁定命令。",
|
||||
"group_picker_label": "可綁定群組",
|
||||
"header": "群組綁定",
|
||||
"introduction": "綁定與解除綁定群組。",
|
||||
"unbind_button_help": "由所選擇之設備叢集中取消綁定所選擇之群組。",
|
||||
"unbind_button_help": "由所選擇之裝置叢集中取消綁定所選擇之群組。",
|
||||
"unbind_button_label": "解除綁定群組"
|
||||
},
|
||||
"groups": {
|
||||
@@ -2535,10 +2575,10 @@
|
||||
},
|
||||
"node_management": {
|
||||
"header": "裝置管理",
|
||||
"help_node_dropdown": "選擇設備以檢視該設備選項。",
|
||||
"hint_battery_devices": "請注意:對設備執行命令時,需喚醒處於睡眠狀態的設備(使用電池供電),通常可以藉由觸發以喚醒設備。",
|
||||
"help_node_dropdown": "選擇裝置以檢視該裝置選項。",
|
||||
"hint_battery_devices": "請注意:對裝置執行命令時,需喚醒處於睡眠狀態的裝置(使用電池供電),通常可以藉由觸發以喚醒裝置。",
|
||||
"hint_wakeup": "在您進行互動時某些裝置(例如小米感應器)有喚醒按鈕、可藉由每隔約 5 秒按一下、以保持該裝置處於喚醒狀態。",
|
||||
"introduction": "執行 ZHA 命命將影響單一設備。選擇設備以檢視該設備可使用之命令。"
|
||||
"introduction": "執行 ZHA 命命將影響單一裝置。選擇裝置以檢視該裝置可使用之命令。"
|
||||
},
|
||||
"title": "Zigbee 家庭自動化",
|
||||
"visualization": {
|
||||
@@ -2563,7 +2603,7 @@
|
||||
"name": "名稱",
|
||||
"new_zone": "新區域",
|
||||
"passive": "被動",
|
||||
"passive_note": "被動區域將會於前端中隱藏、不會作為設備位置追蹤。使用於僅作為自動化之用相當方便。",
|
||||
"passive_note": "被動區域將會於前端中隱藏、不會作為裝置位置追蹤。使用於僅作為自動化之用相當方便。",
|
||||
"radius": "半徑",
|
||||
"required_error_msg": "必填欄位",
|
||||
"update": "更新"
|
||||
@@ -2708,7 +2748,7 @@
|
||||
"attributes": "屬性",
|
||||
"current_entities": "目前實體",
|
||||
"description1": "設定 Home Assistant 裝置代表。",
|
||||
"description2": "將不會與實際設備進行通訊。",
|
||||
"description2": "將不會與實際裝置進行通訊。",
|
||||
"entity": "實體",
|
||||
"filter_attributes": "屬性過濾器",
|
||||
"filter_entities": "實體過濾器",
|
||||
@@ -2771,7 +2811,7 @@
|
||||
"confirm_delete": "確定要刪除此面板?",
|
||||
"empty_state": {
|
||||
"go_to_integrations_page": "轉至整合頁面。",
|
||||
"no_devices": "此頁面允許進行控制所擁有的設備。看起來您尚未設定任何設備,從設定中的整合頁面開始吧。",
|
||||
"no_devices": "此頁面允許進行控制所擁有的裝置。看起來您尚未設定任何裝置,從設定中的整合頁面開始吧。",
|
||||
"title": "歡迎回家"
|
||||
},
|
||||
"entities": {
|
||||
@@ -3125,7 +3165,7 @@
|
||||
"header": "移動至哪個面板"
|
||||
},
|
||||
"raw_editor": {
|
||||
"confirm_remove_config_text": "假如移除 Lovelace UI 設定的話,將自動以區域與設備產生 Lovelace UI 視圖。",
|
||||
"confirm_remove_config_text": "假如移除 Lovelace UI 設定的話,將自動以區域與裝置產生 Lovelace UI 視圖。",
|
||||
"confirm_remove_config_title": "確定要移除 Lovelace UI 設定?",
|
||||
"confirm_unsaved_changes": "變更尚未儲存,確定要退出?",
|
||||
"confirm_unsaved_comments": "設定包含命令、將不會被儲存。是否要繼續?",
|
||||
@@ -3246,7 +3286,7 @@
|
||||
"data": {
|
||||
"code": "雙重驗證碼"
|
||||
},
|
||||
"description": "開啟設備上的 **{mfa_module_name}** 以獲得雙重驗證碼,並進行驗證:"
|
||||
"description": "開啟裝置上的 **{mfa_module_name}** 以獲得雙重驗證碼,並進行驗證:"
|
||||
}
|
||||
}
|
||||
},
|
||||
@@ -3269,7 +3309,7 @@
|
||||
"data": {
|
||||
"code": "雙重驗證碼"
|
||||
},
|
||||
"description": "開啟設備上的 **{mfa_module_name}** 以獲得雙重驗證碼,並進行驗證:"
|
||||
"description": "開啟裝置上的 **{mfa_module_name}** 以獲得雙重驗證碼,並進行驗證:"
|
||||
}
|
||||
}
|
||||
},
|
||||
@@ -3293,7 +3333,7 @@
|
||||
"data": {
|
||||
"code": "雙重驗證碼"
|
||||
},
|
||||
"description": "開啟設備上的 **{mfa_module_name}** 以獲得雙重驗證碼,並進行驗證:"
|
||||
"description": "開啟裝置上的 **{mfa_module_name}** 以獲得雙重驗證碼,並進行驗證:"
|
||||
}
|
||||
}
|
||||
},
|
||||
@@ -3376,7 +3416,7 @@
|
||||
},
|
||||
"integration": {
|
||||
"finish": "完成",
|
||||
"intro": "將會於 Home Assistant 整合中呈現的設備與服務。可以現在進行設定,或者稍後於設定選單中進行。",
|
||||
"intro": "將會於 Home Assistant 整合中呈現的裝置與服務。可以現在進行設定,或者稍後於設定選單中進行。",
|
||||
"more_integrations": "更多"
|
||||
},
|
||||
"intro": "準備喚醒您的智慧型家庭、取得隱私自主權,並加入由全球愛好者共同維護的社群了嗎?",
|
||||
@@ -3411,10 +3451,13 @@
|
||||
"change_password": {
|
||||
"confirm_new_password": "確認密碼",
|
||||
"current_password": "目前密碼",
|
||||
"error_new_is_old": "新密碼必須與當前密碼不同",
|
||||
"error_new_mismatch": "輸入的新密碼值不匹配",
|
||||
"error_required": "必填",
|
||||
"header": "變更密碼",
|
||||
"new_password": "新密碼",
|
||||
"submit": "傳送"
|
||||
"submit": "傳送",
|
||||
"success": "密碼變更成功"
|
||||
},
|
||||
"current_user": "目前登入身份:{fullName}。",
|
||||
"customize_sidebar": {
|
||||
@@ -3477,7 +3520,7 @@
|
||||
"push_notifications": {
|
||||
"add_device_prompt": {
|
||||
"input_label": "裝置名稱",
|
||||
"title": "要幫這個裝置取什麼名子呢?"
|
||||
"title": "要幫這個裝置取什麼名字呢?"
|
||||
},
|
||||
"description": "推送通知到這個裝置。",
|
||||
"error_load_platform": "設定 notify.html5。",
|
||||
|
Reference in New Issue
Block a user