3

我有使用 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>

当我注释一行代码时,它起作用了。这很重要,因为在我的项目中我有一套新的验证规则,我无法重新制定它。如何向现有规则添加新规则?

4

1 回答 1

5

你的代码

//If comment this code line, it work!!!
$("#MyForm").validate({ onsubmit: true }); 

如果您注释掉整行,您将删除插件 的初始化方法!

这是一个有争议的问题,因为您的代码在这两种情况下都不起作用。见这里这里

您必须纠正以下问题:


1) onsubmit: true已经是默认 行为,因此通过将其设置为true,您会破坏插件。如果您希望在单击submit按钮时进行验证,请忽略此选项。

请参阅文档onsubmit

onsubmit(默认值:true):
在提交时验证表单。设置为false仅使用其他事件进行验证。设置为 Function 以自行决定何时运行验证。布尔值true不是有效值


2)你的代码:$("#MyForm").rules("add"...

您不应该将该.rules()方法附加到form. 你只将它附加到一个field元素......

$('input[name="dner"]').rules("add", {
    MyFunction: true
});

请参阅文档

要一次将此方法应用于多个字段,请使用 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
}

有关示例,请参阅文档


4)您的自定义方法可以压缩...

$.validator.addMethod("MyFunction", function (value, element) {
   return ($("input:checked").length > 0) 
}, "Пустое поле");

如果您宁愿使用 an 而alert()不是label消息,则可以将其放回原处。尽管我不建议alert()在任何现代设计中使用 a 。


应用了所有更改的演示:http : //jsfiddle.net/sqKta/

于 2013-09-25T17:39:57.877 回答