ChristoF
ChristoFApril 28, 2020, 1:22 a.m.

Отобразить список с вложенным в него еще одним списком

QAbstractListModel, ListView

Доброго времени суток, В QML есть ListView моделью которого является QAbstractListModel в который из интерфейса для обращения к данным передаётся контейнер std::vector(родительский) c полями. Помимо простых типов данных в нем содержится вложенный контейнер std::vector(дочерний). Для того чтобы "показать" в QML элементы родительского контейнера требуется определить методы QAbstractListModel такие как:
rowCount( )
data( )
roleNames( )
А также создать Enum ролей

Для простых типов, таких как string, int, double нет ничего сложного

int DailyModel::rowCount(const QModelIndex &parent) const
{
    Q_UNUSED(parent)
    return static_cast<int>(m_dailys.size());
}

QVariant DailyModel::data(const QModelIndex &index, int role) const
{
    if (!index.isValid() || index.row() > rowCount(index)) {
            return QVariant();
        }
    const ns1__dayArc *daily = m_dailys.at(index.row());

    switch (role) {
        case DailyRoles::TimeRole: {
            char buffer [80];
            struct tm * timeinfo;
            timeinfo = localtime (daily->Time);
            strftime (buffer,80,"%d/%m/%y %X", timeinfo);
            return QString::fromStdString(buffer);
            }
        case DailyRoles::VbTRole: {
            return QVariant::fromValue(*daily->VbT);
            }

        case DailyRoles::StatusRole: {        
            std::string arr=DailyModel::translator(daily->state);
            return QString::fromStdString(arr);
        }
        case DailyRoles::TRole: {
            return QVariant::fromValue(*daily->T);
            }
        case DailyRoles::K_smtRole: {
            return QVariant::fromValue(*daily->K_USCOREsmt);
            }
        default: {
             return {};
        }
    }
}

QHash<int, QByteArray> DailyModel::roleNames() const
{
    QHash<int, QByteArray> roles;
    roles[DailyRoles::TimeRole] = "time";    
    roles[DailyRoles::StatusRole] = "status";
    roles[DailyRoles::VbTRole] = "VbT";
    roles[DailyRoles::TRole] = "T";
    roles[DailyRoles::K_smtRole] = "K_smt";

    return roles;
}

Но как мне задать роль для std::vector а также вывести его в делегате?

Хочется реализовать что-то подобное

import QtQuick 2.12
import QtQuick.Window 2.12
import QtQuick.Controls 2.5

Window {
    ListModel{
        id: dataModel;

        ListElement{
            color: "skyblue";
            text: "one";
            texts:[
                ListElement{
                    text: "one_000";
                },
                ListElement{
                    text: "one_001";
                },
                ListElement{
                    text: "one_002";
                }
            ]
        }
        ListElement{
            color: "lightgreen";
            text: "two";
            texts:[
                ListElement{
                    text: "two_000";
                },
                ListElement{
                    text: "two_001";
                },
                ListElement{
                    text: "two_002";
                }
            ]
        }
        ListElement{
            color: "orchid";
            text: "three";
            texts:[
                ListElement{
                    text: "three_000";
                },
                ListElement{
                    text: "three_001";
                },
                ListElement{
                    text: "three_002";
                }
            ]
        }
    }
    visible: true
    width: 640
    height: 480

    ListView{
        id: view;
        anchors.fill: parent;
        anchors.margins: 10;
        spacing: 10;
        clip: true;

        model: dataModel;

        delegate: Rectangle{
            width: view.width;
            height: 50;

            color: model.color;
            Row{
                anchors.centerIn: parent;
                anchors.margins: 10;
                spacing: 10;

                Text{
                    renderType: Text.NativeRendering;
                    font.pointSize: 15;
                    text: model.text;
                }
                ComboBox{
                    model: texts;

                }
            }
        }
    }
}

Буду благодарен за помощь

We recommend hosting TIMEWEB
We recommend hosting TIMEWEB
Stable hosting, on which the social network EVILEG is located. For projects on Django we recommend VDS hosting.

Do you like it? Share on social networks!

5
Evgenii Legotckoi
  • April 28, 2020, 2:55 a.m.

Добрый день

