Unable to convert date with UTC using Joda Time API

102 Views Asked by At

I'm trying to convert this date into local date

Input: "2021-04-20T15:00:00+02:00";

Expected output: "2021-04-20T13:00:00Z";

Actual output : "2021-04-20T15:00:00

Can you please let me know which library to use?

Code:

String date = "2021-04-20T15:00:00+02:00";

DateTimeFormatter formatter = DateTimeFormat.forPattern("yyyy-MM-dd'T'HH:mm:ssZ");

LocalDateTime dt = LocalDateTime.parse(date, formatter);

System.out.println(dt.toString());
2

There are 2 best solutions below

0
On

You can use java-8 OffsetDateTime to parse the input string (since it is in ISO-8601) and then use toInstant

String timeStamp = "2021-04-20T15:00:00+02:00";
OffsetDateTime.parse(timeStamp).toInstant() //2021-04-20T13:00:00Z
0
On

tl;dr

You used the wrong type, LocalDateTime. Use OffsetDateTime and Instant.

OffsetDateTime
.parse( "2021-04-20T15:00:00+02:00" )
.toInstant()
.toString()

Details

The Joda-Time library is now In maintenance mode after having been succeeded years ago by the java.time classes defined in JSR 310 and built into Java 8 and later.

Your input has an indicator of an offset-from-UTC of +02:00, two hours ahead of UTC. So parse as a java.time.OffsetDateTime object.

OffsetDateTime odt = OffsetDateTime.parse( "2021-04-20T15:00:00+02:00" ) ;

Adjust to UTC by merely extracting an Instant.

Instant instant = odt.toInstant() ;

Generate your desired output.

String output = instant.toString() ;