jquery 使用 bootstrap 选择器在 @Html.DropDownListFor 上验证

jquery validate on @Html.DropDownListFor with bootstrap selectpicker

我有一个 form 说我有 2 个控件。已使用 bootstrap-selectpickertextbox 自定义的 select 控件,它们是 strongly typedviewmodel。以下是项目结构的详细信息,这里是 DEMO and validation is using jquery-validate

SampleViewModel.cs

public class SampleViewModel
{
        [Required(ErrorMessage="Please Select a Role")]
        //Not sure whether Required has to be assigned to RoleId or Roles
        public int RoleId { get; set; }
        public SelectList Roles { get; set; }
        [Required(ErrorMessage="Please Enter a name")]
        public string name{get;set;}
}

查看

<div class="container">
    <div class="col-md-6 col-md-offset-3">
        <h1>Hello Stranger</h1>
            @using (Html.BeginForm("", "", FormMethod.Post, 
                             new { enctype = "multipart/form-data", id="frmSample" }))
            {
                <div class="form-group">
                    @Html.DropDownListFor(m => m.RoleId, Model.Roles, "Please Select your Country", new{@class="selectpicker"})
                    @Html.ValidationMessageFor(m=>m.RoleId)
                </div>
                <div class="form-group">
                    @Html.TextBoxFor(m => m.name, null, new{@class="form-control"}) 
                    @Html.ValidationMessageFor(m=>m.name)
                </div>
                <button type="button" class="btn btn-success submit">Ask</button>
            }
            <br/><br/>
        </div>
</div>

控制器

public class HomeController : Controller
{
    [HttpGet]
    public ActionResult Index()
    {
        SampleViewModel model=new SampleViewModel();
        model.Roles = new SelectList(new string[] { "Admin", "Manager" });
        return View(model);
    }
}

JS

$(document).ready(function(){
    $('.selectpicker').selectpicker();
    $("#frmSample").validate({
        onfocusout: true
    });
});
$('.submit').on('click',function(){
    if($("#frmSample").valid())
        alert(true);
});

问题

非常感谢对此的任何帮助。

您的 jquery 插件隐藏了 DropDownListFor() 方法生成的 <select> 元素 (display:none;) 并添加了它自己的 html。默认情况下,jquery.validate.js 不验证隐藏输入,因此您需要使用

覆盖此行为
$.validator.setDefaults({ 
  ignore: []
});

请注意,这将验证所有隐藏的输入,因此仅验证此输入,您可以使用 ignore: ":hidden:not('#RoleId')"

此外,您还有其他错误。您的 RoleId 属性 是 typeof int 但您的 SelectList 将生成值为 strings 的选项("Admin" 和 "Manager")并且不能绑定到 int。要么将 属性 更改为 string RoleId,要么创建一个值为 typeof intSelectList。例如,如果您有一个 Roles table 字段 int IDstring Name,那么

var roles = db.Roles();
model.Roles = new SelectList(roles, "ID", "Name");

model.Roles = roles.Select(r => new SelectListItem()
{
  Value = r.ID.ToString(),
  Text = r.Name
};

参考DotNetFiddle