QGenericItemModel Class

QGenericItemModel implements QAbstractItemModel for any C++ range. More...

Header: #include <QGenericItemModel>
CMake: find_package(Qt6 REQUIRED COMPONENTS Core)
target_link_libraries(mytarget PRIVATE Qt6::Core)
qmake: QT += core
Since: Qt 6.10
Inherits: QAbstractItemModel

Note: All functions in this class are reentrant.

Public Types

(since 6.10) struct MultiColumn
SingleColumn

Public Functions

QGenericItemModel(Range &&range, QObject *parent = nullptr)
QGenericItemModel(Range &&range, Protocol &&protocol, QObject *parent = nullptr)
virtual ~QGenericItemModel() override

Reimplemented Public Functions

virtual bool clearItemData(const QModelIndex &index) override
virtual int columnCount(const QModelIndex &parent = {}) const override
virtual QVariant data(const QModelIndex &index, int role = Qt::DisplayRole) const override
virtual Qt::ItemFlags flags(const QModelIndex &index) const override
virtual QVariant headerData(int section, Qt::Orientation orientation, int role) const override
virtual QModelIndex index(int row, int column, const QModelIndex &parent = {}) const override
virtual bool insertColumns(int column, int count, const QModelIndex &parent = {}) override
virtual bool insertRows(int row, int count, const QModelIndex &parent = {}) override
virtual QMap<int, QVariant> itemData(const QModelIndex &index) const override
virtual QModelIndex parent(const QModelIndex &child) const override
virtual bool removeColumns(int column, int count, const QModelIndex &parent = {}) override
virtual bool removeRows(int row, int count, const QModelIndex &parent = {}) override
virtual int rowCount(const QModelIndex &parent = {}) const override
virtual bool setData(const QModelIndex &index, const QVariant &data, int role = Qt::EditRole) override
virtual bool setItemData(const QModelIndex &index, const QMap<int, QVariant> &data) override
virtual QModelIndex sibling(int row, int column, const QModelIndex &index) const override

Detailed Description

QGenericItemModel can make the data in any sequentially iterable C++ type available to the model/view framework of Qt. This makes it easy to display existing data structures in the Qt Widgets and Qt Quick item views, and to allow the user of the application to manipulate the data using a graphical user interface.

To use QGenericItemModel, instantiate it with a C++ range and set it as the model of one or more views:

std::array<int, 5> numbers = {1, 2, 3, 4, 5};
QGenericItemModel model(numbers);
listView.setModel(&model);

The range can be any C++ type for which the standard methods std::cbegin and std::cend are implemented, and for which the returned iterator type satisfies std::forward_iterator. Certain model operations will perform better if std::size is available, and if the iterator satisfies std::random_access_iterator.

The range can be provided by pointer or by value, and has to be provided when constructing the model. If the range is provided by pointer, then QAbstractItemModel APIs that modify the model, such as setData() or insertRows(), modify the range. The caller must make sure that the range's lifetime exceeds the lifetime of the model. Methods that modify the structure of the range, such as insertRows() or removeColumns(), use standard C++ container APIs resize(), insert(), erase(), in addition to dereferencing a mutating iterator to set or clear the data.

There is no API to retrieve the range again, so constructing the model from a range by value is mostly only useful for displaying data. Changes to the data can be monitored using the signals emitted by the model, such as dataChanged().

Read-only or mutable

For ranges that are const objects, for which access always yields constant values, or where the required container APIs are not available, QGenericItemModel implements write-access APIs to do nothing and return false. In the example above, the model cannot add or remove rows, as the number of entries in a C++ array is fixed. But the values can be changed using setData(), and the user can trigger editing of the values in the list view. By making the array const, the values also become read-only.

const std::array<int, 5> numbers = {1, 2, 3, 4, 5};

The values are also read-only if the element type is const, like in

std::array<const int, 5> numbers = {1, 2, 3, 4, 5};

Note: If the values in the range are const, then it's also not possible to remove or insert columns and rows through the QAbstractItemModel API. For more granular control, implement the C++ tuple protocol.

List, Table, or Tree

The elements in the range are interpreted as rows of the model. Depending on the type of these rows, QGenericItemModel exposes the range as a list, a table, or a tree.

If the row type is not an iterable range, and does not implement the C++ tuple protocol, then the range gets represented as a list.

