-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathplugin.py
1576 lines (1278 loc) · 64.1 KB
/
plugin.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
# Luxtronik plugin based on sockets
# Author: ajarzyna, Rouzax, 2025
"""
<plugin key="luxtronik" name="Luxtronik Heat Pump Controller" author="Rouzax" version="1.0.2">
<description>
<h2>Luxtronik Heat Pump Controller Plugin</h2><br/>
<p>This plugin connects to Luxtronik-based heat pump controllers using socket communication.</p>
<h3>Features:</h3>
<ul>
<li>Real-time monitoring of heat pump parameters</li>
<li>Support for temperature readings, operating modes, and power consumption</li>
<li>Multi-language support (English, Polish, Dutch)</li>
<li>Configurable update intervals</li>
</ul>
<h3>Configuration Notes:</h3>
<ul>
<li>Default port for Luxtronik is typically 8889</li>
<li>Recommended update interval: 15-30 seconds</li>
<li>Values greater than 30 seconds will trigger a Domoticz timeout warning, but the plugin will continue to function correctly</li>
</ul>
</description>
<params>
<param field="Address" label="Heat Pump IP Address" width="200px" required="true" default="127.0.0.1">
<description>IP address of your Luxtronik controller</description>
</param>
<param field="Port" label="Heat Pump Port" width="60px" required="true" default="8889">
<description>TCP port of your Luxtronik controller (default: 8889)</description>
</param>
<param field="Mode2" label="Update Interval" width="150px" required="true" default="20">
<description>Data update interval in seconds (recommended: 15-30)</description>
</param>
<param field="Mode3" label="Language" width="150px">
<description>Select interface language</description>
<options>
<option label="English" value="0" default="true"/>
<option label="Polish" value="1"/>
<option label="Dutch" value="2"/>
<option label="German" value="3"/>
<option label="French" value="4"/>
</options>
</param>
<param field="Mode6" label="Debug Level" width="150px">
<description>Select debug categories to enable</description>
<options>
<option label="None" value="0" default="true"/>
<option label="Basic" value="1"/>
<option label="Basic + Device" value="3"/>
<option label="Basic + Connection" value="5"/>
<option label="Basic + Protocol" value="9"/>
<option label="Basic + Data Processing" value="17"/>
<option label="All" value="-1"/>
</options>
</param>
</params>
</plugin>
"""
import Domoticz
import socket
import struct
import time
from translations import Language, TRANSLATIONS
from typing import Dict, List, Optional
# Debug level constants
DEBUG_NONE = 0 # 0000 0000 - No debugging
# 0000 0001 - Basic plugin operations (startup, device creation, etc.)
DEBUG_BASIC = 1
DEBUG_DEVICE = 2 # 0000 0010 - Device updates and state changes
DEBUG_CONN = 4 # 0000 0100 - Connection handling
DEBUG_PROTO = 8 # 0000 1000 - Protocol/message details
DEBUG_DATA = 16 # 0001 0000 - Data parsing and processing
DEBUG_ALL = -1 # 1111 1111 - All debugging enabled
# Device range mappings for descriptions
DEVICE_RANGE_MAPPINGS = {
'Superheat': 'superheat',
'High pressure': 'pressure_high',
'Low pressure': 'pressure_low',
'Hot gas temp': 'hot_gas',
'COP total': 'cop',
'Heating pump speed': 'pump_speed',
'Brine pump speed': 'pump_speed',
'Brine temp diff': 'brine_temp_diff',
'Heating temp diff': 'heating_temp_diff',
}
# Socket command codes for communication with Luxtronik controller
# Each command represents a different type of request to the heat pump
SOCKET_COMMANDS = {
'WRIT_PARAMS': 3002, # Write parameters to the controller
'READ_PARAMS': 3003, # Read parameter values
'READ_CALCUL': 3004, # Read calculated values
'READ_VISIBI': 3005 # Read visibility settings
}
def log_debug(message, level, current_debug_level):
"""
Log debug messages based on debug level using appropriate Domoticz log levels:
- Status: Normal operational messages (blue)
- Debug: Detailed debug information (grey)
- Error: Errors and exceptions (red)
"""
try:
if current_debug_level == DEBUG_NONE:
return
# If DEBUG_ALL is set, log everything as Debug
if current_debug_level == DEBUG_ALL:
Domoticz.Debug(f"[ALL] {message}")
return
# Handle specific debug levels with different Domoticz log types
if level == DEBUG_BASIC and (current_debug_level & DEBUG_BASIC):
# Basic info goes to Status (blue) for better visibility
Domoticz.Status(f"[BASIC] {message}")
elif level == DEBUG_DEVICE and (current_debug_level & DEBUG_DEVICE):
# Device updates go to Status (blue) as they're important operational info
Domoticz.Status(f"[DEVICE] {message}")
elif level == DEBUG_CONN and (current_debug_level & DEBUG_CONN):
# Connection info goes to Debug (grey) as it's more technical
Domoticz.Debug(f"[CONN] {message}")
elif level == DEBUG_PROTO and (current_debug_level & DEBUG_PROTO):
# Protocol details go to Debug (grey) as they're technical details
Domoticz.Debug(f"[PROTO] {message}")
elif level == DEBUG_DATA and (current_debug_level & DEBUG_DATA):
# Data processing goes to Debug (grey) as it's technical detail
Domoticz.Debug(f"[DATA] {message}")
except Exception as e:
# Fallback logging if something goes wrong - use Error level for visibility
Domoticz.Error(f"[INIT] {message} (Logging error: {str(e)})")
class DeviceUpdateTracker:
def __init__(self):
self.last_update_times = {}
self.graph_update_interval = 300 # 5 minutes in seconds
self.device_types = {}
self.type_mapping = {
80: ('Temperature', True),
243: ('Custom', True),
242: ('Custom', True),
244: ('Switch', False)
}
def _check_device_type(self, device) -> bool:
"""Get cached device type information or check and cache if not present.
For Text devices (which typically have Type 243 and SubType 19), mark as non-graphing.
"""
try:
device_id = device.ID
# If the device is a Text device, mark it as non-graphing and return immediately.
if hasattr(device, 'SubType') and device.Type == 243 and device.SubType == 19:
self.device_types[device_id] = False
return False
if device_id not in self.device_types:
# Look up the device type in our mapping.
device_info = self.type_mapping.get(
device.Type, ('Unknown', False))
type_name, is_graphing = device_info
if _plugin.debug_level & DEBUG_DEVICE:
type_info = f"Device {device_id} ({device.Name}) - Type: {device.Type} ({type_name})"
if is_graphing:
type_info += " [Graphing device]"
log_debug(type_info, DEBUG_DEVICE, _plugin.debug_level)
self.device_types[device_id] = is_graphing
return self.device_types[device_id]
except Exception as e:
log_debug(
f"Error checking device type {device.Name}: {str(e)}", DEBUG_DEVICE, _plugin.debug_level)
return False
def _normalize_value(self, value_str: str) -> str:
"""
Normalize a value for comparison.
- If the value is numeric (or contains a numeric portion), return its float value formatted
to the same number of decimal places as in the original string (with at least one decimal).
- Otherwise, return the trimmed (and lowercased) text.
"""
if not value_str:
return ""
# Trim whitespace and use only the first part if a ';' is present.
value_str = value_str.strip()
if ';' in value_str:
value_str = value_str.split(';')[0].strip()
try:
float_value = float(value_str)
# Determine the number of decimals in the original string (at least one)
if '.' in value_str:
decimals = len(value_str.split('.')[1])
decimals = max(decimals, 1)
else:
decimals = 1
return f"{float_value:.{decimals}f}"
except ValueError:
return value_str.lower()
def needs_update(self, device, new_values) -> tuple[bool, str, str]:
"""
Determine if a device needs an update based on its type and new values.
Returns a tuple of:
(needs_update, update_reason, diff_message)
where diff_message details any numeric or text differences.
"""
try:
current_time = time.time()
device_id = device.ID
is_graphing = self._check_device_type(device)
# Get current values from the device.
current_values = {
'nValue': device.nValue,
'sValue': str(device.sValue)
}
values_changed = False
diff_message = ""
# Compare numeric value (nValue) directly.
if 'nValue' in new_values and new_values['nValue'] != current_values['nValue']:
values_changed = True
diff_message += f"nValue: {current_values['nValue']} -> {new_values['nValue']}; "
# Compare sValue using normalized comparison.
if 'sValue' in new_values:
norm_current = self._normalize_value(current_values['sValue'])
norm_new = self._normalize_value(new_values['sValue'])
if norm_current != norm_new:
values_changed = True
diff_message += (f"sValue: {current_values['sValue']} (normalized: {norm_current}) -> "
f"{new_values['sValue']} (normalized: {norm_new})")
if values_changed:
if is_graphing:
self.last_update_times[device_id] = current_time
return True, "Values changed", diff_message
# For graphing devices, force an update after the interval even if values are equal.
if is_graphing:
last_update = self.last_update_times.get(device_id, 0)
time_since_update = current_time - last_update
if time_since_update >= self.graph_update_interval:
self.last_update_times[device_id] = current_time
return True, "Interval update", ""
else:
time_until_update = self.graph_update_interval - time_since_update
return False, f"No changes, next update in {int(time_until_update)}s", ""
else:
return False, "Non-graphing device, no changes", ""
except Exception as e:
log_debug(
f"Failed to check update for {device.Name}: {str(e)}", DEBUG_DEVICE, _plugin.debug_level)
return False, f"Error: {str(e)}", ""
# Read callbacks
def to_float(data_list: list, data_idx: int, divider: float) -> dict:
"""Convert data to float with divider"""
converted = float(data_list[data_idx] / divider)
return {'sValue': str(converted)}
def to_number(data_list: list, data_idx: int, divider: float = 1.0) -> dict:
"""Convert data to number with optional divider"""
converted = float(data_list[data_idx] / divider)
return {'nValue': int(converted)}
def selector_switch_level_mapping(data_list: list, data_idx: int, mapping: list) -> dict:
"""Map data to selector switch levels"""
level = mapping.index(data_list[data_idx]) * 10
return {'nValue': int(level), 'sValue': str(level)}
def to_instant_power(data_list: list, power_data_idx: int, *_args) -> dict:
"""Converts instant power to string for Computed energy meter.
Args:
data_list: List of heat pump data values
power_data_idx: Index of power value in data_list
Returns:
dict: Device update parameters with instant power value
"""
try:
# Handle case where power_data_idx is a list
if isinstance(power_data_idx, list):
power_data_idx = power_data_idx[0]
instant_power = float(data_list[power_data_idx])
return {'sValue': f"{instant_power:.1f}"}
except Exception as e:
log_debug(
f"Error in to_instant_power: {str(e)}", DEBUG_DATA, _plugin.debug_level)
return {'sValue': "0.0"}
def to_instant_power_split(data_list: list, power_data_idx: int, additional_data: list, *_args) -> dict:
"""Splits instant power into heating or hot water based on operating mode.
Args:
data_list: List of heat pump data values
power_data_idx: Index of power value in data_list
additional_data: List containing [state_idx, valid_states]
Returns:
dict: Device update parameters with power value based on operating mode
"""
try:
state_idx, valid_states = additional_data
# Handle case where power_data_idx is a list
if isinstance(power_data_idx, list):
power_data_idx = power_data_idx[0]
instant_power = float(data_list[power_data_idx])
current_state = int(data_list[state_idx])
# Return power value based on state
power = instant_power if current_state in valid_states else 0.0
return {'sValue': f"{power:.1f}"}
except Exception as e:
log_debug(
f"Error in to_instant_power_split: {str(e)}", DEBUG_DATA, _plugin.debug_level)
return {'sValue': "0.0"}
def to_cop_calculator(data_list: list, indices: int, *args) -> dict:
"""Calculates COP based on heat output and power input."""
indices_list = args[0]
heat_output_idx, power_input_idx = indices_list
heat_output = float(data_list[heat_output_idx])
power_input = float(data_list[power_input_idx])
if power_input > 0:
cop = heat_output / power_input
else:
cop = 0
return {'sValue': str(round(cop, 2))}
def to_text_state(data_list: list, data_idx: int, config: list) -> dict:
"""
Converts heat pump state to text status
Args:
data_list: List of data values
data_idx: Index of the mode value in data_list
config: List containing [power_idx, power_threshold]
Returns:
dict: Device update parameters with translated status text
"""
# If param #259 is 1, that means your system is in passive-cooling.
# Return "Cooling" immediately, ignoring the other logic.
if data_list[259] == 1:
return {'nValue': 0, 'sValue': translate('Cooling')}
# Operating modes based on ID_WEB_WP_BZ_akt values
mode_names = {
0: translate('Heating mode'),
1: translate('Hot water mode'),
2: translate('Swimming pool mode / Photovoltaik'),
3: translate('Cooling'),
4: translate('No requirement')
}
power_idx, power_threshold = config
# Get current power consumption
current_power = float(data_list[power_idx])
# Get current mode
current_mode = data_list[data_idx]
# For other modes, if power consumption is below the threshold, return "No requirement".
if current_power <= power_threshold:
return {'nValue': 0, 'sValue': translate('No requirement')}
# Otherwise, map mode to text.
state_text = mode_names.get(current_mode, translate('No requirement'))
return {'nValue': 0, 'sValue': state_text}
def calculate_temp_diff(data_list: list, indices: list, divider: float) -> dict:
"""Calculate temperature difference between two sensors
Args:
data_list: List of all sensor data
indices: List containing [temp1_idx, temp2_idx]
divider: Value to divide readings by (typically 10)
Returns:
dict with calculated difference
"""
# Get temperatures and divide by the divider
temp1 = float(data_list[indices[0]]) / divider
temp2 = float(data_list[indices[1]]) / divider
# Calculate absolute difference
diff = abs(temp1 - temp2)
# Return formatted result
return {'sValue': str(round(diff, 1))}
# Write callbacks
def command_to_number(*_args, Command: str, **_kwargs):
"""Converts command to number."""
return 1 if Command == 'On' else 0
def available_writes_level_with_divider(write_data_list: list, *_args,
available_writes, Level, **_kwargs):
"""Returns available writes based on level and divider."""
divider, available_writes_idx = write_data_list
return available_writes[available_writes_idx].get_val()[int(Level / divider)]
def level_with_divider(divider: float, *_args, Level, **_kwargs):
"""Returns level divided by divider."""
return int(Level / divider)
class Field:
def __init__(self, *args, **kwargs):
if len(args) == len(kwargs) == 0:
self.name = 'Unknown'
self.vales = []
else:
self.name, self.vales = args
def get_name(self):
return self.name
def get_val(self):
return self.vales
class TranslationManager:
"""Manages translations for the plugin"""
def __init__(self, default_language: Language = Language.ENGLISH):
self._default_language = default_language
self._current_language = default_language
self._translations: Dict[str, Dict[Language, str]] = {}
self._ranges: Dict[str, Dict[Language, Dict[str, str]]] = {}
def set_language(self, language: Language) -> None:
"""Set the current language"""
if not isinstance(language, Language):
raise ValueError(
f"Invalid language type: {type(language)}. Expected Language enum.")
self._current_language = language
def add_translation(self, key: str, translations: Dict[Language, str]) -> None:
"""Add a translation entry"""
if not isinstance(key, str):
raise ValueError(
f"Translation key must be string, got {type(key)}")
if not isinstance(translations, dict):
raise ValueError(
f"Translations must be dict, got {type(translations)}")
if Language.ENGLISH not in translations:
translations[Language.ENGLISH] = key
self._translations[key] = translations
def get(self, key: str) -> str:
"""Get translation for the current language"""
if not isinstance(key, str):
return str(key)
if key not in self._translations:
return key
translations = self._translations[key]
if self._current_language not in translations:
return translations.get(self._default_language, key)
return translations[self._current_language]
def add_range(self, key: str, ranges: Dict[Language, Dict[str, str]]) -> None:
"""Add a range entry with validation"""
if not isinstance(key, str):
raise ValueError(f"Range key must be string, got {type(key)}")
if not isinstance(ranges, dict):
raise ValueError(f"Ranges must be dict, got {type(ranges)}")
if Language.ENGLISH not in ranges:
ranges[Language.ENGLISH] = {'description': key}
self._ranges[key] = ranges
def get_range(self, range_key: str) -> str:
"""Get range description for current language with validation"""
if not isinstance(range_key, str):
return ""
if range_key not in self._ranges:
return ""
ranges = self._ranges[range_key]
current_range = ranges.get(
self._current_language, ranges.get(self._default_language, {}))
return current_range.get('description', "")
def bulk_add_translations(self, translations_data: Dict[str, Dict[Language, str]]) -> None:
"""Add multiple translations at once"""
if not isinstance(translations_data, dict):
raise ValueError(
f"Translations data must be dict, got {type(translations_data)}")
for key, translations in translations_data.items():
if key != 'ranges': # Skip ranges key
self.add_translation(key, translations)
def bulk_add_ranges(self, ranges_data: Dict[str, Dict[Language, Dict[str, str]]]) -> None:
"""Add multiple ranges at once"""
if not isinstance(ranges_data, dict):
raise ValueError(
f"Ranges data must be dict, got {type(ranges_data)}")
for key, ranges in ranges_data.items():
self.add_range(key, ranges)
def initialize_debug(self, debug_level: int) -> None:
"""Initialize debug logging after plugin is started"""
# Check translations for all languages
for lang in Language:
missing_translations = []
for key, translations in self._translations.items():
if lang not in translations:
missing_translations.append(key)
if missing_translations:
log_debug(f"Missing {lang.name} translations for keys: {', '.join(missing_translations)}",
DEBUG_BASIC, debug_level)
# Log translation coverage
self._check_translation_coverage(debug_level)
def _check_translation_coverage(self, debug_level: int) -> None:
"""Check and log translation coverage for current language"""
missing_count = 0
total_keys = len(self._translations)
missing_keys = []
for key, translations in self._translations.items():
if self._current_language not in translations:
missing_count += 1
missing_keys.append(key)
if missing_count > 0:
coverage_pct = ((total_keys - missing_count)/total_keys) * 100
log_debug(f"Translation coverage for {self._current_language.name}: "
f"{total_keys - missing_count}/{total_keys} ({coverage_pct:.1f}%)",
DEBUG_BASIC, debug_level)
log_debug(f"Missing translations for: {', '.join(missing_keys)}",
DEBUG_BASIC, debug_level)
class BasePlugin:
def __init__(self):
self.debug_level = DEBUG_NONE
self.active_connection = None
self.name = None
self.host = None
self.port = None
self.devices_parameters_list = []
self.units = {}
self.available_writes = {}
self.dev_lists = {}
self.translation_manager = TranslationManager()
for command in SOCKET_COMMANDS.keys():
self.dev_lists[command] = {}
log_debug("Plugin initialized", DEBUG_BASIC, self.debug_level)
def prepare_devices_list(self):
log_debug("Preparing devices list", DEBUG_BASIC, self.debug_level)
self.available_writes = {
-1: Field(),
1: Field(translate('Temp +-'), [a for a in range(-50, 51, 5)]),
3: Field(translate('Heating mode'), [0, 1, 2, 3, 4]),
4: Field(translate('Hot water mode'), [0, 1, 2, 3, 4]),
105: Field(translate('DHW temp target'), [a for a in range(300, 651, 5)]),
108: Field(translate('Cooling'), [0, 1]),
1052: Field(translate('DHW Power Mode'), [0, 1])
}
# Define selector options as separate lists
heating_mode_options = [
'Automatic',
'2nd heat source',
'Party',
'Holidays',
'Off'
]
self.devices_parameters_list = [
# Heat supply/flow temperature sensor
['READ_CALCUL', 10, (to_float, 10),
dict(TypeName='Temperature', Used=1), translate('Heat supply temp')],
# Return temperature sensor from heating system
['READ_CALCUL', 11, (to_float, 10),
dict(TypeName='Temperature', Used=1), translate('Heat return temp')],
# Calculated target return temperature
['READ_CALCUL', 12, (to_float, 10),
dict(TypeName='Temperature', Used=1), translate('Return temp target')],
# Outside ambient temperature sensor
['READ_CALCUL', 15, (to_float, 10),
dict(TypeName='Temperature', Used=1), translate('Outside temp')],
# Average outside temperature over time
['READ_CALCUL', 16, (to_float, 10),
dict(TypeName='Temperature', Used=0), translate('Outside temp avg')],
# Domestic hot water current temperature
['READ_CALCUL', 17, (to_float, 10),
dict(TypeName='Temperature', Used=1), translate('DHW temp')],
# Domestic hot water target temperature setting
['READ_PARAMS', 105, (to_float, 10),
dict(Type=242, Subtype=1, Used=0), translate('DHW temp target'), (level_with_divider, 1/10)],
# Source inlet temperature (from ground/well)
['READ_CALCUL', 19, (to_float, 10),
dict(TypeName='Temperature', Used=1), translate('WP source in temp')],
# Source outlet temperature (to ground/well)
['READ_CALCUL', 20, (to_float, 10),
dict(TypeName='Temperature', Used=1), translate('WP source out temp')],
# Mixing circuit 1 current temperature
['READ_CALCUL', 21, (to_float, 10),
dict(TypeName='Temperature', Used=0), translate('MC1 temp')],
# Mixing circuit 1 target temperature
['READ_CALCUL', 22, (to_float, 10),
dict(TypeName='Temperature', Used=0), translate('MC1 temp target')],
# Mixing circuit 2 current temperature
['READ_CALCUL', 24, (to_float, 10),
dict(TypeName='Temperature', Used=0), translate('MC2 temp')],
# Mixing circuit 2 target temperature
['READ_CALCUL', 25, (to_float, 10),
dict(TypeName='Temperature', Used=0), translate('MC2 temp target')],
# Heating operation mode selector switch
['READ_PARAMS', 3, (selector_switch_level_mapping, self.available_writes[3].get_val()),
dict(TypeName='Selector Switch', Image=15, Used=1,
Options={'LevelActions': '|' * len(heating_mode_options),
'LevelNames': translate_selector_options(heating_mode_options),
'LevelOffHidden': 'false',
'SelectorStyle': '1'}),
translate('Heating mode'), (available_writes_level_with_divider, [10, 3])],
# Hot water operation mode selector switch
['READ_PARAMS', 4, (selector_switch_level_mapping, self.available_writes[4].get_val()),
dict(TypeName='Selector Switch', Image=15, Used=1,
Options={'LevelActions': '|' * len(heating_mode_options),
'LevelNames': translate_selector_options(heating_mode_options),
'LevelOffHidden': 'false',
'SelectorStyle': '1'}),
translate('Hot water mode'), (available_writes_level_with_divider, [10, 4])],
# Cooling mode enable/disable switch
['READ_PARAMS', 108, [to_number],
dict(TypeName='Switch', Image=16, Used=1), translate('Cooling'), [command_to_number]],
['READ_PARAMS', 1, (to_float, 10),
dict(Type=242, Subtype=1, Used=0,
Options={
"ValueStep": "0.5", # Step increment of 0.5°C
"ValueMin": "-5", # Minimum value of -5°C
"ValueMax": "5", # Maximum value of 5°C
"ValueUnit": "°C" # Unit to display
}
),
translate('Temp +-'), (level_with_divider, 1/10)],
# Current operating mode status text
['READ_CALCUL', 80, (to_text_state, [268, 0.1]),
dict(TypeName='Text', Used=1), translate('Working mode')],
# System flow rate measurement
['READ_CALCUL', 173, (to_float, 1),
dict(TypeName='Custom', Used=1, Options={'Custom': '1;l/h'}), translate('Flow')],
# Compressor frequency/speed
['READ_CALCUL', 231, (to_float, 1),
dict(TypeName='Custom', Used=1, Options={'Custom': '1;Hz'}), translate('Compressor freq')],
# Room temperature sensor reading
['READ_CALCUL', 227, (to_float, 10),
dict(TypeName='Temperature', Used=1), translate('Room temp')],
# Room temperature setpoint
['READ_CALCUL', 228, (to_float, 10),
dict(TypeName='Temperature', Used=0), translate('Room temp target')],
# Total electrical power consumption
['READ_CALCUL', 268, (to_instant_power, [268]),
dict(TypeName='kWh', Used=1, Options={'EnergyMeterMode': '1'}),
translate('Power total')],
# Heating mode electrical power consumption
['READ_CALCUL', 268, (to_instant_power_split, [80, [0]]),
dict(TypeName='kWh', Used=1, Options={'EnergyMeterMode': '1'}),
translate('Power heating')],
# Hot water mode electrical power consumption
['READ_CALCUL', 268, (to_instant_power_split, [80, [1]]),
dict(TypeName='kWh', Used=1, Options={'EnergyMeterMode': '1'}),
translate('Power DHW')],
# Total heat output power
['READ_CALCUL', 257, (to_instant_power, [257]),
dict(TypeName='kWh', Switchtype=4, Image=15,
Used=1, Options={'EnergyMeterMode': '1'}),
translate('Heat out total')],
# Heating mode heat output power
['READ_CALCUL', 257, (to_instant_power_split, [80, [0]]),
dict(TypeName='kWh', Switchtype=4, Image=15,
Used=1, Options={'EnergyMeterMode': '1'}),
translate('Heat out heating')],
# Hot water mode heat output power
['READ_CALCUL', 257, (to_instant_power_split, [80, [1]]),
dict(TypeName='kWh', Switchtype=4, Image=15,
Used=1, Options={'EnergyMeterMode': '1'}),
translate('Heat out DHW')],
# Overall system COP (Coefficient of Performance)
['READ_CALCUL', 257, (to_cop_calculator, [257, 268]),
dict(TypeName='Custom', Used=1, Options={'Custom': '1;COP'}),
translate('COP total')],
# Heating circulation pump speed percentage
['READ_CALCUL', 241, (to_float, 1),
dict(TypeName='Percentage', Used=1), translate('Heating pump speed')],
# Brine/well circulation pump speed percentage
['READ_CALCUL', 183, (to_float, 1),
dict(TypeName='Percentage', Used=1), translate('Brine pump speed')],
# Hot gas temperature monitoring
['READ_CALCUL', 14, (to_float, 10),
dict(TypeName='Temperature', Used=1), translate('Hot gas temp')],
# Compressor suction temperature
['READ_CALCUL', 176, (to_float, 10),
dict(TypeName='Temperature', Used=1), translate('Suction temp')],
# Superheat monitoring
['READ_CALCUL', 178, (to_float, 10),
dict(TypeName='Custom', Used=1, Options={'Custom': '1;K'}), translate('Superheat')],
# High pressure monitoring
['READ_CALCUL', 180, (to_float, 100),
dict(TypeName='Custom', Used=1, Options={'Custom': '1;bar'}), translate('High pressure')],
# Low pressure monitoring
['READ_CALCUL', 181, (to_float, 100),
dict(TypeName='Custom', Used=1, Options={'Custom': '1;bar'}), translate('Low pressure')],
# Brine temperature difference (Source in - Source out)
['READ_CALCUL', [19, 20], (calculate_temp_diff, 10),
dict(TypeName='Custom', Used=1, Options={'Custom': '1;K'}), translate('Brine temp diff')],
# Heating temperature difference (Supply - Return)
['READ_CALCUL', [10, 11], (calculate_temp_diff, 10),
dict(TypeName='Custom', Used=1, Options={'Custom': '1;K'}), translate('Heating temp diff')],
# DHW Power Mode selector switch (0 = Normal, 1 = Luxury)
['READ_PARAMS', 1052, (selector_switch_level_mapping, self.available_writes[1052].get_val()),
dict(TypeName='Selector Switch', Image=15, Used=1,
Options={'LevelActions': '0|10',
'LevelNames': translate_selector_options(['Normal', 'Luxury']),
'LevelOffHidden': 'false',
'SelectorStyle': '1'}),
translate('DHW Power Mode'), (available_writes_level_with_divider, [10, 1052])],
]
class Unit:
def __init__(self, domoticz_id, message, address, read_conversion, dev_params, name, write_conversion=None):
self.id = domoticz_id
self.message = message
self.address = address
self.data_conversion_callback, *self._read_args = read_conversion
self.dev_params = dev_params
self.name = name
if write_conversion is not None:
self.write_conversion_callback, *self._write_args = write_conversion
else:
self.write_conversion_callback = write_conversion
def update_domoticz_dev(self, data_list):
update_device(
Unit=self.id, **self.data_conversion_callback(data_list, self.address, *self._read_args))
def prepare_data_to_send(self, **kwargs):
return ('WRIT_PARAMS', self.address,
self.write_conversion_callback(*self._write_args, **kwargs))
for dev_idx in range(len(self.devices_parameters_list)):
tmp_unit = Unit(
dev_idx + 1, *self.devices_parameters_list[dev_idx])
tmp_unit.dev_params.update(
dict(Name=tmp_unit.name, Unit=tmp_unit.id))
self.units[tmp_unit.name] = tmp_unit
self.dev_lists[tmp_unit.message][tmp_unit.id] = tmp_unit
if tmp_unit.write_conversion_callback is not None:
self.dev_lists['WRIT_PARAMS'][tmp_unit.id] = tmp_unit
def _get_device_description(self, device_name: str) -> str:
"""Get range description for a device if available"""
try:
# Look up the range key for this device
range_key = DEVICE_RANGE_MAPPINGS.get(device_name)
if range_key:
return self.translation_manager.get_range(range_key)
except Exception as e:
log_debug(
f"Error getting description for {device_name}: {str(e)}", DEBUG_DEVICE, self.debug_level)
return None
def create_devices(self):
"""Create or update devices with proper description handling and debug logging"""
log_debug("Starting device creation process",
DEBUG_BASIC, self.debug_level)
# Prepare the device list
log_debug("Preparing device list", DEBUG_DEVICE, self.debug_level)
self.prepare_devices_list()
# Log total number of devices to process
total_devices = len(self.units)
log_debug(f"Processing {total_devices} devices",
DEBUG_DEVICE, self.debug_level)
devices_created = 0
devices_updated = 0
for unit in self.units.values():
try:
# Get description if available for this device
description = self._get_device_description(unit.name)
if description:
unit.dev_params['Description'] = description
if unit.id not in Devices:
# Log device creation with parameters if debug is enabled
if self.debug_level & DEBUG_DEVICE:
param_info = {k: v for k, v in unit.dev_params.items()
if k in ['TypeName', 'Options', 'Switchtype', 'Image']}
log_debug(
f"Creating device {unit.id} ({unit.name}) with parameters: {param_info}", DEBUG_DEVICE, self.debug_level)
Domoticz.Device(**unit.dev_params).Create()
devices_created += 1
else:
# Updating existing device
update_params = unit.dev_params.copy()
# Don't change Used flag which can be set by user
update_params.pop('Used', None)
if self.debug_level & DEBUG_DEVICE:
log_debug(
f"Updating device {unit.id} ({unit.name})", DEBUG_DEVICE, self.debug_level)
update_device(**update_params)
devices_updated += 1
except Exception as e:
error_msg = f"Error processing device {unit.name} (ID: {unit.id}): {str(e)}"
log_debug(error_msg, DEBUG_DEVICE, self.debug_level)
Domoticz.Error(error_msg)
# Log summary of device creation/update process
log_debug(
f"Device creation complete - Created: {devices_created}, Updated: {devices_updated}, Total: {total_devices}", DEBUG_BASIC, self.debug_level)
def initialize_connection(self):
"""Initialize socket connection with logging"""
try:
self.active_connection = socket.socket(
socket.AF_INET, socket.SOCK_STREAM)
self.active_connection.settimeout(5)
self.active_connection.connect((self.host, int(self.port)))
if self.debug_level == DEBUG_ALL:
log_debug(f"Connected to {self.host}:{self.port} (Local: {self.active_connection.getsockname()})",
DEBUG_CONN, self.debug_level)
return True
except Exception as e:
error_msg = f"Connection failed to {self.host}:{self.port}: {str(e)}"
log_debug(error_msg, DEBUG_CONN, self.debug_level)
Domoticz.Error(error_msg)
if hasattr(self, 'active_connection') and self.active_connection:
self.active_connection.close()
self.active_connection = None
return False
def send_message(self, command, address, value):
"""Send message to heat pump with logging"""
try:
if self.debug_level == DEBUG_ALL:
log_debug(f"Sending {list(SOCKET_COMMANDS.keys())[list(SOCKET_COMMANDS.values()).index(command)]} command",
DEBUG_PROTO, self.debug_level)
# Send command and address
self.active_connection.send(struct.pack('!i', command))
self.active_connection.send(struct.pack('!i', address))
# Handle write parameters
if command == SOCKET_COMMANDS['WRIT_PARAMS']:
self.active_connection.send(struct.pack('!i', value))
# Verify command echo
received_command = struct.unpack(
'!i', self.active_connection.recv(4))[0]
if received_command != command:
raise Exception(
f"Command verification failed: sent {command}, received {received_command}")
# Process response based on command type
length = stat = 0
data_list = []
if command == SOCKET_COMMANDS['READ_PARAMS']:
length = struct.unpack('!i', self.active_connection.recv(4))[0]
elif command == SOCKET_COMMANDS['READ_CALCUL']:
stat = struct.unpack('!i', self.active_connection.recv(4))[0]
length = struct.unpack('!i', self.active_connection.recv(4))[0]
# Read data if expected
if length > 0:
data_list = [struct.unpack('!i', self.active_connection.recv(4))[
0] for _ in range(length)]
return command, stat, length, data_list
except Exception as e:
error_msg = f"Message send failed: {str(e)}"
log_debug(error_msg, DEBUG_PROTO, self.debug_level)
Domoticz.Error(error_msg)
return None
def process_socket_message(self, command='READ_PARAMS', address=0, value=0):
"""Process socket messages with logging"""
try:
# Validate command and parameters
if command not in SOCKET_COMMANDS:
raise ValueError(f"Invalid command: {command}")
if command == 'WRIT_PARAMS':
if value not in self.available_writes[address].get_val():
raise ValueError(
f"Invalid value for {self.available_writes[address].get_name()}: {value}")
else:
address = value = 0
# Attempt communication with retries
for attempt in range(2):
try:
if self.initialize_connection():
result = self.send_message(
SOCKET_COMMANDS[command], address, value)
if result: