Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Java: getTimeZone without returning a default value

Tags:

java

timezone

I have the following instruction:

TimeZone zone = TimeZone.getTimeZone("Asia/Toyo");

Obviously, it should return null, but it will return the default timeZone, which is not the desired behaviour for my case. From Java Doc:

Returns the specified TimeZone, or the GMT zone if the given ID cannot be understood.

Is there a way to get corresponding TimeZone and null value if the String does not indicate a valid TimeZone?

I don't find a good solution to get all TimeZones and iterate over them.

like image 819
lucian.marcuta Avatar asked Oct 27 '15 16:10

lucian.marcuta


1 Answers

java.time.ZoneId

The old date-time classes are now legacy, supplanted by the java.time classes.

Instead of java.util.TimeZone, you should be using ZoneId. For parsing a proper time zone name, call ZoneId.of.

ZoneId.of ( "Africa/Casablanca" ) 

Trap for ZoneRulesException

If the name you pass in unrecognized, the method throws a ZoneRulesException.

So, to catch a misspelling of Asia/Tokyo as Asia/Toyo, trap for the ZoneRulesException.

ZoneId z;
try {
    z = ZoneId.of ( "Asia/Toyo" );  // Misspell "Asia/Tokyo" as "Asia/Toyo".
} catch ( ZoneRulesException e ) {
    System.out.println ( "Oops! Failed to recognize your time zone name. ZoneRulesException message: " + e.getMessage () );
    return;
}
ZonedDateTime zdt = ZonedDateTime.now ( z );

See this code run live at IdeOne.com.


About java.time

The java.time framework is built into Java 8 and later. These classes supplant the troublesome old legacy date-time classes such as java.util.Date, Calendar, & SimpleDateFormat.

The Joda-Time project, now in maintenance mode, advises migration to the java.time classes.

To learn more, see the Oracle Tutorial. And search Stack Overflow for many examples and explanations. Specification is JSR 310.

Where to obtain the java.time classes?

  • Java SE 8 and SE 9 and later
    • Built-in.
    • Part of the standard Java API with a bundled implementation.
    • Java 9 adds some minor features and fixes.
  • Java SE 6 and SE 7
    • Much of the java.time functionality is back-ported to Java 6 & 7 in ThreeTen-Backport.
  • Android
    • The ThreeTenABP project adapts ThreeTen-Backport (mentioned above) for Android specifically.
    • See How to use ThreeTenABP….

The ThreeTen-Extra project extends java.time with additional classes. This project is a proving ground for possible future additions to java.time. You may find some useful classes here such as Interval, YearWeek, YearQuarter, and more.

like image 149
Basil Bourque Avatar answered Sep 28 '22 18:09

Basil Bourque