需求:因为系统有很多日期格式,所以日期验证函数的输入是一个日期字符串和一个格式字符串。格式字符串用的是Java定义的格式(参考地址)。
刚开始写时,觉得很简单,直接就写了下面的代码。
代码如下 | 复制代码 |
public static boolean isDate(String dttm, String format) { boolean retValue = false; if (dttm != null) { SimpleDateFormat formatter = new SimpleDateFormat(format); try { formatter.parse(dttm); retValue = true; } catch (ParseException e) { } } return retValue; } |
写好之后,一测试,发现2012/12/43这种日期居然也返回True,于是查资料,设置转化时不进位formatter.setLenient(false);之后好用了,代码为
代码如下 | 复制代码 |
public static boolean isDate(String dttm, String format) { boolean retValue = false; if (dttm != null) { SimpleDateFormat formatter = new SimpleDateFormat(format); formatter.setLenient(false); try { formatter.parse(dttm); retValue = true; } catch (ParseException e) { } } return retValue; } |
写到这里,以为万事大吉了。但之后的测试却发现,当日期有分隔符时,只会转换前一部分,比如2012/12/43ABCD也会返回True。想了一下,觉得先转为日期型,再转为字符串,再比较两者是否相等,但马上就否决了这个方案,因为客户要求的是不严格的日期形式,如格式为yyyy/MM/dd,输入2012/1/2也需要验证通过。然后考虑了一下,觉得先用正则表达式做一次验证,然后再验证是否是日期型。代码如下
代码如下 | 复制代码 |
public static boolean isDate(String dttm, String format) { boolean retValue = false; if (dttm == null || dttm.isEmpty() || format == null || format.isEmpty()) { String regFormat = format; SimpleDateFormat formatter = new SimpleDateFormat(format); return retValue; |
上面的代码只对应了yMdHmsS,虽然对当时的系统已经足够了,但还是感觉不太爽,觉得应该有一种通用的方法。于是查Java的API,发现parse方法还有一个带参数的方法。理解了它的使用方法之后,把代码改成下面的样子
代码如下 | 复制代码 |
private static boolean isDate(String dttm, String format) { if (dttm == null || dttm.isEmpty() || format == null || format.isEmpty()) { return false; } DateFormat formatter = new SimpleDateFormat(format); if (date == null || pos.getErrorIndex() > 0) { return true; |
本来以为这样应该万事大吉了,但之后的测试又发现两个Bug。一个是,当输入的日期没有年份(需求是没有输入年份是默认当前年份)时,默认取的是1970年,这样的话,如果当年是闰年的话,2/29号就验证出错了;另一个是Java的日期和Oracle的日期大小不同,Oracle好像最大只支持到9999年,而Java可以有2万多年。所以代码又被改成了下面的样子
代码如下 | 复制代码 |
private static boolean isDate(String dttm, String format) { if (dttm == null || dttm.isEmpty() || format == null || format.isEmpty()) { return false; } if (format.replaceAll("'.+?'", "").indexOf("y") < 0) { DateFormat formatter = new SimpleDateFormat(format); if (date == null || pos.getErrorIndex() > 0) { if (formatter.getCalendar().get(Calendar.YEAR) > 9999) { return true; |