Zz Java's Calendar Date and TimeZone - What is all about it?
(Original article : http://blog.sarathonline.com/2009/01/javas-calendar-date-and-timezone-what.html)
Intenally, A Date object is nothing but a long value that holds the number of milliseconds since January 1, 1970, 00:00:00 GMT. So new Date()
on Jan 21 13:53:58 EST 2009 would be the same as Jan 21 10:53:58 PST 2009 = 1232564038800 (precise to the last 3 digits). So how are those two different? TimeZoneOffset. This is a int value that give millisecs diference between GMT and the Specified TimeZone. So When *printing* or getting the value of date in TimeZone, this timezone offset is added to the long utc secs. This gives the new print value (or face value - Jan 21 13:53:58 EST 2009 ). The face value includes all calculations for Timezone and is meaningfully correct only when displayed with the Timezone information (as above). Just reading and writing "yyyy-MM-dd hh:mm:ss" is incorrect. To start with let me show a small example:
Date t =newDate();System.out.println(t);//internal value - same (precise to last 3 digits)System.out.println(t.getTime());System.out.println(System.currentTimeMillis());//The following will change where you are running this codeSystem.out.println(t.getTimezoneOffset());
Run the above program twice. Second time around set your system time to a different timezone. You will see in java.util.Date
, a timezoneOffset is always set to match VM's Default TimeZone. What this means is that, the face value of [new Date()] is different on VMs running on different Timezones, even when run at the same time. And also, this TimeZone is not mutable on a Date. So When you need to SPECIFY a timezone, you use java.util.Calendar
. The Calendar encapsulates a Date (internally the other way around, which is way complex and out of the scope this article) to spit information in TimeZone specified. So you could run on a VM in EST at Jan 21 13:53:58 EST 2009 something like
Calendar c =Calendar.getInstance(TimeZone.getTimeZone("PST"));
c holds the current time in PST = Jan 21 10:53:58 PST 2009.
If you do sysout on c, you will get a long GregorianCalendar Output. You should print it as
System.out.printf("%02d/%02d/%04d %02d:%02d:%02d in PST", c.get(c.MONTH)+1, c.get(c.DATE), c.get(c.YEAR), c.get(c.HOUR_OF_DAY), c.get(c.MINUTE), c.get(c.SECOND));
Ouput will be 01/21/2009 10:53:58 in PST
However, The Date inside this calendar will not be in PST. It will be on System Timezone.
So If I print c.getTime()
it will show Jan 21 13:53:58 EST 2009 instead of Jan 21 1:53:58 PST 2009.
Suppose you want your program to be independent of the TimeZone of the end users' VM. Example, You have an applet (or an application deployable on network) that sends information about client events and their timing, and you want to collect them in to a global list. And that the timing be reported in GMT all the time. You can set the Default TimeZone by doing TimeZone.setDefault(TimeZone.getTimeZone("GMT"))
. Warning: Do this with care. Because, all future Calendar.getInstance()
calls will be in GMT.
Another important gotcha is when we are parsing a DATE string. Simply the innocent looking following code is soooo Evil
SimpleDateFormat sdf =newSimpleDateFormat("yyyy-MM-dd hh:mm:ss");Date userDate = sdf.parse("2009-01-21 13:53:58");
Running this in two different (in timezone) VM at the same time(like on a network or something) will yeild in DIFFERENT Date object. To eliminate that bug, Either Read it with timeZone or setTimeZone on sdf like this
SimpleDateFormat sdf =newSimpleDateFormat("yyyy-MM-dd hh:mm:ss z");//or sdf.setTimeZone(TimeZone.getTimeZone("EST"));
Update: A small test case to complement theory:
import java.sql.Connection; import java.sql.DriverManager; import java.sql.PreparedStatement; import java.sql.ResultSet; import java.sql.Timestamp; import java.text.SimpleDateFormat; import java.util.Calendar; import java.util.Date; import java.util.TimeZone; import junit.framework.TestCase; import org.apache.commons.lang.time.FastDateFormat; public class DateExampleTest extends TestCase { String userEntered = "2009-01-31 00:00:00"; SimpleDateFormat sdf = new SimpleDateFormat("yyyy-MM-dd hh:mm:ss"); TimeZone userTimeZone = TimeZone.getTimeZone("PST"); public void testOpSystem() throws Exception { System.out.println("========== OUTPUT TEST ================="); // This test only proves that internally, all dates and cals // use same timeinmills if System date is considered. Date nowDate = new Date(); Calendar cal = Calendar.getInstance(); System.out.println("All 3 Should be the same"); System.out.println(nowDate + " :: " + nowDate.getTime()); System.out.println(cal.getTime() + " :: " + cal.getTimeInMillis()); System.out.println(decorate(cal) + " :: " + cal.getTimeInMillis()); System.out.println("\nUnderlying Time is same, but cal will *show* offset"); System.out.println("SYS:" + nowDate + " :: " + nowDate.getTime()); cal = Calendar.getInstance(TimeZone.getTimeZone("PST")); System.out.println("CAL:" + cal.getTime() + " :: " + cal.getTimeInMillis()); System.out.println("PST:" + decorate(cal) + " :: " + cal.getTimeInMillis()); System.out.println("\nChanging timezone AFTER it is set, but cal will *show* offset"); System.out.println("SYS:" + nowDate + " :: " + nowDate.getTime()); cal = Calendar.getInstance(); System.out.println("000:" + cal.getTime() + " :: " + cal.getTimeInMillis()); System.out.println("EST:" + decorate(cal) + " :: " + cal.getTimeInMillis()); cal.setTimeZone(TimeZone.getTimeZone("PST")); System.out.println("111:" + cal.getTime() + " :: " + cal.getTimeInMillis()); System.out.println("PST:" + decorate(cal) + " :: " + cal.getTimeInMillis()); System.out.println("set time zone MST will *show* offsetted time "); cal.setTimeZone(TimeZone.getTimeZone("CST")); System.out.println("CST:" + decorate(cal) + " :: " + cal.getTimeInMillis()); } /** * Wrong way of doing, changes with VM * @throws Exception */ public void testInSimpleParseSystem() throws Exception { System.out.println("========== Parse def ================"); String userEntered = "2009-01-31 00:00:00"; SimpleDateFormat sdf = new SimpleDateFormat("yyyy-MM-dd hh:mm:ss"); TimeZone userTimeZone = TimeZone.getTimeZone("PST"); System.out.println("No tz, takes system timezone"); Date userDate = sdf.parse(userEntered); // timeInMilliSecs changes with system!!! System.out.println("SYS:" + userDate + " :: " + userDate.getTime()); // setting this date to a cal and changing timezone is not right Calendar cal = Calendar.getInstance(); cal.setTime(userDate); cal.setTimeZone(userTimeZone); // Observe TimeZone in Output System.out.println("CAL in SYS:" + cal.getTime() + " :: " + cal.getTimeInMillis()); System.out.println("CAL:" + decorate(cal) + " :: " + cal.getTimeInMillis()); } /** * Correct way of doing * @throws Exception */ public void testInSimpleParseTZParam() throws Exception { System.out.println("========== Parse Specific TZ ================"); // Right way is to PARSE with TZ // parser sets mill secs System.out.println("\nparse with tz, independent of System"); sdf.setTimeZone(userTimeZone); Date userDate = sdf.parse(userEntered); // will show in Sytem Time Zone but is = userDate in userTimeZone System.out.println("ENT:" + userDate + " :: " + userDate.getTime()); // timeInMilliSecs DOESNOT change with system Calendar cal = Calendar.getInstance(userTimeZone); cal.setTime(userDate); System.out.println("USR:" + decorate(cal) + " :: " + cal.getTimeInMillis()); } /** * Correct way of doing * @throws Exception */ public void testInSimpleCalTZManualSet() throws Exception { System.out.println("========== Parse def ================"); // set values as if they were manually set (mutates mill secs) System.out.println("\nManaul setting with tz, independent of System"); Calendar cal = Calendar.getInstance(); System.out.println("CAL in SYS:" + cal.getTime() + " :: " + cal.getTimeInMillis()); System.out.println("CAL:" + decorate(cal) + " :: " + cal.getTimeInMillis()); cal.clear(); // This is important, otherwise unpredictible. cal.setTimeZone(userTimeZone); cal.set(Calendar.DATE, 31); cal.set(Calendar.YEAR, 2009); cal.set(Calendar.MONTH, Calendar.JANUARY); cal.set(Calendar.HOUR, 0); cal.set(Calendar.MINUTE, 0); cal.set(Calendar.SECOND, 0); System.out.println("CAL in SYS:" + cal.getTime() + " :: " + cal.getTimeInMillis()); System.out.println("CAL:" + decorate(cal) + " :: " + cal.getTimeInMillis()); } public void testOpDBRead() throws Exception { System.out.println("========== DATABASE READ TEST ================="); Connection conn = null; try { conn = getConnection(); PreparedStatement ps = conn.prepareStatement("select dt, tms, faceval from datex where id = ?"); System.out.println("========== Row 1 ================="); ps.setInt(1, 1); // First Row printRow(ps.executeQuery()); System.out.println("========== Row 2 ================="); ps.setInt(1, 3); // Second Row printRow(ps.executeQuery()); } catch (Exception e) { e.printStackTrace(); } finally { if (conn != null) { conn.close(); } } } public void testDBWrite() throws Exception { String userEntered = "2009-01-31 00:00:00"; SimpleDateFormat sdf = new SimpleDateFormat("yyyy-MM-dd hh:mm:ss"); TimeZone userTimeZone = TimeZone.getTimeZone("EST"); Date userDate = sdf.parse(userEntered); System.out.println("========== DATABASE Write TEST ================="); Connection conn = null; try { conn = getConnection(); PreparedStatement ps = conn.prepareStatement("insert into datex(dt, tms, faceval) values (?,?,?)"); ps.setDate(1, new java.sql.Date(userDate.getTime())); ps.setTimestamp(2, new Timestamp(userDate.getTime())); ps.setString(3, userDate.toString()); ps.execute(); } catch (Exception e) { e.printStackTrace(); } finally { if (conn != null) { conn.close(); } } } private void printRow(ResultSet rs) throws Exception { rs.next(); // JDBC driver reads by face value, loses date info java.sql.Date sqlDate = rs.getDate("dt"); Calendar cal = Calendar.getInstance(); cal.setTime(sqlDate); System.out.println("Date Information"); System.out.println(sqlDate + "::" + sqlDate.getTime() + " :: " + cal.getTime() + " :: " + cal.getTimeInMillis() + " :: " + decorate(cal)); // JDBC driver reads by face value, applies system tz, (mutates mill secs) Timestamp sqlTS = rs.getTimestamp("tms"); cal = Calendar.getInstance(); cal.setTime(sqlTS); System.out.println("Timestamp Information"); System.out.println(sqlTS + "::" + sqlDate.getTime() + " :: " + cal.getTime() + " :: " + cal.getTimeInMillis() + " :: " + decorate(cal)); // JDBC driver reads by face value, applies the supplied tz that is supplied (mutates mill secs) cal = Calendar.getInstance(TimeZone.getTimeZone("MST")); sqlTS = rs.getTimestamp("tms", cal); cal.setTime(sqlTS); System.out.println("Timestamp Information read with a different Cal"); System.out.println(sqlTS + "::" + sqlDate.getTime() + " :: " + cal.getTime() + " :: " + cal.getTimeInMillis() + " :: " + decorate(cal)); } private String decorate(Calendar cal) { FastDateFormat f = FastDateFormat.getInstance("EEE MMM dd HH:mm:ss z yyyy"); return f.format(cal); } private Connection getConnection() throws Exception { Class.forName("oracle.jdbc.OracleDriver"); String url = "jdbc:oracle:thin:@localhost:1521:xe"; return DriverManager.getConnection(url, "sarath", "pass"); } }
相关推荐
What’s New in Python What’s New In Python 3.6 Summary – Release highlights New Features PEP 498: Formatted string literals PEP 526: Syntax for variable annotations PEP 515: Underscores in ...
Qt 采用http通信json解析读取天气
岗位晋升360度调查表.doc
合法辞退员工的N种方式.pptx
大模型、Agent、具身智能及人形机器人学习全路径规划.pdf
华润万家员工手册.doc
招聘需求分析.xls
内容概要:本文详细介绍了基于‘光伏(PV)+蓄电池+负载’架构的双有源桥DC-DC变换器仿真方法及其在Matlab 2021b中的具体实现。首先解析了光伏系统的MPPT控制,通过扰动观察法使光伏板始终处于最大功率点。接着讨论了蓄电池的恒流充放电控制,利用PI控制器确保电池的安全和高效运作。然后阐述了双有源桥DC-DC变换器的闭环控制机制,借助PID控制器维持系统输出电压的稳定性。最后,文章展示了如何在Matlab Simulink环境下构建完整的仿真模型,涵盖各模块间的电气连接与信号交互,为新能源系统的优化提供了理论和技术支持。 适合人群:从事电力电子、新能源系统设计的研究人员和工程师,尤其是那些需要深入了解光伏储能系统工作原理的人群。 使用场景及目标:适用于希望掌握光伏储能系统中关键组件如MPPT、恒流充放电控制及双有源桥DC-DC变换器的设计与仿真的技术人员。目标是在实际工程项目中提高系统的效率和可靠性。 其他说明:文中提供的代码片段和建模思路有助于读者更好地理解和实践相关技术,同时也强调了一些常见的陷阱和调试技巧,帮助避免潜在的问题。
线性代数
内容概要:本文详细介绍了不同类型电机的调速方法,重点探讨了直流电机双闭环调速、永磁同步电机电流滞环闭环调速以及异步电机滞环电流调速。文中不仅提供了每种调速方法的基本原理和技术特点,还附带了相应的代码示例进行辅助解释。此外,文章对永磁同步电机的电流滞环调速与SVPWM调速进行了对比,指出了各自的优劣之处。最后,强调了在实际应用中选择合适调速方案的重要性。 适合人群:从事电机控制系统设计与开发的技术人员,尤其是有一定电机控制基础的研发人员。 使用场景及目标:适用于需要深入了解电机调速机制及其应用场景的专业人士。目标是帮助读者掌握不同电机调速方法的特点,以便在实际工程中做出最优选择。 其他说明:文章通过具体的代码实例展示了调速方法的实际应用,使读者能够更好地理解和实践相关技术。同时提醒读者在实际调试过程中要注意参数设置和硬件条件的影响。
人员晋升推荐表.xls
员工生日关怀方案
内容概要:本文详细介绍了对国际知名大厂的三个逆向ADC电路(SAR ADC、Sigma-Delta ADC和Pipeline ADC)进行深入剖析。作者通过Cadence Virtuoso平台研究了这些电路的标准单元库设计,探讨了各个电路的关键技术和实现细节。对于24bit Sigma-Delta ADC,重点讨论了其调制器部分的时钟相位分配和噪声整形技术;对于16bit SAR ADC,则关注其比较器阵列的独特设计以及动态锁存比较器的应用;而对于14bit Pipeline ADC,着重分析了其级间放大器设计和电荷共享技术。此外,文中还提到了在将这些设计适配到自家工艺过程中遇到的问题及其解决方案,如电容寄生效应、时序约束调整、运放结构优化等。 适合人群:从事模拟集成电路设计的专业人士,尤其是对ADC设计感兴趣的工程师和技术研究人员。 使用场景及目标:帮助读者深入了解高精度ADC的工作原理和设计技巧,掌握逆向工程技术在实际项目中的应用,提高对不同工艺节点下ADC设计的理解和适应能力。 其他说明:文中提供了大量具体的代码片段和仿真命令,便于读者理解和实践。同时,作者分享了许多宝贵的经验教训,强调了在逆向工程中需要注意的技术细节和潜在风险。
内容概要:本文详细介绍了大型立体仓库智能物流系统的构建与优化。该项目涉及一万多个库位、一百多台输送机和八台堆垛机,采用了西门子PLC作为控制核心,通过无线网桥与WCS和WMS系统对接。文章重点讲解了梯形图编程和功能块的应用,如输送机启停控制、堆垛机移动控制、路径规划、无线通讯处理以及异常处理机制。此外,还探讨了设备协同、逻辑优化、任务分配算法和速度曲线规划等方面的技术细节。 适合人群:从事工业自动化、智能仓储系统设计与开发的工程师和技术爱好者。 使用场景及目标:适用于智能仓储系统的设计、实施和维护,旨在提高系统的稳定性、效率和可维护性。 其他说明:文中提供了大量实际项目中的代码示例和调试经验,有助于读者理解和应用相关技术。
新员工月工作总结表.xlsx
内容概要:本文详细介绍了基于西门子S7-1500 PLC的汽车电子零件装配线集成解决方案。主要内容涵盖伺服轴控制、阿特拉斯拧紧枪控制、康耐视视觉检测系统以及HMI界面的设计与实现。文中展示了如何利用SCL语言将多种工业设备(如HMI、伺服电机、六轴机器人等)的功能封装为标准化功能块,从而提高系统的模块化程度和可复用性。同时,还分享了一些实际项目中的调试经验和优化技巧,如通过调整加减速曲线避免机械振动、设置扭矩保持时间和视觉检测的防抖定时器等。 适合人群:从事自动化控制领域的工程师和技术人员,尤其是熟悉PLC编程和工业自动化设备集成的专业人士。 使用场景及目标:适用于汽车制造行业的生产线控制系统设计与实施。主要目标是帮助工程师快速掌握如何使用SCL语言构建高效稳定的PLC控制系统,提升生产效率和产品质量。 其他说明:文中不仅提供了详细的代码示例,还结合具体的应用场景进行了深入剖析,有助于读者更好地理解和应用相关技术。此外,强调了模块化编程的优势,如减少重复劳动、便于维护升级等。
内容概要:本文详细介绍了如何在STM32、AT32和GD32等Cortex-M系列MCU上实现串口IAP(In Application Programming)Bootloader,支持远程升级及RS485升级。主要内容涵盖Bootloader的工作原理、内存分配、通信协议设计、Flash写入操作以及跳转应用程序的关键步骤。文中提供了具体的代码示例,如Bootloader主循环、RS485收发控制、Flash写入、CRC校验等,并分享了多个实战经验和注意事项,确保数据传输的可靠性。 适合人群:从事嵌入式系统开发的技术人员,尤其是对STM32、AT32、GD32等国产MCU有一定了解并希望掌握串口IAP技术的研发人员。 使用场景及目标:适用于需要远程升级固件的嵌入式项目,帮助开发者避免现场升级带来的不便,提高设备维护效率。目标是让读者能够独立实现一个可靠的串口IAP Bootloader,掌握RS485通信和Flash编程的关键技术。 其他说明:文中提到的代码和配置已在GitHub上提供,方便读者下载和实践。同时,作者分享了许多实战经验和常见问题解决方案,有助于减少开发过程中可能出现的问题。
线性代数
学生会干部竞选清心简约.pptx