LeetCode题解:Sqrt(x)

Sqrt(x)

Implement int sqrt(int x).

Compute and return the square root of x.

思路:

可以考虑二分搜索,但是二分搜索的起点不好判定,不过可以预先计算好numeric_limits<int>::max()的平方根,然后搜索,这样范围就缩小很多而且避免了溢出。有的人用long来计算,这样在很多情况下也是可以避免溢出的。但是必须注意的是C++标准中long的最大值可以等于int的最大值。没有规定long的长度一定大于(可以等于)int的长度。

这里用牛顿迭代法处理。

题解:

class Solution {
public:
    int sqrt(int x) {
        if (x == 0) return 0;
        if (x == 1) return 1;
        
        // newton iteration
        double xprev = 1;
        double x0 = xprev + 2;
        while(abs(x0 - xprev) > 0.5)
        {
            xprev = x0;
            x0 = x0 - (x0 * x0 - x) / ( 2 * x0 );
        }
        
        return x0;
    }
};


你可能感兴趣的:(LeetCode)