0

我是 sencha touch 的新手,并试图从数组中构建一个列表。我使用Ext.data.ArrayStore并遇到麻烦。

我的代码:

var ListStore = new Ext.data.ArrayStore({       
    autoLoad:myData,    
    autoDestroy: true,
    storeId: 'myStore',
    // reader configs
    idIndex: 0,
    fields: [
       'product',
       {name: 'product', type: 'string'},
       {name: 'id'     , type: 'string'}

    ]       
});

包含列表的小组代码:

var listPanel = new Ext.Panel({
            dockedItems: [{
                xtype: 'toolbar',
                ui: 'light',
                title: 'Product List',
                items: [{
                    text: 'Back',
                    ui: 'back',
                    handler: backHandler
                }]
            }],
            layout: 'fit',
            scroll: 'vertical',
            style: 'background-color:#FFFFF',
            items: [
            {
                xtype:'list',
                store:ListStore,
                itemTpl: '<div class="product"><strong>{product}</strong></div>',
                grouped:true,
                indexBar:true
            }]
4

2 回答 2

1

首先创建一个模型。

Ext.regModel('Demo', {
    fields: [
        {name: 'id', type: 'string'},
        {name: 'product',  type: 'string'}
    ]
});

然后创建商店:

new Ext.data.Store({
    model: 'Demo',
    data : [
        {id: '1',    product: 'Spencer'}
    ]
});

据我所知,从您的代码中可以了解到,在 Store 的“autoLoad”选项中,它应该是布尔值或对象,它不是数据,而是 store load() 方法的选项。

于 2011-11-03T13:28:24.847 回答
1

首先,Swar的回答似乎完全正确。创建一个这样的商店,data在创建Ext.data.Store实例时将您的数据作为配置选项传递。

如果您已经Ext.define()-ed 自己的商店子类(没有代理),您可以在您create()的实例时添加数据,如下所示:

Ext.define('MyApp.store.MyStore', {
    extends: 'Ext.data.store',
    model: 'Demo'
});

myStore = MyApp.store.MyStore({data: arrayOfDemoItems});

或者,如果您已经有一个商店实例(例如由控制器自动创建):

Ext.define('MyApp.controller.MyController',{
    extend: 'Ext.app.Controller',
    stores: ['MyStore'],
    init: function () {
        // You add your items here
        var myStore = this.getMyStoreStore();
        myStore.data.addAll(this.getMyItemsSomehow(););
        // Note that the 'load' event is not fired if you load elements like this,
        // you have to do it manually if you have e.g. a DataView tied to the store:
        myStore.fireEvent('load', myStore);
    },
    getMyItemsSomehow: function () {
        // Return an array of items somehow...
        return [{id: 1, product: 'Spencer'}];
    }
});
于 2011-11-04T09:22:16.947 回答