The strangest way of rounding down to the nearest quarter

Date:January 26, 2005 / year-entry #24
Tags:other
Orig Link:https://blogs.msdn.microsoft.com/oldnewthing/20050126-00/?p=36593
Comments:    38
Summary:In a previous life, I wrote database software. A customer complained that one of their reports was taking an unacceptably long amount of time to generate, and I was asked to take a look at it even though it wasn't my account. The report was a vacation-days report, listing the number of vacation days taken...

In a previous life, I wrote database software. A customer complained that one of their reports was taking an unacceptably long amount of time to generate, and I was asked to take a look at it even though it wasn't my account.

The report was a vacation-days report, listing the number of vacation days taken and available for each employee. Vacation days accrued at a fixed rate but were granted only in quarter-day increments. For example, if you earned 15 vacation days per year and the year was 32% complete, then you had accrued 32% × 15 = 4.8 vacation days, of which 4.75 were available to use.

The existing code to round the number of accrued days down to the nearest quarter-day went something like this:

* assume that at this point, ACCRUED is the number
* of accrued days.
PRIVATE S,F
* STR(ACCRUED,6,2) converts ACCRUED to a 6-character
* string: 3 integer digits, a decimal point, and two
* fractional digits.  Excess fractional digits are rounded.
STORE STR(ACCRUED,6,2) TO S
STORE RIGHT(S,2) TO F        && extract digits after decimal
IF F < "25"
 F = "00"                    && 00 to 24 becomes 00
ELSE
 IF F < "50"
  F = "25"                   && 25 to 49 becomes 25
 ELSE
  IF F < "75"
   F = "50"                  && 50 to 74 becomes 50
  ELSE
   F = "75"                  && 75 to 99 becomes 75
  ENDIF
 ENDIF
ENDIF
ROUNDED = VAL(LEFT(S,4) + F) && reconstruct value and convert

In other words, the code converted the number to a string, extracted the digits after the decimal point, did string comparisons to figure out which quartile the fraction resided in, then created a new string with the replacement fraction and converted that string back to a number. And all this in an interpreted language.

This code fragment was repeated each time rounding-down was needed because the language supported only 32 subroutines, and this procedure wasn't important enough to be worth kicking out one of the other existing subroutines.

I replaced this seventeen-line monstrosity with the one-line equivalent each time it occurred, and the report ran much faster.

(This is nowhere near the strangest way of implementing rounding. There are far worse examples.)

Exercise: What is the one-line equivalent?

Exercise: What is the double-rounding bug in the original code?