QList<int> numbers = {1, 2, 3, 4, 5};
QGenericItemModel model(numbers); // columnCount() == 1
QListView listView;
listView.setModel(&model);

If the row type is an iterable range, then the range gets represented as a table.

std::vector<std::vector<int>> gridOfNumbers = {
    {1, 2, 3, 4, 5},
    {6, 7, 8, 9, 10},
    {11, 12, 13, 14, 15},
};
QGenericItemModel model(&gridOfNumbers); // columnCount() == 5
QTableView tableView;
tableView.setModel(&model);

With such a row type, the number of columns can be changed via insertColumns() and removeColumns(). However, all rows are expected to have the same number of columns.

Fixed-size rows

If the row type implements the C++ tuple protocol, then the range gets represented as a table with a fixed number of columns.

using TableRow = std::tuple<int, QString>;
QList<TableRow> numberNames = {
    {1, "one"},
    {2, "two"},
    {3, "three"}
};
QGenericItemModel model(&numberNames); // columnCount() == 2
QTableView tableView;
tableView.setModel(&model);

An easier and more flexible alternative to implementing the tuple protocol for a C++ type is to use Qt's meta-object system to declare a type with properties. This can be a value type that is declared as a gadget, or a QObject subclass.

class Book
{
    Q_GADGET
    Q_PROPERTY(QString title READ title)
    Q_PROPERTY(QString author READ author)
    Q_PROPERTY(QString summary MEMBER m_summary)
    Q_PROPERTY(int rating READ rating WRITE setRating)
public:
    Book(const QString &title, const QString &author);

    // C++ rule of 0: destructor, as well as copy/move operations
    // provided by the compiler.

    // read-only properties
    QString title() const { return m_title; }
    QString author() const { return m_author; }

    // read/writable property with input validation
    int rating() const { return m_rating; }
    void setRating(int rating)
    {
        m_rating = qBound(0, rating, 5);
    }

private:
    QString m_title;
    QString m_author;
    QString m_summary;
    int m_rating = 0;
};

Using QObject subclasses allows properties to be bindable, or to have change notification signals. However, using QObject instances for items has significant memory overhead.

Using Qt gadgets or objects is more convenient and can be more flexible than implementing the tuple protocol. Those types are also directly accessible from within QML. However, the access through the property system comes with some runtime overhead. For performance critical models, consider implementing the tuple protocol for compile-time generation of the access code.

Trees of data

QGenericItemModel can represent a data structure as a tree model. Such a tree data structure needs to be homomorphic: on all levels of the tree, the list of child rows needs to use the exact same representation as the tree itself. In addition, the row type needs be of a static size: either a gadget or QObject type, or a type that implements the {C++ tuple protocol}.

To represent such data as a tree, the row type has to implement a traversal protocol that allows QGenericItemModel to navigate up and down the tree. For any given row, the model needs to be able to retrieve the parent row, and the span of children for any given row.

class TreeRow;

using Tree = std::vector<TreeRow>;

The tree itself is a vector of TreeRow values. See Rows as pointers or values for the considerations on whether to use values or pointers of items for the rows.

class TreeRow
{
    Q_GADGET
    // properties

    TreeRow *m_parent;
    std::optional<Tree> m_children;

public:
    TreeRow() = default;

    // rule of 0: copy, move, and destructor implicitly defaulted

The row class can be of any fixed-size type described above: a type that implements the tuple protocol, a gadget, or a QObject. In this example, we use a gadget.

Each row item needs to maintain a pointer to the parent row, as well as an optional range of child rows that is identical to the structure used for the tree.

Making the row type default constructible is optional, and allows the model to construct new row data elements, for instance in the insertRow() or moveRows() implementations.

    // tree traversal protocol implementation
    const TreeRow *parentRow() const { return m_parent; }
    const std::optional<Tree> &childRows() const { return m_children; }

The tree traversal protocol can then be implemented as member functions of the row data type. A const parentRow() function has to return a pointer to a const row item; and the childRows() function has to return a reference to a const std::optional that can hold the optional child range.

These two functions are sufficient for the model to navigate the tree as a read-only data structure. To allow the user to edit data in a view, and the model to implement mutating model APIs such as insertRows(), removeRows(), and moveRows(), we have to implement additional functions for write-access:

