我正在从一个从XBEE收音机接收数据的项目上工作。数据有不同的字符串...我终于找到了提取实际信息的方法,但我真的认为必须有一种更好的方法将数据转换为可用的形式。
以下是一个框架示例:
{'analog_ch_mask': '\x18', 'first_sample': '\x03Q', 'number_samples': '\x01',
'options': '\xc1', 'addr_short': '\xff\xfe',
'address_low': '@c{!', 'digital_ch_mask': '\x00\x00',
'address_high': '\x00\x13\xa2\x00', 'second_sample': '\x00\xca', 'id': 'io_sample_rx'}
我遇到的问题是数据的格式化,以下是我的工作。
# Extract the characters and join them together.
sample_data = ''.join("{:02X}".format(ord(c)) for c in item['key'])
print(sample_data)
print type(sample_data) # is a string
# Convert the hex string into an integer
sample_data = int(sample_data, 16)
print(sample_data)
print type(sample_data) # is an integer
# Try converting to hex string just for fun
sample_data = hex(sample_data)
print(sample_data)
print type(sample_data) # is a string
我喜欢这适用于ascii数据以及转义十六进制字符串。但是,不应该有更直接的方法来进行这些操作吗?我尝试使用解压缩,但是我遇到了错误。
干杯。
答案 0 :(得分:2)
尝试使用struct
模块进行解包:
import struct
frame = {'analog_ch_mask': '\x18', 'first_sample': '\x03Q', 'number_samples': '\x01',
'options': '\xc1', 'addr_short': '\xff\xfe',
'address_low': '@c{!', 'digital_ch_mask': '\x00\x00',
'address_high': '\x00\x13\xa2\x00', 'second_sample': '\x00\xca', 'id': 'io_sample_rx'}
print 'analog_ch_mask: %s' % struct.unpack('>B', frame['analog_ch_mask'])[0]
print 'first_sample: %s' % struct.unpack('>H', frame['first_sample'])[0]
print 'number_samples: %s' % struct.unpack('>B', frame['number_samples'])[0]
print 'options: %s' % struct.unpack('>B', frame['options'])[0]
print 'addr_short: %s' % struct.unpack('>H', frame['addr_short'])[0]
print 'address_low: %s' % struct.unpack('>I', frame['address_low'])[0]
print 'digital_ch_mask: %s' % struct.unpack('>H', frame['digital_ch_mask'])[0]
print 'address_high: %s' % struct.unpack('>I', frame['address_high'])[0]
print 'second_sample: %s' % struct.unpack('>H', frame['second_sample'])[0]
print 'id: %s' % frame['id']
此处>B
,>H
和>I
格式分别使用unsigned char (1 byte)
,unsigned short (2 bytes)
,unsigned int (4 bytes)
的大端字节顺序。
输出结果为:
analog_ch_mask: 24
first_sample: 849
number_samples: 1
options: 193
addr_short: 65534
address_low: 1080261409
digital_ch_mask: 0
address_high: 1286656
second_sample: 202
id: io_sample_rx
P.S。可能需要其他字节序。