2019-07-16 23:09:53 +00:00
|
|
|
"""
|
2020-10-07 13:05:06 +00:00
|
|
|
Problem 28
|
|
|
|
Url: https://projecteuler.net/problem=28
|
|
|
|
Statement:
|
2019-07-16 23:09:53 +00:00
|
|
|
Starting with the number 1 and moving to the right in a clockwise direction a 5
|
|
|
|
by 5 spiral is formed as follows:
|
|
|
|
|
|
|
|
21 22 23 24 25
|
|
|
|
20 7 8 9 10
|
|
|
|
19 6 1 2 11
|
|
|
|
18 5 4 3 12
|
|
|
|
17 16 15 14 13
|
|
|
|
|
|
|
|
It can be verified that the sum of the numbers on the diagonals is 101.
|
|
|
|
|
|
|
|
What is the sum of the numbers on the diagonals in a 1001 by 1001 spiral formed
|
|
|
|
in the same way?
|
|
|
|
"""
|
|
|
|
|
2018-10-19 12:48:28 +00:00
|
|
|
from math import ceil
|
|
|
|
|
|
|
|
|
2020-10-07 13:05:06 +00:00
|
|
|
def solution(n: int = 1001) -> int:
|
2019-07-16 23:09:53 +00:00
|
|
|
"""Returns the sum of the numbers on the diagonals in a n by n spiral
|
|
|
|
formed in the same way.
|
|
|
|
|
2020-10-07 13:05:06 +00:00
|
|
|
>>> solution(1001)
|
2019-07-16 23:09:53 +00:00
|
|
|
669171001
|
2020-10-07 13:05:06 +00:00
|
|
|
>>> solution(500)
|
2019-07-16 23:09:53 +00:00
|
|
|
82959497
|
2020-10-07 13:05:06 +00:00
|
|
|
>>> solution(100)
|
2019-07-16 23:09:53 +00:00
|
|
|
651897
|
2020-10-07 13:05:06 +00:00
|
|
|
>>> solution(50)
|
2019-07-16 23:09:53 +00:00
|
|
|
79697
|
2020-10-07 13:05:06 +00:00
|
|
|
>>> solution(10)
|
2019-07-16 23:09:53 +00:00
|
|
|
537
|
|
|
|
"""
|
|
|
|
total = 1
|
|
|
|
|
2019-08-19 13:37:49 +00:00
|
|
|
for i in range(1, int(ceil(n / 2.0))):
|
2019-07-16 23:09:53 +00:00
|
|
|
odd = 2 * i + 1
|
|
|
|
even = 2 * i
|
2022-01-30 19:29:54 +00:00
|
|
|
total = total + 4 * odd**2 - 6 * even
|
2019-07-16 23:09:53 +00:00
|
|
|
|
|
|
|
return total
|
|
|
|
|
|
|
|
|
|
|
|
if __name__ == "__main__":
|
|
|
|
import sys
|
|
|
|
|
|
|
|
if len(sys.argv) == 1:
|
2020-10-07 13:05:06 +00:00
|
|
|
print(solution())
|
2019-07-16 23:09:53 +00:00
|
|
|
else:
|
|
|
|
try:
|
|
|
|
n = int(sys.argv[1])
|
2020-10-07 13:05:06 +00:00
|
|
|
print(solution(n))
|
2019-07-16 23:09:53 +00:00
|
|
|
except ValueError:
|
|
|
|
print("Invalid entry - please enter a number")
|