    void setParentRow(TreeRow *parent) { m_parent = parent; }
    std::optional<Tree> &childRows() { return m_children; }

The model calls the setParentRow() function and mutable childRows() overload to move or insert rows into an existing tree branch, and to update the parent pointer should the old value have become invalid. The non-const overload of childRows() provides in addition write-access to the row data.

Note: The model performs setting the parent of a row, removing that row from the old parent, and adding it to the list of the new parent's children, as separate steps. This keeps the protocol interface small.

    ...
    // Helper to assembly a tree of rows, not used by QGenericItemModel
    template <typename ...Args>
    TreeRow &addChild(Args &&...args)
    {
        if (!m_children)
            m_children.emplace(Tree{});
        auto &child = m_children->emplace_back(std::forward<Args>(args)...);
        child.m_parent = this;
        return child;
    }
};

The rest of the class implementation is not relevant for the model, but a addChild() helper provides us with a convenient way to construct the initial state of the tree.

Tree tree = {
    {"..."},
    {"..."},
    {"..."},
};

// each toplevel row has three children
tree[0].addChild("...");
tree[0].addChild("...");
tree[0].addChild("...");

tree[1].addChild("...");
tree[1].addChild("...");
tree[1].addChild("...");

tree[2].addChild("...");
tree[2].addChild("...");
tree[2].addChild("...");

A QGenericItemModel instantiated with an instance of such a range will represent the data as a tree.

// instantiate the model with a pointer to the tree, not a copy!
QGenericItemModel model(&tree);
QTreeView view;
view.setModel(&model);
Tree traversal protocol in a separate class

The tree traversal protocol can also be implemented in a separate class.

struct TreeTraversal
{
    TreeRow newRow() const { return TreeRow{}; }
    const TreeRow *parentRow(const TreeRow &row) const { return row.m_parent; }
    void setParentRow(TreeRow &row, TreeRow *parent) const { row.m_parent = parent; }
    const std::optional<Tree> &childRows(const TreeRow &row) const { return row.m_children; }
    std::optional<Tree> &childRows(TreeRow &row) const { return row.m_children; }
};

Pass an instance of this protocol implementation to the QGenericItemModel constructor:

QGenericItemModel model(&tree, TreeTraversal{});

Rows as pointers or values

The row type of the data range can be either a value, or a pointer. In the code above we have been using the tree rows as values in a vector, which avoids that we have to deal with explicit memory management. However, a vector as a contiguous block of memory invalidates all iterators and references when it has to reallocate the storage, or when inserting or removing elements. This impacts the pointer to the parent item, which is the location of the parent row within the vector. Making sure that this parent (and QPersistentModelIndex instances referring to items within it) stays valid can incurr substantial performance overhead. The QGenericItemModel implementation has to assume that all references into the range become invalid when modifying the range.

Alternatively, we can also use a range of row pointers as the tree type:

struct TreeRow;
using Tree = std::vector<TreeRow *>;

In this case, we have to allocate all TreeRow instances explicitly using operator new, and implement the destructor to delete all items in the vector of children.

struct TreeRow
{
    Q_GADGET
public:
    TreeRow(const QString &value = {})
        : m_value(value)
    {}
    ~TreeRow()
    {
        if (m_children)
            qDeleteAll(*m_children);
    }

    // move-only
    TreeRow(TreeRow &&) = default;
    TreeRow &operator=(TreeRow &&) = default;

    // helper to populate
    template <typename ...Args>
    TreeRow *addChild(Args &&...args)
    {
        if (!m_children)
            m_children.emplace(Tree{});
        auto *child = m_children->emplace_back(new TreeRow(std::forward<Args>(args)...));
        child->m_parent = this;
        return child;
    }

private:
    friend struct TreeTraversal;
    QString m_value;
    std::optional<Tree> m_children;
    TreeRow *m_parent = nullptr;
};
Tree tree = {
    new TreeRow("1"),
    new TreeRow("2"),
    new TreeRow("3"),
    new TreeRow("4"),
};
tree[0]->addChild("1.1");
tree[1]->addChild("2.1");
tree[2]->addChild("3.1")->addChild("3.1.1");
tree[3]->addChild("4.1");

Before we can construct a model that represents this data as a tree, we need to also implement the tree traversal protocol.

struct TreeTraversal
{
    TreeRow *newRow() const { return new TreeRow; }
    void deleteRow(TreeRow *row) { delete row; }