Comments (38)
  1. Ben Watson says:

    Not sure about the syntax, but:

    ROUNDED = TRUNCATE(ACCRUED * 4) / 4

  2. BradC says:

    Well, it rounds at the beginning when it does a

    STR(ACCRUED,6,2)

    So 4.246 gets first rounded to 4.25, which stays 4.25 after the second rounding, which allows more vacation than has actually been earned.

  3. DanR says:

    What about simply

    rounded = (accrued*4) div 4

  4. DanR says:

    Make that

    rounded = (int(accrued*4))/4

  5. I don’t know how that language stores numbers or what bitwise operations you may have available to you, but you could truncate/mask off all but the first two binary digits after the decimal point, if you can bitwise manipulate a float.

    This is possible because .0, .25, .5, and .75 are the exact (decimal) values that can be stored in the two most significant fractional bits, and truncate always rounds down.

  6. Double rounding: If the STR function is implemented with the rounding we learned about in school (.5+, round up, else round down), the true boundaries for the fractions are .245, .495, and .745, instead of .25, .5, and .75?

  7. lowercase josh says:

    Even if you can do bitwise operations on floats in this language, you need to know how many bits above the binary point there are before you can mask. Or you could just take the fractional part and do that. That’s probably slower and certainly more difficult to read than the simple arithmetic method.

    And truncation doesn’t always round down, but hopefully the cases where it doesn’t wouldn’t happen here.

  8. lowercase josh says:

    Well, I guess that does depend on your definition of "down"…

  9. Rob Meyer says:

    That reminds of my favorite hunk of code I’ve ever found in a production system. The name of the method was "moveDecimalPoint" or something like that, and it took a string that was a floating point number. In about 5-6 lines of awful looking looping code it searched through the string, manually split on the decimal point, then created a new string with the point moved 2 spaces to the right.

    Most work I’ve ever seen anyone do to multiply a number by 100. Involved a 5 line loop, a couple of string creations, a string buffer creation, and a horrible method name.

  10. RJ says:

    Yes, one would hope that your earned vacation time is never negative. But perhaps at EA…

  11. I didn’t know you once wrote Fox applications! You should go see what the Fox team is up to now.

  12. Waaaaay Back says:

    Fox? Sounds like dBaseII or III to me. I remember an project I worked on where the numbers were more than 4,294,967,296. I had to add and subtract by writing decimal math routines.

  13. vinod vemireddi says:

    this can be done in excel as

    = ceiling(cellvalue,0.25)

  14. Chep says:

    Once, an intern attempted to do bitwise operations (it was in BPW, or maybe Delphi 1.0 at the time).

    Yes, me posting in this thread is enough of a clue, so you guessed what he did. He first converted the integers into a string of ‘0’ and ‘1’, performed the bitwise operation on the chars, and finally converted back to an integer (actually, we caught him as he called for help converting the string of, uh, bits, into an integer)

    At least interns are cheap.

    /thanks Raymond, Larry, Michael and the feedback community(ies). You’re part of my daily insight influx.

  15. Betty says:

    wouldn’t

    value -= fmod(value, 0.25);

    work?

  16. Bogus McMurphy says:

    ROUNDED = VAL(LEFT(S,4)+((F/25)*25))

    e.g., if F=49, F/25*25 = 49/25*25 = 1*25 = 25

  17. GregM says:

    Since you’re rouding *down*, and converting a number to a string presumably rounds normally, 4.749 would round to 4.75 when it should round to 4.5.

  18. lf says:

    My favourite is the rotated drawString() from com.ms.fx.FxGraphics. The algorithm used is

    – render the string into a bitmap (actually an int[])

    – for each white pixel in the bitmap, rotate the coordinates (calling sin() and cos() twice each, once for the x and once for the y coordinate), and add them to a list

    – pass that list of pixels to the optimized drawPixels() function

  19. B.Y. says:

    rounded=0.25f * (float) ( (int)(accrued*4.0f+0.5f) );

  20. In the past, I’ve always gone with the int*4/4 method myself. I just added my point because it wasn’t covered, and the coincidence of wanting a rounding that happens to work that way (most don’t) was too much to pass up, plus the int*4/4 method was already covered.

    As for speed, both int*4/4 and a mask will be so much faster than the original method as to make no difference. Which will be faster depends on how fast float->ints convert, which I have to confess I honestly don’t know. It’s going to be hard to beat suggestion I made if done directly in machine language, though, because it never really does <i>math</i> on the float, the slow stuff with floats, it just some masking, shifting, and a single simple addition. How fast it would go implemented in that language, I have no idea, and if it is interpreted int*4/4 would almost certainly cream it unless some wild optimizations took place.

    Mostly I suggested it as an interesting idea, but there’s a chance it’s right :-)

  21. chrishad says:

    double rounded = (int) x + (int)( ( x – (int) x ) / 0.25) * 0.25;

  22. waaaay back says:

    in Foxpro 2.6. . .

    rounded = ((int(((accrued – int(accrued)) * 100) / 25) * .25) + int(accrued)

    it’s amazing what you can do with that question mark!

  23. waaaaaay back further says:

    oops

    store ((int(((accrued – int(accrued)) * 100) / 25) * .25) + int(accrued) to rounded

    sigh

  24. Here’s an improved more generic version, however written in C# from my blog.

    class Test

    {

    public static double RoundToUnit(double d, double unit, bool roundDown)

    {

    if (roundDown)

    {

    // Round down.

    return Math.Round(Math.Round((d / unit) – 0.5, 0) * unit, 2);

    }

    else

    {

    // Round up

    return Math.Round(Math.Round((d / unit) + 0.5, 0) * unit, 2);

    }

    }

    [STAThread]

    static void Main()

    {

    double d1 = RoundToUnit(2.413, 0.25, true); // d1 = 2.25.

    double d2 = RoundToUnit(2.413, 0.25, false); // d2 = 2.50.

    double d3 = RoundToUnit(2.413, 0.30, true); // d3 = 2.40.

    double d4 = RoundToUnit(2.413, 0.30, false); // d4 = 2.70.

    }

    }

  25. Anonymous says:

    lazybones &raquo; All about rounding

  26. Pranav says:

    Math isn’t my strongest point, but here goes…

    ACCRUED = ACCRUED – (ACCRUED % 0.25)

  27. whats the problem with:

    FLOOR( ACCRUED * 4 ) / 4

    ??

  28. Vacation days accrued at a fixed rate but were

    > granted only in quarter-day increments [by

    > rounding down].

    I would like to point out that no employee can get his/her full vacation allotment until after the year is effectively over. If the company does not allow employees to carry forward their vacation, then this sucks.

  29. lf: I’ve actually written code like that back in my high school game programming days. Performance issues aside, that algorithm is flawed (it might work alright for text). There are usually more pixels in the rotated bitmap, so you end up with holes in the result. You have to rotate the destination pixel backwards to find the correct source pixel.

  30. mrscott says:

    Using 3 casts and a mod op:

    (verified works)

    double rounded = x – (x – (int)x) + (((x – (int)x) * 100) – (((x – (int)x) * 100) % 25))/100;

  31. mrscott says:

    slightly better…

    double rounded = (int)x + (((x – (int)x) * 100) – (((x – (int)x) * 100) % 25))/100;

  32. Basil Hussain says:

    Aaaahhh… Foxpro. Those were the days.

    Oh, wait, my company still uses it! D’oh!

    Where does Raymond get the maximum of 32 for the number of subroutines? Consulting my Foxpro for DOS 2.6 help file, I see it says:

    "Max. # of procedures per file: unlimited"

    Perhaps Raymond is referring to:

    "Max. # of nested DO calls: 32"

    But that would only affect recursion (or really big programs). Or, maybe Raymond is talking about an even older version of Foxpro (Foxbase+?)…

  33. Waaaaay Back says:

    Basil: Maybe Raymond will enlighten us as to the software he was using. I’m betting on DbaseIII or IV (for DOS).

    There have been a number of interesting solutions presented, but few under the contraints that Raymond placed.

    The Highest Level, is course

    "number of vacation days taken and available for each employee. Vacation days accrued at a fixed rate but were granted only in quarter-day increments."

    Personally, I’d write a couple of lines in C and let the compiler take care of the optimizations.

    Perhaps Raymond can give us his solution somewhere down the road.

    I love this blog. I can’t pretend to understand much of what is going on. . . but it’s easy to see that the general level of comprehension in the community is inversely proportional to the amount of feedback on each topic.

  34. Nekto says:

    Охуенно!!!

  35. Beavis says:

    Vi vse tupiue pidarasi!

    Hello from Russia, fucking lamers!

  36. A tip from abstract algebra.

Comments are closed.


*DISCLAIMER: I DO NOT OWN THIS CONTENT. If you are the owner and would like it removed, please contact me. The content herein is an archived reproduction of entries from Raymond Chen's "Old New Thing" Blog (most recent link is here). It may have slight formatting modifications for consistency and to improve readability.

WHY DID I DUPLICATE THIS CONTENT HERE? Let me first say this site has never had anything to sell and has never shown ads of any kind. I have nothing monetarily to gain by duplicating content here. Because I had made my own local copy of this content throughout the years, for ease of using tools like grep, I decided to put it online after I discovered some of the original content previously and publicly available, had disappeared approximately early to mid 2019. At the same time, I present the content in an easily accessible theme-agnostic way.

The information provided by Raymond's blog is, for all practical purposes, more authoritative on Windows Development than Microsoft's own MSDN documentation and should be considered supplemental reading to that documentation. The wealth of missing details provided by this blog that Microsoft could not or did not document about Windows over the years is vital enough, many would agree an online "backup" of these details is a necessary endeavor. Specifics include:

<-- Back to Old New Thing Archive Index