Pythagorean triplets using python's list compr

2019-02-27 16:17发布

I can find out Pythagorean triplets using for loop as follows:

def triplet(n): # Find all the Pythagorean triplets between 1 and n (inclusive)
  for a in range(n+1):
    for b in range(a):
      for c in range(b):
        if a*a == b*b + c*c:
          print(a, b, c)

I wanted to replace this with a one-liner using list comprehension and tried the following piece:

[a, b, c in range(n+1), range(a), range(b) if a*a == b*b + c*c]

But, I get a syntax error on the closing square bracket. I tried to change the list into tuple using simple brackets, but with no success. May I know how to get it right?

2条回答
狗以群分
2楼-- · 2019-02-27 16:48

I think you mean

[(a,b,c) for a in range(n+1) for b in range(a) for c in range(b) if a*a == b*b + c*c]

That at least is syntactically valid.

查看更多
姐就是有狂的资本
3楼-- · 2019-02-27 16:50

Asssume that a<=b<=c, this version is a little faster:

triplet = [(a,b,c) for a in range(1,N//3+1) for b in range(a,N//2+1) for c in range(b,N-1) if a**2 + b**2 == c**2]
查看更多
登录 后发表回答