最终目标是将从服务器传递的时间戳转换为本地时间。
这是我得到的:
2018-04-05T16:14:19.130Z
但是,我的当地时间是11:14 AM CST
。这是我尝试过的:
final DateTimeFormatter formatter = DateTimeFormat.forPattern("yyyy-MM-dd'T'HH:mm:ss.SSS'Z'");
final LocalTime localTime = formatter.parseLocalTime(text);
Timber.i(localTime.toString()); // output: 16:14:19.070
输出为:16:14:19.070
。有人知道如何使用它吗?我希望得到类似11:14 AM
的内容。
另外,我尝试过使用它:
final DateTimeFormatter formatter = DateTimeFormat.forPattern("yyyy-MM-dd'T'HH:mm:ss.SSS'Z'");
final DateTime time = formatter.parseDateTime(text);
Timber.i(time.toString()); // output: 2018-04-05T16:14:19.490-05:00
看起来这是一个5小时的差异吗?有谁知道如何使用它转换为当地时间?
答案 0 :(得分:3)
" Z"最后意味着date/time is in UTC。如果你把它放在引号内,它被视为文字(字母" Z"本身)并且它失去了这个特殊的意义 - 你基本上丢弃了它的信息&#39 ;以UTC为单位,DateTime
采用JVM默认时区(这就是为什么第二次尝试在UTC-05:00中以16:14结果的原因)。
DateTime
可以直接解析此输入:
String input = "2018-04-05T16:14:19.130Z";
DateTime dt = DateTime.parse(input);
然后将其转换为所需的时区。你可以这样做:
dt = dt.withZone(DateTimeZone.getDefault());
哪个将使用您的JVM的默认时区。但这不太可靠,因为默认情况下可以在运行时更改 - 即使是在同一JVM中运行的其他应用程序 - 因此使用显式时区更好:
dt = dt.withZone(DateTimeZone.forID("America/Chicago"));
然后您可以将其转换为您想要的格式:
String time = dt.toString("hh:mm a"); // 11:14 AM
如果您需要使用格式化程序,则可以删除" Z"周围的引号。并在格式化程序中设置时区:
DateTimeFormatter parser = DateTimeFormat.forPattern("yyyy-MM-dd'T'HH:mm:ss.SSSZ")
// zone to be used for the formatter
.withZone(DateTimeZone.forID("America/Chicago"));
DateTime dateTime = parser.parseDateTime("2018-04-05T16:14:19.130Z");
String time = dateTime.toString("hh:mm a"); // 11:14 AM
答案 1 :(得分:0)
使用此方法将您的时间转换为本地:
public static String convertTimeToLocal(String dateStr) {
SimpleDateFormat format = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss");
Date date = null;
try {
date = format.parse(dateStr);
System.out.println(date);
} catch (ParseException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
String timeZone = Calendar.getInstance().getTimeZone().getID();
Date local = new Date(date.getTime() + TimeZone.getTimeZone(timeZone).getOffset(date.getTime()));
SimpleDateFormat df = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss", Locale.ENGLISH);
String reportDate = df.format(local);
return reportDate;
}
&安培;对于AM和PM,请使用以下方法:
public static String convertTimeToAmPm(String time) {
List<String> arr = Arrays.asList(time.split(":"));
int hours = Integer.parseInt(arr.get(0));
int mins = Integer.parseInt(arr.get(1));
String timeSet = "";
if (hours > 12) {
hours -= 12;
timeSet = "PM";
} else if (hours == 0) {
hours += 12;
timeSet = "AM";
} else if (hours == 12)
timeSet = "PM";
else
timeSet = "AM";
String minutes = "";
if (mins < 10)
minutes = "0" + mins;
else
minutes = String.valueOf(mins);
// Append in a StringBuilder
String aTime = new StringBuilder().append(hours).append(':')
.append(minutes).append(" ").append(timeSet).toString();
return aTime;
}