我试图通过Python 3.4中的代码从计算机启动电机,使用pySerial与Arduino Uno进行通信。我已经将我发送的值打包到十六进制,所以我一次只有一个字节,但是在我在Python端发送时,在Arduino端获取正确的数字时遇到了问题。
PYTHON CODE:
import serial
import struct
ser = serial.Serial(
port ='COM4',
baudrate = 9600,
parity = serial.PARITY_ODD,
stopbits = serial.STOPBITS_TWO,
bytesize = serial.EIGHTBITS
)
#ser.open() #opens port
ser.isOpen() #returns true?
motorState = 0
wristBend = 'Left'
while True:
#need to create options to send to arduino
if wristBend == 'Left':
motorState = 2
elif wristBend == 'Right':
motorState = 3
else:
motorState = 1
motorChar = struct.pack('<B', motorState) #returns the value as a character interger
#motorChar = str(hex(motorState))
print(motorChar)
ser.write(motorChar)
print(ser.read())
break
ARDUINO代码:
int motorPinLeft = 10;
int motorPinRight = 11;
int motorSpeedLeft = 0;
int motorSpeedRight = 0;
void setup() {
pinMode(motorPinLeft, OUTPUT);
pinMode(motorPinRight, OUTPUT);
Serial.begin(9600);
while(!Serial); //waits for arduino to be ready, not neaded for duo
Serial.println("Speed 0 - 255");
}
void loop()
{
if (Serial.available())
{
int ch = Serial.read();
switch (ch)
{
case 1:
motorSpeedLeft = 0;
motorSpeedRight = 0;
break;
case 2:
motorSpeedLeft = 127;
motorSpeedRight = 0;
break;
case 3:
motorSpeedLeft = 0;
motorSpeedRight = 127;
break;
}
Serial.write(ch);
analogWrite(motorPinLeft, motorSpeedLeft);
analogWrite(motorPinRight, motorSpeedRight);
delay(2500); //wait for 2.5 seconds to make the motor vibrate
motorSpeedRight = 0;
motorSpeedLeft = 0;
analogWrite(motorPinLeft, motorSpeedLeft);
analogWrite(motorPinRight, motorSpeedRight);
不仅没有与我的电路通信,而是我的python代码的输出,我在那里打印发送到Arduino的内容以及从Arduino发送的内容是:
b'\x02'
b'S'
如果我将开关案例代码更改为83(S的ASCII代码),或者将变量的类型更改为byte,int,uint8_t,则会得到完全相同的输出。我在这做错了什么?对不起,如果有点明显,我对python和arduino相当新。在此先感谢您的帮助!
答案 0 :(得分:1)
这里不难做一个简单的例子,通常一个好主意,从简单开始,然后将功能增加到你想要的。
test_serial.py
import serial
ser = serial.Serial("COM4",timeout=5) # everything else is default
ser.write("\x45")
print "RECIEVED BACK:",repr(ser.read(5000))
test_serial.ino
int incomingByte = 0; // for incoming serial data
void setup() {
Serial.begin(9600); // opens serial port, sets data rate to 9600 bps
}
void loop() {
// send data only when you receive data:
if (Serial.available() > 0) {
// read the incoming byte:
incomingByte = Serial.read();
// say what you got:
Serial.print("I received: ");
Serial.println(incomingByte, DEC);
}
}