Logo

Programming-Idioms

  • Pascal
  • Scheme
  • Java

Idiom #67 Binomial coefficient "n choose k"

Calculate binom(n, k) = n! / (k! * (n-k)!). Use an integer type able to handle huge numbers.

import java.math.BigInteger;
static BigInteger binom(int N, int K) {
    BigInteger ret = BigInteger.ONE;
    for (int k = 0; k < K; k++) {
        ret = ret.multiply(BigInteger.valueOf(N-k))
                 .divide(BigInteger.valueOf(k+1));
    }
    return ret;
}
uses ncalc;
var
  N, K, Res: TValue;
begin
  Res := BinomN(N, K);
end.

Pascal does not implement a native "big integer" type.
There are several 3rd party libraries that do so. One of them is ncalc, which defines TValue which can hold up to 2 gigabyte decimals.
long long binom(long long n, long long k){
  long long outp = 1;
  for(long long i = n - k + 1; i <= n; ++i) outp *= i;
  for(long long i = 2; i <= k; ++i) outp /= i;
  return outp;
}

c does not have a BigInt type, as a substitute long long is used.
To increase the range as much as possible, the formula is slightly different than the one presented in the idiom, but it gives the same results.

New implementation...
< >
programming-idioms.org