在 Qt 快速程序中从 gpsd 获取位置

Getting positions from gpsd in a Qt quick program

我有一台带有 GPS 的计算机,它的串行端口是 运行 gpsd,配置相当基本。这是/etc/default/gpsd的内容:

START_DAEMON="true"
USBAUTO="false"
DEVICES="/dev/ttyS0"
GPSD_OPTIONS="-n -G"
GPSD_SOCKET="/var/run/gpsd.sock"

使用此配置,gpsd 运行良好,所有 gpsd 客户端实用程序,例如cgps, gpspipe, gpsmon, 可以从GPS获取数据。

我正在尝试使用具有以下语法的 PositionSource 元素从 Qt QML 程序访问 GPS 数据,但纬度和经度显示为 NaN,因此它不起作用:

    PositionSource {
        id: gpsPos
        updateInterval: 500
        active: true
        nmeaSource: "socket://localhost:2947"

        onPositionChanged: {
            myMap.update( gpsPos.position )
        }
     }

我尝试使用 gpspipe -r | nc -l 6000 并指定 nmeaSource: "socket://localhost:6000 将 NMEA 数据从 GPS 传输到另一个端口,一切正常!

如何让 Qt 直接与 gpsd 对话?

在使用 gps-share、Gypsy、geoclue2、serialnmea 和其他方法从连接到串行端口的 GPS 访问数据(感谢 Pa_对于所有的建议),但是在 gpsd 对其他应用程序完美工作时都没有结果,我决定通过对 QDeclarativePositionSource class 进行非常粗略的更改来使 Qt 支持 gpsd 以实现对 gpsd 方案的支持URL 用于 nmeaSource 属性。通过此更改,现在可以将 gpsd 源定义为 nmeaSource: "gpsd://hostname:2947"(2947 是标准 gpsd 端口)。

更改后的代码如下所示。我建议这应该在某个时候添加到 Qt 但与此同时,我想我需要派生这个 class 来实现我在新 QML 组件中的更改但是,作为 QML 的新手,我不知道如何完成了。我想根据 PositionSource 项目的 active 属性 从 gpsd 停止和启动 NMEA 流也可能是个好主意......我会在某个时候得到它,但会很感激有关如何以更优雅的方式执行此操作的指示。

void QDeclarativePositionSource::setNmeaSource(const QUrl &nmeaSource)
{
    if ((nmeaSource.scheme() == QLatin1String("socket") ) 
           || (nmeaSource.scheme() == QLatin1String("gpsd"))) {
        if (m_nmeaSocket
                && nmeaSource.host() == m_nmeaSocket->peerName()
                && nmeaSource.port() == m_nmeaSocket->peerPort()) {
            return;
        }

        delete m_nmeaSocket;
        m_nmeaSocket = new QTcpSocket();

        connect(m_nmeaSocket, static_cast<void (QTcpSocket::*)(QAbstractSocket::SocketError)> (&QAbstractSocket::error),
                this, &QDeclarativePositionSource::socketError);
        connect(m_nmeaSocket, &QTcpSocket::connected,
                this, &QDeclarativePositionSource::socketConnected);

        // If scheme is gpsd, NMEA stream must be initiated by writing a command
        // on the socket (gpsd WATCH_ENABLE | WATCH_NMEA flags)
        // (ref.: gps_sock_stream function in gpsd source file libgps_sock.c)
        if( nmeaSource.scheme() == QLatin1String("gpsd")) {
            m_nmeaSocket->connectToHost(nmeaSource.host(), 
                nmeaSource.port(), 
                QTcpSocket::ReadWrite);
            char const *gpsdInit = "?WATCH={\"enable\":true,\"nmea\":true}";
            m_nmeaSocket->write( gpsdInit, strlen(gpsdInit);
        } else {
            m_nmeaSocket->connectToHost(nmeaSource.host(), nmeaSource.port(), QTcpSocket::ReadOnly);
        }
    } else {
...