-1

我有一些数据通过串行连接进入我的 C++ 应用程序。现在我不想用这些数据的条形图和一些按钮制作一个简单的 GUI。(类似于 10Hz 刷新率)

按钮并不是真正的问题。但我没有找到任何用于条形图的 Qt 插件。我可以从 C++ 调用任何或其他库吗?考虑到这是相当简单和常见的任务,应该有很多。

操作系统:Ubuntu

抄送:g++

4

2 回答 2

1

看看以下小部件:

图表也可能是一个不错的选择(易于使用 QML 实现)

https://www.qt.io/blog/2013/11/07/qt-data-visualization-technology-preview-and-charts-1-3-1-release

或者自己实现一个

https://doc.qt.io/qt-5/qtwidgets-graphicsview-diagramscene-example.html

于 2014-01-04T13:53:12.893 回答
1

这不一定需要一个单独的库,但通常将此类QtSerialPortQwt组合用于此类用例。

基本原理是使用异步读取。您可以在内部运行一个具有固定周期的计时器,然后您可以在您指定的每个间隔中绘制“条形图”的下一部分。

您可以这样做,直到满足某个条件,例如没有更多可用数据等等。您没有提到您是否使用 QtSerialPort,但这几乎是切线的,即使在 Qt 项目中使用它可能是有意义的。

对于我们的异步阅读器示例,您可以在 QtSerialPort 中编写类似下面的代码。这个想法是您定期附加到图形小部件中。

SerialPortReader::SerialPortReader(QSerialPort *serialPort, QObject *parent)
    : QObject(parent)
    , m_serialPort(serialPort)
    , m_standardOutput(stdout)
{
    connect(m_serialPort, SIGNAL(readyRead()), SLOT(handleReadyRead()));
    connect(m_serialPort, SIGNAL(error(QSerialPort::SerialPortError)), SLOT(handleError(QSerialPort::SerialPortError)));
    connect(&m_timer, SIGNAL(timeout()), SLOT(handleTimeout()));

    m_timer.start(5000);
}

SerialPortReader::~SerialPortReader()
{
}

void SerialPortReader::handleReadyRead()
{
    m_readData.append(m_serialPort->readAll());
    // *** This will display the next part of the strip chart ***
    // *** Optionally make the use of a plotting library here as 'Qwt' ***
    myWidget.append('=');

    if (!m_timer.isActive())
        m_timer.start(5000);
}

void SerialPortReader::handleTimeout()
{
    if (m_readData.isEmpty()) {
        m_standardOutput << QObject::tr("No data was currently available for reading from port %1").arg(m_serialPort->portName()) << endl;
    } else {
        m_standardOutput << QObject::tr("Data successfully received from port %1").arg(m_serialPort->portName()) << endl;
        m_standardOutput << m_readData << endl;
    }

    QCoreApplication::quit();
}

void SerialPortReader::handleError(QSerialPort::SerialPortError serialPortError)
{
    if (serialPortError == QSerialPort::ReadError) {
        m_standardOutput << QObject::tr("An I/O error occurred while reading the data from port %1, error: %2").arg(m_serialPort->portName()).arg(m_serialPort->errorString()) << endl;
        QCoreApplication::exit(1);
    }
}
于 2014-01-04T14:28:44.590 回答