Project Euler Problem 15 Solution

Question

Starting in the top left corner of a 2x2 grid, there are 6 routes (without backtracking) to the bottom right corner.

How many routes are there through a 20x20 grid?

Commentary

The grid can be expressed as Pascal’s Triangle:

1
1 1
1 (2) 1
1 3 3 1
1 4 (6) 4 1
1 5 10 10 5 1
1 6 15 (20) 15 6 1

Note that the solution for a 1x1 grid is 2, a 2x2 grid is 6, and a 3x3 grid is 20.

If we compare these solutions to Pascal’s Triangle, we see that they correspond to the 1st element in the 2nd row, the 2nd element in the 4th row, and the 3rd element in the 6th row, respectively. (Note that Pascal’s Triangle is zero-indexed.)

The binomial coefficient (nk)\binom {n} {k} can be used to determine the kkth element in the nnth row of Pascal’s Triangle. Thus, we could express the aforementioned solutions as (21)\binom {2} {1}, (42)\binom {4} {2}, and (63)\binom {6} {3}, respectively.

Thus, a general solution for grids of size xx is

routes=(2xx)routes = \binom {2x} {x}.

Haskell

Python

Ruby

Rust