6
#include <stdio.h>

#define LED 13

void setup() {
  pinMode(LED, OUTPUT);
  Serial.begin(9600);
}

void loop() {
  int i;
  char command[5];
  for (i = 0; i < 4; i++) {
    command[i] = Serial.read();
  }
  command[4] = '\0';

  Serial.println(command);

  if (strcmp(command, "AAAA") == 0) {
    digitalWrite(LED, HIGH);
    Serial.println("LED13 is ON");
  } else if (strcmp(command, "BBBB") == 0) {
    digitalWrite(LED, LOW);
    Serial.println("LED13 is OFF");
  }
}

我正在尝试使用 Arduino 的串行读取 4 个字符长的字符串,当它是 AAAA 时打开 LED,当它是 BBBB 时关闭串行。

但是,当我输入“AAAA”时,它会显示“AAAÿ”,并且沿途有很多“ÿ”。

我认为我正在正确阅读所有内容,但效果不佳,知道我做错了什么吗?

4

4 回答 4

10
String txtMsg = "";  
char s;

void loop() {
    while (serial.available() > 0) {
        s=(char)serial.read();
        if (s == '\n') {
            if(txtMsg=="HIGH") {  digitalWrite(13, HIGH);  }
            if(txtMsg=="LOW")  {  digitalWrite(13, LOW);   }
            // Serial.println(txtMsg); 
            txtMsg = "";  
        } else {  
            txtMsg +=s; 
        }
    }
}
于 2012-09-18T19:18:18.330 回答
1

它读取“ÿ”,因为缓冲区中没有要读取的字符。其他字符从 uart 缓冲区中解栈需要一些时间。因此,您不能循环读取字符。在阅读它之前,您必须等待另一个字符可用。

此外,这种等待字符的方式并不是最好的方式,因为它阻塞了主循环。

这是我在我的程序中所做的:

String command;

void loop()
{
    if(readCommand())
    {
        parseCommand();
        Serial.println(command);
        command = "";
    }
}

void parseCommand()
{
  //Parse command here
}

int readCommand() {
    char c;
    if(Serial.available() > 0)
    {
        c = Serial.read();
        if(c != '\n')
        {       
            command += c;
            return false;
        }
        else
            return true;

    }
} 
于 2014-11-07T18:24:40.037 回答
1
#define numberOfBytes 4
char command[numberOfBytes];

    void serialRX() {
      while (Serial.available() > numberOfBytes) {
        if (Serial.read() == 0x00) { //send a 0 before your string as a start byte
          for (byte i=0; i<numberOfBytes; i++)
            command[i] = Serial.read();
        }
      }
    }
于 2012-05-30T12:22:52.127 回答
1

您应该检查是否有可供阅读的内容。如果不是,那么read()将返回 -1。您可以使用Serial.available()检查读取缓冲区。

于 2012-05-04T15:42:34.543 回答