原题地址

2402.png

方法一:双指针

Python代码

  1. def judgeSquareSum(self, c: int) -> bool:
  2. a, b = 0, int(c**0.5)
  3. while a <= b:
  4. if a**2 + b**2 == c:
  5. return True
  6. elif a**2 + b**2 > c:
  7. b -= 1
  8. else:
  9. a += 1
  10. return False

时间复杂度O(sqrt(c))

空间复杂度O(1)

方法二:遍历+Python开根号性质

Python中c**0.5得到的是float类型,所以我们可以使用这个性质

  1. def judgeSquareSum(self, c: int) -> bool:
  2. for a in range(int(c**0.5)+1):
  3. b = (c-a**2)**0.5
  4. if b == int(b):
  5. return True
  6. return False

时间复杂度O(sqrt(c))

空间复杂度O(1)

方法三:费马平方和定理

一个非负整数 c 能够表示为两个整数的平方和,当且仅当 c 的所有形如 4k+3 的质因子的幂次均为偶数。

也就是非负整数c能表示成多个质数相乘,比如8 = 2*2*2,比如18 = 2*3*3, 这些质数中形如4k+3的那些数,幂次必须为偶数,否则c就不能表示为两个整数的平方和

代码

  1. def judgeSquareSum(self, c: int) -> bool:
  2. for i in range(2, int(c**0.5) + 1):
  3. count = 0
  4. while c % i == 0:
  5. c /= i
  6. count += 1
  7. if i%4 == 3 and count % 2:
  8. return False
  9. return c%4 != 3

时间复杂度O(sqrt(c))

空间复杂度O(1)