Python получает серийные данные - PullRequest
0 голосов
/ 10 мая 2018

Я пытаюсь отправить сообщение из Python 3.6 в Arduino, и Arduino должен ответить.

В данный момент я могу отправить на Arduino, и он отвечает, но вместо полного сообщения я получаю 1 байт.

Код Arduino:

byte FullResponse[] = {0xA1, 0xA3, 0xA4, 0x3B, 0x1F, 0xB4, 0x1F, 0x74, 0x19, 
0x79, 0x44, 0x9C, 0x1F, 0xD4, 0x4A, 0xC0};
byte SerialBuf[11] = {0,0,0,0,0,0,0,0,0,0,0};
int i = 0;

void setup() {
  Serial.begin(115200);
}

void loop() {
//Reads values from the Serial port, if there are any
  for(int i=0; i<=10; i++){
    while(!Serial.available());
    SerialBuf[i] = Serial.read();
  }

//Sends the full response back if EF is the 8th byte
  if(SerialBuf[8] == 0xEF){
     Serial.write(FullResponse, sizeof(FullResponse));
     SerialBuf[8] = 15;
  }
}

Код Python:

## import the serial library
import serial
import time

Response = []
FullResponse = bytes([0xC0, 0x43, 0xA1, 0x04, 0x0A, 0x90, 0x00, 0x30, 0xEF, 0xFF, 0xC0])

## Serial port is 
ser = serial.Serial(port='COM3', baudrate=115200)
time.sleep(2)

#converts values to byte array and sends to arduino
ConArray = bytearray(FullResponse)
ser.write(ConArray[0:len(FullResponse)])
time.sleep(1)    

if ser.inWaiting():
    for Val in ser.read():
        Response.append(Val)

print(*Response)        #prints 161
print(len(Response))        #prints 1

time.sleep(1)

## close the port and end the program
ser.close()

Как видно из комментариев, которые я оставил в коде Python. Вместо получения целого массива значений я просто получаю 161.

Есть ли у кого-нибудь совет, где я ошибся?

Ответы [ 2 ]

0 голосов
/ 11 мая 2018

Изменяя оператор if на оператор while, код теперь читает все сохраненные байты. Спасибо за помощь Heyyo

## import the serial library
import serial
import time

Response = []
FullResponse = bytes([0xC0, 0x43, 0xA1, 0x04, 0x0A, 0x90, 0x00, 0x30, 0xEF, 0xFF, 0xC0])

## Serial port is 
ser = serial.Serial(port='COM3', baudrate=115200)
time.sleep(2)

#converts values to byte array and sends to arduino
ConArray = bytearray(FullResponse)
ser.write(ConArray[0:len(FullResponse)])
time.sleep(1)    

while ser.inWaiting(): ###########   Changed from if to while
    for Val in ser.read():
        Response.append(Val)

print(*Response)        #prints 161
print(len(Response))        #prints 1

time.sleep(1)

## close the port and end the program
ser.close()
0 голосов
/ 10 мая 2018

Если вы прочитаете документацию из Serial.read() функции, вы увидите, что ее аргумент по умолчанию равен '1'. Таким образом, он читает только 1 байт из последовательного порта, как и ожидалось. Сначала вы должны проверить, достаточно ли (или дождаться) байтов, и передать количество байтов, которые вы хотите прочитать, в функцию read().

...