LeetCode 367 有效的完全平方数

LeetCode 367 有效的完全平方数,第1张

LeetCode 367 有效的完全平方数 LeetCode 367 有效的完全平方数

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/valid-perfect-square/

博主Github:https://github.com/GDUT-Rp/LeetCode

题目:

给定一个 正整数 num ,编写一个函数,如果 num 是一个完全平方数,则返回 true ,否则返回 false 。

进阶:不要 使用任何内置的库函数,如 sqrt。

示例 1:

输入:num = 16
输出:true

示例 2:

输入:num = 14
输出:false

提示:

1 <= num <= 2 31 − 1 2^{31} - 1 231−1

解题思路: 方法一:二分查找

暴力和sqrt的方法这里就不贴代码了,这里贴二分查找的代码。

C++
class Solution {
public:
    bool isPerfectSquare(int num) {
        int left = 0, right = num;
        while (left <= right) {
            int mid = (right - left) / 2 + left;
            long square = (long) mid * mid;
            if (square < num) {
                left = mid + 1;
            } else if (square > num) {
                right = mid - 1;
            } else {
                return true;
            }
        }
        return false;
    }
};
Golang
func isPerfectSquare(num int) bool {
    left, right := 0, num
    for left <= right {
        mid := (left + right) / 2
        square := mid * mid
        if square < num {
            left = mid + 1
        } else if square > num {
            right = mid - 1
        } else {
            return true
        }
    }
    return false
}
Python
class Solution:
    def isPerfectSquare(self, num: int) -> bool:
        left, right = 0, num
        while left <= right:
            mid = (left + right) // 2
            if mid ** 2 < num:
                left = mid + 1
            elif mid ** 2 > num:
                right = mid - 1
            else:
                return True
        return False

复杂度分析

时间复杂度: O ( log ⁡ n ) O(log n) O(logn),其中 n n n 为正整数 num textit{num} num 的最大值。

空间复杂度: O ( 1 ) O(1) O(1)。

欢迎分享,转载请注明来源:内存溢出

原文地址: http://outofmemory.cn/zaji/5157454.html

(0)
打赏 微信扫一扫 微信扫一扫 支付宝扫一扫 支付宝扫一扫
上一篇 2022-11-18
下一篇 2022-11-18

发表评论

登录后才能评论

评论列表(0条)

保存