0

我有几个RadioButtonFor(剃刀),我正在尝试制作一个 JQuery 脚本,当您检查另一个按钮时取消选中其他按钮。

我有一个模型,其中包含要传递给 Html Helper 和打印机名称的布尔数组:

public class Mymodel
{    
    public List<PrinterModel> printers { get; set; }
    public bool noDefault { get; set; }
}

PrinterModel的如下:

public class Printermodel
{
    public bool selected { get; set; }
    public string printerName { get; set; }
}

在我看来,这给出了:

@using (Html.BeginForm()
{
<div class="form-group">
    for (var i = 0; i < Model.printers.Count(); i++)
    {
        @Html.RadioButtonFor(m => m.printers[i].selected, new { @class = "default" });
        @Html.Label(Model.printers[i].printerName);
        <br/>
    }
    @Html.RadioButtonFor(m=>m.noDefaultRadio, new { @class = "noDefault", @checked= "checked" });
    @Html.Label("No default printer");
</div>
}

我知道我可以.prop('checked', false)在 JQuery 中使用来取消选中单选框,所以我在第一次播放时尝试取消选中默认按钮:

$('.default').change(function () {
    if ($('.default:checked').length > 0) {
        $('.noDefault').prop('checked', false);
    }
    else {
        $('.noDefault').prop('checked', true);
    }
});

这什么也没做,但适用于复选框,为什么?

另外,默认情况下@checked="checked"不会RadioButtonFor选中,我也尝试过@checked = true哪个也不起作用。

有任何想法吗?

编辑当尝试name="default"按照建议使用时,我在导航器中检查页面时看到以下输入:

<input data-val="true" id="printers_0__primarySelected" name="printers[0].primarySelected" type="radio" value="{ disabled = disabled }"
4

2 回答 2

1

你可以让单选按钮成为组的一部分吗?您尝试做的事情听起来像是默认行为。

您可以name = "printerGroup"在 RadioButtonFor 调用中将(或类似的)添加到您的 HTML 属性中以将它们组合在一起吗?

更新:

退后一步,听起来您想要选择 1 个单选按钮。提交后,您应该希望将 selectedId 或某些标识符传递回您的控制器。我希望进行以下更改。

模型

public class PrinterModel   
    {
        public int Id { get; set; }
        public string printerName { get; set; }
    }

public class MyModel
    {
        public List<PrinterModel> printers { get; set; } = new List<PrinterModel>();
        public string selectedId { get; set; } //This will be the id of what gets selected
    }

看法

@using (Html.BeginForm())
{
    <div class="form-group">
        @for (var i = 0; i < Model.printers.Count; i++)
        {
            @Html.RadioButtonFor(m => Model.selectedId, Model.printers[i].Id, new { name = "test" });
            @Html.Label(Model.printers[i].printerName);
            <br />
        }
        @Html.RadioButtonFor(m => Model.selectedId, "0", new { name = "test" })
        @Html.Label("No default printer")
    </div>
}

在您的控制器内部,您可以获取 selectedId 并对其执行某些操作,如果传入 0,则默认设置为 0(根据需要更改)。

于 2017-08-14T13:45:28.967 回答
0

使用click而不是change事件,因为一旦检查了无线电,change事件就不会再次触发。

$('.default').click(function () {
    if ($('.default:checked').length > 0) {
        $('.noDefault').prop('checked', false);
    }
    else {
        $('.noDefault').prop('checked', false);
    }
});
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script>
Check .default <input type="radio" name="one" class="default" /> <br/>
Check .noDefault <input type="radio" name="two" class="noDefault" checked /> <br/>

于 2017-08-14T13:44:28.203 回答