Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

DateTimeFormatter giving wrong format for edge cases [duplicate]

DateTimeFormatter is not giving correct format for Dec 30 and 31 2018 as per following snippet.

final String DATE_FORMAT = "YYYYMM";
DateTimeFormatter dateFormat = DateTimeFormatter.ofPattern(DATE_FORMAT);
LocalDateTime startDate = LocalDateTime.of(2018,12,29,5,0,0);
System.out.println(startDate.format(dateFormat));
//prints 201812
LocalDateTime startDate = LocalDateTime.of(2018,12,30,5,0,0);
System.out.println(startDate.format(dateFormat));
//prints 201912 <------ should be 201812
LocalDateTime startDate = LocalDateTime.of(2018,12,31,5,0,0);
System.out.println(startDate.format(dateFormat));
//prints 201912 <------ should be 201812

Is this the expected behavior or is there a bug with DateTimeFormatter?

like image 832
Aman Gupta Avatar asked Jan 07 '19 08:01

Aman Gupta


3 Answers

This is expected behaviour. YYYY stands for "week-based-year", which is not the same as calendar year (see JavaDoc)

You most probably want to use yyyy, which means "year-of-era"

like image 175
Thomas Kläger Avatar answered Oct 16 '22 05:10

Thomas Kläger


YYYY is week year, yyyy is year

So Change final String DATE_FORMAT = "YYYYMM"; ro final String DATE_FORMAT = "yyyyMM"; should give you the correct result. For more informations about the patterns see the javadoc of DateTimeFormatter.

The first week of 2019 starts at Dec 30 of 2018. See this link for more informations about the wee years

like image 34
Jens Avatar answered Oct 16 '22 06:10

Jens


y is for "year-of-era" while Y is for week-based-year

Replace:

final String DATE_FORMAT = "YYYYMM";

to:

final String DATE_FORMAT = "yyyyMM";
like image 2
veben Avatar answered Oct 16 '22 05:10

veben