Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to compare Joda DateTime objects with acceptable offset (tolerance)?

I wonder is there any standard API in JodaTime to compare 2 DateTime objects with specified tolerance? I am looking for a one-liner preferably by using Joda standard API. Not for time-aritmethic expressions like in this post.

Ideally, it would be something like:

boolean areNearlyEqual = SomeJodaAPIClass.equal(dt1, dt2, maxTolerance);

Thanks!

like image 885
aviad Avatar asked Jul 01 '12 09:07

aviad


Video Answer


2 Answers

Use this:

new Duration(dt1, dt2).isShorterThan(Duration.millis(maxTolerance))
like image 120
Istvan Devai Avatar answered Sep 30 '22 20:09

Istvan Devai


This post is old, but I find the line in the accepted solution a bit long and I found nothing better in what exists. So I did a small class that wraps it for Date and DateTime :

public class DateTimeUtils
{
    public static boolean dateIsCloseToNow(Date dateToCheck,
                                           Duration tolerance)
    {
        return dateIsCloseToNow(new DateTime(dateToCheck), tolerance);
    } 

    public static boolean dateIsCloseToNow(DateTime dateToCheck,
                                           Duration tolerance)
    {
        return datesAreClose(dateToCheck, DateTime.now(), tolerance);
    }

    public static boolean datesAreClose(Date date1,
                                        Date date2,
                                         Duration tolerance)
    {
        return datesAreClose(new DateTime(date1), new DateTime(date2), tolerance);
    }

    public static boolean datesAreClose(DateTime date1,
                                         DateTime date2,
                                         Duration tolerance)
    {
        if (date1.isBefore(date2)) {
            return new Duration(date1, date2).isShorterThan(tolerance);
        }
        return new Duration(date2, date1).isShorterThan(tolerance);
    }

so this line :

new Duration(date.getTime(), System.currentTimeMillis()).isShorterThan(Duration.standardSeconds(5)

becomes :

DateUtils.dateIsCloseToNow(date, Duration.standardSeconds(5))

I found that really useful in unit test cases where I needed to validate a creation date.

like image 38
FredBoutin Avatar answered Sep 30 '22 19:09

FredBoutin