23

我有 2 个从服务器 A 和 B 获得的值。我一次只能有一个 true。

同样,我需要的是一次检查一台收音机,因此只有一个真实值。

var viewModel = {
    radioSelectedOptionValue: ko.observable("false"),
    A: ko.observable("false"),
    B: ko.observable("false") 
};
ko.applyBindings(viewModel);
<script src="https://cdnjs.cloudflare.com/ajax/libs/knockout/2.1.0/knockout-min.js"></script>
<div class='liveExample'>    
        <h3>Radio View model</h3>
        <table>
        <tr>
            <td class="label">Radio buttons:</td>
            <td>
                <label><input name="Test" type="radio" value="True" data-bind="checked: A" />Alpha</label>
                <label><input name="Test" type="radio" value="True" data-bind="checked: B" />Beta</label>
            </td>
        </tr>
    </table>  
    A-<span data-bind="text: A"></span>
    B-<span data-bind="text: B"></span>
</div>

4

2 回答 2

31

Knockout 3.x 添加了 checkedValue 绑定选项。这允许您指定字符串以外的值。

    <input name="Test" type="radio" data-bind="checked: radioSelectedOptionValue, checkedValue: true" />
    <input name="Test" type="radio" data-bind="checked: radioSelectedOptionValue, checkedValue: false" />

http://jsfiddle.net/t73d435v/

于 2015-09-08T16:13:25.510 回答
30

单选按钮和复选框的checked绑定工作方式不同:

文档中:

对于单选按钮,当且仅当参数值等于单选按钮节点的value属性时,KO 将设置要检查的元素 。所以,你的参数值应该是一个字符串

因此,您需要将value输入的属性设置为“A”和“B”,然后radioSelectedOptionValue根据选择的选项绑定到将包含“A”或“B”的属性:

<label>
    <input name="Test" type="radio" value="A" 
             data-bind="checked: radioSelectedOptionValue" />
    Alpha
</label>
<label>
    <input name="Test" type="radio" value="B" 
             data-bind="checked: radioSelectedOptionValue" />
    Beta
</label>

如果你想保留你的布尔属性:AB,你需要使它们ko.computed(只读,可写),这将使用/转换的值radioSelectedOptionValue

this.radioSelectedOptionValue = ko.observable();
this.A = ko.computed( {
        read: function() {
            return this.radioSelectedOptionValue() == "A";
        },
        write: function(value) {
            if (value)
                this.radioSelectedOptionValue("A");
        }
    }, this);

演示JSFiddle。

于 2013-04-28T06:15:02.633 回答