Вы можете использовать классы, учитывающие зоны и смещения, в java.time
.Вы получаете смещение (я предлагаю соответствующим образом назвать параметр, потому что смещение не является часовым поясом ), а дата и время, достаточные для преобразования одного и того же момента в разные часовые пояса или смещения.
Посмотрите на этот пример и прочитайте комментарии:
public static void main(String[] args) {
// this simulates the parameters passed to your method
String offset = "+07:00";
String date = "2019-11-05/23:00";
// create a LocalDateTime using the date time passed as parameter
LocalDateTime ldt = LocalDateTime.parse(date,
DateTimeFormatter.ofPattern("yyyy-MM-dd/HH:mm"));
// parse the offset
ZoneOffset zoneOffset = ZoneOffset.of(offset);
// create an OffsetDateTime using the parsed offset
OffsetDateTime odt = OffsetDateTime.of(ldt, zoneOffset);
// print the date time with the parsed offset
System.out.println(zoneOffset.toString()
+ ":\t" + odt.format(DateTimeFormatter.ISO_OFFSET_DATE_TIME));
// create a ZonedDateTime from the OffsetDateTime and use UTC as time zone
ZonedDateTime utcZdt = odt.atZoneSameInstant(ZoneOffset.UTC);
// print the date time in UTC using the ISO ZONED DATE TIME format
System.out.println("UTC:\t"
+ utcZdt.format(DateTimeFormatter.ISO_ZONED_DATE_TIME));
// and then print it again using your desired format
System.out.println("UTC:\t"
+ utcZdt.format(DateTimeFormatter.ofPattern("yyyy-MM-dd-HH:mm")));
}
Вывод на моей системе:
+07:00: 2019-11-05T23:00:00+07:00
UTC: 2019-11-05T16:00:00Z
UTC: 2019-11-05-16:00
Для обратного случая (вы получаете UTCвремя и смещение и хотите OffsetDateTime
), это может работать:
public static void main(String[] args) {
// this simulates the parameters passed to your method
String offset = "+07:00";
String date = "2019-11-05/16:00";
// provide a pattern
String formatPattern = "yyyy-MM-dd/HH:mm";
// and create a formatter with it
DateTimeFormatter dtf = DateTimeFormatter.ofPattern(formatPattern);
// then parse the time to a local date using the formatter
LocalDateTime ldt = LocalDateTime.parse(date, dtf);
// create a moment in time at the UTC offset (that is just +00:00)
Instant instant = Instant.ofEpochSecond(ldt.toEpochSecond(ZoneOffset.of("+00:00")));
// and convert the time to one with the desired offset
OffsetDateTime zdt = instant.atOffset(ZoneOffset.of(offset));
// finally print it using your formatter
System.out.println("UTC:\t" + ldt.format(dtf));
System.out.println(zdt.getOffset().toString()
+ ": " + zdt.format(DateTimeFormatter.ofPattern(formatPattern)));
}
Вывод это:
UTC: 2019-11-05/16:00
+07:00: 2019-11-05/23:00