SimpleDateFormat为什么是线程不安全的?

在这里插入图片描述

目录

      • 在日常开发中,Date工具类使用频率相对较高,大家通常都会这样写:
      • 这很简单啊,有什么争议吗?
      • 格式化后出现的时间错乱。
      • 看看Java 8是如何解决时区问题的:
      • 在处理带时区的国际化时间问题,推荐使用jdk8的日期时间类:
      • 在与前端联调时,报了个错,```java.lang.NumberFormatException: multiple points```,起初我以为是时间格式传的不对,仔细一看,不对啊。
      • 看一下```SimpleDateFormat.parse```的源码:

大家好,我是哪吒。

在日常开发中,Date工具类使用频率相对较高,大家通常都会这样写:

public static Date getData(String date) throws ParseException {SimpleDateFormat sdf = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss");return sdf.parse(date);
}public static Date getDataByFormat(String date, String format) throws ParseException {SimpleDateFormat sdf = new SimpleDateFormat(format);return sdf.parse(date);
}

这很简单啊,有什么争议吗?

你应该听过“时区”这个名词,大家也都知道,相同时刻不同时区的时间是不一样的。

因此在使用时间时,一定要给出时区信息。

public static void getDataByZone(String param, String format) throws ParseException {SimpleDateFormat sdf = new SimpleDateFormat(format);// 默认时区解析时间表示Date date = sdf.parse(param);System.out.println(date + ":" + date.getTime());// 东京时区解析时间表示sdf.setTimeZone(TimeZone.getTimeZone("Asia/Tokyo"));Date newYorkDate = sdf.parse(param);System.out.println(newYorkDate + ":" + newYorkDate.getTime());
}public static void main(String[] args) throws ParseException {getDataByZone("2023-11-10 10:00:00","yyyy-MM-dd HH:mm:ss");
}

对于当前的上海时区和纽约时区,转化为 UTC 时间戳是不同的时间。

对于同一个本地时间的表示,不同时区的人解析得到的 UTC 时间一定是不同的,反过来不同的本地时间可能对应同一个 UTC。

在这里插入图片描述

格式化后出现的时间错乱。

public static void getDataByZoneFormat(String param, String format) throws ParseException {SimpleDateFormat sdf = new SimpleDateFormat(format);Date date = sdf.parse(param);// 默认时区格式化输出System.out.println(new SimpleDateFormat("[yyyy-MM-dd HH:mm:ss Z]").format(date));// 东京时区格式化输出TimeZone.setDefault(TimeZone.getTimeZone("Asia/Tokyo"));System.out.println(new SimpleDateFormat("[yyyy-MM-dd HH:mm:ss Z]").format(date));
}public static void main(String[] args) throws ParseException {getDataByZoneFormat("2023-11-10 10:00:00","yyyy-MM-dd HH:mm:ss");
}

我当前时区的 Offset(时差)是 +8 小时,对于 +9 小时的纽约,整整差了1个小时,北京早上 10 点对应早上东京 11 点。

在这里插入图片描述

看看Java 8是如何解决时区问题的:

Java 8 推出了新的时间日期类 ZoneId、ZoneOffset、LocalDateTime、ZonedDateTime 和 DateTimeFormatter,处理时区问题更简单清晰。

public static void getDataByZoneFormat8(String param, String format) throws ParseException {ZoneId zone = ZoneId.of("Asia/Shanghai");ZoneId tokyoZone = ZoneId.of("Asia/Tokyo");ZoneId timeZone = ZoneOffset.ofHours(2);// 格式化器DateTimeFormatter dtf = DateTimeFormatter.ofPattern(format);ZonedDateTime date = ZonedDateTime.of(LocalDateTime.parse(param, dtf), zone);// withZone设置时区DateTimeFormatter dtfz = DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss Z");System.out.println(dtfz.withZone(zone).format(date));System.out.println(dtfz.withZone(tokyoZone).format(date));System.out.println(dtfz.withZone(timeZone).format(date));
}public static void main(String[] args) throws ParseException {getDataByZoneFormat8("2023-11-10 10:00:00","yyyy-MM-dd HH:mm:ss");
}
  • Asia/Shanghai对应+8,对应2023-11-10 10:00:00;
  • Asia/Tokyo对应+9,对应2023-11-10 11:00:00;
  • timeZone 是+2,所以对应2023-11-10 04:00:00;

在这里插入图片描述

在处理带时区的国际化时间问题,推荐使用jdk8的日期时间类:

  1. 通过ZoneId,定义时区;
  2. 使用ZonedDateTime保存时间;
  3. 通过withZone对DateTimeFormatter设置时区;
  4. 进行时间格式化得到本地时间;

