与最早版本的Java捆绑在一起的旧日期时间类现在已成为传统。应避免使用诸如java.util.Date/.Calendar和java.text.DateFormat / .SimpleDateFormat之类的类。
这些旧类已被Java 8及更高版本中内置的java.time框架所取代。
如果您有java.util.Date,请使用toInstant() 。如果您有java.util.Calendar对象,请转换为ZonedDateTime
DateTimeFormatter这个类它只提供了时间格式化的类型,就是按你指定的格式,或者按jdk默认的格式,需要进行调用的则是时间类本身来进行调用才能进行格式化
LocalDate、LocalTime 的api是有2个方法,分别是:parse()、format()方法,时间类型的转换可以调用这2个来进行日期时间类型的转换
E parse(CharSequence text)
E parse(CharSequence text, DateTimeFormatter formatter)
String format(DateTimeFormatter formatter)
1.字符串转换成日期时间类型
private static void testStringT0DateAndLocalDate() {
//String --> Date,需要考虑时区
LocalDate localDate = LocalDate.parse("2022-04-24", DateTimeFormatter.ofPattern("yyyy-MM-dd"));
ZoneId zone = ZoneId.systemDefault();
Instant instant = localDate.atStartOfDay().atZone(zone).toInstant();
System.out.printf("String to Date, Date.form(Instant): %s\n", Date.from(instant));
// String --> LocalDate
System.out.printf("LocalDate.parse(\"2019-10-09\").format(DateTimeFormatter.ofPattern(\"yyyy年MM月dd日\")): %s\n",
LocalDate.parse("2019-10-09").format(DateTimeFormatter.ofPattern("yyyy年MM月dd日")));
// String --> LocalTime
LocalTime localTime = LocalTime.parse("07:43:53");
System.out.printf("LocalTime.parse(\"07:43:53\"): %s\n", localTime);
// String -->LocalDateTime
DateTimeFormatter formatter12 = DateTimeFormatter.ofPattern("yyyy-MM-dd hh:mm:ss"); // 12小时
DateTimeFormatter formatter24 = DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss"); // 24小时
LocalDateTime LocalDateTime = java.time.LocalDateTime.parse("2019-12-07 07:43:53",formatter24);
System.out.printf("LocalDateTime.parse(\"2019-12-07 07:43:53\",DateTimeFormatter.ofPattern(\"yyyy-MM-dd HH:mm:ss\")): %s\n", LocalDateTime);
}
2.日期时间类型转换成字符串
private static void testLocalDateToString() {
//localDate --> String
LocalDate localDate = LocalDate.now();
String format1 = localDate.format(DateTimeFormatter.BASIC_ISO_DATE); //yyyyMMdd
String format2 = localDate.format(DateTimeFormatter.ISO_DATE); //yyyy-MM-dd
//2.LocalTime --> String
LocalTime localTime = LocalTime.now();
String format3 = localTime.format(DateTimeFormatter.ISO_TIME); //20:19:22.42
DateTimeFormatter formatter = DateTimeFormatter.ofPattern("hh:mm:ss");
String format4 = localTime.format(formatter);
//3.LocalDateTime --> String
LocalDateTime localDateTime = LocalDateTime.now();
DateTimeFormatter formatter2 = DateTimeFormatter.ofPattern("yyyy-MM-dd hh:mm:ss");
String format5 = localDateTime.format(formatter2);
System.out.printf("localDate.format(DateTimeFormatter.BASIC_ISO_DATE): %s\n",format1);
System.out.printf("localDate.format(DateTimeFormatter.ISO_DATE): %s\n", format2);
System.out.printf("localTime.format(DateTimeFormatter.ISO_TIME): %s\n", format3);
System.out.printf("localDateTime.format(DateTimeFormatter.ofPattern(\"hh:mm:ss\")): %s\n",format4);
System.out.printf("localDateTime.format(DateTimeFormatter.ofPattern(\"yyyy-MM-dd hh:mm:ss\")): %s\n",format5);
}
|