    const TreeRow *parentRow(const TreeRow *row) const { return row->m_parent; }
    void setParentRow(TreeRow *row, TreeRow *parent) { row->m_parent = parent; }
    const std::optional<Tree> &childRows(const TreeRow *row) const { return row->m_children; }
    std::optional<Tree> &childRows(TreeRow *row) { return row->m_children; }
};

An explicit protocol implementation for mutable trees of pointers has to provide two additional member functions, newRow() and deleteRow(RowType *).

int main(int argc, char **argv)
{
    QApplication app(argc, argv);

    Tree tree = make_tree_of_pointers();

    QGenericItemModel model(std::move(tree), TreeTraversal{});
    QTreeView treeView;
    treeView.setModel(&model);
    treeView.show();

    return app.exec();
}

The model will call those functions when creating new rows in insertRows(), and when removing rows in removeRows(). In addition, if the model has ownership of the data, then it will also delete all top-level rows upon destruction. Note how in this example, we move the tree into the model, so we must no longer perform any operations on it. QGenericItemModel, when constructed by moving tree-data with row-pointers into it, will take ownership of the data, and delete the row pointers in it's destructor.

Note: This is not the case for tables and lists that use pointers as their row type. QGenericItemModel will never allocate new rows in lists and tables using operator new, and will never free any rows.

So, using pointers at rows comes with some memory allocation and management overhead. However, when using rows through pointers the references to the row items remain stable, even when they are moved around in the range, or when the range reallocates. This can significantly reduce the cost of making modifications to the model's structure when using insertRows(), removeRows(), or moveRows().

So, each choice has different performance and memory overhead trade-offs. The best option depends on the exact use case and data structure used.

Multi-role items

The type of the items that the implementations of data(), setData(), clearItemData() etc. operate on can be the same across the entire model - like in the gridOfNumbers example above. But the range can also have different item types for different columns, like in the numberNames case.

By default, the value gets used for the Qt::DisplayRole and Qt::EditRole roles. Most views expect the value to be convertible to and from a QString (but a custom delegate might provide more flexibility).

If the item is an associative container that uses int, Qt::ItemDataRole, or QString as the key type, and QVariant as the mapped type, then QGenericItemModel interprets that container as the storage of the data for multiple roles. The data() and setData() functions return and modify the mapped value in the container, and setItemData() modifies all provided values, itemData() returns all stored values, and clearItemData() clears the entire container.

using ColorEntry = QMap<Qt::ItemDataRole, QVariant>;

const QStringList colorNames = QColor::colorNames();
QList<ColorEntry> colors;
colors.reserve(colorNames.size());
for (const QString &name : colorNames) {
    const QColor color = QColor::fromString(name);
    colors << ColorEntry{{Qt::DisplayRole, name},
                         {Qt::DecorationRole, color},
                         {Qt::ToolTipRole, color.name()}};
}
QGenericItemModel colorModel(colors);
QListView list;
list.setModel(&colorModel);

The most efficient data type to use as the key is Qt::ItemDataRole or int. When using int, itemData() returns the container as is, and doesn't have to create a copy of the data.

Gadgets and QObject types are also represented at multi-role items if they are the item type in a table. The names of the properties have to match the names of the roles.

class ColorEntry
{
    Q_GADGET
    Q_PROPERTY(QString display MEMBER m_colorName)
    Q_PROPERTY(QColor decoration READ decoration)
    Q_PROPERTY(QString toolTip READ toolTip)
public:
    ColorEntry(const QString &color = {})
        : m_colorName(color)
    {}

    QColor decoration() const
    {
        return QColor::fromString(m_colorName);
    }
    QString toolTip() const
    {
        return QColor::fromString(m_colorName).name();
    }

private:
    QString m_colorName;
};

When used in a list, these types are ambiguous: they can be represented as multi-column rows, with each property represented as a separate column. Or they can be single items with each property being a role. To disambiguate, use the QGenericItemModel::SingleColumn wrapper.

const QStringList colorNames = QColor::colorNames();
QList<QGenericItemModel::SingleColumn<ColorEntry>> colors;
colors.reserve(colorNames.size());
for (const QString &name : colorNames)
    colors << ColorEntry{name};

QGenericItemModel colorModel(colors);
QListView list;
list.setModel(&colorModel);

The C++ tuple protocol

As seen in the numberNames example above, the row type can be a tuple, and in fact any type that implements the tuple protocol. This protocol is implemented by specializing std::tuple_size and std::tuple_element, and overloading the unqualified get function. Do so for your custom row type to make existing structured data available to the model/view framework in Qt.

