I am trying to teach myself haskell by means of project Euler
i sovled problem #9 by means of this code which is on the brute force side I was wondering if there is a more elegant/haskell/efficient solution
let project_euler_9 = [(a,b,c) | c <- [1..500], b <- [1..c], a <- [1..b], a^2 + b^2 == c^2, a+b+c==1000 ]
1 Answer 1
As already mentioned there are formulas for enumerating the pythagorean triples, but your solution can be made quite fast by bounding the search space more. You have already taken care of the symmetry in the solutions by letting a
be less then b
(a <- [1..b]
), but note that since a + b + c == 1000
, once you know the value of a
and b
you know that c = 1000 - a - b
so you only need to check that one case:
[(a,b,c) | a <- [1..500], b <- [1..a], let c = 1000 - a - b, a^2 + b^2 == c^2]
The above code runs in less then a second on my machine with GHCi.
Explore related questions
See similar questions with these tags.
(a*b*c)
? \$\endgroup\$a+b+c==1000
anda^2+b^2 == c^2
and how that order might affect run time. Also, froma+b+c == 1000
you can replacea <- [1..b]
witha = 1000-b-c
. \$\endgroup\$