Leetcode-633. 平方数之和

Leetcode-633. 平方数之和

     给定一个非负整数 c ,你要判断是否存在两个整数 a 和 b,使得 aa + bb = c。

示例1:
输入: 5
输出: True
解释: 1 * 1 + 2 * 2 = 5
 

示例2:
输入: 3
输出: False

思路:

     双指针法。但是注意left * left == c - right * right要写成这种形式,不要写成left * left + right * right == c,可能会越界。

C++ code:

class Solution {
public:
    bool judgeSquareSum(int c) {
        int left = 0;
        int right = sqrt(c);
        while(left <= right){
            if(left * left == c - right * right){
                return true;
            }
            if(left * left < c - right * right){
                left++;
            }else{
                right--;
            }
        }
        return false;
    }
};

你可能感兴趣的:(Leetcode)