我有使用jQuery验证的项目。 这是我的代码:
<script type="text/javascript" src="Scripts/jquery-1.5.1.js"></script>
<script type="text/javascript" src="Scripts/jquery.validate.js"></script>
<form action="/" id="MyForm" onsubmit="greeting()">
<input type="checkbox" value="val1" name="dner" />
<input type="submit" value="Submit" />
</form>
<script type="text/javascript">
function greeting() {
return $("#MyForm").valid();
}
$(document).ready(function () {
$("#MyForm").validate({ onsubmit: true }); //If comment this code line, it work!!!
$.validator.addMethod("MyFunction", function (value, element) {
if ($("input:checked").length > 0) { return true } else { alert("Пустое поле"); return false; }
},
"");
$("#MyForm").rules("add", { dner:{ MyFunction :true}});
});
</script>
当我评论一行代码时,它可以工作。这非常重要,因为在我的项目中,我有一套新的验证规则,我无法重新制作它。如何向现有规则添加新规则?
答案 0 :(得分:5)
您的代码:
//If comment this code line, it work!!!
$("#MyForm").validate({ onsubmit: true });
如果你注释掉整行,你将删除插件的初始化方法!
这是一个有争议的问题,因为你的代码在任何一种情况下都不起作用。请参阅here或here。
您必须纠正以下问题:
1)onsubmit: true
已经是 默认 行为,因此通过将其设置为true
,您可以打破插件。如果您希望在单击submit
按钮后进行验证,请保留此选项。
See documentation for onsubmit
:
onsubmit (默认值:true):
在提交时验证表单。设置为false
以仅使用其他事件进行验证。 设置为函数以自行决定何时运行验证。 布尔值true
不是有效值。
2)您的代码:$("#MyForm").rules("add"...
。
您不应将.rules()
方法附加到form
。您只能将其附加到field
元素...
$('input[name="dner"]').rules("add", {
MyFunction: true
});
请参阅documentation。
要一次将此方法应用于多个字段,请使用jQuery .each()
...
$('input[type="checkbox"]').each(function() {
$(this).rules("add", {
MyFunction: true
});
});
3)您不需要内联submit
处理程序:onsubmit="greeting()"
。使用jQuery时完全没有内联JavaScript。此外,submit
处理程序将干扰插件的内置submit
处理程序。如果您在使用此插件时需要在submit
事件上执行某些操作,请使用submitHandler
回调函数...
submitHandler: function(form) {
// fire this code when a valid form is submitted
return false; // prevent default form action, e.g. when using ajax()
}
如果您需要在表单无效时触发代码,请使用invalidHandler
回调...
invalidHandler: function(event, validator) {
// fire this code when an invalid form is submitted
}
有关示例,请参阅documentation。
4)您的自定义方法可以压缩......
$.validator.addMethod("MyFunction", function (value, element) {
return ($("input:checked").length > 0)
}, "Пустое поле");
如果您宁愿使用alert()
而不是label
消息,则可以将其放回去。虽然我不建议使用alert()
作为任何现代设计的一部分。
已应用所有更改的DEMO :http://jsfiddle.net/sqKta/