KnockoutJS:从JavaScript模板中访问数组中项目的索引

时间:2012-09-01 16:45:42

标签: indexing knockout.js ko.observablearray

我使用KnockoutJS填充数组中的列表:

<div data-bind:"foreach: list">
   <input type="text" data-bind="value: myText" />
</div>

function ViewModel() {
    self.list = ko.observableArray([
        new listItem("sample text")
    ]);
};

function listItem (text) {
    this.myText = text;
};

我可以为我的输入的各个实例分配一个id,如此

<input data-bind="attr: { id: $index } ...

如何从listItem函数中访问此索引?我希望能够做类似

的事情
function listItem (text) {
    this.myText = text;
    this.index = $index;
};

以便将其用于进一步处理。

1 个答案:

答案 0 :(得分:14)

您可以创建一个自定义绑定,将您的属性设置为索引,它看起来像:

ko.bindingHandlers.setIndex = {
    init: function(element, valueAccessor, allBindings, data, context) {
        var prop = valueAccessor();
        data[prop] = context.$index;
    }        
};

这假设您正在处理数组中的对象。您可以使用它:

<ul data-bind="foreach: items">
    <li data-bind="setIndex: 'myIndex', text: name"></li>
</ul>

因此,这会使用您指定的属性名称将$index observable复制到您的对象上。示例:http://jsfiddle.net/rniemeyer/zGmcg/

您可以在绑定之外执行此操作的另一种方法(这是我在$index之前执行此操作的方式)是订阅observableArray的更改并每次重新填充索引。

以下是observableArray的扩展名:

//track an index on items in an observableArray
ko.observableArray.fn.indexed = function(prop) {
    prop = prop || 'index';
   //whenever the array changes, make one loop to update the index on each
   this.subscribe(function(newValue) {
       if (newValue) {
           var item;
           for (var i = 0, j = newValue.length; i < j; i++) {
               item = newValue[i];
               if (!ko.isObservable(item[prop])) {
                  item[prop] = ko.observable();
               }
               item[prop](i);      
           }
       }   
   }); 

   //initialize the index
   this.valueHasMutated(); 
   return this;
};

然后你会像:

一样使用它
this.myItems = ko.observableArray().indexed('myIndexProp');

以下是一个示例:http://jsfiddle.net/rniemeyer/bQD2C/