Aleanar
Aleanar

Reputation: 119

QListView and delegate display unintended item

I've a problem with my QListView, it paint an unintended item on the top left of the QListView :

http://s4.postimage.org/64orbk5kd/Screen_Shot_2013_02_14_at_20_23_14.png

I use a QStyledItemDelegate in my QListView :

m_stringList.push_back("FIRST");
m_stringList.push_back("SECOND");
m_stringList.push_back("THIRD");
m_model.setStringList(m_stringList);

ui->processesListView->setFlow(QListView::LeftToRight);
ui->processesListView->setModel(&m_model);
ui->processesListView->setItemDelegate(new ProcessItemDelegate(this, ui->processesListView));

The delegate (ProcessItemDelegate) paint method use a custom QWidget to display the information :

void ProcessItemDelegate::paint ( QPainter * painter, const QStyleOptionViewItem & option, const QModelIndex &inIndex ) const
{
  _listItem->setContent(_listView->model()->data(inIndex).toString());
  painter->save();
  painter->translate(option.rect.center());
  _listItem->render(painter);
  painter->restore();
}

The setContent method of the QWidget is very simple :

void ProcessItem::setContent(const QString &s)
{
  ui->processId->setText(s);
}

Upvotes: 1

Views: 1121

Answers (1)

Kévin Renella
Kévin Renella

Reputation: 1007

I have another way to add a widget to some list using a QListWidget.

For example knowing that ui->historyView is a QListWidget element and HistoryElementView a subclass of QWidget.

void View::onHistoryChanged(const QList<HistoryElement> &history)
{
    clearHistory();
    foreach(HistoryElement elt, history)
    {
        HistoryElementView *historyViewElement = new HistoryElementView(elt.getDateTime("dd/MM/yyyy - hh:mm"), elt.getFilename());
        QListWidgetItem *item = new QListWidgetItem();

        ui->historyView->addItem(item);
        ui->historyView->setItemWidget(item, historyViewElement);
    }
}

void View::clearHistory()
{
    QListWidgetItem *item;

    while (ui->historyView->count() != 0)
    {
         item = ui->historyView->takeItem(0);

        delete item;
    }
}

You do not need to delete the widgets inside your QListWidgetItem, it will be handle by Qt.

Once your widgets are inside the list, you can retrieve them using :

// Using index
QListWidgetItem *item = ui->historyView->item(0);
HistoryElementView *elt = qobject_cast<HistoryElementView *>(ui->historyView->itemWidget(item));

// Using position
QListWidgetItem *item = ui->historyView->itemAt(pos);
HistoryElementView *historyElement = qobject_cast<HistoryElementView *>(ui->historyView->itemWidget(item));

Hope it helps.

Upvotes: 1

Related Questions