3

我有以下下拉列表:

<div>  
    Dummy
    <select data-bind="options: categories, optionsText: 'description', value: 2"></select>
</div>

使用下面的javascript:

function ViewModel()
{

    this.categories = ko.observableArray([
            new Category(1, "Non classé"),
            new Category(2, "Non nucléaire"),
            new Category(3, "Classe II irradié"),
            new Category(4, "Classe III")
    ]);

    // Constructor for an object with two properties
    function Category(id, description) {
        this.id = id;
        this.description = description;
    };
}

ko.applyBindings(new ViewModel());

我想在下拉列表中预先选择 id 为 2 的元素。

任何的想法?

谢谢。

jsFiddle:http: //jsfiddle.net/RfWVP/276/

4

1 回答 1

7

我能想到两种方法来做到这一点。无论哪种方式,您都必须添加一个selectedCategory可观察的属性来存储跟踪当前选择的选项。

  1. 使用optionsValue绑定并指定'id'您要用作valueeach的属性option

    <select data-bind="options: categories, 
                       optionsText: 'description', 
                       value: selectedCategory, 
                       optionsValue: 'id'">                 
    </select>
    

    然后设置selectedCategory等于“2”:

    this.selectedCategory = ko.observable(2);
    

    示例:http: //jsfiddle.net/RfWVP/281/

  2. 在创建可观察的类别数组之前创建 id 为“2”的类别并将selectedCategory等于该类别的值设置为:

    var selected = new Category(2, "Non nucléaire");
    
    this.categories = ko.observableArray([
        new Category(1, "Non classé"),
        selected,
        new Category(3, "Classe II irradié"),
        new Category(4, "Classe III")
    ]);
    
    this.selectedCategory = ko.observable(selected);
    

    示例:http: //jsfiddle.net/RfWVP/280/

您使用哪一个取决于您需要有关所选类别的哪些信息。

于 2013-03-23T16:42:31.597 回答