pyqt: Пытаюсь понять строки вставки для QAbstractDataModel и QTreeView

Я использую PyQt для управления древовидным представлением с помощью QAbstractItemModel. Пока что я успешно реализовал это, так что я могу загружать данные, разворачивать и сворачивать их, а также редактировать значения.

Одна вещь, которую я, однако, не могу сделать, я оборачиваюсь вокруг вставки и удаления строк.

Краткая версия того, что я пытаюсь сделать:

Когда пользователь редактирует определенную ячейку, мне нужно фактически удалить базовый элемент в моей иерархии объектов и заменить его на другой. Я реализую это в методе setData моей модели. Поскольку я не совсем понимаю, что я делаю, я, кажется, настроил его так, чтобы он отказывал.

По сути, мне просто нужно лучше понять, как модель данных взаимодействует с QModelIndex, но читать и повторно чтение документов, похоже, меня не просветляет. Любая помощь (или любые ссылки на достойное руководство - желательно, хотя и не обязательно, на python - также приветствуются).

Вот пример кода, который я использую:

#---------------------------------------------------------------------------
def setData(self, index, value, role=QtCore.Qt.EditRole):
    """
    Sets the data. 
    """
    if index.isValid() and (0 <= index.row() < self.rowCount()):

        item = index.internalPointer()
        value = value.toString()
        if index.column() == 5:
            # rip out the current object and replace it with a new one of 
            # the correct datatype.

            #next 4 lines get info from my underlying hierarchy of objects
            dataType = str(value)
            parent = item.get_parent()
            name = item.get_name()
            row = parent.get_row_of_child(name)

            #assuming everything is ok, I now am trying to manage the
            #underlying objects
            if row != None:

                #I am calling this because I think I need to, but don't
                #really know if it is called for here or not
                self.beginInsertRows(self.parent(index), row, 1)

                #Next 3 lines create and initialize a new underlying 
                #object that will be inserted.
                newItem = self.root.create_template_param_obj(dataType, 
                                                              name, 
                                                              parent)
                newItem.set_index(row)
                newItem.set_default_value(item.get_default_value())

                #now I remove the old object from my underlying
                #hierarchy and insert the new one
                parent.remove_child_at_row(row)
                parent.insert_child_at_row(newItem, row)

                #this is where I get lost. I *think* I need to point to 
                #the new underlying object (i.e. rebuild the index)
                #so I am going to call the data model's index method.
                #But that needs the index of the parent, so first I
                #call the data model's parent method to get the index
                #of the parent. But this code segfaults (I think it 
                #is the treeview that actually freaks out because this
                #setData method completes properly before the whole thing
                #crashes. Does anyone have a pointer to a decent tutorial
                #that will explain how data models and mode indexes work?
                self.index(row, 5, self.parent(index))
                self.endInsertRows()

        self.emit(QtCore.SIGNAL("dataChanged(QModelIndex,QModelIndex)"), 
                                 index, index)
        return True

    #Ignore any role other than the edit role
    return False

#---------------------------------------------------------------------------
def index(self, row, column, parent):
    """
    Connect the data model to the actual object hierarchy.
    """
    if not self.hasIndex(row, column, parent):
        return QtCore.QModelIndex()

    if not parent.isValid():
        parentItem = self.root
    else:
        parentItem = parent.internalPointer()

    childItem = parentItem.get_child_at_row(row)
    if childItem:
        return self.createIndex(row, column, childItem)
    else:
        return QtCore.QModelIndex()


#---------------------------------------------------------------------------
def parent(self, index):
    """
    Returns a QModelIndex of the parent
    """
    if not index.isValid():
        return QtCore.QModelIndex()

    childItem = index.internalPointer()
    if not childItem:
        return QtCore.QModelIndex()

    parentItem = childItem.get_parent()

    if parentItem == self.root:
        return QtCore.QModelIndex()

    return self.createIndex(parentItem.get_index(), 0, parentItem)
7
задан bvz 7 November 2010 в 21:28
поделиться