问题是因为 Safari 不能正确处理格式。JQuery 验证插件工具无法验证这种格式(仅发生在Chrome
和中Safari
)。要解决此问题,请修改验证插件。
如果你想定制它dd/mm/yy
,你可以这样做。
$.validator.addMethod(
"customdateValidateRule",
function(value, element) {
return value.match(/^\d{1,2}\/\d{1,2}\/\d{2}$/);
},
"Input a date format of dd/mm/yy:"
);
并将规则验证添加到您的表单中。
$('#myformname')
.validate({
rules : {
myDate : {
customdateValidateRule : true
}
}
});
如果你想添加测试方法,你应该能够做类似的事情。
var isdate = function(value) {
var isvalid = /^(\d{1,2})\/(\d{1,2})\/(\d{2})?$/;
return isvalid.test(value);
}
$.validator.addMethod(
"customdateValidateRule",
function(value, element) {
return isdate(value);
}
);
如果您需要正则表达式来验证dd/mm/yyyy
,请将其更改为..
/^\d{1,2}\/\d{1,2}\/\d{4}$/
为了验证您的日期细节23/August/2013
,您有几个选择。
有捷径:
/^\d{1,2}\/\b[a-zA-Z]+\/\d{4}$/
正则表达式解释:
^ the beginning of the string
\d{1,2} digits (0-9) (between 1 and 2 times)
\/ look for and match '/'
\b the boundary between a word char (\w)
[a-zA-Z]+ any character of: 'a' to 'z', 'A' to 'Z' (1 or more times)
\/ look for and match '/'
\d{4} digits (0-9) (4 times)
$ before an optional \n, and the end of the string
漫长的道路(具体验证):
/^\d{1,2}\/\b(?:Jan(?:uary)?|Feb(?:ruary)?|Mar(?:ch)?|Apr(?:il)?|
May|Jun(?:e)?|Jul(?:y)?|Aug(?:ust)?|Sept?|September|
Oct(?:ober)?|Nov(?:ember)?|Dec(?:ember)?)\/\d{4}$/
正则表达式解释:
^ the beginning of the string
\d{1,2} digits (0-9) (between 1 and 2 times)
\/ look for and match '/'
\b the boundary between a word char (\w)
(?: group, but do not capture:
Jan(?:uary)?| 'Jan', group but don't capture optional 'uary', OR
Feb(?:ruary)?| 'Feb', group but don't capture optional 'ruary', OR
Mar(?:ch)?| 'Mar', group but don't capture optional 'ch', OR
Apr(?:il)?| 'Apr', group but don't capture optional 'il', OR
May| 'May', OR
Jun(?:e)?| 'Jun', group but don't capture optional 'e', OR
Jul(?:y)?| 'Jul', group but don't capture optional 'y', OR
Aug(?:ust)?| 'Aug', group but don't capture optional 'ust', OR
Sept?| 'Sep', 't' optional, OR
September| 'September', OR
Oct(?:ober)?| 'Oct', group but don't capture optional 'ober', OR
Nov(?:ember)?| 'Nov', group but don't capture optional 'ember', OR
Dec(?:ember)? 'Dec', group but don't capture optional 'ember'
) end of grouping
\/ look for and match '/'
\d{4} digits (0-9) (4 times)
$ before an optional \n, and the end of the string