Skip to content
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
6 changes: 6 additions & 0 deletions DIRECTORY.md
Original file line number Diff line number Diff line change
Expand Up @@ -469,6 +469,11 @@

## Geometry
* [Geometry](geometry/geometry.py)
* [Graham Scan](geometry/graham_scan.py)
* [Jarvis March](geometry/jarvis_march.py)
* Tests
* [Test Graham Scan](geometry/tests/test_graham_scan.py)
* [Test Jarvis March](geometry/tests/test_jarvis_march.py)

## Graphics
* [Bezier Curve](graphics/bezier_curve.py)
Expand Down Expand Up @@ -981,6 +986,7 @@
* [Sol2](project_euler/problem_014/sol2.py)
* Problem 015
* [Sol1](project_euler/problem_015/sol1.py)
* [Sol2](project_euler/problem_015/sol2.py)
* Problem 016
* [Sol1](project_euler/problem_016/sol1.py)
* [Sol2](project_euler/problem_016/sol2.py)
Expand Down
32 changes: 32 additions & 0 deletions project_euler/problem_015/sol2.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,32 @@
"""
Problem 15: https://projecteuler.net/problem=15

Starting in the top left corner of a 2x2 grid, and only being able to move to
the right and down, there are exactly 6 routes to the bottom right corner.
How many such routes are there through a 20x20 grid?
"""


def solution(n: int = 20) -> int:
"""
Solve by explicitly counting the paths with dynamic programming.

>>> solution(6)
924
>>> solution(2)
6
>>> solution(1)
2
"""

counts = [[1 for _ in range(n + 1)] for _ in range(n + 1)]

for i in range(1, n + 1):
for j in range(1, n + 1):
counts[i][j] = counts[i - 1][j] + counts[i][j - 1]

return counts[n][n]


if __name__ == "__main__":
print(solution())
Loading