思路比较清晰,不容易出错。

在与前端联调时,报了个错,java.lang.NumberFormatException: multiple points,起初我以为是时间格式传的不对,仔细一看,不对啊。

百度一下,才知道是高并发情况下SimpleDateFormat有线程安全的问题。

下面通过模拟高并发,把这个问题复现一下:

public static void getDataByThread(String param, String format) throws InterruptedException {ExecutorService threadPool = Executors.newFixedThreadPool(5);SimpleDateFormat sdf = new SimpleDateFormat(format);// 模拟并发环境,开启5个并发线程for (int i = 0; i < 5; i++) {threadPool.execute(() -> {for (int j = 0; j < 2; j++) {try {System.out.println(sdf.parse(param));} catch (ParseException e) {System.out.println(e);}}});}threadPool.shutdown();threadPool.awaitTermination(1, TimeUnit.HOURS);
}

果不其然,报错。还将2023年转换成2220年,我勒个乖乖。

在时间工具类里,时间格式化,我都是这样弄的啊,没问题啊,为啥这个不行?原来是因为共用了同一个SimpleDateFormat,在工具类里,一个线程一个SimpleDateFormat,当然没问题啦!

在这里插入图片描述

可以通过TreadLocal 局部变量,解决SimpleDateFormat的线程安全问题。

public static void getDataByThreadLocal(String time, String format) throws InterruptedException {ExecutorService threadPool = Executors.newFixedThreadPool(5);ThreadLocal<SimpleDateFormat> sdf = new ThreadLocal<SimpleDateFormat>() {@Overrideprotected SimpleDateFormat initialValue() {return new SimpleDateFormat(format);}};// 模拟并发环境,开启5个并发线程for (int i = 0; i < 5; i++) {threadPool.execute(() -> {for (int j = 0; j < 2; j++) {try {System.out.println(sdf.get().parse(time));} catch (ParseException e) {System.out.println(e);}}});}threadPool.shutdown();threadPool.awaitTermination(1, TimeUnit.HOURS);
}

在这里插入图片描述

看一下SimpleDateFormat.parse的源码:

