zigbee2mqtt-frontend 0.6.34 → 0.6.35
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -1,7 +1,7 @@
|
|
1
1
|
"use strict";
|
2
2
|
(self["webpackChunkzigbee2mqtt_frontend"] = self["webpackChunkzigbee2mqtt_frontend"] || []).push([[179],{
|
3
3
|
|
4
|
-
/***/
|
4
|
+
/***/ 23362:
|
5
5
|
/***/ ((__unused_webpack_module, __unused_webpack___webpack_exports__, __webpack_require__) => {
|
6
6
|
|
7
7
|
|
@@ -2902,7 +2902,6 @@ const DashboardFeatureWrapper = (props) => {
|
|
2902
2902
|
const { children, feature, deviceState = {} } = props;
|
2903
2903
|
const icon = getGenericFeatureIcon(feature.name, deviceState[feature.property]);
|
2904
2904
|
const { t } = (0,useTranslation/* useTranslation */.$)(['featureNames']);
|
2905
|
-
console.log(feature);
|
2906
2905
|
return react.createElement("div", { className: "d-flex align-items-center" },
|
2907
2906
|
icon && react.createElement("div", { className: "me-1" },
|
2908
2907
|
react.createElement("i", { className: `fa fa-fw ${icon}` })),
|
@@ -3420,6 +3419,72 @@ const device_page_mappedProps = ["devices", "deviceStates", "logs", "bridgeInfo"
|
|
3420
3419
|
const ConnectedDevicePage = (0,withTranslation/* withTranslation */.Z)("devicePage")((0,unistore_react/* connect */.$)(device_page_mappedProps, actions_actions)(devicePageWithRouter));
|
3421
3420
|
/* harmony default export */ const device_page = (ConnectedDevicePage);
|
3422
3421
|
|
3422
|
+
// EXTERNAL MODULE: ./node_modules/react-table/index.js
|
3423
|
+
var react_table = __webpack_require__(79521);
|
3424
|
+
// EXTERNAL MODULE: ./node_modules/local-storage/local-storage.js
|
3425
|
+
var local_storage = __webpack_require__(42222);
|
3426
|
+
// EXTERNAL MODULE: ./node_modules/lodash/debounce.js
|
3427
|
+
var debounce = __webpack_require__(23279);
|
3428
|
+
var debounce_default = /*#__PURE__*/__webpack_require__.n(debounce);
|
3429
|
+
;// CONCATENATED MODULE: ./src/components/grid/ReactTableCom.tsx
|
3430
|
+
|
3431
|
+
|
3432
|
+
|
3433
|
+
|
3434
|
+
|
3435
|
+
|
3436
|
+
function GlobalFilter({ globalFilter, setGlobalFilter, }) {
|
3437
|
+
const [value, setValue] = react.useState(globalFilter);
|
3438
|
+
const onChange = (0,react_table.useAsyncDebounce)(value => {
|
3439
|
+
setGlobalFilter(value || undefined);
|
3440
|
+
}, 200);
|
3441
|
+
const { t } = (0,useTranslation/* useTranslation */.$)(['common']);
|
3442
|
+
return (react.createElement("span", null,
|
3443
|
+
react.createElement("input", { value: value || "", onChange: e => {
|
3444
|
+
setValue(e.target.value);
|
3445
|
+
onChange(e.target.value);
|
3446
|
+
}, placeholder: t('common:enter_search_criteria'), className: "form-control" })));
|
3447
|
+
}
|
3448
|
+
const persist = debounce_default()((key, data) => {
|
3449
|
+
(0,local_storage.set)(key, data);
|
3450
|
+
});
|
3451
|
+
const stateReducer = (newState, action, previousState, instance) => {
|
3452
|
+
if (instance) {
|
3453
|
+
const { instanceId } = instance;
|
3454
|
+
const { sortBy, globalFilter } = newState;
|
3455
|
+
persist(instanceId, { sortBy, globalFilter });
|
3456
|
+
}
|
3457
|
+
return newState;
|
3458
|
+
};
|
3459
|
+
const Table = ({ columns, data, id }) => {
|
3460
|
+
const initialState = (0,local_storage.get)(id) || {};
|
3461
|
+
const { getTableProps, getTableBodyProps, headerGroups, rows, prepareRow, state, visibleColumns, setGlobalFilter, } = (0,react_table.useTable)({
|
3462
|
+
instanceId: id,
|
3463
|
+
stateReducer,
|
3464
|
+
columns,
|
3465
|
+
data,
|
3466
|
+
autoResetSortBy: false,
|
3467
|
+
autoResetFilters: false,
|
3468
|
+
initialState
|
3469
|
+
}, react_table.useGlobalFilter, react_table.useSortBy);
|
3470
|
+
return (react.createElement("table", { ...getTableProps(), className: "table responsive" },
|
3471
|
+
react.createElement("thead", null,
|
3472
|
+
react.createElement("tr", null,
|
3473
|
+
react.createElement("th", { colSpan: visibleColumns.length },
|
3474
|
+
react.createElement(GlobalFilter, { globalFilter: state.globalFilter, setGlobalFilter: setGlobalFilter }))),
|
3475
|
+
headerGroups.map((headerGroup) => (react.createElement("tr", { ...headerGroup.getHeaderGroupProps() }, headerGroup.headers.map(column => (react.createElement("th", { ...column.getHeaderProps(column.getSortByToggleProps()) },
|
3476
|
+
react.createElement("span", { className: classnames_default()({ 'btn btn-link': column.canSort }) }, column.render('Header')),
|
3477
|
+
react.createElement("span", null, column.isSorted
|
3478
|
+
? column.isSortedDesc
|
3479
|
+
? react.createElement("i", { className: `fa fa-sort-amount-down-alt` })
|
3480
|
+
: react.createElement("i", { className: `fa fa-sort-amount-down` })
|
3481
|
+
: react.createElement("i", { className: `fa fa-sort-amount-down invisible` }))))))))),
|
3482
|
+
react.createElement("tbody", { ...getTableBodyProps() }, rows.map((row, i) => {
|
3483
|
+
prepareRow(row);
|
3484
|
+
return (react.createElement("tr", { ...row.getRowProps() }, row.cells.map(cell => react.createElement("td", { ...cell.getCellProps() }, cell.render('Cell')))));
|
3485
|
+
}))));
|
3486
|
+
};
|
3487
|
+
|
3423
3488
|
;// CONCATENATED MODULE: ./src/components/touchlink-page/index.tsx
|
3424
3489
|
|
3425
3490
|
|
@@ -3429,6 +3494,7 @@ const ConnectedDevicePage = (0,withTranslation/* withTranslation */.Z)("devicePa
|
|
3429
3494
|
|
3430
3495
|
|
3431
3496
|
|
3497
|
+
|
3432
3498
|
class TouchlinkPage extends react.Component {
|
3433
3499
|
constructor() {
|
3434
3500
|
super(...arguments);
|
@@ -3444,30 +3510,36 @@ class TouchlinkPage extends react.Component {
|
|
3444
3510
|
renderTouchlinkDevices() {
|
3445
3511
|
const { touchlinkDevices, devices, touchlinkIdentifyInProgress, touchlinkResetInProgress, t } = this.props;
|
3446
3512
|
const touchlinkInProgress = touchlinkIdentifyInProgress || touchlinkResetInProgress;
|
3513
|
+
const columns = [
|
3514
|
+
{
|
3515
|
+
Header: t('zigbee:ieee_address'),
|
3516
|
+
accessor: (touchlinkDevice) => touchlinkDevice.ieee_address,
|
3517
|
+
Cell: ({ row: { original: touchlinkDevice } }) => devices[touchlinkDevice.ieee_address] ?
|
3518
|
+
(react.createElement(react_router_dom/* Link */.rU, { to: genDeviceDetailsLink(touchlinkDevice.ieee_address) }, touchlinkDevice.ieee_address)) : touchlinkDevice.ieee_address
|
3519
|
+
},
|
3520
|
+
{
|
3521
|
+
Header: t('zigbee:friendly_name'),
|
3522
|
+
accessor: (touchlinkDevice) => { var _a; return (_a = devices[touchlinkDevice.ieee_address]) === null || _a === void 0 ? void 0 : _a.friendly_name; },
|
3523
|
+
},
|
3524
|
+
{
|
3525
|
+
id: 'channel',
|
3526
|
+
Header: t('zigbee:channel'),
|
3527
|
+
accessor: 'channel'
|
3528
|
+
},
|
3529
|
+
{
|
3530
|
+
id: 'actions',
|
3531
|
+
Header: '',
|
3532
|
+
Cell: ({ row: { original: touchlinkDevice } }) => {
|
3533
|
+
return (react.createElement("div", { className: "btn-group float-right", role: "group", "aria-label": "Basic example" },
|
3534
|
+
react.createElement(Button, { disabled: touchlinkInProgress, item: touchlinkDevice, title: t('identify'), className: "btn btn-primary", onClick: this.onIdentifyClick },
|
3535
|
+
react.createElement("i", { className: classnames_default()("fa", { "fa-exclamation-triangle": !touchlinkIdentifyInProgress, "fas fa-circle-notch fa-spin": touchlinkIdentifyInProgress }) })),
|
3536
|
+
react.createElement(Button, { disabled: touchlinkInProgress, item: touchlinkDevice, title: t('factory_reset'), className: "btn btn-danger", onClick: this.onResetClick },
|
3537
|
+
react.createElement("i", { className: classnames_default()("fa", { "fa-broom": !touchlinkResetInProgress, "fas fa-circle-notch fa-spin": touchlinkResetInProgress }) }))));
|
3538
|
+
}
|
3539
|
+
},
|
3540
|
+
];
|
3447
3541
|
return (react.createElement("div", { className: "table-responsive" },
|
3448
|
-
react.createElement(
|
3449
|
-
react.createElement("thead", null,
|
3450
|
-
react.createElement("tr", null,
|
3451
|
-
react.createElement("th", { scope: "col" }, "#"),
|
3452
|
-
react.createElement("th", { scope: "col" }, t('zigbee:ieee_address')),
|
3453
|
-
react.createElement("th", { scope: "col" }, t('zigbee:friendly_name')),
|
3454
|
-
react.createElement("th", { scope: "col" }, t('zigbee:channel')),
|
3455
|
-
react.createElement("th", { scope: "col" }, "\u00A0"))),
|
3456
|
-
react.createElement("tbody", null, touchlinkDevices.map((touchlinkDevice, idx) => {
|
3457
|
-
var _a;
|
3458
|
-
return (react.createElement("tr", { key: touchlinkDevice.ieee_address },
|
3459
|
-
react.createElement("td", null, idx + 1),
|
3460
|
-
react.createElement("td", null, devices[touchlinkDevice.ieee_address] ?
|
3461
|
-
(react.createElement(react_router_dom/* Link */.rU, { to: genDeviceDetailsLink(touchlinkDevice.ieee_address) }, touchlinkDevice.ieee_address)) : touchlinkDevice.ieee_address),
|
3462
|
-
react.createElement("td", null, (_a = devices[touchlinkDevice.ieee_address]) === null || _a === void 0 ? void 0 : _a.friendly_name),
|
3463
|
-
react.createElement("td", null, touchlinkDevice.channel),
|
3464
|
-
react.createElement("td", null,
|
3465
|
-
react.createElement("div", { className: "btn-group float-right", role: "group", "aria-label": "Basic example" },
|
3466
|
-
react.createElement(Button, { disabled: touchlinkInProgress, item: touchlinkDevice, title: t('identify'), className: "btn btn-primary", onClick: this.onIdentifyClick },
|
3467
|
-
react.createElement("i", { className: classnames_default()("fa", { "fa-exclamation-triangle": !touchlinkIdentifyInProgress, "fas fa-circle-notch fa-spin": touchlinkIdentifyInProgress }) })),
|
3468
|
-
react.createElement(Button, { disabled: touchlinkInProgress, item: touchlinkDevice, title: t('factory_reset'), className: "btn btn-danger", onClick: this.onResetClick },
|
3469
|
-
react.createElement("i", { className: classnames_default()("fa", { "fa-broom": !touchlinkResetInProgress, "fas fa-circle-notch fa-spin": touchlinkResetInProgress }) }))))));
|
3470
|
-
})))));
|
3542
|
+
react.createElement(Table, { id: "touchlinkDevices", columns: columns, data: touchlinkDevices })));
|
3471
3543
|
}
|
3472
3544
|
renderNoDevices() {
|
3473
3545
|
const { touchlinkScan, t } = this.props;
|
@@ -3687,7 +3759,7 @@ class SettingsPage extends react.Component {
|
|
3687
3759
|
zigbee2mqttCommit) },
|
3688
3760
|
{ translationKey: 'coordinator_type', content: react.createElement(react.Fragment, null, (_c = (_b = bridgeInfo.coordinator) === null || _b === void 0 ? void 0 : _b.type) !== null && _c !== void 0 ? _c : t('common:unknown')) },
|
3689
3761
|
{ translationKey: 'coordinator_revision', content: react.createElement(react.Fragment, null, (_f = (_e = (_d = bridgeInfo.coordinator) === null || _d === void 0 ? void 0 : _d.meta) === null || _e === void 0 ? void 0 : _e.revision) !== null && _f !== void 0 ? _f : t('common:unknown')) },
|
3690
|
-
{ translationKey: 'frontend_version', content: "0.6.
|
3762
|
+
{ translationKey: 'frontend_version', content: "0.6.35" },
|
3691
3763
|
{ translationKey: 'stats', content: react.createElement(Stats, { devices: devices }) },
|
3692
3764
|
];
|
3693
3765
|
return react.createElement("div", { className: "p-3" }, rows.map(row => react.createElement("dl", { key: row.translationKey, className: "row" },
|
@@ -4074,6 +4146,7 @@ function RenameGroupForm(props) {
|
|
4074
4146
|
|
4075
4147
|
|
4076
4148
|
|
4149
|
+
|
4077
4150
|
class GroupsPage extends react.Component {
|
4078
4151
|
constructor() {
|
4079
4152
|
super(...arguments);
|
@@ -4113,29 +4186,41 @@ class GroupsPage extends react.Component {
|
|
4113
4186
|
}
|
4114
4187
|
renderGroups() {
|
4115
4188
|
const { groups, t } = this.props;
|
4116
|
-
const
|
4189
|
+
const columns = [
|
4190
|
+
{
|
4191
|
+
id: 'group_id',
|
4192
|
+
Header: t('group_id'),
|
4193
|
+
accessor: (group) => group.id,
|
4194
|
+
Cell: ({ row: { original: group } }) => react.createElement(react_router_dom/* Link */.rU, { to: `/group/${group.id}` }, group.id)
|
4195
|
+
},
|
4196
|
+
{
|
4197
|
+
id: 'friendly_name',
|
4198
|
+
Header: t('group_name'),
|
4199
|
+
accessor: (group) => group.friendly_name,
|
4200
|
+
Cell: ({ row: { original: group } }) => react.createElement(react_router_dom/* Link */.rU, { to: `/group/${group.id}` }, group.friendly_name)
|
4201
|
+
},
|
4202
|
+
{
|
4203
|
+
id: 'members',
|
4204
|
+
Header: t('group_members'),
|
4205
|
+
accessor: (group) => { var _a; return (_a = group.members.length) !== null && _a !== void 0 ? _a : 0; },
|
4206
|
+
},
|
4207
|
+
{
|
4208
|
+
id: 'scenes',
|
4209
|
+
Header: t('group_scenes'),
|
4210
|
+
accessor: (group) => { var _a, _b; return (_b = (_a = group.scenes) === null || _a === void 0 ? void 0 : _a.length) !== null && _b !== void 0 ? _b : 0; },
|
4211
|
+
},
|
4212
|
+
{
|
4213
|
+
Header: '',
|
4214
|
+
id: 'actions',
|
4215
|
+
Cell: ({ row: { original: group } }) => (react.createElement("div", { className: "btn-group float-right btn-group-sm", role: "group" },
|
4216
|
+
react.createElement(RenameGroupForm, { name: group.friendly_name, onRename: this.renameGroup }),
|
4217
|
+
react.createElement(Button, { promt: true, title: t('remove_group'), item: group.friendly_name, onClick: this.removeGroup, className: "btn btn-danger" },
|
4218
|
+
react.createElement("i", { className: "fa fa-trash" }))))
|
4219
|
+
},
|
4220
|
+
];
|
4117
4221
|
return react.createElement("div", { className: "card" },
|
4118
4222
|
react.createElement("div", { className: "card-body" },
|
4119
|
-
react.createElement(
|
4120
|
-
react.createElement("thead", null,
|
4121
|
-
react.createElement("tr", null,
|
4122
|
-
react.createElement("th", { scope: "col" }, t('group_id')),
|
4123
|
-
react.createElement("th", { scope: "col" }, t('group_name')),
|
4124
|
-
react.createElement("th", { scope: "col" }, t('group_members')),
|
4125
|
-
react.createElement("th", { scope: "col" }, t('group_scenes')),
|
4126
|
-
react.createElement("th", { scope: "col" }, "\u00A0"))),
|
4127
|
-
react.createElement("tbody", null, groups.map(group => (react.createElement("tr", { key: group.id },
|
4128
|
-
react.createElement("td", null,
|
4129
|
-
react.createElement(react_router_dom/* Link */.rU, { to: `/group/${group.id}` }, group.id)),
|
4130
|
-
react.createElement("td", null,
|
4131
|
-
react.createElement(react_router_dom/* Link */.rU, { to: `/group/${group.id}` }, group.friendly_name)),
|
4132
|
-
react.createElement("td", null, group.members.length),
|
4133
|
-
react.createElement("td", null, group.scenes.length),
|
4134
|
-
react.createElement("td", null,
|
4135
|
-
react.createElement("div", { className: "btn-group float-right btn-group-sm", role: "group" },
|
4136
|
-
react.createElement(RenameGroupForm, { name: group.friendly_name, onRename: this.renameGroup }),
|
4137
|
-
react.createElement(Button, { promt: true, title: t('remove_group'), item: group.friendly_name, onClick: this.removeGroup, className: "btn btn-danger" },
|
4138
|
-
react.createElement("i", { className: "fa fa-trash" }))))))).reverse()))));
|
4223
|
+
react.createElement(Table, { id: "groups", columns: columns, data: groups })));
|
4139
4224
|
}
|
4140
4225
|
render() {
|
4141
4226
|
return react.createElement(react.Fragment, null,
|
@@ -4150,49 +4235,6 @@ const ConnectedGroupsPage = (0,withTranslation/* withTranslation */.Z)("groups")
|
|
4150
4235
|
;// CONCATENATED MODULE: ./src/components/zigbee/style.css
|
4151
4236
|
// extracted by mini-css-extract-plugin
|
4152
4237
|
/* harmony default export */ const zigbee_style = ({"action-column":"Sz_HOVlUGXEGcBgHiQOy","device-pic":"OjEk_at86Lnxdb_Jq9Cj","device-image":"PmWChHpc4nd1o4IBxsM6"});
|
4153
|
-
// EXTERNAL MODULE: ./node_modules/react-table/index.js
|
4154
|
-
var react_table = __webpack_require__(79521);
|
4155
|
-
;// CONCATENATED MODULE: ./src/components/zigbee/ReactTableCom.tsx
|
4156
|
-
|
4157
|
-
|
4158
|
-
|
4159
|
-
|
4160
|
-
function GlobalFilter({ globalFilter, setGlobalFilter, }) {
|
4161
|
-
const [value, setValue] = react.useState(globalFilter);
|
4162
|
-
const onChange = (0,react_table.useAsyncDebounce)(value => {
|
4163
|
-
setGlobalFilter(value || undefined);
|
4164
|
-
}, 200);
|
4165
|
-
const { t } = (0,useTranslation/* useTranslation */.$)(['common']);
|
4166
|
-
return (react.createElement("span", null,
|
4167
|
-
react.createElement("input", { value: value || "", onChange: e => {
|
4168
|
-
setValue(e.target.value);
|
4169
|
-
onChange(e.target.value);
|
4170
|
-
}, placeholder: t('common:enter_search_criteria'), className: "form-control" })));
|
4171
|
-
}
|
4172
|
-
const Table = ({ columns, data }) => {
|
4173
|
-
const { getTableProps, getTableBodyProps, headerGroups, rows, prepareRow, state, visibleColumns, setGlobalFilter, } = (0,react_table.useTable)({
|
4174
|
-
columns,
|
4175
|
-
data,
|
4176
|
-
}, react_table.useGlobalFilter, react_table.useSortBy);
|
4177
|
-
return (react.createElement(react.Fragment, null,
|
4178
|
-
react.createElement("table", { ...getTableProps(), className: "table responsive mt-1" },
|
4179
|
-
react.createElement("thead", null,
|
4180
|
-
react.createElement("tr", null,
|
4181
|
-
react.createElement("th", { colSpan: visibleColumns.length },
|
4182
|
-
react.createElement(GlobalFilter, { globalFilter: state.globalFilter, setGlobalFilter: setGlobalFilter }))),
|
4183
|
-
headerGroups.map((headerGroup) => (react.createElement("tr", { ...headerGroup.getHeaderGroupProps() }, headerGroup.headers.map(column => (react.createElement("th", { ...column.getHeaderProps(column.getSortByToggleProps()) },
|
4184
|
-
react.createElement("span", { className: classnames_default()({ 'btn btn-link': column.canSort }) }, column.render('Header')),
|
4185
|
-
react.createElement("span", null, column.isSorted
|
4186
|
-
? column.isSortedDesc
|
4187
|
-
? react.createElement("i", { className: `fa fa-sort-amount-down-alt` })
|
4188
|
-
: react.createElement("i", { className: `fa fa-sort-amount-down` })
|
4189
|
-
: react.createElement("i", { className: `fa fa-sort-amount-down invisible` }))))))))),
|
4190
|
-
react.createElement("tbody", { ...getTableBodyProps() }, rows.map((row, i) => {
|
4191
|
-
prepareRow(row);
|
4192
|
-
return (react.createElement("tr", { ...row.getRowProps() }, row.cells.map(cell => react.createElement("td", { ...cell.getCellProps() }, cell.render('Cell')))));
|
4193
|
-
})))));
|
4194
|
-
};
|
4195
|
-
|
4196
4238
|
;// CONCATENATED MODULE: ./src/components/zigbee/index.tsx
|
4197
4239
|
|
4198
4240
|
|
@@ -4209,77 +4251,12 @@ const Table = ({ columns, data }) => {
|
|
4209
4251
|
|
4210
4252
|
|
4211
4253
|
|
4212
|
-
|
4213
|
-
const storeKey = "ZigbeeTableState";
|
4214
|
-
const longLoadingTimeout = 15 * 1000;
|
4215
|
-
const pesistToLocalStorage = (storeData) => {
|
4216
|
-
try {
|
4217
|
-
localStorage.setItem(storeKey, JSON.stringify(storeData));
|
4218
|
-
}
|
4219
|
-
catch (e) {
|
4220
|
-
new notyf_es/* Notyf */.Iq().error(e.toString());
|
4221
|
-
}
|
4222
|
-
};
|
4223
4254
|
class ZigbeeTable extends react.Component {
|
4224
|
-
constructor(props) {
|
4225
|
-
super(props);
|
4226
|
-
this.handleLongLoading = () => {
|
4227
|
-
const { devices } = this.props;
|
4228
|
-
if (Object.keys(devices).length == 0) {
|
4229
|
-
const error = react.createElement(react.Fragment, null,
|
4230
|
-
react.createElement("strong", null, "Loading devices takes too long time."),
|
4231
|
-
react.createElement("div", null,
|
4232
|
-
"Consider reading ",
|
4233
|
-
react.createElement("a", { href: "https://www.zigbee2mqtt.io/guide/configuration/webui.html#webui" }, "documentation")));
|
4234
|
-
this.setState({ error });
|
4235
|
-
}
|
4236
|
-
};
|
4237
|
-
this.state = {
|
4238
|
-
sortDirection: "desc",
|
4239
|
-
sortColumnId: 1,
|
4240
|
-
search: "",
|
4241
|
-
columnOrder: []
|
4242
|
-
};
|
4243
|
-
}
|
4244
|
-
restoreState() {
|
4245
|
-
const storedState = localStorage.getItem(storeKey);
|
4246
|
-
if (storedState) {
|
4247
|
-
try {
|
4248
|
-
const restored = JSON.parse(storedState);
|
4249
|
-
this.setState(restored);
|
4250
|
-
}
|
4251
|
-
catch (e) {
|
4252
|
-
new notyf_es/* Notyf */.Iq().error(e.toString());
|
4253
|
-
}
|
4254
|
-
}
|
4255
|
-
}
|
4256
|
-
saveState() {
|
4257
|
-
const { sortColumnId, sortDirection, columnOrder } = this.state;
|
4258
|
-
const storeData = {
|
4259
|
-
sortColumnId,
|
4260
|
-
sortDirection,
|
4261
|
-
columnOrder
|
4262
|
-
};
|
4263
|
-
pesistToLocalStorage(storeData);
|
4264
|
-
}
|
4265
|
-
componentDidMount() {
|
4266
|
-
setTimeout(this.handleLongLoading, longLoadingTimeout);
|
4267
|
-
this.restoreState();
|
4268
|
-
}
|
4269
|
-
renderError() {
|
4270
|
-
const { error } = this.state;
|
4271
|
-
return (react.createElement("div", { className: "h-100 d-flex justify-content-center align-items-center" },
|
4272
|
-
react.createElement("div", { className: "d-flex align-items-center" }, error)));
|
4273
|
-
}
|
4274
4255
|
render() {
|
4275
|
-
const { error } = this.state;
|
4276
4256
|
const { devices } = this.props;
|
4277
4257
|
if (Object.keys(devices).length) {
|
4278
4258
|
return this.renderDevicesTable();
|
4279
4259
|
}
|
4280
|
-
if (error) {
|
4281
|
-
return this.renderError();
|
4282
|
-
}
|
4283
4260
|
return (react.createElement("div", { className: "h-100 d-flex justify-content-center align-items-center" },
|
4284
4261
|
react.createElement(spinner, null)));
|
4285
4262
|
}
|
@@ -4300,9 +4277,8 @@ class ZigbeeTable extends react.Component {
|
|
4300
4277
|
renderDevicesTable() {
|
4301
4278
|
const { bridgeInfo, t } = this.props;
|
4302
4279
|
const devices = this.getDevicesToRender();
|
4303
|
-
const { sortColumnId, sortDirection, search } = this.state;
|
4304
4280
|
const lastSeenType = getLastSeenType(bridgeInfo.config.advanced);
|
4305
|
-
const
|
4281
|
+
const columns = [
|
4306
4282
|
{
|
4307
4283
|
Header: '#',
|
4308
4284
|
id: '-rownumber',
|
@@ -4316,6 +4292,7 @@ class ZigbeeTable extends react.Component {
|
|
4316
4292
|
disableSortBy: true,
|
4317
4293
|
},
|
4318
4294
|
{
|
4295
|
+
id: 'friendly_name',
|
4319
4296
|
Header: t('friendly_name'),
|
4320
4297
|
accessor: ({ device }) => device.friendly_name,
|
4321
4298
|
Cell: ({ row: { original: { device } } }) => react.createElement(react_router_dom/* Link */.rU, { to: genDeviceDetailsLink(device.ieee_address) }, device.friendly_name)
|
@@ -4363,7 +4340,7 @@ class ZigbeeTable extends react.Component {
|
|
4363
4340
|
];
|
4364
4341
|
return (react.createElement("div", { className: "card" },
|
4365
4342
|
react.createElement("div", { className: "table-responsive mt-1" },
|
4366
|
-
react.createElement(Table, { columns:
|
4343
|
+
react.createElement(Table, { id: "zigbee", columns: columns, data: devices }))));
|
4367
4344
|
}
|
4368
4345
|
}
|
4369
4346
|
const zigbee_mappedProps = ["devices", "deviceStates", "bridgeInfo"];
|
@@ -4379,6 +4356,7 @@ const ConnectedZigbeePage = (0,withTranslation/* withTranslation */.Z)(["zigbee"
|
|
4379
4356
|
|
4380
4357
|
|
4381
4358
|
|
4359
|
+
|
4382
4360
|
const StateCell = (props) => {
|
4383
4361
|
var _a;
|
4384
4362
|
const { t } = (0,useTranslation/* useTranslation */.$)("ota");
|
@@ -4398,55 +4376,63 @@ const StateCell = (props) => {
|
|
4398
4376
|
return react.createElement(Button, { className: "btn btn-primary btn-sm", onClick: checkOTA, item: device.friendly_name }, t('check'));
|
4399
4377
|
}
|
4400
4378
|
};
|
4401
|
-
const OtaRow = (props) => {
|
4402
|
-
var _a;
|
4403
|
-
const { device, state, ...rest } = props;
|
4404
|
-
return react.createElement("tr", null,
|
4405
|
-
react.createElement("td", null,
|
4406
|
-
react.createElement(react_router_dom/* Link */.rU, { to: genDeviceDetailsLink(device.ieee_address) }, device.friendly_name)),
|
4407
|
-
react.createElement("td", { className: "text-truncate text-nowrap position-relative" },
|
4408
|
-
react.createElement(VendorLink, { device: device })),
|
4409
|
-
react.createElement("td", { title: (_a = device === null || device === void 0 ? void 0 : device.definition) === null || _a === void 0 ? void 0 : _a.description },
|
4410
|
-
react.createElement(ModelLink, { device: device })),
|
4411
|
-
react.createElement("td", null, device.date_code),
|
4412
|
-
react.createElement("td", null,
|
4413
|
-
react.createElement(OTALink, { device: device })),
|
4414
|
-
react.createElement("td", null,
|
4415
|
-
react.createElement(StateCell, { device: device, state: state, ...rest })));
|
4416
|
-
};
|
4417
4379
|
class OtaPage extends react.Component {
|
4418
4380
|
constructor() {
|
4419
4381
|
super(...arguments);
|
4420
4382
|
this.checkAllOTA = () => {
|
4421
4383
|
const { checkOTA } = this.props;
|
4422
4384
|
const otaDevices = this.getAllOtaDevices();
|
4423
|
-
otaDevices.forEach(device => checkOTA(device.friendly_name));
|
4385
|
+
otaDevices.forEach(({ device }) => checkOTA(device.friendly_name));
|
4424
4386
|
};
|
4425
4387
|
}
|
4426
4388
|
getAllOtaDevices() {
|
4427
|
-
const { devices } = this.props;
|
4428
|
-
return Object.values(devices)
|
4389
|
+
const { devices, deviceStates } = this.props;
|
4390
|
+
return Object.values(devices)
|
4391
|
+
.filter(device => { var _a; return (_a = device === null || device === void 0 ? void 0 : device.definition) === null || _a === void 0 ? void 0 : _a.supports_ota; })
|
4392
|
+
.map((device) => {
|
4393
|
+
var _a;
|
4394
|
+
const state = (_a = deviceStates[device.friendly_name]) !== null && _a !== void 0 ? _a : {};
|
4395
|
+
return { id: device.friendly_name, device, state };
|
4396
|
+
});
|
4429
4397
|
}
|
4430
4398
|
render() {
|
4431
|
-
const {
|
4399
|
+
const { checkOTA, updateOTA, t } = this.props;
|
4432
4400
|
const otaApi = { checkOTA, updateOTA };
|
4433
4401
|
const otaDevices = this.getAllOtaDevices();
|
4402
|
+
const columns = [
|
4403
|
+
{
|
4404
|
+
Header: t('zigbee:friendly_name'),
|
4405
|
+
accessor: ({ device }) => device.friendly_name,
|
4406
|
+
Cell: ({ row: { original: { device } } }) => react.createElement(react_router_dom/* Link */.rU, { to: genDeviceDetailsLink(device.ieee_address) }, device.friendly_name)
|
4407
|
+
},
|
4408
|
+
{
|
4409
|
+
Header: t('zigbee:manufacturer'),
|
4410
|
+
accessor: ({ device }) => { var _a; return [device.manufacturer, (_a = device.definition) === null || _a === void 0 ? void 0 : _a.vendor].join(' '); },
|
4411
|
+
Cell: ({ row: { original: { device } } }) => react.createElement(VendorLink, { device: device })
|
4412
|
+
},
|
4413
|
+
{
|
4414
|
+
Header: t('zigbee:model'),
|
4415
|
+
accessor: ({ device }) => { var _a; return [device.model_id, (_a = device.definition) === null || _a === void 0 ? void 0 : _a.model].join(' '); },
|
4416
|
+
Cell: ({ row: { original: { device } } }) => react.createElement(ModelLink, { device: device })
|
4417
|
+
},
|
4418
|
+
{
|
4419
|
+
Header: t('zigbee:firmware_build_date'),
|
4420
|
+
accessor: ({ device }) => device.date_code
|
4421
|
+
},
|
4422
|
+
{
|
4423
|
+
Header: t('zigbee:firmware_version'),
|
4424
|
+
accessor: ({ device }) => { var _a; return [device.model_id, (_a = device.definition) === null || _a === void 0 ? void 0 : _a.model].join(' '); },
|
4425
|
+
Cell: ({ row: { original: { device } } }) => react.createElement(OTALink, { device: device })
|
4426
|
+
},
|
4427
|
+
{
|
4428
|
+
Header: () => react.createElement(Button, { className: "btn btn-danger btn-sm", onClick: this.checkAllOTA, promt: true }, t('check_all')),
|
4429
|
+
id: 'check_all',
|
4430
|
+
Cell: ({ row: { original: { device, state } } }) => react.createElement(StateCell, { device: device, state: state, ...otaApi })
|
4431
|
+
},
|
4432
|
+
];
|
4434
4433
|
return react.createElement("div", { className: "card" },
|
4435
4434
|
react.createElement("div", { className: "card-body table-responsive" },
|
4436
|
-
react.createElement(
|
4437
|
-
react.createElement("thead", null,
|
4438
|
-
react.createElement("tr", null,
|
4439
|
-
react.createElement("th", { scope: "col" }, t("zigbee:friendly_name")),
|
4440
|
-
react.createElement("th", null, t("zigbee:manufacturer")),
|
4441
|
-
react.createElement("th", null, t("zigbee:model")),
|
4442
|
-
react.createElement("th", null, t("zigbee:firmware_build_date")),
|
4443
|
-
react.createElement("th", null, t("zigbee:firmware_version")),
|
4444
|
-
react.createElement("th", null,
|
4445
|
-
react.createElement(Button, { className: "btn btn-danger btn-sm", onClick: this.checkAllOTA, promt: true }, t('check_all'))))),
|
4446
|
-
react.createElement("tbody", null,
|
4447
|
-
otaDevices.length === 0 ? react.createElement("tr", null,
|
4448
|
-
react.createElement("td", { colSpan: 6 }, t('empty_ota_message'))) : null,
|
4449
|
-
otaDevices.map(device => (react.createElement(OtaRow, { key: device.ieee_address, device: device, state: deviceStates[device.friendly_name], ...otaApi })))))));
|
4435
|
+
react.createElement(Table, { id: "otaDevices", columns: columns, data: otaDevices })));
|
4450
4436
|
}
|
4451
4437
|
}
|
4452
4438
|
const ota_page_mappedProps = ["devices", "deviceStates"];
|
@@ -4904,7 +4890,7 @@ var context = __webpack_require__(68718);
|
|
4904
4890
|
// EXTERNAL MODULE: ./node_modules/i18next-browser-languagedetector/dist/esm/i18nextBrowserLanguageDetector.js
|
4905
4891
|
var i18nextBrowserLanguageDetector = __webpack_require__(26071);
|
4906
4892
|
;// CONCATENATED MODULE: ./src/i18n/locales/en.json
|
4907
|
-
const en_namespaceObject = JSON.parse('{"common":{"action":"Action","actions":"Actions","apply":"Apply","attribute":"Attribute","bind":"Bind","check_all":"Check all","clear":"Clear","close":"Close","cluster":"Cluster","clusters":"Clusters","confirmation":"Confirmation prompt","delete":"Delete","destination":"Destination","devices":"Devices","dialog_confirmation_prompt":"Are you sure?","disable":"Disable","enter_search_criteria":"Enter search criteria","groups":"Groups","loading":"Loading...","none":"None","ok":"Ok","read":"Read","save":"Save","select_device":"Select device","select_endpoint":"Select endpoint","source_endpoint":"Source endpoint","the_only_endpoint":"The only endpoint","unbind":"Unbind","write":"Write"},"devicePage":{"about":"About","bind":"Bind","clusters":"Clusters","dev_console":"Dev console","exposes":"Exposes","reporting":"Reporting","settings":"Settings","settings_specific":"Settings (specific)","state":"State","scene":"Scene","unknown_device":"Unknown device"},"exposes":{"action":"Action","auto_off":"Auto off","away_mode":"Away mode","away_preset_days":"Away preset days","away_preset_temperature":"Away preset temperature","backlight_mode":"Backlight mode","battery":"Battery","battery_low":"Battery low","boost_time":"Boost time","brightness":"Brightness","calibration":"Calibration","carbon_monoxide":"Carbon monoxide","color_hs":"Color (HS)","color_temp":"Color temperature","color_temp_startup":"Startup color temp","color_xy":"Color (XY)","comfort_temperature":"Comfort temperature","consumer_connected":"Consumer connected","consumer_overload":"Consumer overload","contact":"Contact","current":"Current","current_heating_setpoint":"Current heating setpoint","eco_temperature":"Eco temperature","effect":"Effect","empty_exposes_definition":"Empty exposes definition","energy":"Energy","force":"Force","humidity":"Humidity","illuminance":"Illuminance","illuminance_lux":"Illuminance","led_disabled_night":"Led disabled night","linkquality":"Linkquality","local_temperature":"Local temperature","local_temperature_calibration":"Local temperature calibration","max_temperature":"Max temperature","min_temperature":"Min temperature","motor_reversal":"Motor reversal","moving":"Moving","occupancy":"Occupancy","operation_mode":"Operation mode","options":"Options","position":"Position","power":"Power","power_on_behavior":"Power on behavior","power_outage_memory":"Power outage memory","preset":"Preset","pressure":"Pressure","sensivity":"Sensivity","smoke":"Smoke","state":"State","strength":"Strength","system_mode":"System mode","tamper":"Tamper","temperature":"Temperature","voltage":"Voltage","water_leak":"Water leak","week":"Week"},"extensions":{"create_new_extension":"Create new extension","extension_name_propmt":"Enter new extension name","select_extension_to_edit":"Select extension to edit"},"featureDescriptions":{"Auto off after specific time.":"Auto off after specific time.","Away mode":"Away mode","Away preset days":"Away preset days","Away preset temperature":"Away preset temperature","Boost time":"Boost time","Brightness of this light":"Brightness of this light","Calibration time":"Calibration time","Color of this light expressed as hue/saturation":"Color of this light expressed as hue/saturation","Color of this light in the CIE 1931 color space (x/y)":"Color of this light in the CIE 1931 color space (x/y)","Color temperature after cold power on of this light":"Color temperature after cold power on of this light","Color temperature of this light":"Color temperature of this light","Comfort temperature":"Comfort temperature","Controls the behavior when the device is powered on":"Controls the behavior when the device is powered on","Controls the behaviour when the device is powered on":"Controls the behaviour when the device is powered on","Current temperature measured on the device":"Current temperature measured on the device","Decoupled mode for center button":"Decoupled mode for center button","Decoupled mode for left button":"Decoupled mode for left button","Decoupled mode for right button":"Decoupled mode for right button","Eco temperature":"Eco temperature","Enable/disable auto lock":"Enable/disable auto lock","Enable/disable away mode":"Enable/disable away mode","Enables/disables physical input on the device":"Enables/disables physical input on the device","Enables/disables window detection on the device":"Enables/disables window detection on the device","Enabling prevents both relais being on at the same time":"Enabling prevents both relais being on at the same time","Force the valve position":"Force the valve position","Indicates if CO (carbon monoxide) is detected":"Indicates if CO (carbon monoxide) is detected","Indicates if the battery of this device is almost empty":"Indicates if the battery of this device is almost empty","Indicates if the contact is closed (= true) or open (= false)":"Indicates if the contact is closed (= true) or open (= false)","Indicates whether the device detected a water leak":"Indicates whether the device detected a water leak","Indicates whether the device detected occupancy":"Indicates whether the device detected occupancy","Indicates whether the device detected smoke":"Indicates whether the device detected smoke","Indicates whether the device is tampered":"Indicates whether the device is tampered","Instantaneous measured electrical current":"Instantaneous measured electrical current","Instantaneous measured power":"Instantaneous measured power","Link quality (signal strength)":"Link quality (signal strength)","Maximum temperature":"Maximum temperature","Measured electrical potential value":"Measured electrical potential value","Measured illuminance in lux":"Measured illuminance in lux","Measured relative humidity":"Measured relative humidity","Measured temperature value":"Measured temperature value","Minimum temperature":"Minimum temperature","Mode of this device (similar to system_mode)":"Mode of this device (similar to system_mode)","Mode of this device":"Mode of this device","Motor speed":"Motor speed","Offset to be used in the local_temperature":"Offset to be used in the local_temperature","On/off state of the switch":"On/off state of the switch","On/off state of this light":"On/off state of this light","Position of this cover":"Position of this cover","Position":"Position","Raw measured illuminance":"Raw measured illuminance","Recover state after power outage":"Recover state after power outage","Remaining battery in %":"Remaining battery in %","Side of the cube":"Side of the cube","Sum of consumed energy":"Sum of consumed energy","Temperature setpoint":"Temperature setpoint","The measured atmospheric pressure":"The measured atmospheric pressure","Triggered action (e.g. a button click)":"Triggered action (e.g. a button click)","Triggers an effect on the light (e.g. make light blink for a few seconds)":"Triggers an effect on the light (e.g. make light blink for a few seconds)","Voltage of the battery in millivolts":"Voltage of the battery in millivolts","Week format user for schedule":"Week format user for schedule"},"featureNames":{"action":"Action","angle_x":"Angle X","angle_y":"Angle Y","angle_z":"Angle Z","brightness":"Brightness","co2":"CO2","color_temp":"Color Temp","color_xy":"Color Xy","contact":"Contact","humidity":"Humidity","illuminance":"Illuminance","occupancy":"Occupancy","pressure":"Pressure","soil_moisture":"Soil Moisture","state":"State","temperature":"Temperature","tamper":"Tamper"},"groups":{"add_to_group":"Add to group","create_group":"Create group","new_group_id":"New group id","new_group_id_placeholder":"Specify group id if necessary","new_group_name":"New group name","new_group_name_placeholder":"example: my_bedroom_lights","remove_group":"Remove group","group_id":"Group ID","group_name":"Group Name","group_members":"Group members","group_scenes":"Group scenes"},"logs":{"empty_logs_message":"Nothing to display","filter_by_text":"Filter by text","show_only":"Show only"},"map":{"help_coordinator_link_description":"Solid lines are the link to the Coordinator","help_end_device_description":"Green means End Device","help_is_coordinator":"is Coordinator","help_lqi_description":"Link quality is between 0 - 255 (higher is better), values with / represents multiple types of links","help_router_description":"Blue means Router","help_router_links_description":"Dashed lines are the link with Routes","hide":"Click on me to hide","load":"Load map","loading":"Depending on the size of your network this can take somewhere between 10 seconds and 2 minutes."},"navbar":{"all":"All","dashboard":"Dashboard","devices":"Devices","disable_join":"Disable join","extensions":"Extensions","groups":"Groups","logs":"Logs","map":"Map","ota":"OTA","permit_join":"Permit join","restart":"Restart","settings":"Settings","toggle_dropdown":"Toggle dropdown","touchlink":"Touchlink"},"ota":{"check":"Check for new updates","check_all":"Check all","empty_ota_message":"You don\'t have any devices that support OTA","remaining_time":"Remaining time {{- remaining}}","update":"Update device firmware"},"settings":{"about":"About","advanced":"Advanced","availability":"Availability","blocklist":"Blocklist","coordinator_revision":"Coordinator revision","coordinator_type":"Coordinator type","donate":"Donate","donation_text":["Hello, %username%, here you can thank us for hardworking","Don\'t hesitate to say something nice as well ;)"],"download_state":"Download state","experimental":"Experimental","external_converters":"External converters","frontend":"Frontend","frontend_version":"Frontend version","main":"Main","mqtt":"MQTT","ota":"OTA updates","passlist":"Passlist","raw":"Raw","restart_zigbee2mqtt":"Restart Zigbee2MQTT","serial":"Serial","settings":"Settings","tools":"Tools","zigbee2mqtt_version":"Zigbee2MQTT version","translate":"Translate","stats":"Stats"},"settingsSchemaTranslations":{"advanced-title":"Advanced","advanced_availability_blacklist__title":"Availability blacklist (deprecated, use availability_blocklist)","advanced_availability_blocklist__description":"Prevent devices from being checked for availability","advanced_availability_blocklist__title":"Availability Blocklist","advanced_availability_passlist__description":"Only enable availability check for certain devices","advanced_availability_passlist__title":"Availability passlist","advanced_availability_whitelist__title":"Availability whitelist (deprecated, use passlist)","advanced_ext_pan_id__description":"Zigbee extended pan ID, changing requires repairing all devices!","advanced_ext_pan_id__title":"Ext Pan ID","advanced_log_output__description":"Output location of the log, leave empty to supress logging","advanced_log_output__title":"Log output","advanced_log_syslog-title":"syslog","blocklist__description":"Block devices from the network (by ieeeAddr)","blocklist__title":"Blocklist","experimental-title":"Experimental","external_converters__description":"You can define external converters to e.g. add support for a DiY device","external_converters__title":"External converters","frontend-title":"Frontend","mqtt-title":"MQTT","ota-title":"OTA updates","passlist__description":"Allow only certain devices to join the network (by ieeeAddr). Note that all devices not on the passlist will be removed from the network!","passlist__title":"Passlist","root__description":"Allow only certain devices to join the network (by ieeeAddr). Note that all devices not on the passlist will be removed from the network!","root_availability_blacklist__title":"Availability blacklist (deprecated, use availability_blocklist)","root_availability_blocklist__description":"Prevent devices from being checked for availability","root_availability_blocklist__title":"Availability Blocklist","root_availability_passlist__description":"Only enable availability check for certain devices","root_availability_passlist__title":"Availability passlist","root_availability_whitelist__title":"Availability whitelist (deprecated, use passlist)","root_debounce_ignore__description":"Protects unique payload values of specified payload properties from overriding within debounce time","root_debounce_ignore__title":"Ignore debounce","root_ext_pan_id__description":"Zigbee extended pan ID, changing requires repairing all devices!","root_ext_pan_id__title":"Ext Pan ID","root_filtered_attributes__description":"Allows to prevent certain attributes from being published","root_filtered_attributes__title":"Filtered attributes","root_filtered_optimistic__description":"Filter attributes from optimistic publish payload when calling /set. (This has no effect if optimistic is set to false).","root_filtered_optimistic__title":"Filtered optimistic attributes","root_log_output__description":"Output location of the log, leave empty to supress logging","root_log_output__title":"Log output","root_log_syslog-title":"syslog","serial-title":"Serial"},"touchlink":{"detected_devices_message":"Detected {{count}} touchlink devices.","rescan":"Scan again","scan":"Scan"},"values":{"clear":"Clear","closed":"Closed","false":"False","not_supported":"Not supported","occupied":"Occupied","open":"Open","supported":"Supported","true":"True","empty_string":"Empty string(\\"\\")","leaking":"Leaking","tampered":"Tampered"},"zigbee":{"actions":"Actions","attribute":"Attribute","battery":"Battery","block_join":"Block from joining again","cluster":"Cluster","dc_source":"DC Source","description":"Description","device_type":"Device type","endpoint":"Endpoint","firmware_build_date":"Firmware build date","firmware_version":"Firmware version","force_remove":"Force remove","friendly_name":"Friendly name","ieee_address":"IEEE Address","input_clusters":"Input clusters","interview_completed":"Interview completed","interview_failed":"Interview failed","interviewing":"Interviewing","last_seen":"Last seen","lqi":"LQI","mains_single_phase":"Mains (single phase)","manufacturer":"Manufacturer","max_rep_interval":"max rep interval","min_rep_change":"Min rep change","min_rep_interval":"Min rep interval","model":"Model","network_address":"Network address","none":"None","output_clusters":"Output clusters","pic":"Pic","power":"Power","power_level":"power level","reconfigure":"Reconfigure","remove_device":"Remove device","rename_device":"Rename device","select_attribute":"Select attribute","select_cluster":"Select cluster","support_status":"Support status","unsupported":"Unsupported","updating_firmware":"Updating firmware","update_Home_assistant_entity_id":"Update Home Assistant entity ID","zigbee_manufacturer":"Zigbee Manufacturer","zigbee_model":"Zigbee Model","device":"Device"},"scene":{"scene_id":"Scene ID","recall":"Recall","store":"Store","remove":"Remove","remove_all":"Remove all","add":"Add","select_scene":"Select Scene","scene_name":"Scene Name"},"stats":{"byType":"By device type","byPowerSource":"By power source","byVendor":"By vendor","byModel":"By model","total":"Total"}}');
|
4893
|
+
const en_namespaceObject = JSON.parse('{"common":{"action":"Action","actions":"Actions","apply":"Apply","attribute":"Attribute","bind":"Bind","check_all":"Check all","clear":"Clear","close":"Close","cluster":"Cluster","clusters":"Clusters","confirmation":"Confirmation prompt","delete":"Delete","destination":"Destination","devices":"Devices","dialog_confirmation_prompt":"Are you sure?","disable":"Disable","enter_search_criteria":"Enter search criteria","groups":"Groups","loading":"Loading...","none":"None","ok":"Ok","read":"Read","save":"Save","select_device":"Select device","select_endpoint":"Select endpoint","source_endpoint":"Source endpoint","the_only_endpoint":"The only endpoint","unbind":"Unbind","write":"Write"},"devicePage":{"about":"About","bind":"Bind","clusters":"Clusters","dev_console":"Dev console","exposes":"Exposes","reporting":"Reporting","settings":"Settings","settings_specific":"Settings (specific)","state":"State","scene":"Scene","unknown_device":"Unknown device"},"exposes":{"action":"Action","auto_off":"Auto off","away_mode":"Away mode","away_preset_days":"Away preset days","away_preset_temperature":"Away preset temperature","backlight_mode":"Backlight mode","battery":"Battery","battery_low":"Battery low","boost_time":"Boost time","brightness":"Brightness","calibration":"Calibration","carbon_monoxide":"Carbon monoxide","color_hs":"Color (HS)","color_temp":"Color temperature","color_temp_startup":"Startup color temp","color_xy":"Color (XY)","comfort_temperature":"Comfort temperature","consumer_connected":"Consumer connected","consumer_overload":"Consumer overload","contact":"Contact","current":"Current","current_heating_setpoint":"Current heating setpoint","eco_temperature":"Eco temperature","effect":"Effect","empty_exposes_definition":"Empty exposes definition","energy":"Energy","force":"Force","humidity":"Humidity","illuminance":"Illuminance","illuminance_lux":"Illuminance","led_disabled_night":"Led disabled night","linkquality":"Linkquality","local_temperature":"Local temperature","local_temperature_calibration":"Local temperature calibration","max_temperature":"Max temperature","min_temperature":"Min temperature","motor_reversal":"Motor reversal","moving":"Moving","occupancy":"Occupancy","operation_mode":"Operation mode","options":"Options","position":"Position","power":"Power","power_on_behavior":"Power on behavior","power_outage_memory":"Power outage memory","preset":"Preset","pressure":"Pressure","sensivity":"Sensivity","smoke":"Smoke","state":"State","strength":"Strength","system_mode":"System mode","tamper":"Tamper","temperature":"Temperature","voltage":"Voltage","water_leak":"Water leak","week":"Week"},"extensions":{"create_new_extension":"Create new extension","extension_name_propmt":"Enter new extension name","select_extension_to_edit":"Select extension to edit"},"featureDescriptions":{"Auto off after specific time.":"Auto off after specific time.","Away mode":"Away mode","Away preset days":"Away preset days","Away preset temperature":"Away preset temperature","Boost time":"Boost time","Brightness of this light":"Brightness of this light","Calibration time":"Calibration time","Color of this light expressed as hue/saturation":"Color of this light expressed as hue/saturation","Color of this light in the CIE 1931 color space (x/y)":"Color of this light in the CIE 1931 color space (x/y)","Color temperature after cold power on of this light":"Color temperature after cold power on of this light","Color temperature of this light":"Color temperature of this light","Comfort temperature":"Comfort temperature","Controls the behavior when the device is powered on":"Controls the behavior when the device is powered on","Controls the behaviour when the device is powered on":"Controls the behaviour when the device is powered on","Current temperature measured on the device":"Current temperature measured on the device","Decoupled mode for center button":"Decoupled mode for center button","Decoupled mode for left button":"Decoupled mode for left button","Decoupled mode for right button":"Decoupled mode for right button","Eco temperature":"Eco temperature","Enable/disable auto lock":"Enable/disable auto lock","Enable/disable away mode":"Enable/disable away mode","Enables/disables physical input on the device":"Enables/disables physical input on the device","Enables/disables window detection on the device":"Enables/disables window detection on the device","Enabling prevents both relais being on at the same time":"Enabling prevents both relais being on at the same time","Force the valve position":"Force the valve position","Indicates if CO (carbon monoxide) is detected":"Indicates if CO (carbon monoxide) is detected","Indicates if the battery of this device is almost empty":"Indicates if the battery of this device is almost empty","Indicates if the contact is closed (= true) or open (= false)":"Indicates if the contact is closed (= true) or open (= false)","Indicates whether the device detected a water leak":"Indicates whether the device detected a water leak","Indicates whether the device detected occupancy":"Indicates whether the device detected occupancy","Indicates whether the device detected smoke":"Indicates whether the device detected smoke","Indicates whether the device is tampered":"Indicates whether the device is tampered","Instantaneous measured electrical current":"Instantaneous measured electrical current","Instantaneous measured power":"Instantaneous measured power","Link quality (signal strength)":"Link quality (signal strength)","Maximum temperature":"Maximum temperature","Measured electrical potential value":"Measured electrical potential value","Measured illuminance in lux":"Measured illuminance in lux","Measured relative humidity":"Measured relative humidity","Measured temperature value":"Measured temperature value","Minimum temperature":"Minimum temperature","Mode of this device (similar to system_mode)":"Mode of this device (similar to system_mode)","Mode of this device":"Mode of this device","Motor speed":"Motor speed","Offset to be used in the local_temperature":"Offset to be used in the local_temperature","On/off state of the switch":"On/off state of the switch","On/off state of this light":"On/off state of this light","Position of this cover":"Position of this cover","Position":"Position","Raw measured illuminance":"Raw measured illuminance","Recover state after power outage":"Recover state after power outage","Remaining battery in %":"Remaining battery in %","Side of the cube":"Side of the cube","Sum of consumed energy":"Sum of consumed energy","Temperature setpoint":"Temperature setpoint","The measured atmospheric pressure":"The measured atmospheric pressure","Triggered action (e.g. a button click)":"Triggered action (e.g. a button click)","Triggers an effect on the light (e.g. make light blink for a few seconds)":"Triggers an effect on the light (e.g. make light blink for a few seconds)","Voltage of the battery in millivolts":"Voltage of the battery in millivolts","Week format user for schedule":"Week format user for schedule"},"featureNames":{"action":"Action","angle_x":"Angle X","angle_y":"Angle Y","angle_z":"Angle Z","brightness":"Brightness","co2":"CO2","color_temp":"Color Temp","color_xy":"Color Xy","contact":"Contact","humidity":"Humidity","illuminance":"Illuminance","occupancy":"Occupancy","pressure":"Pressure","soil_moisture":"Soil Moisture","state":"State","temperature":"Temperature","tamper":"Tamper"},"groups":{"add_to_group":"Add to group","create_group":"Create group","new_group_id":"New group id","new_group_id_placeholder":"Specify group id if necessary","new_group_name":"New group name","new_group_name_placeholder":"example: my_bedroom_lights","remove_group":"Remove group","group_id":"Group ID","group_name":"Group Name","group_members":"Group members","group_scenes":"Group scenes"},"logs":{"empty_logs_message":"Nothing to display","filter_by_text":"Filter by text","show_only":"Show only"},"map":{"help_coordinator_link_description":"Solid lines are the link to the Coordinator","help_end_device_description":"Green means End Device","help_is_coordinator":"is Coordinator","help_lqi_description":"Link quality is between 0 - 255 (higher is better), values with / represents multiple types of links","help_router_description":"Blue means Router","help_router_links_description":"Dashed lines are the link with Routes","hide":"Click on me to hide","load":"Load map","loading":"Depending on the size of your network this can take somewhere between 10 seconds and 2 minutes."},"navbar":{"all":"All","dashboard":"Dashboard","devices":"Devices","disable_join":"Disable join","extensions":"Extensions","groups":"Groups","logs":"Logs","map":"Map","ota":"OTA","permit_join":"Permit join","restart":"Restart","settings":"Settings","toggle_dropdown":"Toggle dropdown","touchlink":"Touchlink"},"ota":{"check":"Check for new updates","check_all":"Check all","empty_ota_message":"You don\'t have any devices that support OTA","remaining_time":"Remaining time {{- remaining}}","update":"Update device firmware"},"settings":{"about":"About","advanced":"Advanced","availability":"Availability","blocklist":"Blocklist","coordinator_revision":"Coordinator revision","coordinator_type":"Coordinator type","donate":"Donate","donation_text":["Hello, %username%, here you can thank us for hardworking","Don\'t hesitate to say something nice as well ;)"],"download_state":"Download state","experimental":"Experimental","external_converters":"External converters","frontend":"Frontend","frontend_version":"Frontend version","main":"Main","mqtt":"MQTT","ota":"OTA updates","passlist":"Passlist","raw":"Raw","restart_zigbee2mqtt":"Restart Zigbee2MQTT","serial":"Serial","settings":"Settings","tools":"Tools","zigbee2mqtt_version":"Zigbee2MQTT version","translate":"Translate","stats":"Stats"},"settingsSchemaTranslations":{"advanced-title":"Advanced","advanced_availability_blacklist__title":"Availability blacklist (deprecated, use availability_blocklist)","advanced_availability_blocklist__description":"Prevent devices from being checked for availability","advanced_availability_blocklist__title":"Availability Blocklist","advanced_availability_passlist__description":"Only enable availability check for certain devices","advanced_availability_passlist__title":"Availability passlist","advanced_availability_whitelist__title":"Availability whitelist (deprecated, use passlist)","advanced_ext_pan_id__description":"Zigbee extended pan ID, changing requires repairing all devices!","advanced_ext_pan_id__title":"Ext Pan ID","advanced_log_output__description":"Output location of the log, leave empty to supress logging","advanced_log_output__title":"Log output","advanced_log_syslog-title":"syslog","blocklist__description":"Block devices from the network (by ieeeAddr)","blocklist__title":"Blocklist","experimental-title":"Experimental","external_converters__description":"You can define external converters to e.g. add support for a DiY device","external_converters__title":"External converters","frontend-title":"Frontend","mqtt-title":"MQTT","ota-title":"OTA updates","passlist__description":"Allow only certain devices to join the network (by ieeeAddr). Note that all devices not on the passlist will be removed from the network!","passlist__title":"Passlist","root__description":"Allow only certain devices to join the network (by ieeeAddr). Note that all devices not on the passlist will be removed from the network!","root_availability_blacklist__title":"Availability blacklist (deprecated, use availability_blocklist)","root_availability_blocklist__description":"Prevent devices from being checked for availability","root_availability_blocklist__title":"Availability Blocklist","root_availability_passlist__description":"Only enable availability check for certain devices","root_availability_passlist__title":"Availability passlist","root_availability_whitelist__title":"Availability whitelist (deprecated, use passlist)","root_debounce_ignore__description":"Protects unique payload values of specified payload properties from overriding within debounce time","root_debounce_ignore__title":"Ignore debounce","root_ext_pan_id__description":"Zigbee extended pan ID, changing requires repairing all devices!","root_ext_pan_id__title":"Ext Pan ID","root_filtered_attributes__description":"Allows to prevent certain attributes from being published","root_filtered_attributes__title":"Filtered attributes","root_filtered_optimistic__description":"Filter attributes from optimistic publish payload when calling /set. (This has no effect if optimistic is set to false).","root_filtered_optimistic__title":"Filtered optimistic attributes","root_log_output__description":"Output location of the log, leave empty to supress logging","root_log_output__title":"Log output","root_log_syslog-title":"syslog","serial-title":"Serial"},"touchlink":{"detected_devices_message":"Detected {{count}} touchlink devices.","rescan":"Scan again","scan":"Scan"},"values":{"clear":"Clear","closed":"Closed","false":"False","not_supported":"Not supported","occupied":"Occupied","open":"Open","supported":"Supported","true":"True","empty_string":"Empty string(\\"\\")","leaking":"Leaking","tampered":"Tampered"},"zigbee":{"actions":"Actions","attribute":"Attribute","battery":"Battery","block_join":"Block from joining again","cluster":"Cluster","dc_source":"DC Source","description":"Description","device_type":"Device type","endpoint":"Endpoint","firmware_build_date":"Firmware build date","firmware_version":"Firmware version","force_remove":"Force remove","friendly_name":"Friendly name","ieee_address":"IEEE Address","input_clusters":"Input clusters","interview_completed":"Interview completed","interview_failed":"Interview failed","interviewing":"Interviewing","last_seen":"Last seen","lqi":"LQI","mains_single_phase":"Mains (single phase)","manufacturer":"Manufacturer","max_rep_interval":"max rep interval","min_rep_change":"Min rep change","min_rep_interval":"Min rep interval","model":"Model","network_address":"Network address","none":"None","output_clusters":"Output clusters","pic":"Pic","power":"Power","power_level":"power level","reconfigure":"Reconfigure","remove_device":"Remove device","rename_device":"Rename device","select_attribute":"Select attribute","select_cluster":"Select cluster","support_status":"Support status","unsupported":"Unsupported","updating_firmware":"Updating firmware","update_Home_assistant_entity_id":"Update Home Assistant entity ID","zigbee_manufacturer":"Zigbee Manufacturer","zigbee_model":"Zigbee Model","device":"Device","channel":"Channel"},"scene":{"scene_id":"Scene ID","recall":"Recall","store":"Store","remove":"Remove","remove_all":"Remove all","add":"Add","select_scene":"Select Scene","scene_name":"Scene Name"},"stats":{"byType":"By device type","byPowerSource":"By power source","byVendor":"By vendor","byModel":"By model","total":"Total"}}');
|
4908
4894
|
;// CONCATENATED MODULE: ./src/i18n/locales/fr.json
|
4909
4895
|
const locales_fr_namespaceObject = JSON.parse('{"common":{"action":"Action","actions":"Actions","apply":"Appliquer","attribute":"Attribut","bind":"Lier","check_all":"Cocher tout","clear":"Vider","close":"Fermer","cluster":"Cluster","clusters":"Clusters","confirmation":"Confirmation","delete":"Effacer","destination":"Destination","devices":"Périphériques","dialog_confirmation_prompt":"Êtes-vous sûr ?","disable":"Désactiver","enter_search_criteria":"Entrez le critère de recherche","groups":"Groupes","loading":"Chargement...","none":"Aucun(e)","ok":"Ok","read":"Lecture","save":"Sauver","select_device":"Choix Périph","select_endpoint":"Choix endpoint","source_endpoint":"Endpoint Source","the_only_endpoint":"Le seul endpoint","unbind":"Délier","unknown":"Inconnu","write":"Ecriture"},"devicePage":{"about":"À propos","bind":"Lien","clusters":"Clusters","dev_console":"Console dev","exposes":"Expose","reporting":"Rapports","settings":"Paramètres","settings_specific":"Paramètres (Spécifiques)","state":"Etat","scene":"Scène","unknown_device":"Périphérique inconnu"},"exposes":{"action":"Action","auto_off":"Arrêt automatique","away_mode":"Mode absent","away_preset_days":"Préréglage jours d\'absence","away_preset_temperature":"Préréglage température d\'absence","backlight_mode":"Mode Rétroéclairage","battery":"Batterie","battery_low":"Batterie faible","boost_time":"Temp de boost","brightness":"Luminosité","calibration":"Calibration","carbon_monoxide":"Monoxyde de carbone","co2":"Dioxyde de carbone","color_hs":"Couleur (HS)","color_temp":"Temp Couleur","color_temp_startup":"Temp Couleur à l\'allumage","color_xy":"Couleur (XY)","comfort_temperature":"Température de confort","consumer_connected":"Consommateur connecté","consumer_overload":"Consommateur surchargé","contact":"Contact","current":"Courant","current_heating_setpoint":"Consigne chauffage actuelle","device_temperature":"Température Périph","eco_temperature":"Température éco","effect":"Effet","empty_exposes_definition":"Vider définition d\'expositions","energy":"Energie","force":"Force","humidity":"Humidité","illuminance":"Éclairement","illuminance_lux":"Éclairement","led_disabled_night":"Désactivation LED en nuit","linkquality":"Qualité du lien","local_temperature":"Température locale","local_temperature_calibration":"Calibration température locale","max_temperature":"Température max","min_temperature":"Température min","motion":"Mouvement","motion_direction":"Direction Mouvement","motion_speed":"Vitesse Mouvement","motor_reversal":"Inversion moteur","moving":"Déplacement","occupancy":"Occupation","operation_mode":"Mode d\'opération","options":"Options","position":"Position","power":"Puissance","power_on_behavior":"Comportement d\'allumage","power_outage_memory":"Mémoire Panne de courant","presence":"Présence","preset":"Préréglage","pressure":"Pression","Pressure":"Pression","sensivity":"Sensibilité","smoke":"Fumée","state":"Etat","strength":"Force","system_mode":"Mode du système","tamper":"Sabotage","temperature":"Temperature","voltage":"Voltage","water_leak":"Fuite d\'eau","week":"Semaine"},"extensions":{"create_new_extension":"Créer une nouvelle extension","extension_name_propmt":"Entrez le nom de l\'extension","select_extension_to_edit":"Choisir l\'extension à modifier"},"featureNames":{"action":"Action","action_angle":"Angle d\'action","action_from_side":"Action venant de la face","action_side":"Face active","action_to_side":"Action vers la face","alarm":"Alarme","angle_x":"Angle X","angle_y":"Angle Y","angle_z":"Angle Z","auto_lock":"Verrouillage automatique","brightness":"Luminosité","calibration_time":"Temps de calibration","carbon_monoxide":"Monoxyde de carbone","child_lock":"Verrouillage Enfant","co2":"Dioxyde de carbone","color_hs":"Couleur Hue/Sat","color_temp":"Temp Couleur","color_temp_startup":"Temp Couleur au démarrage","color_xy":"Couleur Xy","consumer_connected":"Consommateur connecté","contact":"Contact","current":"Actuel","humidity":"Humidité","illuminance":"Éclairement","occupancy":"Occupation","on_off_transition_time":"Temps de transition allumé/éteint","options":"Options","pressure":"Pression","soil_moisture":"Humidité Sol","state":"État","temperature":"Température","tamper":"Sabotage","current_heating_setpoint":"Consigne de chauffe actuelle","current_level_startup":"Niveau actuel au démarrage","device_temperature":"Température du périph","energy":"Energie","local_temperature":"Température Locale","level_config":"Configuration du niveau","system_mode":"Mode du Système","local_temperature_calibration":"Calibration Température Locale","motion":"Mouvement","motion_direction":"Direction du mouvement","motion_speed":"Vitesse du mouvement","motor_speed":"Vitesse moteur","moving":"En mouvement","away_mode":"Mode Absence","position":"Position","power":"Puissance","presence":"Présence","preset":"Préréglage","programming_mode":"Mode Programmé","program_weekday":"Programme Jours de semaine","program_saturday":"Programme Samedi","program_sunday":"Programme Dimanche","smoke":"Fumée","smoke_density":"Densité de fumée","state_l1":"Etat L 1","state_l2":"Etat L 2","state_l3":"Etat L 3","state_l4":"Etat L 4","valve_detection":"Détection valve","voltage":"Voltage","water_leak":"Fuite d\'eau","window_detection":"Détection fenêtre","window":"Fenêtre"},"featureDescriptions":{"Auto off after specific time.":"Extinction automatique après un temps défini.","On/off state of this light":"Etat Allumé/Eteint de cette lumière","Brightness of this light":"Luminosité de cette lumière","Triggers an effect on the light (e.g. make light blink for a few seconds)":"Exécute un effet sur la lumière (ex : faire clignoter quelques secondes)","Controls the behavior when the device is powered on":"Contrôle le comportement lorsque le périphérique est allumé","Controls the behaviour when the device is powered on":"Contrôle le comportement lorsque le périphérique est allumé","Link quality (signal strength)":"Qualité du lien (force du signal)","Calibrates the humidity value (absolute offset), takes into effect on next report of device.":"Calibration de la valeur d\'humidité (décalage absolu), pris en compte au prochain rapport du périph.","Calibrates the illuminance value (percentual offset), takes into effect on next report of device.":"Calibration de la valeur d\'éclairement (décalage en pourcent), pris en compte au prochain rapport du périph.","Calibrates the illuminance_lux value (percentual offset), takes into effect on next report of device.":"Calibration de la valeur d\'éclairement (lux) (décalage en pourcent), pris en compte au prochain rapport du périph.","Calibrates the pressure value (absolute offset), takes into effect on next report of device.":"Calibration de la pression (décalage absolu), pris en compte au prochain rapport du périph.","Calibrates the temperature value (absolute offset), takes into effect on next report of device.":"Calibration de la température (décalage absolu), pris en compte au prochain rapport du périph.","Calibration time":"Temps de calibration","Color of this light expressed as hue/saturation":"Couleur de cette lumière exprimée en hue/saturation","Color temperature after cold power on of this light":"Température couleur après un allumage à froid de cette lumière","direction of movement from the point of view of the radar":"Direction du mouvement du point de vue du radar","Enabling prevents both relais being on at the same time":"Activer ceci permet d\'éviter que les deux relais soient activés ensemble","Indicates if CO (carbon monoxide) is detected":"Indique si du CO (monoxyde de carbone) est détecté","Remaining battery in %":"Batterie restante en %","Triggered action (e.g. a button click)":"Action déclenchée (ex : un clic bouton)","Measured temperature value":"Valeur de température mesurée","Measured relative humidity":"Valeur d\'humidité relative mesurée","The measured atmospheric pressure":"Valeur de pression atmosphérique mesurée","Voltage of the battery in millivolts":"Voltage de la batterie en millivolts","Indicates if the contact is closed (= true) or open (= false)":"Indique si le contact est fermé (= vrai) ou ouvert (= faux)","Indicates whether the device detected occupancy":"Indique si le périphérique a détecté une occupation","Indicates whether the device detected a water leak":"Indique si le périphérique a détecté une fuite d\'eau","Indicates whether the device detected presence":"Indique si le périphérique a détecté une présence","Indicates whether the device detected smoke":"Indique si le périphérique a détecté de la fumée","Instantaneous measured electrical current":"Mesure instantanée du courant électrique","Instantaneous measured power":"Mesure instantanée de la puissance électrique","Measured electrical potential value":"Valeur de Potentiel électrique mesurée","Motor speed":"Vitesse moteur","moving inside the range of the sensor":"Indique si un mouvement a été détecté dans le rayon du radar.","Number of digits after decimal point for humidity, takes into effect on next report of device.":"Nombre de décimales pour l\'humidité, pris en compte au prochain rapport du périph.","Number of digits after decimal point for illuminance_lux, takes into effect on next report of device.":"Nombre de décimales pour l\'éclairement (lux), pris en compte au prochain rapport du périph.","Number of digits after decimal point for illuminance, takes into effect on next report of device.":"Nombre de décimales pour l\'éclairement, pris en compte au prochain rapport du périph.","Number of digits after decimal point for pressure, takes into effect on next report of device.":"Nombre de décimales pour la pression, pris en compte au prochain rapport du périph.","Number of digits after decimal point for temperature, takes into effect on next report of device.":"Nombre de décimales pour la température, pris en compte au prochain rapport du périph.","Measured illuminance in lux":"Valeur d\'éclairement mesurée en lux","Indicates if the battery of this device is almost empty":"Indique si la batterie du périphérique est presque vide","Indicates whether the device is tampered":"Indique si le périphérique a été saboté","Color temperature of this light":"Température de couleur de cette lumière","Color of this light in the CIE 1931 color space (x/y)":"Couleur de cette lumière dans l\'espace couleur CIE 1931 (x/y)","Enables/disables physical input on the device":"Active/Désactive le verrouillage du périphérique","Enables/disables window detection on the device":"Active/Désactive la détection de fenêtre du périphérique","Position":"Position","Position of this cover":"Position du couvercle","presets for sensivity for presence and movement":"préréglage de sensibilité pour la présence et le mouvement","Raw measured illuminance":"Eclairement brut mesuré","Recover state after power outage":"Etat récupéré après coupure de courant","Sends a message the last time occupancy was detected. When setting this for example to [10, 60] a `{\\"no_occupancy_since\\": 10}` will be send after 10 seconds and a `{\\"no_occupancy_since\\": 60}` after 60 seconds.":"Envoi un message la dernière fois qu\'une occupation a été détectée. Si vous configurez par exemple [10, 60] , un `{\\"no_occupancy_since\\": 10}` sera envoyé après 10 secondes et un `{\\"no_occupancy_since\\": 60}` après 60 secondes.","sensitivity of the radar":"sensibilité du radar","Set to false to disable the legacy integration (highly recommended), will change structure of the published payload (default true).":"Mettre à Faux pour désactiver l\'ancienne intégration (fortement recommandé), changera la structure du payload publié (Vrai par défaut).","Side of the cube":"Face du cube","Speed of movement":"Vitesse du mouvement","Sum of consumed energy":"Somme d\'énergie consommée en kW/h","Time in seconds after which occupancy is cleared after detecting it (default 90 seconds).":"Temps en seconde après lequel l\'occupation est à nouveau vide après detection (90 secondes par défaut).","Temperature setpoint":"Consigne Température","Current temperature measured on the device":"Température Actuelle mesurée sur le périphérique","Mode of this device":"Mode du périphérique","Offset to be used in the local_temperature":"Décalage à appliquer sur la local_temperature","Away mode":"Mode absence","Mode of this device (similar to system_mode)":"Mode du périphérique (similaire à system_mode)","Enable/disable auto lock":"Active/Désactive auto-verrouillage","Enable/disable away mode":"Active/Désactive mode absent","Away preset days":"Jours d\'absence pré-définis","Boost time":"Durée de Boost","Comfort temperature":"Température Confort","Eco temperature":"Température Eco","Force the valve position":"Forcer la position de la valve","Maximum temperature":"Température Max","Minimum temperature":"Température Min","Week format user for schedule":"Format semaine du calendrier","Away preset temperature":"Température Absent pré-définie","On/off state of the switch":"Etat Allumé/Eteint de l\'interrupteur","ECO mode (energy saving mode)":"Mode éco (mode d\'économie d\'énergie)","Window status closed or open ":"Statut Fenêtre fermée ou ouverte ","MANUAL MODE ☝ - In this mode, the device executes manual temperature setting. When the set temperature is lower than the \\"minimum temperature\\", the valve is closed (forced closed). PROGRAMMING MODE ⏱ - In this mode, the device executes a preset week programming temperature time and temperature. HOLIDAY MODE ⛱ - In this mode, for example, the vacation mode is set for 10 days and the temperature is setto 15 degrees Celsius. After 10 days, the device will automatically switch to programming mode. TEMPORARY MANUAL MODE - In this mode, ☝ icon will flash. At this time, the device executes the manually set temperature and returns to the weekly programming mode in the next time period. ":"MODE PROGRAMMING ⏱ - Dans ce mode, la vanne utilise un horaire prédéfini d\'heures et de température pour la semaine. MODE MANUAL ☝ - Dans ce mode, la vanne utilise le paramètre de température manuelle. Lorsque la température définie est plus basse que la \\"température minimale\\", la vanne est fermée (de manière forcée). MODE TEMPORARY MANUAL - Dans ce mode, l\'icone ☝ clignottera. À ce moment, la vanne utilisera la température définie manuellement et reviendra au mode Programming à la prochaine période de temps. MODE HOLIDAY ⛱ - Dans ce mode, si par exemple le mode vacance est mis pour 10 jours et la température à 15°C. Après 10 jours, la vanne repassera en mode Programming. ","PROGRAMMING MODE ⏱ - In this mode, the device executes a preset week programming temperature time and temperature. ":"MODE PROGRAMMING ⏱ - Dans ce mode, la vanne utilise un horaire prédéfini d\'heures et de température pour la semaine. ","Boost Heating: press and hold \\"+\\" for 3 seconds, the device will enter the boost heating mode, and the ▷╵◁ will flash. The countdown will be displayed in the APP":"Boost Chauffage: appuyez et maintenez \\"+\\" pour 3 secondes, la vanne entrera en mode Boost Chauffage, et l\'icone ▷╵◁ clignottera. Le décompte sera affiché dans l\'app","Countdown in minutes":"Décompte en minutes","Boost Time Setting 100 sec - 900 sec, (default = 300 sec)":"Paramètre du temp de Boost 100 sec - 900 sec, (defaut = 300 sec)"},"groups":{"add_to_group":"Ajouter au groupe","create_group":"Créer groupe","new_group_id":"Nouvel ID groupe","new_group_id_placeholder":"Spécifiez l\'ID groupe si nécessaire","new_group_name":"Nouveau nom de groupe","new_group_name_placeholder":"exemple: mes_lumières_chambre","remove_group":"Supprimer groupe","group_id":"ID Groupe","group_name":"Nom Groupe","group_members":"Membres Groupe","group_scenes":"Scènes Groupe"},"logs":{"empty_logs_message":"Rien à afficher","filter_by_text":"Filtrer sur le texte","show_only":"Niveau"},"map":{"help_coordinator_link_description":"Les lignes pleines sont les liens avec le Coordinateur","help_end_device_description":"Les Périphérique Terminaux sont en vert","help_is_coordinator":"est le Coordinateur","help_lqi_description":"La qualité de lien est entre 0 - 255 (plus c\'est haut mieux c\'est), les valeurs avec un / représentent plusieurs types de liens","help_router_description":"Les Routeurs sont en bleu","help_router_links_description":"Les lignes en pointillés sont les liens avec les Routeurs","hide":"Cliquez-moi pour me cacher","load":"Charger le schéma","loading":"En fonction de la taille de votre réseau, ceci peut prendre entre 10 secondes et 2 minutes."},"navbar":{"all":"Tout","dashboard":"Tableau de bord","devices":"Périphériques","disable_join":"Désactiver Appairage","extensions":"Extensions","groups":"Groupes","logs":"Journaux","map":"Schéma","ota":"MàJ OTA","permit_join":"Activer Appairage","restart":"Redémarrer","settings":"Paramètres","toggle_dropdown":"Bascule menu","touchlink":"Touchlink"},"ota":{"check":"Vérifier nouvelles MàJ","check_all":"Vérifier tout","empty_ota_message":"Vous n\'avez aucun périphérique supportant les MàJ OTA","remaining_time":"Temps restant {{- remaining}}","update":"MàJ firmware des périphériques"},"settings":{"about":"À propos","advanced":"Avancé","availability":"Disponibilité","blocklist":"Liste de blocage","coordinator_revision":"Révision du Coordinateur","coordinator_type":"Type de Coordinateur","donate":"Don","donation_text":["Salut, %username%, vous pouvez ici nous remercier pour notre dur labeur","N\'hésitez pas à nous laisser un petit mot gentil ;)"],"download_state":"Téléchargement de l\'état","experimental":"Expérimental","external_converters":"Convertisseurs Externes","frontend":"Interface","frontend_version":"Version Interface","main":"Principal","mqtt":"MQTT","ota":"MàJ OTA","passlist":"Autorisés","raw":"Brut","restart_zigbee2mqtt":"Redémarrer Zigbee2MQTT","serial":"Port Série","settings":"Paramètres","tools":"Outils","zigbee2mqtt_version":"Version Zigbee2MQTT","translate":"Traduire"},"settingsSchemaTranslations":{"advanced-title":"Avancé","advanced_availability_blacklist__title":"Liste noire disponibilité (déprécié, utilisez Liste blocage disponibilité)","advanced_availability_blocklist__description":"Empèche que certains périphériques soient vérifiés pour la disponibilité","advanced_availability_blocklist__title":"Liste blocage disponibilité","advanced_availability_passlist__description":"Activer la disponibilité seulement sur certains périphériques","advanced_availability_passlist__title":"Liste autorisation disponibilité","advanced_availability_whitelist__title":"Liste blanche disponibilité (déprécié, utilisez Liste autorisation disponibilité)","advanced_ext_pan_id__description":"ID pan étendu zigbee, tout changement imposera un ré-appairage de tous les périphériques!","advanced_ext_pan_id__title":"ID Pan étendu","advanced_log_output__description":"Localisation des journaux de sorties, laissez vide pour supprimer la journalisation","advanced_log_output__title":"Journaux de Sortie","advanced_log_syslog-title":"syslog","blocklist__description":"Bloquer les périphériques sur le réseau (par adresse IEEE)","blocklist__title":"Liste blocage","experimental-title":"Expérimental","external_converters__description":"Vous pouvez définir des convertisseurs externes pour par exemple ajouter un support pour un périphérique fait maison","external_converters__title":"Convertisseurs externes","frontend-title":"Interface","mqtt-title":"MQTT","ota-title":"MàJ OTA","passlist__description":"Autorise seulement certains périphériques à joindre le réseau (par adresse ieee). Notez que tous les périphériques qui ne sont pas dans cette liste seront retirés du réseau !","passlist__title":"Liste autorisation","root-title":"Port Série","root__description":"Autoriser seulement certains périphériques à joindre le réseau (par adresse IEEE). Notez que tous les périphériques absents de la liste seront retirés du réseau!","root__title":"Liste Autorisation","root_availability_blacklist__title":"Liste noire disponibilité (déprécié, utilisez Liste blocage disponibilité)","root_availability_blocklist__description":"Empèche que certains périphériques soient vérifiés pour la disponibilité","root_availability_blocklist__title":"Liste blocage disponibilité","root_availability_passlist__description":"Activer la disponibilité seulement sur certains périphériques","root_availability_passlist__title":"Liste autorisation disponibilité","root_availability_whitelist__title":"Liste blanche disponibilité (déprécié, utilisez Liste autorisation disponibilité)","root_debounce_ignore__description":"Protège les valeurs des propriétés spécifiées d\'être remplacées pendant le temps d\'anti-rebond","root_debounce_ignore__title":"Ignorer anti-rebond","root_ext_pan_id__description":"ID pan étendu zigbee, tout changement imposera un ré-appairage de tous les périphériques!","root_ext_pan_id__title":"ID Pan étendu","root_filtered_attributes__description":"Permet d\'empêcher la publication de certains attributs","root_filtered_attributes__title":"Attributs filtrés","root_log_output__description":"Localisation des journaux de sorties, laissez vide pour supprimer la journalisation","root_log_output__title":"Journaux de Sortie","root_log_syslog-title":"syslog","serial-title":"Port Série","root_filtered_optimistic__title":"Attibuts optimistes filtrés","root_filtered_optimistic__description":"Attributs filtrés de la publication optimiste lors de l\'appel de /set. (Aucun effet si optimiste est à faux)."},"touchlink":{"detected_devices_message":"{{count}} périphériques Touchlink détectés.","rescan":"Rescanner","scan":"Scanner"},"values":{"clear":"RàS","Clear":"Inactif","closed":"Fermé","Closed":"Fermé","occupied":"Occupé","Occupied":"Occupé","open":"Ouvert","Open":"Ouvert","shake":"Secoué","slide":"Glissé","true":"Vrai","leaking":"Fuite","tampered":"Saboté","supported":"Supporté","not_supported":"Non supporté","null":"Nul","false":"Faux","empty_string":"Chaîne vide (\\"\\")","tap":"Tappé","wakeup":"Réveillé","fall":"Tombé"},"zigbee":{"actions":"Actions","attribute":"Attribut","battery":"Batterie","block_join":"Bloquer tout nouvel appairage","cluster":"Cluster","dc_source":"Source DC","description":"Description","device_type":"Type de Périph","device":"Périphérique","endpoint":"Endpoint","firmware_build_date":"Date Firmware","firmware_version":"Version Firmware","force_remove":"Forcer la suppression","friendly_name":"Nom Simplifié","ieee_address":"Adresse IEEE","input_clusters":"Clusters Entrants","interview_completed":"Interview terminé","interview_failed":"Echec de l\'Interview","interviewing":"Interview en cours","last_seen":"Vu il y a","lqi":"LQI","mains_single_phase":"Réseau (phase simple)","manufacturer":"Constructeur","max_rep_interval":"Interval max réponse","min_rep_change":"Changement min réponse","min_rep_interval":"Interval min réponse","model":"Modèle","network_address":"Adresse réseau","none":"Aucun(e)","output_clusters":"Clusters Sortants","pic":"Img","power":"Alim","power_level":"Niveau de charge","reconfigure":"Reconfigurer","remove_device":"Supprimer le périph","rename_device":"Renommer le périph","select_attribute":"Choisir Attribut","select_cluster":"Choisir Cluster","support_status":"Supporté","unsupported":"Non Supporté","updating_firmware":"Firmware en cours de MàJ","update_Home_assistant_entity_id":"MàJ de l\'ID d\'entité Home Assistant","zigbee_model":"Modèle Zigbee","zigbee_manufacturer":"Constructeur Zigbee"},"scene":{"scene_id":"ID Scène","scene_name":"Nom Scène","recall":"Rappeler","select_scene":"Choisir Scène","store":"Stocker","remove":"Supprimer","remove_all":"Supprimer tout","add":"Ajouter"}}');
|
4910
4896
|
;// CONCATENATED MODULE: ./src/i18n/locales/pl.json
|
@@ -4918,7 +4904,7 @@ const locales_ptbr_namespaceObject = JSON.parse('{"common":{"action":"Ação","a
|
|
4918
4904
|
;// CONCATENATED MODULE: ./src/i18n/locales/es.json
|
4919
4905
|
const locales_es_namespaceObject = JSON.parse('{"common":{"action":"Acción","actions":"Acciones","apply":"Aplicar","attribute":"Atributo","bind":"Enlazar","check_all":"Comprobar todo","clear":"Limpiar","close":"Cerrar","cluster":"Cluster","clusters":"Clusters","the_only_endpoint":"El único endpoint","confirmation":"Mensaje de confirmación","delete":"Borrar","destination":"Destino","devices":"Dispositivos","dialog_confirmation_prompt":"¿Estas seguro?","disable":"Deshabilitar","enter_search_criteria":"Introduce el criterio de busqueda","groups":"Grupos","loading":"Cargando...","none":"Ninguno","ok":"Ok","read":"Leer","save":"Guardar","select_device":"Seleccionar dispositivo","select_endpoint":"Seleccionar endpoint","source_endpoint":"Endpoint de origen","unbind":"Desenlazar","write":"Escribir"},"devicePage":{"about":"Acerca de","bind":"Unir","clusters":"Clusters","dev_console":"Consola de Desarrollo","exposes":"Expone","reporting":"Reportando","settings":"Ajustes","settings_specific":"Ajustes (especificos)","state":"Estado","unknown_device":"Dispositivo desconocido"},"exposes":{"action":"Acción","auto_off":"Apagado automático","away_mode":"Modo ausente","away_preset_days":"Días preestablecidos ausentes","away_preset_temperature":"Temperatura prestablecida ausente","backlight_mode":"Modo luz de fondo","battery":"Batería","battery_low":"Batería baja","boost_time":"Tiempo de impulsión","brightness":"Brillo","calibration":"Calibración","carbon_monoxide":"Monóxido de carbono","color_hs":"Color (HS)","color_temp":"Temperatura de colore","color_temp_startup":"Temperatura de color de inicio","color_xy":"Color (XY)","comfort_temperature":"Temperatura de Comfort","consumer_connected":"Consumidor conectado","consumer_overload":"Sobrecarga del consumidorConsumer overload","contact":"Contacto","current":"Actual","current_heating_setpoint":"Punto de ajuste de calor","eco_temperature":"Temperatura Eco","effect":"Efecto","energy":"Energía","force":"Forzar","humidity":"Humedad","illuminance":"Iluminación","illuminance_lux":"Iluminación","led_disabled_night":"Led deshabilitado por la noche","linkquality":"Calidad de enlace","local_temperature":"Temperatura local","local_temperature_calibration":"Calibración de temperatura local","max_temperature":"Máxima temperatura","min_temperature":"Mínima temperatura","motor_reversal":"Inversión del motor","moving":"En movimiento","occupancy":"Ocupación","operation_mode":"Modo de operación","options":"Opciones","position":"Posición","power":"Potencia","power_on_behavior":"Comportamiento de encendido","power_outage_memory":"Memoria de corte de energía","preset":"Preestablecido","pressure":"Presión","sensivity":"Sensivity","smoke":"Humo","state":"Estado","strength":"Fuerza","system_mode":"Modo de sistema","tamper":"Manipulado","temperature":"Temperatura","voltage":"Voltaje","water_leak":"Fuga de agua","week":"Semana"},"extensions":{"create_new_extension":"Crear una nueva extensión","extension_name_propmt":"Introduce un nuevo nombre de extensión","select_extension_to_edit":"Selecciona la extensión para ediar"},"featureNames":{"action":"Acción","angle_x":"Ángulo X","angle_y":"Ángulo Y","angle_z":"Ángulo Z","brightness":"Brillo","color_temp":"Temperatura de color","color_xy":"Color Xy","contact":"Contacto","current":"Corriente","energy":"Energía","humidity":"Humedad","illuminance":"Iluminación","occupancy":"Ocupación","power":"Consumo","pressure":"Presión","smoke":"Humo","smoke_density":"Densidad del humo","soil_moisture":"Humedad del suelo","state":"Estado","tamper":"Manipulación","temperature":"Temperatura","voltage":"Voltaje","water_leak":"Fuga de agua"},"groups":{"add_to_group":"Añadir a un grupo","create_group":"Crear grupo","new_group_id":"Nuevo id de grupo","new_group_id_placeholder":"Especifica el id de grupo si es necesario","new_group_name":"Nuevo nombre de grupo ","new_group_name_placeholder":"ejemplo: luces_del_dormitorio","remove_group":"Eliminar grupo"},"logs":{"empty_logs_message":"No hay nada que mostrar","filter_by_text":"Filtrar por texto","show_only":"Mostar solo"},"map":{"help_coordinator_link_description":"Las líneas continuas son el enlace al Coordinador","help_end_device_description":"Verde significa dispositivo final","help_is_coordinator":"es el Coordinador","help_lqi_description":"La calidad del enlace está entre 0 - 255 (cuanto más alto mejor), valores con / representan multiples tipos de enlaces","help_router_description":"Azul significa Router","help_router_links_description":"Las líneas discontinuas son el enlace con los Routers","hide":"Haz clic para ocultar","load":"Cargar mapa","loading":"Dependiendo del tamaño de su red, puede tardar entre 10 segundos y 2 minutos."},"navbar":{"all":"Todos","dashboard":"Panel","devices":"Dispositivos","disable_join":"Deshabilitar el unirse","extensions":"Extensiones","groups":"Grupos","logs":"Registros","map":"Mapa","ota":"OTA","permit_join":"Permitir unirse","restart":"Reiniciar","settings":"Ajustes","toggle_dropdown":"Alternar desplegable","touchlink":"Touchlink"},"ota":{"check":"Comprobar actualizaciones","check_all":"Comprobar todo","empty_ota_message":"No tienes ningún dispositivo compatible con OTA","remaining_time":"Tiempo restante {{- remaining}}","update":"Actualizar el firmware del dispositivos"},"settings":{"about":"Acerca de","advanced":"Avanzado","blocklist":"Bloqueados","coordinator_revision":"Versión de Coordinador","coordinator_type":"Tipo de Coordinador","donate":"Donar","donation_text":["Hola, %username%, aquí puedes agradecernos por trabajar tan duro","No dudes en decir algo bueno también ;)"],"download_state":"Descargar estado","experimental":"Experimental","external_converters":"Convertidores externos","frontend":"Interfaz","frontend_version":"Versión de Interfaz","main":"Principal","mqtt":"MQTT","ota":"Actualizaciones OTA","passlist":"Lista de acceso","raw":"Raw","restart_zigbee2mqtt":"Reiniciar Zigbee2MQTT","serial":"Serie","settings":"Ajustes","tools":"Herramientas","translate":"Traducir","zigbee2mqtt_version":"Versión de Zigbee2MQTT"},"settingsSchemaTranslations":{"advanced-title":"Avanzado","advanced_availability_blacklist__title":"Lista negra de disponibilidad (en desuso, utilizar la lista de bloqueo)","advanced_availability_blocklist__description":"Evitar que se compruebe la disponibilidad de los dispositivos","advanced_availability_blocklist__title":"Lista de bloqueo","advanced_availability_passlist__description":"Solo habilite la verificación de disponibilidad para ciertos dispositivos","advanced_availability_passlist__title":"Lista de acceso","advanced_availability_whitelist__title":"Lista blanca de disponibilidad (en desuso, usar la lista de acceso)","advanced_ext_pan_id__description":"Zigbee extended PAN ID, !atención cambiarlo requiere emparejar todos los dispositivos¡","advanced_ext_pan_id__title":"Ext Pan ID","advanced_log_output__description":"Ubicación de salida del registro, dejalo vacío para suprimir el registro","advanced_log_output__title":"Salida del registro","advanced_log_syslog-title":"syslog","blocklist__description":"Bloquear dispositivos de la red (por su ieeeAddr)","blocklist__title":"Lista de bloqueo","experimental-title":"Experimental","external_converters__description":"Puedes establecer convertidores externos para por ejemplo añadir el soporte para un dispositivo Diy","external_converters__title":"Convertidores externos","frontend-title":"Interfaz","mqtt-title":"MQTT","ota-title":"Actualizaciones OTA","passlist__description":"Permitir unicamente a ciertos dispositivos unirse a la red (identificados por ieeeAddr). !Ten en cuenta que todos los dispositivos que no esten en la lista seran eliminados de la red¡","passlist__title":"Lista de comprobación","root-title":"Serie","root__description":"Permitir que solo ciertos dispositivos puedan unirse a la red, (por su ieeeAddr). Ten en cuenta que todos los dispositivos que no esten en la lista de acceso, se eliminaran.","root__title":"Lista de acceso","root_availability_blacklist__title":"Lista negra de disponibilidad (en desuso, utilizar la lista de bloqueo)","root_availability_blocklist__description":"Evitar que se compruebe la disponibilidad de los dispositivos","root_availability_blocklist__title":"Lista de bloqueo","root_availability_passlist__description":"Solo habilite la verificación de disponibilidad para ciertos dispositivos","root_availability_passlist__title":"Lista de acceso","root_availability_whitelist__title":"Lista blanca de disponibilidad (en desuso, usar la lista de acceso)","root_debounce_ignore__description":"Protects unique payload values of specified payload properties from overriding within debounce time","root_debounce_ignore__title":"Ignore debounce","root_ext_pan_id__description":"Zigbee extended PAN ID, !atención cambiarlo requiere emparejar todos los dispositivos¡","root_ext_pan_id__title":"Ext Pan ID","root_filtered_attributes__description":"Permite evitar la publicación de ciertos atributos","root_filtered_attributes__title":"Atributos filtrados","root_log_output__description":"Ubicación de salida del registros, dejalo vacío para eliminar el registro","root_log_output__title":"Salida del registro","root_log_syslog-title":"syslog","serial-title":"Serie"},"touchlink":{"detected_devices_message":"Detectados {{count}} dispositivos touchlink.","rescan":"Buscar de nuevo","scan":"Buscar"},"values":{"clear":"Limpio","closed":"Cerrado","false":"Falso","leaking":"Fuga","not_supported":"No soportado","null":"Nulo","occupied":"Ocupado","open":"Abierto","supported":"Soportado","tampered":"Manipulado","true":"Verdadero"},"zigbee":{"attribute":"Atributo","block_join":"Bloquear para no unirse de nuevo","cluster":"Cluster","description":"Descripción","device_type":"Tipo de dispositivo","endpoint":"Endpoint","firmware_build_date":"Fecha del Firmware","firmware_version":"Versión de Firmware","force_remove":"Forzar la eliminación","friendly_name":"Nombre amigable","ieee_address":"Dirección IEEE","input_clusters":"Clusters entrada","interview_completed":"Entrevista completa","last_seen":"Ultima vez visto","lqi":"LQI","manufacturer":"Fabricante","max_rep_interval":"Intervalo Max de replicación","min_rep_change":"Cambio Min replicación","min_rep_interval":"Intervalo Min de replicación","model":"Modelo","network_address":"Dirección de red","output_clusters":"Clusters de salida","pic":"Foto","power":"Potencia","reconfigure":"Reconfigurar","remove_device":"Eliminar dispositivo","rename_device":"Renombrar dispositivo","select_attribute":"Seleccionar atributo","select_cluster":"Seleccionar cluster","support_status":"Soportado","unsupported":"No soportado","update_Home_assistant_entity_id":"Actualizar el ID de entidad de Home Assistant","zigbee_manufacturer":"Fabricante Zigbee","zigbee_model":"Modelo Zigbee "}}');
|
4920
4906
|
;// CONCATENATED MODULE: ./src/i18n/locales/ua.json
|
4921
|
-
const locales_ua_namespaceObject = JSON.parse('{"common":{"action":"Дія","actions":"Дії","apply":"Застосувати","attribute":"Атрибут","bind":"Зв\'язати","check_all":"Відмітити все","clear":"Очистити","close":"Закрити","cluster":"Кластер","clusters":"Кластери","confirmation":"Запит підтвердження","delete":"Видалити","destination":"Ціль","devices":"Прилади","dialog_confirmation_prompt":"Ви впевнені?","disable":"Відключити","enter_search_criteria":"Введіть параметри пошуку","groups":"Групи","loading":"Завантажується...","none":"Ні","ok":"OK","read":"Читати","save":"Зберегти","select_device":"Виберіть прилад","select_endpoint":"Виберіть ціль","source_endpoint":"Початкова кінечна точка","the_only_endpoint":"Єдина ціль","unbind":"Відв\'язати","unknown":"Невідомо","write":"Записати"},"devicePage":{"about":"Про прилад","bind":"Зв\'язок","clusters":"Кластери","dev_console":"Консоль розробника","exposes":"Експонує","reporting":"Звіти","scene":"Сцени","settings":"Налаштування","settings_specific":"Налаштування (особливі)","state":"Стан","unknown_device":"Невідомий прилад"},"exposes":{"action":"Дія","auto_off":"Автовимкнення","away_mode":"Режим від\'їзду","away_preset_days":"Пресети днів від\'їзду","away_preset_temperature":"Пресети температури від\'їзду","backlight_mode":"Режим підсвітки","battery":"Заряд батареї","battery_low":"Низький заряд батареї","boost_time":"Час прискорення","brightness":"Яскравість","calibration":"Калібрування","carbon_monoxide":"Чадний газ","co2":"Вуглекислий газ","color_hs":"Колір відтінок/насиченість","color_temp":"Кольорова температура","color_temp_startup":"Кольорова температура при старті","color_xy":"Колір (XY)","comfort_temperature":"Комфортна температура","consumer_connected":"Споживач підключений","consumer_overload":"Споживача перевантажений","contact":"Контакт","current":"Струм","current_heating_setpoint":"Встановлене значення опалення","device_temperature":"Температура приладу","eco_temperature":"Економічна температура","effect":"Ефект","empty_exposes_definition":"Немає виставленнь","energy":"Енергія","force":"Примусово","humidity":"Вологість","illuminance":"Освітленість","illuminance_lux":"Освітленість люкс","led_disabled_night":"Нічний режим індикатора","linkquality":"Якість звя\'зку","local_temperature":"Місцева температура","local_temperature_calibration":"Калибрування місцевої температуры","max_temperature":"Макс. температура","min_temperature":"Мін. температура","motion":"Рух","motion_direction":"Напрямок руху","motion_speed":"Швидкість руху","motor_reversal":"Зворотній хід двигуна","moving":"Рух","occupancy":"Присутність","operation_mode":"Режим роботи","options":"Опції","position":"Позиція","power":"Живлення","power_on_behavior":"Поведінка при ввімкнені","power_outage_memory":"Пам\'ять після вимкнення єнергії","preset":"Пресет","presence":"Присутність","pressure":"Тиск","sensivity":"Чутливість","smoke":"Дим","state":"Стан","strength":"Сила","system_mode":"Системний режим","tamper":"Втручання","temperature":"Температура","voltage":"Напруга","water_leak":"Протікання","week":"Тиждень"},"extensions":{"create_new_extension":"Створити нове розширення","extension_name_propmt":"Введіть назву нового розширення","select_extension_to_edit":"Виберіть розширення для редагування"},"featureNames":{"action":"Дія","action_angle":"Кут дії","action_from_side":"Дія зі сторони","action_side":"Сторона дії","action_to_side":"Дія в сторону","alarm":"Тривога","angle_x":"Кут X","angle_y":"Кут Y","angle_z":"Кут Z","auto_lock":"Автоматичне блокування","away_mode":"Режим від\'їзду","brightness":"Яскравість","calibration_time":"Час калібрування","carbon_monoxide":"Чадний газ","child_lock":"Блокування від дітей","co2":"Вуглекислий газ","color_hs":"Колір відтінок/насиченість","color_temp":"Кольорова температура","color_temp_startup":"Кольорова темппратура при старті","color_xy":"Колір Xy","consumer_connected":"Споживач приєднаний","contact":"Контакт","current":"Струм","current_heating_setpoint":"Цільова температура нагріву","current_level_startup":"Встановлений рівень запуску","device_temperature":"Температура приладу","energy":"Енергія","holidays_schedule":"Святкові","humidity":"Вологість","illuminance":"Освітленість","level_config":"Конфігурація рівня","local_temperature":"Локальна температура","local_temperature_calibration":"Калібрування локальної температури","motion":"Рух","motion_direction":"Напрямок руху","motion_speed":"Швидкість руху","motor_speed":"Швидкість двигуна","moving":"Рух","occupancy":"Присутність","on_off_transition_time":"Увім./Вимк. час переходу","options":"Опції","position":"Положення","power":"Споживання енергії","presence":"Присутність","preset":"Пресети","programming_mode":"Режим прог.","program_weekday":"Програма буденних днів","program_saturday":"Програма суботи","program_sunday":"Програма неділі","pressure":"Тиск","smoke":"Дим","smoke_density":"Густина диму","soil_moisture":"Вологість грунту","state":"Стан","state_l1":"Стан L 1","state_l2":"Стан L 2","state_l3":"Стан L 3","state_l4":"Стан L 4","system_mode":"Режим системи","tamper":"Втручання","temperature":"Температура","valve_detection":"Виявлення клапана","vibration":"Вібрація","voltage":"Напруга","water_leak":"Витік води","week":"Тиждень","window_detection":"Виявлення вікна","window":"Вікно","workdays_schedule":"Робочі"},"featureDescriptions":{"Auto off after specific time.":"Автоматичне вимкнення протягом певного часу","Away mode":"Режим від\'їзду","Away preset days":"Пресети днів від\'їзду","Away preset temperature":"Пресети температур від\'їзду","Boost Heating: press and hold \\"+\\" for 3 seconds, the device will enter the boost heating mode, and the ▷╵◁ will flash. The countdown will be displayed in the APP":"Прискорення нагріву: натисніть і утримуйте \\"+\\" протягом 3-х секунд, клапан перейде в режим прискорення нагріву, а позначка ▷╵◁ почне блимати. Підрахунок буде відображатися в додатку ","Boost time":"Час прискорення","Boost Time Setting 100 sec - 900 sec, (default = 300 sec)":"Налаштування часу прискорення 100 сек - 900 сек, (за замовчуванням = 300 сек)","Brightness of this light":"Яскравість джерела світла","Calibrates the humidity value (absolute offset), takes into effect on next report of device.":"Калібрує значення вологості (абсолютне зміщення), вступає в силу при наступному звіті приладу.","Calibrates the illuminance value (percentual offset), takes into effect on next report of device.":"Калібрує значення освітленності (абсолютне зміщення), вступає в силу при наступному звіті приладу.","Calibrates the illuminance_lux value (percentual offset), takes into effect on next report of device.":"Калібрує значення освітленності в люксах (абсолютне зміщення), вступає в силу при наступному звіті приладу.","Calibrates the pressure value (absolute offset), takes into effect on next report of device.":"Калібрує значення тиску (абсолютне зміщення), вступає в силу при наступному звіті приладу.","Calibrates the temperature value (absolute offset), takes into effect on next report of device.":"Калібрує значення температури (абсолютне зміщення), вступає в силу при наступному звіті приладу.","Calibration time":"Час калібрування","Color of this light expressed as hue/saturation":"Колір джерела світла переводиться в віддтінок/насиченість","Color of this light in the CIE 1931 color space (x/y)":"Колір лампи в кольоровому просторі CIE 1931 (x/y)","Color temperature after cold power on of this light":"Кольорова температура після вимкнення електроенергії","Color temperature of this light":"Кольорова температура джерела світла","Comfort temperature":"Комфортна температура","Controls the behaviour when the device is powered on":"Контролює поведінку при ввімкнені приладу","Current temperature measured on the device":"Поточна температура, виміряна приладом","Countdown in minutes":"Зворотній відлік у хвилинах","Decoupled mode for center button":"Відокремлений режим для центральної кнопки","Decoupled mode for left button":"Відокремлений режим для лівої кнопки","Decoupled mode for right button":"Відокремлений режим для правої кнопки","Direction of movement from the point of view of the radar":"Вказує напрямок руху з точки зору радару","ECO mode (energy saving mode)":"Режим ECO (режим енергозбереження)","Eco temperature":"Еко температура","Enable/disable auto lock":"Увім./вимк. автоматичне блокування","Enable/disable away mode":"Увім./вимк. режим від\'їзду","Enables/disables physical input on the device":"Увімк./вимк. фізичне введення на приладі","Enables/disables window detection on the device":"Увімк./вимк. виявлення вікон на приладі","Enabling prevents both relais being on at the same time":"Увімкнення запобігає одночасному ввімкненню обох реле","Force the valve position":"Прискорити положення клапана","Indicates if CO (carbon monoxide) is detected":"Виявлення СО (окису вуглецю)","Indicates if the battery of this device is almost empty":"Батарея приладу майже розряджена","Indicates if the contact is closed (= true) or open (= false)":"Стан контакту замкнутий (= true) чи розімкнений (= false)","Indicates whether the device detected a water leak":"Виявлення протікання води","Indicates whether the device detected occupancy":"Виявлення приладом присутності","Indicates whether the device detected presence":"Виявлення приладом присутності","Indicates whether the device detected smoke":"Виявлення приладом диму","Indicates whether the device is tampered":"Втручання в роботу приладу","Indicates whether the device detected vibration":"Виявлення приладом вібрації","Instantaneous measured electrical current":"Миттєве значення сили струму","Instantaneous measured power":"Миттєве виміряне значення потужності","Link quality (signal strength)":"Якість зв\'язку (сила сигналу)","Maximum temperature":"Максимальна температура","Measured electrical potential value":"Виміряне значення напруги","Measured illuminance in lux":"Виміряне значення освітленості в люксах","Measured relative humidity":"Виміряне значення вологості","Measured temperature value":"Виміряне значення температури","Minimum temperature":"Мінімальна температура","Mode of this device":"Режим приладу","Mode of this device (similar to system_mode)":"Режим приладу (подібний до Системного режиму)","Moving inside the range of the sensor":"Виявлення переміщення в межах діапазону датчика","Motor speed":"Швидкість двигуна","Number of digits after decimal point for humidity, takes into effect on next report of device.":"Кількість знаків після коми для вологості, вступає в силу при наступному звіті приладу.","Number of digits after decimal point for illuminance, takes into effect on next report of device.":"Кількість знаків після коми для освітленності, вступає в силу при наступному звіті приладу.","Number of digits after decimal point for illuminance_lux, takes into effect on next report of device.":"Кількість знаків після коми для освітленності в люксах, вступає в силу при наступному звіті приладу.","Number of digits after decimal point for pressure, takes into effect on next report of device.":"Кількість знаків після коми для тиску, вступає в силу при наступному звіті приладу.","Number of digits after decimal point for temperature, takes into effect on next report of device.":"Кількість знаків після коми для температури, вступає в силу при наступному звіті приладу.","Offset to be used in the local_temperature":"Здвиг для локальної температури","On/off state of the switch":"Увім./вимк. положення перемикача","On/off state of this light":"Увім./вимк. джерело освітлення","Position":"Позиція","Position of this cover":"Позиція штори (занавіски)","Presets for sensivity for presence and movement":"Пресети для чутливості присутності та руху","PROGRAMMING MODE ⏱ - In this mode, the device executes a preset week programming temperature time and temperature. ":"РЕЖИМ ПРОГРАМУВАННЯ ⏱ - У цьому режимі клапан використовує заздалегідь визначений розклад годин і температури на тиждень.","Raw measured illuminance":"Не оброблене виміряне значення освітленності","Recover state after power outage":"Відновити стан після вимкнення живлення","Remaining battery in %":"Залишок батареї у відсотках","Sends a message the last time occupancy was detected. When setting this for example to [10, 60] a `{\\"no_occupancy_since\\": 10}` will be send after 10 seconds and a `{\\"no_occupancy_since\\": 60}` after 60 seconds.":"Надсилає повідомлення, коли востаннє було виявлено присутність. Якщо встановити, наприклад, значення [10, 60], `{\\"no_occupancy_since\\": 10}` буде надіслано через 10 секунд, а `{\\"no_occupancy_since\\": 60}` через 60 секунд.","Sensitivity of the radar":"Чутливість радара","Set to false to disable the legacy integration (highly recommended), will change structure of the published payload (default true).":"Встановіть значення false, щоб вимкнути стару інтеграцію (рекомендовано), це змінить структуру опублікованого корисного навантаження (за замовчуванням true).","Side of the cube":"Сторона куба","Schedule MODE ⏱ - In this mode, the device executes a preset week programming temperature time and temperature.":"РЕЖИМ розкладу ⏱ - У цьому режимі прилад виконує задане тижневе програмування температури та часу температури.","Speed of movement":"Швидкість руху","Sum of consumed energy":"Сума витраченої енергії","Temperature setpoint":"Задана температура","The measured atmospheric pressure":"Виміряне значення атмосферного тиску","Time in seconds after which occupancy is cleared after detecting it (default 90 seconds).":"Час у секундах, після якого присутність скидається після її виявлення (за замовчуванням 90 секунд).","Time in seconds after which vibration is cleared after detecting it (default 90 seconds).":"Час у секундах, після якого вібрація скидається після її виявлення (за замовчуванням 90 секунд).","Triggered action (e.g. a button click)":"Виклик дії (наприклад натискання кнопки)","Triggers an effect on the light (e.g. make light blink for a few seconds)":"Створює еффект на світло (наприклад, змушує світло блимати протягом децількох хвилин)","Voltage of the battery in millivolts":"Напруга батареї в мілівольтах","Week format user for schedule":"Тижневий формат користувача для планування","Window status closed or open ":"Стан вікна закрите або відкрити"},"groups":{"add_to_group":"Додати в групу","create_group":"Створити групу","group_id":"Ідентифікатор групи","group_name":"Назва групи","group_members":"Члени групи","group_scenes":"Групові сцени","new_group_id":"Новий ідентифікатор групи","new_group_id_placeholder":"Вкажіть ідентификатор групи, якщо необхідно","new_group_name":"Назва нової групи","new_group_name_placeholder":"Приклад: my_bedroom_lights","remove_group":"Видалити групу"},"logs":{"empty_logs_message":"Немає інформації для відображення","filter_by_text":"Фільтрувати за текстом","show_only":"Показати тільки"},"map":{"help_coordinator_link_description":" Суцільні лінії - звязок з Координатором","help_end_device_description":" Зелений - Кінцевий пристрій","help_is_coordinator":" - Координатор","help_lqi_description":" Якість звя\'зку в діапазоні 0 - 255 (більше - краще). Значення через дріб позначають декілька типів з\'єднань","help_router_description":" Блакитний - Роутер","help_router_links_description":" Пунктирні лінії - звязок з Роутерами","hide":" Натисніть, щоб приховати цей текст","load":"Завантажити мапу","loading":"В залежності від розміру Вашої мережі, це може тривати від 10 секунд до 2 хвилин."},"navbar":{"all":"Всі","dashboard":"Панель приладів","devices":"Прилади","disable_join":"Заборонити приєднання","extensions":"Розширення","groups":"Групи","logs":"Журнали","map":"Мапа","ota":"OTA","permit_join":"Дозволити приєднання","restart":"Перезавантажити","settings":"Налаштування","toggle_dropdown":"Перемкнути випадаючий список","touchlink":"Touchlink"},"ota":{"check":"Перевірити на наявність нових оновлень","check_all":"Перевірити все","empty_ota_message":"У Вас немає приладів, що підтримують оновлення через повітря (OTA)","remaining_time":"Часу залишилось {{- remaining}}","update":"Оновити прошивку приладу"},"scene":{"add":"Додати","recall":"Викликати","remove":"Видалити","remove_all":"Видалити все","scene_id":"Ідентифікатор сцени","scene_name":"Назва сцени","select_scene":"Вибір сцени","store":"Зберегти"},"settings":{"about":"Про програму","advanced":"Розширені","availability":"Доступність","blocklist":"Список заборон","coordinator_revision":"Версія координатора","coordinator_type":"Тип координатора","donate":"Пожертвувати","donation_text":["Вітаю, %username%! Тут ви можете подякувати нам за нашу виконану роботу","Не соромтесь додати приємні побажання в коментарях ;)"],"download_state":"Завантажити стан","experimental":"Експерементальні","external_converters":"Зовнішні конвертори","frontend":"Інтерфейс","frontend_version":"Версія веб інтерфейсу","main":"Головні","mqtt":"MQTT","ota":"OTA","passlist":"Список дозволів","raw":"Вихідні дані","restart_zigbee2mqtt":"Перезавантажити Zigbee2MQTT","serial":"Serial-порт","settings":"Налаштування","tools":"Інструменти","translate":"Переклад","zigbee2mqtt_version":"Версія Zigbee2MQTT"},"settingsSchemaTranslations":{"advanced-title":"Розширені налаштування","advanced_availability_blacklist__title":"Список заборон доступності (застаріло, використовуйте список доступних_блоків)","advanced_availability_blocklist__description":"Запобігання перевірки наявності приладів","advanced_availability_blocklist__title":"Доступність списку заборон","advanced_availability_passlist__description":"Увімкнути перевірку доступності тільки для певних приладів","advanced_availability_passlist__title":"Доступність списку дозволів","advanced_availability_whitelist__title":"Білий список доступності (застаріло, використовуйте список доступу)","advanced_ext_pan_id__description":"Розширений ідентифікатор панорами Zigbee, зміна вимагає повторного підключення всіх приладів!","advanced_ext_pan_id__title":"Розш. ідентифікатор мережі (Ext Pan ID)","advanced_log_output__description":"Вихідне місце журналу, залиште порожнім, щоб вимкнути ведення журналу","advanced_log_output__title":"Виведення журналу","advanced_log_syslog-title":"Системний журнал","blocklist__description":"Блокування приладів із мережі (за допомогою ieeeAddr)","blocklist__title":"Список заборон","experimental-title":"Експериментальні налаштування","external_converters__description":"Ви можете визначити зовнішні конвертори, наприклад додайте підтримку приладу DiY","external_converters__title":"Зовнішні конвертори","frontend-title":"WEB-Інтерфейс","mqtt-title":"MQTT налаштування","ota-title":"OTA (Оновлення через повітря)","passlist__description":"Дозволити тільки визначеним приладам підключатися до мережі (за допомогою ieeeAddr). Зверніть увагу, що всі прилади, які не є у списку доступу, будуть вилучені з мережі!","passlist__title":"Список дозволів","root__description":"Дозволити під\'єднуватись до мережі тільки визначеним приладам (перевірка по ieeeAddr). Зверніть увагу, що всі прилади, не включені в список, будуть видалені з мережі!","root_availability_blacklist__title":"Список заборон перевірки доступності (застаріло, використовуйте availability_blocklist)","root_availability_blocklist__description":"Вилучити прилад із списку заборон перевірки на доступність","root_availability_blocklist__title":"Список заборон перевірки доступності","root_availability_passlist__description":"Ввімкнути перевірку доступності тільки для визначених приладів","root_availability_passlist__title":"Список дозволів перевірки доступності","root_availability_whitelist__title":"Список дозволів перевірки доступності (застаріло, використовуйте passlist)","root_debounce_ignore__description":"Дозволяє публікувати вказані атрибути без використання затримки фільтрації пакетів, що повторюються","root_debounce_ignore__title":"Ігнорувати фільтр пакетів, що повторюються","root_ext_pan_id__description":"Розширений ідентифікатор мережі Zigbee. Зміни вимагають повторного підключення всіх приладів!","root_ext_pan_id__title":"Розш. ідентифікатор мережі (Ext Pan ID)","root_filtered_attributes__description":"Дозволяє відключити публікацію вказаних атрибутів","root_filtered_attributes__title":"Фільтр атрибутів","root_filtered_optimistic__description":"Фільтрувати атрибути з оптимістичного корисного навантаження для публікації під час виклику /встановлення. (Це не впливає, якщо для параметра optimistic встановлено значення false).","root_filtered_optimistic__title":"Відфільтровані оптимістичні атрибути","root_log_output__description":"Папка, в якій будуть формуватися файли журналів. Залиште поле пустим для відключення файлів журналів.","root_log_output__title":"Папка для журналів","root_log_syslog-title":"Системний журнал","root-title":"Serial","root__title":"Passlist","serial-title":"Послідовний інтерфейс"},"touchlink":{"detected_devices_message":"Знайдено прилад, що підтримує швидке приєднання (touchlink): {{count}}.","rescan":"Повторити пошук","scan":"Пошук"},"values":{"clear":"не виявлено","closed":"закрито","empty_string":"порожній рядок","false":"ні","leaking":"витік","not_supported":"не підтримується","null":"нуль","occupied":"зайнято","open":"відкрито","supported":"підтримується","tampered":"зламано","true":"так"},"zigbee":{"actions":"Дії","attribute":"Атрибут","battery":"Батарея","block_join":"Блокувати подальші спроби приєднання","cluster":"Кластер","dc_source":"Джерело постійного струму","description":"Опис","device":"Прилад","device_type":"Тип приладу","endpoint":"Кінцева точка","firmware_build_date":"Дата створення прошивки","firmware_version":"Версія прошивки","force_remove":"Видалити примусово","friendly_name":"Дружня назва","ieee_address":"Адреса IEEE","input_clusters":"Кластери вводу","interview_completed":"Запит інформації про прилад закінчено","interview_failed":"Невдалий запит інформації про прилад","interviewing":"Запит інформації...","last_seen":"Останні дані","lqi":"LQI","mains_single_phase":"Мережа (однофазна)","manufacturer":"Виробник","max_rep_interval":"Макс.інт-л.звітів","min_rep_change":"Мін.інт-л.змін","min_rep_interval":"Мін.інт-л.звітів","model":"Модель","network_address":"Мережева адреса","none":"Нічого","output_clusters":"Кластери виводу","pic":"Мал.","power":"Живлення","power_level":"Рівень заряду","reconfigure":"Переналаштувати","remove_device":"Видалити прилад","rename_device":"Змінити назву приладу","select_attribute":"Виберіть атрибут","select_cluster":"Виберіть кластер","support_status":"Статус підтримки","unsupported":"Не підтримується","updating_firmware":"Прошивка оновлюється","update_Home_assistant_entity_id":"Оновити ідентифікатор об\'єкту Home Assistant","zigbee_manufacturer":"Виробник Zigbee","zigbee_model":"Модель Zigbee"}}');
|
4907
|
+
const locales_ua_namespaceObject = JSON.parse('{"common":{"action":"Дія","actions":"Дії","apply":"Застосувати","attribute":"Атрибут","bind":"Зв\'язати","check_all":"Відмітити все","clear":"Очистити","close":"Закрити","cluster":"Кластер","clusters":"Кластери","confirmation":"Запит підтвердження","delete":"Видалити","destination":"Ціль","devices":"Прилади","dialog_confirmation_prompt":"Ви впевнені?","disable":"Відключити","enter_search_criteria":"Введіть параметри пошуку","groups":"Групи","loading":"Завантажується...","none":"Ні","ok":"OK","read":"Читати","save":"Зберегти","select_device":"Виберіть прилад","select_endpoint":"Виберіть ціль","source_endpoint":"Початкова кінечна точка","the_only_endpoint":"Єдина ціль","unbind":"Відв\'язати","unknown":"Невідомо","write":"Записати"},"devicePage":{"about":"Про прилад","bind":"Зв\'язок","clusters":"Кластери","dev_console":"Консоль розробника","exposes":"Експонує","reporting":"Звіти","scene":"Сцени","settings":"Налаштування","settings_specific":"Налаштування (особливі)","state":"Стан","unknown_device":"Невідомий прилад"},"exposes":{"action":"Дія","auto_off":"Автовимкнення","away_mode":"Режим від\'їзду","away_preset_days":"Пресети днів від\'їзду","away_preset_temperature":"Пресети температури від\'їзду","backlight_mode":"Режим підсвітки","battery":"Заряд батареї","battery_low":"Низький заряд батареї","boost_time":"Час прискорення","brightness":"Яскравість","calibration":"Калібрування","carbon_monoxide":"Чадний газ","co2":"Вуглекислий газ","color_hs":"Колір відтінок/насиченість","color_temp":"Кольорова температура","color_temp_startup":"Кольорова температура при старті","color_xy":"Колір (XY)","comfort_temperature":"Комфортна температура","consumer_connected":"Споживач підключений","consumer_overload":"Споживача перевантажений","contact":"Контакт","current":"Струм","current_heating_setpoint":"Встановлене значення опалення","device_temperature":"Температура приладу","eco_temperature":"Економічна температура","effect":"Ефект","empty_exposes_definition":"Немає виставленнь","energy":"Енергія","force":"Примусово","humidity":"Вологість","illuminance":"Освітленість","illuminance_lux":"Освітленість люкс","led_disabled_night":"Нічний режим індикатора","linkquality":"Якість звя\'зку","local_temperature":"Місцева температура","local_temperature_calibration":"Калибрування місцевої температуры","max_temperature":"Макс. температура","min_temperature":"Мін. температура","motion":"Рух","motion_direction":"Напрямок руху","motion_speed":"Швидкість руху","motor_reversal":"Зворотній хід двигуна","moving":"Рух","occupancy":"Присутність","operation_mode":"Режим роботи","options":"Опції","position":"Позиція","power":"Живлення","power_on_behavior":"Поведінка при ввімкнені","power_outage_memory":"Пам\'ять після вимкнення єнергії","preset":"Пресет","presence":"Присутність","pressure":"Тиск","sensivity":"Чутливість","smoke":"Дим","state":"Стан","strength":"Сила","system_mode":"Системний режим","tamper":"Втручання","temperature":"Температура","voltage":"Напруга","water_leak":"Протікання","week":"Тиждень"},"extensions":{"create_new_extension":"Створити нове розширення","extension_name_propmt":"Введіть назву нового розширення","select_extension_to_edit":"Виберіть розширення для редагування"},"featureNames":{"action":"Дія","action_angle":"Кут дії","action_from_side":"Дія зі сторони","action_side":"Сторона дії","action_to_side":"Дія в сторону","alarm":"Тривога","angle_x":"Кут X","angle_y":"Кут Y","angle_z":"Кут Z","auto_lock":"Автоматичне блокування","away_mode":"Режим від\'їзду","brightness":"Яскравість","calibration_time":"Час калібрування","carbon_monoxide":"Чадний газ","child_lock":"Блокування від дітей","co2":"Вуглекислий газ","color_hs":"Колір відтінок/насиченість","color_temp":"Кольорова температура","color_temp_startup":"Кольорова темппратура при старті","color_xy":"Колір Xy","consumer_connected":"Споживач приєднаний","contact":"Контакт","current":"Струм","current_heating_setpoint":"Цільова температура нагріву","current_level_startup":"Встановлений рівень запуску","device_temperature":"Температура приладу","energy":"Енергія","holidays_schedule":"Святкові","humidity":"Вологість","illuminance":"Освітленість","level_config":"Конфігурація рівня","local_temperature":"Локальна температура","local_temperature_calibration":"Калібрування локальної температури","motion":"Рух","motion_direction":"Напрямок руху","motion_speed":"Швидкість руху","motor_speed":"Швидкість двигуна","moving":"Рух","occupancy":"Присутність","on_off_transition_time":"Увім./Вимк. час переходу","options":"Опції","position":"Положення","power":"Споживання енергії","presence":"Присутність","preset":"Пресети","programming_mode":"Режим прог.","program_weekday":"Програма буденних днів","program_saturday":"Програма суботи","program_sunday":"Програма неділі","pressure":"Тиск","smoke":"Дим","smoke_density":"Густина диму","soil_moisture":"Вологість грунту","state":"Стан","state_l1":"Стан L 1","state_l2":"Стан L 2","state_l3":"Стан L 3","state_l4":"Стан L 4","system_mode":"Режим системи","tamper":"Втручання","temperature":"Температура","valve_detection":"Виявлення клапана","vibration":"Вібрація","voltage":"Напруга","water_leak":"Витік води","week":"Тиждень","window_detection":"Виявлення вікна","window":"Вікно","workdays_schedule":"Робочі"},"featureDescriptions":{"Auto off after specific time.":"Автоматичне вимкнення протягом певного часу","Away mode":"Режим від\'їзду","Away preset days":"Пресети днів від\'їзду","Away preset temperature":"Пресети температур від\'їзду","Boost Heating: press and hold \\"+\\" for 3 seconds, the device will enter the boost heating mode, and the ▷╵◁ will flash. The countdown will be displayed in the APP":"Прискорення нагріву: натисніть і утримуйте \\"+\\" протягом 3-х секунд, клапан перейде в режим прискорення нагріву, а позначка ▷╵◁ почне блимати. Підрахунок буде відображатися в додатку ","Boost time":"Час прискорення","Boost Time Setting 100 sec - 900 sec, (default = 300 sec)":"Налаштування часу прискорення 100 сек - 900 сек, (за замовчуванням = 300 сек)","Brightness of this light":"Яскравість джерела світла","Calibrates the humidity value (absolute offset), takes into effect on next report of device.":"Калібрує значення вологості (абсолютне зміщення), вступає в силу при наступному звіті приладу.","Calibrates the illuminance value (percentual offset), takes into effect on next report of device.":"Калібрує значення освітленності (абсолютне зміщення), вступає в силу при наступному звіті приладу.","Calibrates the illuminance_lux value (percentual offset), takes into effect on next report of device.":"Калібрує значення освітленності в люксах (абсолютне зміщення), вступає в силу при наступному звіті приладу.","Calibrates the pressure value (absolute offset), takes into effect on next report of device.":"Калібрує значення тиску (абсолютне зміщення), вступає в силу при наступному звіті приладу.","Calibrates the temperature value (absolute offset), takes into effect on next report of device.":"Калібрує значення температури (абсолютне зміщення), вступає в силу при наступному звіті приладу.","Calibration time":"Час калібрування","Color of this light expressed as hue/saturation":"Колір джерела світла переводиться в віддтінок/насиченість","Color of this light in the CIE 1931 color space (x/y)":"Колір лампи в кольоровому просторі CIE 1931 (x/y)","Color temperature after cold power on of this light":"Кольорова температура після вимкнення електроенергії","Color temperature of this light":"Кольорова температура джерела світла","Comfort temperature":"Комфортна температура","Controls the behaviour when the device is powered on":"Контролює поведінку при ввімкнені приладу","Current temperature measured on the device":"Поточна температура, виміряна приладом","Countdown in minutes":"Зворотній відлік у хвилинах","Decoupled mode for center button":"Відокремлений режим для центральної кнопки","Decoupled mode for left button":"Відокремлений режим для лівої кнопки","Decoupled mode for right button":"Відокремлений режим для правої кнопки","Direction of movement from the point of view of the radar":"Вказує напрямок руху з точки зору радару","ECO mode (energy saving mode)":"Режим ECO (режим енергозбереження)","Eco temperature":"Еко температура","Enable/disable auto lock":"Увім./вимк. автоматичне блокування","Enable/disable away mode":"Увім./вимк. режим від\'їзду","Enables/disables physical input on the device":"Увімк./вимк. фізичне введення на приладі","Enables/disables window detection on the device":"Увімк./вимк. виявлення вікон на приладі","Enabling prevents both relais being on at the same time":"Увімкнення запобігає одночасному ввімкненню обох реле","Force the valve position":"Прискорити положення клапана","Indicates if CO (carbon monoxide) is detected":"Виявлення СО (окису вуглецю)","Indicates if the battery of this device is almost empty":"Батарея приладу майже розряджена","Indicates if the contact is closed (= true) or open (= false)":"Стан контакту замкнутий (= true) чи розімкнений (= false)","Indicates whether the device detected a water leak":"Виявлення протікання води","Indicates whether the device detected occupancy":"Виявлення приладом присутності","Indicates whether the device detected presence":"Виявлення приладом присутності","Indicates whether the device detected smoke":"Виявлення приладом диму","Indicates whether the device is tampered":"Втручання в роботу приладу","Indicates whether the device detected vibration":"Виявлення приладом вібрації","Instantaneous measured electrical current":"Миттєве значення сили струму","Instantaneous measured power":"Миттєве виміряне значення потужності","Link quality (signal strength)":"Якість зв\'язку (сила сигналу)","Maximum temperature":"Максимальна температура","Measured electrical potential value":"Виміряне значення напруги","Measured illuminance in lux":"Виміряне значення освітленості в люксах","Measured relative humidity":"Виміряне значення вологості","Measured temperature value":"Виміряне значення температури","Minimum temperature":"Мінімальна температура","Mode of this device":"Режим приладу","Mode of this device (similar to system_mode)":"Режим приладу (подібний до Системного режиму)","Moving inside the range of the sensor":"Виявлення переміщення в межах діапазону датчика","Motor speed":"Швидкість двигуна","Number of digits after decimal point for humidity, takes into effect on next report of device.":"Кількість знаків після коми для вологості, вступає в силу при наступному звіті приладу.","Number of digits after decimal point for illuminance, takes into effect on next report of device.":"Кількість знаків після коми для освітленності, вступає в силу при наступному звіті приладу.","Number of digits after decimal point for illuminance_lux, takes into effect on next report of device.":"Кількість знаків після коми для освітленності в люксах, вступає в силу при наступному звіті приладу.","Number of digits after decimal point for pressure, takes into effect on next report of device.":"Кількість знаків після коми для тиску, вступає в силу при наступному звіті приладу.","Number of digits after decimal point for temperature, takes into effect on next report of device.":"Кількість знаків після коми для температури, вступає в силу при наступному звіті приладу.","Offset to be used in the local_temperature":"Здвиг для локальної температури","On/off state of the switch":"Увім./вимк. положення перемикача","On/off state of this light":"Увім./вимк. джерело освітлення","Position":"Позиція","Position of this cover":"Позиція штори (занавіски)","Presets for sensivity for presence and movement":"Пресети для чутливості присутності та руху","PROGRAMMING MODE ⏱ - In this mode, the device executes a preset week programming temperature time and temperature. ":"РЕЖИМ ПРОГРАМУВАННЯ ⏱ - У цьому режимі клапан використовує заздалегідь визначений розклад годин і температури на тиждень.","Raw measured illuminance":"Не оброблене виміряне значення освітленності","Recover state after power outage":"Відновити стан після вимкнення живлення","Remaining battery in %":"Залишок батареї у відсотках","Sends a message the last time occupancy was detected. When setting this for example to [10, 60] a `{\\"no_occupancy_since\\": 10}` will be send after 10 seconds and a `{\\"no_occupancy_since\\": 60}` after 60 seconds.":"Надсилає повідомлення, коли востаннє було виявлено присутність. Якщо встановити, наприклад, значення [10, 60], `{\\"no_occupancy_since\\": 10}` буде надіслано через 10 секунд, а `{\\"no_occupancy_since\\": 60}` через 60 секунд.","Sensitivity of the radar":"Чутливість радара","Set to false to disable the legacy integration (highly recommended), will change structure of the published payload (default true).":"Встановіть значення false, щоб вимкнути стару інтеграцію (рекомендовано), це змінить структуру опублікованого корисного навантаження (за замовчуванням true).","Side of the cube":"Сторона куба","Schedule MODE ⏱ - In this mode, the device executes a preset week programming temperature time and temperature.":"РЕЖИМ розкладу ⏱ - У цьому режимі прилад виконує задане тижневе програмування температури та часу температури.","Speed of movement":"Швидкість руху","Sum of consumed energy":"Сума витраченої енергії","Temperature setpoint":"Задана температура","The measured atmospheric pressure":"Виміряне значення атмосферного тиску","Time in seconds after which occupancy is cleared after detecting it (default 90 seconds).":"Час у секундах, після якого присутність скидається після її виявлення (за замовчуванням 90 секунд).","Time in seconds after which vibration is cleared after detecting it (default 90 seconds).":"Час у секундах, після якого вібрація скидається після її виявлення (за замовчуванням 90 секунд).","Triggered action (e.g. a button click)":"Виклик дії (наприклад натискання кнопки)","Triggers an effect on the light (e.g. make light blink for a few seconds)":"Створює еффект на світло (наприклад, змушує світло блимати протягом децількох хвилин)","Voltage of the battery in millivolts":"Напруга батареї в мілівольтах","Week format user for schedule":"Тижневий формат користувача для планування","Window status closed or open ":"Стан вікна закрите або відкрити"},"groups":{"add_to_group":"Додати в групу","create_group":"Створити групу","group_id":"Ідентифікатор групи","group_name":"Назва групи","group_members":"Члени групи","group_scenes":"Групові сцени","new_group_id":"Новий ідентифікатор групи","new_group_id_placeholder":"Вкажіть ідентификатор групи, якщо необхідно","new_group_name":"Назва нової групи","new_group_name_placeholder":"Приклад: my_bedroom_lights","remove_group":"Видалити групу"},"logs":{"empty_logs_message":"Немає інформації для відображення","filter_by_text":"Фільтрувати за текстом","show_only":"Показати тільки"},"map":{"help_coordinator_link_description":" Суцільні лінії - звязок з Координатором","help_end_device_description":" Зелений - Кінцевий пристрій","help_is_coordinator":" - Координатор","help_lqi_description":" Якість звя\'зку в діапазоні 0 - 255 (більше - краще). Значення через дріб позначають декілька типів з\'єднань","help_router_description":" Блакитний - Роутер","help_router_links_description":" Пунктирні лінії - звязок з Роутерами","hide":" Натисніть, щоб приховати цей текст","load":"Завантажити мапу","loading":"В залежності від розміру Вашої мережі, це може тривати від 10 секунд до 2 хвилин."},"navbar":{"all":"Всі","dashboard":"Панель приладів","devices":"Прилади","disable_join":"Заборонити приєднання","extensions":"Розширення","groups":"Групи","logs":"Журнали","map":"Мапа","ota":"OTA","permit_join":"Дозволити приєднання","restart":"Перезавантажити","settings":"Налаштування","toggle_dropdown":"Перемкнути випадаючий список","touchlink":"Touchlink"},"ota":{"check":"Перевірити на наявність нових оновлень","check_all":"Перевірити все","empty_ota_message":"У Вас немає приладів, що підтримують оновлення через повітря (OTA)","remaining_time":"Часу залишилось {{- remaining}}","update":"Оновити прошивку приладу"},"scene":{"add":"Додати","recall":"Викликати","remove":"Видалити","remove_all":"Видалити все","scene_id":"Ідентифікатор сцени","scene_name":"Назва сцени","select_scene":"Вибір сцени","store":"Зберегти"},"settings":{"about":"Про програму","advanced":"Розширені","availability":"Доступність","blocklist":"Список заборон","coordinator_revision":"Версія координатора","coordinator_type":"Тип координатора","donate":"Пожертвувати","donation_text":["Вітаю, %username%! Тут ви можете подякувати нам за нашу виконану роботу","Не соромтесь додати приємні побажання в коментарях ;)"],"download_state":"Завантажити стан","experimental":"Експерементальні","external_converters":"Зовнішні конвертори","frontend":"Інтерфейс","frontend_version":"Версія веб інтерфейсу","main":"Головні","mqtt":"MQTT","ota":"OTA","passlist":"Список дозволів","raw":"Вихідні дані","restart_zigbee2mqtt":"Перезавантажити Zigbee2MQTT","serial":"Serial-порт","settings":"Налаштування","stats":"Статистика","tools":"Інструменти","translate":"Переклад","zigbee2mqtt_version":"Версія Zigbee2MQTT"},"settingsSchemaTranslations":{"advanced-title":"Розширені налаштування","advanced_availability_blacklist__title":"Список заборон доступності (застаріло, використовуйте список доступних_блоків)","advanced_availability_blocklist__description":"Запобігання перевірки наявності приладів","advanced_availability_blocklist__title":"Доступність списку заборон","advanced_availability_passlist__description":"Увімкнути перевірку доступності тільки для певних приладів","advanced_availability_passlist__title":"Доступність списку дозволів","advanced_availability_whitelist__title":"Білий список доступності (застаріло, використовуйте список доступу)","advanced_ext_pan_id__description":"Розширений ідентифікатор панорами Zigbee, зміна вимагає повторного підключення всіх приладів!","advanced_ext_pan_id__title":"Розш. ідентифікатор мережі (Ext Pan ID)","advanced_log_output__description":"Вихідне місце журналу, залиште порожнім, щоб вимкнути ведення журналу","advanced_log_output__title":"Виведення журналу","advanced_log_syslog-title":"Системний журнал","blocklist__description":"Блокування приладів із мережі (за допомогою ieeeAddr)","blocklist__title":"Список заборон","experimental-title":"Експериментальні налаштування","external_converters__description":"Ви можете визначити зовнішні конвертори, наприклад додайте підтримку приладу DiY","external_converters__title":"Зовнішні конвертори","frontend-title":"WEB-Інтерфейс","mqtt-title":"MQTT налаштування","ota-title":"OTA (Оновлення через повітря)","passlist__description":"Дозволити тільки визначеним приладам підключатися до мережі (за допомогою ieeeAddr). Зверніть увагу, що всі прилади, які не є у списку доступу, будуть вилучені з мережі!","passlist__title":"Список дозволів","root__description":"Дозволити під\'єднуватись до мережі тільки визначеним приладам (перевірка по ieeeAddr). Зверніть увагу, що всі прилади, не включені в список, будуть видалені з мережі!","root_availability_blacklist__title":"Список заборон перевірки доступності (застаріло, використовуйте availability_blocklist)","root_availability_blocklist__description":"Вилучити прилад із списку заборон перевірки на доступність","root_availability_blocklist__title":"Список заборон перевірки доступності","root_availability_passlist__description":"Ввімкнути перевірку доступності тільки для визначених приладів","root_availability_passlist__title":"Список дозволів перевірки доступності","root_availability_whitelist__title":"Список дозволів перевірки доступності (застаріло, використовуйте passlist)","root_debounce_ignore__description":"Дозволяє публікувати вказані атрибути без використання затримки фільтрації пакетів, що повторюються","root_debounce_ignore__title":"Ігнорувати фільтр пакетів, що повторюються","root_ext_pan_id__description":"Розширений ідентифікатор мережі Zigbee. Зміни вимагають повторного підключення всіх приладів!","root_ext_pan_id__title":"Розш. ідентифікатор мережі (Ext Pan ID)","root_filtered_attributes__description":"Дозволяє відключити публікацію вказаних атрибутів","root_filtered_attributes__title":"Фільтр атрибутів","root_filtered_optimistic__description":"Фільтрувати атрибути з оптимістичного корисного навантаження для публікації під час виклику /встановлення. (Це не впливає, якщо для параметра optimistic встановлено значення false).","root_filtered_optimistic__title":"Відфільтровані оптимістичні атрибути","root_log_output__description":"Папка, в якій будуть формуватися файли журналів. Залиште поле пустим для відключення файлів журналів.","root_log_output__title":"Папка для журналів","root_log_syslog-title":"Системний журнал","root-title":"Serial","root__title":"Passlist","serial-title":"Послідовний інтерфейс"},"stats":{"byType":"За типом","byPowerSource":"За джерелом живлення","byVendor":"За виробниками","byModel":"За моделями","total":"Всього","EndDevice":"Кінцевий прилад"},"touchlink":{"detected_devices_message":"Знайдено прилад, що підтримує швидке приєднання (touchlink): {{count}}.","rescan":"Повторити пошук","scan":"Пошук"},"values":{"clear":"не виявлено","closed":"закрито","empty_string":"порожній рядок","false":"ні","leaking":"витік","not_supported":"не підтримується","null":"нуль","occupied":"зайнято","open":"відкрито","supported":"підтримується","tampered":"зламано","true":"так"},"zigbee":{"actions":"Дії","attribute":"Атрибут","battery":"Батарея","block_join":"Блокувати подальші спроби приєднання","cluster":"Кластер","dc_source":"Джерело постійного струму","description":"Опис","device":"Прилад","device_type":"Тип приладу","endpoint":"Кінцева точка","firmware_build_date":"Дата створення прошивки","firmware_version":"Версія прошивки","force_remove":"Видалити примусово","friendly_name":"Дружня назва","ieee_address":"Адреса IEEE","input_clusters":"Кластери вводу","interview_completed":"Запит інформації про прилад закінчено","interview_failed":"Невдалий запит інформації про прилад","interviewing":"Запит інформації...","last_seen":"Останні дані","lqi":"LQI","mains_single_phase":"Мережа (однофазна)","manufacturer":"Виробник","max_rep_interval":"Макс.інт-л.звітів","min_rep_change":"Мін.інт-л.змін","min_rep_interval":"Мін.інт-л.звітів","model":"Модель","network_address":"Мережева адреса","none":"Нічого","output_clusters":"Кластери виводу","pic":"Мал.","power":"Живлення","power_level":"Рівень заряду","reconfigure":"Переналаштувати","remove_device":"Видалити прилад","rename_device":"Змінити назву приладу","select_attribute":"Виберіть атрибут","select_cluster":"Виберіть кластер","support_status":"Статус підтримки","unsupported":"Не підтримується","updating_firmware":"Прошивка оновлюється","update_Home_assistant_entity_id":"Оновити ідентифікатор об\'єкту Home Assistant","zigbee_manufacturer":"Виробник Zigbee","zigbee_model":"Модель Zigbee"}}');
|
4922
4908
|
;// CONCATENATED MODULE: ./src/i18n/locales/chs.json
|
4923
4909
|
const chs_namespaceObject = JSON.parse('{"common":{"action":"动作","actions":"动作","apply":"应用","attribute":"属性","bind":"绑定","check_all":"检查所有","clear":"清除","close":"关闭","cluster":"集群","clusters":"集群","confirmation":"确认","delete":"删除","destination":"目的地","devices":"设备","dialog_confirmation_prompt":"是否确定?","disable":"禁用","enter_search_criteria":"输入搜索条件","groups":"群组","loading":"加载中","none":"无","ok":"好","read":"读取","save":"保存","select_device":"选择设备","select_endpoint":"选择端点","source_endpoint":"源端点","the_only_endpoint":"唯一端点","unbind":"解绑","write":"写入"},"devicePage":{"about":"关于","bind":"绑定","clusters":"集群","dev_console":"开发控制台","exposes":"暴露","reporting":"报告","settings":"设置","settings_specific":"设置(具体)","state":"状态","unknown_device":"未知设备"},"exposes":{"action":"动作","auto_off":"自动关闭","away_mode":"离开模式","away_preset_days":"Away preset days","away_preset_temperature":"Away preset temperature","backlight_mode":"背光模式","battery":"电量","battery_low":"低电量","boost_time":"Boost time","brightness":"亮度","calibration":"校准","carbon_monoxide":"一氧化碳","color_hs":"颜色(HS)","color_temp":"色温","color_temp_startup":"启动色温","color_xy":"颜色(XY)","comfort_temperature":"舒适温度","consumer_connected":"Consumer connected","consumer_overload":"Consumer overload","contact":"Contact","current":"Current","current_heating_setpoint":"Current heating setpoint","eco_temperature":"环保温度","effect":"效果","empty_exposes_definition":"空暴露定义","energy":"能源","force":"强制","humidity":"湿度","illuminance":"光照度","illuminance_lux":"光照度","led_disabled_night":"Led disabled night","linkquality":"链接质量","local_temperature":"本地温度","local_temperature_calibration":"本地温度校准","max_temperature":"最高温度","min_temperature":"最低温度","motor_reversal":"电机反转","moving":"移动","occupancy":"Occupancy","operation_mode":"操作模式","options":"设置","position":"位置","power":"Power","power_on_behavior":"Power on behavior","power_outage_memory":"Power outage memory","preset":"预设","pressure":"气压","sensivity":"敏感度","smoke":"烟雾","state":"状态","strength":"强度","system_mode":"系统模式","tamper":"Tamper","temperature":"温度","voltage":"电压","water_leak":"漏水","week":"周"},"extensions":{"create_new_extension":"创建新扩展","extension_name_propmt":"输入新扩展的名称","select_extension_to_edit":"选择扩展以编辑"},"featureNames":{"action":"动作","angle_x":"角度 X","angle_y":"角度 Y","angle_z":"角度 Z","brightness":"亮度","color_temp":"色温","color_xy":"颜色(XY)","contact":"Contact","humidity":"湿度","illuminance":"光照度","occupancy":"Occupancy","pressure":"气压","soil_moisture":"土壤湿度","state":"状态","temperature":"温度","tamper":"Tamper"},"groups":{"add_to_group":"添加到群组","create_group":"创建群组","new_group_id":"新群组 ID","new_group_id_placeholder":"如有必要,指定群组 ID","new_group_name":"新群组名","new_group_name_placeholder":"例子:我的卧室灯","remove_group":"移除群组"},"logs":{"empty_logs_message":"空日志","filter_by_text":"按文本过滤","show_only":"仅显示"},"map":{"help_coordinator_link_description":"实线表示连接到协调节点","help_end_device_description":"绿色代表终端设备节点","help_is_coordinator":"是协调节点","help_lqi_description":"链接质量在0-255之间(越高越好),具有/代表多种类型的链接的值","help_router_description":"蓝色代表路由节点","help_router_links_description":"虚线表示连接到路由节点","hide":"点我隐藏","load":"加载网络状态图","loading":"根据您的网络规模,这可能需要10秒到2分钟的时间。"},"navbar":{"all":"所有","dashboard":"仪表盘","devices":"设备","disable_join":"禁用添加新设备","extensions":"扩展","groups":"群组","logs":"日志","map":"网络状态图","ota":"OTA","permit_join":"允许添加新设备","restart":"重启","settings":"设置","toggle_dropdown":"切换下拉菜单","touchlink":"Touchlink"},"ota":{"check":"检查新的更新","check_all":"检查所有","empty_ota_message":"你没有支持 OTA 的设备","remaining_time":"剩余时间 {{- remaining}}","update":"更新设备固件"},"settings":{"about":"关于","advanced":"高级","blocklist":"阻止名单","coordinator_revision":"协调节点调整","coordinator_type":"协调节点类型","donate":"捐赠","donation_text":["你好, %username%, 在这里你可以感谢我们的辛勤工作","可以大方的夸赞我们 ;)"],"download_state":"下载状态","experimental":"实验性","external_converters":"外部转换器","frontend":"前端","frontend_version":"前端版本","main":"Main","mqtt":"MQTT","ota":"OTA 更新","passlist":"通过列表","raw":"RAW","restart_zigbee2mqtt":"重启 Zigbee2MQTT","serial":"串行","settings":"设置","tools":"工具","zigbee2mqtt_version":"Zigbee2MQTT 版本","translate":"翻译"},"settingsSchemaTranslations":{"advanced-title":"高级","advanced_availability_blacklist__title":"可用性黑名单 (已弃用, 请使用 availability_blocklist)","advanced_availability_blocklist__description":"阻止设备被检查是否可用","advanced_availability_blocklist__title":"可用性阻止名单","advanced_availability_passlist__description":"只对某些设备启用可用性检查","advanced_availability_passlist__title":"可用性通过名单","advanced_availability_whitelist__title":"可用性白名单 (已弃用, 请使用 passlist)","advanced_ext_pan_id__description":"Zigbee extended pan ID, 变更需要重新配对所有设备!","advanced_ext_pan_id__title":"Ext Pan ID","advanced_log_output__description":"日志的输出位置,留空表示不记录日志","advanced_log_output__title":"日志输出","advanced_log_syslog-title":"系统日志","blocklist__description":"从网络中阻断设备(通过 ieeeAddr)","blocklist__title":"阻止名单","experimental-title":"实验性","external_converters__description":"你可以定义外部转换器,例如增加对DIY设备的支持。","external_converters__title":"外部转换器","frontend-title":"前端","mqtt-title":"MQTT","ota-title":"OTA 更新","passlist__description":"只允许某些设备加入网络(通过ieeeAddr)。 请注意,所有不在通过名单中的设备都将从网络中移除!","passlist__title":"通过名单","root__description":"只允许某些设备加入网络(通过ieeeAddr)。 请注意,所有不在通过名单中的设备都将从网络中移除!","root_availability_blacklist__title":"可用性黑名单 (已弃用, 请使用 availability_blocklist)","root_availability_blocklist__description":"阻止设备被检查是否可用","root_availability_blocklist__title":"可用性阻止名单","root_availability_passlist__description":"只对某些设备启用可用性检查","root_availability_passlist__title":"可用性通过名单","root_availability_whitelist__title":"可用性白名单 (已弃用, 请使用 passlist)","root_debounce_ignore__description":"保护指定 payload 属性的唯一有效 payload values 在去抖动时间内不被覆盖","root_debounce_ignore__title":"忽略去抖动","root_ext_pan_id__description":"Zigbee extended pan ID, 变更需要重新配对所有设备!","root_ext_pan_id__title":"Ext Pan ID","root_filtered_attributes__description":"允许阻止某些属性被发布","root_filtered_attributes__title":"筛选的属性","root_filtered_optimistic__description":"Filter attributes from optimistic publish payload when calling /set. (This has no effect if optimistic is set to false).","root_filtered_optimistic__title":"筛选的 optimistic 属性","root_log_output__description":"日志的输出位置,留空表示不记录日志","root_log_output__title":"日志输出","root_log_syslog-title":"系统日志","serial-title":"串行"},"touchlink":{"detected_devices_message":"检测到 {{count}} touchlink 设备.","rescan":"再次扫描","scan":"扫描"},"values":{"clear":"Clear","closed":"关闭","false":"False","not_supported":"不支持","occupied":"Occupied","open":"开启","supported":"支持","true":"True","empty_string":"Empty string(\\"\\")","leaking":"泄露","tampered":"Tampered"},"zigbee":{"actions":"动作","attribute":"属性","block_join":"阻止再次加入","cluster":"集群","description":"描述","device_type":"设备类型","endpoint":"端点","firmware_build_date":"固件构建日期","firmware_version":"固件版本","force_remove":"强制删除","friendly_name":"昵称","ieee_address":"IEEE 地址","input_clusters":"输入集群","interview_completed":"配对成功","last_seen":"最后可见","lqi":"LQI","manufacturer":"制造商","max_rep_interval":"最大重复间隔","min_rep_change":"Min rep change","min_rep_interval":"最小重复间隔","model":"型号","network_address":"网络地址","none":"无","output_clusters":"输出集群","pic":"图片","power":"Power","reconfigure":"重新配置","remove_device":"移除设备","rename_device":"重命名设备","select_attribute":"选择属性","select_cluster":"选择集群","support_status":"受支持状态","unsupported":"不支持","update_Home_assistant_entity_id":"更新 Home Assistant 实体 ID","zigbee_manufacturer":"Zigbee 制造商","zigbee_model":"Zigbee 型号"}}');
|
4924
4910
|
;// CONCATENATED MODULE: ./src/i18n/locales/nl.json
|
@@ -5243,8 +5229,8 @@ module.exports = "class MyExampleExtension_TS_ {\n constructor(zigbee, mqtt,
|
|
5243
5229
|
},
|
5244
5230
|
/******/ __webpack_require__ => { // webpackRuntimeModules
|
5245
5231
|
/******/ var __webpack_exec__ = (moduleId) => (__webpack_require__(__webpack_require__.s = moduleId))
|
5246
|
-
/******/ __webpack_require__.O(0, [718], () => (__webpack_exec__(
|
5232
|
+
/******/ __webpack_require__.O(0, [718], () => (__webpack_exec__(23362)));
|
5247
5233
|
/******/ var __webpack_exports__ = __webpack_require__.O();
|
5248
5234
|
/******/ }
|
5249
5235
|
]);
|
5250
|
-
//# sourceMappingURL=main.
|
5236
|
+
//# sourceMappingURL=main.694837fa23bc0aa35c05.js.map
|