Calculating the Amount of Combinations

Here’s an ancient algorithm which is exact and doesn’t overflow unless the result is to big for a long long

unsigned long long
choose(unsigned long long n, unsigned long long k) {
    if (k > n) {
        return 0;
    }
    unsigned long long r = 1;
    for (unsigned long long d = 1; d <= k; ++d) {
        r *= n--;
        r /= d;
    }
    return r;
}

This algorithm is also in Knuth’s “The Art of Computer Programming, 3rd Edition, Volume 2: Seminumerical Algorithms” I think.

UPDATE: There’s a small possibility that the algorithm will overflow on the line:

r *= n--;

for very large n. A naive upper bound is sqrt(std::numeric_limits<long long>::max()) which means an n less than rougly 4,000,000,000.

Leave a Comment