Russ•Works

The Offical Weblog of Russell Jennings

When A+b+c != C+b+a

AKA Time math is not normal math. A subtle bug I caught recently in a project.

Background

Normally, when you combine a few numbers together, the order in which they combine is irrelevant.

1 + 2 + 3 - 1 => 5

3 - 1 + 2 + 1 => 5

Kicker

We had an acceptance spec in a rails project that kept failing. Here’s the line that was giving us trouble (and for reference, Subscription::GRACE_PERIOD is 1.day):

1
 @subscription.expires_at.to_s(:date_only).should == (Time.now + 1.month + 5.days - Subscription::GRACE_PERIOD).to_s(:date_only)

Everything as far as we could see was correct. Earlier in the spec we were logging in the user 5 days from now, and they should have access for a month since then, minus a day. We became sure it was an issue with UTC, so We tried this:

1
 @subscription.expires_at.utc.to_s(:date_only).should == (Time.now + 1.month + 5.days - Subscription::GRACE_PERIOD).utc.to_s(:date_only)

But that didn’t work either.

1
2
    expected: "3/30/13"
    got: "4/2/13" (using ==)

Catch

After a few hours of tearing apart the codebase we were testing, it started to become apparent what was going on.

This is what we were using to determine the date.

1
(Time.now + 1.month + 5.days - Subscription::GRACE_PERIOD)

Let’s take that apart and see whats going on.

1
2
3
4
5
6
7
8
9
10
11
Time.now
=> 2013-02-26 03:24:45 -0500

Time.now + 1.month
=>2013-03-26 03:24:08 -0400

Time.now + 1.month + 5.days
=> 2013-03-31 03:25:34 -0400

Time.now + 1.month + 5.days - Subscription::GRACE_PERIOD
=> 2013-03-30 03:25:54 -0400

The observant reader will note the change in UTC offset when we added a month to Time.now; this is because of DST.

However, it turns out that this is not how the code under test does it, once broken down. It was instead doing this something more like this:

1
2
3
4
5
6
7
8
9
10
11
Time.now
=> 2013-02-26 03:24:45 -0500

Time.now + 5.days
=> 2013-03-03 03:24:24 -0500

Time.now + 5.days - Subscription::GRACE_PERIOD
=> 2013-03-02 03:26:21 -0500

Time.now + 5.days - Subscription::GRACE_PERIOD + 1.month
=> 2013-04-02 03:26:50 -0400

which means the code we need to get this spec to pass looks like

1
 @subscription.expires_at.to_s(:date_only).should == (Time.now + 5.days - Subscription::GRACE_PERIOD + 1.month).to_s(:date_only)

Confused?

A simpler version highlights the issue

1
Time.now + 5.days + 1.month

Thats the 26th, + 5 days puts us into 03/03, + 1 month gives us 04/03. Lets look at the correct version.

1
Time.now + 1.month + 5.days

The 26th again, + 1 month is 3/26, + 5 days is 03/31

When doing math that deals with time, specifically different units of time, it can lead to unexpected results if you are not careful with the ordering.

Web Analytics