public class SimpleDateFormat extends DateFormat {@Overridepublic Date parse(String text, ParsePosition pos){CalendarBuilder calb = new CalendarBuilder();Date parsedDate;try {parsedDate = calb.establish(calendar).getTime();// If the year value is ambiguous,// then the two-digit year == the default start yearif (ambiguousYear[0]) {if (parsedDate.before(defaultCenturyStart)) {parsedDate = calb.addYear(100).establish(calendar).getTime();}}}}
}class CalendarBuilder {Calendar establish(Calendar cal) {boolean weekDate = isSet(WEEK_YEAR)&& field[WEEK_YEAR] > field[YEAR];if (weekDate && !cal.isWeekDateSupported()) {// Use YEAR insteadif (!isSet(YEAR)) {set(YEAR, field[MAX_FIELD + WEEK_YEAR]);}weekDate = false;}cal.clear();// Set the fields from the min stamp to the max stamp so that// the field resolution works in the Calendar.for (int stamp = MINIMUM_USER_STAMP; stamp < nextStamp; stamp++) {for (int index = 0; index <= maxFieldIndex; index++) {if (field[index] == stamp) {cal.set(index, field[MAX_FIELD + index]);break;}}}...}
}
  1. 先new CalendarBuilder();
  2. 通过parsedDate = calb.establish(calendar).getTime();解析时间;
  3. establish方法内先cal.clear(),再重新构建cal,整个操作没有加锁;

上面几步就会导致在高并发场景下,线程1正在操作一个Calendar,此时线程2又来了。线程1还没来得及处理 Calendar 就被线程2清空了。

因此,通过编写Date工具类,一个线程一个SimpleDateFormat,还是有一定道理的。


🏆哪吒多年工作总结:Java学习路线总结,搬砖工逆袭Java架构师

华为OD机试 2023B卷题库疯狂收录中,刷题点这里

刷的越多,抽中的概率越大,每一题都有详细的答题思路、详细的代码注释、样例测试,发现新题目,随时更新,全天CSDN在线答疑。

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.hqwc.cn/news/478840.html

如若内容造成侵权/违法违规/事实不符,请联系编程知识网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

知识产权-

知识产权 《中华人民共和国著作权法》 《中华人民共和国著作权法》是为了保护文学、艺术和科学作品作者的著作权及与著作权有关的权益。《中华人民共和国著作权法》中涉及到的作品的概念是文学、艺术和自然科学、社会科学、工程技术等作品,具体来说,这些作品包括以下九类: …

数据仓库选型建议

1 数仓分层 1.1 数仓分层的意义 **数据复用&#xff0c;减少重复开发&#xff1a;**规范数据分层&#xff0c;开发一些通用的中间层数据&#xff0c;能够减少极大的重复计算。数据的逐层加工原则&#xff0c;下层包含了上层数据加工所需要的全量数据&#xff0c;这样的加工方…

c编译器学习02:chibicc文档翻译

目的 先粗略地看一遍作者的书籍。 原文档地址 https://www.sigbus.info/compilerbook# “低レイヤを知りたい人のためのCコンパイラ作成入門” 为想了解底层的人准备的C编译器制作入门 Rui Ueyama ruiucs.stanford.edu 2020-03-16 作者简介 https://www.sigbus.info/ 植山…

【每周AI简讯】OpenAI推出王炸文生视频模型Sora

ChatGPT中文版https://ai7.pro OpenAI推出王炸文生视频模型Sora OpenAI 宣布推出名为 Sora 的新型文本到视频模型。Sora 能根据用户的文本提示&#xff0c;生成长达一分钟的逼真视频。它可以创造出细节丰富的场景、复杂的摄影机运动以及表情丰富的多个角色。Sora 是一种扩散模…

MIT-BEVFusion系列九--CUDA-BEVFusion部署2 create_core之参数设置

目录 加载命令行参数main 函数中的 create_core图像归一化参数体素化参数稀疏卷积网络参数真实世界几何空间参数 (雷达坐标系下体素网格的参数)解码后边界框的参数构建 bevfusion::Core 存储推理时需要的参数 本章开始&#xff0c;我们将一起看CUDA-BEVFusion的代码流程&#x…

计算机网络——20面向连接的传输:TCP

面向连接的传输&#xff1a;TCP TCP&#xff1a;概述 点对点 一个发送方、一个接收方 可靠的、按顺序的字节流 没有报文边界 管道化&#xff08;流水线&#xff09; TCP拥塞控制和流量控制设置窗口大小 发送和接收缓存 全双工数据 在同一连接中数据流双向流动MSS&…

读书笔记之《心理学与决策技巧》:股票投资中的决策思维陷阱

《心理学与决策技巧——明智决策必须避免的62个思维陷阱》作者是(意)利玛窦墨特里尼 &#xff0c;于2017-4-1出版&#xff0c;意大利原文标题为&#xff1a;Economa emocional&#xff0c; En qu nos gastamos el dinero y por qu 利玛窦墨特里尼&#xff08;Matteo Motterlin…

威尔金森功分器基本原理学习笔记

威尔金森功分器基本原理 威尔金森功率分配器的功能是将输入信号等分或不等分的分配到各个输出端口&#xff0c;并保持相同输出相位。环形器虽然有类似功能&#xff0c;但威尔金森功率分配器在应用上具有更宽的带宽。微带形功分器的电路结构如图所示&#xff0c;其中&#xff0…

正大国际期货:春节网络支付超11万亿!你贡献了多少?

龙年春节渐渐远去&#xff0c;节日的浓烈氛围在一组组支付大数据中得到了有力体现。2月19日&#xff0c;北京商报记者梳理多份春节支付相关交易数据发现&#xff0c;龙年春节极大程度地点燃了人们的出行及消费热情&#xff0c;再次成为全球旅游消费的高峰期。与此同时&#xff…

Android---Retrofit实现网络请求:Java 版

简介 在 Android 开发中&#xff0c;网络请求是一个极为关键的部分。Retrofit 作为一个强大的网络请求库&#xff0c;能够简化开发流程&#xff0c;提供高效的网络请求能力。 Retrofit 是一个建立在 OkHttp 基础之上的网络请求库&#xff0c;能够将我们定义的 Java 接口转化为…

跳过测试方法(测试类)(@Ignore)

1.什么情况下要使用跳过测试(测试类)方法? 写了一个测试方法但是不想执行 删掉该测试方法&#xff08;测试类&#xff09;注释该测试方法&#xff08;测试类&#xff09;使用Ignore注解 2.示例 2.1 必要工作 导入类库 import org.junit.Ignore; 2.2 使用Ignore注解跳过…

人工智能_PIP3安装使用国内镜像源_安装GIT_普通服务器CPU_安装清华开源人工智能AI大模型ChatGlm-6B_002---人工智能工作笔记0097

接着上一节来看,可以看到,这里 创建软连接以后 [root@localhost Python-3.10.8]# ln -s /usr/local/python3/bin/python3 /usr/bin/python3 [root@localhost Python-3.10.8]# python3 -V Python 3.10.8 [root@localhost Python-3.10.8]# pwd /usr/local/Python-3.10.8 [root@…