I receive this Date Time pattern from Server as a string.
Sa. 07.01.2023 16:39:15
Now i want to check if 1 minute is over. Like if the gap between the current time and the time (received as a string) from server is longer than a minute.
The time zone is in Europe. Like Austria.
CodePudding user response:
- Parse the given date-time string into a
LocalDateTime
. - Convert the obtained
LocalDateTime
into aZonedDateTime
by applying aZoneId
. - Get the current
ZonedDateTime
in the appliedZoneId
. - Finally, find the minutes between the current
ZonedDateTime
and theZonedDateTime
obtained from the date-time string.
Demo:
import java.time.LocalDateTime;
import java.time.ZoneId;
import java.time.ZonedDateTime;
import java.time.format.DateTimeFormatter;
import java.time.temporal.ChronoUnit;
import java.util.Locale;
class Main {
public static void main(String[] args) {
String strDateTime = "Sa. 07.01.2023 16:39:15";
DateTimeFormatter parser = DateTimeFormatter.ofPattern("EEE dd.MM.uuuu HH:mm:ss", Locale.GERMAN);
// Note: change the ZoneId as per your requirement
ZonedDateTime zdt = LocalDateTime.parse(strDateTime, parser)
.atZone(ZoneId.of("Europe/Vienna"));
System.out.println("Date-time received from the server: " zdt);
ZonedDateTime now = ZonedDateTime.now(zdt.getZone());
System.out.println("Current date-time: " now);
System.out.println(ChronoUnit.MINUTES.between(zdt, now) > 1);
}
}
Output from a sample run:
Date-time received from the server: 2023-01-07T16:39:15 01:00[Europe/Vienna]
Current date-time: 2023-01-07T17:33:04.140599 01:00[Europe/Vienna]
true
Learn more about the modern Date-Time API from Trail: Date Time.