2020-06-06 01:53:38 +08:00
|
|
|
/**
|
|
|
|
* \file
|
|
|
|
* \brief [Problem 15](https://projecteuler.net/problem=15) solution
|
|
|
|
*/
|
2020-05-30 04:23:24 +08:00
|
|
|
#include <stdint.h>
|
2020-03-31 02:49:54 +08:00
|
|
|
#include <stdio.h>
|
|
|
|
#include <stdlib.h>
|
|
|
|
|
|
|
|
/**
|
|
|
|
* At every node, there are 2 possible ways to move -> down or right.
|
2020-05-30 04:23:24 +08:00
|
|
|
* Since it is a square grid, there are in all, 2N steps with N down
|
|
|
|
* and N right options, without preference for order.
|
2020-03-31 02:49:54 +08:00
|
|
|
* Hence, the path can be be traced in N out of 2N number of ways.
|
|
|
|
* This is the same as binomial coeeficient.
|
|
|
|
**/
|
|
|
|
unsigned long long number_of_paths(int N)
|
|
|
|
{
|
|
|
|
unsigned long long path = 1;
|
|
|
|
for (int i = 0; i < N; i++)
|
|
|
|
{
|
|
|
|
path *= (N << 1) - i;
|
|
|
|
path /= i + 1;
|
|
|
|
}
|
2020-05-30 04:23:24 +08:00
|
|
|
|
2020-03-31 02:49:54 +08:00
|
|
|
return path;
|
|
|
|
}
|
|
|
|
|
2020-06-06 01:53:38 +08:00
|
|
|
/** Main function */
|
2020-03-31 02:49:54 +08:00
|
|
|
int main(int argc, char **argv)
|
|
|
|
{
|
|
|
|
int N = 20;
|
|
|
|
|
|
|
|
if (argc == 2)
|
|
|
|
N = atoi(argv[1]);
|
|
|
|
|
2020-05-30 04:23:24 +08:00
|
|
|
printf("Number of ways to traverse diagonal of %dx%d grid = %llu\n", N, N,
|
|
|
|
number_of_paths(N));
|
2020-03-31 02:49:54 +08:00
|
|
|
|
|
|
|
return 0;
|
2020-06-06 01:53:38 +08:00
|
|
|
}
|