串口数据

时间:2017-12-01 21:00:02

标签: python raspberry-pi serial-port usb pyserial

我试图在Raspberry上使用pyserial从USB接口读取绝对编码器中的数据。编码器的数据表如下。 USB接口数据在第22-23页

https://www.rls.si/eng/fileuploader/download/download/?d=0&file=custom%2Fupload%2FData-sheet-AksIM-offaxis-rotary-absolute-encoder.pdf

我已成功连接到编码器,我可以使用

发送命令
port = serial.Serial("/dev/serial/by-id/usb-RLS_Merilna_tehnkis_AksIM_encoder_3454353-if00")

port.write(b"x")

其中x是为USB接口列出的任何可用命令。

例如,port.write(b"1")旨在发起单个位置请求。我可以用

打印编码器的输出
x = port.read()

print(x)

问题是将输出转换为实际的位置数据。 port.write(b"1")输出以下数据:

b'\xea\xd0\x05\x00\x00\x00\xef'

我知道第一个和最后一个字节只是页眉和页脚。字节5和6是编码器状态。字节2-4是实际位置数据。客户支持告诉我,我需要取字节2到4,将它们转换为32位无符号整数(转换为低3字节),转换为浮点数,除以0xFF FF FF,乘以360.结果是度。

我不确定如何做到这一点。有人可以让我知道我需要编写的python prgramming /函数才能做到这一点。谢谢。

2 个答案:

答案 0 :(得分:1)

您必须使用内置from_bytes()方法:

x = b'\xea\xd0\x05\x00\x00\x00\xef'

number = 360 * float(
    int.from_bytes(x[1:4], 'big')  # get integer from bytes
) / 0xffffff

print(number)

将打印:

292.5274832563092

答案 1 :(得分:0)

这是提取字节并将它们转换为整数并按浮点缩放的方法:

x = b'\xea\xd0\x05\x00\x00\x00\xef'

print(x)

int_value = 0   # initialise shift register
for index in range(1,4):
    int_value *= 256          # shift up by 8 bits
    int_value += x[index]     # or in the next byte
print(int_value)

# scale the integer against the max value
float_value = 360 * float(int_value) / 0xffffff
print(float_value)

输出:

b'\xea\xd0\x05\x00\x00\x00\xef'
13632768
292.5274832563092