4

我发现了很多链接来验证字符串是否是日期。

喜欢这里这里

但无论如何我不知道如何验证我们是否有这个东西:

2012年 6 月 6 日,其中前6是月份,后 6是天

如果用户这样输入:

2012 年 6 月 6 日

任何线索如何以正确的方式完成?

谢谢!!

4

2 回答 2

20

在这里,这应该适用于任何具有 4 位数年份和任何分隔符的日期格式。我从我的插件Ideal Forms中提取了它,该插件可以验证日期等等。

var isValidDate = function (value, userFormat) {
  var

  userFormat = userFormat || 'mm/dd/yyyy', // default format

  delimiter = /[^mdy]/.exec(userFormat)[0],
  theFormat = userFormat.split(delimiter),
  theDate = value.split(delimiter),

  isDate = function (date, format) {
    var m, d, y
    for (var i = 0, len = format.length; i < len; i++) {
      if (/m/.test(format[i])) m = date[i]
      if (/d/.test(format[i])) d = date[i]
      if (/y/.test(format[i])) y = date[i]
    }
    return (
      m > 0 && m < 13 &&
      y && y.length === 4 &&
      d > 0 && d <= (new Date(y, m, 0)).getDate()
    )
  }

  return isDate(theDate, theFormat)

}
于 2012-06-27T01:40:23.553 回答
5

使用正则表达式。

var dateRegEx = /^(0[1-9]|1[012]|[1-9])[- /.](0[1-9]|[12][0-9]|3[01]|[1-9])[- /.](19|20)\d\d$/

console.log("06/06/2012".match(dateRegEx) !== null) // true
console.log("6/6/2012".match(dateRegEx) !== null) // true
console.log("6/30/2012".match(dateRegEx) !== null) // true
console.log("30/06/2012".match(dateRegEx) !== null) // false

了解正则表达式。

编辑 - 免责声明

正如@elclanrs 指出的那样,这仅验证字符串的格式,而不是实际日期,这意味着像 2 月 31 日这样的日期将会过去。但是,由于 OP 只要求“验证日期字符串格式”,因此我将在此处保留此答案,因为对于某些人来说,这可能就是您所需要的。

请注意,OP 使用的jQuery Validation 插件也只验证格式。

最后,对于那些想知道,如果您需要验证日期而不仅仅是格式,这个正则表达式在(1-12)/(1-31)/( 1900- 2099)日期字符串。请不要在 JPL 的关键任务代码中使用它。

于 2012-06-27T01:51:02.840 回答