struct Book
{
    QString title;
    QString author;
    QString summary;
    int rating = 0;

    template <size_t I, typename T>
        requires ((I <= 3) && std::is_same_v<std::remove_cvref_t<T>, Book>)
    friend inline decltype(auto) get(T &&book)
    {
        if constexpr (I == 0)
            return std::as_const(book.title);
        else if constexpr (I == 1)
            return std::as_const(book.author);
        else if constexpr (I == 2)
            return std::forward_like<T>(book.summary);
        else if constexpr (I == 3)
            return std::forward_like<T>(book.rating);
    }
};

namespace std {
    template <> struct tuple_size<Book> : std::integral_constant<size_t, 4> {};
    template <size_t I> struct tuple_element<I, Book>
    { using type = decltype(get<I>(std::declval<Book>())); };
}

In the above implementation, the title and author values of the Book type are returned as const, so the model flags items in those two columns as read-only. The user won't be able to trigger editing, and setData() does nothing and returns false. For summary and rating the implementation returns the same value category as the book, so when get is called with a mutable reference to a Book, then it will return a mutable reference of the respective variable. The model makes those columns editable, both for the user and for programmatic access.

Note: The implementation of get above requires C++23. A C++17 compliant implementation can be found in the unit test code for QGenericItemModel.

Types that have a meta objects, and implement the C++ tuple protocol, also can cause compile-time ambiguity when used as the row type, as the framework won't know which API to use to access the individual values. Use the QGenericItemModel::SingleColumn and QGenericItemModel::MultiColumns wrapper to disambiguate.

See also Model/View Programming.

Member Type Documentation

[alias] template <typename T> QGenericItemModel::SingleColumn

Use this type to disambiguate when using the type T as the row type in the range. If T provides a metaobject, then the framework will by default represent the type as multiple columns, resulting in a table model.

class ColorEntry
{
    Q_GADGET
    Q_PROPERTY(QString display MEMBER m_colorName)
    Q_PROPERTY(QColor decoration READ decoration)
    Q_PROPERTY(QString toolTip READ toolTip)
public:
    ColorEntry(const QString &color = {})
        : m_colorName(color)
    {}

    QColor decoration() const
    {
        return QColor::fromString(m_colorName);
    }
    QString toolTip() const
    {
        return QColor::fromString(m_colorName).name();
    }

private:
    QString m_colorName;
};

When stored in a sequential range, this type will be interpreted as multi-column rows with each property being one column. The range will be represented as a table.

QList<ColorEntry> colors = {
    // ...
};
QGenericItemModel tableModel(colors); // columnCount() == 3

When wrapped into QGenericItemModel::SingleColumn, the model will be a list, with each instance of T represented as an item with multiple roles.

QList<QGenericItemModel::SingleColumn<ColorEntry>> colors = {
    // ...
};
QGenericItemModel listModel(colors); // columnCount() == 1

See also QGenericItemModel::MultiColumn.

Member Function Documentation

[explicit] template <typename Range, typename Protocol, int = true> QGenericItemModel::QGenericItemModel(Range &&range, Protocol &&protocol, QObject *parent = nullptr)

[explicit] template <typename Range, int = true> QGenericItemModel::QGenericItemModel(Range &&range, QObject *parent = nullptr)

[explicit] template <typename Range, int = true> QGenericItemModel::QGenericItemModel(Range &&range, QObject *parent = nullptr)

Constructs a generic item model instance that operates on the data in range. The range has to be a sequential range for which std::cbegin and std::cend are available. If protocol is provided, then the model will represent the range as a tree using the protocol implementation. The model instance becomes a child of parent.

The range can be a pointer, in which case mutating model APIs will modify the data in that range instance. If range is a value (or moved into the model), then use the signals emitted by the model to respond to changes to the data.

Note: While the model does not take ownership of the range object, you must not modify the range directly once the model has been constructed. Such modifications will not emit signals necessary to keep model users (other models or views) synchronized with the model, resulting in inconsistent results, undefined behavior, and crashes.

[override virtual noexcept] QGenericItemModel::~QGenericItemModel()

Destroys the generic item model.

The range that the model was constructed from is not destroyed.

[override virtual] bool QGenericItemModel::clearItemData(const QModelIndex &index)

Reimplements: QAbstractItemModel::clearItemData(const QModelIndex &index).

