mysql时间戳14小时_SpringBoot时间戳与MySql数据库记录相差14小时排错

项目中遇到存储的时间戳与真实时间相差14小时的现象,以下为解决步骤.

问题

CREATE TABLE `incident` (

`id` int(11) NOT NULL AUTO_INCREMENT,

`created_time` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,

`recovery_time` timestamp NULL DEFAULT NULL,

PRIMARY KEY (`id`)

) ENGINE=InnoDB AUTO_INCREMENT=0 DEFAULT CHARSET=utf8mb4;

以上为数据库建表语句,其中created_time是插入记录时自动设置,recovery_time需要手动进行设置.

测试时发现,created_time为正确的北京时间,然而recovery_time则与设置时间相差14小时.

尝试措施

jvm时区设置

//设置jvm默认时间

System.setProperty("user.timezone", "UTC");

数据库时区查询

查看数据库时区设置:

show variables like '%time_zone%';

--- 查询结果如下所示:

--- system_time_zone: CST

--- time_zone:SYSTEM

美国中部时间 Central Standard Time (USA) UTC-06:00

澳大利亚中部时间 Central Standard Time (Australia) UTC+09:30

中国标准时 China Standard Time UTC+08:00

古巴标准时 Cuba Standard Time UTC-04:00

此处发现如果按照美国中部时间进行推算,相差14小时,与Bug吻合.

验证过程

MyBatis转换

代码中,时间戳使用Instant进行存储,因此跟踪package org.apache.ibatis.type下的InstantTypeHandler.

@UsesJava8

public class InstantTypeHandler extends BaseTypeHandler {

@Override

public void setNonNullParameter(PreparedStatement ps, int i, Instant parameter, JdbcType jdbcType) throws SQLException {

ps.setTimestamp(i, Timestamp.from(parameter));

}

//...代码shenglve

}

调试时发现parameter为正确的UTC时.

函数中调用Timestamp.from将Instant转换为Timestamp实例,检查无误.

/**

* Sets the designated parameter to the given java.sql.Timestamp value.

* The driver

* converts this to an SQL TIMESTAMP value when it sends it to the

* database.

*

* @param parameterIndex the first parameter is 1, the second is 2, ...

* @param x the parameter value

* @exception SQLException if parameterIndex does not correspond to a parameter

* marker in the SQL statement; if a database access error occurs or

* this method is called on a closed PreparedStatement */

void setTimestamp(int parameterIndex, java.sql.Timestamp x)

throws SQLException;

继续跟踪setTimestamp接口,其具体解释见代码注释.

Sql Driver转换

项目使用com.mysql.cj.jdbc驱动,跟踪其setTimestamp在ClientPreparedStatement类下的具体实现(PreparedStatementWrapper类下实现未进入).

@Override

public void setTimestamp(int parameterIndex, Timestamp x) throws java.sql.SQLException {

synchronized (checkClosed().getConnectionMutex()) {

((PreparedQuery>) this.query).getQueryBindings().setTimestamp(getCoreParameterIndex(parameterIndex), x);

}

}

继续跟踪上端代码中的getQueryBindings().setTimestamp()实现(com.mysql.cj.ClientPreparedQueryBindings).

@Override

public void setTimestamp(int parameterIndex, Timestamp x, Calendar targetCalendar, int fractionalLength) {

if (x == null) {

setNull(parameterIndex);

} else {

x = (Timestamp) x.clone();

if (!this.session.getServerSession().getCapabilities().serverSupportsFracSecs()

|| !this.sendFractionalSeconds.getValue() && fractionalLength == 0) {

x = TimeUtil.truncateFractionalSeconds(x);

}

if (fractionalLength < 0) {

// default to 6 fractional positions

fractionalLength = 6;

}

x = TimeUtil.adjustTimestampNanosPrecision(x, fractionalLength, !this.session.getServerSession().isServerTruncatesFracSecs());

//注意此处时区转换

this.tsdf = TimeUtil.getSimpleDateFormat(this.tsdf, "''yyyy-MM-dd HH:mm:ss", targetCalendar,

targetCalendar != null ? null : this.session.getServerSession().getDefaultTimeZone());

StringBuffer buf = new StringBuffer();

buf.append(this.tsdf.format(x));

if (this.session.getServerSession().getCapabilities().serverSupportsFracSecs()) {

buf.append('.');

buf.append(TimeUtil.formatNanos(x.getNanos(), 6));

}

buf.append('\'');

setValue(parameterIndex, buf.toString(), MysqlType.TIMESTAMP);

}

}

注意此处时区转换,会调用如下语句获取默认时区:

this.session.getServerSession().getDefaultTimeZone()

获取TimeZone数据,具体如下图所示:

c5dcfbac7f9f6a3de922d5541a6db914.png

检查TimeZone类中offset含义,具体如下所示:

/**

* Gets the time zone offset, for current date, modified in case of

* daylight savings. This is the offset to add to UTC to get local time.

*

* This method returns a historically correct offset if an

* underlying TimeZone implementation subclass

* supports historical Daylight Saving Time schedule and GMT

* offset changes.

*

* @param era the era of the given date.

* @param year the year in the given date.

* @param month the month in the given date.

* Month is 0-based. e.g., 0 for January.

* @param day the day-in-month of the given date.

* @param dayOfWeek the day-of-week of the given date.

* @param milliseconds the milliseconds in day in standard

* local time.

*

* @return the offset in milliseconds to add to GMT to get local time.

*

* @see Calendar#ZONE_OFFSET

* @see Calendar#DST_OFFSET

*/

public abstract int getOffset(int era, int year, int month, int day,

int dayOfWeek, int milliseconds);

offset表示本地时间与UTC时的时间间隔(ms).

计算数值offset,发现其表示美国中部时间,即UTC-06:00.

