本文将说明在Android应用程序中将日期/时间从一个时区转换为另一个时区的概念。
在正常情况下,您是从服务器获取GMT时区的时间戳,并且需要按本地时区进行转换以将其显示到UI。如果您在将日期/时间从一个时区转换为另一个时区时感到困惑,可以参考本文。
为了理解这个概念,考虑以下情形,首先从服务器以GMT格式(假设)获取时间戳,然后需要将其转换为某种模型,该模型将日期存储为Local格式的Date对象,然后将日期作为时间戳(字符串)以GMT格式输入到数据库中,接着提供给UI,以某种本地格式在UI模型中获取了日期对象,最后以本地格式在UI上以字符串形式显示日期。流程如下图所示:
在整个过程中,我们需要将日期对象转为字符串或者将字符串转为日期对象。要在Android中进行转换,我们使用SimpleDateFormat类,如下所示:
/** Converting from String to Date **/
fun String.getDateWithServerTimeStamp(): Date? {
val dateFormat = SimpleDateFormat("yyyy-MM-dd'T'HH:mm:ss.SSS'Z'",
Locale.getDefault())
dateFormat.timeZone = TimeZone.getTimeZone("GMT") // IMP !!!
try {
return dateFormat.parse(this)
} catch (e: ParseException) {
return null
}
/** Converting from Date to String**/
fun Date.getStringTimeStampWithDate(): String {
val dateFormat = SimpleDateFormat("yyyy-MM-dd'T'HH:mm:ss.SSS'Z'",
Locale.getDefault())
dateFormat.timeZone = TimeZone.getTimeZone("GMT")
return dateFormat.format(this)
}
/** TESTING **/
val dateString = "2018-01-09T07:06:41.747Z"
val date = dateString.getDateWithServerTimeStamp()
Log.d("LOG", "String To Date Conversion " +date.toString())
val dateBackToString = date?.getStringTimeStampWithDate()
Log.d("LOG", "Date To String Conversion " +dateBackToString)
/** OUTPUT **/
String To Date Conversion Tue Jan 09 15:06:41 GMT+08:00 2018
Date To String Conversion 2018-01-09T07:06:41.747Z
/** NOTE: I am currently at GMT+08:00 **/
参考资料
- Converting Date/Time Considering Time Zone – Android
|