根据多个终止字符从UART收集数据

时间:2015-12-30 09:33:28

标签: c++ arduino serial-port uart esp8266

我在WiFi模块ESP8266上使用类似Arduino的库。代码看起来非常像Arduino。

我从UART收集数据并将它们放入缓冲区。目前,终止字符为'\n'。换句话说,来自UART的输入数据流存储在缓冲区command_buffer中,此输入数据的末尾由'\n'标识。这是相关的代码;

void onDataCallback(Stream& stream, char arrivedChar, unsigned short availableCharsCount)
{
    if (arrivedChar == '\n') // Lets show data!
    {
        Serial.println("<New line received>");
        while (stream.available())
        {
            char cur = stream.read();
            charReceived++;
            Serial.print(cur);
            command_buffer[index] = cur;
            buf_index++;
        }
    }
}

onDataCallback()是一个回调函数,当从UART接收传入数据时会调用该函数。

这是我的问题。如果终止字符不是单个字符'\n'怎么办?如果它由多个二进制字符组成,例如<0xFF><0xFE><0xFA>

,该怎么办?

类似Arduino的库来自SMING框架。 https://github.com/SmingHub/Sming

1 个答案:

答案 0 :(得分:1)

由于您一次只能获得一个角色,因此您必须记住一个州: Demo

#include <iostream>
#include <string>

namespace
{
    const char uart_endl[] = "\xff\xfe\xfa";
    const size_t uart_endl_len = sizeof(uart_endl) - 1;
}

class DataReceiver
{
    const char* state;
    std::string buffer;
public:
    DataReceiver() : state(&uart_endl[0]) {}
    void onDataCallback(char arrivedChar)
    {
        buffer.push_back(arrivedChar);
        if (*state == arrivedChar)
        {
            state++;
            if (*state == '\0')
            {
                state = &uart_endl[0];
                buffer.erase(buffer.end() - uart_endl_len, buffer.end());
                std::cout << buffer << std::endl;
                buffer.clear();
            }
        }
        else
        {
            state = &uart_endl[0];
        }
    }
};

int main()
{
    DataReceiver buffer;
    buffer.onDataCallback('a');
    buffer.onDataCallback('b');
    buffer.onDataCallback('\xff');
    buffer.onDataCallback('\xfe');
    buffer.onDataCallback('\xfa');
    buffer.onDataCallback('c');
    buffer.onDataCallback('\xff');
    buffer.onDataCallback('d');
    buffer.onDataCallback('\xff');
    buffer.onDataCallback('\xfe');
    buffer.onDataCallback('e');
    buffer.onDataCallback('\xff');
    buffer.onDataCallback('\xfe');
    buffer.onDataCallback('\xfa');
    return 0;
}

<强>输出

ab
c�d��e

我希望它有所帮助。