我正在使用优秀的 jQuery验证插件来验证一些表单。在一个表单上,我需要确保用户至少填写一组字段中的一个。我想我已经有了一个很好的解决方案,并想与大家分享。请提出你能想到的任何改进建议。
找不到内置的方法来做到这一点,我搜索并找到了 瑞贝卡 · 墨菲的定制验证方法,这是非常有帮助的。
我从三个方面改进了它:
你可以说 “必须填充至少与选择器 Y 匹配的 X 个输入”
使用这样的标记的最终结果是:
<input class="productinfo" name="partnumber">
<input class="productinfo" name="description">
是这样一组规则:
// Both these inputs input will validate if
// at least 1 input with class 'productinfo' is filled
partnumber: {
require_from_group: [1,".productinfo"]
}
description: {
require_from_group: [1,".productinfo"]
}
第3项假设在成功验证后向错误消息添加了 .checked
类。你可以这样做,如下,就像这里展示的一样。
success: function(label) {
label.html(" ").addClass("checked");
}
与上面链接的演示一样,我使用 CSS 为每个 span.error
提供一个 X 图像作为背景,除非它具有类 .checked
,在这种情况下,它会得到一个复选标记图像。
以下是我目前的代码:
jQuery.validator.addMethod("require_from_group", function(value, element, options) {
var numberRequired = options[0];
var selector = options[1];
//Look for our selector within the parent form
var validOrNot = $(selector, element.form).filter(function() {
// Each field is kept if it has a value
return $(this).val();
// Set to true if there are enough, else to false
}).length >= numberRequired;
// The elegent part - this element needs to check the others that match the
// selector, but we don't want to set off a feedback loop where each element
// has to check each other element. It would be like:
// Element 1: "I might be valid if you're valid. Are you?"
// Element 2: "Let's see. I might be valid if YOU'RE valid. Are you?"
// Element 1: "Let's see. I might be valid if YOU'RE valid. Are you?"
// ...etc, until we get a "too much recursion" error.
//
// So instead we
// 1) Flag all matching elements as 'currently being validated'
// using jQuery's .data()
// 2) Re-run validation on each of them. Since the others are now
// flagged as being in the process, they will skip this section,
// and therefore won't turn around and validate everything else
// 3) Once that's done, we remove the 'currently being validated' flag
// from all the elements
if(!$(element).data('being_validated')) {
var fields = $(selector, element.form);
fields.data('being_validated', true);
// .valid() means "validate using all applicable rules" (which
// includes this one)
fields.valid();
fields.data('being_validated', false);
}
return validOrNot;
// {0} below is the 0th item in the options field
}, jQuery.format("Please fill out at least {0} of these fields."));
万岁!
现在对于这个大喊——最初,我的代码只是盲目地隐藏了其他匹配字段上的错误消息,而不是重新验证它们,这意味着如果存在其他问题(比如“只允许输入数字,而且你输入了字母”) ,它会被隐藏,直到用户试图提交。这是因为我不知道如何避免上面评论中提到的反馈循环。我知道一定有办法,所以 我问了一个问题和 Nick Craver启发了我。谢谢,尼克!
这原本是一个“让我分享这一点,看看是否有人可以提出改进”的类型的问题。虽然我仍然欢迎反馈,但我认为在这一点上已经相当完整了。(它可以更短,但我希望它易于阅读,不一定要简洁。)好好享受吧!
这是2012年4月3日的 正式添加到 jQuery 验证。