ExtJS:隐藏时销毁卡片的最佳方法,在显示时实例化?

时间:2011-05-06 15:11:50

标签: extjs

我正在使用CardLayout在具有多个节点的全屏面板之间切换。为了最大限度地减少内存使用量,我希望在隐藏卡时销毁它,并且只在显示卡时重新创建它(来自配置对象)。

如果您查看下面的“切换卡片”按钮处理程序,您将看到我目前是如何完成此操作的。然而,它看起来很笨拙(使用ComponentMgr来实例化卡片,将其添加到容器中,移除旧卡片等)。有没有更好的方法来实现这一目标?同样,我的主要目标是在卡片不可见时销毁卡片。

谢谢!

var panel1Cfg = {
    id: 'card-1',
    xtype: 'panel',
    html: 'Card 1',
    listeners: {
        render: function() { console.log('render card 1'); },
        beforedestroy: function() { console.log('destroying card 1'); }
    }
};

var panel2Cfg = {
    id: 'card-2',
    xtype: 'panel',
    html: 'Card 2',
    listeners: {
        render: function() { console.log('render card 2'); },
        beforedestroy: function() { console.log('destroying card 2'); }
    }
};

var cardPanel = new Ext.Panel({
    renderTo: document.body,
    layout: 'card',
    items: [ panel1Cfg ],
    activeItem: 0,
    itemCfgArr: [ panel1Cfg, panel2Cfg ],
    activeItemCfgIndex: 0,
    tbar: [
        {
            text: 'Switch Cards',
            handler: function() {
                var cardToRemove = cardPanel.getLayout().activeItem;

                // Figure out which panel create/add/show next
                cardPanel.activeItemCfgIndex = (cardPanel.activeItemCfgIndex + 1) % cardPanel.itemCfgArr.length;

                // Use cfg to create component and then add
                var cardToShow = Ext.ComponentMgr.create(cardPanel.itemCfgArr[cardPanel.activeItemCfgIndex]);
                cardPanel.add(cardToShow);

                // Switch to the card we just added
                cardPanel.getLayout().setActiveItem(1);

                // Remove the old card (console should show 'destroy' log msg)
                cardPanel.remove(cardToRemove);
            }
        }
    ]
});

1 个答案:

答案 0 :(得分:3)

我认为更优雅的解决方案是创建一个包装配置的类,并在激活/停用时处理创建/销毁。这样你的卡片布局就不需要知道这种特殊的处理方式了,你可能会混合被破坏的卡片而不是卡片。您还可以在其他布局中重复使用此行为,例如TabPanel甚至AccordianLayout

你的课可能看起来像这样:

CleanPanel = Ext.extend(Ext.Panel, {

    /** @cfg panelCfg - configuration for wrapped panel */
    panelCfg: null,

    layout: 'fit',
    autoDestroy: true,

    initComponent: function() {
        CleanPanel.superclass.initComponent.call(this);

        this.on({
            scope: this,
            activate: this.createPanel,
            deactivate: this.destroyPanel
        });
    },

    createPanel: function() {
        this.add(this.panelCfg);
    },

    destroyPanel: function() {
        this.removeAll();
    }

});

将一些这些添加到您的主面板,包裹您的panel1Cfgpanel2Cfg,将您的activeItem切换逻辑保留在主面板中,它应该可以很好地工作。可能有一些初始化细节需要解决,但你明白了。

祝你好运!