Qt Undo Framework 示例问题:添加/删除项目

Issue with Qt Undo Framework example: add / remove item

我使用 QT 撤消框架示例作为参考,以在我的工具中实现此功能。但是,它调用项目的析构函数的方式似乎存在错误。

我知道当项目在场景中时,QGraphicsScene 将取得这些项目的所有权。但是,两个撤消对象:AddCommand 和 RemoveCommand 在将它们从场景中移除时应该承担这些项目的所有权。

在Qt撤销框架的例子中,只有AddCommand试图在它的析构函数中删除对象,但如果对象还在场景中则不会这样做。

AddCommand::~AddCommand()
{
    if (!myDiagramItem->scene())
        delete myDiagramItem;
}

在这种情况下,如果我们在相应的 AddCommand 对象离开堆栈后从场景中删除该项目(当使用撤消限制时),该项目将永远不会被再次删除,因为 RemoveCommand 析构函数不会执行此操作。

我在 AddCommand 和 RemoveCommand 类 中使用标志修复了它。它通知此对象何时应负责销毁项目。当他们从场景中移除项目时,我将此标志设置为 true,并在调用项目的析构函数之前在撤消对象析构函数中测试此标志:

AddCommand::AddCommand(QGraphicsScene *scene, DraftGraphicItem* item, QUndoCommand *parent):
    scene(scene), item(item), QUndoCommand(parent){
    setText("Add item to scene");
}

AddCommand::~AddCommand(){
    if(isItemOwner)
        delete item;
}

void AddCommand::undo(){
    Q_ASSERT(item->scene()); 
    scene->removeItem(item);
    isItemOwner = false;
}

void AddCommand::redo(){
    Q_ASSERT(!item->scene()); 
    scene->addItem(item);
    isItemOwner = true;
}

与 RemoveCommand 相同,只是反转 redo() 和 undo() 方法。