user108459
user108459

Reputation:

Receiving 16-bit integers in Python

I'm reading 16-bit integers from a piece of hardware over the serial port.

Using Python, how can I get the LSB and MSB right, and make Python understand that it is a 16 bit signed integer I'm fiddling with, and not just two bytes of data?

Upvotes: 12

Views: 19133

Answers (1)

ASk
ASk

Reputation: 4187

Try using the struct module:

import struct
# read 2 bytes from hardware as a string
s = hardware.readbytes(2)
# h means signed short
# < means "little-endian, standard size (16 bit)"
# > means "big-endian, standard size (16 bit)"
value = struct.unpack("<h", s) # hardware returns little-endian
value = struct.unpack(">h", s) # hardware returns big-endian

Upvotes: 25

Related Questions