Search code examples
javajava-8utcjava-time

Java 8 Convert given time and time zone to UTC time


I have a time with string type like: "2015-01-05 17:00" and ZoneId is "Australia/Sydney".

How can I convert this time information to the corresponding to UTC time (accounting for DST) using Java 8?


Solution

  • You are looking for ZonedDateTime class in Java8 - a complete date-time with time-zone and resolved offset from UTC/Greenwich. In terms of design, this class should be viewed primarily as the combination of a LocalDateTime and a ZoneId. The ZoneOffset is a vital, but secondary, piece of information, used to ensure that the class represents an instant, especially during a daylight savings overlap.

    For example:

    ZoneId australia = ZoneId.of("Australia/Sydney");
    String str = "2015-01-05 17:00";
    DateTimeFormatter formatter = DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm");
    LocalDateTime localtDateAndTime = LocalDateTime.parse(str, formatter);
    ZonedDateTime dateAndTimeInSydney = ZonedDateTime.of(localtDateAndTime, australia );
    
    System.out.println("Current date and time in a particular timezone : " + dateAndTimeInSydney);
    
    ZonedDateTime utcDate = dateAndTimeInSydney.withZoneSameInstant(ZoneOffset.UTC);
    
    System.out.println("Current date and time in UTC : " + utcDate);