在从 int 到 bytes 的转换过程中结果存在差异,反之亦然 python3
discrepancy in results during conversion from int to bytes and vice versa provides in python3
我在 venv
中使用 python3.4
。
我正在为传感器编写脚本,在读取配置文件后,我需要将 int
发送到 bytearray
中的串口
class 函数的一个片段是:
def set_sampling(self, type, sampling_us):
conf_buffer = bytearray([0xfe, 0x06])
if type not in self.sensor_ids:
print('Sensor not identified')
else:
conf_buffer.append(self.sensor_ids[type])
conf_buffer.append(0x02)
if (sampling_us > 0):
print(sampling_us)
sampling_bytes = (sampling_us).to_bytes(4, 'little')
conf_buffer += sampling_bytes
self.send_frame(conf_buffer)
self.enable(type)
帧结构是0xf6 0x06 sensor_id 0x02 sampling_us
,其中sampling_us
应该是小端格式
我目前 sampling_us
为 1000000(等于 1 秒)
当我在解释器中执行以下操作时:
>>> (1000000).to_bytes(4, 'little')
提供的结果是:
>>> b'@B\x0f\x00'
但是我用传感器脚本进行了交叉检查,其中 1000000 的字节实际上是 b'\x40\x42\x0f\x00'
我通过执行以下操作撤销了检查:
>>> int.from_bytes(b'\x40\x42\x0f\x00', 'little')
>>> 1000000
正确的字节实际上是 b'\x40\x42\x0f\x00'
,因为如果发送给它的字节数组是 b'@B\x0f\x00'
,传感器不会响应
为什么我这里会出现差异?我在这里做错了什么?
如果你这样做
>>> b'\x40\x42\x0f\x00' == b'@B\x0f\x00'
True
您会发现没有差异,您只是在查看同一字节串的两种不同表示形式。在 b'...'
表示法中,Python 的默认表示是任何可打印的 ascii 字符都显示为该字符而不是 \x
转义字符。
我在 venv
中使用 python3.4
。
我正在为传感器编写脚本,在读取配置文件后,我需要将 int
发送到 bytearray
class 函数的一个片段是:
def set_sampling(self, type, sampling_us):
conf_buffer = bytearray([0xfe, 0x06])
if type not in self.sensor_ids:
print('Sensor not identified')
else:
conf_buffer.append(self.sensor_ids[type])
conf_buffer.append(0x02)
if (sampling_us > 0):
print(sampling_us)
sampling_bytes = (sampling_us).to_bytes(4, 'little')
conf_buffer += sampling_bytes
self.send_frame(conf_buffer)
self.enable(type)
帧结构是0xf6 0x06 sensor_id 0x02 sampling_us
,其中sampling_us
应该是小端格式
我目前 sampling_us
为 1000000(等于 1 秒)
当我在解释器中执行以下操作时:
>>> (1000000).to_bytes(4, 'little')
提供的结果是:
>>> b'@B\x0f\x00'
但是我用传感器脚本进行了交叉检查,其中 1000000 的字节实际上是 b'\x40\x42\x0f\x00'
我通过执行以下操作撤销了检查:
>>> int.from_bytes(b'\x40\x42\x0f\x00', 'little')
>>> 1000000
正确的字节实际上是 b'\x40\x42\x0f\x00'
,因为如果发送给它的字节数组是 b'@B\x0f\x00'
为什么我这里会出现差异?我在这里做错了什么?
如果你这样做
>>> b'\x40\x42\x0f\x00' == b'@B\x0f\x00'
True
您会发现没有差异,您只是在查看同一字节串的两种不同表示形式。在 b'...'
表示法中,Python 的默认表示是任何可打印的 ascii 字符都显示为该字符而不是 \x
转义字符。