Replaces the value stored in the range at index with a default- constructed value.

For models operating on a read-only range, or on a read-only column in a row type that implements the C++ tuple protocol, this implementation returns false immediately.

[override virtual] int QGenericItemModel::columnCount(const QModelIndex &parent = {}) const

Reimplements: QAbstractItemModel::columnCount(const QModelIndex &parent) const.

Returns the number of columns of the model. This function returns the same value for all parent indexes.

For models operating on a statically sized row type, this returned value is always the same throughout the lifetime of the model. For models operating on dynamically sized row type, the model returns the number of items in the first row, or 0 if the model has no rows.

See also rowCount and insertColumns().

[override virtual] QVariant QGenericItemModel::data(const QModelIndex &index, int role = Qt::DisplayRole) const

Reimplements: QAbstractItemModel::data(const QModelIndex &index, int role) const.

Returns the data stored under the given role for the value in the range referred to by the index.

If the item type for that index is an associative container that maps from either int, Qt::ItemDataRole, or QString to a QVariant, then the role data is looked up in that container and returned.

Otherwise, the implementation returns a QVariant constructed from the item via QVariant::fromValue() for Qt::DisplayRole or Qt::EditRole. For other roles, the implementation returns an invalid (default-constructed) QVariant.

See also Qt::ItemDataRole, setData(), and headerData().

[override virtual] Qt::ItemFlags QGenericItemModel::flags(const QModelIndex &index) const

Reimplements: QAbstractItemModel::flags(const QModelIndex &index) const.

Returns the item flags for the given index.

The implementation returns a combination of flags that enables the item (ItemIsEnabled) and allows it to be selected (ItemIsSelectable). For models operating on a range with mutable data, it also sets the flag that allows the item to be editable (ItemIsEditable).

See also Qt::ItemFlags.

[override virtual] QVariant QGenericItemModel::headerData(int section, Qt::Orientation orientation, int role) const

Reimplements: QAbstractItemModel::headerData(int section, Qt::Orientation orientation, int role) const.

Returns the data for the given role and section in the header with the specified orientation.

For horizontal headers, the section number corresponds to the column number. Similarly, for vertical headers, the section number corresponds to the row number.

See also Qt::ItemDataRole, setHeaderData(), and QHeaderView.

[override virtual] QModelIndex QGenericItemModel::index(int row, int column, const QModelIndex &parent = {}) const

Reimplements: QAbstractItemModel::index(int row, int column, const QModelIndex &parent) const.

Returns the index of the model item at row and column in parent.

Passing a valid parent produces an invalid index for models that operate on list and table ranges.

See also parent().

[override virtual] bool QGenericItemModel::insertColumns(int column, int count, const QModelIndex &parent = {})

Reimplements: QAbstractItemModel::insertColumns(int column, int count, const QModelIndex &parent).

Inserts count empty columns before the item at column in all rows of the range at parent. Returns true if successful; otherwise returns false.

Note: A dynamically sized row type needs to provide a insert(const_iterator, size_t, value_type) member function.

For models operating on a read-only range, or on a range with a statically sized row type (such as a tuple, array, or struct), this implementation does nothing and returns false immediately. This is always the case for tree models.

[override virtual] bool QGenericItemModel::insertRows(int row, int count, const QModelIndex &parent = {})

Reimplements: QAbstractItemModel::insertRows(int row, int count, const QModelIndex &parent).

Inserts count empty rows before the given row into the range at parent. Returns true if successful; otherwise returns false.

Note: The range needs to be dynamically sized and provide a insert(const_iterator, size_t, value_type) member function.

For models operating on a read-only or statically-sized range (such as an array), this implementation does nothing and returns false immediately.

Note: For ranges with a dynamically sized column type, the column needs to provide a resize(size_t) member function.

[override virtual] QMap<int, QVariant> QGenericItemModel::itemData(const QModelIndex &index) const

Reimplements: QAbstractItemModel::itemData(const QModelIndex &index) const.

Returns a map with values for all predefined roles in the model for the item at the given index.

If the item type for that index is an associative container that maps from either int, Qt::ItemDataRole, or QString to a QVariant, then the data from that container is returned.

If the item type is a gadget or QObject subclass, then the values of those properties that match a role name are returned.

If the item is not an associative container, gadget, or QObject subclass, then this calls the base class implementation.

See also setItemData(), Qt::ItemDataRole, and data().

