@ledvance/base 1.3.42 → 1.3.43
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.
- package/localazy.json +8 -1
- package/package.json +1 -1
- package/src/eventEmitter/LdvEventEmitter.ts +127 -0
- package/src/eventEmitter/hooks.ts +23 -0
- package/src/eventEmitter/index.ts +13 -0
- package/src/i18n/strings.ts +190 -1
- package/translateKey.txt +7 -0
package/localazy.json
CHANGED
|
@@ -1034,7 +1034,14 @@
|
|
|
1034
1034
|
"MATCH:plug_energyconsumptionswitch",
|
|
1035
1035
|
"MATCH:switchtitle_energyconsumption",
|
|
1036
1036
|
"MATCH:switchonlyonce",
|
|
1037
|
-
"MATCH:infobutton_totalenergy"
|
|
1037
|
+
"MATCH:infobutton_totalenergy",
|
|
1038
|
+
"MATCH:thermostat_maximum",
|
|
1039
|
+
"MATCH:thermostat_minimum",
|
|
1040
|
+
"MATCH:online",
|
|
1041
|
+
"MATCH:offline",
|
|
1042
|
+
"MATCH:consumption_data_field4_button_text",
|
|
1043
|
+
"MATCH:consumption_data_price_per_l_headline_text",
|
|
1044
|
+
"MATCH:consumption_data_price_per_l_description_text"
|
|
1038
1045
|
],
|
|
1039
1046
|
"replacements": {
|
|
1040
1047
|
"REGEX:% %1\\$s.*?\\)%": "{0}",
|
package/package.json
CHANGED
|
@@ -0,0 +1,127 @@
|
|
|
1
|
+
type EventHandler<T = any> = (data: T) => void;
|
|
2
|
+
|
|
3
|
+
interface EventSubscription {
|
|
4
|
+
remove: () => void;
|
|
5
|
+
}
|
|
6
|
+
|
|
7
|
+
export class LdvEventEmitter {
|
|
8
|
+
private events: Map<string, Set<EventHandler>>;
|
|
9
|
+
|
|
10
|
+
constructor() {
|
|
11
|
+
this.events = new Map();
|
|
12
|
+
}
|
|
13
|
+
|
|
14
|
+
/**
|
|
15
|
+
* 添加事件监听器
|
|
16
|
+
* @param eventName 事件名称
|
|
17
|
+
* @param handler 事件处理函数
|
|
18
|
+
* @returns 事件订阅对象,可用于移除监听器
|
|
19
|
+
*/
|
|
20
|
+
addListener<T = any>(eventName: string, handler: EventHandler<T>): EventSubscription {
|
|
21
|
+
if (!this.events.has(eventName)) {
|
|
22
|
+
this.events.set(eventName, new Set());
|
|
23
|
+
}
|
|
24
|
+
|
|
25
|
+
const handlers = this.events.get(eventName)!;
|
|
26
|
+
handlers.add(handler);
|
|
27
|
+
|
|
28
|
+
return {
|
|
29
|
+
remove: () => this.removeListener(eventName, handler),
|
|
30
|
+
};
|
|
31
|
+
}
|
|
32
|
+
|
|
33
|
+
/**
|
|
34
|
+
* 添加事件监听器(addListener的别名)
|
|
35
|
+
*/
|
|
36
|
+
on<T = any>(eventName: string, handler: EventHandler<T>): EventSubscription {
|
|
37
|
+
return this.addListener(eventName, handler);
|
|
38
|
+
}
|
|
39
|
+
|
|
40
|
+
/**
|
|
41
|
+
* 添加只执行一次的事件监听器
|
|
42
|
+
* @param eventName 事件名称
|
|
43
|
+
* @param handler 事件处理函数
|
|
44
|
+
* @returns 事件订阅对象
|
|
45
|
+
*/
|
|
46
|
+
once<T = any>(eventName: string, handler: EventHandler<T>): EventSubscription {
|
|
47
|
+
const onceHandler: EventHandler<T> = (data: T) => {
|
|
48
|
+
handler(data);
|
|
49
|
+
this.removeListener(eventName, onceHandler);
|
|
50
|
+
};
|
|
51
|
+
|
|
52
|
+
return this.addListener(eventName, onceHandler);
|
|
53
|
+
}
|
|
54
|
+
|
|
55
|
+
/**
|
|
56
|
+
* 移除特定事件的特定监听器
|
|
57
|
+
* @param eventName 事件名称
|
|
58
|
+
* @param handler 要移除的事件处理函数
|
|
59
|
+
* @returns 是否成功移除
|
|
60
|
+
*/
|
|
61
|
+
removeListener<T = any>(eventName: string, handler: EventHandler<T>): boolean {
|
|
62
|
+
const handlers = this.events.get(eventName);
|
|
63
|
+
if (!handlers) return false;
|
|
64
|
+
|
|
65
|
+
const result = handlers.delete(handler);
|
|
66
|
+
if (handlers.size === 0) {
|
|
67
|
+
this.events.delete(eventName);
|
|
68
|
+
}
|
|
69
|
+
|
|
70
|
+
return result;
|
|
71
|
+
}
|
|
72
|
+
|
|
73
|
+
/**
|
|
74
|
+
* 移除特定事件的特定监听器(removeListener的别名)
|
|
75
|
+
*/
|
|
76
|
+
off<T = any>(eventName: string, handler: EventHandler<T>): boolean {
|
|
77
|
+
return this.removeListener(eventName, handler);
|
|
78
|
+
}
|
|
79
|
+
|
|
80
|
+
/**
|
|
81
|
+
* 移除特定事件的所有监听器
|
|
82
|
+
* @param eventName 事件名称
|
|
83
|
+
* @returns 是否成功移除
|
|
84
|
+
*/
|
|
85
|
+
removeAllListeners(eventName: string): boolean {
|
|
86
|
+
return this.events.delete(eventName);
|
|
87
|
+
}
|
|
88
|
+
|
|
89
|
+
/**
|
|
90
|
+
* 触发特定事件
|
|
91
|
+
* @param eventName 事件名称
|
|
92
|
+
* @param data 事件数据
|
|
93
|
+
* @returns 是否有监听器接收了事件
|
|
94
|
+
*/
|
|
95
|
+
emit<T = any>(eventName: string, data?: T): boolean {
|
|
96
|
+
const handlers = this.events.get(eventName);
|
|
97
|
+
if (!handlers || handlers.size === 0) return false;
|
|
98
|
+
|
|
99
|
+
handlers.forEach(handler => {
|
|
100
|
+
try {
|
|
101
|
+
handler(data as T);
|
|
102
|
+
} catch (error) {
|
|
103
|
+
console.error(`Error in event handler for "${eventName}":`, error);
|
|
104
|
+
}
|
|
105
|
+
});
|
|
106
|
+
|
|
107
|
+
return true;
|
|
108
|
+
}
|
|
109
|
+
|
|
110
|
+
/**
|
|
111
|
+
* 获取特定事件的监听器数量
|
|
112
|
+
* @param eventName 事件名称
|
|
113
|
+
* @returns 监听器数量
|
|
114
|
+
*/
|
|
115
|
+
listenerCount(eventName: string): number {
|
|
116
|
+
const handlers = this.events.get(eventName);
|
|
117
|
+
return handlers ? handlers.size : 0;
|
|
118
|
+
}
|
|
119
|
+
|
|
120
|
+
/**
|
|
121
|
+
* 获取所有已注册的事件名称
|
|
122
|
+
* @returns 事件名称数组
|
|
123
|
+
*/
|
|
124
|
+
eventNames(): string[] {
|
|
125
|
+
return Array.from(this.events.keys());
|
|
126
|
+
}
|
|
127
|
+
}
|
|
@@ -0,0 +1,23 @@
|
|
|
1
|
+
import { useEffect } from 'react';
|
|
2
|
+
import { LdvEventEmitter } from './LdvEventEmitter';
|
|
3
|
+
|
|
4
|
+
/**
|
|
5
|
+
* 在React函数组件中使用EventEmitter的Hook
|
|
6
|
+
* @param emitter EventEmitter实例
|
|
7
|
+
* @param eventName 要监听的事件名称
|
|
8
|
+
* @param handler 事件处理函数
|
|
9
|
+
*/
|
|
10
|
+
export function useLdvEventListener<T = any>(
|
|
11
|
+
emitter: LdvEventEmitter,
|
|
12
|
+
eventName: string,
|
|
13
|
+
handler: (data: T) => void
|
|
14
|
+
): void {
|
|
15
|
+
useEffect(() => {
|
|
16
|
+
const subscription = emitter.addListener<T>(eventName, handler);
|
|
17
|
+
|
|
18
|
+
// 在组件卸载时自动移除监听器
|
|
19
|
+
return () => {
|
|
20
|
+
subscription.remove();
|
|
21
|
+
};
|
|
22
|
+
}, [emitter, eventName, handler]);
|
|
23
|
+
}
|
|
@@ -0,0 +1,13 @@
|
|
|
1
|
+
import { LdvEventEmitter } from './LdvEventEmitter';
|
|
2
|
+
import { useLdvEventListener } from './hooks';
|
|
3
|
+
|
|
4
|
+
// 创建一个全局的事件发射器实例,可在整个应用中共享
|
|
5
|
+
const ldvEventEmitter = new LdvEventEmitter();
|
|
6
|
+
|
|
7
|
+
export {
|
|
8
|
+
LdvEventEmitter,
|
|
9
|
+
ldvEventEmitter,
|
|
10
|
+
useLdvEventListener
|
|
11
|
+
};
|
|
12
|
+
|
|
13
|
+
export default ldvEventEmitter;
|
package/src/i18n/strings.ts
CHANGED
|
@@ -285,6 +285,7 @@ export default {
|
|
|
285
285
|
"consumption_data_field3_co2_topic_text": "Equivalente de CO2 ahorrado",
|
|
286
286
|
"consumption_data_field3_headline_text": "Energía total",
|
|
287
287
|
"consumption_data_field3_value_text2": "Dinero gastado",
|
|
288
|
+
"consumption_data_field4_button_text": "Precio fijo//L",
|
|
288
289
|
"consumption_data_field4_headline_text": "Resumen anual",
|
|
289
290
|
"consumption_data_field4_month10_value_text": "Octubre",
|
|
290
291
|
"consumption_data_field4_month11_value_text": "Noviembre",
|
|
@@ -316,6 +317,8 @@ export default {
|
|
|
316
317
|
"consumption_data_price_per_kwh_currency_value9": "₺",
|
|
317
318
|
"consumption_data_price_per_kwh_description_text": "Para calcular el dinero gastado o ahorrado, tienes que introducir el precio por kWh.",
|
|
318
319
|
"consumption_data_price_per_kwh_headline_text": "Precio por kWh",
|
|
320
|
+
"consumption_data_price_per_l_description_text": "Para calcular el dinero gastado hay que introducir el precio del agua por L.",
|
|
321
|
+
"consumption_data_price_per_l_headline_text": "Precio por L",
|
|
319
322
|
"contact_sensor_battery_state1": "Alto",
|
|
320
323
|
"contact_sensor_battery_state2": "Medio",
|
|
321
324
|
"contact_sensor_battery_state3": "Bajo",
|
|
@@ -737,6 +740,8 @@ export default {
|
|
|
737
740
|
"music_reactivate_dialog_text": "Ten en cuenta que es necesario activar el micrófono de tu smartphone",
|
|
738
741
|
"mute_smokealarm": "Silenciar alarma",
|
|
739
742
|
"next_irrigation": "Siguiente Riego",
|
|
743
|
+
"offline": "Sin conexión",
|
|
744
|
+
"online": "En línea",
|
|
740
745
|
"other_lights_modes_gradient_text": "Gradiente",
|
|
741
746
|
"other_lights_modes_jump_text": "Salto",
|
|
742
747
|
"overview": "Visión general",
|
|
@@ -937,7 +942,9 @@ export default {
|
|
|
937
942
|
"thermostat_hot": "Caliente",
|
|
938
943
|
"thermostat_infocancelscene": "Ten en cuenta que tus aportaciones se perderán si cancelas la adición de una nueva escena.",
|
|
939
944
|
"thermostat_inputlosteditscene": "Ten en cuenta que tus aportaciones se perderán si dejas de editar la escena.",
|
|
945
|
+
"thermostat_maximum": "Máximo",
|
|
940
946
|
"thermostat_maxtime": "No más de 100 días",
|
|
947
|
+
"thermostat_minimum": "Mínimo",
|
|
941
948
|
"thermostat_openwindow": "Recordatorio de ventana abierta",
|
|
942
949
|
"thermostat_powermode": "Manual",
|
|
943
950
|
"thermostat_quicktemp": "Subida rápida de temp.",
|
|
@@ -1300,6 +1307,7 @@ export default {
|
|
|
1300
1307
|
"consumption_data_field3_co2_topic_text": "Úspora ekvivalentu CO2",
|
|
1301
1308
|
"consumption_data_field3_headline_text": "Celková energie",
|
|
1302
1309
|
"consumption_data_field3_value_text2": "Útrata",
|
|
1310
|
+
"consumption_data_field4_button_text": "Nastavit cenu za litr",
|
|
1303
1311
|
"consumption_data_field4_headline_text": "Roční přehled",
|
|
1304
1312
|
"consumption_data_field4_month10_value_text": "Říjen",
|
|
1305
1313
|
"consumption_data_field4_month11_value_text": "Listopad",
|
|
@@ -1331,6 +1339,8 @@ export default {
|
|
|
1331
1339
|
"consumption_data_price_per_kwh_currency_value9": "lir",
|
|
1332
1340
|
"consumption_data_price_per_kwh_description_text": "Pro výpočet vynaložených nebo uspořených peněz je třeba zadat vaši cenu za kWh.",
|
|
1333
1341
|
"consumption_data_price_per_kwh_headline_text": "Cena za kWh",
|
|
1342
|
+
"consumption_data_price_per_l_description_text": "Chcete-li vypočítat vynaložené peníze, musíte zadat cenu vody za litr.",
|
|
1343
|
+
"consumption_data_price_per_l_headline_text": "Cena za litr",
|
|
1334
1344
|
"contact_sensor_battery_state1": "Vysoká",
|
|
1335
1345
|
"contact_sensor_battery_state2": "Střední",
|
|
1336
1346
|
"contact_sensor_battery_state3": "Nízká",
|
|
@@ -1752,6 +1762,8 @@ export default {
|
|
|
1752
1762
|
"music_reactivate_dialog_text": "Mějte prosím na paměti, že je nutné aktivovat mikrofon chytrého telefonu.",
|
|
1753
1763
|
"mute_smokealarm": "Ztlumit alarm",
|
|
1754
1764
|
"next_irrigation": "Další zavlažování",
|
|
1765
|
+
"offline": "Offline",
|
|
1766
|
+
"online": "Online",
|
|
1755
1767
|
"other_lights_modes_gradient_text": "Gradient",
|
|
1756
1768
|
"other_lights_modes_jump_text": "Přeskočit",
|
|
1757
1769
|
"overview": "Přehled",
|
|
@@ -1952,7 +1964,9 @@ export default {
|
|
|
1952
1964
|
"thermostat_hot": "Horký ",
|
|
1953
1965
|
"thermostat_infocancelscene": "Pozor, pokud zrušíte přidávání nové scény, váš vstup bude ztracen.",
|
|
1954
1966
|
"thermostat_inputlosteditscene": "Pozor, pokud opustíte úpravu scény, váš vstup bude ztracen.",
|
|
1967
|
+
"thermostat_maximum": "Maximum",
|
|
1955
1968
|
"thermostat_maxtime": "Ne déle než 100 dní",
|
|
1969
|
+
"thermostat_minimum": "Minimum",
|
|
1956
1970
|
"thermostat_openwindow": "Připomenutí otevřeného okna",
|
|
1957
1971
|
"thermostat_powermode": "Manuální",
|
|
1958
1972
|
"thermostat_quicktemp": "Rychlý nárůst teploty",
|
|
@@ -2315,6 +2329,7 @@ export default {
|
|
|
2315
2329
|
"consumption_data_field3_co2_topic_text": "CO2 equivalent saved",
|
|
2316
2330
|
"consumption_data_field3_headline_text": "Total Energy",
|
|
2317
2331
|
"consumption_data_field3_value_text2": "Money spent",
|
|
2332
|
+
"consumption_data_field4_button_text": "Set price / L",
|
|
2318
2333
|
"consumption_data_field4_headline_text": "Annual Overview",
|
|
2319
2334
|
"consumption_data_field4_month10_value_text": "October",
|
|
2320
2335
|
"consumption_data_field4_month11_value_text": "November",
|
|
@@ -2346,6 +2361,8 @@ export default {
|
|
|
2346
2361
|
"consumption_data_price_per_kwh_currency_value9": "₺",
|
|
2347
2362
|
"consumption_data_price_per_kwh_description_text": "To calculate the spent or saved money, you have to enter your price per kWh.",
|
|
2348
2363
|
"consumption_data_price_per_kwh_headline_text": "Price per kWh",
|
|
2364
|
+
"consumption_data_price_per_l_description_text": "To calculate the money spent, you have to enter the water price per L.",
|
|
2365
|
+
"consumption_data_price_per_l_headline_text": "Price per L",
|
|
2349
2366
|
"contact_sensor_battery_state1": "High",
|
|
2350
2367
|
"contact_sensor_battery_state2": "Middle",
|
|
2351
2368
|
"contact_sensor_battery_state3": "Low",
|
|
@@ -2767,6 +2784,8 @@ export default {
|
|
|
2767
2784
|
"music_reactivate_dialog_text": "Note that it is necessary to activate your smartphone microphone.",
|
|
2768
2785
|
"mute_smokealarm": "Mute alarm",
|
|
2769
2786
|
"next_irrigation": "Next Irrigation",
|
|
2787
|
+
"offline": "Offline",
|
|
2788
|
+
"online": "Online",
|
|
2770
2789
|
"other_lights_modes_gradient_text": "Gradient",
|
|
2771
2790
|
"other_lights_modes_jump_text": "Jump",
|
|
2772
2791
|
"overview": "Overview",
|
|
@@ -2967,7 +2986,9 @@ export default {
|
|
|
2967
2986
|
"thermostat_hot": "Hot",
|
|
2968
2987
|
"thermostat_infocancelscene": "Note that your input will be lost if you cancel adding a new scene.",
|
|
2969
2988
|
"thermostat_inputlosteditscene": "Note that your input will be lost if you leave edit the scene.",
|
|
2989
|
+
"thermostat_maximum": "Maximum",
|
|
2970
2990
|
"thermostat_maxtime": "No longer than 100 days",
|
|
2991
|
+
"thermostat_minimum": "Minimum",
|
|
2971
2992
|
"thermostat_openwindow": "Open window reminder",
|
|
2972
2993
|
"thermostat_powermode": "Manual",
|
|
2973
2994
|
"thermostat_quicktemp": "Quick temp. rising",
|
|
@@ -3330,6 +3351,7 @@ export default {
|
|
|
3330
3351
|
"consumption_data_field3_co2_topic_text": "Спестен CO2 еквивалент",
|
|
3331
3352
|
"consumption_data_field3_headline_text": "Обща енергия",
|
|
3332
3353
|
"consumption_data_field3_value_text2": "Похарчени пари",
|
|
3354
|
+
"consumption_data_field4_button_text": "Зададена цена / L",
|
|
3333
3355
|
"consumption_data_field4_headline_text": "Годишен преглед",
|
|
3334
3356
|
"consumption_data_field4_month10_value_text": "Октомври",
|
|
3335
3357
|
"consumption_data_field4_month11_value_text": "Ноември",
|
|
@@ -3361,6 +3383,8 @@ export default {
|
|
|
3361
3383
|
"consumption_data_price_per_kwh_currency_value9": "₺",
|
|
3362
3384
|
"consumption_data_price_per_kwh_description_text": "За да изчислите изразходваните или спестените пари, трябва да въведете вашата цена за kWh.",
|
|
3363
3385
|
"consumption_data_price_per_kwh_headline_text": "Цена за kWh",
|
|
3386
|
+
"consumption_data_price_per_l_description_text": "За да изчислите изразходваните пари, трябва да въведете цената на водата за L.",
|
|
3387
|
+
"consumption_data_price_per_l_headline_text": "Цена за L",
|
|
3364
3388
|
"contact_sensor_battery_state1": "Висок",
|
|
3365
3389
|
"contact_sensor_battery_state2": "Среден",
|
|
3366
3390
|
"contact_sensor_battery_state3": "Нисък",
|
|
@@ -3782,6 +3806,8 @@ export default {
|
|
|
3782
3806
|
"music_reactivate_dialog_text": "Имайте предвид, че е необходимо да активирате микрофона на смартфона си.",
|
|
3783
3807
|
"mute_smokealarm": "Заглушаване на алармата",
|
|
3784
3808
|
"next_irrigation": "Следващо напояване",
|
|
3809
|
+
"offline": "Офлайн",
|
|
3810
|
+
"online": "Онлайн",
|
|
3785
3811
|
"other_lights_modes_gradient_text": "Градиент",
|
|
3786
3812
|
"other_lights_modes_jump_text": "Скок",
|
|
3787
3813
|
"overview": "Общ преглед",
|
|
@@ -3982,7 +4008,9 @@ export default {
|
|
|
3982
4008
|
"thermostat_hot": "Горещо",
|
|
3983
4009
|
"thermostat_infocancelscene": "Имайте предвид, че въведеното от вас ще бъде загубено, ако отмените добавянето на нова сцена.",
|
|
3984
4010
|
"thermostat_inputlosteditscene": "Имайте предвид, че въведените от вас данни ще бъдат изгубени, ако напуснете редактирането на сцената.",
|
|
4011
|
+
"thermostat_maximum": "Максимален",
|
|
3985
4012
|
"thermostat_maxtime": "Не повече от 100 дни",
|
|
4013
|
+
"thermostat_minimum": "Минимален",
|
|
3986
4014
|
"thermostat_openwindow": "Напомняне за отворен прозорец",
|
|
3987
4015
|
"thermostat_powermode": "Ръководство",
|
|
3988
4016
|
"thermostat_quicktemp": "Бързо повишаване на температурата",
|
|
@@ -4345,6 +4373,7 @@ export default {
|
|
|
4345
4373
|
"consumption_data_field3_co2_topic_text": "CO2 sparet",
|
|
4346
4374
|
"consumption_data_field3_headline_text": "Samlet energi",
|
|
4347
4375
|
"consumption_data_field3_value_text2": "Penge brugt",
|
|
4376
|
+
"consumption_data_field4_button_text": "Indstil pris / liter",
|
|
4348
4377
|
"consumption_data_field4_headline_text": "Grafisk oversigt",
|
|
4349
4378
|
"consumption_data_field4_month10_value_text": "Oktober",
|
|
4350
4379
|
"consumption_data_field4_month11_value_text": "November",
|
|
@@ -4376,6 +4405,8 @@ export default {
|
|
|
4376
4405
|
"consumption_data_price_per_kwh_currency_value9": "TRY",
|
|
4377
4406
|
"consumption_data_price_per_kwh_description_text": "For at beregne de brugte eller sparede penge skal du indtaste din pris pr. kWh.",
|
|
4378
4407
|
"consumption_data_price_per_kwh_headline_text": "Pris pr. kWh",
|
|
4408
|
+
"consumption_data_price_per_l_description_text": "For at beregne udgifterne skal du indtaste vandprisen pr. liter.",
|
|
4409
|
+
"consumption_data_price_per_l_headline_text": "Pris pr. liter",
|
|
4379
4410
|
"contact_sensor_battery_state1": "Høj",
|
|
4380
4411
|
"contact_sensor_battery_state2": "Mellem",
|
|
4381
4412
|
"contact_sensor_battery_state3": "Lav",
|
|
@@ -4797,6 +4828,8 @@ export default {
|
|
|
4797
4828
|
"music_reactivate_dialog_text": "Bemærk, at det er nødvendigt at aktivere din smartphones mikrofon.",
|
|
4798
4829
|
"mute_smokealarm": "Lydløs alarm",
|
|
4799
4830
|
"next_irrigation": "Næste kunstvanding",
|
|
4831
|
+
"offline": "Offline",
|
|
4832
|
+
"online": "Online",
|
|
4800
4833
|
"other_lights_modes_gradient_text": "Gradvist",
|
|
4801
4834
|
"other_lights_modes_jump_text": "Hurtige skift",
|
|
4802
4835
|
"overview": "Oversigt",
|
|
@@ -4997,7 +5030,9 @@ export default {
|
|
|
4997
5030
|
"thermostat_hot": "Varm",
|
|
4998
5031
|
"thermostat_infocancelscene": "Dit input går tabt, hvis du annullerer nu",
|
|
4999
5032
|
"thermostat_inputlosteditscene": "Vær opmærksom på, at dit input går tabt, hvis du forlader \"rediger scene\".",
|
|
5033
|
+
"thermostat_maximum": "Maks.",
|
|
5000
5034
|
"thermostat_maxtime": "Ikke mere end 100 dage",
|
|
5035
|
+
"thermostat_minimum": "Min.",
|
|
5001
5036
|
"thermostat_openwindow": "Mind om, at nu skal der åbnes et vindue",
|
|
5002
5037
|
"thermostat_powermode": "Manuelt",
|
|
5003
5038
|
"thermostat_quicktemp": "Hurtig temperaturstigning",
|
|
@@ -5360,6 +5395,7 @@ export default {
|
|
|
5360
5395
|
"consumption_data_field3_co2_topic_text": "Eingesparte CO2-Äquivalente",
|
|
5361
5396
|
"consumption_data_field3_headline_text": "Gesamtenergie",
|
|
5362
5397
|
"consumption_data_field3_value_text2": "Ausgegebener Betrag",
|
|
5398
|
+
"consumption_data_field4_button_text": "Preis festlegen / L",
|
|
5363
5399
|
"consumption_data_field4_headline_text": "Jahresübersicht",
|
|
5364
5400
|
"consumption_data_field4_month10_value_text": "Oktober",
|
|
5365
5401
|
"consumption_data_field4_month11_value_text": "November",
|
|
@@ -5391,6 +5427,8 @@ export default {
|
|
|
5391
5427
|
"consumption_data_price_per_kwh_currency_value9": "₺",
|
|
5392
5428
|
"consumption_data_price_per_kwh_description_text": "Um das ausgegebene oder gesparte Geld zu berechnen, musst Du deinen Preis pro kWh eingeben.",
|
|
5393
5429
|
"consumption_data_price_per_kwh_headline_text": "Preis pro kWh",
|
|
5430
|
+
"consumption_data_price_per_l_description_text": "Um das ausgegebene Geld zu berechnen, musst Du den Wasserpreis pro L eingeben.",
|
|
5431
|
+
"consumption_data_price_per_l_headline_text": "Preis pro L",
|
|
5394
5432
|
"contact_sensor_battery_state1": "Hoch",
|
|
5395
5433
|
"contact_sensor_battery_state2": "Mittel",
|
|
5396
5434
|
"contact_sensor_battery_state3": "Niedrig",
|
|
@@ -5812,6 +5850,8 @@ export default {
|
|
|
5812
5850
|
"music_reactivate_dialog_text": "Beachte, dass Du das Mikrofon deines Smartphones aktivieren musst.",
|
|
5813
5851
|
"mute_smokealarm": "Alarm stummschalten",
|
|
5814
5852
|
"next_irrigation": "Nächste Bewässerung",
|
|
5853
|
+
"offline": "Offline",
|
|
5854
|
+
"online": "Online",
|
|
5815
5855
|
"other_lights_modes_gradient_text": "Fließend",
|
|
5816
5856
|
"other_lights_modes_jump_text": "Springen",
|
|
5817
5857
|
"overview": "Überblick",
|
|
@@ -6012,7 +6052,9 @@ export default {
|
|
|
6012
6052
|
"thermostat_hot": "Heiß",
|
|
6013
6053
|
"thermostat_infocancelscene": "Beachte, dass deine Eingaben aufgelistet werden, wenn du das Hinzufügen einer neuen Szene abbrichst.",
|
|
6014
6054
|
"thermostat_inputlosteditscene": "Beachte, dass deine Eingaben verloren gehen, wenn du die Bearbeitung der Szene verlässt.",
|
|
6055
|
+
"thermostat_maximum": "Maximal",
|
|
6015
6056
|
"thermostat_maxtime": "Nicht länger als 100 Tage",
|
|
6057
|
+
"thermostat_minimum": "Minimal",
|
|
6016
6058
|
"thermostat_openwindow": "Erinnerung an offene Fenster",
|
|
6017
6059
|
"thermostat_powermode": "Manuell",
|
|
6018
6060
|
"thermostat_quicktemp": "Schneller Temperaturanstieg",
|
|
@@ -6084,7 +6126,7 @@ export default {
|
|
|
6084
6126
|
"working_status": "Arbeitsstatus",
|
|
6085
6127
|
"working_status_automatic": "Automatische Bewässerung",
|
|
6086
6128
|
"working_status_delay": "Regenverzögerung",
|
|
6087
|
-
"working_status_idle": "
|
|
6129
|
+
"working_status_idle": "Bereit",
|
|
6088
6130
|
"working_status_manual": "Manuelles Bewässern",
|
|
6089
6131
|
"year": "Jahr",
|
|
6090
6132
|
"yearly": "Jährlich"
|
|
@@ -6375,6 +6417,7 @@ export default {
|
|
|
6375
6417
|
"consumption_data_field3_co2_topic_text": "Εξοικονόμηση ισοδύναμου CO2",
|
|
6376
6418
|
"consumption_data_field3_headline_text": "Συνολική Ενέργεια",
|
|
6377
6419
|
"consumption_data_field3_value_text2": "Χρήματα που δαπανήθηκαν",
|
|
6420
|
+
"consumption_data_field4_button_text": "Καθορισμένη τιμή / L",
|
|
6378
6421
|
"consumption_data_field4_headline_text": "Ετήσια επισκόπηση",
|
|
6379
6422
|
"consumption_data_field4_month10_value_text": "Οκτώβριος",
|
|
6380
6423
|
"consumption_data_field4_month11_value_text": "Νοέμβριος",
|
|
@@ -6406,6 +6449,8 @@ export default {
|
|
|
6406
6449
|
"consumption_data_price_per_kwh_currency_value9": "₺",
|
|
6407
6450
|
"consumption_data_price_per_kwh_description_text": "Για να υπολογίσετε τα χρήματα που δαπανήθηκαν ή εξοικονομήθηκαν, πρέπει να εισαγάγετε την τιμή ανά kWh.",
|
|
6408
6451
|
"consumption_data_price_per_kwh_headline_text": "Τιμή ανά kWh",
|
|
6452
|
+
"consumption_data_price_per_l_description_text": "Για να υπολογίσετε τα χρήματα που δαπανώνται, πρέπει να εισαγάγετε την τιμή του νερού ανά L.",
|
|
6453
|
+
"consumption_data_price_per_l_headline_text": "Τιμή ανά L",
|
|
6409
6454
|
"contact_sensor_battery_state1": "Υψηλή",
|
|
6410
6455
|
"contact_sensor_battery_state2": "Μεσαία",
|
|
6411
6456
|
"contact_sensor_battery_state3": "Χαμηλή",
|
|
@@ -6827,6 +6872,8 @@ export default {
|
|
|
6827
6872
|
"music_reactivate_dialog_text": "Σημειώστε ότι είναι απαραίτητο να ενεργοποιήσετε το μικρόφωνο του smartphone σας.",
|
|
6828
6873
|
"mute_smokealarm": "Σίγαση συναγερμού",
|
|
6829
6874
|
"next_irrigation": "Επόμενη άρδευση",
|
|
6875
|
+
"offline": "Εκτός σύνδεσης",
|
|
6876
|
+
"online": "Σε απευθείας σύνδεση",
|
|
6830
6877
|
"other_lights_modes_gradient_text": "Διαβάθμιση",
|
|
6831
6878
|
"other_lights_modes_jump_text": "Άλμα",
|
|
6832
6879
|
"overview": "Επισκόπηση",
|
|
@@ -7027,7 +7074,9 @@ export default {
|
|
|
7027
7074
|
"thermostat_hot": "Hot",
|
|
7028
7075
|
"thermostat_infocancelscene": "Σημειώστε ότι η καταχώρησή σας θα χαθεί εάν ακυρώσετε την προσθήκη μιας νέας σκηνής.",
|
|
7029
7076
|
"thermostat_inputlosteditscene": "Σημειώστε ότι η καταχώρησή σας θα χαθεί εάν φύγετε από την επεξεργασία της σκηνής.",
|
|
7077
|
+
"thermostat_maximum": "Μέγιστη",
|
|
7030
7078
|
"thermostat_maxtime": "Όχι περισσότερο από 100 ημέρες",
|
|
7079
|
+
"thermostat_minimum": "Ελάχιστη",
|
|
7031
7080
|
"thermostat_openwindow": "Υπενθύμιση ανοιχτού παραθύρου",
|
|
7032
7081
|
"thermostat_powermode": "Χειροκίνητο",
|
|
7033
7082
|
"thermostat_quicktemp": "Γρήγορη αύξηση θερμοκρασίας",
|
|
@@ -7390,6 +7439,7 @@ export default {
|
|
|
7390
7439
|
"consumption_data_field3_co2_topic_text": "Equivalente de CO2 ahorrado",
|
|
7391
7440
|
"consumption_data_field3_headline_text": "Energía total",
|
|
7392
7441
|
"consumption_data_field3_value_text2": "Dinero gastado",
|
|
7442
|
+
"consumption_data_field4_button_text": "Establece precio / litro",
|
|
7393
7443
|
"consumption_data_field4_headline_text": "Resumen anual",
|
|
7394
7444
|
"consumption_data_field4_month10_value_text": "Octubre",
|
|
7395
7445
|
"consumption_data_field4_month11_value_text": "Noviembre",
|
|
@@ -7421,6 +7471,8 @@ export default {
|
|
|
7421
7471
|
"consumption_data_price_per_kwh_currency_value9": "₺",
|
|
7422
7472
|
"consumption_data_price_per_kwh_description_text": "Para calcular el dinero gastado o ahorrado, tienes que introducir el precio por kWh.",
|
|
7423
7473
|
"consumption_data_price_per_kwh_headline_text": "Precio por kWh",
|
|
7474
|
+
"consumption_data_price_per_l_description_text": "Para calcular el dinero gastado, debe introducir el precio del agua por litro.",
|
|
7475
|
+
"consumption_data_price_per_l_headline_text": "Precio por litro",
|
|
7424
7476
|
"contact_sensor_battery_state1": "Alto",
|
|
7425
7477
|
"contact_sensor_battery_state2": "Medio",
|
|
7426
7478
|
"contact_sensor_battery_state3": "Bajo",
|
|
@@ -7842,6 +7894,8 @@ export default {
|
|
|
7842
7894
|
"music_reactivate_dialog_text": "Ten en cuenta que es necesario activar el micrófono de tu smartphone",
|
|
7843
7895
|
"mute_smokealarm": "Silenciar alarma",
|
|
7844
7896
|
"next_irrigation": "Próximo riego",
|
|
7897
|
+
"offline": "Sin conexión",
|
|
7898
|
+
"online": "Online",
|
|
7845
7899
|
"other_lights_modes_gradient_text": "Gradiente",
|
|
7846
7900
|
"other_lights_modes_jump_text": "Saltar",
|
|
7847
7901
|
"overview": "Visión general",
|
|
@@ -8042,7 +8096,9 @@ export default {
|
|
|
8042
8096
|
"thermostat_hot": "Calor",
|
|
8043
8097
|
"thermostat_infocancelscene": "Ten en cuenta que tus aportaciones se perderán si cancelas la creación de una nueva escena.",
|
|
8044
8098
|
"thermostat_inputlosteditscene": "Tenga en cuenta que su entrada se perderá si abandona la edición de la escena.",
|
|
8099
|
+
"thermostat_maximum": "Máximo",
|
|
8045
8100
|
"thermostat_maxtime": "No más de 100 días",
|
|
8101
|
+
"thermostat_minimum": "Mínimo",
|
|
8046
8102
|
"thermostat_openwindow": "Recordatorio de ventana abierta",
|
|
8047
8103
|
"thermostat_powermode": "Manual",
|
|
8048
8104
|
"thermostat_quicktemp": "Aumento rápido de la temperatura",
|
|
@@ -8405,6 +8461,7 @@ export default {
|
|
|
8405
8461
|
"consumption_data_field3_co2_topic_text": "Säästetud CO2 ekvivalent",
|
|
8406
8462
|
"consumption_data_field3_headline_text": "Koguenergia",
|
|
8407
8463
|
"consumption_data_field3_value_text2": "Raha kulutatud",
|
|
8464
|
+
"consumption_data_field4_button_text": "Määrake hind / L",
|
|
8408
8465
|
"consumption_data_field4_headline_text": "Aasta ülevaade",
|
|
8409
8466
|
"consumption_data_field4_month10_value_text": "Oktoober",
|
|
8410
8467
|
"consumption_data_field4_month11_value_text": "November",
|
|
@@ -8436,6 +8493,8 @@ export default {
|
|
|
8436
8493
|
"consumption_data_price_per_kwh_currency_value9": "₺",
|
|
8437
8494
|
"consumption_data_price_per_kwh_description_text": "Kulutatud või säästetud raha arvutamiseks pead sisestama ühe kWh hinna.",
|
|
8438
8495
|
"consumption_data_price_per_kwh_headline_text": "Ühe kWh hind",
|
|
8496
|
+
"consumption_data_price_per_l_description_text": "Kulutatud raha arvutamiseks peate sisestama vee hinna ühe liitri kohta.",
|
|
8497
|
+
"consumption_data_price_per_l_headline_text": "Hind ühe L kohta",
|
|
8439
8498
|
"contact_sensor_battery_state1": "Kõrge",
|
|
8440
8499
|
"contact_sensor_battery_state2": "Keskmine",
|
|
8441
8500
|
"contact_sensor_battery_state3": "Madal",
|
|
@@ -8857,6 +8916,8 @@ export default {
|
|
|
8857
8916
|
"music_reactivate_dialog_text": "Pane tähele, et pead oma nutitelefoni mikrofoni aktiveerima.",
|
|
8858
8917
|
"mute_smokealarm": "Häire vaigistamine",
|
|
8859
8918
|
"next_irrigation": "Järgmine niisutamine",
|
|
8919
|
+
"offline": "Ühenduseta",
|
|
8920
|
+
"online": "Internetis",
|
|
8860
8921
|
"other_lights_modes_gradient_text": "Muutmisaste",
|
|
8861
8922
|
"other_lights_modes_jump_text": "Hüpe",
|
|
8862
8923
|
"overview": "Ülevaade",
|
|
@@ -9057,7 +9118,9 @@ export default {
|
|
|
9057
9118
|
"thermostat_hot": "Kuum",
|
|
9058
9119
|
"thermostat_infocancelscene": "Pange tähele, et uue stseeni lisamise tühistamisel läheb teie sisend kaotsi.",
|
|
9059
9120
|
"thermostat_inputlosteditscene": "Pange tähele, et teie sisend läheb kaotsi, kui lahkute stseeni seadistamisest.",
|
|
9121
|
+
"thermostat_maximum": "Maksimaalne",
|
|
9060
9122
|
"thermostat_maxtime": "Mitte kauem kui 100 päeva",
|
|
9123
|
+
"thermostat_minimum": "Minimaalne",
|
|
9061
9124
|
"thermostat_openwindow": "Avatud akna meeldetuletus",
|
|
9062
9125
|
"thermostat_powermode": "Käsiraamat",
|
|
9063
9126
|
"thermostat_quicktemp": "Kiire temperatuuri tõus",
|
|
@@ -9420,6 +9483,7 @@ export default {
|
|
|
9420
9483
|
"consumption_data_field3_co2_topic_text": "CO2-ekvivalentti tallennettu",
|
|
9421
9484
|
"consumption_data_field3_headline_text": "Kokonaisenergia",
|
|
9422
9485
|
"consumption_data_field3_value_text2": "Käytetty summa",
|
|
9486
|
+
"consumption_data_field4_button_text": "Aseta hinta/L",
|
|
9423
9487
|
"consumption_data_field4_headline_text": "Vuosikatsaus",
|
|
9424
9488
|
"consumption_data_field4_month10_value_text": "Lokakuu",
|
|
9425
9489
|
"consumption_data_field4_month11_value_text": "Marraskuu",
|
|
@@ -9451,6 +9515,8 @@ export default {
|
|
|
9451
9515
|
"consumption_data_price_per_kwh_currency_value9": "₺",
|
|
9452
9516
|
"consumption_data_price_per_kwh_description_text": "Käytetyn tai säästetyn rahan laskemiseksi sinun on annettava hinta per kWh.",
|
|
9453
9517
|
"consumption_data_price_per_kwh_headline_text": "Hinta per kWh",
|
|
9518
|
+
"consumption_data_price_per_l_description_text": "Käytetyn rahan laskemiseksi sinun on syötettävä veden hinta per L.",
|
|
9519
|
+
"consumption_data_price_per_l_headline_text": "Hinta per L",
|
|
9454
9520
|
"contact_sensor_battery_state1": "Korkea",
|
|
9455
9521
|
"contact_sensor_battery_state2": "Keskellä",
|
|
9456
9522
|
"contact_sensor_battery_state3": "Matala",
|
|
@@ -9872,6 +9938,8 @@ export default {
|
|
|
9872
9938
|
"music_reactivate_dialog_text": "Huomaa, että älypuhelimen mikrofoni on aktivoitava.",
|
|
9873
9939
|
"mute_smokealarm": "Mykistä hälytys",
|
|
9874
9940
|
"next_irrigation": "Seuraava kastelu",
|
|
9941
|
+
"offline": "Offline-tilassa",
|
|
9942
|
+
"online": "Verkossa",
|
|
9875
9943
|
"other_lights_modes_gradient_text": "Liukuva",
|
|
9876
9944
|
"other_lights_modes_jump_text": "Portaittain",
|
|
9877
9945
|
"overview": "Yleiskatsaus",
|
|
@@ -10072,7 +10140,9 @@ export default {
|
|
|
10072
10140
|
"thermostat_hot": "Kuuma",
|
|
10073
10141
|
"thermostat_infocancelscene": "Huomaa, että syötteesi menetetään, jos peruutat uuden valaistustilanteen lisäämisen.",
|
|
10074
10142
|
"thermostat_inputlosteditscene": "Huomaa, että syötteesi menetetään, jos poistut valaistustilanteen muokkaamisesta.",
|
|
10143
|
+
"thermostat_maximum": "Maksimi",
|
|
10075
10144
|
"thermostat_maxtime": "Enintään 100 päivää",
|
|
10145
|
+
"thermostat_minimum": "Minimi",
|
|
10076
10146
|
"thermostat_openwindow": "Avaa ikkuna -muistutus",
|
|
10077
10147
|
"thermostat_powermode": "Manuaalinen",
|
|
10078
10148
|
"thermostat_quicktemp": "Nopea lämpötilan nousu",
|
|
@@ -10435,6 +10505,7 @@ export default {
|
|
|
10435
10505
|
"consumption_data_field3_co2_topic_text": "Équivalent CO2 économisé",
|
|
10436
10506
|
"consumption_data_field3_headline_text": "Énergie totale",
|
|
10437
10507
|
"consumption_data_field3_value_text2": "Coût financier",
|
|
10508
|
+
"consumption_data_field4_button_text": "Définir le prix au litre",
|
|
10438
10509
|
"consumption_data_field4_headline_text": "Aperçu annuel",
|
|
10439
10510
|
"consumption_data_field4_month10_value_text": "Octobre",
|
|
10440
10511
|
"consumption_data_field4_month11_value_text": "Novembre",
|
|
@@ -10466,6 +10537,8 @@ export default {
|
|
|
10466
10537
|
"consumption_data_price_per_kwh_currency_value9": "₺",
|
|
10467
10538
|
"consumption_data_price_per_kwh_description_text": "Pour déterminer le coût financier ou les économies réalisées, merci de saisir le prix du kWh de votre installation.",
|
|
10468
10539
|
"consumption_data_price_per_kwh_headline_text": "Prix du kWh",
|
|
10540
|
+
"consumption_data_price_per_l_description_text": "Pour calculer l'argent dépensé, vous devez indiquer le prix de l'eau au litre.",
|
|
10541
|
+
"consumption_data_price_per_l_headline_text": "Prix au litre",
|
|
10469
10542
|
"contact_sensor_battery_state1": "Élevé",
|
|
10470
10543
|
"contact_sensor_battery_state2": "Moyen",
|
|
10471
10544
|
"contact_sensor_battery_state3": "Faible",
|
|
@@ -10887,6 +10960,8 @@ export default {
|
|
|
10887
10960
|
"music_reactivate_dialog_text": "Il est nécessaire d'activer le micro de votre smartphone.",
|
|
10888
10961
|
"mute_smokealarm": "Mettre l'alarme en sourdine",
|
|
10889
10962
|
"next_irrigation": "Prochaine irrigation",
|
|
10963
|
+
"offline": "Hors ligne",
|
|
10964
|
+
"online": "En ligne",
|
|
10890
10965
|
"other_lights_modes_gradient_text": "Fluide",
|
|
10891
10966
|
"other_lights_modes_jump_text": "Abrupt",
|
|
10892
10967
|
"overview": "Vue d'ensemble",
|
|
@@ -11087,7 +11162,9 @@ export default {
|
|
|
11087
11162
|
"thermostat_hot": "Chaud",
|
|
11088
11163
|
"thermostat_infocancelscene": "Notez que votre saisie sera perdue si vous annulez l'ajout d'une nouvelle scène.",
|
|
11089
11164
|
"thermostat_inputlosteditscene": "Notez que votre saisie sera perdue si vous quittez l'édition de la scène.",
|
|
11165
|
+
"thermostat_maximum": "Maximum",
|
|
11090
11166
|
"thermostat_maxtime": "Pas plus de 100 jours",
|
|
11167
|
+
"thermostat_minimum": "Minimum",
|
|
11091
11168
|
"thermostat_openwindow": "Rappel de fenêtre ouverte",
|
|
11092
11169
|
"thermostat_powermode": "Manuel",
|
|
11093
11170
|
"thermostat_quicktemp": "Hausse rapide de la température",
|
|
@@ -11450,6 +11527,7 @@ export default {
|
|
|
11450
11527
|
"consumption_data_field3_co2_topic_text": "Ušteđen CO2 ekvivalent",
|
|
11451
11528
|
"consumption_data_field3_headline_text": "Ukupna energija",
|
|
11452
11529
|
"consumption_data_field3_value_text2": "Potrošeni novac",
|
|
11530
|
+
"consumption_data_field4_button_text": "Postavite cijenu/L",
|
|
11453
11531
|
"consumption_data_field4_headline_text": "Godišnji pregled",
|
|
11454
11532
|
"consumption_data_field4_month10_value_text": "Listopad",
|
|
11455
11533
|
"consumption_data_field4_month11_value_text": "Studeni",
|
|
@@ -11481,6 +11559,8 @@ export default {
|
|
|
11481
11559
|
"consumption_data_price_per_kwh_currency_value9": "₺",
|
|
11482
11560
|
"consumption_data_price_per_kwh_description_text": "Da biste izračunali potrošeni ili spremljeni novac, morate unijeti cijenu po kWh.",
|
|
11483
11561
|
"consumption_data_price_per_kwh_headline_text": "Cijena po kWh",
|
|
11562
|
+
"consumption_data_price_per_l_description_text": "Da biste izračunali potrošeni novac, morate unijeti cijenu vode po L.",
|
|
11563
|
+
"consumption_data_price_per_l_headline_text": "Cijena po L",
|
|
11484
11564
|
"contact_sensor_battery_state1": "Visoko",
|
|
11485
11565
|
"contact_sensor_battery_state2": "Sredina",
|
|
11486
11566
|
"contact_sensor_battery_state3": "Nisko",
|
|
@@ -11902,6 +11982,8 @@ export default {
|
|
|
11902
11982
|
"music_reactivate_dialog_text": "Imajte na umu da je potrebno aktivirati mikrofon pametnog telefona.",
|
|
11903
11983
|
"mute_smokealarm": "Isključivanje zvuka alarma",
|
|
11904
11984
|
"next_irrigation": "Sljedeće navodnjavanje",
|
|
11985
|
+
"offline": "Izvanmrežno",
|
|
11986
|
+
"online": "Povezan",
|
|
11905
11987
|
"other_lights_modes_gradient_text": "Prijelaz",
|
|
11906
11988
|
"other_lights_modes_jump_text": "Skoči",
|
|
11907
11989
|
"overview": "Pregled",
|
|
@@ -12102,7 +12184,9 @@ export default {
|
|
|
12102
12184
|
"thermostat_hot": "Vruće",
|
|
12103
12185
|
"thermostat_infocancelscene": "Imajte na umu da će vaš unos biti izgubljen ako otkažete dodavanje nove scene.",
|
|
12104
12186
|
"thermostat_inputlosteditscene": "Imajte na umu da će vaš unos biti izgubljen ako napustite uređivanje scene.",
|
|
12187
|
+
"thermostat_maximum": "Maksimum",
|
|
12105
12188
|
"thermostat_maxtime": "Ne dulje od 100 dana",
|
|
12189
|
+
"thermostat_minimum": "Minimalno",
|
|
12106
12190
|
"thermostat_openwindow": "Podsjetnik za otvaranje prozora",
|
|
12107
12191
|
"thermostat_powermode": "Ručno",
|
|
12108
12192
|
"thermostat_quicktemp": "Brzo podizanje temperature",
|
|
@@ -12465,6 +12549,7 @@ export default {
|
|
|
12465
12549
|
"consumption_data_field3_co2_topic_text": "CO2-egyenérték megtakarítva",
|
|
12466
12550
|
"consumption_data_field3_headline_text": "Teljes energia",
|
|
12467
12551
|
"consumption_data_field3_value_text2": "Elköltött összeg",
|
|
12552
|
+
"consumption_data_field4_button_text": "Ár beállítása / L",
|
|
12468
12553
|
"consumption_data_field4_headline_text": "Éves áttekintés",
|
|
12469
12554
|
"consumption_data_field4_month10_value_text": "Október",
|
|
12470
12555
|
"consumption_data_field4_month11_value_text": "November",
|
|
@@ -12496,6 +12581,8 @@ export default {
|
|
|
12496
12581
|
"consumption_data_price_per_kwh_currency_value9": "₺",
|
|
12497
12582
|
"consumption_data_price_per_kwh_description_text": "Az elköltött vagy megtakarított pénz kiszámításához meg kell adnia a kWh-nkénti árat.",
|
|
12498
12583
|
"consumption_data_price_per_kwh_headline_text": "Ár/kWh",
|
|
12584
|
+
"consumption_data_price_per_l_description_text": "Az elköltött pénz kiszámításához meg kell adnia az L-enkénti víz árát.",
|
|
12585
|
+
"consumption_data_price_per_l_headline_text": "Ár literenként",
|
|
12499
12586
|
"contact_sensor_battery_state1": "Magas",
|
|
12500
12587
|
"contact_sensor_battery_state2": "Közepes",
|
|
12501
12588
|
"contact_sensor_battery_state3": "Alacsony",
|
|
@@ -12917,6 +13004,8 @@ export default {
|
|
|
12917
13004
|
"music_reactivate_dialog_text": "Vegye figyelembe, hogy aktiválnia kell az okostelefon mikrofonját.",
|
|
12918
13005
|
"mute_smokealarm": "Riasztás némítása",
|
|
12919
13006
|
"next_irrigation": "Következő öntözés",
|
|
13007
|
+
"offline": "Offline",
|
|
13008
|
+
"online": "Online",
|
|
12920
13009
|
"other_lights_modes_gradient_text": "Átmenet",
|
|
12921
13010
|
"other_lights_modes_jump_text": "Ugrás",
|
|
12922
13011
|
"overview": "Áttekintés",
|
|
@@ -13117,7 +13206,9 @@ export default {
|
|
|
13117
13206
|
"thermostat_hot": "Forró",
|
|
13118
13207
|
"thermostat_infocancelscene": "Ne feledje, hogy a bevitt értékek elvesznek, ha megszakítja egy új jelenet hozzáadását.",
|
|
13119
13208
|
"thermostat_inputlosteditscene": "Vegye figyelembe, hogy a bevitt adatok elvesznek, ha kilép a hangulat szerkesztéséből.",
|
|
13209
|
+
"thermostat_maximum": "Maximális",
|
|
13120
13210
|
"thermostat_maxtime": "Legfeljebb 100 nap",
|
|
13211
|
+
"thermostat_minimum": "Minimális",
|
|
13121
13212
|
"thermostat_openwindow": "Nyitott ablak emlékeztető",
|
|
13122
13213
|
"thermostat_powermode": "Manuális",
|
|
13123
13214
|
"thermostat_quicktemp": "Gyors hőm.-emelkedés",
|
|
@@ -13480,6 +13571,7 @@ export default {
|
|
|
13480
13571
|
"consumption_data_field3_co2_topic_text": "Equivalente di CO2 risparmiato",
|
|
13481
13572
|
"consumption_data_field3_headline_text": "Energia totale",
|
|
13482
13573
|
"consumption_data_field3_value_text2": "Soldi spesi",
|
|
13574
|
+
"consumption_data_field4_button_text": "Prezzo fisso/L",
|
|
13483
13575
|
"consumption_data_field4_headline_text": "Panoramica annuale",
|
|
13484
13576
|
"consumption_data_field4_month10_value_text": "Ottobre",
|
|
13485
13577
|
"consumption_data_field4_month11_value_text": "Novembre",
|
|
@@ -13511,6 +13603,8 @@ export default {
|
|
|
13511
13603
|
"consumption_data_price_per_kwh_currency_value9": "₺",
|
|
13512
13604
|
"consumption_data_price_per_kwh_description_text": "Per calcolare il denaro speso o risparmiato, è necessario inserire il prezzo per kWh.",
|
|
13513
13605
|
"consumption_data_price_per_kwh_headline_text": "Prezzo per kWh",
|
|
13606
|
+
"consumption_data_price_per_l_description_text": "Per calcolare il denaro speso, devi inserire il prezzo dell'acqua per L.",
|
|
13607
|
+
"consumption_data_price_per_l_headline_text": "Prezzo per L",
|
|
13514
13608
|
"contact_sensor_battery_state1": "Alto",
|
|
13515
13609
|
"contact_sensor_battery_state2": "Medio",
|
|
13516
13610
|
"contact_sensor_battery_state3": "Basso",
|
|
@@ -13932,6 +14026,8 @@ export default {
|
|
|
13932
14026
|
"music_reactivate_dialog_text": "Attenzione: è necessario attivare il microfono dello smartphone.",
|
|
13933
14027
|
"mute_smokealarm": "Silenziamento dell'allarme",
|
|
13934
14028
|
"next_irrigation": "Prossima Irrigazione",
|
|
14029
|
+
"offline": "Off-line",
|
|
14030
|
+
"online": "In linea",
|
|
13935
14031
|
"other_lights_modes_gradient_text": "Fluido",
|
|
13936
14032
|
"other_lights_modes_jump_text": "Improvviso",
|
|
13937
14033
|
"overview": "Panoramica",
|
|
@@ -14132,7 +14228,9 @@ export default {
|
|
|
14132
14228
|
"thermostat_hot": "Caldo",
|
|
14133
14229
|
"thermostat_infocancelscene": "Tieni presente che i dati inseriti andranno persi se elimini l'aggiunta di una nuova scena.",
|
|
14134
14230
|
"thermostat_inputlosteditscene": "Tieni presente che i tuoi dati andranno persi se abbandoni la modifica della scena.",
|
|
14231
|
+
"thermostat_maximum": "Massimo",
|
|
14135
14232
|
"thermostat_maxtime": "Non più di 100 giorni",
|
|
14233
|
+
"thermostat_minimum": "Minimo",
|
|
14136
14234
|
"thermostat_openwindow": "Promemoria",
|
|
14137
14235
|
"thermostat_powermode": "Manuale",
|
|
14138
14236
|
"thermostat_quicktemp": "Aumento rapido della temperatura",
|
|
@@ -14495,6 +14593,7 @@ export default {
|
|
|
14495
14593
|
"consumption_data_field3_co2_topic_text": "이산화탄소 환산량 절감",
|
|
14496
14594
|
"consumption_data_field3_headline_text": "총 에너지",
|
|
14497
14595
|
"consumption_data_field3_value_text2": "지출 금액",
|
|
14596
|
+
"consumption_data_field4_button_text": "세트 가격/ L",
|
|
14498
14597
|
"consumption_data_field4_headline_text": "연간 개요",
|
|
14499
14598
|
"consumption_data_field4_month10_value_text": "10월",
|
|
14500
14599
|
"consumption_data_field4_month11_value_text": "11월",
|
|
@@ -14526,6 +14625,8 @@ export default {
|
|
|
14526
14625
|
"consumption_data_price_per_kwh_currency_value9": "₺",
|
|
14527
14626
|
"consumption_data_price_per_kwh_description_text": "사용한 금액 또는 절감된 금액을 계산하려면 kWh당 가격을 입력해야 합니다.",
|
|
14528
14627
|
"consumption_data_price_per_kwh_headline_text": "kWh당 가격",
|
|
14628
|
+
"consumption_data_price_per_l_description_text": "지출한 금액을 계산하려면 L당 물 가격을 입력해야 합니다.",
|
|
14629
|
+
"consumption_data_price_per_l_headline_text": "L당 가격",
|
|
14529
14630
|
"contact_sensor_battery_state1": "높음",
|
|
14530
14631
|
"contact_sensor_battery_state2": "중간",
|
|
14531
14632
|
"contact_sensor_battery_state3": "낮음",
|
|
@@ -14947,6 +15048,8 @@ export default {
|
|
|
14947
15048
|
"music_reactivate_dialog_text": "스마트폰 마이크를 활성화해야 합니다.",
|
|
14948
15049
|
"mute_smokealarm": "음소거 알람",
|
|
14949
15050
|
"next_irrigation": "다음: 관개",
|
|
15051
|
+
"offline": "오프라인",
|
|
15052
|
+
"online": "온라인",
|
|
14950
15053
|
"other_lights_modes_gradient_text": "그래디언트",
|
|
14951
15054
|
"other_lights_modes_jump_text": "건너 뛰기",
|
|
14952
15055
|
"overview": "개요",
|
|
@@ -15147,7 +15250,9 @@ export default {
|
|
|
15147
15250
|
"thermostat_hot": "더움",
|
|
15148
15251
|
"thermostat_infocancelscene": "새 씬 추가를 취소하면 입력한 내용이 손실된다는 점에 유의하세요.",
|
|
15149
15252
|
"thermostat_inputlosteditscene": "씬 편집을 종료하면 입력한 내용이 손실된다는 점에 유의하세요.",
|
|
15253
|
+
"thermostat_maximum": "최대값",
|
|
15150
15254
|
"thermostat_maxtime": "100일 이내",
|
|
15255
|
+
"thermostat_minimum": "최소값",
|
|
15151
15256
|
"thermostat_openwindow": "창문 열림",
|
|
15152
15257
|
"thermostat_powermode": "수동",
|
|
15153
15258
|
"thermostat_quicktemp": "온도 급상승",
|
|
@@ -15510,6 +15615,7 @@ export default {
|
|
|
15510
15615
|
"consumption_data_field3_co2_topic_text": "Sutaupytas CO2 ekvivalentas",
|
|
15511
15616
|
"consumption_data_field3_headline_text": "Bendra energija",
|
|
15512
15617
|
"consumption_data_field3_value_text2": "Išleista pinigų",
|
|
15618
|
+
"consumption_data_field4_button_text": "Nustatyta kaina / l",
|
|
15513
15619
|
"consumption_data_field4_headline_text": "Metinė apžvalga",
|
|
15514
15620
|
"consumption_data_field4_month10_value_text": "Spalis",
|
|
15515
15621
|
"consumption_data_field4_month11_value_text": "Lapkritis",
|
|
@@ -15541,6 +15647,8 @@ export default {
|
|
|
15541
15647
|
"consumption_data_price_per_kwh_currency_value9": "₺",
|
|
15542
15648
|
"consumption_data_price_per_kwh_description_text": "Norėdami apskaičiuoti išleistus arba sutaupytus pinigus, turite įvesti kWh kainą.",
|
|
15543
15649
|
"consumption_data_price_per_kwh_headline_text": "Kaina už kWh",
|
|
15650
|
+
"consumption_data_price_per_l_description_text": "Norėdami apskaičiuoti išleistus pinigus, turite įvesti vandens kainą už L.",
|
|
15651
|
+
"consumption_data_price_per_l_headline_text": "Kaina už L",
|
|
15544
15652
|
"contact_sensor_battery_state1": "Aukšta",
|
|
15545
15653
|
"contact_sensor_battery_state2": "Vidutiniška",
|
|
15546
15654
|
"contact_sensor_battery_state3": "Žema",
|
|
@@ -15962,6 +16070,8 @@ export default {
|
|
|
15962
16070
|
"music_reactivate_dialog_text": "Žinokite, kad būtina įjungti išmaniojo telefono mikrofoną.",
|
|
15963
16071
|
"mute_smokealarm": "Nutildyti signalą",
|
|
15964
16072
|
"next_irrigation": "Kitas laistymas",
|
|
16073
|
+
"offline": "Neprisijungęs",
|
|
16074
|
+
"online": "Prisijungę",
|
|
15965
16075
|
"other_lights_modes_gradient_text": "Gradientas",
|
|
15966
16076
|
"other_lights_modes_jump_text": "Peršokti",
|
|
15967
16077
|
"overview": "apžvalga",
|
|
@@ -16162,7 +16272,9 @@ export default {
|
|
|
16162
16272
|
"thermostat_hot": "Karšta",
|
|
16163
16273
|
"thermostat_infocancelscene": "Atminkite, kad jūsų įvestis bus prarasta, jei atšauksite naujos scenos pridėjimą.",
|
|
16164
16274
|
"thermostat_inputlosteditscene": "Atminkite, kad jūsų įvestis bus prarasta, jei paliksite scenos redagavimą.",
|
|
16275
|
+
"thermostat_maximum": "Maksimalus",
|
|
16165
16276
|
"thermostat_maxtime": "Ne ilgiau kaip 100 dienų",
|
|
16277
|
+
"thermostat_minimum": "Minimalus",
|
|
16166
16278
|
"thermostat_openwindow": "Atidaryti langą priminimas",
|
|
16167
16279
|
"thermostat_powermode": "Mechaninis",
|
|
16168
16280
|
"thermostat_quicktemp": "Greitas temperatūros kilimas",
|
|
@@ -16525,6 +16637,7 @@ export default {
|
|
|
16525
16637
|
"consumption_data_field3_co2_topic_text": "Ietaupītais CO2 ekvivalents",
|
|
16526
16638
|
"consumption_data_field3_headline_text": "Kopējā enerģija",
|
|
16527
16639
|
"consumption_data_field3_value_text2": "Iztērētā nauda",
|
|
16640
|
+
"consumption_data_field4_button_text": "Iestatīt cenu/L",
|
|
16528
16641
|
"consumption_data_field4_headline_text": "Gada pārskats",
|
|
16529
16642
|
"consumption_data_field4_month10_value_text": "Oktobris",
|
|
16530
16643
|
"consumption_data_field4_month11_value_text": "Novembris",
|
|
@@ -16556,6 +16669,8 @@ export default {
|
|
|
16556
16669
|
"consumption_data_price_per_kwh_currency_value9": "₺",
|
|
16557
16670
|
"consumption_data_price_per_kwh_description_text": "Lai aprēķinātu iztērēto vai ietaupīto naudu, ir jāievada cena par kWh.",
|
|
16558
16671
|
"consumption_data_price_per_kwh_headline_text": "Cena par kWh",
|
|
16672
|
+
"consumption_data_price_per_l_description_text": "Lai aprēķinātu iztērēto naudu, ir jāievada ūdens cena par L.",
|
|
16673
|
+
"consumption_data_price_per_l_headline_text": "Cena par L",
|
|
16559
16674
|
"contact_sensor_battery_state1": "Augsta",
|
|
16560
16675
|
"contact_sensor_battery_state2": "Vidēja",
|
|
16561
16676
|
"contact_sensor_battery_state3": "Zema",
|
|
@@ -16977,6 +17092,8 @@ export default {
|
|
|
16977
17092
|
"music_reactivate_dialog_text": "Ņemiet vērā, ka ir nepieciešams aktivizēt viedtālruņa mikrofonu.",
|
|
16978
17093
|
"mute_smokealarm": "Signalizācijas izslēgšana",
|
|
16979
17094
|
"next_irrigation": "Nākamā apūdeņošana",
|
|
17095
|
+
"offline": "Bezsaistē",
|
|
17096
|
+
"online": "Tiešsaistē",
|
|
16980
17097
|
"other_lights_modes_gradient_text": "Gradients",
|
|
16981
17098
|
"other_lights_modes_jump_text": "Pārlēkt",
|
|
16982
17099
|
"overview": "Pārskats",
|
|
@@ -17177,7 +17294,9 @@ export default {
|
|
|
17177
17294
|
"thermostat_hot": "Karsts",
|
|
17178
17295
|
"thermostat_infocancelscene": "Ņemiet vērā, ka jūsu ievade tiks zaudēta, ja atcelsiet jaunas ainas pievienošanu.",
|
|
17179
17296
|
"thermostat_inputlosteditscene": "Ņemiet vērā, ka jūsu ievade tiks zaudēta, ja atstāsit ainas rediģēšanu.",
|
|
17297
|
+
"thermostat_maximum": "Maksimums",
|
|
17180
17298
|
"thermostat_maxtime": "Ne ilgāk kā 100 dienas",
|
|
17299
|
+
"thermostat_minimum": "Minimums",
|
|
17181
17300
|
"thermostat_openwindow": "Atvērt loga atgādinājumu",
|
|
17182
17301
|
"thermostat_powermode": "Pamācība",
|
|
17183
17302
|
"thermostat_quicktemp": "Ātra temperatūras paaugstināšana",
|
|
@@ -17540,6 +17659,7 @@ export default {
|
|
|
17540
17659
|
"consumption_data_field3_co2_topic_text": "CO2-ekvivalent spart",
|
|
17541
17660
|
"consumption_data_field3_headline_text": "Total energi",
|
|
17542
17661
|
"consumption_data_field3_value_text2": "Penger brukt",
|
|
17662
|
+
"consumption_data_field4_button_text": "Sett pris / L",
|
|
17543
17663
|
"consumption_data_field4_headline_text": "Årlig oversikt",
|
|
17544
17664
|
"consumption_data_field4_month10_value_text": "Oktober",
|
|
17545
17665
|
"consumption_data_field4_month11_value_text": "November",
|
|
@@ -17571,6 +17691,8 @@ export default {
|
|
|
17571
17691
|
"consumption_data_price_per_kwh_currency_value9": "₺",
|
|
17572
17692
|
"consumption_data_price_per_kwh_description_text": "For å beregne brukte eller sparte penger, må du angi prisen per kWh.",
|
|
17573
17693
|
"consumption_data_price_per_kwh_headline_text": "Pris per kWh",
|
|
17694
|
+
"consumption_data_price_per_l_description_text": "For å beregne pengene som er brukt, må du angi vannprisen per L.",
|
|
17695
|
+
"consumption_data_price_per_l_headline_text": "Pris per L",
|
|
17574
17696
|
"contact_sensor_battery_state1": "Høy",
|
|
17575
17697
|
"contact_sensor_battery_state2": "Midten",
|
|
17576
17698
|
"contact_sensor_battery_state3": "Lav",
|
|
@@ -17992,6 +18114,8 @@ export default {
|
|
|
17992
18114
|
"music_reactivate_dialog_text": "Merk at det er nødvendig å aktivere smarttelefonmikrofonen.",
|
|
17993
18115
|
"mute_smokealarm": "Demp alarm",
|
|
17994
18116
|
"next_irrigation": "Neste vanning",
|
|
18117
|
+
"offline": "Frakoblet",
|
|
18118
|
+
"online": "Pålogget",
|
|
17995
18119
|
"other_lights_modes_gradient_text": "Gradient",
|
|
17996
18120
|
"other_lights_modes_jump_text": "Hopp",
|
|
17997
18121
|
"overview": "Oversikt",
|
|
@@ -18192,7 +18316,9 @@ export default {
|
|
|
18192
18316
|
"thermostat_hot": "Varm",
|
|
18193
18317
|
"thermostat_infocancelscene": "Merk at inndataene dine vil gå tapt hvis du avbryter å legge til en ny scene.",
|
|
18194
18318
|
"thermostat_inputlosteditscene": "Merk at innspillene dine vil gå tapt hvis du forlater redigeringsscenen.",
|
|
18319
|
+
"thermostat_maximum": "Maksimum",
|
|
18195
18320
|
"thermostat_maxtime": "Ikke lenger enn 100 dager",
|
|
18321
|
+
"thermostat_minimum": "Minimum",
|
|
18196
18322
|
"thermostat_openwindow": "Påminnelse om åpent vindu",
|
|
18197
18323
|
"thermostat_powermode": "Manuell",
|
|
18198
18324
|
"thermostat_quicktemp": "Rask temp. stigende",
|
|
@@ -18555,6 +18681,7 @@ export default {
|
|
|
18555
18681
|
"consumption_data_field3_co2_topic_text": "Zaoszczędzony ekwiwalent CO2",
|
|
18556
18682
|
"consumption_data_field3_headline_text": "Całkowita energia",
|
|
18557
18683
|
"consumption_data_field3_value_text2": "Wydane pieniądze",
|
|
18684
|
+
"consumption_data_field4_button_text": "Ustaw cenę / L",
|
|
18558
18685
|
"consumption_data_field4_headline_text": "Przegląd roczny",
|
|
18559
18686
|
"consumption_data_field4_month10_value_text": "Październik",
|
|
18560
18687
|
"consumption_data_field4_month11_value_text": "Listopad",
|
|
@@ -18586,6 +18713,8 @@ export default {
|
|
|
18586
18713
|
"consumption_data_price_per_kwh_currency_value9": "₺",
|
|
18587
18714
|
"consumption_data_price_per_kwh_description_text": "Aby obliczyć wydane lub zaoszczędzone pieniądze, musisz podać swoją cenę za kWh.",
|
|
18588
18715
|
"consumption_data_price_per_kwh_headline_text": "Cena za kWh",
|
|
18716
|
+
"consumption_data_price_per_l_description_text": "Aby obliczyć wydane pieniądze, musisz wprowadzić cenę wody za L.",
|
|
18717
|
+
"consumption_data_price_per_l_headline_text": "Cena za L",
|
|
18589
18718
|
"contact_sensor_battery_state1": "Wysoki",
|
|
18590
18719
|
"contact_sensor_battery_state2": "Średni",
|
|
18591
18720
|
"contact_sensor_battery_state3": "Niski",
|
|
@@ -19007,6 +19136,8 @@ export default {
|
|
|
19007
19136
|
"music_reactivate_dialog_text": "Należy pamiętać, że konieczne jest włączenie mikrofonu smartfona.",
|
|
19008
19137
|
"mute_smokealarm": "Wycisz alarm",
|
|
19009
19138
|
"next_irrigation": "Następne nawadnianie",
|
|
19139
|
+
"offline": "Tryb offline",
|
|
19140
|
+
"online": "Online",
|
|
19010
19141
|
"other_lights_modes_gradient_text": "Gradient",
|
|
19011
19142
|
"other_lights_modes_jump_text": "PRZEJDŹ",
|
|
19012
19143
|
"overview": "Przegląd",
|
|
@@ -19207,7 +19338,9 @@ export default {
|
|
|
19207
19338
|
"thermostat_hot": "Gorący",
|
|
19208
19339
|
"thermostat_infocancelscene": "Pamiętaj, że wprowadzone dane zostaną utracone, jeśli anulujesz dodawanie nowej sceny.",
|
|
19209
19340
|
"thermostat_inputlosteditscene": "Pamiętaj, że wprowadzone dane zostaną utracone, jeśli opuścisz edycję sceny.",
|
|
19341
|
+
"thermostat_maximum": "Maksymalny",
|
|
19210
19342
|
"thermostat_maxtime": "Nie dłużej niż 100 dni",
|
|
19343
|
+
"thermostat_minimum": "Minimum",
|
|
19211
19344
|
"thermostat_openwindow": "Przypomnienie o otwartym oknie",
|
|
19212
19345
|
"thermostat_powermode": "Ręcznie",
|
|
19213
19346
|
"thermostat_quicktemp": "Szybki wzrost temperatury",
|
|
@@ -19570,6 +19703,7 @@ export default {
|
|
|
19570
19703
|
"consumption_data_field3_co2_topic_text": "Equivalente de CO2 economizado",
|
|
19571
19704
|
"consumption_data_field3_headline_text": "Energia total",
|
|
19572
19705
|
"consumption_data_field3_value_text2": "Dinheiro gasto",
|
|
19706
|
+
"consumption_data_field4_button_text": "Definir preço /L",
|
|
19573
19707
|
"consumption_data_field4_headline_text": "Visão geral anual",
|
|
19574
19708
|
"consumption_data_field4_month10_value_text": "Outubro",
|
|
19575
19709
|
"consumption_data_field4_month11_value_text": "Novembro",
|
|
@@ -19601,6 +19735,8 @@ export default {
|
|
|
19601
19735
|
"consumption_data_price_per_kwh_currency_value9": "₺",
|
|
19602
19736
|
"consumption_data_price_per_kwh_description_text": "Para calcular o dinheiro gasto ou economizado, você deve inserir seu preço por kWh.",
|
|
19603
19737
|
"consumption_data_price_per_kwh_headline_text": "Preço por kWh",
|
|
19738
|
+
"consumption_data_price_per_l_description_text": "Para calcular o dinheiro gasto, você precisa inserir o preço da água por L.",
|
|
19739
|
+
"consumption_data_price_per_l_headline_text": "Preço por L",
|
|
19604
19740
|
"contact_sensor_battery_state1": "Alta",
|
|
19605
19741
|
"contact_sensor_battery_state2": "Meio",
|
|
19606
19742
|
"contact_sensor_battery_state3": "Baixo",
|
|
@@ -20022,6 +20158,8 @@ export default {
|
|
|
20022
20158
|
"music_reactivate_dialog_text": "Observe que é necessário ativar o microfone do seu smartphone.",
|
|
20023
20159
|
"mute_smokealarm": "Silenciar o alarme",
|
|
20024
20160
|
"next_irrigation": "Próxima irrigação",
|
|
20161
|
+
"offline": "Offline",
|
|
20162
|
+
"online": "Online",
|
|
20025
20163
|
"other_lights_modes_gradient_text": "Gradiente",
|
|
20026
20164
|
"other_lights_modes_jump_text": "Pular",
|
|
20027
20165
|
"overview": "Visão geral",
|
|
@@ -20222,7 +20360,9 @@ export default {
|
|
|
20222
20360
|
"thermostat_hot": "Quente",
|
|
20223
20361
|
"thermostat_infocancelscene": "Observe que sua entrada será perdida se você cancelar a adição de uma nova cena.",
|
|
20224
20362
|
"thermostat_inputlosteditscene": "Observe que sua entrada será perdida se você sair da edição da cena.",
|
|
20363
|
+
"thermostat_maximum": "Máximo",
|
|
20225
20364
|
"thermostat_maxtime": "Não mais do que 100 dias",
|
|
20365
|
+
"thermostat_minimum": "Mínimo",
|
|
20226
20366
|
"thermostat_openwindow": "Lembrete de janela aberta",
|
|
20227
20367
|
"thermostat_powermode": "Manual",
|
|
20228
20368
|
"thermostat_quicktemp": "Aumento rápido da temperatura",
|
|
@@ -20585,6 +20725,7 @@ export default {
|
|
|
20585
20725
|
"consumption_data_field3_co2_topic_text": "Echivalent CO2 economisit",
|
|
20586
20726
|
"consumption_data_field3_headline_text": "Energie totală",
|
|
20587
20727
|
"consumption_data_field3_value_text2": "Bani cheltuiți",
|
|
20728
|
+
"consumption_data_field4_button_text": "Preț setat/L",
|
|
20588
20729
|
"consumption_data_field4_headline_text": "Prezentare generală anuală",
|
|
20589
20730
|
"consumption_data_field4_month10_value_text": "Octombrie",
|
|
20590
20731
|
"consumption_data_field4_month11_value_text": "Noiembrie",
|
|
@@ -20616,6 +20757,8 @@ export default {
|
|
|
20616
20757
|
"consumption_data_price_per_kwh_currency_value9": "₺",
|
|
20617
20758
|
"consumption_data_price_per_kwh_description_text": "Pentru a calcula banii cheltuiți sau economisiți, trebuie să introduceți prețul pe kWh.",
|
|
20618
20759
|
"consumption_data_price_per_kwh_headline_text": "Prețul pe kWh",
|
|
20760
|
+
"consumption_data_price_per_l_description_text": "Pentru a calcula banii cheltuiți, trebuie să introduceți prețul apei pe L.",
|
|
20761
|
+
"consumption_data_price_per_l_headline_text": "Preț pe L",
|
|
20619
20762
|
"contact_sensor_battery_state1": "Înalt",
|
|
20620
20763
|
"contact_sensor_battery_state2": "Mediu",
|
|
20621
20764
|
"contact_sensor_battery_state3": "Redus",
|
|
@@ -21037,6 +21180,8 @@ export default {
|
|
|
21037
21180
|
"music_reactivate_dialog_text": "Rețineți că este necesar să activați microfonul smartphone-ului.",
|
|
21038
21181
|
"mute_smokealarm": "Alarma silențioasă",
|
|
21039
21182
|
"next_irrigation": "Următoarea irigare",
|
|
21183
|
+
"offline": "Offline",
|
|
21184
|
+
"online": "On-line",
|
|
21040
21185
|
"other_lights_modes_gradient_text": "Gradient",
|
|
21041
21186
|
"other_lights_modes_jump_text": "Salt",
|
|
21042
21187
|
"overview": "Prezentare generală",
|
|
@@ -21237,7 +21382,9 @@ export default {
|
|
|
21237
21382
|
"thermostat_hot": "Fierbinte",
|
|
21238
21383
|
"thermostat_infocancelscene": "Rețineți că intrarea se va pierde dacă anulați adăugarea unei scene noi.",
|
|
21239
21384
|
"thermostat_inputlosteditscene": "Rețineți că intrarea dvs. va fi pierdută dacă părăsiți editarea scenei.",
|
|
21385
|
+
"thermostat_maximum": "Maxim",
|
|
21240
21386
|
"thermostat_maxtime": "Nu mai mult de 100 de zile",
|
|
21387
|
+
"thermostat_minimum": "Minim",
|
|
21241
21388
|
"thermostat_openwindow": "Reminder pentru deschiderea ferestrei",
|
|
21242
21389
|
"thermostat_powermode": "Manual",
|
|
21243
21390
|
"thermostat_quicktemp": "Temperatura rapidă. în creștere",
|
|
@@ -21600,6 +21747,7 @@ export default {
|
|
|
21600
21747
|
"consumption_data_field3_co2_topic_text": "Экономия в CO2-эквиваленте",
|
|
21601
21748
|
"consumption_data_field3_headline_text": "Общая энергия",
|
|
21602
21749
|
"consumption_data_field3_value_text2": "Потраченные деньги",
|
|
21750
|
+
"consumption_data_field4_button_text": "Установить цену / л",
|
|
21603
21751
|
"consumption_data_field4_headline_text": "Годовой обзор",
|
|
21604
21752
|
"consumption_data_field4_month10_value_text": "Октябрь",
|
|
21605
21753
|
"consumption_data_field4_month11_value_text": "Ноябрь",
|
|
@@ -21631,6 +21779,8 @@ export default {
|
|
|
21631
21779
|
"consumption_data_price_per_kwh_currency_value9": "₺",
|
|
21632
21780
|
"consumption_data_price_per_kwh_description_text": "Чтобы рассчитать потраченные или сэкономленные деньги, вам необходимо ввести цену за кВтч.",
|
|
21633
21781
|
"consumption_data_price_per_kwh_headline_text": "Цена за кВт/ч",
|
|
21782
|
+
"consumption_data_price_per_l_description_text": "Чтобы рассчитать потраченные деньги, вы должны ввести цену воды за литр воды",
|
|
21783
|
+
"consumption_data_price_per_l_headline_text": "Цена за литр",
|
|
21634
21784
|
"contact_sensor_battery_state1": "Высокий",
|
|
21635
21785
|
"contact_sensor_battery_state2": "Средний",
|
|
21636
21786
|
"contact_sensor_battery_state3": "Низкий",
|
|
@@ -22052,6 +22202,8 @@ export default {
|
|
|
22052
22202
|
"music_reactivate_dialog_text": "Обратите внимание, что необходимо активировать микрофон смартфона.",
|
|
22053
22203
|
"mute_smokealarm": "Отключить сигнал тревоги",
|
|
22054
22204
|
"next_irrigation": "Далее Орошение",
|
|
22205
|
+
"offline": "Oфлайн",
|
|
22206
|
+
"online": "Онлайн",
|
|
22055
22207
|
"other_lights_modes_gradient_text": "Градиент",
|
|
22056
22208
|
"other_lights_modes_jump_text": "Переход",
|
|
22057
22209
|
"overview": "Обзор",
|
|
@@ -22252,7 +22404,9 @@ export default {
|
|
|
22252
22404
|
"thermostat_hot": "Горячая",
|
|
22253
22405
|
"thermostat_infocancelscene": "Обратите внимание, что ваши данные будут утеряны, если вы отмените добавление новой сцены.",
|
|
22254
22406
|
"thermostat_inputlosteditscene": "Обратите внимание, что ваши данные будут утеряны, если вы выйдете из режима редактирования сцены.",
|
|
22407
|
+
"thermostat_maximum": "Максимум",
|
|
22255
22408
|
"thermostat_maxtime": "Не более 100 дней",
|
|
22409
|
+
"thermostat_minimum": "Минимум",
|
|
22256
22410
|
"thermostat_openwindow": "Напоминание об открытом окне",
|
|
22257
22411
|
"thermostat_powermode": "Руководство",
|
|
22258
22412
|
"thermostat_quicktemp": "Быстрое повышение температуры",
|
|
@@ -22615,6 +22769,7 @@ export default {
|
|
|
22615
22769
|
"consumption_data_field3_co2_topic_text": "Ekvivalent CO2 uložený",
|
|
22616
22770
|
"consumption_data_field3_headline_text": "Celková energia",
|
|
22617
22771
|
"consumption_data_field3_value_text2": "Vynaložené peniaze",
|
|
22772
|
+
"consumption_data_field4_button_text": "Nastavená cena / L",
|
|
22618
22773
|
"consumption_data_field4_headline_text": "Ročný prehľad",
|
|
22619
22774
|
"consumption_data_field4_month10_value_text": "Október",
|
|
22620
22775
|
"consumption_data_field4_month11_value_text": "November",
|
|
@@ -22646,6 +22801,8 @@ export default {
|
|
|
22646
22801
|
"consumption_data_price_per_kwh_currency_value9": "TL",
|
|
22647
22802
|
"consumption_data_price_per_kwh_description_text": "Ak chcete vypočítať vynaložené alebo ušetrené peniaze, musíte zadať cenu za kWh.",
|
|
22648
22803
|
"consumption_data_price_per_kwh_headline_text": "Cena za kWh",
|
|
22804
|
+
"consumption_data_price_per_l_description_text": "Ak chcete vypočítať vynaložené peniaze, musíte zadať cenu vody za 1 l.",
|
|
22805
|
+
"consumption_data_price_per_l_headline_text": "Cena za L",
|
|
22649
22806
|
"contact_sensor_battery_state1": "Vysoké",
|
|
22650
22807
|
"contact_sensor_battery_state2": "Stredné",
|
|
22651
22808
|
"contact_sensor_battery_state3": "Nízke",
|
|
@@ -23067,6 +23224,8 @@ export default {
|
|
|
23067
23224
|
"music_reactivate_dialog_text": "Upozorňujeme, že je potrebné aktivovať mikrofón smartfónu.",
|
|
23068
23225
|
"mute_smokealarm": "Stlmenie alarmu",
|
|
23069
23226
|
"next_irrigation": "Ďalšie zavlažovanie",
|
|
23227
|
+
"offline": "Offline",
|
|
23228
|
+
"online": "Online",
|
|
23070
23229
|
"other_lights_modes_gradient_text": "Prechod",
|
|
23071
23230
|
"other_lights_modes_jump_text": "Preskočiť",
|
|
23072
23231
|
"overview": "Prehľad",
|
|
@@ -23267,7 +23426,9 @@ export default {
|
|
|
23267
23426
|
"thermostat_hot": "Horúce",
|
|
23268
23427
|
"thermostat_infocancelscene": "Upozorňujeme, že ak zrušíte pridávanie novej scény, vaše údaje sa stratia.",
|
|
23269
23428
|
"thermostat_inputlosteditscene": "Upozorňujeme, že ak opustíte úpravu scény, vaše zadanie sa stratí.",
|
|
23429
|
+
"thermostat_maximum": "Maximum",
|
|
23270
23430
|
"thermostat_maxtime": "Nie dlhšie ako 100 dní",
|
|
23431
|
+
"thermostat_minimum": "Minimum",
|
|
23271
23432
|
"thermostat_openwindow": "Pripomenutie otvoreného okna",
|
|
23272
23433
|
"thermostat_powermode": "Manuálny",
|
|
23273
23434
|
"thermostat_quicktemp": "Rýchle zvyšovanie teploty",
|
|
@@ -23630,6 +23791,7 @@ export default {
|
|
|
23630
23791
|
"consumption_data_field3_co2_topic_text": "CO2-ekvivalent sparad",
|
|
23631
23792
|
"consumption_data_field3_headline_text": "Total energi",
|
|
23632
23793
|
"consumption_data_field3_value_text2": "Spenderade pengar",
|
|
23794
|
+
"consumption_data_field4_button_text": "Ange pris / L",
|
|
23633
23795
|
"consumption_data_field4_headline_text": "Årlig översikt",
|
|
23634
23796
|
"consumption_data_field4_month10_value_text": "oktober",
|
|
23635
23797
|
"consumption_data_field4_month11_value_text": "november",
|
|
@@ -23661,6 +23823,8 @@ export default {
|
|
|
23661
23823
|
"consumption_data_price_per_kwh_currency_value9": "₺",
|
|
23662
23824
|
"consumption_data_price_per_kwh_description_text": "För att beräkna hur mycket pengar du har spenderat eller sparat måste du ange priset per kWh.",
|
|
23663
23825
|
"consumption_data_price_per_kwh_headline_text": "Pris per kWh",
|
|
23826
|
+
"consumption_data_price_per_l_description_text": "För att beräkna kostnaderna måste du ange vattenpriset per L.",
|
|
23827
|
+
"consumption_data_price_per_l_headline_text": "Pris per L",
|
|
23664
23828
|
"contact_sensor_battery_state1": "Hög",
|
|
23665
23829
|
"contact_sensor_battery_state2": "Medel",
|
|
23666
23830
|
"contact_sensor_battery_state3": "Låg",
|
|
@@ -24082,6 +24246,8 @@ export default {
|
|
|
24082
24246
|
"music_reactivate_dialog_text": "Observera att du måste aktivera mikrofonen i din smartphone.",
|
|
24083
24247
|
"mute_smokealarm": "Stäng av larmet",
|
|
24084
24248
|
"next_irrigation": "Nästa bevattning",
|
|
24249
|
+
"offline": "Avstängd",
|
|
24250
|
+
"online": "Uppkopplad",
|
|
24085
24251
|
"other_lights_modes_gradient_text": "Toning",
|
|
24086
24252
|
"other_lights_modes_jump_text": "Hoppa",
|
|
24087
24253
|
"overview": "Översikt",
|
|
@@ -24282,7 +24448,9 @@ export default {
|
|
|
24282
24448
|
"thermostat_hot": "Varm",
|
|
24283
24449
|
"thermostat_infocancelscene": "Observera att inmatningen går förlorad om du avbryter att lägga till en ny scen.",
|
|
24284
24450
|
"thermostat_inputlosteditscene": "Observera att din inmatning kommer att gå förlorad om du lämnar redigera scenen.",
|
|
24451
|
+
"thermostat_maximum": "Maximal",
|
|
24285
24452
|
"thermostat_maxtime": "Inte längre än 100 dagar",
|
|
24453
|
+
"thermostat_minimum": "Minimum",
|
|
24286
24454
|
"thermostat_openwindow": "Öppna fönsterpåminnelse",
|
|
24287
24455
|
"thermostat_powermode": "Manuell",
|
|
24288
24456
|
"thermostat_quicktemp": "Snabb temperaturhöjning",
|
|
@@ -24645,6 +24813,7 @@ export default {
|
|
|
24645
24813
|
"consumption_data_field3_co2_topic_text": "CO2 eşdeğeri kaydedildi",
|
|
24646
24814
|
"consumption_data_field3_headline_text": "Toplam Enerji",
|
|
24647
24815
|
"consumption_data_field3_value_text2": "Harcanan para",
|
|
24816
|
+
"consumption_data_field4_button_text": "Fiyat ayarla/L",
|
|
24648
24817
|
"consumption_data_field4_headline_text": "Yıllık Genel Bakış",
|
|
24649
24818
|
"consumption_data_field4_month10_value_text": "Ekim",
|
|
24650
24819
|
"consumption_data_field4_month11_value_text": "Kasım",
|
|
@@ -24676,6 +24845,8 @@ export default {
|
|
|
24676
24845
|
"consumption_data_price_per_kwh_currency_value9": "₺",
|
|
24677
24846
|
"consumption_data_price_per_kwh_description_text": "Harcanan veya kaydedilen parayı hesaplamak için, kWh başına fiyatınızı girmeniz gerekir.",
|
|
24678
24847
|
"consumption_data_price_per_kwh_headline_text": "kWh başına fiyat",
|
|
24848
|
+
"consumption_data_price_per_l_description_text": "Harcanan parayı hesaplamak için L başına su fiyatını girmeniz gerekir.",
|
|
24849
|
+
"consumption_data_price_per_l_headline_text": "L başına fiyat",
|
|
24679
24850
|
"contact_sensor_battery_state1": "Yüksek",
|
|
24680
24851
|
"contact_sensor_battery_state2": "Orta",
|
|
24681
24852
|
"contact_sensor_battery_state3": "Düşük",
|
|
@@ -25097,6 +25268,8 @@ export default {
|
|
|
25097
25268
|
"music_reactivate_dialog_text": "Akıllı telefon mikrofonunuzu etkinleştirmenin gerekli olduğunu unutmayın.",
|
|
25098
25269
|
"mute_smokealarm": "Alarmı sessize al",
|
|
25099
25270
|
"next_irrigation": "Sonraki Sulama",
|
|
25271
|
+
"offline": "Çevrimdışı",
|
|
25272
|
+
"online": "Çevrimiçi",
|
|
25100
25273
|
"other_lights_modes_gradient_text": "Gradyan",
|
|
25101
25274
|
"other_lights_modes_jump_text": "Atla",
|
|
25102
25275
|
"overview": "Genel Bakış",
|
|
@@ -25297,7 +25470,9 @@ export default {
|
|
|
25297
25470
|
"thermostat_hot": "Sıcak",
|
|
25298
25471
|
"thermostat_infocancelscene": "Yeni bir sahne eklemeyi iptal ederseniz girdinizin kaybolacağını unutmayın.",
|
|
25299
25472
|
"thermostat_inputlosteditscene": "Sahneyi düzenledikten ayrılırsanız girdinizin kaybolacağını unutmayın.",
|
|
25473
|
+
"thermostat_maximum": "Maksimum",
|
|
25300
25474
|
"thermostat_maxtime": "100 günden fazla değil",
|
|
25475
|
+
"thermostat_minimum": "Asgari",
|
|
25301
25476
|
"thermostat_openwindow": "Açık pencere hatırlatıcısı",
|
|
25302
25477
|
"thermostat_powermode": "Manuel",
|
|
25303
25478
|
"thermostat_quicktemp": "Hızlı sıcaklık artışı",
|
|
@@ -25660,6 +25835,7 @@ export default {
|
|
|
25660
25835
|
"consumption_data_field3_co2_topic_text": "Заощаджено еквівалент CO2",
|
|
25661
25836
|
"consumption_data_field3_headline_text": "Загальне споживання енергії",
|
|
25662
25837
|
"consumption_data_field3_value_text2": "Витрачені кошти",
|
|
25838
|
+
"consumption_data_field4_button_text": "Встановити ціну за літр",
|
|
25663
25839
|
"consumption_data_field4_headline_text": "Річний огляд",
|
|
25664
25840
|
"consumption_data_field4_month10_value_text": "Жовтень",
|
|
25665
25841
|
"consumption_data_field4_month11_value_text": "Листопад",
|
|
@@ -25691,6 +25867,8 @@ export default {
|
|
|
25691
25867
|
"consumption_data_price_per_kwh_currency_value9": "₺",
|
|
25692
25868
|
"consumption_data_price_per_kwh_description_text": "Щоб підрахувати витрачені або зекономлені кошти, вам потрібно ввести ціну за кВт/год.",
|
|
25693
25869
|
"consumption_data_price_per_kwh_headline_text": "Ціна за кВт/год",
|
|
25870
|
+
"consumption_data_price_per_l_description_text": "Для проведення розрахунку витрачених коштів необхідно задати ціну води за літр.",
|
|
25871
|
+
"consumption_data_price_per_l_headline_text": "Ціна за літр",
|
|
25694
25872
|
"contact_sensor_battery_state1": "Високий",
|
|
25695
25873
|
"contact_sensor_battery_state2": "Середній",
|
|
25696
25874
|
"contact_sensor_battery_state3": "Низький",
|
|
@@ -26112,6 +26290,8 @@ export default {
|
|
|
26112
26290
|
"music_reactivate_dialog_text": "Зверніть увагу, що необхідно активувати мікрофон вашого смартфона.",
|
|
26113
26291
|
"mute_smokealarm": "Вимкнути сповіщення",
|
|
26114
26292
|
"next_irrigation": "Наступний полив",
|
|
26293
|
+
"offline": "Офлайн",
|
|
26294
|
+
"online": "Онлайн",
|
|
26115
26295
|
"other_lights_modes_gradient_text": "Градієнт",
|
|
26116
26296
|
"other_lights_modes_jump_text": "Стрибок",
|
|
26117
26297
|
"overview": "Деталі",
|
|
@@ -26312,7 +26492,9 @@ export default {
|
|
|
26312
26492
|
"thermostat_hot": "Гарячий",
|
|
26313
26493
|
"thermostat_infocancelscene": "Зверніть увагу, що ваші вхідні дані будуть втрачені, якщо ви скасуєте додавання нового сценарію",
|
|
26314
26494
|
"thermostat_inputlosteditscene": "Зауважте, що ваші дані будуть втрачені, якщо ви вийдете з редагування сценарію.",
|
|
26495
|
+
"thermostat_maximum": "Максимум",
|
|
26315
26496
|
"thermostat_maxtime": "Не довше 100 днів",
|
|
26497
|
+
"thermostat_minimum": "Мінімум",
|
|
26316
26498
|
"thermostat_openwindow": "Нагадування про відкрите вікно",
|
|
26317
26499
|
"thermostat_powermode": "Інструкція",
|
|
26318
26500
|
"thermostat_quicktemp": "Швидкий темп підвищення температури",
|
|
@@ -26675,6 +26857,7 @@ export default {
|
|
|
26675
26857
|
"consumption_data_field3_co2_topic_text": "Equivalente de CO2 economizado",
|
|
26676
26858
|
"consumption_data_field3_headline_text": "Energia total",
|
|
26677
26859
|
"consumption_data_field3_value_text2": "Dinheiro gasto",
|
|
26860
|
+
"consumption_data_field4_button_text": "Definir preço /L",
|
|
26678
26861
|
"consumption_data_field4_headline_text": "Visão geral anual",
|
|
26679
26862
|
"consumption_data_field4_month10_value_text": "Outubro",
|
|
26680
26863
|
"consumption_data_field4_month11_value_text": "Novembro",
|
|
@@ -26706,6 +26889,8 @@ export default {
|
|
|
26706
26889
|
"consumption_data_price_per_kwh_currency_value9": "₺",
|
|
26707
26890
|
"consumption_data_price_per_kwh_description_text": "Para calcular o dinheiro gasto ou economizado, você deve inserir seu preço por kWh.",
|
|
26708
26891
|
"consumption_data_price_per_kwh_headline_text": "Preço por kWh",
|
|
26892
|
+
"consumption_data_price_per_l_description_text": "Para calcular o dinheiro gasto, você precisa inserir o preço da água por L.",
|
|
26893
|
+
"consumption_data_price_per_l_headline_text": "Preço por L",
|
|
26709
26894
|
"contact_sensor_battery_state1": "Alta",
|
|
26710
26895
|
"contact_sensor_battery_state2": "Meio",
|
|
26711
26896
|
"contact_sensor_battery_state3": "Baixo",
|
|
@@ -27127,6 +27312,8 @@ export default {
|
|
|
27127
27312
|
"music_reactivate_dialog_text": "Observe que é necessário ativar o microfone do seu smartphone.",
|
|
27128
27313
|
"mute_smokealarm": "Silenciar o alarme",
|
|
27129
27314
|
"next_irrigation": "Próxima irrigação",
|
|
27315
|
+
"offline": "Offline",
|
|
27316
|
+
"online": "Online",
|
|
27130
27317
|
"other_lights_modes_gradient_text": "Gradiente",
|
|
27131
27318
|
"other_lights_modes_jump_text": "Pular",
|
|
27132
27319
|
"overview": "Visão geral",
|
|
@@ -27327,7 +27514,9 @@ export default {
|
|
|
27327
27514
|
"thermostat_hot": "Quente",
|
|
27328
27515
|
"thermostat_infocancelscene": "Observe que sua entrada será perdida se você cancelar a adição de uma nova cena.",
|
|
27329
27516
|
"thermostat_inputlosteditscene": "Observe que sua entrada será perdida se você sair da edição da cena.",
|
|
27517
|
+
"thermostat_maximum": "Máximo",
|
|
27330
27518
|
"thermostat_maxtime": "Não mais do que 100 dias",
|
|
27519
|
+
"thermostat_minimum": "Mínimo",
|
|
27331
27520
|
"thermostat_openwindow": "Lembrete de janela aberta",
|
|
27332
27521
|
"thermostat_powermode": "Manual",
|
|
27333
27522
|
"thermostat_quicktemp": "Aumento rápido da temperatura",
|
package/translateKey.txt
CHANGED
|
@@ -1029,3 +1029,10 @@ plug_energyconsumptionswitch
|
|
|
1029
1029
|
switchtitle_energyconsumption
|
|
1030
1030
|
switchonlyonce
|
|
1031
1031
|
infobutton_totalenergy
|
|
1032
|
+
thermostat_maximum
|
|
1033
|
+
thermostat_minimum
|
|
1034
|
+
online
|
|
1035
|
+
offline
|
|
1036
|
+
consumption_data_field4_button_text
|
|
1037
|
+
consumption_data_price_per_l_headline_text
|
|
1038
|
+
consumption_data_price_per_l_description_text
|