zigbee2mqtt-frontend 0.6.34 → 0.6.38
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
|
+
/***/ 97306:
|
5
5
|
/***/ ((__unused_webpack_module, __unused_webpack___webpack_exports__, __webpack_require__) => {
|
6
6
|
|
7
7
|
|
@@ -76,15 +76,6 @@ const toHHMMSS = (secs) => {
|
|
76
76
|
.filter((v, i) => v !== "00" || i > 0)
|
77
77
|
.join(":");
|
78
78
|
};
|
79
|
-
const getLastSeenType = (config) => {
|
80
|
-
if (config.last_seen !== "disable") {
|
81
|
-
return config.last_seen;
|
82
|
-
}
|
83
|
-
if (config.elapsed) {
|
84
|
-
return "elapsed";
|
85
|
-
}
|
86
|
-
return "disable";
|
87
|
-
};
|
88
79
|
const lastSeen = (state, lastSeenType) => {
|
89
80
|
switch (lastSeenType) {
|
90
81
|
case "ISO_8601":
|
@@ -92,8 +83,6 @@ const lastSeen = (state, lastSeenType) => {
|
|
92
83
|
return new Date(Date.parse(state.last_seen));
|
93
84
|
case "epoch":
|
94
85
|
return new Date(state.last_seen);
|
95
|
-
case "elapsed":
|
96
|
-
return new Date(Date.now() - state.elapsed);
|
97
86
|
case "disable":
|
98
87
|
return undefined;
|
99
88
|
default:
|
@@ -841,17 +830,6 @@ const actions = (store) => ({
|
|
841
830
|
});
|
842
831
|
/* harmony default export */ const actions_actions = (actions);
|
843
832
|
|
844
|
-
;// CONCATENATED MODULE: ./src/hooks/useModal.tsx
|
845
|
-
|
846
|
-
const useModal = (defaultIsVisible) => {
|
847
|
-
const [isOpen, setVisible] = (0,react.useState)(defaultIsVisible);
|
848
|
-
function toggle() {
|
849
|
-
setVisible(!isOpen);
|
850
|
-
}
|
851
|
-
return { toggle, isOpen };
|
852
|
-
};
|
853
|
-
/* harmony default export */ const hooks_useModal = (useModal);
|
854
|
-
|
855
833
|
// EXTERNAL MODULE: ./node_modules/react-dom/index.js
|
856
834
|
var react_dom = __webpack_require__(73935);
|
857
835
|
;// CONCATENATED MODULE: ./src/components/modal/Modal.tsx
|
@@ -898,36 +876,163 @@ const Modal = ({ isOpen, children }) => {
|
|
898
876
|
};
|
899
877
|
/* harmony default export */ const modal_Modal = (Modal);
|
900
878
|
|
901
|
-
;// CONCATENATED MODULE: ./src/components/
|
879
|
+
;// CONCATENATED MODULE: ./src/components/modal/components/DialogConfirmationModal.tsx
|
880
|
+
|
881
|
+
|
882
|
+
|
883
|
+
|
884
|
+
const DialogConfirmationModal = (props) => {
|
885
|
+
const { onConfirmHandler } = props;
|
886
|
+
const { t } = (0,useTranslation/* useTranslation */.$)("common");
|
887
|
+
const { hideModal } = useGlobalModalContext();
|
888
|
+
return (react.createElement(modal_Modal, { isOpen: true },
|
889
|
+
react.createElement(ModalHeader, null,
|
890
|
+
react.createElement("h3", null, t('confirmation'))),
|
891
|
+
react.createElement(ModalBody, null, t('dialog_confirmation_prompt')),
|
892
|
+
react.createElement(ModalFooter, null,
|
893
|
+
react.createElement("button", { type: "button", className: "btn btn-secondary", onClick: hideModal }, t('common:close')),
|
894
|
+
react.createElement("button", { type: "button", className: "btn btn-primary", onClick: onConfirmHandler }, t('common:ok')))));
|
895
|
+
};
|
896
|
+
|
897
|
+
;// CONCATENATED MODULE: ./src/components/modal/components/RemoveDeviceModal.tsx
|
902
898
|
|
903
899
|
|
904
900
|
|
905
901
|
|
902
|
+
const RemoveDeviceModal = (props) => {
|
903
|
+
const { t } = (0,useTranslation/* useTranslation */.$)(["zigbee", "common"]);
|
904
|
+
const { device, removeDevice } = props;
|
905
|
+
const [removeParams, setRemoveParams] = (0,react.useState)({ block: false, force: false });
|
906
|
+
const checks = [
|
907
|
+
{ label: t('force_remove'), name: 'force', value: removeParams.force },
|
908
|
+
{ label: t('block_join'), name: 'block', value: removeParams.block },
|
909
|
+
];
|
910
|
+
const onDeviceRemovalParamChange = (e) => {
|
911
|
+
const { checked, name } = e.target;
|
912
|
+
setRemoveParams({ ...removeParams, ...{ [name]: checked } });
|
913
|
+
};
|
914
|
+
const onRemoveClick = () => {
|
915
|
+
removeDevice(device.friendly_name, removeParams.force, removeParams.block);
|
916
|
+
hideModal();
|
917
|
+
};
|
918
|
+
const { hideModal } = useGlobalModalContext();
|
919
|
+
return (react.createElement(modal_Modal, { isOpen: true },
|
920
|
+
react.createElement(ModalHeader, null,
|
921
|
+
react.createElement("h3", null, t('remove_device')),
|
922
|
+
react.createElement("small", null, device.friendly_name)),
|
923
|
+
react.createElement(ModalBody, null, checks.map(check => {
|
924
|
+
const id = `${check.name}${device.ieee_address}`;
|
925
|
+
return react.createElement("div", { key: check.name, className: "form-check form-switch" },
|
926
|
+
react.createElement("input", { className: "form-check-input", name: check.name, checked: check.value, type: "checkbox", id: id, onChange: onDeviceRemovalParamChange }),
|
927
|
+
react.createElement("label", { className: "form-check-label", htmlFor: id }, check.label));
|
928
|
+
})),
|
929
|
+
react.createElement(ModalFooter, null,
|
930
|
+
react.createElement("button", { type: "button", className: "btn btn-secondary", onClick: hideModal }, t('common:close')),
|
931
|
+
react.createElement("button", { type: "button", className: "btn btn-danger", onClick: onRemoveClick }, t('common:delete')))));
|
932
|
+
};
|
933
|
+
|
934
|
+
;// CONCATENATED MODULE: ./src/components/modal/components/RenameDeviceModal.tsx
|
935
|
+
|
936
|
+
|
937
|
+
|
938
|
+
|
939
|
+
const RenameDeviceModal = (props) => {
|
940
|
+
var _a;
|
941
|
+
const { hideModal } = useGlobalModalContext();
|
942
|
+
const { bridgeInfo, device, renameDevice } = props;
|
943
|
+
const [isHassRename, setIsHassRename] = (0,react.useState)(false);
|
944
|
+
const [friendlyName, setFriendlyName] = (0,react.useState)(device.friendly_name);
|
945
|
+
const { t } = (0,useTranslation/* useTranslation */.$)(["zigbee", "common"]);
|
946
|
+
const onSaveClick = async () => {
|
947
|
+
await renameDevice(device.friendly_name, friendlyName, isHassRename);
|
948
|
+
hideModal();
|
949
|
+
};
|
950
|
+
return (react.createElement(modal_Modal, { isOpen: true },
|
951
|
+
react.createElement(ModalHeader, null,
|
952
|
+
react.createElement("h3", null, t('rename_device')),
|
953
|
+
react.createElement("small", null, device.friendly_name)),
|
954
|
+
react.createElement(ModalBody, null,
|
955
|
+
react.createElement("div", { className: "mb-3" },
|
956
|
+
react.createElement("label", { htmlFor: `fn${device.ieee_address}`, className: "form-label" }, t('friendly_name')),
|
957
|
+
react.createElement("input", { id: `fn${device.ieee_address}`, onChange: (e) => setFriendlyName(e.target.value), type: "text", className: "form-control", value: friendlyName })),
|
958
|
+
((_a = bridgeInfo === null || bridgeInfo === void 0 ? void 0 : bridgeInfo.config) === null || _a === void 0 ? void 0 : _a.homeassistant) ? (react.createElement("div", { className: "form-check form-switch" },
|
959
|
+
react.createElement("input", { className: "form-check-input", checked: isHassRename, type: "checkbox", id: `hass${device.ieee_address}`, onChange: (e) => setIsHassRename(e.target.checked) }),
|
960
|
+
react.createElement("label", { className: "form-check-label", htmlFor: `hass${device.ieee_address}` }, t('update_Home_assistant_entity_id')))) : null),
|
961
|
+
react.createElement(ModalFooter, null,
|
962
|
+
react.createElement("button", { type: "button", className: "btn btn-secondary", onClick: hideModal }, t('common:close')),
|
963
|
+
react.createElement("button", { type: "button", className: "btn btn-primary", onClick: onSaveClick }, t('common:save')))));
|
964
|
+
};
|
965
|
+
|
966
|
+
;// CONCATENATED MODULE: ./src/components/modal/GlobalModal.tsx
|
967
|
+
|
968
|
+
|
969
|
+
|
970
|
+
|
971
|
+
const MODAL_TYPES = {
|
972
|
+
RENAME_DEVICE: "RENAME_DEVICE",
|
973
|
+
REMOVE_DEVICE: "REMOVE_DEVICE",
|
974
|
+
DIALOG_CONFIRMATION: "DIALOG_CONFIRMATION",
|
975
|
+
};
|
976
|
+
const MODAL_COMPONENTS = {
|
977
|
+
[MODAL_TYPES.RENAME_DEVICE]: RenameDeviceModal,
|
978
|
+
[MODAL_TYPES.REMOVE_DEVICE]: RemoveDeviceModal,
|
979
|
+
[MODAL_TYPES.DIALOG_CONFIRMATION]: DialogConfirmationModal,
|
980
|
+
};
|
981
|
+
const initalState = {
|
982
|
+
showModal: () => { },
|
983
|
+
hideModal: () => { },
|
984
|
+
store: {},
|
985
|
+
};
|
986
|
+
const GlobalModalContext = (0,react.createContext)(initalState);
|
987
|
+
const useGlobalModalContext = () => (0,react.useContext)(GlobalModalContext);
|
988
|
+
const GlobalModal = ({ children }) => {
|
989
|
+
const [store, setStore] = (0,react.useState)();
|
990
|
+
const { modalType, modalProps } = store || {};
|
991
|
+
const showModal = (modalType, modalProps = {}) => {
|
992
|
+
setStore({
|
993
|
+
...store,
|
994
|
+
modalType,
|
995
|
+
modalProps,
|
996
|
+
});
|
997
|
+
};
|
998
|
+
const hideModal = () => {
|
999
|
+
setStore({
|
1000
|
+
...store,
|
1001
|
+
modalType: null,
|
1002
|
+
modalProps: {},
|
1003
|
+
});
|
1004
|
+
};
|
1005
|
+
const renderComponent = () => {
|
1006
|
+
const ModalComponent = MODAL_COMPONENTS[modalType];
|
1007
|
+
if (!modalType || !ModalComponent) {
|
1008
|
+
return null;
|
1009
|
+
}
|
1010
|
+
return react.createElement(ModalComponent, { id: "global-modal", ...modalProps });
|
1011
|
+
};
|
1012
|
+
return (react.createElement(GlobalModalContext.Provider, { value: { store, showModal, hideModal } },
|
1013
|
+
renderComponent(),
|
1014
|
+
children));
|
1015
|
+
};
|
1016
|
+
|
1017
|
+
;// CONCATENATED MODULE: ./src/components/button/index.tsx
|
1018
|
+
|
1019
|
+
|
906
1020
|
function Button(props) {
|
907
1021
|
const { children, item, onClick, promt, ...rest } = props;
|
908
|
-
const {
|
909
|
-
const { isOpen, toggle } = hooks_useModal(false);
|
1022
|
+
const { showModal, hideModal } = useGlobalModalContext();
|
910
1023
|
const onConfirmHandler = () => {
|
911
1024
|
onClick && onClick(item);
|
912
|
-
|
1025
|
+
hideModal();
|
913
1026
|
};
|
914
1027
|
const onClickHandler = () => {
|
915
1028
|
if (promt) {
|
916
|
-
|
1029
|
+
showModal(MODAL_TYPES.DIALOG_CONFIRMATION, { onConfirmHandler });
|
917
1030
|
}
|
918
1031
|
else {
|
919
1032
|
onClick && onClick(item);
|
920
1033
|
}
|
921
1034
|
};
|
922
|
-
return
|
923
|
-
react.createElement("button", { type: "button", ...rest, onClick: onClickHandler }, children),
|
924
|
-
react.createElement(modal_Modal, { isOpen: isOpen },
|
925
|
-
react.createElement(ModalHeader, null,
|
926
|
-
react.createElement("h3", null, t('confirmation'))),
|
927
|
-
react.createElement(ModalBody, null, t('dialog_confirmation_prompt')),
|
928
|
-
react.createElement(ModalFooter, null,
|
929
|
-
react.createElement("button", { type: "button", className: "btn btn-secondary", onClick: toggle }, t('common:close')),
|
930
|
-
react.createElement("button", { type: "button", className: "btn btn-primary", onClick: onConfirmHandler }, t('common:ok'))))));
|
1035
|
+
return react.createElement("button", { type: "button", ...rest, onClick: onClickHandler }, children);
|
931
1036
|
}
|
932
1037
|
|
933
1038
|
// EXTERNAL MODULE: ./node_modules/d3-force/src/simulation.js + 1 modules
|
@@ -1201,83 +1306,6 @@ const ConnectedMap = (0,withTranslation/* withTranslation */.Z)("map")((0,unisto
|
|
1201
1306
|
var react_router_dom = __webpack_require__(73727);
|
1202
1307
|
// EXTERNAL MODULE: ./node_modules/react-router/esm/react-router.js + 1 modules
|
1203
1308
|
var react_router = __webpack_require__(5977);
|
1204
|
-
;// CONCATENATED MODULE: ./src/components/device-control/RenameAction.tsx
|
1205
|
-
|
1206
|
-
|
1207
|
-
|
1208
|
-
|
1209
|
-
|
1210
|
-
function RenameAction(props) {
|
1211
|
-
var _a;
|
1212
|
-
const { bridgeInfo, device, renameDevice } = props;
|
1213
|
-
const [isHassRename, setIsHassRename] = (0,react.useState)(false);
|
1214
|
-
const [friendlyName, setFriendlyName] = (0,react.useState)(device.friendly_name);
|
1215
|
-
const { t } = (0,useTranslation/* useTranslation */.$)(["zigbee", "common"]);
|
1216
|
-
const { isOpen, toggle } = hooks_useModal(false);
|
1217
|
-
const onSaveClick = async () => {
|
1218
|
-
await renameDevice(device.friendly_name, friendlyName, isHassRename);
|
1219
|
-
toggle();
|
1220
|
-
};
|
1221
|
-
return (react.createElement(react.Fragment, null,
|
1222
|
-
react.createElement(Button, { className: "btn btn-primary", onClick: toggle, title: t('rename_device') },
|
1223
|
-
react.createElement("i", { className: "fa fa-edit" })),
|
1224
|
-
react.createElement(modal_Modal, { isOpen: isOpen },
|
1225
|
-
react.createElement(ModalHeader, null,
|
1226
|
-
react.createElement("h3", null, t('rename_device')),
|
1227
|
-
react.createElement("small", null, device.friendly_name)),
|
1228
|
-
react.createElement(ModalBody, null,
|
1229
|
-
react.createElement("div", { className: "mb-3" },
|
1230
|
-
react.createElement("label", { htmlFor: `fn${device.ieee_address}`, className: "form-label" }, t('friendly_name')),
|
1231
|
-
react.createElement("input", { id: `fn${device.ieee_address}`, onChange: (e) => setFriendlyName(e.target.value), type: "text", className: "form-control", value: friendlyName })),
|
1232
|
-
((_a = bridgeInfo === null || bridgeInfo === void 0 ? void 0 : bridgeInfo.config) === null || _a === void 0 ? void 0 : _a.homeassistant) ? (react.createElement("div", { className: "form-check form-switch" },
|
1233
|
-
react.createElement("input", { className: "form-check-input", checked: isHassRename, type: "checkbox", id: `hass${device.ieee_address}`, onChange: (e) => setIsHassRename(e.target.checked) }),
|
1234
|
-
react.createElement("label", { className: "form-check-label", htmlFor: `hass${device.ieee_address}` }, t('update_Home_assistant_entity_id')))) : null),
|
1235
|
-
react.createElement(ModalFooter, null,
|
1236
|
-
react.createElement("button", { type: "button", className: "btn btn-secondary", onClick: toggle }, t('common:close')),
|
1237
|
-
react.createElement("button", { type: "button", className: "btn btn-primary", onClick: onSaveClick }, t('common:save'))))));
|
1238
|
-
}
|
1239
|
-
|
1240
|
-
;// CONCATENATED MODULE: ./src/components/device-control/RemoveAction.tsx
|
1241
|
-
|
1242
|
-
|
1243
|
-
|
1244
|
-
|
1245
|
-
|
1246
|
-
function RemoveAction(props) {
|
1247
|
-
const { t } = (0,useTranslation/* useTranslation */.$)(["zigbee", "common"]);
|
1248
|
-
const { device, removeDevice } = props;
|
1249
|
-
const [removeParams, setRemoveParams] = (0,react.useState)({ block: false, force: false });
|
1250
|
-
const { isOpen, toggle } = hooks_useModal(false);
|
1251
|
-
const checks = [
|
1252
|
-
{ label: t('force_remove'), name: 'force', value: removeParams.force },
|
1253
|
-
{ label: t('block_join'), name: 'block', value: removeParams.block },
|
1254
|
-
];
|
1255
|
-
const onDeviceRemovalParamChange = (e) => {
|
1256
|
-
const { checked, name } = e.target;
|
1257
|
-
setRemoveParams({ ...removeParams, ...{ [name]: checked } });
|
1258
|
-
};
|
1259
|
-
const onRemoveClick = () => {
|
1260
|
-
removeDevice(device.friendly_name, removeParams.force, removeParams.block);
|
1261
|
-
toggle();
|
1262
|
-
};
|
1263
|
-
return (react.createElement(react.Fragment, null,
|
1264
|
-
react.createElement(modal_Modal, { isOpen: isOpen },
|
1265
|
-
react.createElement(ModalHeader, null,
|
1266
|
-
react.createElement("h3", null, t('remove_device')),
|
1267
|
-
react.createElement("small", null, device.friendly_name)),
|
1268
|
-
react.createElement(ModalBody, null, checks.map(check => {
|
1269
|
-
const id = `${check.name}${device.ieee_address}`;
|
1270
|
-
return react.createElement("div", { key: check.name, className: "form-check form-switch" },
|
1271
|
-
react.createElement("input", { className: "form-check-input", name: check.name, checked: check.value, type: "checkbox", id: id, onChange: onDeviceRemovalParamChange }),
|
1272
|
-
react.createElement("label", { className: "form-check-label", htmlFor: id }, check.label));
|
1273
|
-
})),
|
1274
|
-
react.createElement(ModalFooter, null,
|
1275
|
-
react.createElement("button", { type: "button", className: "btn btn-secondary", onClick: toggle }, t('common:close')),
|
1276
|
-
react.createElement("button", { type: "button", className: "btn btn-danger", onClick: onRemoveClick }, t('common:delete')))),
|
1277
|
-
react.createElement("button", { onClick: toggle, className: "btn btn-danger", title: t('remove_device') },
|
1278
|
-
react.createElement("i", { className: classnames_default()("fa", "fa-trash") }))));
|
1279
|
-
}
|
1280
|
-
|
1281
1309
|
;// CONCATENATED MODULE: ./src/components/device-control/DeviceControlGroup.tsx
|
1282
1310
|
|
1283
1311
|
|
@@ -1286,15 +1314,17 @@ function RemoveAction(props) {
|
|
1286
1314
|
|
1287
1315
|
|
1288
1316
|
|
1289
|
-
|
1290
1317
|
function DeviceControlGroup(props) {
|
1291
1318
|
const { device, bridgeInfo, configureDevice, renameDevice, removeDevice } = props;
|
1292
1319
|
const { t } = (0,useTranslation/* useTranslation */.$)(["zigbee", "common"]);
|
1320
|
+
const { showModal } = useGlobalModalContext();
|
1293
1321
|
return (react.createElement("div", { className: "btn-group btn-group-sm", role: "group" },
|
1294
|
-
react.createElement(
|
1322
|
+
react.createElement(Button, { className: "btn btn-primary", onClick: () => showModal(MODAL_TYPES.RENAME_DEVICE, { device, renameDevice, bridgeInfo }), title: t('rename_device') },
|
1323
|
+
react.createElement("i", { className: "fa fa-edit" })),
|
1295
1324
|
react.createElement(Button, { className: "btn btn-warning", onClick: configureDevice, item: device.friendly_name, title: t('reconfigure'), promt: true },
|
1296
1325
|
react.createElement("i", { className: classnames_default()("fa", "fa-retweet") })),
|
1297
|
-
react.createElement(
|
1326
|
+
react.createElement("button", { onClick: () => showModal(MODAL_TYPES.REMOVE_DEVICE, { device, removeDevice }), className: "btn btn-danger", title: t('remove_device') },
|
1327
|
+
react.createElement("i", { className: classnames_default()("fa", "fa-trash") }))));
|
1298
1328
|
}
|
1299
1329
|
const DeviceControlGroup_mappedProps = ["bridgeInfo"];
|
1300
1330
|
const ConnectedDeviceControlGroup = (0,unistore_react/* connect */.$)(DeviceControlGroup_mappedProps, actions_actions)(DeviceControlGroup);
|
@@ -1516,7 +1546,7 @@ const displayProps = [
|
|
1516
1546
|
{
|
1517
1547
|
translationKey: 'last_seen',
|
1518
1548
|
render: (device, state, bridgeInfo) => react.createElement("dd", { className: "col-12 col-md-7" },
|
1519
|
-
react.createElement(LastSeen, { lastSeenType:
|
1549
|
+
react.createElement(LastSeen, { lastSeenType: bridgeInfo.config.advanced.last_seen, state: state })),
|
1520
1550
|
},
|
1521
1551
|
{
|
1522
1552
|
key: 'type',
|
@@ -2902,7 +2932,6 @@ const DashboardFeatureWrapper = (props) => {
|
|
2902
2932
|
const { children, feature, deviceState = {} } = props;
|
2903
2933
|
const icon = getGenericFeatureIcon(feature.name, deviceState[feature.property]);
|
2904
2934
|
const { t } = (0,useTranslation/* useTranslation */.$)(['featureNames']);
|
2905
|
-
console.log(feature);
|
2906
2935
|
return react.createElement("div", { className: "d-flex align-items-center" },
|
2907
2936
|
icon && react.createElement("div", { className: "me-1" },
|
2908
2937
|
react.createElement("i", { className: `fa fa-fw ${icon}` })),
|
@@ -3420,6 +3449,72 @@ const device_page_mappedProps = ["devices", "deviceStates", "logs", "bridgeInfo"
|
|
3420
3449
|
const ConnectedDevicePage = (0,withTranslation/* withTranslation */.Z)("devicePage")((0,unistore_react/* connect */.$)(device_page_mappedProps, actions_actions)(devicePageWithRouter));
|
3421
3450
|
/* harmony default export */ const device_page = (ConnectedDevicePage);
|
3422
3451
|
|
3452
|
+
// EXTERNAL MODULE: ./node_modules/react-table/index.js
|
3453
|
+
var react_table = __webpack_require__(79521);
|
3454
|
+
// EXTERNAL MODULE: ./node_modules/local-storage/local-storage.js
|
3455
|
+
var local_storage = __webpack_require__(42222);
|
3456
|
+
// EXTERNAL MODULE: ./node_modules/lodash/debounce.js
|
3457
|
+
var debounce = __webpack_require__(23279);
|
3458
|
+
var debounce_default = /*#__PURE__*/__webpack_require__.n(debounce);
|
3459
|
+
;// CONCATENATED MODULE: ./src/components/grid/ReactTableCom.tsx
|
3460
|
+
|
3461
|
+
|
3462
|
+
|
3463
|
+
|
3464
|
+
|
3465
|
+
|
3466
|
+
function GlobalFilter({ globalFilter, setGlobalFilter, }) {
|
3467
|
+
const [value, setValue] = react.useState(globalFilter);
|
3468
|
+
const onChange = (0,react_table.useAsyncDebounce)(value => {
|
3469
|
+
setGlobalFilter(value || undefined);
|
3470
|
+
}, 200);
|
3471
|
+
const { t } = (0,useTranslation/* useTranslation */.$)(['common']);
|
3472
|
+
return (react.createElement("span", null,
|
3473
|
+
react.createElement("input", { value: value || "", onChange: e => {
|
3474
|
+
setValue(e.target.value);
|
3475
|
+
onChange(e.target.value);
|
3476
|
+
}, placeholder: t('common:enter_search_criteria'), className: "form-control" })));
|
3477
|
+
}
|
3478
|
+
const persist = debounce_default()((key, data) => {
|
3479
|
+
(0,local_storage.set)(key, data);
|
3480
|
+
});
|
3481
|
+
const stateReducer = (newState, action, previousState, instance) => {
|
3482
|
+
if (instance) {
|
3483
|
+
const { instanceId } = instance;
|
3484
|
+
const { sortBy, globalFilter } = newState;
|
3485
|
+
persist(instanceId, { sortBy, globalFilter });
|
3486
|
+
}
|
3487
|
+
return newState;
|
3488
|
+
};
|
3489
|
+
const Table = ({ columns, data, id }) => {
|
3490
|
+
const initialState = (0,local_storage.get)(id) || {};
|
3491
|
+
const { getTableProps, getTableBodyProps, headerGroups, rows, prepareRow, state, visibleColumns, setGlobalFilter, } = (0,react_table.useTable)({
|
3492
|
+
instanceId: id,
|
3493
|
+
stateReducer,
|
3494
|
+
columns,
|
3495
|
+
data,
|
3496
|
+
autoResetSortBy: false,
|
3497
|
+
autoResetFilters: false,
|
3498
|
+
initialState
|
3499
|
+
}, react_table.useGlobalFilter, react_table.useSortBy);
|
3500
|
+
return (react.createElement("table", { ...getTableProps(), className: "table responsive" },
|
3501
|
+
react.createElement("thead", null,
|
3502
|
+
react.createElement("tr", null,
|
3503
|
+
react.createElement("th", { colSpan: visibleColumns.length },
|
3504
|
+
react.createElement(GlobalFilter, { globalFilter: state.globalFilter, setGlobalFilter: setGlobalFilter }))),
|
3505
|
+
headerGroups.map((headerGroup) => (react.createElement("tr", { ...headerGroup.getHeaderGroupProps() }, headerGroup.headers.map(column => (react.createElement("th", { className: "text-nowrap", ...column.getHeaderProps(column.getSortByToggleProps()) },
|
3506
|
+
react.createElement("span", { className: classnames_default()({ 'btn-link mx-1': column.canSort }) }, column.render('Header')),
|
3507
|
+
react.createElement("span", null, column.isSorted
|
3508
|
+
? column.isSortedDesc
|
3509
|
+
? react.createElement("i", { className: `fa fa-sort-amount-down-alt` })
|
3510
|
+
: react.createElement("i", { className: `fa fa-sort-amount-down` })
|
3511
|
+
: react.createElement("i", { className: `fa fa-sort-amount-down invisible` }))))))))),
|
3512
|
+
react.createElement("tbody", { ...getTableBodyProps() }, rows.map((row, i) => {
|
3513
|
+
prepareRow(row);
|
3514
|
+
return (react.createElement("tr", { ...row.getRowProps() }, row.cells.map(cell => react.createElement("td", { ...cell.getCellProps() }, cell.render('Cell')))));
|
3515
|
+
}))));
|
3516
|
+
};
|
3517
|
+
|
3423
3518
|
;// CONCATENATED MODULE: ./src/components/touchlink-page/index.tsx
|
3424
3519
|
|
3425
3520
|
|
@@ -3429,6 +3524,7 @@ const ConnectedDevicePage = (0,withTranslation/* withTranslation */.Z)("devicePa
|
|
3429
3524
|
|
3430
3525
|
|
3431
3526
|
|
3527
|
+
|
3432
3528
|
class TouchlinkPage extends react.Component {
|
3433
3529
|
constructor() {
|
3434
3530
|
super(...arguments);
|
@@ -3444,30 +3540,36 @@ class TouchlinkPage extends react.Component {
|
|
3444
3540
|
renderTouchlinkDevices() {
|
3445
3541
|
const { touchlinkDevices, devices, touchlinkIdentifyInProgress, touchlinkResetInProgress, t } = this.props;
|
3446
3542
|
const touchlinkInProgress = touchlinkIdentifyInProgress || touchlinkResetInProgress;
|
3543
|
+
const columns = [
|
3544
|
+
{
|
3545
|
+
Header: t('zigbee:ieee_address'),
|
3546
|
+
accessor: (touchlinkDevice) => touchlinkDevice.ieee_address,
|
3547
|
+
Cell: ({ row: { original: touchlinkDevice } }) => devices[touchlinkDevice.ieee_address] ?
|
3548
|
+
(react.createElement(react_router_dom/* Link */.rU, { to: genDeviceDetailsLink(touchlinkDevice.ieee_address) }, touchlinkDevice.ieee_address)) : touchlinkDevice.ieee_address
|
3549
|
+
},
|
3550
|
+
{
|
3551
|
+
Header: t('zigbee:friendly_name'),
|
3552
|
+
accessor: (touchlinkDevice) => { var _a; return (_a = devices[touchlinkDevice.ieee_address]) === null || _a === void 0 ? void 0 : _a.friendly_name; },
|
3553
|
+
},
|
3554
|
+
{
|
3555
|
+
id: 'channel',
|
3556
|
+
Header: t('zigbee:channel'),
|
3557
|
+
accessor: 'channel'
|
3558
|
+
},
|
3559
|
+
{
|
3560
|
+
id: 'actions',
|
3561
|
+
Header: '',
|
3562
|
+
Cell: ({ row: { original: touchlinkDevice } }) => {
|
3563
|
+
return (react.createElement("div", { className: "btn-group float-right", role: "group", "aria-label": "Basic example" },
|
3564
|
+
react.createElement(Button, { disabled: touchlinkInProgress, item: touchlinkDevice, title: t('identify'), className: "btn btn-primary", onClick: this.onIdentifyClick },
|
3565
|
+
react.createElement("i", { className: classnames_default()("fa", { "fa-exclamation-triangle": !touchlinkIdentifyInProgress, "fas fa-circle-notch fa-spin": touchlinkIdentifyInProgress }) })),
|
3566
|
+
react.createElement(Button, { disabled: touchlinkInProgress, item: touchlinkDevice, title: t('factory_reset'), className: "btn btn-danger", onClick: this.onResetClick },
|
3567
|
+
react.createElement("i", { className: classnames_default()("fa", { "fa-broom": !touchlinkResetInProgress, "fas fa-circle-notch fa-spin": touchlinkResetInProgress }) }))));
|
3568
|
+
}
|
3569
|
+
},
|
3570
|
+
];
|
3447
3571
|
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
|
-
})))));
|
3572
|
+
react.createElement(Table, { id: "touchlinkDevices", columns: columns, data: touchlinkDevices })));
|
3471
3573
|
}
|
3472
3574
|
renderNoDevices() {
|
3473
3575
|
const { touchlinkScan, t } = this.props;
|
@@ -3687,7 +3789,7 @@ class SettingsPage extends react.Component {
|
|
3687
3789
|
zigbee2mqttCommit) },
|
3688
3790
|
{ 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
3791
|
{ 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.
|
3792
|
+
{ translationKey: 'frontend_version', content: "0.6.38" },
|
3691
3793
|
{ translationKey: 'stats', content: react.createElement(Stats, { devices: devices }) },
|
3692
3794
|
];
|
3693
3795
|
return react.createElement("div", { className: "p-3" }, rows.map(row => react.createElement("dl", { key: row.translationKey, className: "row" },
|
@@ -4040,6 +4142,17 @@ const useInputChange = (initialState) => {
|
|
4040
4142
|
return [input, handleInputChange];
|
4041
4143
|
};
|
4042
4144
|
|
4145
|
+
;// CONCATENATED MODULE: ./src/hooks/useModal.tsx
|
4146
|
+
|
4147
|
+
const useModal = (defaultIsVisible) => {
|
4148
|
+
const [isOpen, setVisible] = (0,react.useState)(defaultIsVisible);
|
4149
|
+
function toggle() {
|
4150
|
+
setVisible(!isOpen);
|
4151
|
+
}
|
4152
|
+
return { toggle, isOpen };
|
4153
|
+
};
|
4154
|
+
/* harmony default export */ const hooks_useModal = (useModal);
|
4155
|
+
|
4043
4156
|
;// CONCATENATED MODULE: ./src/components/groups/RenameForm.tsx
|
4044
4157
|
|
4045
4158
|
|
@@ -4074,6 +4187,7 @@ function RenameGroupForm(props) {
|
|
4074
4187
|
|
4075
4188
|
|
4076
4189
|
|
4190
|
+
|
4077
4191
|
class GroupsPage extends react.Component {
|
4078
4192
|
constructor() {
|
4079
4193
|
super(...arguments);
|
@@ -4113,29 +4227,40 @@ class GroupsPage extends react.Component {
|
|
4113
4227
|
}
|
4114
4228
|
renderGroups() {
|
4115
4229
|
const { groups, t } = this.props;
|
4116
|
-
const
|
4230
|
+
const columns = [
|
4231
|
+
{
|
4232
|
+
id: 'group_id',
|
4233
|
+
Header: t('group_id'),
|
4234
|
+
accessor: (group) => group.id,
|
4235
|
+
Cell: ({ row: { original: group } }) => react.createElement(react_router_dom/* Link */.rU, { to: `/group/${group.id}` }, group.id)
|
4236
|
+
},
|
4237
|
+
{
|
4238
|
+
id: 'friendly_name',
|
4239
|
+
Header: t('group_name'),
|
4240
|
+
accessor: (group) => group.friendly_name,
|
4241
|
+
Cell: ({ row: { original: group } }) => react.createElement(react_router_dom/* Link */.rU, { to: `/group/${group.id}` }, group.friendly_name)
|
4242
|
+
},
|
4243
|
+
{
|
4244
|
+
id: 'members',
|
4245
|
+
Header: t('group_members'),
|
4246
|
+
accessor: (group) => { var _a; return (_a = group.members.length) !== null && _a !== void 0 ? _a : 0; },
|
4247
|
+
},
|
4248
|
+
{
|
4249
|
+
id: 'scenes',
|
4250
|
+
Header: t('group_scenes'),
|
4251
|
+
accessor: (group) => { var _a, _b; return (_b = (_a = group.scenes) === null || _a === void 0 ? void 0 : _a.length) !== null && _b !== void 0 ? _b : 0; },
|
4252
|
+
},
|
4253
|
+
{
|
4254
|
+
Header: '',
|
4255
|
+
id: 'actions',
|
4256
|
+
Cell: ({ row: { original: group } }) => (react.createElement("div", { className: "btn-group float-right btn-group-sm", role: "group" },
|
4257
|
+
react.createElement(RenameGroupForm, { name: group.friendly_name, onRename: this.renameGroup }),
|
4258
|
+
react.createElement(Button, { promt: true, title: t('remove_group'), item: group.friendly_name, onClick: this.removeGroup, className: "btn btn-danger" },
|
4259
|
+
react.createElement("i", { className: "fa fa-trash" }))))
|
4260
|
+
},
|
4261
|
+
];
|
4117
4262
|
return react.createElement("div", { className: "card" },
|
4118
|
-
react.createElement(
|
4119
|
-
react.createElement("table", { className: "table" },
|
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()))));
|
4263
|
+
react.createElement(Table, { id: "groups", columns: columns, data: groups }));
|
4139
4264
|
}
|
4140
4265
|
render() {
|
4141
4266
|
return react.createElement(react.Fragment, null,
|
@@ -4150,49 +4275,6 @@ const ConnectedGroupsPage = (0,withTranslation/* withTranslation */.Z)("groups")
|
|
4150
4275
|
;// CONCATENATED MODULE: ./src/components/zigbee/style.css
|
4151
4276
|
// extracted by mini-css-extract-plugin
|
4152
4277
|
/* 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
4278
|
;// CONCATENATED MODULE: ./src/components/zigbee/index.tsx
|
4197
4279
|
|
4198
4280
|
|
@@ -4209,82 +4291,83 @@ const Table = ({ columns, data }) => {
|
|
4209
4291
|
|
4210
4292
|
|
4211
4293
|
|
4212
|
-
|
4213
|
-
const
|
4214
|
-
const
|
4215
|
-
const
|
4216
|
-
|
4217
|
-
|
4218
|
-
|
4219
|
-
|
4220
|
-
|
4221
|
-
|
4222
|
-
|
4223
|
-
|
4224
|
-
|
4225
|
-
|
4226
|
-
|
4227
|
-
|
4228
|
-
|
4229
|
-
|
4230
|
-
|
4231
|
-
|
4232
|
-
|
4233
|
-
|
4234
|
-
|
4235
|
-
|
4236
|
-
|
4237
|
-
|
4238
|
-
|
4239
|
-
|
4240
|
-
|
4241
|
-
|
4242
|
-
|
4243
|
-
|
4244
|
-
|
4245
|
-
|
4246
|
-
|
4247
|
-
|
4248
|
-
|
4249
|
-
|
4250
|
-
|
4251
|
-
|
4252
|
-
|
4253
|
-
|
4254
|
-
|
4255
|
-
|
4256
|
-
|
4257
|
-
|
4258
|
-
|
4259
|
-
|
4260
|
-
|
4261
|
-
|
4262
|
-
}
|
4263
|
-
|
4264
|
-
|
4265
|
-
|
4266
|
-
|
4267
|
-
|
4268
|
-
|
4269
|
-
|
4270
|
-
|
4271
|
-
|
4272
|
-
|
4273
|
-
|
4274
|
-
|
4275
|
-
|
4276
|
-
|
4277
|
-
|
4278
|
-
|
4279
|
-
|
4280
|
-
if (error) {
|
4281
|
-
return this.renderError();
|
4294
|
+
function DevicesTable(props) {
|
4295
|
+
const { data, lastSeenType } = props;
|
4296
|
+
const { t } = (0,useTranslation/* useTranslation */.$)(["zigbee", "common"]);
|
4297
|
+
const columns = [
|
4298
|
+
{
|
4299
|
+
id: 'rownumber',
|
4300
|
+
Header: '#',
|
4301
|
+
Cell: ({ row }) => react.createElement("div", { className: "font-weight-bold" }, row.index + 1),
|
4302
|
+
disableSortBy: true,
|
4303
|
+
},
|
4304
|
+
{
|
4305
|
+
id: 'pic',
|
4306
|
+
Header: t('pic'),
|
4307
|
+
Cell: ({ row: { original: { device, state } } }) => react.createElement(device_image, { className: zigbee_style["device-image"], device: device, deviceStatus: state }),
|
4308
|
+
accessor: rowData => rowData,
|
4309
|
+
disableSortBy: true,
|
4310
|
+
},
|
4311
|
+
{
|
4312
|
+
id: 'friendly_name',
|
4313
|
+
Header: t('friendly_name'),
|
4314
|
+
accessor: ({ device }) => device.friendly_name,
|
4315
|
+
Cell: ({ row: { original: { device } } }) => react.createElement(react_router_dom/* Link */.rU, { to: genDeviceDetailsLink(device.ieee_address) }, device.friendly_name)
|
4316
|
+
},
|
4317
|
+
{
|
4318
|
+
id: 'ieee_address',
|
4319
|
+
Header: t('ieee_address'),
|
4320
|
+
accessor: ({ device }) => [device.ieee_address, toHex(device.network_address, 4)].join(' '),
|
4321
|
+
Cell: ({ row: { original: { device } } }) => react.createElement(react.Fragment, null,
|
4322
|
+
device.ieee_address,
|
4323
|
+
" (",
|
4324
|
+
toHex(device.network_address, 4),
|
4325
|
+
")"),
|
4326
|
+
},
|
4327
|
+
{
|
4328
|
+
id: 'manufacturer',
|
4329
|
+
Header: t('manufacturer'),
|
4330
|
+
accessor: ({ device }) => { var _a; return [device.manufacturer, (_a = device.definition) === null || _a === void 0 ? void 0 : _a.vendor].join(' '); },
|
4331
|
+
Cell: ({ row: { original: { device } } }) => react.createElement(VendorLink, { device: device })
|
4332
|
+
},
|
4333
|
+
{
|
4334
|
+
id: 'model',
|
4335
|
+
Header: t('model'),
|
4336
|
+
accessor: ({ device }) => { var _a; return [device.model_id, (_a = device.definition) === null || _a === void 0 ? void 0 : _a.model].join(' '); },
|
4337
|
+
Cell: ({ row: { original: { device } } }) => react.createElement(ModelLink, { device: device })
|
4338
|
+
},
|
4339
|
+
{
|
4340
|
+
id: 'lqi',
|
4341
|
+
Header: t('lqi'),
|
4342
|
+
accessor: ({ state }) => state.linkquality,
|
4343
|
+
Cell: ({ row: { original: { state } } }) => react.createElement(DisplayValue, { value: state.linkquality, name: "linkquality" }),
|
4344
|
+
},
|
4345
|
+
...(lastSeenType !== "disable" ? [{
|
4346
|
+
id: 'last_seen',
|
4347
|
+
Header: t('last_seen'),
|
4348
|
+
accessor: ({ state }) => { var _a; return (_a = lastSeen(state, lastSeenType)) === null || _a === void 0 ? void 0 : _a.getTime(); },
|
4349
|
+
Cell: ({ row: { original: { state } } }) => react.createElement(LastSeen, { state: state, lastSeenType: lastSeenType }),
|
4350
|
+
}] : []),
|
4351
|
+
{
|
4352
|
+
id: 'power',
|
4353
|
+
Header: t('power'),
|
4354
|
+
accessor: ({ device }) => device.power_source,
|
4355
|
+
Cell: ({ row: { original: { state, device } } }) => react.createElement(power_source, { source: device.power_source, battery: state.battery, batteryLow: state.battery_low }),
|
4356
|
+
},
|
4357
|
+
{
|
4358
|
+
id: 'controls',
|
4359
|
+
Header: '',
|
4360
|
+
Cell: ({ row: { original: { device, state } } }) => react.createElement(device_control_DeviceControlGroup, { device: device, state: state }),
|
4361
|
+
disableSortBy: true,
|
4282
4362
|
}
|
4283
|
-
|
4284
|
-
|
4285
|
-
|
4286
|
-
|
4287
|
-
|
4363
|
+
];
|
4364
|
+
return (react.createElement("div", { className: "card" },
|
4365
|
+
react.createElement("div", { className: "table-responsive" },
|
4366
|
+
react.createElement(Table, { id: "zigbee", columns: columns, data: data }))));
|
4367
|
+
}
|
4368
|
+
function ZigbeeTable(props) {
|
4369
|
+
const { devices, deviceStates, bridgeInfo } = props;
|
4370
|
+
const getDevicesToRender = () => {
|
4288
4371
|
return Object.values(devices)
|
4289
4372
|
.filter(device => device.type !== "Coordinator")
|
4290
4373
|
.map((device) => {
|
@@ -4296,74 +4379,14 @@ class ZigbeeTable extends react.Component {
|
|
4296
4379
|
state
|
4297
4380
|
};
|
4298
4381
|
});
|
4382
|
+
};
|
4383
|
+
const data = react.useMemo(() => getDevicesToRender(), [devices, deviceStates]);
|
4384
|
+
if (Object.keys(data).length) {
|
4385
|
+
return react.createElement(DevicesTable, { data: data, lastSeenType: bridgeInfo.config.advanced.last_seen });
|
4299
4386
|
}
|
4300
|
-
|
4301
|
-
|
4302
|
-
|
4303
|
-
const { sortColumnId, sortDirection, search } = this.state;
|
4304
|
-
const lastSeenType = getLastSeenType(bridgeInfo.config.advanced);
|
4305
|
-
const reactTableColumns = [
|
4306
|
-
{
|
4307
|
-
Header: '#',
|
4308
|
-
id: '-rownumber',
|
4309
|
-
Cell: ({ row }) => react.createElement("div", { className: "font-weight-bold" }, row.index + 1),
|
4310
|
-
disableSortBy: true,
|
4311
|
-
},
|
4312
|
-
{
|
4313
|
-
Header: t('pic'),
|
4314
|
-
Cell: ({ value: { device, state } }) => react.createElement(device_image, { className: zigbee_style["device-image"], device: device, deviceStatus: state }),
|
4315
|
-
accessor: rowData => rowData,
|
4316
|
-
disableSortBy: true,
|
4317
|
-
},
|
4318
|
-
{
|
4319
|
-
Header: t('friendly_name'),
|
4320
|
-
accessor: ({ device }) => device.friendly_name,
|
4321
|
-
Cell: ({ row: { original: { device } } }) => react.createElement(react_router_dom/* Link */.rU, { to: genDeviceDetailsLink(device.ieee_address) }, device.friendly_name)
|
4322
|
-
},
|
4323
|
-
{
|
4324
|
-
Header: t('ieee_address'),
|
4325
|
-
accessor: ({ device }) => [device.ieee_address, toHex(device.network_address, 4)].join(' '),
|
4326
|
-
Cell: ({ row: { original: { device } } }) => react.createElement(react.Fragment, null,
|
4327
|
-
device.ieee_address,
|
4328
|
-
" (",
|
4329
|
-
toHex(device.network_address, 4),
|
4330
|
-
")"),
|
4331
|
-
},
|
4332
|
-
{
|
4333
|
-
Header: t('manufacturer'),
|
4334
|
-
accessor: ({ device }) => { var _a; return [device.manufacturer, (_a = device.definition) === null || _a === void 0 ? void 0 : _a.vendor].join(' '); },
|
4335
|
-
Cell: ({ row: { original: { device } } }) => react.createElement(VendorLink, { device: device })
|
4336
|
-
},
|
4337
|
-
{
|
4338
|
-
Header: t('model'),
|
4339
|
-
accessor: ({ device }) => { var _a; return [device.model_id, (_a = device.definition) === null || _a === void 0 ? void 0 : _a.model].join(' '); },
|
4340
|
-
Cell: ({ row: { original: { device } } }) => react.createElement(ModelLink, { device: device })
|
4341
|
-
},
|
4342
|
-
{
|
4343
|
-
Header: t('lqi'),
|
4344
|
-
accessor: ({ state }) => state.linkquality,
|
4345
|
-
Cell: ({ row: { original: { state } } }) => react.createElement(DisplayValue, { value: state.linkquality, name: "linkquality" }),
|
4346
|
-
},
|
4347
|
-
{
|
4348
|
-
Header: t('last_seen'),
|
4349
|
-
accessor: ({ state }) => { var _a; return (_a = lastSeen(state, lastSeenType)) === null || _a === void 0 ? void 0 : _a.getTime(); },
|
4350
|
-
Cell: ({ row: { original: { state } } }) => react.createElement(LastSeen, { state: state, lastSeenType: lastSeenType }),
|
4351
|
-
},
|
4352
|
-
{
|
4353
|
-
Header: t('power'),
|
4354
|
-
accessor: ({ device }) => device.power_source,
|
4355
|
-
Cell: ({ row: { original: { state, device } } }) => react.createElement(power_source, { source: device.power_source, battery: state.battery, batteryLow: state.battery_low }),
|
4356
|
-
},
|
4357
|
-
{
|
4358
|
-
Header: '',
|
4359
|
-
id: '-controls',
|
4360
|
-
Cell: ({ row: { original: { state, device } } }) => react.createElement(device_control_DeviceControlGroup, { device: device, state: state }),
|
4361
|
-
disableSortBy: true,
|
4362
|
-
}
|
4363
|
-
];
|
4364
|
-
return (react.createElement("div", { className: "card" },
|
4365
|
-
react.createElement("div", { className: "table-responsive mt-1" },
|
4366
|
-
react.createElement(Table, { columns: reactTableColumns, data: devices }))));
|
4387
|
+
else {
|
4388
|
+
return (react.createElement("div", { className: "h-100 d-flex justify-content-center align-items-center" },
|
4389
|
+
react.createElement(spinner, null)));
|
4367
4390
|
}
|
4368
4391
|
}
|
4369
4392
|
const zigbee_mappedProps = ["devices", "deviceStates", "bridgeInfo"];
|
@@ -4379,6 +4402,7 @@ const ConnectedZigbeePage = (0,withTranslation/* withTranslation */.Z)(["zigbee"
|
|
4379
4402
|
|
4380
4403
|
|
4381
4404
|
|
4405
|
+
|
4382
4406
|
const StateCell = (props) => {
|
4383
4407
|
var _a;
|
4384
4408
|
const { t } = (0,useTranslation/* useTranslation */.$)("ota");
|
@@ -4398,55 +4422,63 @@ const StateCell = (props) => {
|
|
4398
4422
|
return react.createElement(Button, { className: "btn btn-primary btn-sm", onClick: checkOTA, item: device.friendly_name }, t('check'));
|
4399
4423
|
}
|
4400
4424
|
};
|
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
4425
|
class OtaPage extends react.Component {
|
4418
4426
|
constructor() {
|
4419
4427
|
super(...arguments);
|
4420
4428
|
this.checkAllOTA = () => {
|
4421
4429
|
const { checkOTA } = this.props;
|
4422
4430
|
const otaDevices = this.getAllOtaDevices();
|
4423
|
-
otaDevices.forEach(device => checkOTA(device.friendly_name));
|
4431
|
+
otaDevices.forEach(({ device }) => checkOTA(device.friendly_name));
|
4424
4432
|
};
|
4425
4433
|
}
|
4426
4434
|
getAllOtaDevices() {
|
4427
|
-
const { devices } = this.props;
|
4428
|
-
return Object.values(devices)
|
4435
|
+
const { devices, deviceStates } = this.props;
|
4436
|
+
return Object.values(devices)
|
4437
|
+
.filter(device => { var _a; return (_a = device === null || device === void 0 ? void 0 : device.definition) === null || _a === void 0 ? void 0 : _a.supports_ota; })
|
4438
|
+
.map((device) => {
|
4439
|
+
var _a;
|
4440
|
+
const state = (_a = deviceStates[device.friendly_name]) !== null && _a !== void 0 ? _a : {};
|
4441
|
+
return { id: device.friendly_name, device, state };
|
4442
|
+
});
|
4429
4443
|
}
|
4430
4444
|
render() {
|
4431
|
-
const {
|
4445
|
+
const { checkOTA, updateOTA, t } = this.props;
|
4432
4446
|
const otaApi = { checkOTA, updateOTA };
|
4433
4447
|
const otaDevices = this.getAllOtaDevices();
|
4448
|
+
const columns = [
|
4449
|
+
{
|
4450
|
+
Header: t('zigbee:friendly_name'),
|
4451
|
+
accessor: ({ device }) => device.friendly_name,
|
4452
|
+
Cell: ({ row: { original: { device } } }) => react.createElement(react_router_dom/* Link */.rU, { to: genDeviceDetailsLink(device.ieee_address) }, device.friendly_name)
|
4453
|
+
},
|
4454
|
+
{
|
4455
|
+
Header: t('zigbee:manufacturer'),
|
4456
|
+
accessor: ({ device }) => { var _a; return [device.manufacturer, (_a = device.definition) === null || _a === void 0 ? void 0 : _a.vendor].join(' '); },
|
4457
|
+
Cell: ({ row: { original: { device } } }) => react.createElement(VendorLink, { device: device })
|
4458
|
+
},
|
4459
|
+
{
|
4460
|
+
Header: t('zigbee:model'),
|
4461
|
+
accessor: ({ device }) => { var _a; return [device.model_id, (_a = device.definition) === null || _a === void 0 ? void 0 : _a.model].join(' '); },
|
4462
|
+
Cell: ({ row: { original: { device } } }) => react.createElement(ModelLink, { device: device })
|
4463
|
+
},
|
4464
|
+
{
|
4465
|
+
Header: t('zigbee:firmware_build_date'),
|
4466
|
+
accessor: ({ device }) => device.date_code
|
4467
|
+
},
|
4468
|
+
{
|
4469
|
+
Header: t('zigbee:firmware_version'),
|
4470
|
+
accessor: ({ device }) => { var _a; return [device.model_id, (_a = device.definition) === null || _a === void 0 ? void 0 : _a.model].join(' '); },
|
4471
|
+
Cell: ({ row: { original: { device } } }) => react.createElement(OTALink, { device: device })
|
4472
|
+
},
|
4473
|
+
{
|
4474
|
+
Header: () => react.createElement(Button, { className: "btn btn-danger btn-sm", onClick: this.checkAllOTA, promt: true }, t('check_all')),
|
4475
|
+
id: 'check_all',
|
4476
|
+
Cell: ({ row: { original: { device, state } } }) => react.createElement(StateCell, { device: device, state: state, ...otaApi })
|
4477
|
+
},
|
4478
|
+
];
|
4434
4479
|
return react.createElement("div", { className: "card" },
|
4435
|
-
react.createElement("div", { className: "
|
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 })))))));
|
4480
|
+
react.createElement("div", { className: "table-responsive" },
|
4481
|
+
react.createElement(Table, { id: "otaDevices", columns: columns, data: otaDevices })));
|
4450
4482
|
}
|
4451
4483
|
}
|
4452
4484
|
const ota_page_mappedProps = ["devices", "deviceStates"];
|
@@ -4567,7 +4599,6 @@ const DashboardDevice_DashboardDevice = ({ onChange, onRead, device, deviceState
|
|
4567
4599
|
|
4568
4600
|
|
4569
4601
|
|
4570
|
-
|
4571
4602
|
function filterDeviceByFeatures(devices, deviceStates, filterFn) {
|
4572
4603
|
return Object.values(devices)
|
4573
4604
|
.filter(device => device.supported)
|
@@ -4589,7 +4620,6 @@ function DeviceGroupRow(props) {
|
|
4589
4620
|
const { removeDeviceFromGroup, groupAddress, devices, deviceStates, bridgeInfo } = props;
|
4590
4621
|
const device = (_a = devices[groupAddress.ieee_address]) !== null && _a !== void 0 ? _a : { ieee_address: groupAddress.ieee_address, friendly_name: t('unknown_device') };
|
4591
4622
|
const deviceState = (_b = deviceStates[device.friendly_name]) !== null && _b !== void 0 ? _b : {};
|
4592
|
-
const lastSeenType = getLastSeenType(bridgeInfo.config.advanced);
|
4593
4623
|
const { setDeviceState, getDeviceState } = props;
|
4594
4624
|
let filteredFeatures = [];
|
4595
4625
|
if (device.definition) {
|
@@ -4597,7 +4627,7 @@ function DeviceGroupRow(props) {
|
|
4597
4627
|
.map((e) => onlyValidFeaturesForScenes(e, deviceState))
|
4598
4628
|
.filter(f => f);
|
4599
4629
|
}
|
4600
|
-
return react.createElement(dashboard_page_DashboardDevice, { key: device.ieee_address, feature: { features: filteredFeatures }, device: device, deviceState: deviceState, onChange: (endpoint, value) => setDeviceState(`${device.friendly_name}${endpoint ? `/${endpoint}` : ''}`, value), onRead: (endpoint, value) => getDeviceState(`${device.friendly_name}${endpoint ? `/${endpoint}` : ''}`, value), featureWrapperClass: DashboardFeatureWrapper, lastSeenType:
|
4630
|
+
return react.createElement(dashboard_page_DashboardDevice, { key: device.ieee_address, feature: { features: filteredFeatures }, device: device, deviceState: deviceState, onChange: (endpoint, value) => setDeviceState(`${device.friendly_name}${endpoint ? `/${endpoint}` : ''}`, value), onRead: (endpoint, value) => getDeviceState(`${device.friendly_name}${endpoint ? `/${endpoint}` : ''}`, value), featureWrapperClass: DashboardFeatureWrapper, lastSeenType: bridgeInfo.config.advanced.last_seen, controls: react.createElement(Button, { promt: true, item: device.friendly_name, onClick: removeDeviceFromGroup, className: "btn btn-danger btn-sm float-right" },
|
4601
4631
|
react.createElement("i", { className: "fa fa-trash" })) });
|
4602
4632
|
}
|
4603
4633
|
|
@@ -4652,9 +4682,8 @@ const onlyValidFeaturesForDashboard = (feature, deviceState = {}) => {
|
|
4652
4682
|
};
|
4653
4683
|
const Dashboard = (props) => {
|
4654
4684
|
const { setDeviceState, getDeviceState, deviceStates, bridgeInfo } = props;
|
4655
|
-
const lastSeenType = getLastSeenType(bridgeInfo.config.advanced);
|
4656
4685
|
return (react.createElement("div", { className: "row" }, filterDeviceByFeatures(props.devices, deviceStates, onlyValidFeaturesForDashboard).map(({ device, deviceState, filteredFeatures }) => {
|
4657
|
-
return (react.createElement(dashboard_page_DashboardDevice, { key: device.ieee_address, feature: { features: filteredFeatures }, device: device, deviceState: deviceState, onChange: (endpoint, value) => setDeviceState(`${device.friendly_name}${endpoint ? `/${endpoint}` : ''}`, value), onRead: (endpoint, value) => getDeviceState(`${device.friendly_name}${endpoint ? `/${endpoint}` : ''}`, value), featureWrapperClass: DashboardFeatureWrapper, lastSeenType:
|
4686
|
+
return (react.createElement(dashboard_page_DashboardDevice, { key: device.ieee_address, feature: { features: filteredFeatures }, device: device, deviceState: deviceState, onChange: (endpoint, value) => setDeviceState(`${device.friendly_name}${endpoint ? `/${endpoint}` : ''}`, value), onRead: (endpoint, value) => getDeviceState(`${device.friendly_name}${endpoint ? `/${endpoint}` : ''}`, value), featureWrapperClass: DashboardFeatureWrapper, lastSeenType: bridgeInfo.config.advanced.last_seen }));
|
4658
4687
|
})));
|
4659
4688
|
};
|
4660
4689
|
const dashboard_page_mappedProps = ['devices', 'deviceStates', 'bridgeInfo'];
|
@@ -4904,13 +4933,13 @@ var context = __webpack_require__(68718);
|
|
4904
4933
|
// EXTERNAL MODULE: ./node_modules/i18next-browser-languagedetector/dist/esm/i18nextBrowserLanguageDetector.js
|
4905
4934
|
var i18nextBrowserLanguageDetector = __webpack_require__(26071);
|
4906
4935
|
;// 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"}}');
|
4936
|
+
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
4937
|
;// CONCATENATED MODULE: ./src/i18n/locales/fr.json
|
4909
4938
|
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
4939
|
;// CONCATENATED MODULE: ./src/i18n/locales/pl.json
|
4911
4940
|
const locales_pl_namespaceObject = JSON.parse('{"common":{"action":"Akcja","check_all":"Sprawdź wszystkie","clear":"Wyczyść","close":"Zamknij","delete":"Usuń","dialog_confirmation_prompt":"Czy jesteś pewien?","enter_search_criteria":"Wprowadź kryteria wyszukiwania","confirmation":"potwierdzenie","ok":"ok","source_endpoint":"źródłowy_endpoint","select_endpoint":"wybierz_endpoint","destination_endpoint":"przeznaczony_endpoint","the_only_endpoint":"tylko_endpoint","select_device":"wybierz_urządzenie","groups":"grupy","devices":"urządzenia","apply":"zatwierdź","destination":"kierunek","clusters":"klastry","bind":"powiąż","unbind":"rozwiąż","loading":"Ładowanie...","save":"Zapisz"},"devicePage":{"about":"O urządzeniu","bind":"Powiązania","clusters":"Klaster","dev_console":"Konsola","exposes":"Eksponowane","reporting":"Raportowanie","settings":"Ustawienia","scene":"Scena","settings_specific":"Ustawienia (specyficzne)","state":"Stan"},"extensions":{"extension_name_propmt":"Wprowadź nazwę nowego rozszerzenia","select_extension_to_edit":"Wybierz rozszerzenie do edycji"},"featureNames":{"brightness":"Poziom Jasności","color_temp":"Temperatura Barwowa","color_xy":"Kolor Xy","contact":"Kontakt","humidity":"Wilgotność","illuminance":"Natężenie światła","occupancy":"Obecność","pressure":"Ciśnienie","soil_moisture":"Wilgotność Gleby","state":"Stan","water_leak":"Wyciek Wody","position":"Pozycja","current_heating_setpoint":"Aktualna wartość zadana ogrzewania","local_temperature":"Temperatura Lokalna","system_mode":"Tryb Pracy","local_temperature_calibration":"Lokalna kalibracja temperatury","away_mode":"Tryb Z dala od domu","preset":"Preset","temperature":"Temperatura","power":"Moc","current":"Natężenie","voltage":"Napięcie","energy":"Energia"},"groups":{"add_to_group":"Dodaj do grupy","create_group":"Utwórz grupę","new_group_id":"ID nowej grupy","new_group_id_placeholder":"Podaj ID grupy jeśli potrzebujesz","new_group_name":"Nazwa nowej grupy","new_group_name_placeholder":"przykład: lampy_sypialnia","remove_group":"Usuń grupę"},"logs":{"empty_logs_message":"Brak logów do wyświetlenia","filter_by_text":"Filtruj po tekście","show_only":"Pokaż tylko"},"map":{"help_coordinator_link_description":"Linie ciągłe to połączenia z koordynatorem","help_end_device_description":"zielony to urządzenia końcowe","help_is_coordinator":"to koordynator","help_lqi_description":"Jakość połączenia to wartość 0 - 255 (im wyższa tym lepiej), wartości oddzielone / odnoszą się do różnych typów połączeń.","help_router_description":"niebieski to rutery","help_router_links_description":"Linie przerywane to połączenia z ruterami","hide":"Kliknij tutaj by ukryć","load":"Załaduj mapę","loading":"Ładowanie mapy może zająć od 10 sekund do 2 minut, w zależności od rozmiaru Twojej sieci."},"navbar":{"all":"Wszystkie","dashboard":"Pulpit","devices":"Urządzenia","disable_join":"Zabroń dołączania","extensions":"Rozszerzenia","groups":"Grupy","logs":"Logi","map":"Mapa","ota":"OTA","permit_join":"Zezwól na dołączanie","restart":"Restart","settings":"Ustawienia","toggle_dropdown":"Przełącz listę","touchlink":"Touchlink"},"ota":{"check":"Spradź dostępność aktualizacji","check_all":"Sprawdź wszystkie","empty_ota_message":"Nie posiadasz urządzeń wspierających OTA","remaining_time":"Pozostały czas: {{- remaining}}","update":"Zaktualizuj oprogramowanie układowe"},"settings":{"about":"O programie","advanced":"Zaawansowane","blocklist":"Lista zablokowanych","coordinator_revision":"Wersja oprogramowania koordynatora","coordinator_type":"Typ koordynatora","donate":"Wsparcie","donation_text":["Cześć %username%, tutaj możesz podziękować nam za ciężką pracę.","Byłoby miło gdybyś zostawił też jakieś dobre słowo ;)"],"download_state":"Pobierz stan","experimental":"Eksperymentalne","external_converters":"Konwertery zewnętrzne","frontend":"Aplikacja interfejsu użytkownika","frontend_version":"Wersja aplikacji interfejsu użytkownika","main":"Główne","translate":"Tłumaczenie","mqtt":"MQTT","ota":"Aktualizacje OTA","passlist":"Lista dopuszczonych","raw":"Wygenerowana konfiguracja","restart_zigbee2mqtt":"Zrestartuj Zigbee2MQTT","serial":"Port szeregowy","settings":"Ustawienia","tools":"Narzędzia","zigbee2mqtt_version":"Wersja Zigbee2MQTT"},"settingsSchemaTranslations":{"root-title":"Port szeregowy","root__description":"Pozwól tylko wybranym urządzeniom (identyfikowanym przez adres ieeeAddr) do sieci. Zwróc uwagę na fakt, że wszystkie urządzenia spoza tej listy zostaną usunięte z obecnej sieci!","root__title":"Lista dopuszczonych","root_availability_blacklist__title":"Czarna lista sprawdzania dostępności (ustawienie wycofywane, użyj listy blokad sprawdzania dostępności)","root_availability_blocklist__description":"Zablokuj sprawdzanie dostępności urządzeń z tej listy","root_availability_blocklist__title":"Lista blokad sprawdzania dostępności","root_availability_passlist__description":"Włącz sprawdzanie obecności tylko dla urządzeń z tej listy","root_availability_passlist__title":"Lista sprawdzania dostępności","root_availability_whitelist__title":"Bilała lista sprawdzania dostępności (ustawienie wycofywane, użyj listy sprawdzania obecności)","root_ext_pan_id__description":"Parametr Zigbee rozszerzonego identyfikatora sieci, zmiana wymaga ponownego sparowania wszystkich urządzeń!","root_ext_pan_id__title":"Ext Pan ID","root_log_output__description":"Położenie wyjściowego pliku logu, pozostaw puste by wyłączyć rejestrowanie logu zdarzeń","root_log_output__title":"Wyjście logowania","root_filtered_attributes__title":"Filtrowane opublikowane atrybuty","root_filtered_attributes__description":"Filtrowanie atrybutów z publikowanej zawartości.","root_debounce_ignore__title":"Ignorowanie odbicia","root_debounce_ignore__description":"Chroni unikalne wartości określonych właściwości payload przed nadpisaniem w czasie odbicia","root_filtered_optimistic__title":"Przefiltrowane atrybuty optimistic","root_filtered_optimistic__description":"Filtruj atrybuty z optimistic publish payload podczas wywoływania /set. (Nie ma to żadnego efektu jeśli optimistic jest ustawione na false)...","advanced-title":"Zaawansowane","advanced_availability_blacklist__title":"Czarna lista dostępności (przestarzała, użyj availability_blocklist)","advanced_availability_blocklist__title":"Lista blokad dostępności","advanced_availability_blocklist__description":"Uniemożliwienie sprawdzania dostępności urządzeń","advanced_availability_passlist__title":"Passlista dostępności","advanced_availability_passlist__description":"Włącz sprawdzanie dostępności tylko dla niektórych urządzeń","advanced_availability_whitelist__title":"Whitelista dostępności (przestarzała, użyj passlisty)","advanced_ext_pan_id__title":"Ext Pan ID","advanced_ext_pan_id__description":"Zigbee extended pan ID, zmiana wymaga naprawy wszystkich urządzeń!","advanced_log_output__title":"Wyjście logów","advanced_log_output__description":"Wyjściowa lokalizacja logu, pozostaw puste aby wyłączyć logowanie","advanced_log_syslog-title":"logi systemowe","blocklist__title":"Lista blokad","blocklist__description":"Blokowanie urządzeń z sieci (według ieeeAddr)","experimental-title":"Eksperymentalne","external_converters__title":"Konwertery zewnętrzne","external_converters__description":"Możesz zdefiniować zewnętrzne konwertery, aby np. dodać obsługę urządzenia DiY","frontend-title":"Frontend","mqtt-title":"MQTT","ota-title":"Aktualizacje OTA","passlist__title":"Passlista","passlist__description":"Zezwól tylko niektórym urządzeniom na dołączenie do sieci (według ieeeAddr). Uwaga, wszystkie urządzenia nie znajdujące się na passliście zostaną usunięte z sieci!","serial-title":"Serial","root_log_syslog-title":"Log systemowy"},"scene":{"scene_id":"id_sceny","store":"store","recall":"odwołaj","remove":"usuń","remove_all":"usuń_wszystko","select_scene":"wybierz_scene"},"touchlink":{"detected_devices_message":"Wykryte urządzenia touchlink: {{count}}. ","rescan":"Skanuj ponownie","scan":"Skanuj"},"values":{"Clear":"Brak","Closed":"Zamknięte","Occupied":"Wykryto Obecność","Open":"Otwarte","tampered":"Naruszenie","supported":"Obsługiwane","not_supported":"Nie Obsługiwane","leaking":"Wyciek","false":"Fałsz","true":"Prawda"},"featureDescriptions":{"Remaining battery in %":"Pozostały stan baterii w %","Measured temperature value":"Zmierzona wartość temperatury","Measured relative humidity":"Zmierzona wilgotność względna","Voltage of the battery in millivolts":"Napięcie akumulatora w miliwoltach","Link quality (signal strength)":"Jakość połączenia (siła sygnału)"},"zigbee":{"block_join":"Zablokuj ponowne dołączanie","device_type":"Typ urządzenia","endpoint":"Punkt końcowy","description":"Opis","cluster":"klaster","attribute":"atrybut","min_rep_interval":"min_rep_interval","max_rep_interval":"max_rep_interval","min_rep_change":"min_rep_change","actions":"akcje","select_cluster":"wybierz_klaster","none":"brak","select_attribute":"wybierz_atrybut","output_clusters":"wyjściowe_klastry","input_clusters":"wejściowe_klastry","zigbee_manufacturer":"zigbee_manufacturer(kod)","firmware_build_date":"Data firmware","firmware_version":"Wersja firmware","force_remove":"Wymuś usunięcie","friendly_name":"Przyjazna nazwa","ieee_address":"Adres IEEE","interview_completed":"Wywiad zakończony","last_seen":"Ostatnio widziane","lqi":"LQI","manufacturer":"Producent","model":"Model","network_address":"Adres sieciowy","pic":"Foto","power":"Zasilanie","reconfigure":"Przekonfiguruj","remove_device":"Usuń urządzenie","rename_device":"Zmień nazwę urządzenia","support_status":"Support status","unsupported":"Niewspierane","update_Home_assistant_entity_id":"Zaktualizuj ID encji Home Assistanta","zigbee_model":"Model Zigbee"}}');
|
4912
4941
|
;// CONCATENATED MODULE: ./src/i18n/locales/de.json
|
4913
|
-
const locales_de_namespaceObject = JSON.parse('{"common":{"action":"Aktion","actions":"Aktionen","apply":"Anwenden","attribute":"Attribute","bind":"verbinden","check_all":"Alle prüfen","clear":"Löschen","close":"Schliessen","cluster":"Cluster","clusters":"Clusters","confirmation":"Bestätigen","delete":"Löschen","destination":"Ziel","destination_endpoint":"Zielendpunkt","devices":"Geräte","dialog_confirmation_prompt":"Bist Du sicher?","disable":"Abschalten","enter_search_criteria":"Suchwort","groups":"Gruppen","loading":"Laden...","none":"Nichts","ok":"ok","read":"Lesen","save":"Speichern","select_device":"Wähle Gerät","select_endpoint":"Wähle Endpunkt","source_endpoint":"Quellen Endpunkt","the_only_endpoint":"Der einzige Endpunkt","unbind":"trennen","unknown":"Unbekannt","write":"Schreiben"},"devicePage":{"about":"Über","bind":"Bindungen","clusters":"Kluster","dev_console":"Dev Konsole","exposes":"Details","reporting":"Berichten","scene":"Szene","settings":"Einstellungen","settings_specific":"Einstellungen (spezifisch)","state":"Status","unknown_device":"unbekanntes Gerät"},"exposes":{"action":"Aktion","auto_off":"Automatisch abschalten","away_mode":"Abwesenheitsmodus","away_preset_days":"Abwesenheitszeit (in Tagen)","away_preset_temperature":"Temperatur bei Abwesenheit","backlight_mode":"Rücklicht Modus","battery":"Batterie","battery_low":"Batterie schwach","boost_time":"Boost Dauer","brightness":"Helligkeit","calibration":"Kalibrierung","carbon_monoxide":"Kohlenmonoxid","co2":"Kohlendioxid","color_hs":"Farbe hue/saturation","color_temp":"Farbtemperatur","color_temp_startup":"Farbtemperatur nach Einschalten","color_xy":"Farbe (XY)","comfort_temperature":"Komfort Temperature","consumer_connected":"Verbraucher angeschlossen","consumer_overload":"Verbraucherüberlastung","contact":"Kontakt","current":"Aktuell","current_heating_setpoint":"Aktuelle Solltemperatur","device_temperature":"Gerätetemperatur","eco_temperature":"Ökologische Temperatur","effect":"Effekt","empty_exposes_definition":"Exposes nicht definiert","energy":"Verbrauch","force":"Erzwungene Ventilposition","humidity":"Luftfeuchtigkeit","illuminance":"Beleuchtungsstärke","illuminance_lux":"Beleuchtungsstärke in Lux","led_disabled_night":"LED Nachts ausschalten","linkquality":"Linkqualität","local_temperature":"Raumtemperatur","local_temperature_calibration":"Kalibrierung Raumtemperatur","max_temperature":"Maximale Temperatur","min_temperature":"Minimale Temperatur","motion":"Bewegung","motion_direction":"Bewegungsrichtung","motor_reversal":"Richtung umkehren","motion_speed":"Bewegungsgeschwindigkeit","moving":"Bewegung","occupancy":"Belegung","operation_mode":"Betriebsmodus","options":"Optionen","position":"Position","power":"Leistung","power_on_behavior":"Zustand nach Stromausfall","power_outage_memory":"Zustand nach Stromausfall","presence":"Anwesenheit","preset":"Voreinstellung","Pressure":"Luftdruck","sensivity":"Empfindlichkeit","smoke":"Rauch","state":"Status","strength":"Stärke","system_mode":"Heizmodus","tamper":"Manipulation","temperature":"Temperatur","voltage":"Stromspannung","water_leak":"Wasserleck","week":"Woche"},"extensions":{"extension_name_propmt":"Name der neuen Erweiterung","select_extension_to_edit":"Wähle Erweiterung zum Bearbeiten","create_new_extension":"Neue Erweiterung erstellen"},"featureNames":{"action":"Aktion","action_angle":"Bewegung Winkel","action_from_side":"Bewegung von Seite","action_side":"Aktive Seite","action_to_side":"Bewegung zur Seite","alarm":"Alarm","angle_x":"Ausrichtung X","angle_y":"Ausrichtung Y","angle_z":"Ausrichtung Z","auto_lock":"Automatische Sperre","away_mode":"Abwesenheitsmodus","brightness":"Helligkeit","calibration_time":"Kalibrierungszeit","carbon_monoxide":"Kohlenmonoxid","child_lock":"Kindersicherung","co2":"Kohlendioxid","color_hs":"Farbe Hs","color_temp":"Farbtemperatur","color_temp_startup":"Start Farbtemperatur","color_xy":"Farbe Xy","consumer_connected":"Verbraucher angeschlossen","contact":"Kontakt","current":"Aktuell","current_heating_setpoint":"Aktuelle Solltemperatur","current_level_startup":"Aktuelles Startlevel","device_temperature":"Gerätetemperatur","energy":"Energie","friday_schedule":"Plan Freitag","heating":"Heizen","holidays_schedule":"Plan Urlaubszeit","humidity":"Feuchtigkeit","illuminance":"Beleuchtungsstärke","level_config":"Level Konfiguration","local_temperature":"Lokale Temperatur","local_temperature_calibration":"Kalibrierung lokale Temperatur","monday_schedule":"Plan Montag","motion":"Bewegung","motion_direction":"Bewegungsrichtung","motion_speed":"Bewegungsgeschwindigkeit","motor_speed":"Motorgeschwindigkeit","moving":"Bewegung","occupancy":"Belegung","on_off_transition_time":"Ein Aus Übergangszeit","options":"Optionen","position":"Position","power":"Leistung","presence":"Anwesenheit","preset":"Vorgabe","pressure":"Luftdruck","programming_mode":"Programmier-Modus","program_weekday":"Programm-Wochentag","program_saturday":"Programm-Samstag","program_sunday":"Programm-Sonntag","saturday_schedule":"Plan Samstag","smoke":"Rauch","smoke_density":"Stärke der Rauchentwicklung","soil_moisture":"Bodenfeuchtigkeit","state":"Status","state_l1":"Status L 1","state_l2":"Status L 2","state_l3":"Status L 3","state_l4":"Status L 4","sunday_schedule":"Plan Sonntag","system_mode":"System Mode","tamper":"Manipulation","temperature":"Temperatur","thursday_schedule":"Plan Donnerstag","tuesday_schedule":"Plan Dienstag","valve_detection":"Ventil Erkennung","voltage":"Volt","water_leak":"Wasserleck","week":"Woche","wednesday_schedule":"Plan Mittwoch","window_detection":"Fenster Erkennung","window":"Fenster","workdays_schedule":"Plan Werktags"},"featureDescriptions":{"Auto off after specific time.":"Automatische Abschaltung nach bestimmter Zeit.","Away mode":"Abwesenheitsmodus","Away preset days":"Abwesenheit in Tagen","Away preset temperature":"Definierte Temperatur für den Abwesenheitsmodus","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: Halten Sie \\"+ \\" 3 Sekunden lang gedrückt, das Ventil wechselt in den Boost-Modus und ▷╵◁ beginnt zu blinken. Die Dauer wird in der Anwendung angezeigt. ","Boost time":"Boost Zeit","Boost Time Setting 100 sec - 900 sec, (default = 300 sec)":"Boost-Zeiteinstellung 100 Sek. - 900 Sek., (Standard = 300 Sek.)","Brightness of this light":"Helligkeit des Leuchtmittels","Calibrates the humidity value (absolute offset), takes into effect on next report of device.":"Kalibriert den Luftfeuchtewert (absoluter Offset), wird beim nächsten Bericht des Gerätes wirksam.","Calibrates the illuminance value (percentual offset), takes into effect on next report of device.":"Kalibriert den Helligkeitswert (prozentualer Offset), wird beim nächsten Bericht des Geräts wirksam.","Calibrates the illuminance_lux value (percentual offset), takes into effect on next report of device.":"Kalibriert den Helligkeitswert (LUX) (prozentualer Offset), wird beim nächsten Bericht des Geräts wirksam.","Calibrates the pressure value (absolute offset), takes into effect on next report of device.":"Kalibriert den Luftdruckwert (absoluter Offset), wird beim nächsten Bericht des Geräts wirksam.","Calibrates the temperature value (absolute offset), takes into effect on next report of device.":"Kalibriert den Temperaturwert (absoluter Offset), wird beim nächsten Bericht des Geräts wirksam.","Calibration time":"Zeit zum Kalibrieren","Color of this light expressed as hue/saturation":"Farbe des Leuchtmittels übersetzt in hue/saturation","Color of this light in the CIE 1931 color space (x/y)":"Farbe des Leuchtmittels im CIE 1931 Farbraum (x/y)","Color temperature after cold power on of this light":"Farbtemperatur nach Trennung vom Stromnetz","Color temperature of this light":"Farbtemperatur des Leuchtmittels","Comfort temperature":"Komfort Temperatur","Controls the behaviour when the device is powered on":"Überprüft das Verhalten beim Einschalten des Device.","Countdown in minutes":"Countdown in Minuten.","Current temperature measured on the device":"Aktuelle Temperatur am Thermostat","Decoupled mode for center button":"Entkoppelter Modus für Mitteltaste","Decoupled mode for left button":"Entkoppelter Modus für linke Taste","Decoupled mode for right button":"Entkoppelter Modus für rechte Taste","direction of movement from the point of view of the radar":"Zeigt die Richtung der Bewegung aus sicht des Sensors an.","ECO mode (energy saving mode)":"Eco-Mode (Energiesparfunktion)","Eco temperature":"Öko-Temperatur","Enable/disable auto lock":"Aktivieren/Deaktivieren auto lock","Enable/disable away mode":"Aktivieren/Deaktivieren des Abwesenheitsmodus","Enables/disables physical input on the device":"Aktivieren/Deaktivieren der direkten Bedienung des Gerätes","Enables/disables window detection on the device":"Aktivieren/Deaktivieren der Fensterstatus Erkennung","Enabling prevents both relais being on at the same time":"Aktivierung schützt davor, beide Relais gleichzeitig zu aktivieren","Force the valve position":"Erzwingt die eingestellte Ventilposition","Indicates if CO (carbon monoxide) is detected":"Kohlenmonoxid entdeckt","Indicates if the battery of this device is almost empty":"Warnung, wenn Batterie schwach","Indicates if the contact is closed (= true) or open (= false)":"Kontakt geschlossen (= true) oder offen (= false)","Indicates whether the device detected a water leak":"Zeigt, ob ein Wasseraustritt erkannt wurde","Indicates whether the device detected occupancy":"Ermittelt, ob eine Bewegung erkannt wurde","Indicates whether the device detected presence":"Zeigt, ob eine Anwesenheit erkannt wurde.","Indicates whether the device detected smoke":"Raucherkennung","Indicates whether the device is tampered":"Zeigt, ob das Gerät manipuliert wurde","Instantaneous measured electrical current":"Aktuell gemessener Ampere-Bedarf","Instantaneous measured power":"Momentan gemessene Leistung","Link quality (signal strength)":"Link Qualität (Signalstärke)","Maximum temperature":"Maximale Temperatur","Measured electrical potential value":"Gemessene Stromstärke in Volt ankommend","Measured illuminance in lux":"Gemessene Helligkeit in Lux","Measured relative humidity":"Messung der relativen Luftfeuchtigkeit","Measured temperature value":"Gemessene Temperatur","Minimum temperature":"Minimale Temperatur","Mode of this device (similar to system_mode)":"Modus des Thermostats (identisch zu system_mode)","Mode of this device":"Modus des Thermostats","Motor speed":"Motor Geschwindigkeit","moving inside the range of the sensor":"Zeigt, ob eine Bewegung innerhalb des Radar-Radius erkannt wurde.","Number of digits after decimal point for humidity, takes into effect on next report of device.":"Anzahl der Nachkomma-Stellen für Luftfeuchtigkeit, Änderung wirksam beim nächsten Geräte-Report.","Number of digits after decimal point for illuminance, takes into effect on next report of device.":"Anzahl der Nachkomma-Stellen für Helligkeit, Änderung wirksam beim nächsten Geräte-Report.","Number of digits after decimal point for illuminance_lux, takes into effect on next report of device.":"Anzahl der Nachkomma-Stellen für Helligkeit in Lux, Änderung wirksam beim nächsten Geräte-Report.","Number of digits after decimal point for pressure, takes into effect on next report of device.":"Anzahl der Nachkomma-Stellen für Luftdruck, Änderung wirksam beim nächsten Geräte-Report.","Number of digits after decimal point for temperature, takes into effect on next report of device.":"Anzahl der Nachkomma-Stellen für Temperatur, Änderung wirksam beim nächsten Geräte-Report.","Offset to be used in the local_temperature":"Kallibrierung der Raumtemperatur am Thermostat","On/off state of the switch":"On/off Status des Schalters","On/off state of this light":"On/off Status des Leuchtmittels","Position of this cover":"Position des Vorhangs","Position":"Position","presets for sensivity for presence and movement":"Standardeinstellungen für die Sensibilität des Radar-Sensors (Bewegung und Anwesenheit).","PROGRAMMING MODE ⏱ - In this mode, the device executes a preset week programming temperature time and temperature. ":"PROGRAMMIERMODUS ⏱ - In diesem Modus verwendet das Ventil einen festgelegten Stunden- und Temperaturplan pro Woche.","Raw measured illuminance":"Gemessener Helligkeits-Rohwert","Recover state after power outage":"Eingestellter Zustand nach Stromabfall","Remaining battery in %":"Aktueller Batteriestatus 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.":"Sendet eine Nachricht, wann das letzte Mal eine Belegung erkannt wurde. Wenn dies beispielsweise auf [10, 60] eingestellt wird, wird nach 10 Sekunden ein `{\\"no_occupancy_since\\": 10}` gesendet und nach 60 Sekunden ein `{\\"no_occupancy_since\\": 60}`.","Set to false to disable the legacy integration (highly recommended), will change structure of the published payload (default true).":"Auf \\"false\\" gesetzt, um die Legacy-Integration zu deaktivieren (dringend empfohlen), ändert die Struktur der veröffentlichten payloads (Standardwert \\"true\\"). ","sensitivity of the radar":"Einstellen der Radar-Sensibilität","Side of the cube":"Würfelseite","Speed of movement":"Zeigt die Geschwindigkeit der Bewegung an.","Sum of consumed energy":"Seit Anfang verbrauchter Strom in kW/h","Temperature setpoint":"Temperatur Sollwert","The measured atmospheric pressure":"Gemessner Luftdruck","Time in seconds after which occupancy is cleared after detecting it (default 90 seconds).":"Zeit in Sekunden, nach der die Belegung zurück gesetzt wird, nachdem sie erkannt wurde (Standard 90 Sekunden).","Triggered action (e.g. a button click)":"Ausgelöstes Ereignis (z.B. ein Aktivieren eines Tasters)","Triggers an effect on the light (e.g. make light blink for a few seconds)":"Startet einen Effekt des Leuchtmittels (z.B. Blinken für ein paar Sekunden)","Voltage of the battery in millivolts":"Ladung der Batterie in Millivolt","Week format user for schedule":"Aufteilung der Wochentage für Heizprogramme","Window status closed or open ":"Zustand des Fensters (geöffnet oder geschlossen)"},"groups":{"add_to_group":"Zur Gruppe hinzufügen","create_group":"Gruppe erstellen","group_id":"Gruppen ID","group_name":"Gruppen Name","group_members":"Gruppen Mitglieder","group_scenes":"Gruppen Szenen","new_group_id":"Neue Gruppen-ID","new_group_id_placeholder":"Wenn benötigt, Gruppen-ID festlegen.","new_group_name":"Neuer Gruppenname","new_group_name_placeholder":"Beispiel: my_bedroom_lights","remove_group":"Gruppe entfernen"},"logs":{"empty_logs_message":"Nichts anzuzeigen","filter_by_text":"Filtere nach","show_only":"Log-Typ"},"map":{"help_coordinator_link_description":"Durchgehende Linien führen zum Coordinator","help_end_device_description":"Grün bedeutet: Endgerät","help_is_coordinator":"Koordinator","help_lqi_description":"Link Qualität zwischen 0 - 255 (höher ist besser), Angaben mit / bedeuten verschiedene Link-Typen.","help_router_description":"Blau bedeutet: Router","help_router_links_description":"Gestrichelte Linien führen zu Routern","hide":"Zum Verbergen klicken","load":"Karte laden","loading":"Abhängig von der Größe des Netzwerks kann es zwischen 10 Sekunden und 2 Minuten dauern."},"navbar":{"all":"Alle","dashboard":"Dashboard","devices":"Geräte","disable_join":"Anlernen deaktivieren","extensions":"Erweiterungen","groups":"Gruppen","logs":"Logs","map":"Karte","ota":"OTA","permit_join":"Anlernen aktivieren","restart":"Neustart","settings":"Einstellungen","toggle_dropdown":"Dropdown Auswahl","touchlink":"Touchlink"},"ota":{"check":"Prüfe auf neue Updates","check_all":"Alle überprüfen","empty_ota_message":"Keine OTA-fähigen Geräte vorhanden","remaining_time":"verbleibende Zeit {{- remaining}}","update":"Update Geräte Firmware"},"scene":{"add":"Hinzufügen","remove_all":"Alle entfernen","scene_id":"Szenen ID","scene_name":"Szenen Name","store":"Speichern","recall":"Abrufen","remove":"Entfernen","select_scene":"Szene auswählen"},"settings":{"about":"Über","advanced":"Erweitert","availability":"Erreichbar","blocklist":"Geblockte Geräte","coordinator_revision":"Coordinator Version","coordinator_type":"Coordinator Typ","donate":"Spende","donation_text":["Hallo, %username%, hier kannst Du unsere harte Arbeit unterstützen.","Ein netter, begleitender Kommentar würde uns ebenso freuen. ;)"],"download_state":"Download Status","experimental":"Experimentell","external_converters":"Externe Konverter","frontend":"Frontend","frontend_version":"Frontend Version","main":"Main","mqtt":"MQTT","ota":"OTA updates","passlist":"Passlist","raw":"Raw","restart_zigbee2mqtt":"Zigbee2MQTT neustarten","serial":"Serial","settings":"Einstellungen","tools":"Tools","zigbee2mqtt_version":"Zigbee2MQTT Version","translate":"Übersetzen"},"settingsSchemaTranslations":{"advanced_availability_blacklist__title":"Aktuelle Blacklist (veraltet, nutze availability_blocklist)","advanced_availability_blocklist__description":"Klammert Geräte bei dem Verfügbarkeits-Check aus.","advanced_availability_blocklist__title":"Aktuelle Blockliste","advanced_availability_passlist__description":"Ermögliche Anwesenheits-Check nur für gelistete Geräte","advanced_availability_passlist__title":"Aktuelle passlist","advanced_availability_whitelist__title":"Aktuelle whitelist (veraltet, nutze passlist)","advanced_ext_pan_id__description":"Zigbee erweiterte PAN ID, Änderung benötigt neues Anlernen aller Geräte!","advanced_ext_pan_id__title":"Erweiterte Pan ID","advanced_log_output__description":"Ablageort für das Log, leer lassen um das Logging zu unterbinden","advanced_log_output__title":"Log Ausgabe","advanced_log_syslog-title":"System-Log","advanced-title":"Erweitert","availability_active-description":"Optionen für aktive Geräte (Router/mit Netzanschluss)","availability_active-title":"Aktiv","availability_passive-description":"Optionen für passive Geräte (Batteriebetrieben)","availability_passive-title":"Passiv","availability-title":"Verfügbarkeit (erweitert)","blocklist__description":"Blockt Geräte vom Netzwerk (anhand der ieeeAddr)","blocklist__title":"Blocklist","experimental-title":"Experimentell","external_converters__description":"Festlegen von eigenen, externen Konvertern z. B. zum Einbinden eigener Zigbee-Devices","external_converters__title":"Externe Konverter","frontend-title":"Frontend","mqtt-title":"MQTT","ota-title":"OTA updates","passlist__description":"Erlaubt nur bestimmten Geräten, dem Netzwerk beizutreten (anhand der ieeeAddr). Beachte: Alle Geräte, die nicht in der Passlist sind, werden vom Netzwerk entfernt!","passlist__title":"Passlist","root__description":"Erlaubt nur bestimmten Geräten, dem Netzwerk beizutreten (anhand der ieeeAddr). Beachte: Alle Geräte, die nicht in der Passlist sind, werden vom Netzwerk entfernt!","root_availability_blacklist__title":"Aktuelle Blacklist (veraltet, nutze availability_blocklist)","root_availability_blocklist__description":"Klammert Geräte bei dem Verfügbarkeits-Check aus.","root_availability_blocklist__title":"Aktuelle Blockliste","root_availability_passlist__description":"Ermögliche Anwesenheits-Check nur für gelistete Geräte","root_availability_passlist__title":"Aktuelle passlist","root_availability_whitelist__title":"Aktuelle whitelist (veraltet, nutze passlist)","root_debounce_ignore__description":"Schützt einzelne payload Werte von spezifizierten payload Eigenschaften vor Überschreibung während der Entprellzeit","root_debounce_ignore__title":"Ignoriere doppelte Meldungen","root_ext_pan_id__description":"Zigbee erweiterte PAN ID, Änderung benötigt neues Anlernen aller Geräte!","root_ext_pan_id__title":"Erweiterte PAN ID","root_filtered_attributes__description":"Filter attribute vom veröffentlichten payload.","root_filtered_attributes__title":"Gefilterte, veröffentliche Attibute","root_filtered_optimistic__description":"Filtern von Attributen bei \\"optimistic publish payload\\" bei abruf oder setzen. (Diese Funktion ist abgeschaltet, wenn \\"optimistic\\" deaktiviert ist.).","root_filtered_optimistic__title":"Filtered optimistic attributes","root_log_output__description":"Ablageort für das Log, leer lassen um das Logging zu unterbinden","root_log_output__title":"Log Ausgabe","root_log_syslog-title":"System-Log","root-title":"Seriell","root__title":"Passlist","serial-title":"Seriell"},"touchlink":{"detected_devices_message":" {{count}} Touchlink Geräte entdeckt.","rescan":"Scan wiederholen","scan":"Scannen"},"values":{"Clear":"Inaktiv","clear":"nicht erkannt","Closed":"Geschlossen","closed":"Geschlossen","empty_string":"String ohne Inhalt","fall":"Fallen","false":"Nein","leaking":"Feuchtigkeit entdeckt","not_supported":"nicht unterstützt","null":"Null","Occupied":"Aktiv","occupied":"Aktiv","Open":"Offen","open":"offen","shake":"geschüttelt","slide":"schieben","supported":"unterstützt","tampered":"manipuliert","tap":"getippt","true":"Ja","wakeup":"aufgeweckt"},"zigbee":{"actions":"Aktionen","attribute":"Attribute","battery":"Batterie","block_join":"Blockieren vom Anlernen","cluster":"Cluster","dc_source":"Gleichstromquelle","description":"Beschreibung","device":"Gerät","device_type":"Geräte Typ","endpoint":"Endpunkt","firmware_build_date":"Firmware Datum","firmware_version":"Firmware Version","force_remove":"Erzwinge entfernen","friendly_name":"Gerätename","ieee_address":"IEEE Addresse","input_clusters":"Eingabe Cluster","interview_completed":"Interview erfolgreich","interview_failed":"Interview fehlgeschlagen","interviewing":"Interviewen","last_seen":"Zuletzt gesehen","lqi":"LQI","mains_single_phase":"Netz (einphasig)","manufacturer":"Hersteller","max_rep_interval":"Maximaler Report Intervall","min_rep_change":"Minimale Report Änderungen","min_rep_interval":"Minimaler Report Intervall","model":"Modell","network_address":"Netzwerk Adresse","none":"Nichts","output_clusters":"Ausgabe Cluster","pic":"Bild","power":"Spannungsversorgung","power_level":"Leistungspegel","reconfigure":"Neu konfigurieren","remove_device":"Gerät entfernen","rename_device":"Gerät umbenennen","select_attribute":"Wähle Attribut","select_cluster":"Wähle Cluster","support_status":"Unterstützungsstatus","unsupported":"Nicht unterstützt","update_Home_assistant_entity_id":"Update Home Assistant System ID","updating_firmware":"Firmware aktualisieren","zigbee_manufacturer":"Zigbee Hersteller","zigbee_model":"Zigbee Modell"}}');
|
4942
|
+
const locales_de_namespaceObject = JSON.parse('{"common":{"action":"Aktion","actions":"Aktionen","apply":"Anwenden","attribute":"Attribute","bind":"verbinden","check_all":"Alle prüfen","clear":"Löschen","close":"Schliessen","cluster":"Cluster","clusters":"Cluster","confirmation":"Bestätigen","delete":"Löschen","destination":"Ziel","destination_endpoint":"Zielendpunkt","devices":"Geräte","dialog_confirmation_prompt":"Bist Du sicher?","disable":"Abschalten","enter_search_criteria":"Suchwort","groups":"Gruppen","loading":"Laden...","none":"Nichts","ok":"ok","read":"Lesen","save":"Speichern","select_device":"Wähle Gerät","select_endpoint":"Wähle Endpunkt","source_endpoint":"Quellen Endpunkt","the_only_endpoint":"Der einzige Endpunkt","unbind":"trennen","unknown":"Unbekannt","write":"Schreiben"},"devicePage":{"about":"Über","bind":"Bindungen","clusters":"Cluster","dev_console":"Dev Konsole","exposes":"Details","reporting":"Berichten","scene":"Szene","settings":"Einstellungen","settings_specific":"Einstellungen (spezifisch)","state":"Status","unknown_device":"unbekanntes Gerät"},"exposes":{"action":"Aktion","auto_off":"Automatisch abschalten","away_mode":"Abwesenheitsmodus","away_preset_days":"Abwesenheitszeit (in Tagen)","away_preset_temperature":"Temperatur bei Abwesenheit","backlight_mode":"Rücklicht Modus","battery":"Batterie","battery_low":"Batterie schwach","boost_time":"Boost Dauer","brightness":"Helligkeit","calibration":"Kalibrierung","carbon_monoxide":"Kohlenmonoxid","co2":"Kohlendioxid","color_hs":"Farbe hue/saturation","color_temp":"Farbtemperatur","color_temp_startup":"Farbtemperatur nach Einschalten","color_xy":"Farbe (XY)","comfort_temperature":"Komfort Temperatur","consumer_connected":"Verbraucher angeschlossen","consumer_overload":"Verbraucherüberlastung","contact":"Kontakt","current":"Aktuell","current_heating_setpoint":"Aktuelle Solltemperatur","device_temperature":"Gerätetemperatur","eco_temperature":"Ökologische Temperatur","effect":"Effekt","empty_exposes_definition":"Exposes nicht definiert","energy":"Verbrauch","force":"Erzwungene Ventilposition","humidity":"Luftfeuchtigkeit","illuminance":"Beleuchtungsstärke","illuminance_lux":"Beleuchtungsstärke in Lux","led_disabled_night":"LED Nachts ausschalten","linkquality":"Linkqualität","local_temperature":"Raumtemperatur","local_temperature_calibration":"Kalibrierung Raumtemperatur","max_temperature":"Maximale Temperatur","min_temperature":"Minimale Temperatur","motion":"Bewegung","motion_direction":"Bewegungsrichtung","motor_reversal":"Richtung umkehren","motion_speed":"Bewegungsgeschwindigkeit","moving":"Bewegung","occupancy":"Belegung","operation_mode":"Betriebsmodus","options":"Optionen","position":"Position","power":"Leistung","power_on_behavior":"Zustand nach Anschalten","power_outage_memory":"Zustand nach Stromausfall","presence":"Anwesenheit","preset":"Voreinstellung","Pressure":"Luftdruck","sensivity":"Empfindlichkeit","smoke":"Rauch","state":"Status","strength":"Stärke","system_mode":"Heizmodus","tamper":"Manipulation","temperature":"Temperatur","voltage":"Spannung","water_leak":"Wasserleck","week":"Woche"},"extensions":{"extension_name_propmt":"Name der neuen Erweiterung","select_extension_to_edit":"Wähle Erweiterung zum Bearbeiten","create_new_extension":"Neue Erweiterung erstellen"},"featureNames":{"action":"Aktion","action_angle":"Bewegung Winkel","action_from_side":"Bewegung von Seite","action_side":"Aktive Seite","action_to_side":"Bewegung zur Seite","alarm":"Alarm","angle_x":"Ausrichtung X","angle_y":"Ausrichtung Y","angle_z":"Ausrichtung Z","auto_lock":"Automatische Sperre","away_mode":"Abwesenheitsmodus","brightness":"Helligkeit","calibration_time":"Kalibrierungszeit","carbon_monoxide":"Kohlenmonoxid","child_lock":"Kindersicherung","co2":"Kohlendioxid","color_hs":"Farbe Hs","color_temp":"Farbtemperatur","color_temp_startup":"Start Farbtemperatur","color_xy":"Farbe Xy","consumer_connected":"Verbraucher angeschlossen","contact":"Kontakt","current":"Aktuell","current_heating_setpoint":"Aktuelle Solltemperatur","current_level_startup":"Aktuelles Startlevel","device_temperature":"Gerätetemperatur","energy":"Energie","friday_schedule":"Plan Freitag","heating":"Heizen","holidays_schedule":"Plan Urlaubszeit","humidity":"Feuchtigkeit","illuminance":"Beleuchtungsstärke","level_config":"Level Konfiguration","local_temperature":"Lokale Temperatur","local_temperature_calibration":"Kalibrierung lokale Temperatur","monday_schedule":"Plan Montag","motion":"Bewegung","motion_direction":"Bewegungsrichtung","motion_speed":"Bewegungsgeschwindigkeit","motor_speed":"Motorgeschwindigkeit","moving":"Bewegung","occupancy":"Belegung","on_off_transition_time":"Ein/Aus Übergangszeit","options":"Optionen","position":"Position","power":"Leistung","presence":"Anwesenheit","preset":"Vorgabe","pressure":"Luftdruck","program_saturday":"Programm Samstag","program_sunday":"Programm Sonntag","program_weekday":"Programm Wochentag","programming_mode":"Programmier-Modus","saturday_schedule":"Plan Samstag","smoke":"Rauch","smoke_density":"Stärke der Rauchentwicklung","soil_moisture":"Bodenfeuchtigkeit","state":"Status","state_l1":"Status L 1","state_l2":"Status L 2","state_l3":"Status L 3","state_l4":"Status L 4","sunday_schedule":"Plan Sonntag","system_mode":"System Modus","tamper":"Manipulation","temperature":"Temperatur","thursday_schedule":"Plan Donnerstag","tuesday_schedule":"Plan Dienstag","valve_detection":"Ventil Erkennung","voltage":"Spannung","water_leak":"Wasserleck","week":"Woche","wednesday_schedule":"Plan Mittwoch","window_detection":"Fenster Erkennung","window":"Fenster","workdays_schedule":"Plan Werktags"},"featureDescriptions":{"Auto off after specific time.":"Automatische Abschaltung nach bestimmter Zeit.","Away mode":"Abwesenheitsmodus","Away preset days":"Abwesenheit in Tagen","Away preset temperature":"Definierte Temperatur für den Abwesenheitsmodus","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: Halten Sie \\"+ \\" 3 Sekunden lang gedrückt, das Ventil wechselt in den Boost-Modus und ▷╵◁ beginnt zu blinken. Die Dauer wird in der Anwendung angezeigt. ","Boost time":"Boost Zeit","Boost Time Setting 100 sec - 900 sec, (default = 300 sec)":"Boost-Zeiteinstellung 100 Sek. - 900 Sek., (Standard = 300 Sek.)","Brightness of this light":"Helligkeit des Leuchtmittels","Calibrates the humidity value (absolute offset), takes into effect on next report of device.":"Kalibriert den Luftfeuchtewert (absoluter Offset), wird beim nächsten Bericht des Gerätes wirksam.","Calibrates the illuminance value (percentual offset), takes into effect on next report of device.":"Kalibriert den Helligkeitswert (prozentualer Offset), wird beim nächsten Bericht des Geräts wirksam.","Calibrates the illuminance_lux value (percentual offset), takes into effect on next report of device.":"Kalibriert den Helligkeitswert (LUX) (prozentualer Offset), wird beim nächsten Bericht des Geräts wirksam.","Calibrates the pressure value (absolute offset), takes into effect on next report of device.":"Kalibriert den Luftdruckwert (absoluter Offset), wird beim nächsten Bericht des Geräts wirksam.","Calibrates the temperature value (absolute offset), takes into effect on next report of device.":"Kalibriert den Temperaturwert (absoluter Offset), wird beim nächsten Bericht des Geräts wirksam.","Calibration time":"Zeit zum Kalibrieren","Color of this light expressed as hue/saturation":"Farbe des Leuchtmittels übersetzt in hue/saturation","Color of this light in the CIE 1931 color space (x/y)":"Farbe des Leuchtmittels im CIE 1931 Farbraum (x/y)","Color temperature after cold power on of this light":"Farbtemperatur nach Trennung vom Stromnetz","Color temperature of this light":"Farbtemperatur des Leuchtmittels","Comfort temperature":"Komfort Temperatur","Controls the behaviour when the device is powered on":"Überprüft das Verhalten beim Einschalten des Geräts.","Countdown in minutes":"Countdown in Minuten.","Current temperature measured on the device":"Aktuelle Temperatur am Thermostat","Decoupled mode for center button":"Entkoppelter Modus für Mitteltaste","Decoupled mode for left button":"Entkoppelter Modus für linke Taste","Decoupled mode for right button":"Entkoppelter Modus für rechte Taste","direction of movement from the point of view of the radar":"Zeigt die Richtung der Bewegung aus sicht des Sensors an.","ECO mode (energy saving mode)":"Eco-Mode (Energiesparfunktion)","Eco temperature":"Öko-Temperatur","Enable/disable auto lock":"Aktivieren/Deaktivieren Auto Lock","Enable/disable away mode":"Aktivieren/Deaktivieren des Abwesenheitsmodus","Enables/disables physical input on the device":"Aktivieren/Deaktivieren der direkten Bedienung des Gerätes","Enables/disables window detection on the device":"Aktivieren/Deaktivieren der Fensterstatus Erkennung","Enabling prevents both relais being on at the same time":"Aktivierung schützt davor, beide Relais gleichzeitig zu aktivieren","Force the valve position":"Erzwingt die eingestellte Ventilposition","Indicates if CO (carbon monoxide) is detected":"Kohlenmonoxid entdeckt","Indicates if the battery of this device is almost empty":"Warnung, wenn Batterie schwach","Indicates if the contact is closed (= true) or open (= false)":"Kontakt geschlossen (= true) oder offen (= false)","Indicates whether the device detected a water leak":"Zeigt, ob ein Wasseraustritt erkannt wurde","Indicates whether the device detected occupancy":"Ermittelt, ob eine Bewegung erkannt wurde","Indicates whether the device detected presence":"Zeigt, ob eine Anwesenheit erkannt wurde.","Indicates whether the device detected smoke":"Raucherkennung","Indicates whether the device is tampered":"Zeigt, ob das Gerät manipuliert wurde","Instantaneous measured electrical current":"Aktuell gemessener Ampere-Bedarf","Instantaneous measured power":"Momentan gemessene Leistung","Link quality (signal strength)":"Link Qualität (Signalstärke)","Maximum temperature":"Maximale Temperatur","Measured electrical potential value":"Gemessene Stromstärke in Volt ankommend","Measured illuminance in lux":"Gemessene Helligkeit in Lux","Measured relative humidity":"Messung der relativen Luftfeuchtigkeit","Measured temperature value":"Gemessene Temperatur","Minimum temperature":"Minimale Temperatur","Mode of this device (similar to system_mode)":"Modus des Thermostats (identisch zu system_mode)","Mode of this device":"Modus des Thermostats","Motor speed":"Motor Geschwindigkeit","moving inside the range of the sensor":"Zeigt, ob eine Bewegung innerhalb des Radar-Radius erkannt wurde.","Number of digits after decimal point for humidity, takes into effect on next report of device.":"Anzahl der Nachkomma-Stellen für Luftfeuchtigkeit, wird beim nächsten Bericht des Geräts wirksam.","Number of digits after decimal point for illuminance, takes into effect on next report of device.":"Anzahl der Nachkomma-Stellen für Helligkeit, wird beim nächsten Bericht des Geräts wirksam.","Number of digits after decimal point for illuminance_lux, takes into effect on next report of device.":"Anzahl der Nachkomma-Stellen für Helligkeit in Lux, wird beim nächsten Bericht des Geräts wirksam.","Number of digits after decimal point for pressure, takes into effect on next report of device.":"Anzahl der Nachkomma-Stellen für Luftdruck, wird beim nächsten Bericht des Geräts wirksam.","Number of digits after decimal point for temperature, takes into effect on next report of device.":"Anzahl der Nachkomma-Stellen für Temperatur, wird beim nächsten Bericht des Geräts wirksam.","Offset to be used in the local_temperature":"Kallibrierung der Raumtemperatur am Thermostat","On/off state of the switch":"On/off Status des Schalters","On/off state of this light":"On/off Status des Leuchtmittels","Position of this cover":"Position des Vorhangs","Position":"Position","presets for sensivity for presence and movement":"Standardeinstellungen für die Sensibilität des Radar-Sensors (Bewegung und Anwesenheit).","PROGRAMMING MODE ⏱ - In this mode, the device executes a preset week programming temperature time and temperature. ":"PROGRAMMIERMODUS ⏱ - In diesem Modus verwendet das Ventil einen festgelegten Stunden- und Temperaturplan pro Woche.","Raw measured illuminance":"Gemessener Helligkeits-Rohwert","Recover state after power outage":"Eingestellter Zustand nach Stromausfall","Remaining battery in %":"Aktueller Batteriestatus 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.":"Sendet eine Nachricht, wann das letzte Mal eine Belegung erkannt wurde. Wenn dies beispielsweise auf [10, 60] eingestellt wird, wird nach 10 Sekunden ein `{\\"no_occupancy_since\\": 10}` gesendet und nach 60 Sekunden ein `{\\"no_occupancy_since\\": 60}`.","Set to false to disable the legacy integration (highly recommended), will change structure of the published payload (default true).":"Auf \\"false\\" gesetzt, um die Legacy-Integration zu deaktivieren (dringend empfohlen), ändert die Struktur der veröffentlichten payloads (Standardwert \\"true\\"). ","sensitivity of the radar":"Einstellen der Radar-Sensibilität","Side of the cube":"Würfelseite","Speed of movement":"Zeigt die Geschwindigkeit der Bewegung an.","Sum of consumed energy":"Seit Anfang verbrauchter Strom in kW/h","Temperature setpoint":"Temperatur Sollwert","The measured atmospheric pressure":"Gemessner Luftdruck","Time in seconds after which occupancy is cleared after detecting it (default 90 seconds).":"Zeit in Sekunden, nach der die Belegung zurück gesetzt wird, nachdem sie erkannt wurde (Standard 90 Sekunden).","Triggered action (e.g. a button click)":"Ausgelöstes Ereignis (z.B. ein Aktivieren eines Tasters)","Triggers an effect on the light (e.g. make light blink for a few seconds)":"Startet einen Effekt des Leuchtmittels (z.B. Blinken für ein paar Sekunden)","Voltage of the battery in millivolts":"Ladung der Batterie in Millivolt","Week format user for schedule":"Aufteilung der Wochentage für Heizprogramme","Window status closed or open ":"Zustand des Fensters (geöffnet oder geschlossen)"},"groups":{"add_to_group":"Zur Gruppe hinzufügen","create_group":"Gruppe erstellen","group_id":"Gruppen ID","group_name":"Gruppen Name","group_members":"Gruppen Mitglieder","group_scenes":"Gruppen Szenen","new_group_id":"Neue Gruppen-ID","new_group_id_placeholder":"Wenn benötigt, Gruppen-ID festlegen.","new_group_name":"Neuer Gruppenname","new_group_name_placeholder":"Beispiel: my_bedroom_lights","remove_group":"Gruppe entfernen"},"logs":{"empty_logs_message":"Nichts anzuzeigen","filter_by_text":"Filtere nach","show_only":"Log-Typ"},"map":{"help_coordinator_link_description":"Durchgehende Linien führen zum Coordinator","help_end_device_description":"Grün bedeutet: Endgerät","help_is_coordinator":"Koordinator","help_lqi_description":"Link Qualität zwischen 0 - 255 (höher ist besser), Angaben mit / bedeuten verschiedene Link-Typen.","help_router_description":"Blau bedeutet: Router","help_router_links_description":"Gestrichelte Linien führen zu Routern","hide":"Zum Verbergen klicken","load":"Karte laden","loading":"Abhängig von der Größe des Netzwerks kann es zwischen 10 Sekunden und 2 Minuten dauern."},"navbar":{"all":"Alle","dashboard":"Dashboard","devices":"Geräte","disable_join":"Anlernen deaktivieren","extensions":"Erweiterungen","groups":"Gruppen","logs":"Logs","map":"Karte","ota":"OTA","permit_join":"Anlernen aktivieren","restart":"Neustart","settings":"Einstellungen","toggle_dropdown":"Dropdown Auswahl","touchlink":"Touchlink"},"ota":{"check":"Prüfe auf neue Updates","check_all":"Alle überprüfen","empty_ota_message":"Keine OTA-fähigen Geräte vorhanden","remaining_time":"verbleibende Zeit {{- remaining}}","update":"Update Geräte Firmware"},"scene":{"add":"Hinzufügen","remove_all":"Alle entfernen","scene_id":"Szenen ID","scene_name":"Szenen Name","store":"Speichern","recall":"Abrufen","remove":"Entfernen","select_scene":"Szene auswählen"},"settings":{"about":"Über","advanced":"Erweitert","availability":"Erreichbar","blocklist":"Geblockte Geräte","coordinator_revision":"Coordinator Version","coordinator_type":"Coordinator Typ","donate":"Spende","donation_text":["Hallo, %username%, hier kannst Du unsere harte Arbeit unterstützen.","Ein netter, begleitender Kommentar würde uns ebenso freuen. ;)"],"download_state":"Download Status","experimental":"Experimentell","external_converters":"Externe Konverter","frontend":"Frontend","frontend_version":"Frontend Version","main":"Hauptseite","mqtt":"MQTT","ota":"OTA Updates","passlist":"Passlist","raw":"Raw","restart_zigbee2mqtt":"Zigbee2MQTT neustarten","serial":"Seriell","settings":"Einstellungen","tools":"Tools","zigbee2mqtt_version":"Zigbee2MQTT Version","translate":"Übersetzen","stats":"Statistiken"},"settingsSchemaTranslations":{"advanced_availability_blacklist__title":"Aktuelle Blacklist (veraltet, nutze availability_blocklist)","advanced_availability_blocklist__description":"Klammert Geräte bei dem Verfügbarkeits-Check aus.","advanced_availability_blocklist__title":"Aktuelle Blockliste","advanced_availability_passlist__description":"Ermögliche Anwesenheits-Check nur für gelistete Geräte","advanced_availability_passlist__title":"Aktuelle Passlist","advanced_availability_whitelist__title":"Aktuelle Whitelist (veraltet, nutze Passlist)","advanced_ext_pan_id__description":"Zigbee erweiterte PAN ID, Änderung benötigt neues Anlernen aller Geräte!","advanced_ext_pan_id__title":"Erweiterte Pan ID","advanced_log_output__description":"Ablageort für das Log, leer lassen um das Logging zu unterbinden","advanced_log_output__title":"Log Ausgabe","advanced_log_syslog-title":"System-Log","advanced-title":"Erweitert","availability_active-description":"Optionen für aktive Geräte (Router/mit Netzanschluss)","availability_active-title":"Aktiv","availability_passive-description":"Optionen für passive Geräte (Batteriebetrieben)","availability_passive-title":"Passiv","availability-title":"Verfügbarkeit (erweitert)","blocklist__description":"Blockt Geräte vom Netzwerk (anhand der ieeeAddr)","blocklist__title":"Blocklist","experimental-title":"Experimentell","external_converters__description":"Festlegen von eigenen, externen Konvertern z. B. zum Einbinden eigener Zigbee-Devices","external_converters__title":"Externe Konverter","frontend-title":"Frontend","mqtt-title":"MQTT","ota-title":"OTA Updates","passlist__description":"Erlaubt nur bestimmten Geräten, dem Netzwerk beizutreten (anhand der ieeeAddr). Beachte: Alle Geräte, die nicht in der Passlist sind, werden vom Netzwerk entfernt!","passlist__title":"Passlist","root__description":"Erlaubt nur bestimmten Geräten, dem Netzwerk beizutreten (anhand der ieeeAddr). Beachte: Alle Geräte, die nicht in der Passlist sind, werden vom Netzwerk entfernt!","root_availability_blacklist__title":"Aktuelle Blacklist (veraltet, nutze availability_blocklist)","root_availability_blocklist__description":"Klammert Geräte bei dem Verfügbarkeits-Check aus.","root_availability_blocklist__title":"Aktuelle Blockliste","root_availability_passlist__description":"Ermögliche Anwesenheits-Check nur für gelistete Geräte","root_availability_passlist__title":"Aktuelle Passlist","root_availability_whitelist__title":"Aktuelle Whitelist (veraltet, nutze Passlist)","root_debounce_ignore__description":"Schützt einzelne Payload Werte von spezifizierten Payload Eigenschaften vor Überschreibung während der Entprellzeit","root_debounce_ignore__title":"Ignoriere doppelte Meldungen","root_ext_pan_id__description":"Zigbee erweiterte PAN ID, Änderung benötigt neues Anlernen aller Geräte!","root_ext_pan_id__title":"Erweiterte PAN ID","root_filtered_attributes__description":"Filter Attribute vom veröffentlichten Payload.","root_filtered_attributes__title":"Gefilterte, veröffentliche Attibute","root_filtered_optimistic__description":"Filtern von Attributen bei \\"optimistic publish payload\\" bei Abruf oder Setzen. (Diese Funktion ist abgeschaltet, wenn \\"optimistic\\" deaktiviert ist.).","root_filtered_optimistic__title":"Gefilterte, optimistische Attibute","root_log_output__description":"Ablageort für das Log, leer lassen um das Logging zu unterbinden","root_log_output__title":"Log Ausgabe","root_log_syslog-title":"System-Log","root-title":"Seriell","root__title":"Passlist","serial-title":"Seriell"},"stats":{"EndDevice":"Endgerät","Router":"Router","byType":"nach Typ","byPowerSource":"nach Stromquelle","byVendor":"nach Hersteller","byModel":"nach Modell","total":"Total"},"touchlink":{"detected_devices_message":" {{count}} Touchlink Geräte entdeckt.","rescan":"Scan wiederholen","scan":"Scannen"},"values":{"Clear":"Inaktiv","clear":"inaktiv","Closed":"Geschlossen","closed":"geschlossen","empty_string":"String ohne Inhalt","fall":"Fallend","false":"Falsch","leaking":"Feuchtigkeit entdeckt","not_supported":"nicht unterstützt","null":"Null","Occupied":"Aktiv","occupied":"aktiv","Open":"Offen","open":"offen","shake":"geschüttelt","slide":"schieben","supported":"unterstützt","tampered":"manipuliert","tap":"getippt","true":"Wahr","wakeup":"aufgeweckt"},"zigbee":{"actions":"Aktionen","attribute":"Attribute","battery":"Batterie","block_join":"Blockieren vom Anlernen","cluster":"Cluster","dc_source":"Gleichstromquelle","description":"Beschreibung","device":"Gerät","device_type":"Geräte Typ","endpoint":"Endpunkt","firmware_build_date":"Firmware Datum","firmware_version":"Firmware Version","force_remove":"Erzwinge entfernen","friendly_name":"Gerätename","ieee_address":"IEEE Addresse","input_clusters":"Eingabe Cluster","interview_completed":"Interview erfolgreich","interview_failed":"Interview fehlgeschlagen","interviewing":"Interviewen","last_seen":"Zuletzt gesehen","lqi":"LQI","mains_single_phase":"Netz (einphasig)","manufacturer":"Hersteller","max_rep_interval":"Maximales Report Intervall","min_rep_change":"Minimale Report Änderungen","min_rep_interval":"Minimales Report Intervall","model":"Modell","network_address":"Netzwerk Adresse","none":"Nichts","output_clusters":"Ausgabe Cluster","pic":"Bild","power":"Spannungsversorgung","power_level":"Leistungspegel","reconfigure":"Neu konfigurieren","remove_device":"Gerät entfernen","rename_device":"Gerät umbenennen","select_attribute":"Wähle Attribut","select_cluster":"Wähle Cluster","support_status":"Unterstützungsstatus","unsupported":"Nicht unterstützt","update_Home_assistant_entity_id":"Update Home Assistant System ID","updating_firmware":"Firmware aktualisieren","zigbee_manufacturer":"Zigbee Hersteller","zigbee_model":"Zigbee Modell"}}');
|
4914
4943
|
;// CONCATENATED MODULE: ./src/i18n/locales/ru.json
|
4915
4944
|
const locales_ru_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":"Цвет (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","away_mode":"Режим отсутствия","brightness":"Яркость","calibration_time":"Время калибровки","carbon_monoxide":"Угарный газ","co2":"Углекислый газ","color_hs":"Цвет Hs","color_temp":"Цветовая температура","color_temp_startup":"Начальная цветовая температура","color_xy":"Цвет XY","consumer_connected":"Потребитель подключен","contact":"Контакт","current":"Ток","current_heating_setpoint":"Установленная температура","current_level_startup":"Установленный уровень запуска","device_temperature":"Температура прибора","energy":"Энергия","humidity":"Влажность","illuminance":"Освещенность","level_config":"Конфигурация уровня","local_temperature":"Фактическая температура","local_temperature_calibration":"Калибровка температуры","motor_speed":"Скорость двигателя","moving":"Движение","occupancy":"Занятость","on_off_transition_time":"Вкл./Выкл. время перехода","options":"Настройки","position":"Положение","preset":"Предустановка","pressure":"Давление","power":"Потребление энергии","smoke":"Дым","smoke_density":"Плотность дыма","soil_moisture":"Влажность почвы","state":"Состояние","system_mode":"Режим системы","tamper":"Вмешательство","temperature":"Температура","voltage":"Напряжение","water_leak":"Утечка воды"},"featureDescriptions":{"Auto off after specific time.":"Автоматическое выключение через определенное время","Away mode":"Режим отсутствия","Away preset days":"Предустановленные дни отсутствия","Away preset temperature":"Предустановленная температура отсутсвия","Boost time":"Время ускорения","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":"Текущая температура, измеренная на устройством","Direction of movement from the point of view of the radar":"Направление движения с точки зрения радара","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":"Указывает, обнаружило ли устройство вмешательство","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)":"Режим этого устройства (аналог 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":"Предустановки чувствительности к присутствию и движению","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":"Сторона куба","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 секунд).","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":"Недельный формат пользователя для расписания"},"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":"ОТА","permit_join":"Разрешить подключения","restart":"Перезапустить","settings":"Настройки","toggle_dropdown":"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":"Последовательный интерфейс","settings":"Настройки","tools":"Инструменты","translate":"Перевод","zigbee2mqtt_version":"Версия Zigbee2MQTT"},"settingsSchemaTranslations":{"root-title":"Serial","root__description":"Позволить подключаться к сети только определенным устройствам (проверка по ieeeAddr). Обратите внимание, что все устройства, не включенные в список, будут удалены из сети!","root__title":"Белый список","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_log_output__description":"Папка, в которой будут формировать лог файлы. Оставьте поле пустым для отключения лог файлов.","root_log_output__title":"Папка для логов","root_log_syslog-title":"syslog"},"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":"Кластер","description":"Описание","device":"Устройство","device_type":"Тип устройства","endpoint":"Конечная точка","firmware_build_date":"Дата создания прошивки","firmware_version":"Версия прошивки","force_remove":"Удалить принудительно","friendly_name":"Пользовательское имя","ieee_address":"Адрес IEEE","input_clusters":"Кластеры ввода","interview_completed":"Запрос информации об устройстве завершен","last_seen":"Последние данные","lqi":"Качество сигнала","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":"Не поддерживается","update_Home_assistant_entity_id":"Обновить идентификатор объекта Home Assistant","zigbee_manufacturer":"Производитель Zigbee","zigbee_model":"Модель Zigbee"}}');
|
4916
4945
|
;// CONCATENATED MODULE: ./src/i18n/locales/ptbr.json
|
@@ -4918,7 +4947,7 @@ const locales_ptbr_namespaceObject = JSON.parse('{"common":{"action":"Ação","a
|
|
4918
4947
|
;// CONCATENATED MODULE: ./src/i18n/locales/es.json
|
4919
4948
|
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
4949
|
;// 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"}}');
|
4950
|
+
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
4951
|
;// CONCATENATED MODULE: ./src/i18n/locales/chs.json
|
4923
4952
|
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
4953
|
;// CONCATENATED MODULE: ./src/i18n/locales/nl.json
|
@@ -4930,7 +4959,7 @@ const zh_namespaceObject = JSON.parse('{"common":{"action":"動作","actions":"
|
|
4930
4959
|
;// CONCATENATED MODULE: ./src/i18n/locales/ko.json
|
4931
4960
|
const ko_namespaceObject = JSON.parse('{"common":{"action":"액션","actions":"액션","apply":"적용","attribute":"속성","bind":"Bind","check_all":"전체 확인","clear":"초기화","close":"닫기","cluster":"클러스터","clusters":"클러스터","confirmation":"명령 확인","delete":"삭제","destination":"Destination","devices":"장치","dialog_confirmation_prompt":"실행할까요?","disable":"해제","enter_search_criteria":"Enter search criteria","groups":"그룹","loading":"Loading...","none":"None","ok":"확인","read":"읽기","save":"저장","select_device":"장치 선택","select_endpoint":"endpoint 선택","source_endpoint":"Source endpoint","the_only_endpoint":"The only endpoint","unbind":"Unbind","write":"쓰기"},"devicePage":{"about":"자세히","bind":"Bind","clusters":"클러스터","dev_console":"Dev console","exposes":"Exposes","reporting":"보고","settings":"설정","settings_specific":"설정 (specific)","state":"상태","unknown_device":"알 수 없는 장치"},"exposes":{"action":"액션","auto_off":"Auto off","away_mode":"외출 모드","away_preset_days":"Away preset days","away_preset_temperature":"Away preset temperature","backlight_mode":"Backlight mode","battery":"배터리","battery_low":"저전압 배터리","boost_time":"Boost time","brightness":"밝기","calibration":"캘리브레이션","carbon_monoxide":"일산화탄소","color_hs":"Color (HS)","color_temp":"색 온도","color_temp_startup":"Startup color temp","color_xy":"Color (XY)","comfort_temperature":"편안한 온도","consumer_connected":"Consumer connected","consumer_overload":"Consumer overload","contact":"접촉","current":"전류","current_heating_setpoint":"Current heating setpoint","eco_temperature":"Eco temperature","effect":"Effect","empty_exposes_definition":"Empty exposes definition","energy":"에너지","force":"Force","humidity":"습도","illuminance":"조도","illuminance_lux":"조도_lux","led_disabled_night":"Led disabled night","linkquality":"Linkquality","local_temperature":"Local 온도","local_temperature_calibration":"Local 온도 보정","max_temperature":"최대 온도","min_temperature":"최저 온도","motor_reversal":"역방향 모터회전","moving":"움직임","occupancy":"감지","operation_mode":"동작 모드","options":"옵션","position":"위치","power":"전원","power_on_behavior":"Power on behavior","power_outage_memory":"Power outage memory","preset":"프리셋","pressure":"압력","sensivity":"감도","smoke":"연기","state":"상태","strength":"강도","system_mode":"시스템 모드","tamper":"분리 감지","temperature":"온도","voltage":"전압","water_leak":"누수","week":"주","device_temperature":"장치 온도"},"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":"Color Xy","contact":"접촉","humidity":"습도","illuminance":"밝기","occupancy":"감지","options":"옵션","position":"위치","pressure":"압력","soil_moisture":"토양 습도","smoke":"연기","state":"상태","temperature":"온도","tamper":"분리 감지","device_temperature":"장치 온도"},"groups":{"add_to_group":"그룹 추가","create_group":"그룹 생성","new_group_id":"새 그룹 아이디","new_group_id_placeholder":"특별 그룹 ID (옵션)","new_group_name":"새 그룹 이름","new_group_name_placeholder":"예: my_bedroom_lights","remove_group":"그룹 삭제"},"logs":{"empty_logs_message":"Nothing to display","filter_by_text":"Filter by text","show_only":"Show only"},"map":{"help_coordinator_link_description":"실선 : Coordinator와 연결","help_end_device_description":"녹색 : End Device","help_is_coordinator":"is Coordinator","help_lqi_description":"Link quality 값은 0~255 (높을수록 좋음), 여러 유형의 링크를 나타냅니다.","help_router_description":"파랑 : Router","help_router_links_description":"점선 : Routes와 연결","hide":"숨기기","load":"맵 보기","loading":"네트워크 크기에 따라 다르며 10초~2분정도 소요됩니다."},"navbar":{"all":"전체","dashboard":"대쉬 보드","devices":"장치","disable_join":"페어링 오프","extensions":"익스텐션","groups":"그룹","logs":"로그","map":"지도","ota":"OTA","permit_join":"페어링 온","restart":"재시작","settings":"설정","toggle_dropdown":"Toggle dropdown","touchlink":"터치링크"},"ota":{"check":"업데이트 확인 중","check_all":"전체 업데이트 확인","empty_ota_message":"OTA 지원장치가 없습니다.","remaining_time":"남은 시간 {{- remaining}}","update":"장치 펌웨어 업데이트"},"settings":{"about":"자세히","advanced":"고급","blocklist":"차단 리스트","coordinator_revision":"Coordinator revision","coordinator_type":"Coordinator type","donate":"기부","donation_text":["Hello, %username%, here you can thank us for hardworking","Don\'t hesitate to say something nice as well ;)"],"download_state":"다운로드 상태","experimental":"Experimental","external_converters":"외부 컨버터","frontend":"Frontend","frontend_version":"Frontend 버전","main":"Main","mqtt":"MQTT","ota":"OTA 업데이트","passlist":"Passlist","raw":"Raw","restart_zigbee2mqtt":"재시작 Zigbee2MQTT","serial":"Serial","settings":"설정","tools":"도구","zigbee2mqtt_version":"Zigbee2MQTT 버전","translate":"번역"},"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":"탐색"},"values":{"clear":"정상","closed":"닫힘","false":"False","not_supported":"지원하지 않음","occupied":"Occupied","open":"열림","supported":"지원됨","true":"True","empty_string":"Empty string(\\"\\")","leaking":"누수","tampered":"분리 감지"},"zigbee":{"actions":"액션","attribute":"속성","block_join":"Block from joining again","cluster":"클러스터","description":"설명","device_type":"장치 종류","endpoint":"Endpoint","firmware_build_date":"펌웨어 제작일","firmware_version":"펌웨어 버전","force_remove":"강제 삭제","friendly_name":"Friendly name","ieee_address":"IEEE Address","input_clusters":"입력 클러스터","interview_completed":"인터뷰 성공","last_seen":"Last seen","lqi":"LQI","manufacturer":"제조사","max_rep_interval":"최대 보고 주기","min_rep_change":"최소 보고 변화값","min_rep_interval":"최소 보고 주기","model":"모델명","network_address":"네트워크 주소","none":"None","output_clusters":"출력 클러스터","pic":"사진","power":"파워","reconfigure":"재설정","remove_device":"장치 삭제","rename_device":"장치 이름 변경","select_attribute":"속성 선택","select_cluster":"클러스터 선택","support_status":"지원 상태","unsupported":"지원하지 않음","update_Home_assistant_entity_id":"Home Assistant entity ID 업데이트","zigbee_manufacturer":"Zigbee 제조사","zigbee_model":"Zigbee 모델명"}}');
|
4932
4961
|
;// CONCATENATED MODULE: ./src/i18n/locales/cs.json
|
4933
|
-
const cs_namespaceObject = JSON.parse('{"common":{"action":"Akce","actions":"Akce","apply":"Použít","attribute":"Atribut","bind":"Svázat","check_all":"Zkontrolovat vše","clear":"Vyčistit","close":"Zavřít","cluster":"Cluster","clusters":"Clustery","confirmation":"Výzva k potvrzení","delete":"Vymazat","destination":"Cíl","devices":"Zařízení","dialog_confirmation_prompt":"Jste si jistý?","disable":"Zakázat","enter_search_criteria":"Zadejte vyhledávací kritéria","groups":"Skupiny","loading":"Načítání...","none":"Žádné","ok":"Ok","read":"Načíst","save":"Uložit","select_device":"Vyberte zařízení","select_endpoint":"Vybrat koncový bod","source_endpoint":"Zdroj koncového bodu","the_only_endpoint":"Jediný koncový bod","unbind":"Rozvázat","write":"Zapsat"},"devicePage":{"about":"O mě","bind":"Svázat","clusters":"Clustery","dev_console":"Vývojářská konzole","exposes":"Detaily","reporting":"Hlašení","settings":"Nastavení","settings_specific":"Nastavení (specifické)","state":"Stav","scene":"Scéna","unknown_device":"Neznámé zařízení"},"exposes":{"action":"Akce","auto_off":"Automatické vypnutí","away_mode":"Režim nepřítomnosti","away_preset_days":"Přednastavené dny pro nepřítomnost","away_preset_temperature":"Přednastavená teplota pro nepřítomnost","backlight_mode":"Režim podsvícení","battery":"Baterie","battery_low":"Vybitá baterie","boost_time":"Doba pro navýšení teploty","brightness":"Jas","calibration":"Kalibrace","carbon_monoxide":"Oxid uhelnatý","color_hs":"Barva (HS)","color_temp":"Teplota barev","color_temp_startup":"Teplota barev při spuštění","color_xy":"Barva (XY)","comfort_temperature":"Komfortní teplota","consumer_connected":"Konzument připojen","consumer_overload":"Přetížení konzumenta","contact":"Kontakt","current":"Aktuální","current_heating_setpoint":"Aktuálně nastavená hodnota","eco_temperature":"Eko teplota","effect":"Efekt","empty_exposes_definition":"Vymazat exponované definice","energy":"Energie","force":"Síla","humidity":"Vlhkost","illuminance":"Osvětlení","illuminance_lux":"Osvětlení","led_disabled_night":"Led v noci vyplá","linkquality":"Kvalita signálu","local_temperature":"Místní teplota","local_temperature_calibration":"Kalibrace místní teploty","max_temperature":"Maximální teplota","min_temperature":"Minimální teplota","motor_reversal":"Zpětný chod motoru","moving":"V pohybu","occupancy":"Obsazenost","operation_mode":"Provozní režim","options":"Možnosti","position":"Pozice","power":"Napájení","power_on_behavior":"Chování při zapnutí","power_outage_memory":"Paměť při výpadku napájení","preset":"Předvolba","pressure":"Tlak","sensivity":"Citlivost","smoke":"Kouř","state":"Stav","strength":"Síla","system_mode":"Režim systému","tamper":"Manipulovat","temperature":"Teplota","voltage":"Napětí","water_leak":"Únik vody","week":"Týden"},"extensions":{"create_new_extension":"Vytvořit nové rozšíření","extension_name_propmt":"Zadejte nový název rozšíření","select_extension_to_edit":"Vyberte rozšíření, které chcete upravit"},"featureDescriptions":{"Auto off after specific time.":"Automatické vypnutí po dané době.","Away mode":"Režim pryč","Away preset days":"Přednastavené dny pro pryč","Away preset temperature":"Přednastavená teplota pro pryč","Boost time":"Doba zvýšení","Brightness of this light":"Jas tohoto světla","Calibration time":"Čas kalibrace","Color of this light expressed as hue/saturation":"Barva tohoto světla vyjádřená jako odstín/sytost","Color of this light in the CIE 1931 color space (x/y)":"Barva tohoto světla v barevném prostoru CIE 1931 (x/y)","Color temperature after cold power on of this light":"Barevná teplota po studeném zapnutí tohoto světla","Color temperature of this light":"Barevná teplota tohoto světla","Comfort temperature":"Komfortní teplota","Controls the behavior when the device is powered on":"Ovládá chování, když je zařízení zapnuté","Controls the behaviour when the device is powered on":"Ovládá chování, když je zařízení zapnuté","Current temperature measured on the device":"Aktuální teplota naměřená na zařízení","Decoupled mode for center button":"Oddělený režim pro střední tlačítko","Decoupled mode for left button":"Oddělený režim pro levé tlačítko","Decoupled mode for right button":"Oddělený režim pro pravé tlačítko","Eco temperature":"Eko teplota","Enable/disable auto lock":"Povolit/zakázat automatický zámek","Enable/disable away mode":"Povolit/zakázat režim nepřítomnosti","Enables/disables physical input on the device":"Povolí/zakáže fyzický vstup do zařízení","Enables/disables window detection on the device":"Povolí/zakáže detekci oken na zařízení","Enabling prevents both relais being on at the same time":"Povolení zabrání zapnutí obou relé současně","Force the valve position":"Vynutit polohu ventilu","Indicates if CO (carbon monoxide) is detected":"Ukazuje, zda je detekován CO (oxid uhelnatý)","Indicates if the battery of this device is almost empty":"Ukazuje, zda je baterie tohoto zařízení téměř vybitá","Indicates if the contact is closed (= true) or open (= false)":"Ukazuje, zda je kontakt sepnutý (= true) nebo otevřený (= false)","Indicates whether the device detected a water leak":"Ukazuje, zda zařízení detekovalo únik vody","Indicates whether the device detected occupancy":"Ukazuje, zda zařízení detekovalo obsazenost","Indicates whether the device detected smoke":"Ukazuje, zda zařízení detekovalo kouř","Indicates whether the device is tampered":"Ukazuje, zda je se zařízením neoprávněně manipulováno","Instantaneous measured electrical current":"Okamžitý naměřený elektrický proud","Instantaneous measured power":"Okamžitý naměřený výkon","Link quality (signal strength)":"Kvalita signálu (síla signálu)","Maximum temperature":"Maximální teplota","Measured electrical potential value":"Naměřená hodnota elektrického potenciálu","Measured illuminance in lux":"Naměřená osvětlenost v luxech","Measured relative humidity":"Naměřená relativní vlhkost","Measured temperature value":"Hodnota naměřené teploty","Minimum temperature":"Minimální teplota","Mode of this device (similar to system_mode)":"Režim tohoto zařízení (podobný system_mode)","Mode of this device":"Režim tohoto zařízení","Motor speed":"Rychlost motoru","Offset to be used in the local_temperature":"Offset, který má být použit v local_temperature","On/off state of the switch":"Stav spínače zapnuto/vypnuto","On/off state of this light":"Stav zapnuto/vypnuto tohoto světla","Position of this cover":"Pozice tohoto krytu","Position":"Pozice","Raw measured illuminance":"RAW naměřená osvětlenost","Recover state after power outage":"Obnovení stavu po výpadku napájení","Remaining battery in %":"Zbývající baterie v %","Side of the cube":"Strana krychle","Sum of consumed energy":"Součet spotřebované energie","Temperature setpoint":"Nastavená hodnota teploty","The measured atmospheric pressure":"Naměřený atmosférický tlak","Triggered action (e.g. a button click)":"Spuštěná akce (např. kliknutí na tlačítko)","Triggers an effect on the light (e.g. make light blink for a few seconds)":"Spustí efekt na světlo (např. nechá světlo na několik sekund blikat)","Voltage of the battery in millivolts":"Napětí baterie v milivoltech","Week format user for schedule":"Formát kalendářního týdne"},"featureNames":{"action":"Akce","angle_x":"Úhel X","angle_y":"Úhel Y","angle_z":"Úhel Z","brightness":"Jas","co2":"CO2","color_temp":"Teplota barev","color_xy":"Barva Xy","contact":"Kontakt","humidity":"Vlhkost","illuminance":"Osvětlení","occupancy":"Obsazenost","pressure":"Tlak","soil_moisture":"Vlhkost půdy","state":"Stav","temperature":"Teplota","tamper":"Manipulovat"},"groups":{"add_to_group":"Přidat do skupiny","create_group":"Vytvořit skupinu","new_group_id":"ID nové skupiny","new_group_id_placeholder":"V případě potřeby zadejte ID skupiny","new_group_name":"Nový název skupiny","new_group_name_placeholder":"příklad: my_bedroom_lights","remove_group":"Odebrat skupinu","group_id":"ID skupiny","group_name":"Název skupiny","group_members":"Členové skupiny","group_scenes":"Skupinové scény"},"logs":{"empty_logs_message":"Nic k zobrazení","filter_by_text":"Filtrovat podle textu","show_only":"Pouze zobrazit"},"map":{"help_coordinator_link_description":"Plné čáry jsou odkazem na koordinátora","help_end_device_description":"Zelená znamená koncové zařízení","help_is_coordinator":"je koordinátor","help_lqi_description":"Kvalita spojení je mezi 0 - 255 (vyšší je lepší), hodnota s / představuje více typů spojení","help_router_description":"Modrá znamená směrovač","help_router_links_description":"Přerušované čáry jsou spojením se směrovači","hide":"Kliknutím na mě skryješ","load":"Načíst mapu","loading":"V závislosti na velikosti vaší sítě může načtení trvat 10 sekund až 2 minuty."},"navbar":{"all":"Vše","dashboard":"Přehled","devices":"Zařízení","disable_join":"Zakázat připojení","extensions":"Rozšíření","groups":"Skupiny","logs":"Logy","map":"Mapa","ota":"OTA","permit_join":"Povolit připojení","restart":"Restartovat","settings":"Nastavení","toggle_dropdown":"Přepnout rozbalovací nabídku","touchlink":"Touchlink"},"ota":{"check":"Kontrola nových aktualizací","check_all":"Zkontrolovat vše","empty_ota_message":"Nemáte žádná zařízení, která podporují OTA","remaining_time":"Zbývající čas {{- remaining}}","update":"Aktualizovat firmware zařízení"},"settings":{"about":"O mě","advanced":"Pokročilé","availability":"Dostupnost","blocklist":"Seznam blokovaných","coordinator_revision":"Revize koordinátora","coordinator_type":"Typ koordinátora","donate":"Příspěvek","donation_text":["Dobrý den, %username%, zde nám můžete poděkovat za tvrdou práci","Neváhej a řekni taky něco hezkého ;)"],"download_state":"Stav stahování","experimental":"Experimentální","external_converters":"Externí převodníky","frontend":"Frontend","frontend_version":"Verze frontendu","main":"Hlavní","mqtt":"MQTT","ota":"Aktualizace OTA","passlist":"Přístupová práva","raw":"Raw","restart_zigbee2mqtt":"Restart Zigbee2MQTT","serial":"Sériový","settings":"Nastavení","tools":"Nástroje","zigbee2mqtt_version":"Verze Zigbee2MQTT","translate":"Přeložit"},"settingsSchemaTranslations":{"advanced-title":"Advanced","advanced_availability_blacklist__title":"Blacklist dostupnosti (zastaralé, použijte availability_blocklist)","advanced_availability_blocklist__description":"Zabránit kontrole dostupnosti zařízení","advanced_availability_blocklist__title":"Blacklist dostupnosti","advanced_availability_passlist__description":"Povolit kontrolu dostupnosti pouze pro určitá zařízení","advanced_availability_passlist__title":"Passlist dostupnosti","advanced_availability_whitelist__title":"Whitelist dostupnosti (zastaralá, použijte Passlist)","advanced_ext_pan_id__description":"Zigbee Extended Pan ID, změna vyžaduje opravu všech zařízení!","advanced_ext_pan_id__title":"Ext Pan ID","advanced_log_output__description":"Výstupní umístění logu, ponechte prázdné pro potlačení logování","advanced_log_output__title":"Výstup logu","advanced_log_syslog-title":"syslog","blocklist__description":"Blokovat zařízení ze sítě (pomocí ieeeAddr)","blocklist__title":"Blocklist","experimental-title":"Experimentální","external_converters__description":"Můžete definovat externí převodníky, např. přidat podporu pro DIY zařízení","external_converters__title":"Externí převodníky","frontend-title":"Frontend","mqtt-title":"MQTT","ota-title":"Aktualizace OTA","passlist__description":"Povolit připojení k síti pouze určitým zařízením (pomocí ieeeAddr). Pamatujte, že všechna zařízení, která nejsou na seznamu přístupů, budou ze sítě odstraněna!","passlist__title":"Passlist","root__description":"Povolit připojení k síti pouze určitým zařízením (pomocí ieeeAddr). Pamatujte, že všechna zařízení, která nejsou na seznamu přístupových práv, budou ze sítě odstraněna!","root_availability_blacklist__title":"Blacklist dostupnosti (zastaralé, použijte availability_blocklist)","root_availability_blocklist__description":"Zabránit kontrole dostupnosti zařízení","root_availability_blocklist__title":"Blacklist dostupnosti","root_availability_passlist__description":"Povolit kontrolu dostupnosti pouze pro určitá zařízení","root_availability_passlist__title":"Passlist dostupnosti","root_availability_whitelist__title":"Povolená listina dostupnosti (zastaralé, použijte passlist)","root_debounce_ignore__description":"Chrání jedinečné hodnoty vlastností užitečného zatížení před přepsáním během doby odskoku","root_debounce_ignore__title":"Ignorovat odskok","root_ext_pan_id__description":"Zigbee extended pan ID, změna vyžaduje opravu všech zařízení!","root_ext_pan_id__title":"Ext Pan ID","root_filtered_attributes__description":"Povolit zabránění zveřejnění určitých atributů ","root_filtered_attributes__title":"Filtrované atributy","root_filtered_optimistic__description":"Filtrujte atributy z optimistického publikování dat při dotazu /set (Toto nemá žádný vliv, pokud je optimistické nastaveno na false).","root_filtered_optimistic__title":"Filtrované optimistické atributy","root_log_output__description":"Výstupní umístění logu, ponechte prázdné pro potlačení logování","root_log_output__title":"Výstup logu","root_log_syslog-title":"syslog","serial-title":"Sériový"},"touchlink":{"detected_devices_message":"Zjištěno {{count}} zařízení touchlink.","rescan":"Hledat znova","scan":"Hledat"},"values":{"clear":"Vymazat","closed":"Zavřeno","false":"Nepravda","not_supported":"Není podporováno","occupied":"Obsazený","open":"Otevřeno","supported":"Podporováno","true":"Pravda","empty_string":"Prázdný řetězec(\\"\\")","leaking":"Netěsnost","tampered":"Manipulováno"},"zigbee":{"actions":"Akce","attribute":"Atribut","battery":"Baterie","block_join":"Zablokovat opětovné připojení","cluster":"Cluster","dc_source":"DC zdroj","description":"Popis","device_type":"Typ zařízení","endpoint":"Koncový bod","firmware_build_date":"Datum sestavení firmwaru","firmware_version":"Verze firmwaru","force_remove":"Vynutit odstranění","friendly_name":"Název","ieee_address":"IEEE adresa","input_clusters":"Vstupní clustery","interview_completed":"Párování dokončeno","interview_failed":"Párování selhalo","interviewing":"Párování","last_seen":"Naposledy viděno","lqi":"LQI","mains_single_phase":"Síť (jednofázová)","manufacturer":"Výrobce","max_rep_interval":"Max interval odezvy","min_rep_change":"Min změna odezvy","min_rep_interval":"Min interval odezvy","model":"Model","network_address":"Síťová adresa","none":"Žádný","output_clusters":"Výstupní clustery","pic":"Obr.","power":"Napájení","power_level":"úroveň napájení","reconfigure":"Přenastavit","remove_device":"Odebrat zařízení","rename_device":"Přejmenovat zařízení","select_attribute":"Vybrat atribut","select_cluster":"Vybrat cluster","support_status":"Stav podpory","unsupported":"Nepodporováno","updating_firmware":"Aktualizace firmwaru","update_Home_assistant_entity_id":"Aktualizovat ID entity v Home Assistant","zigbee_manufacturer":"Výrobce Zigbee","zigbee_model":"Model Zigbee","device":"Zařízení"},"scene":{"scene_id":"ID scény","recall":"Odvolání","store":"Obchod","remove":"Odstranit","remove_all":"Odstranit vše","add":"Přidat","select_scene":"Vybrat scénu","scene_name":"Název scény"}}');
|
4962
|
+
const cs_namespaceObject = JSON.parse('{"common":{"action":"Akce","actions":"Akce","apply":"Použít","attribute":"Atribut","bind":"Svázat","check_all":"Zkontrolovat vše","clear":"Vyčistit","close":"Zavřít","cluster":"Cluster","clusters":"Clustery","confirmation":"Výzva k potvrzení","delete":"Vymazat","destination":"Cíl","devices":"Zařízení","dialog_confirmation_prompt":"Jste si jistý?","disable":"Zakázat","enter_search_criteria":"Zadejte vyhledávací kritéria","groups":"Skupiny","loading":"Načítání...","none":"Žádné","ok":"Ok","read":"Načíst","save":"Uložit","select_device":"Vyberte zařízení","select_endpoint":"Vybrat koncový bod","source_endpoint":"Zdroj koncového bodu","the_only_endpoint":"Jediný koncový bod","unbind":"Rozvázat","write":"Zapsat"},"devicePage":{"about":"Informace","bind":"Svázat","clusters":"Clustery","dev_console":"Vývojářská konzole","exposes":"Detaily","reporting":"Hlašení","settings":"Nastavení","settings_specific":"Nastavení (specifické)","state":"Stav","scene":"Scéna","unknown_device":"Neznámé zařízení"},"exposes":{"action":"Akce","auto_off":"Automatické vypnutí","away_mode":"Režim nepřítomnosti","away_preset_days":"Přednastavené dny pro nepřítomnost","away_preset_temperature":"Přednastavená teplota pro nepřítomnost","backlight_mode":"Režim podsvícení","battery":"Baterie","battery_low":"Vybitá baterie","boost_time":"Doba pro navýšení teploty","brightness":"Jas","calibration":"Kalibrace","carbon_monoxide":"Oxid uhelnatý","color_hs":"Barva (HS)","color_temp":"Teplota barev","color_temp_startup":"Teplota barev při spuštění","color_xy":"Barva (XY)","comfort_temperature":"Komfortní teplota","consumer_connected":"Konzument připojen","consumer_overload":"Přetížení konzumenta","contact":"Kontakt","current":"Aktuální","current_heating_setpoint":"Aktuálně nastavená hodnota","eco_temperature":"Eko teplota","effect":"Efekt","empty_exposes_definition":"Vymazat exponované definice","energy":"Energie","force":"Síla","humidity":"Vlhkost","illuminance":"Osvětlení","illuminance_lux":"Osvětlení","led_disabled_night":"Led v noci vyplá","linkquality":"Kvalita signálu","local_temperature":"Místní teplota","local_temperature_calibration":"Kalibrace místní teploty","max_temperature":"Maximální teplota","min_temperature":"Minimální teplota","motor_reversal":"Zpětný chod motoru","moving":"V pohybu","occupancy":"Obsazenost","operation_mode":"Provozní režim","options":"Možnosti","position":"Pozice","power":"Napájení","power_on_behavior":"Chování při zapnutí","power_outage_memory":"Paměť při výpadku napájení","preset":"Předvolba","pressure":"Tlak","sensivity":"Citlivost","smoke":"Kouř","state":"Stav","strength":"Síla","system_mode":"Režim systému","tamper":"Manipulovat","temperature":"Teplota","voltage":"Napětí","water_leak":"Únik vody","week":"Týden"},"extensions":{"create_new_extension":"Vytvořit nové rozšíření","extension_name_propmt":"Zadejte nový název rozšíření","select_extension_to_edit":"Vyberte rozšíření, které chcete upravit"},"featureDescriptions":{"Auto off after specific time.":"Automatické vypnutí po dané době.","Away mode":"Režim pryč","Away preset days":"Přednastavené dny pro pryč","Away preset temperature":"Přednastavená teplota pro pryč","Boost time":"Doba zvýšení","Brightness of this light":"Jas tohoto světla","Calibration time":"Čas kalibrace","Color of this light expressed as hue/saturation":"Barva tohoto světla vyjádřená jako odstín/sytost","Color of this light in the CIE 1931 color space (x/y)":"Barva tohoto světla v barevném prostoru CIE 1931 (x/y)","Color temperature after cold power on of this light":"Barevná teplota po studeném zapnutí tohoto světla","Color temperature of this light":"Barevná teplota tohoto světla","Comfort temperature":"Komfortní teplota","Controls the behavior when the device is powered on":"Ovládá chování, když je zařízení zapnuté","Controls the behaviour when the device is powered on":"Ovládá chování, když je zařízení zapnuté","Current temperature measured on the device":"Aktuální teplota naměřená na zařízení","Decoupled mode for center button":"Oddělený režim pro střední tlačítko","Decoupled mode for left button":"Oddělený režim pro levé tlačítko","Decoupled mode for right button":"Oddělený režim pro pravé tlačítko","Eco temperature":"Eko teplota","Enable/disable auto lock":"Povolit/zakázat automatický zámek","Enable/disable away mode":"Povolit/zakázat režim nepřítomnosti","Enables/disables physical input on the device":"Povolí/zakáže fyzický vstup do zařízení","Enables/disables window detection on the device":"Povolí/zakáže detekci oken na zařízení","Enabling prevents both relais being on at the same time":"Povolení zabrání zapnutí obou relé současně","Force the valve position":"Vynutit polohu ventilu","Indicates if CO (carbon monoxide) is detected":"Ukazuje, zda je detekován CO (oxid uhelnatý)","Indicates if the battery of this device is almost empty":"Ukazuje, zda je baterie tohoto zařízení téměř vybitá","Indicates if the contact is closed (= true) or open (= false)":"Ukazuje, zda je kontakt sepnutý (= true) nebo otevřený (= false)","Indicates whether the device detected a water leak":"Ukazuje, zda zařízení detekovalo únik vody","Indicates whether the device detected occupancy":"Ukazuje, zda zařízení detekovalo obsazenost","Indicates whether the device detected smoke":"Ukazuje, zda zařízení detekovalo kouř","Indicates whether the device is tampered":"Ukazuje, zda je se zařízením neoprávněně manipulováno","Instantaneous measured electrical current":"Okamžitý naměřený elektrický proud","Instantaneous measured power":"Okamžitý naměřený výkon","Link quality (signal strength)":"Kvalita signálu (síla signálu)","Maximum temperature":"Maximální teplota","Measured electrical potential value":"Naměřená hodnota elektrického potenciálu","Measured illuminance in lux":"Naměřená osvětlenost v luxech","Measured relative humidity":"Naměřená relativní vlhkost","Measured temperature value":"Hodnota naměřené teploty","Minimum temperature":"Minimální teplota","Mode of this device (similar to system_mode)":"Režim tohoto zařízení (podobný system_mode)","Mode of this device":"Režim tohoto zařízení","Motor speed":"Rychlost motoru","Offset to be used in the local_temperature":"Offset, který má být použit v local_temperature","On/off state of the switch":"Stav spínače zapnuto/vypnuto","On/off state of this light":"Stav zapnuto/vypnuto tohoto světla","Position of this cover":"Pozice tohoto krytu","Position":"Pozice","Raw measured illuminance":"RAW naměřená osvětlenost","Recover state after power outage":"Obnovení stavu po výpadku napájení","Remaining battery in %":"Zbývající baterie v %","Side of the cube":"Strana krychle","Sum of consumed energy":"Součet spotřebované energie","Temperature setpoint":"Nastavená hodnota teploty","The measured atmospheric pressure":"Naměřený atmosférický tlak","Triggered action (e.g. a button click)":"Spuštěná akce (např. kliknutí na tlačítko)","Triggers an effect on the light (e.g. make light blink for a few seconds)":"Spustí efekt na světlo (např. nechá světlo na několik sekund blikat)","Voltage of the battery in millivolts":"Napětí baterie v milivoltech","Week format user for schedule":"Formát kalendářního týdne","Number of digits after decimal point for temperature, takes into effect on next report of device.":"Počet číslic za desetinnou čárkou pro teplotu, platí při dalším hlášení zařízení.","Calibrates the temperature value (absolute offset), takes into effect on next report of device.":"Kalibruje hodnotu teploty (absolutní odchylka), projeví se při dalším hlášení zařízení.","Number of digits after decimal point for humidity, takes into effect on next report of device.":"Počet číslic za desetinnou čárkou pro vlhkost, platí při dalším hlášení zařízení.","Calibrates the humidity value (absolute offset), takes into effect on next report of device.":"Kalibruje hodnotu vlhkosti (absolutní odchylka), projeví se při dalším hlášení zařízení.","Controls the transition time (in seconds) of on/off, brightness, color temperature (if applicable) and color (if applicable) changes. Defaults to `0` (no transition).":"Ovládá dobu přechodu (v sekundách) změn zapnutí/vypnutí, jasu, teploty barev (pokud je to možné) a barvy (pokud je to možné). Výchozí hodnota je „0“ (bez přechodu)."},"featureNames":{"action":"Akce","angle_x":"Úhel X","angle_y":"Úhel Y","angle_z":"Úhel Z","brightness":"Jas","co2":"CO2","color_temp":"Teplota barev","color_xy":"Barva Xy","contact":"Kontakt","humidity":"Vlhkost","illuminance":"Osvětlení","occupancy":"Obsazenost","pressure":"Tlak","soil_moisture":"Vlhkost půdy","state":"Stav","temperature":"Teplota","tamper":"Manipulovat","child_lock":"Dětský zámek","window_detection":"Detekce otevřeného okna","valve_detection":"Detekce hlavice","local_temperature":"Místní teplota","auto_lock":"Automatický zámek","away_mode":"Režim pryč","programming_mode":"Programovací režim","week":"Týden","workdays_schedule":"Týdenní kalendář","holidays_schedule":"Prázdninový kalendář"},"groups":{"add_to_group":"Přidat do skupiny","create_group":"Vytvořit skupinu","new_group_id":"ID nové skupiny","new_group_id_placeholder":"V případě potřeby zadejte ID skupiny","new_group_name":"Nový název skupiny","new_group_name_placeholder":"příklad: my_bedroom_lights","remove_group":"Odebrat skupinu","group_id":"ID skupiny","group_name":"Název skupiny","group_members":"Členové skupiny","group_scenes":"Skupinové scény"},"logs":{"empty_logs_message":"Nic k zobrazení","filter_by_text":"Filtrovat podle textu","show_only":"Filtrovat podle typu"},"map":{"help_coordinator_link_description":"Plné čáry jsou spojením s koordinátorem","help_end_device_description":"Zelená znamená koncové zařízení","help_is_coordinator":"je koordinátor","help_lqi_description":"Kvalita spojení je mezi 0 - 255 (vyšší je lepší), hodnota s / představuje více typů spojení","help_router_description":"Modrá znamená směrovač","help_router_links_description":"Přerušované čáry jsou spojením se směrovačem","hide":"Kliknutím na mě skryješ","load":"Načíst mapu","loading":"V závislosti na velikosti vaší sítě může načtení trvat 10 sekund až 2 minuty."},"navbar":{"all":"Vše","dashboard":"Přehled","devices":"Zařízení","disable_join":"Zakázat připojení","extensions":"Rozšíření","groups":"Skupiny","logs":"Logy","map":"Mapa","ota":"OTA","permit_join":"Povolit připojení","restart":"Restartovat","settings":"Nastavení","toggle_dropdown":"Přepnout rozbalovací nabídku","touchlink":"Touchlink"},"ota":{"check":"Kontrola nových aktualizací","check_all":"Zkontrolovat vše","empty_ota_message":"Nemáte žádná zařízení, která podporují OTA","remaining_time":"Zbývající čas {{- remaining}}","update":"Aktualizovat firmware zařízení"},"settings":{"about":"O mě","advanced":"Pokročilé","availability":"Dostupnost","blocklist":"Seznam blokovaných","coordinator_revision":"Revize koordinátora","coordinator_type":"Typ koordinátora","donate":"Příspěvek","donation_text":["Dobrý den, %username%, zde nám můžete poděkovat za tvrdou práci","Neváhej a řekni taky něco hezkého ;)"],"download_state":"Stáhnout konfiguraci","experimental":"Experimentální","external_converters":"Externí převodníky","frontend":"Frontend","frontend_version":"Verze frontendu","main":"Hlavní","mqtt":"MQTT","ota":"Aktualizace OTA","passlist":"Přístupová práva","raw":"Raw","restart_zigbee2mqtt":"Restartovat Zigbee2MQTT","serial":"Sériový","settings":"Nastavení","tools":"Nástroje","zigbee2mqtt_version":"Verze Zigbee2MQTT","translate":"Přeložit","stats":"statistiky"},"settingsSchemaTranslations":{"advanced-title":"Advanced","advanced_availability_blacklist__title":"Blacklist dostupnosti (zastaralé, použijte availability_blocklist)","advanced_availability_blocklist__description":"Zabránit kontrole dostupnosti zařízení","advanced_availability_blocklist__title":"Blacklist dostupnosti","advanced_availability_passlist__description":"Povolit kontrolu dostupnosti pouze pro určitá zařízení","advanced_availability_passlist__title":"Passlist dostupnosti","advanced_availability_whitelist__title":"Whitelist dostupnosti (zastaralá, použijte Passlist)","advanced_ext_pan_id__description":"Zigbee Extended Pan ID, změna vyžaduje opravu všech zařízení!","advanced_ext_pan_id__title":"Ext Pan ID","advanced_log_output__description":"Výstupní umístění logu, ponechte prázdné pro potlačení logování","advanced_log_output__title":"Výstup logu","advanced_log_syslog-title":"syslog","blocklist__description":"Blokovat zařízení ze sítě (pomocí ieeeAddr)","blocklist__title":"Blocklist","experimental-title":"Experimentální","external_converters__description":"Můžete definovat externí převodníky, např. přidat podporu pro DIY zařízení","external_converters__title":"Externí převodníky","frontend-title":"Frontend","mqtt-title":"MQTT","ota-title":"Aktualizace OTA","passlist__description":"Povolit připojení k síti pouze určitým zařízením (pomocí ieeeAddr). Pamatujte, že všechna zařízení, která nejsou na seznamu přístupů, budou ze sítě odstraněna!","passlist__title":"Passlist","root__description":"Povolit připojení k síti pouze určitým zařízením (pomocí ieeeAddr). Pamatujte, že všechna zařízení, která nejsou na seznamu přístupových práv, budou ze sítě odstraněna!","root_availability_blacklist__title":"Blacklist dostupnosti (zastaralé, použijte availability_blocklist)","root_availability_blocklist__description":"Zabránit kontrole dostupnosti zařízení","root_availability_blocklist__title":"Blacklist dostupnosti","root_availability_passlist__description":"Povolit kontrolu dostupnosti pouze pro určitá zařízení","root_availability_passlist__title":"Passlist dostupnosti","root_availability_whitelist__title":"Povolená listina dostupnosti (zastaralé, použijte passlist)","root_debounce_ignore__description":"Chrání jedinečné hodnoty vlastností užitečného zatížení před přepsáním během doby odskoku","root_debounce_ignore__title":"Ignorovat odskok","root_ext_pan_id__description":"Zigbee extended pan ID, změna vyžaduje opravu všech zařízení!","root_ext_pan_id__title":"Ext Pan ID","root_filtered_attributes__description":"Povolit zabránění zveřejnění určitých atributů ","root_filtered_attributes__title":"Filtrované atributy","root_filtered_optimistic__description":"Filtrujte atributy z optimistického publikování dat při dotazu /set (Toto nemá žádný vliv, pokud je optimistické nastaveno na false).","root_filtered_optimistic__title":"Filtrované optimistické atributy","root_log_output__description":"Výstupní umístění logu, ponechte prázdné pro potlačení logování","root_log_output__title":"Výstup logu","root_log_syslog-title":"syslog","serial-title":"Sériový"},"stats":{"EndDevice":"Koncové zařízení","Router":"Router","byType":"dle typu","byPowerSource":"dle zdroje napájení","byVendor":"dle výrobce","byModel":"dle modelu","total":"celkové"},"touchlink":{"detected_devices_message":"Zjištěno {{count}} zařízení touchlink.","rescan":"Hledat znova","scan":"Hledat"},"values":{"clear":"Vymazat","closed":"Zavřeno","false":"Ne","not_supported":"Není podporováno","occupied":"Obsazený","open":"Otevřeno","supported":"Podporováno","true":"Ano","empty_string":"Prázdný řetězec(\\"\\")","leaking":"Netěsnost","tampered":"Manipulováno"},"zigbee":{"actions":"Akce","attribute":"Atribut","battery":"Baterie","block_join":"Zablokovat opětovné připojení","cluster":"Cluster","dc_source":"DC zdroj","description":"Popis","device_type":"Typ zařízení","endpoint":"Koncový bod","firmware_build_date":"Datum sestavení firmwaru","firmware_version":"Verze firmwaru","force_remove":"Vynutit odstranění","friendly_name":"Název","ieee_address":"IEEE adresa","input_clusters":"Vstupní clustery","interview_completed":"Párování dokončeno","interview_failed":"Párování selhalo","interviewing":"Párování","last_seen":"Naposledy viděno","lqi":"LQI","mains_single_phase":"Síť (jednofázová)","manufacturer":"Výrobce","max_rep_interval":"Max interval odezvy","min_rep_change":"Min změna odezvy","min_rep_interval":"Min interval odezvy","model":"Model","network_address":"Síťová adresa","none":"Žádný","output_clusters":"Výstupní clustery","pic":"Obr.","power":"Napájení","power_level":"úroveň napájení","reconfigure":"Přenastavit","remove_device":"Odebrat zařízení","rename_device":"Přejmenovat zařízení","select_attribute":"Vybrat atribut","select_cluster":"Vybrat cluster","support_status":"Stav podpory","unsupported":"Nepodporováno","updating_firmware":"Aktualizace firmwaru","update_Home_assistant_entity_id":"Aktualizovat ID entity v Home Assistant","zigbee_manufacturer":"Výrobce Zigbee","zigbee_model":"Model Zigbee","device":"Zařízení"},"scene":{"scene_id":"ID scény","recall":"Odvolání","store":"Obchod","remove":"Odstranit","remove_all":"Odstranit vše","add":"Přidat","select_scene":"Vybrat scénu","scene_name":"Název scény"}}');
|
4934
4963
|
// EXTERNAL MODULE: ./node_modules/timeago.js/lib/lang/pl.js
|
4935
4964
|
var lang_pl = __webpack_require__(76854);
|
4936
4965
|
// EXTERNAL MODULE: ./node_modules/timeago.js/lib/lang/fr.js
|
@@ -5072,6 +5101,7 @@ var I18nextProvider = __webpack_require__(6339);
|
|
5072
5101
|
|
5073
5102
|
|
5074
5103
|
|
5104
|
+
|
5075
5105
|
|
5076
5106
|
|
5077
5107
|
const ConnectedDevicePageWrap = ({ dev }) => (React.createElement(ConnectedDevicePageWrap, { dev: dev }));
|
@@ -5085,36 +5115,37 @@ const Main = () => {
|
|
5085
5115
|
return react.createElement(react.Suspense, { fallback: "loading" },
|
5086
5116
|
react.createElement(I18nextProvider/* I18nextProvider */.a, { i18n: i18n },
|
5087
5117
|
react.createElement(unistore_react/* Provider */.z, { store: src_store },
|
5088
|
-
react.createElement(
|
5089
|
-
react.createElement(
|
5090
|
-
react.createElement(
|
5091
|
-
|
5092
|
-
react.createElement(
|
5093
|
-
|
5094
|
-
react.createElement("
|
5095
|
-
react.createElement(
|
5096
|
-
react.createElement(react_router/*
|
5097
|
-
|
5098
|
-
|
5099
|
-
|
5100
|
-
|
5101
|
-
|
5102
|
-
|
5103
|
-
|
5104
|
-
|
5105
|
-
|
5106
|
-
|
5107
|
-
|
5108
|
-
|
5109
|
-
|
5110
|
-
|
5111
|
-
|
5112
|
-
|
5113
|
-
|
5114
|
-
|
5115
|
-
|
5116
|
-
|
5117
|
-
|
5118
|
+
react.createElement(GlobalModal, null,
|
5119
|
+
react.createElement(react_css_theme_switcher_esm/* ThemeSwitcherProvider */.c, { themeMap: themes, defaultTheme: theme },
|
5120
|
+
react.createElement(react_router_dom/* HashRouter */.UT, null,
|
5121
|
+
react.createElement(state_notifier_StateNotifier, null),
|
5122
|
+
react.createElement("div", { className: "main" },
|
5123
|
+
react.createElement(navbar, null),
|
5124
|
+
react.createElement("main", { className: "content p-0 p-sm-3" },
|
5125
|
+
react.createElement("div", { className: "container-fluid p-0 h-100" },
|
5126
|
+
react.createElement(react_router/* Switch */.rs, null,
|
5127
|
+
react.createElement(react_router/* Route */.AW, { path: "/ota", render: (props) => react.createElement(ErrorBoundary, { ...props },
|
5128
|
+
react.createElement(ota_page, null)) }),
|
5129
|
+
react.createElement(react_router/* Route */.AW, { path: "/map", render: (props) => react.createElement(ErrorBoundary, { ...props },
|
5130
|
+
react.createElement(components_map, null)) }),
|
5131
|
+
react.createElement(react_router/* Route */.AW, { path: "/device/:dev/:tab?", render: (props) => react.createElement(ErrorBoundary, { ...props },
|
5132
|
+
react.createElement(device_page, null)) }),
|
5133
|
+
react.createElement(react_router/* Route */.AW, { path: "/settings/:tab?", render: (props) => react.createElement(ErrorBoundary, { ...props },
|
5134
|
+
react.createElement(settings, null)) }),
|
5135
|
+
react.createElement(react_router/* Route */.AW, { path: "/groups", render: (props) => react.createElement(ErrorBoundary, { ...props },
|
5136
|
+
react.createElement(groups, null)) }),
|
5137
|
+
react.createElement(react_router/* Route */.AW, { path: "/group/:groupId?", render: (props) => react.createElement(ErrorBoundary, { ...props },
|
5138
|
+
react.createElement(groups_GroupPage, null)) }),
|
5139
|
+
react.createElement(react_router/* Route */.AW, { path: "/logs", render: (props) => react.createElement(ErrorBoundary, { ...props },
|
5140
|
+
react.createElement(logs_page, null)) }),
|
5141
|
+
react.createElement(react_router/* Route */.AW, { path: "/touchlink", render: (props) => react.createElement(ErrorBoundary, { ...props },
|
5142
|
+
react.createElement(touchlink_page, null)) }),
|
5143
|
+
react.createElement(react_router/* Route */.AW, { path: "/dashboard", render: (props) => react.createElement(ErrorBoundary, { ...props },
|
5144
|
+
react.createElement(dashboard_page, null)) }),
|
5145
|
+
react.createElement(react_router/* Route */.AW, { path: "/extensions", render: (props) => react.createElement(ErrorBoundary, { ...props },
|
5146
|
+
react.createElement(extensions_editor, null)) }),
|
5147
|
+
react.createElement(react_router/* Route */.AW, { path: "/", render: (props) => react.createElement(ErrorBoundary, { ...props },
|
5148
|
+
react.createElement(zigbee, null)) })))))))))));
|
5118
5149
|
};
|
5119
5150
|
react_dom.render(react.createElement(Main, null), document.getElementById("root"));
|
5120
5151
|
|
@@ -5243,8 +5274,8 @@ module.exports = "class MyExampleExtension_TS_ {\n constructor(zigbee, mqtt,
|
|
5243
5274
|
},
|
5244
5275
|
/******/ __webpack_require__ => { // webpackRuntimeModules
|
5245
5276
|
/******/ var __webpack_exec__ = (moduleId) => (__webpack_require__(__webpack_require__.s = moduleId))
|
5246
|
-
/******/ __webpack_require__.O(0, [718], () => (__webpack_exec__(
|
5277
|
+
/******/ __webpack_require__.O(0, [718], () => (__webpack_exec__(97306)));
|
5247
5278
|
/******/ var __webpack_exports__ = __webpack_require__.O();
|
5248
5279
|
/******/ }
|
5249
5280
|
]);
|
5250
|
-
//# sourceMappingURL=main.
|
5281
|
+
//# sourceMappingURL=main.162a7bd0f64a45f386ed.js.map
|