计时器实现---填上时区坑
程序员文章站
2024-03-15 19:42:36
...
1. 导语
项目有个计时器需求,如下图,本来以为挺简单,但是其中竟然涉及到时区的问题。
效果图如下
2. 解决
关键代码比较简单
- 毫秒 转成 时分秒 HH:ss:mm 格式而已
- 定时刷新和改变控件上的时间
这里的定时改变时间同时刷新到控件上,我使用的是timer 、timerTask 、Handler 实现,这是属于定时做某事的知识,不是这里要说的重点,直接上代码
timerTask = new TimerTask() {
@Override
public void run() {
i++;
Message message = handler.obtainMessage();
message.what = mwhat;
message.obj = i;
handler.sendMessage(message);
}
};
timer = new Timer();
timer.schedule(timerTask,1000,1000);
private Handler handler = new Handler(){
@Override
public void handleMessage(Message msg) {
switch(msg.what){
case mwhat:
long second = (int) msg.obj*1000;
tv.setText(getStringByFormat(second,dateFormatHMS));
break;
}
}
};
接下来重点是如何将上面的毫秒值转成时分秒字符串,当然这里我们有工具类
/**
* 描述:获取milliseconds表示的日期时间的字符串.
* @param format 格式化字符串,如:"yyyy-MM-dd HH:mm:ss"
* @return String 日期时间字符串
*/
public static String getStringByFormat(long milliseconds, String format) {
String thisDateTime = null;
try {
SimpleDateFormat mSimpleDateFormat = new SimpleDateFormat(format);
thisDateTime = mSimpleDateFormat.format(milliseconds);
} catch (Exception e) {
e.printStackTrace();
}
return thisDateTime;
}
/**
* 时分秒.
*/
public static String dateFormatHMS = "HH:mm:ss";
然后运行,得到如下效果
发现没,小时上莫名其妙是 19 ,按道理这里应该是 00,这是我在模拟器上运行的效果,然后我在手机上运行,得到的结果是
08:00:55
太奇怪了,有木有,后面才发现,我手机上的操作系统的时间时区是美区,而我手机 真机上是中国标准时间,北京时间。
我们要求的是 GMT 时间,而真机上给我们的是 GMT+8 ,所以我们要给上面的SimpleDateFormat设置时区
修改代码如下
/**
* 描述:获取milliseconds表示的日期时间的字符串.
* @param format 格式化字符串,如:"yyyy-MM-dd HH:mm:ss"
* @return String 日期时间字符串
*/
public static String getStringByFormat(long milliseconds, String format) {
String thisDateTime = null;
try {
SimpleDateFormat mSimpleDateFormat = new SimpleDateFormat(format);
mSimpleDateFormat.setTimeZone(TimeZone.getTimeZone("GMT"));
thisDateTime = mSimpleDateFormat.format(milliseconds);
} catch (Exception e) {
e.printStackTrace();
}
return thisDateTime;
}
问题解决,感谢
java处理时区的注意事项
推荐阅读