我的 Qt 应用程序没有收到 arduino 发送的所有数据

My Qt app does not recieve all the data sent by arduino

我开门见山。我的 arduino 从 adc 端口读取值并通过串行端口发送它们(值从 0 到 255)。我将它们保存在一个字节类型的向量中。向arduino发送特定信号后,它开始向Qt app发送vector中保存的数据。一切正常,除了 arduino 应该发送 800 个值,而应用程序收到的值比这少。如果我将串行波特率设置为 9600,我会得到 220 个值。相反,如果我将波特率设置为 115200,我只会得到 20 个值。你们能帮我解决这个问题吗?我想使用 115200 波特率,因为我需要在这个项目中有一个好的传输速度(实时线性 CCD)。我将在下面留下一些代码:

Arduino代码:

void sendData(void)
{
    int x;

    for (x = 0; x < 800; ++x)
    {
        Serial.print(buffer[x]);
    }
}

这是发送值的函数。我觉得资料够多了,所以总结一下。如果您需要更多代码,请告诉我。

Qt串口设置代码:

...

// QDialog windows private variables and constants
QSerialPort serial;
QSerialPortInfo serialInfo;
QList<QSerialPortInfo> listaPuertos;
bool estadoPuerto;
bool dataAvailable;

const QSerialPort::BaudRate BAUDRATE = QSerialPort::Baud9600;
const QSerialPort::DataBits DATABITS = QSerialPort::Data8;
const QSerialPort::Parity PARITY = QSerialPort::NoParity;
const QSerialPort::StopBits STOPBITS = QSerialPort::OneStop;
const QSerialPort::FlowControl FLOWCONTROL = QSerialPort::NoFlowControl;

const int pixels = 800;
QVector<double> data;
unsigned int dataIndex;
QByteArray values;
double maximo;

...

// Signal and slot connection.
QObject::connect(&serial, SIGNAL(readyRead()), this,SLOT(fillDataBuffer()));

...

// Method called when there's data available to read at the serial port.

void Ventana::fillDataBuffer()
{
    dataIndex++;
    data.append(QString::fromStdString(serial.readAll().toStdString()).toDouble());
    if(data.at(dataIndex-1) > maximo) maximo = data.at(dataIndex-1);

    /* The following qDebug is the one I use to test the recieved values,
     * where I check that values. */

    qDebug() << data.at(dataIndex-1);
}

谢谢,抱歉,如果不是很清楚,这真是令人筋疲力尽的一天:P

好的...我在这里看到两个问题:

  1. Arduino 端:您以十进制形式发送数据(因此 x = 100 将作为 3 个字符发送 - 1、0 和 0。您没有分隔符在你的数据之间,那么你的接收者如何知道它接收到值 100 而不是三个值 100?请看我的回答 关于如何从 Arduino 发送 ADC 数据的进一步解释。
  2. QT端:不保证readyRead()信号何时触发。它可能在第一个样本到达后立即出现,但也可能在串行端口缓冲区内已经有几个样本后引发。如果发生这种情况,您的方法 fillDataBuffer() 可能会处理字符串 12303402 而不是四个单独的字符串 12303402,因为介于两个缓冲区读取四个样本到达。波特率越大,两次读取之间到达的样本就越多,这就是为什么您观察到波特率越大值越少的原因。

解决这两个问题的方法是为数据附加一些定界字节,并在缓冲区中的该定界字节上拆分字符串。如果你不想拥有最大的数据吞吐量,你可以这样做

Serial.print(buffer[x]);
Serial.print('\n');

然后,在 \n 个字符上拆分传入的字符串。

非常感谢!我做了你所说的关于我的 arduino 程序的事情,在解决这个问题之后,我仍然没有得到全部数据。所以问题出在Qt。你如何完美地解释,串行缓冲区积累值的速度太快,所以槽函数 "fillDataBuffer()" 处理到达的数据太慢了。我简化了那个函数:

void Ventana::fillDataBuffer()
{
    dataIndex++;
    buffer.append(serial.readAll());
}

在QByteArray缓冲区中保存所有值后,我分别处理数据。

再次感谢大佬。你的回答真的很有帮助。