格式 hh:mm:ss 的解析时间 [已关闭]
2022-08-31 20:11:02
如何解析格式化时间,输入为字符串以仅获取java中的整数值(忽略冒号)?hh:mm:ss
如何解析格式化时间,输入为字符串以仅获取java中的整数值(忽略冒号)?hh:mm:ss
根据Basil Bourque的评论,考虑到Java 8的新API,这是这个问题的更新答案:
String myDateString = "13:24:40";
LocalTime localTime = LocalTime.parse(myDateString, DateTimeFormatter.ofPattern("HH:mm:ss"));
int hour = localTime.get(ChronoField.CLOCK_HOUR_OF_DAY);
int minute = localTime.get(ChronoField.MINUTE_OF_HOUR);
int second = localTime.get(ChronoField.SECOND_OF_MINUTE);
//prints "hour: 13, minute: 24, second: 40":
System.out.println(String.format("hour: %d, minute: %d, second: %d", hour, minute, second));
言论:
====== 以下是这个问题的旧(原始)答案,使用Java8之前的API:=====
我很抱歉,如果我要让任何人不高兴,但我实际上会回答这个问题。Java API非常庞大,我认为有人可能会时不时地错过一个是正常的。
一个简单的日期格式可能会在这里做这个技巧:
http://docs.oracle.com/javase/7/docs/api/java/text/SimpleDateFormat.html
它应该是这样的:
String myDateString = "13:24:40";
//SimpleDateFormat sdf = new SimpleDateFormat("hh:mm:ss");
//the above commented line was changed to the one below, as per Grodriguez's pertinent comment:
SimpleDateFormat sdf = new SimpleDateFormat("HH:mm:ss");
Date date = sdf.parse(myDateString);
Calendar calendar = GregorianCalendar.getInstance(); // creates a new calendar instance
calendar.setTime(date); // assigns calendar to given date
int hour = calendar.get(Calendar.HOUR);
int minute; /... similar methods for minutes and seconds
您应该注意的陷阱:
您传递给 SimpleDateFormat 的模式可能与我示例中的模式不同,具体取决于您拥有的值(是 12 小时格式或 24 小时格式的小时数等)。有关此内容的详细信息,请查看链接中的文档
一旦你从你的字符串(通过SimpleDateFormat)创建了一个Date对象,不要试图使用Date.getHour(),Date.getMinute()等。它们有时可能看起来有效,但总的来说,它们可能会产生不好的结果,因此现在已被弃用。请改用日历,如上例所示。
有点冗长,但这是在Java中解析和格式化日期的标准方法:
DateFormat formatter = new SimpleDateFormat("HH:mm:ss");
try {
Date dt = formatter.parse("08:19:12");
Calendar cal = Calendar.getInstance();
cal.setTime(dt);
int hour = cal.get(Calendar.HOUR);
int minute = cal.get(Calendar.MINUTE);
int second = cal.get(Calendar.SECOND);
} catch (ParseException e) {
// This can happen if you are trying to parse an invalid date, e.g., 25:19:12.
// Here, you should log the error and decide what to do next
e.printStackTrace();
}