前言
之前就看资料说SimpleDateFormat是线程不安全的,正好框架里面有自己的DataUtils类,正好优化并学习一下
环境
jdk1.7
测试框架中代码
开20个线程去格式日期
运行结果
分析错误日志有如下错误
- 会出现日期不对的情况
- java.lang.NumberFormatException: For input string xxx
- java.lang.NumberFormatException: multiple points
错误原因分析
首先看代码是如何写的
DateFormat是枚举,定义了各种日期格式
代码本质还是获取一个 静态 的 SimpleDateFormat 对象,引入Map是为了提高效率。
那么在多线程的情况下SimpleDateFormat对象实例就会 被多个线程共享 ,通过看源码找原因
重点关注 calendar.clear() , calendar.getTime() 方法,SimpleDateFormat的parse方法实际操作的就是 Calendar 。
因为我们声明SimpleDateFormat为static变量,那么它的Calendar变量也就是一个共享变量,可以被多个线程访问。
假设线程A执行完calendar.clear()方法,这时候被挂起,线程B获得CPU执行权。线程B执行到了calendar.getTime()方法就获取到空值了,而这就是引发问题的根源,出现时间不对,线程挂死等等。
其实SimpleDateFormat源码上作者也给过我们提示:
解决办法
只要在用的时候创建新实例,不用static修饰。
1234public static Date parse(String strDate) throws ParseException{SimpleDateFormat sdf = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss");return sdf.parse(strDate);}如上代码,仅在需要用到的地方创建一个新的实例,就没有线程安全问题,不过也加重了创建对象的负担,会频繁地创建和销毁对象,效率较低。
使用synchronized来SimpleDateFormat对象
1234567private static SimpleDateFormat sdf = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss");public static Date parse(String strDate) throws ParseException{synchronized(sdf){return sdf.parse(strDate);}}当线程较多时,当一个线程调用该方法时,其他想要调用此方法的线程就要block,多线程并发量大的时候会对性能有一定的影响。
使用ThreadLocal
12345678910private static ThreadLocal<DateFormat> threadLocal = new ThreadLocal<DateFormat>() {@Overrideprotected DateFormat initialValue() {return new SimpleDateFormat("yyyy-MM-dd HH:mm:ss");}};public static Date parse(String dateStr) throws ParseException {return threadLocal.get().parse(dateStr);}使用ThreadLocal, 也是将共享变量变为独享,线程独享肯定能比方法独享在并发环境中能减少不少创建对象的开销。如果对性能要求比较高的情况下,一般推荐使用这种方法。
优化框架代码
作为框架代码必须要保证性能要求,用ThreadLocal来优化代码
用同样的测试代码测试,结果如下
结语
我们要站在巨人的肩膀上来做事,如果是jdk1.8 可以使用DateTimeFormatter对象来解析或格式化日期;或直接使用Joda-Time类库来处理时间相关问题。
参考
还在使用SimpleDateFormat?你的项目崩没?
深入理解Java:SimpleDateFormat安全的时间格式化