我想在我的笔记本电脑和模块之间进行通信。为此,我创建了一个python文件,它将向UART发送一些包,UART必须读取这些包。
我有一个创建数据包的python脚本(笔记本电脑):
SOF= '24'
SEND_PLAINTEXT= '72'
SEND_KEY ='73'
RECEIVE_CIPHERTEXT='74'
SIZE_OF_FRAME= '10'
for a in range (0,1):
line_array=lines[a]
plaintxt_16b=line_array[0:32]
plaintext= '24'+'72'+'32'+plaintxt_16b
ser.write (plaintext.encode())
最后一个包是
247232ccddeeff8899aabb4455667700112233
UART使用c中的这些代码行读取数据包:
uint8_t rx_buffer[38];
int rx_length = dev_uart_ptr->uart_read(rx_buffer, 38);
if (rx_length <38)
{
printf( rx_buffer);
}
我只需要读前两个数字,以测试它是否是帧的开始。因此,我更改了代码:
uint8_t rx_buffer[2];
int rx_length = dev_uart_ptr->uart_read(rx_buffer,2);
if (rx_length <2)
{
printf( rx_buffer);
}
问题是显示的数字是
33
,尽管我想读24
,但如果您能帮助我,我将不胜感激。 最佳答案
这一行似乎是从右向左执行的。所以缓冲区中的第一件事是plaintext= '24'+'72'+'32'+plaintxt_16b
,然后是其余的。
数据包中字节的顺序也是从右到左。所以第一个字节(索引plaintxt_16b
)是247232ccddeeff8899aabb4455667700112233
18.| 17.| 16.| 15.| 14.| 13.| 12.| 11.| 10.| 9. | 8. | 7. | 6. | 5. | 4. | 3. | 2. | 1. | 0.
---------------------------------------------------------------------------------------------
24 | 72 | 32 | cc | dd | ee | ff | 88 | 99 | aa | bb | 44 | 55 | 66 | 77 | 00 | 11 | 22 | 33
请尝试以下操作:
plaintext= plaintxt_16b + '32' + '72' + '24'
保持UART代码不变。
关于python - 如何只读取前两个数字? python + UART,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/40804569/