Convert String in 12 (PM /AM)Hour AM PM Time to 24 Hour time android

时间:2017-08-13 14:04:32

标签: android datetime time datetime-parsing

I have a problem in convert time coming from server and I want to convert it to 24 hour. I'm using the following code:

String timeComeFromServer = "3:30 PM";

SimpleDateFormat date12Format = new SimpleDateFormat("hh:mm a");

SimpleDateFormat date24Format = new SimpleDateFormat("HH:mm");
try {
    ((TextView)findViewById(R.id.ahmad)).setText(date24Format.format(date12Format.parse(timeComeFromServer)));
} catch (ParseException e) {
    e.printStackTrace();
}

There is the error:

Method threw 'java.text.ParseException' exception.)

Detailed error message is:

Unparseable date: "3:30 PM" (at offset 5)

But if I replace PM to p.m. it works without any problem like this:

 timeComeFromServer = timeComeFromServer.replaceAll("PM", "p.m.").replaceAll("AM", "a.m.");

Can any one tell me which is the correct way?

1 个答案:

答案 0 :(得分:1)

SimpleDateFormat使用系统的默认语言环境(您可以使用java.util.Locale类检查,调用Locale.getDefault())。此区域设置是特定于设备/环境的,因此您无法控制它,并且每个设备可能会有不同的结果。

某些区域设置可能具有不同的AM / PM字段格式。例如:

Date d = new Date();
System.out.println(new SimpleDateFormat("a", new Locale("es", "US")).format(d));
System.out.println(new SimpleDateFormat("a", Locale.ENGLISH).format(d));

输出结果为:

  

P.M。
  PM

要不依赖于此,您可以在格式化程序中使用Locale.ENGLISH,这样您就不会依赖系统/设备的默认配置:

String timeComeFromServer = "3:30 PM";
// use English Locale
SimpleDateFormat date12Format = new SimpleDateFormat("hh:mm a", Locale.ENGLISH);
SimpleDateFormat date24Format = new SimpleDateFormat("HH:mm");
System.out.println(date24Format.format(date12Format.parse(timeComeFromServer)));

输出结果为:

  

15:30

第二个格式化程序不需要特定的语言环境,因为它不处理特定于语言环境的信息。

Java新日期/时间API

旧类(DateCalendarSimpleDateFormat)有lots of problemsdesign issues,它们将被新API取代。< / p>

一个细节是SimpleDateFormat始终与Date个对象一起使用,它具有完整的时间戳(自1970-01-01T00:00Z以来的毫秒数),并且两个类都隐含使用系统默认时区behind the scenes,可能会误导您并产生意外且难以调试的结果。但在这种特定情况下,您只需要时间字段(小时和分钟),并且不需要使用时间戳值。新API针对每种情况都有特定的类,更好,更不容易出错。

在Android中,您可以使用ThreeTen Backport,这是Java 8新日期/时间类的绝佳后端。为了使其有效,您还需要ThreeTenABP(更多关于如何使用它here)。

您可以使用org.threeten.bp.format.DateTimeFormatter并将输入解析为org.threeten.bp.LocalTime

String timeComeFromServer = "3:30 PM";

DateTimeFormatter parser = DateTimeFormatter.ofPattern("h:mm a", Locale.ENGLISH);
DateTimeFormatter formatter = DateTimeFormatter.ofPattern("HH:mm");

LocalTime time = LocalTime.parse(timeComeFromServer, parser);
System.out.println(time.format(formatter));

输出结果为:

  

15:30

对于这种特定情况,您还可以使用time.toString()来获得相同的结果。有关backport API的详细信息,请参阅javadoc