Driver推断Session时区为UTC-6;

Driver将Timestamp转换为UTC-6的String;

MySql认为Session时区在UTC+8,将String转换为UTC+8.

因此,最终结果相差14小时,bug源头找到.

解决方案

参照https://juejin.im/post/5902e087da2f60005df05c3d.

mysql> set global time_zone = '+08:00';

Query OK, 0 rows affected (0.00 sec)

mysql> set time_zone = '+08:00';

Query OK, 0 rows affected (0.00 sec)

告知运维设置时区,重启MySql服务,问题解决.

此外,作为防御措施,可以在jdbc url中设置时区(如此设置可以不用修改MySql配置):

jdbc:mysql://localhost:3306/table_name?useTimezone=true&serverTimezone=GMT%2B8

此时,就告知连接进行时区转换,并且时区为UTC+8.

PS:

如果您觉得我的文章对您有帮助,请关注我的微信公众号,谢谢!

12e859a7d43181816af44f1faea39442.png

mysql数据库优化课程---14、常用的sql技巧

mysql数据库优化课程---14.常用的sql技巧 一.总结 一句话总结:其实就是sql中那些函数的使用 1.mysql中函数如何使用? 选择字段 其实就是作用域select的选择字段 3.转大写: ...

【入门】Spring-Boot项目配置Mysql数据库

前言 前面参照SpringBoot官网,自动生成了简单项目点击打开链接 配置数据库和代码遇到的问题 问题1:cannot load driver class :com.mysql.jdbc.Drive ...

通用mapper版&plus;SpringBoot&plus;MyBatis框架&plus;mysql数据库的整合

转:https://blog.csdn.net/qq_35153200/article/details/79538440 开发环境: 开发工具:Intellij IDEA 2017.2.3 JDK : ...

springboot 时间戳和 数据库时间相差14个小时

在 springboot 开发过程中遇到一个奇怪的问题,就是已经设置系统时间GMT+8, 但是时间到数据库后会减少14个小时.后来发现是 jvm 时区和数据库时区设置不一致的问题. jvm 设置的是 ...

mysql数据库记录

ON DELETE restrict(约束):当在父表(即外键的来源表)中删除对应记录时,首先检查该记录是否有对应外键,如果有则不允许删除. no action:意思同restrict.即如果存在从数 ...

&lbrack;PHP&rsqb;全国省市区信息,mysql数据库记录

下载地址: https://files.cnblogs.com/files/wukong1688/T_Area.zip 或者也可以复制如下内容: CREATE TABLE IF NOT EXISTS ...

mysql 时区问题导致的时间相差14小时

1.mysql 字段名称 类型 begin_time TIME begin_time=08:18:39 2.java数据库连接串 jdbc:mysql://x.x.x.x:3306/y?useUnic ...

MySQL数据库---记录相关操作

序 表中记录的相关操作一共四种:插入,更新,删除.查询.其中使用最多,也是最难的就是查询. 记录的插入 1. 插入完整数据(顺序插入) 语法一: INSERT INTO 表名(字段1,字段2,字段3… ...

springboot后端时间到前端,相差8小时&comma;时间格式不对

spring boot后台时间正确,返回给前台的时间不正确,和后台差8个小时 { "code": 1, "msg": "SUCCESS", ...

随机推荐

正则匹配test

var t='VARCHAR(5)' var pattern=/VARCHAR\(\d+\)/g pattern.test(t)//true test()返回false true 但是有哪位小伙伴能告 ...

玩转Unity资源,对象和序列化&lpar;上&rpar;

这是一系列文章中的第二章,覆盖了Unity5的Assets,Resources和资源管理 本文将从Unity编辑器和运行时两个角度出发,主要探讨以下两方面内容:Unity序列化系统内部细节以及Unit ...

夺命雷公狗---DEDECMS----15dedecms首页栏目列表页导航部分完成

我们在点击导航页面的连接时候我们需要我们的连接跳到指定的模版页面,而不是随便跳到一个指定的A连接标签: 所以我们首先要将前端给我们的栏目列表模版拷贝到目录下,然后就可以创建栏目列表页面了,但是名字我们 ...

js post提交页面

function post(URL, PARAMS) { var temp = document.createElement("form"); temp.action = URL; ...

Android 控件 -------- AutoCompleteTextView 动态匹配内容,例如 百度搜索提示下拉列表功能

AutoCompleteTextView 支持基本的自动完成功能,适用在各种搜索功能中,并且可以根据自己的需求设置他的默认显示数据.两个控件都可以很灵活的预置匹配的那些数据,并且可以设置输入多少值时开 ...

linux&lowbar;shell&lowbar;拆分文件&lowbar;多进程脚本

[需求场景]:一个10000w行的文件处理  ,多进程处理  比如启动100个进程同时处理. [方法]:拆分文件(split) ,制作shell脚本  执行后台进程 [demo]: 假设处理程序为   ...

(二)从分布式一致性谈到CAP理论、BASE理论

问题的提出 在计算机科学领域,分布式一致性是一个相当重要且被广泛探索与论证问题,首先来看三种业务场景. 1.火车站售票 假如说我们的终端用户是一位经常坐火车的旅行家,通常他是去车站的售票处购买车票,然 ...

swift 函数&period;和匿名函数

函数 注意: 没有定义返回类型的函数会返回特殊的值,叫 Void.它其实是一个空的元组(tuple),没有任何元素,可以写成(). 使用元组作为返回参数,返回多个参数 func count(strin ...

JAVA-IO操作,字节-字符转换流

掌握OutputStreamWriter和InputStreamReader类的作用 一般操作输入输出内容的时候,就需要使用字节或字符流,但是,有些时候,需要将字符流变成字节流形式,或者字节流变成字符 ...

评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值