Problème 9 "Numéro Pitagolas spécial"
Un nombre de Pitagolas (un entier naturel qui satisfait le théorème de Pitagolas) est un ensemble de nombres qui satisfont l'équation suivante avec a <b <c.
a^2 + b^2 = c^2
Par exemple
3^2 + 4^2 = 9 + 16 = 25 = 5^2
. Il n'y a qu'un seul triplet de Pitagoras avec a + b + c = 1000. Calculez le produit abc de ceux-ci.
Python
n = 1000
seq = range(1, n+1)
def is_pythagorean(a, b, c):
return a**2 + b**2 == c**2
pythagorean = None
for a in seq:
if(pythagorean): break
for b in range(a+1, n+1):
c = n - b - a
if(c > b and is_pythagorean(a, b, c)):
pythagorean = (a, b, c)
break
result = reduce(lambda x,y: x*y, pythagorean)
print result
print result == 31875000
print pythagorean
résultat
31875000
True
(200, 375, 425)
Recommended Posts