Using Java, how many days are there between now and Christmas? Its actually quite a tricky calculation to get reliably right (Did you forget to handle daylight savings?).
Now you no longer need to write it yourself if you use version 1.4 of Joda-Time:
LocalDate today = new LocalDate(); LocalDate christmas = new LocalDate(2006, 12, 25); Days daysToChristmas = Days.daysBetween(today, christmas);
So what's going on here? Well its pretty readable really, but we are (a) creating two date objects (no time, no timezone) and (b) calculating the days between the dates. The calculation effectively includes the start date and excludes the end date. Issues with daylight savings time are avoided by using the no timezone LocalDate
objects. But what if you want to calculate the number of days considering time, lets say 08:00 on christmas morning?
DateTime now = new DateTime(); DateTime christmas = new DateTime(2006, 12, 25, 8, 0, 0, 0); Days daysToChristmas = Days.daysBetween(today, christmas);
Well, that's pretty similar! Internally, the code will count the number of whole days between the datetimes. Or put another way, how many 24 hours units are there between the two datetimes (except that it handles 23/25 hours DST dates too!). So, 08:01 on christmas eve returns zero days, but 07:59 returns one day.
And what's the other noticeable feature about the code above? Well, the result is being returned as an object, Days
, not as an int
. This allows your application to store a value in days, and actually know it is days and not some random int
.
Up until now in Joda-Time, we have used the Period
class for this. But that allowed you flexibility in storing a period such as "3 days, 12 hours and 32 minutes" - fine if you want that flexibility, but not if you don't. Days
on the other hand can only store a number of days.
Now, you may be asking what is so special about days? Why can't I calculate the difference between months or hours. Well, of course you can! The new classes are Years
, Months
, Weeks
, Days
, Hours
, Minutes
and Seconds
. They all operate in a similar manor, and they all implement the relevant interface, ReadablePeriod
so they can interoperate.
Oh, and one last point. the factory method have a naming style that allows them to be statically imported on Java SE 5. Still not sure if I really like static imports, but at least the API supports the coding style!
As always, any feedback on Joda-Time is welcomed, here, mailing list or forum. With your help, the library can improve still further!