3

我想MapPolygon在 QML Map 应用程序中动态添加/删除/编辑。我还有其他一些创建多边形的工作(文件导出/导入等),所以我认为我应该使用MapItemViewC++ 模型 sotirng Polygons 数据。

我尝试使用自己的基于 QObject 的对象创建自己的模型:

目的:

class MODELSHARED_EXPORT Polygon : public QObject
{
    Q_OBJECT
    Q_PROPERTY(QList<QGeoCoordinate> coordinates READ coordinates WRITE setCoordinates NOTIFY coordinatesChanged)

public:
    explicit Polygon(QObject *parent = nullptr);

    QList<QGeoCoordinate> coordinates() const;

    void setCoordinates(QList<QGeoCoordinate> coordinates);
signals:
    void coordinatesChanged(QList<QGeoCoordinate> coordinates);

public slots:
    void addCoordinate(const QGeoCoordinate & coordinate);

private:
    QList<QGeoCoordinate> m_coordinates;
};

模型:

class MODELSHARED_EXPORT PolygonModel : public QAbstractListModel
{
    ...

    QVariant data(const QModelIndex &index, int role) const override
    {
        if(index.row() >= 0 && index.row() < rowCount()) {
            switch (role) {
            case CoordinatesRole:
                return QVariant::fromValue(m_data.at(index.row())->coordinates());
            }
        }

        return QVariant();
    }

public slots:
    void addArea()
    {
        beginInsertRows(QModelIndex(), rowCount(), rowCount());
        m_data.append(new Polygon(this));
        endInsertRows();
    }

    void addPolygonCoordinate(const QGeoCoordinate &coordinate, int index)
    {
        if(index == -1) {
            index = rowCount() - 1;
        }

        m_data.at(index)->addCoordinate(coordinate);
        dataChanged(this->index(0), this->index(rowCount() - 1));
        qDebug() << "Adding coordinate..." << coordinate;
    }

private:
    QList<Polygon*> m_data;
};

和 QML:

MapItemView {
        id: AreaView
        delegate: AreaPolygon {
            path: coordinates
        }
        model: cppPolygonModel
    }

面积多边形.qml

MapPolygon {
    id: areaPolygon
    border.width: 1
    border.color: "red"
    color: Qt.rgba(255, 0, 0, 0.1)
}

但不幸的是,地图上没有出现多边形(当坐标成功添加到对象 QList 属性中时)。我认为 Object QList addidion 从 View 中不可见,因此 MapItemView 不刷新。

有没有更好的选择来做到这一点?也许我应该使用QGeoPolygon对象模型?(如何?)

4

1 回答 1

3

您必须返回QVariantList而不是QList<QGeoCoordinate>

if(index.row() >= 0 && index.row() < rowCount()) {
    switch (role) {
    case CoordinatesRole:
        QVariantList coorvariant;
        for(const QGeoCoordinate & coord: m_data.at(index.row())->coordinates()){
            coorvariant.append(QVariant::fromValue(coord));
        }
        return coorvariant;
    }
}

在此处输入图像描述

于 2018-07-19T17:43:50.953 回答