当前位置: 代码迷 >> 综合 >> QGraphicsView 框架学习(二),组合与撤销组合
  详细解决方案

QGraphicsView 框架学习(二),组合与撤销组合

热度:21   发布时间:2023-11-18 02:58:43.0

QGraphicsView 框架学习(二),组合与撤销组合

????QGraphicsItemGroup 是Qt二维图形框架提供的对图元进行组合操作的类。它提供了了void addToGroup(QGraphicsItem * item) 和 void removeFromGroup(QGraphicsItem *);两个方法。实际使用中可以通过 scene的createItemGroup()方法来创建组合对象,通过destroyItemGroup方法撤销组合。看上去就这么简单,但是事情没这么简单。如果组合对象中的图元都是简单的单体对象,那么情况的确和上面说的一样很简单,如果组合对象中包含组合对象,情况就变的复杂了。

????在一个交互式绘图程序中,对任意图形对象的组合与撤销组合都是不可缺少的操作。QGraphicsView框架中,提供了通过鼠标框选对象的功能,如果我们框选一个组合对象,你回发现,组合对象中的子对象也被包括在selectedItems当中,如果我们这个时候需要再次组合对象,就出现问题了,新的组合对象会把被包含的组合对象的子对象再次组合一次,结果就是被组合的组合对象被破坏了,实际上只剩下一个boundingRect了。没办法,找不到解决的方法,好像用它的人很少,我只好用一个笨办法解决了,那就是重写 scene的createItemGroup()方法。在向组合对象添加子对象的时候判断一下对象的父对象是不是一个组合,QGraphicsItem 提供了一个group()方法,说是可以通过它判断对象是否被组合,实际情况是没用。所以只能用 qgraphicsitem_cast方法判断了。代码如下:

GraphicsItemGroup *DrawScene::createGroup(const QList<QGraphicsItem *> &items,bool isAdd)
{
    // Build a list of the first item's ancestorsQList<QGraphicsItem *> ancestors;int n = 0;if (!items.isEmpty()) {
    QGraphicsItem *parent = items.at(n++);while ((parent = parent->parentItem()))ancestors.append(parent);}// Find the common ancestor for all itemsQGraphicsItem *commonAncestor = 0;if (!ancestors.isEmpty()) {
    while (n < items.size()) {
    int commonIndex = -1;QGraphicsItem *parent = items.at(n++);do {
    int index = ancestors.indexOf(parent, qMax(0, commonIndex));if (index != -1) {
    commonIndex = index;break;}} while ((parent = parent->parentItem()));if (commonIndex == -1) {
    commonAncestor = 0;break;}commonAncestor = ancestors.at(commonIndex);}}// Create a new group at that levelGraphicsItemGroup *group = new GraphicsItemGroup(commonAncestor);if (!commonAncestor && isAdd )addItem(group);foreach (QGraphicsItem *item, items){
    item->setSelected(false);QGraphicsItemGroup *g = dynamic_cast<QGraphicsItemGroup*>(item->parentItem()); //判断父对象是否为组合对象。if ( !g )group->addToGroup(item);}return group;
}

撤销组合

void DrawScene::destroyGroup(QGraphicsItemGroup *group)
{
    group->setSelected(false);foreach (QGraphicsItem *item, group->childItems()){
    item->setSelected(true);group->removeFromGroup(item);}removeItem(group);delete group;
}