В этом случае самым адекватным решением, которое напрашивается само по себе, это попробовать возвращать вложенную модель вместо вектора, а в делегате ListElement родительской модели уже отображать вложенную модель ListModel

    ChristoF
    • April 28, 2020, 5:10 a.m.
    • (edited)

    На данный момент придумал полумеру решения данного вопроса, сделать делегаты RadioDelegate внутри котороых вложенный Reapiter,
    при checked отправляю во вложенную модель currentIndex. В результате вложенная модель при каждом клике переопределяется и выводит список соответсвующий данному делегату. Минусом данного подхода является, то что я не могу основываясь на вложеном списке выводить в главный список какую либо информацию (Например количество строк списка), так как при изменении модели вложенного списка он меняется во всех делегатах

    Говоря "возвращать вложенную модель вместо вектора" вы имеете ввиду в методе data() установить роль возвращающую модель?

    QVariant DailyModel::data(const QModelIndex &index, int role) const
    {
        if (!index.isValid() || index.row() > rowCount(index)) {
                return QVariant();
            }
        const ns1__dayArc *daily = m_dailys.at(index.row());
    
        switch (role) {        
            case DailyRoles::VectorRole: {
                return QVariant::fromValue(/* MyModel */); //   либо другая реализация
                }
            default: {
                 return {};
            }
        }
    }
    
      Evgenii Legotckoi
      • April 28, 2020, 5:12 a.m.

      Да, я думаю, что стоит попробовать такое сделать. Были бы это классические виджеты, то именно это я бы и посоветовал, как наиболее адекватное решение, а с QML, наверное, будет посложнее из-за необходимости регистрации мета-типов... интересный вопрос сам по себе.

        ChristoF
        • April 28, 2020, 5:19 a.m.

        Если возможно, можете подсказать "правильный синтаксис" присвоения ролям значения модели? Мой вариант меня не до конца устраивает и я все же хотел бы выводить вложенный каждый список для всех делегатов одновреммено, так как значения Reapiter-ов я хотел бы использовать в главной моделе

          Evgenii Legotckoi
          • April 28, 2020, 5:21 a.m.

          Самому нужно подумать, с наскоку это не сделать, да из головы даже не знаю...

            Comments

            Only authorized users can post comments.
            Please, Log in or Sign up
            AD

            C ++ - Test 004. Pointers, Arrays and Loops

            • Result:50points,
            • Rating points-4
            m

            C ++ - Test 004. Pointers, Arrays and Loops

            • Result:80points,
            • Rating points4
            m

            C ++ - Test 004. Pointers, Arrays and Loops

            • Result:20points,
            • Rating points-10
            Last comments
            i
            innorwallNov. 12, 2024, 9:12 a.m.
            Django - Tutorial 055. How to write auto populate field functionality Freckles because of several brand names retin a, atralin buy generic priligy
            i
            innorwallNov. 12, 2024, 5:23 a.m.
            QML - Tutorial 035. Using enumerations in QML without C ++ priligy cvs 24 Together with antibiotics such as amphotericin B 10, griseofulvin 11 and streptomycin 12, chloramphenicol 9 is in the World Health Organisation s List of Essential Medici…
            i
            innorwallNov. 12, 2024, 2:50 a.m.
            Qt/C++ - Lesson 052. Customization Qt Audio player in the style of AIMP It decreases stress, supports hormone balance, and regulates and increases blood flow to the reproductive organs buy priligy online safe Promising data were reported in a PDX model re…
            i
            innorwallNov. 12, 2024, 1:19 a.m.
            Heap sorting algorithm The role of raloxifene in preventing breast cancer priligy precio
            i
            innorwallNov. 12, 2024, 12:55 a.m.
            PyQt5 - Lesson 006. Work with QTableWidget buy priligy 60 mg 53 have been reported by Javanovic Santa et al
            Now discuss on the forum
            i
            innorwallNov. 12, 2024, 7:56 a.m.
            добавить qlineseries в функции buy priligy senior brother Chu He, whom he had known for many years
            i
            innorwallNov. 11, 2024, 9:55 p.m.
            Всё ещё разбираюсь с кешем. priligy walgreens levitra dulcolax carbs The third ring was found to be made up of ultra relativistic electrons, which are also present in both the outer and inner rings
            9
            9AnonimOct. 25, 2024, 7:10 p.m.
            Машина тьюринга // Начальное состояние 0 0, ,<,1 // Переход в состояние 1 при пустом символе 0,0,>,0 // Остаемся в состоянии 0, двигаясь вправо при встрече 0 0,1,>…

            Follow us in social networks