[override virtual] QModelIndex QGenericItemModel::parent(const QModelIndex &child) const

Reimplements: QAbstractItemModel::parent(const QModelIndex &index) const.

Returns the parent of the item at the child index.

This function always produces an invalid index for models that operate on list and table ranges. For models operation on a tree, this function returns the index for the row item returned by the parent() implementation of the tree traversal protocol.

See also index() and hasChildren().

[override virtual] bool QGenericItemModel::removeColumns(int column, int count, const QModelIndex &parent = {})

Reimplements: QAbstractItemModel::removeColumns(int column, int count, const QModelIndex &parent).

Removes count columns from the item at column on in all rows of the range at parent. Returns true if successful, otherwise returns false.

Note: A dynamically sized row type needs to provide a erase(const_iterator, size_t) member function.

For models operating on a read-only range, or on a range with a statically sized row type (such as a tuple, array, or struct), this implementation does nothing and returns false immediately. This is always the case for tree models.

[override virtual] bool QGenericItemModel::removeRows(int row, int count, const QModelIndex &parent = {})

Reimplements: QAbstractItemModel::removeRows(int row, int count, const QModelIndex &parent).

Removes count rows from the range at parent, starting with the given row. Returns true if successful, otherwise returns false.

Note: The range needs to be dynamically sized and provide a erase(const_iterator, size_t) member function.

For models operating on a read-only or statically-sized range (such as an array), this implementation does nothing and returns false immediately.

[override virtual] int QGenericItemModel::rowCount(const QModelIndex &parent = {}) const

Reimplements: QAbstractItemModel::rowCount(const QModelIndex &parent) const.

Returns the number of rows under the given parent. This is the number of items in the root range for an invalid parent index.

If the parent index is valid, then this function always returns 0 for models that operate on list and table ranges. For trees, this returns the size of the range returned by the childRows() implementation of the tree traversal protocol.

See also columnCount(), insertRows(), and hasChildren().

[override virtual] bool QGenericItemModel::setData(const QModelIndex &index, const QVariant &data, int role = Qt::EditRole)

Reimplements: QAbstractItemModel::setData(const QModelIndex &index, const QVariant &value, int role).

Sets the role data for the item at index to data.

If the item type for that index is an associative container that maps from either int, Qt::ItemDataRole, or QString to a QVariant, then data is stored in that container for the key specified by role.

Otherwise, this implementation assigns the value in data to the item at the index in the range for Qt::DisplayRole and Qt::EditRole, and returns true. For other roles, the implementation returns false.

For models operating on a read-only range, or on a read-only column in a row type that implements the C++ tuple protocol, this implementation returns false immediately.

See also data().

[override virtual] bool QGenericItemModel::setItemData(const QModelIndex &index, const QMap<int, QVariant> &data)

Reimplements: QAbstractItemModel::setItemData(const QModelIndex &index, const QMap<int, QVariant> &roles).

If the item type for that index is an associative container that maps from either int or Qt::ItemDataRole to a QVariant, then the entries in data are stored in that container. If the associative container maps from QString to QVariant, then only those values in data are stored for which there is a mapping in the role names table.

If the item type is a gadget or QObject subclass, then those properties that match a role name are set to the corresponding value in data.

Roles for which there is no entry in data are not modified.

For item types that can be copied, this implementation is transactional, and returns true if all the entries from data could be stored. If any entry could not be updated, then the original container is not modified at all, and the function returns false.

If the item is not an associative container, gadget, or QObject subclass, then this calls the base class implementation, which calls setData() for each entry in data.

See also itemData(), setData(), and Qt::ItemDataRole.

[override virtual] QModelIndex QGenericItemModel::sibling(int row, int column, const QModelIndex &index) const

Reimplements: QAbstractItemModel::sibling(int row, int column, const QModelIndex &index) const.

Returns the sibling at row and column for the item at index, or an invalid QModelIndex if there is no sibling at that location.

This implementation is significantly faster than going through the parent() of the index.

See also index(), QModelIndex::row(), and QModelIndex::column().

© 2025 The Qt Company Ltd. Documentation contributions included herein are the copyrights of their respective owners. The documentation provided herein is licensed under the terms of the GNU Free Documentation License version 1.3 as published by the Free Software Foundation. Qt and respective logos are trademarks of The Qt Company Ltd. in Finland and/or other countries worldwide. All other trademarks are property of their respective owners.