Skip to content

Commit e3c17c8

Browse files
authoredJan 16, 2024
Allow configuration of modbus device address ("unit") and used write command (tjhowse#50)
* ✨ allow configuration of modbus device address and used write command * ✅ adjust tests to work with new modbus_interface arguments * 🚨 fix some flake8 warnings for modbus_interface.py * ✅ add unit tests for multi WriteMode * 📝 add device_address and write_mode options to the readme
1 parent c02482f commit e3c17c8

File tree

5 files changed

+81
-23
lines changed

5 files changed

+81
-23
lines changed
 

‎README.md

+2
Original file line numberDiff line numberDiff line change
@@ -61,9 +61,11 @@ word_order: highlow
6161
| ---------- | -------- | ------- | ----------- |
6262
| ip | Required | N/A | The IP address of the modbus device to be polled. Presently only modbus TCP/IP is supported. |
6363
| port | Optional | 502 | The port on the modbus device to connect to. |
64+
| device_address | Optional | 1 | The modbus device address ("unit") of the target device |
6465
| update_rate | Optional | 5 | The number of seconds between polls of the modbus device. |
6566
| address_offset | Optional | 0 | This offset is applied to every register address to accommodate different Modbus addressing systems. In many Modbus devices the first register is enumerated as 1, other times 0. See section 4.4 of the Modbus spec. |
6667
| variant | Optional | 'tcp' | Allows modbus variants to be specified. See below list for supported variants. |
68+
| write_mode | Optional | 'single' | Which modbus write function code to use `single` for `06` or `multi` for `16` |
6769
| scan_batching | Optional | 100 | Must be between 1 and 100 inclusive. Modbus read operations are more efficient in bigger batches of contiguous registers, but different devices have different limits on the size of the batched reads. This setting can also be helpful when building a modbus register map for an uncharted device. In some modbus devices a single invalid register in a read range will fail the entire read operation. By setting `scan_batching` to `1` each register will be scanned individually. This will be very inefficient and should not be used in production as it will saturate the link with many read operations. |
6870
| word_order | Optional | 'highlow' | Must be either `highlow` or `lowhigh`. This determines how multi-word values are interpreted. `highlow` means a 32-bit number at address 1 will have its high two bytes stored in register 1, and its low two bytes stored in register 2. The default is typically correct, as modbus has a big-endian memory structure, but this is not universal. |
6971

‎modbus4mqtt/modbus4mqtt.py

+10-3
Original file line numberDiff line numberDiff line change
@@ -47,9 +47,16 @@ def connect_modbus(self):
4747
else:
4848
word_order = modbus_interface.WordOrder.HighLow
4949

50-
self._mb = modbus_interface.modbus_interface(self.config['ip'],
51-
self.config.get('port', 502),
52-
self.config.get('update_rate', 5),
50+
if self.config.get('write_mode', 'single').lower() == 'multi':
51+
write_mode = modbus_interface.WriteMode.Multi
52+
else:
53+
write_mode = modbus_interface.WriteMode.Single
54+
55+
self._mb = modbus_interface.modbus_interface(ip=self.config['ip'],
56+
port=self.config.get('port', 502),
57+
update_rate_s=self.config.get('update_rate', 5),
58+
device_address=self.config.get('device_address', 0x01),
59+
write_mode=write_mode,
5360
variant=self.config.get('variant', None),
5461
scan_batching=self.config.get('scan_batching', None),
5562
word_order=word_order)

‎modbus4mqtt/modbus_interface.py

+39-11
Original file line numberDiff line numberDiff line change
@@ -23,13 +23,29 @@
2323
DEFAULT_WRITE_SLEEP_S = 0.05
2424
DEFAULT_READ_SLEEP_S = 0.05
2525

26+
2627
class WordOrder(Enum):
2728
HighLow = 1
2829
LowHigh = 2
2930

31+
32+
class WriteMode(Enum):
33+
Single = 1
34+
Multi = 2
35+
36+
3037
class modbus_interface():
3138

32-
def __init__(self, ip, port=502, update_rate_s=DEFAULT_SCAN_RATE_S, variant=None, scan_batching=None, word_order=WordOrder.HighLow):
39+
def __init__(self,
40+
ip,
41+
port=502,
42+
update_rate_s=DEFAULT_SCAN_RATE_S,
43+
device_address=0x01,
44+
write_mode=WriteMode.Single,
45+
variant=None,
46+
scan_batching=None,
47+
word_order=WordOrder.HighLow
48+
):
3349
self._ip = ip
3450
self._port = port
3551
# This is a dict of sets. Each key represents one table of modbus registers.
@@ -41,6 +57,8 @@ def __init__(self, ip, port=502, update_rate_s=DEFAULT_SCAN_RATE_S, variant=None
4157

4258
self._planned_writes = Queue()
4359
self._writing = False
60+
self._write_mode = write_mode
61+
self._unit = device_address
4462
self._variant = variant
4563
self._scan_batching = DEFAULT_SCAN_BATCHING
4664
self._word_order = word_order
@@ -135,7 +153,7 @@ def get_value(self, table, addr, type='uint16'):
135153
data = self._values[table][addr + i]
136154
else:
137155
data = self._values[table][addr + (type_len-i-1)]
138-
value += data.to_bytes(2,'big')
156+
value += data.to_bytes(2, 'big')
139157
value = _convert_from_bytes_to_type(value, type)
140158
return value
141159

@@ -158,6 +176,12 @@ def set_value(self, table, addr, value, mask=0xFFFF, type='uint16'):
158176

159177
self._process_writes()
160178

179+
def _perform_write(self, addr, value):
180+
if self._write_mode == WriteMode.Single:
181+
self._mb.write_register(addr, value, unit=self._unit)
182+
else:
183+
self._mb.write_registers(addr, [value], unit=self._unit)
184+
161185
def _process_writes(self, max_block_s=DEFAULT_WRITE_BLOCK_INTERVAL_S):
162186
# TODO I am not entirely happy with this system. It's supposed to prevent
163187
# anything overwhelming the modbus interface with a heap of rapid writes,
@@ -171,7 +195,7 @@ def _process_writes(self, max_block_s=DEFAULT_WRITE_BLOCK_INTERVAL_S):
171195
while not self._planned_writes.empty() and (time() - write_start_time) < max_block_s:
172196
addr, value, mask = self._planned_writes.get()
173197
if mask == 0xFFFF:
174-
self._mb.write_register(addr, value, unit=0x01)
198+
self._perform_write(addr, value)
175199
else:
176200
# https://pymodbus.readthedocs.io/en/latest/source/library/pymodbus.client.html?highlight=mask_write_register#pymodbus.client.common.ModbusClientMixin.mask_write_register
177201
# https://www.mathworks.com/help/instrument/modify-the-contents-of-a-holding-register-using-a-mask-write.html
@@ -184,10 +208,10 @@ def _process_writes(self, max_block_s=DEFAULT_WRITE_BLOCK_INTERVAL_S):
184208
# result = self._mb.mask_write_register(address=addr, and_mask=(1<<16)-1-mask, or_mask=value, unit=0x01)
185209
# print("Result: {}".format(result))
186210
old_value = self._scan_value_range('holding', addr, 1)[0]
187-
and_mask = (1<<16)-1-mask
211+
and_mask = (1 << 16) - 1 - mask
188212
or_mask = value
189213
new_value = (old_value & and_mask) | (or_mask & (mask))
190-
self._mb.write_register(addr, new_value, unit=0x01)
214+
self._perform_write(addr, new_value)
191215
sleep(DEFAULT_WRITE_SLEEP_S)
192216
except Exception as e:
193217
# BUG catch only the specific exception that means pymodbus failed to write to a register
@@ -199,15 +223,16 @@ def _process_writes(self, max_block_s=DEFAULT_WRITE_BLOCK_INTERVAL_S):
199223
def _scan_value_range(self, table, start, count):
200224
result = None
201225
if table == 'input':
202-
result = self._mb.read_input_registers(start, count, unit=0x01)
226+
result = self._mb.read_input_registers(start, count, unit=self._unit)
203227
elif table == 'holding':
204-
result = self._mb.read_holding_registers(start, count, unit=0x01)
228+
result = self._mb.read_holding_registers(start, count, unit=self._unit)
205229
try:
206230
return result.registers
207231
except:
208232
# The result doesn't have a registers attribute, something has gone wrong!
209233
raise ValueError("Failed to read {} {} table registers starting from {}: {}".format(count, table, start, result))
210234

235+
211236
def type_length(type):
212237
# Return the number of addresses needed for the type.
213238
# Note: Each address provides 2 bytes of data.
@@ -217,24 +242,27 @@ def type_length(type):
217242
return 2
218243
elif type in ['int64', 'uint64']:
219244
return 4
220-
raise ValueError ("Unsupported type {}".format(type))
245+
raise ValueError("Unsupported type {}".format(type))
246+
221247

222248
def type_signed(type):
223249
# Returns whether the provided type is signed
224250
if type in ['uint16', 'uint32', 'uint64']:
225251
return False
226252
elif type in ['int16', 'int32', 'int64']:
227253
return True
228-
raise ValueError ("Unsupported type {}".format(type))
254+
raise ValueError("Unsupported type {}".format(type))
255+
229256

230257
def _convert_from_bytes_to_type(value, type):
231258
type = type.strip().lower()
232259
signed = type_signed(type)
233-
return int.from_bytes(value,byteorder='big',signed=signed)
260+
return int.from_bytes(value, byteorder='big', signed=signed)
261+
234262

235263
def _convert_from_type_to_bytes(value, type):
236264
type = type.strip().lower()
237265
signed = type_signed(type)
238266
# This can throw an OverflowError in various conditons. This will usually
239267
# percolate upwards and spit out an exception from on_message.
240-
return int(value).to_bytes(type_length(type)*2,byteorder='big',signed=signed)
268+
return int(value).to_bytes(type_length(type) * 2, byteorder='big', signed=signed)

‎tests/test_modbus.py

+15-6
Original file line numberDiff line numberDiff line change
@@ -37,6 +37,10 @@ def read_holding_registers(self, start, count, unit):
3737
def write_holding_register(self, address, value, unit):
3838
self.holding_registers.registers[address] = value
3939

40+
def write_holding_registers(self, address, values, unit):
41+
self.assertEquals(len(values), 1)
42+
self.holding_registers.registers[address] = values[0]
43+
4044
def connect_success(self):
4145
return False
4246

@@ -51,7 +55,7 @@ def perform_variant_test(self, mock_modbus, variant, expected_framer):
5155
mock_modbus().read_input_registers.side_effect = self.read_input_registers
5256
mock_modbus().read_holding_registers.side_effect = self.read_holding_registers
5357

54-
m = modbus_interface.modbus_interface('1.1.1.1', 111, 2, variant)
58+
m = modbus_interface.modbus_interface(ip='1.1.1.1', port=111, variant=variant)
5559
m.connect()
5660
mock_modbus.assert_called_with('1.1.1.1', 111, RetryOnEmpty=True, framer=expected_framer, retries=1, timeout=1)
5761

@@ -64,10 +68,10 @@ def test_connection_variants(self):
6468
self.perform_variant_test(mock_modbus, 'udp', modbus_interface.ModbusSocketFramer)
6569
self.perform_variant_test(mock_modbus, 'binary-over-udp', modbus_interface.ModbusBinaryFramer)
6670

67-
m = modbus_interface.modbus_interface('1.1.1.1', 111, 2, 'notexisiting')
71+
m = modbus_interface.modbus_interface(ip='1.1.1.1', port=111, variant='notexisiting')
6872
self.assertRaises(ValueError, m.connect)
6973

70-
m = modbus_interface.modbus_interface('1.1.1.1', 111, 2, 'notexisiting-over-tcp')
74+
m = modbus_interface.modbus_interface(ip='1.1.1.1', port=111, variant='notexisiting-over-tcp')
7175
self.assertRaises(ValueError, m.connect)
7276

7377
def test_connect(self):
@@ -76,7 +80,7 @@ def test_connect(self):
7680
mock_modbus().read_input_registers.side_effect = self.read_input_registers
7781
mock_modbus().read_holding_registers.side_effect = self.read_holding_registers
7882

79-
m = modbus_interface.modbus_interface('1.1.1.1', 111, 2)
83+
m = modbus_interface.modbus_interface(ip='1.1.1.1', port=111)
8084
m.connect()
8185
mock_modbus.assert_called_with('1.1.1.1', 111, RetryOnEmpty=True, framer=modbus_interface.ModbusSocketFramer, retries=1, timeout=1)
8286

@@ -341,13 +345,14 @@ def test_multi_byte_write_counts_LowHigh_order(self):
341345
mock_modbus().write_register.assert_any_call(4, int.from_bytes(b'\x4B\xD6','big'), unit=1)
342346
mock_modbus().reset_mock()
343347

344-
def test_multi_byte_read_write_values(self):
348+
def perform_multi_byte_read_write_values_test(self, write_mode):
345349
with patch('modbus4mqtt.modbus_interface.ModbusTcpClient') as mock_modbus:
346350
mock_modbus().connect.side_effect = self.connect_success
347351
mock_modbus().read_holding_registers.side_effect = self.read_holding_registers
348352
mock_modbus().write_register.side_effect = self.write_holding_register
353+
mock_modbus().write_registers.side_effect = self.write_holding_registers
349354

350-
m = modbus_interface.modbus_interface('1.1.1.1', 111, 2, scan_batching=1)
355+
m = modbus_interface.modbus_interface('1.1.1.1', 111, 2, scan_batching=1, write_mode=write_mode)
351356
m.connect()
352357
mock_modbus.assert_called_with('1.1.1.1', 111, RetryOnEmpty=True, framer=modbus_interface.ModbusSocketFramer, retries=1, timeout=1)
353358

@@ -378,6 +383,10 @@ def test_multi_byte_read_write_values(self):
378383
# Read the value out as a different type.
379384
self.assertEqual(m.get_value('holding', 1, 'int64'), -170869853354175)
380385

386+
def test_multi_byte_read_write_values(self):
387+
self.perform_multi_byte_read_write_values_test(modbus_interface.WriteMode.Single)
388+
self.perform_multi_byte_read_write_values_test(modbus_interface.WriteMode.Multi)
389+
381390
def test_multi_byte_read_write_values_LowHigh(self):
382391
with patch('modbus4mqtt.modbus_interface.ModbusTcpClient') as mock_modbus:
383392
mock_modbus().connect.side_effect = self.connect_success

‎tests/test_mqtt.py

+15-3
Original file line numberDiff line numberDiff line change
@@ -490,6 +490,18 @@ def test_register_validation(self):
490490
if not fail:
491491
self.fail("Didn't throw an exception checking an invalid register configuration")
492492

493+
def assert_modbus_call(self, mock_modbus, word_order=modbus4mqtt.modbus_interface.WordOrder.HighLow):
494+
mock_modbus.assert_any_call(
495+
ip='192.168.1.90',
496+
port=502,
497+
update_rate_s=5,
498+
device_address=1,
499+
write_mode=modbus4mqtt.modbus_interface.WriteMode.Single,
500+
variant=None,
501+
scan_batching=None,
502+
word_order=word_order
503+
)
504+
493505
def test_word_order_setting(self):
494506
with patch('paho.mqtt.client.Client') as mock_mqtt:
495507
with patch('modbus4mqtt.modbus_interface.modbus_interface') as mock_modbus:
@@ -500,7 +512,7 @@ def test_word_order_setting(self):
500512
# Default value
501513
m = modbus4mqtt.mqtt_interface('kroopit', 1885, 'brengis', 'pranto', './tests/test_type.yaml', MQTT_TOPIC_PREFIX)
502514
m.connect()
503-
mock_modbus.assert_any_call('192.168.1.90', 502, 5, scan_batching=None, variant=None, word_order=modbus4mqtt.modbus_interface.WordOrder.HighLow)
515+
self.assert_modbus_call(mock_modbus)
504516

505517
with patch('paho.mqtt.client.Client') as mock_mqtt:
506518
with patch('modbus4mqtt.modbus_interface.modbus_interface') as mock_modbus:
@@ -511,7 +523,7 @@ def test_word_order_setting(self):
511523
# Explicit HighLow
512524
m = modbus4mqtt.mqtt_interface('kroopit', 1885, 'brengis', 'pranto', './tests/test_word_order.yaml', MQTT_TOPIC_PREFIX)
513525
m.connect()
514-
mock_modbus.assert_any_call('192.168.1.90', 502, 5, scan_batching=None, variant=None, word_order=modbus4mqtt.modbus_interface.WordOrder.HighLow)
526+
self.assert_modbus_call(mock_modbus)
515527

516528
with patch('paho.mqtt.client.Client') as mock_mqtt:
517529
with patch('modbus4mqtt.modbus_interface.modbus_interface') as mock_modbus:
@@ -522,7 +534,7 @@ def test_word_order_setting(self):
522534
# Explicit HighLow
523535
m = modbus4mqtt.mqtt_interface('kroopit', 1885, 'brengis', 'pranto', './tests/test_word_order_low_high.yaml', MQTT_TOPIC_PREFIX)
524536
m.connect()
525-
mock_modbus.assert_any_call('192.168.1.90', 502, 5, scan_batching=None, variant=None, word_order=modbus4mqtt.modbus_interface.WordOrder.LowHigh)
537+
self.assert_modbus_call(mock_modbus, modbus4mqtt.modbus_interface.WordOrder.LowHigh)
526538

527539

528540
if __name__ == "__main__":

0 commit comments

Comments
 (0)
Please sign in to comment.