实现 int sqrt(int x) 函数。
计算并返回 x 的平方根,其中 x 是非负整数。
由于返回类型是整数,结果只保留整数的部分,小数部分将被舍去。
示例 1:
输入: 4 输出: 2 示例 2:
输入: 8 输出: 2 说明: 8 的平方根是 2.82842…,
由于返回类型是整数,小数部分将被舍去。来源:力扣(LeetCode) 链接:https://leetcode-cn.com/problems/sqrtx
感觉其实挺像是个查找算法(不包括牛顿迭代)
用了三个方法:
第一个是顺序:
```python
class Solution:
def mySqrt(self, x: int) -> int:
for i in range (0,x+1):
if i*i<x:
continue
if i*i == x:
return i
if i*i>x:
return i-1
结果就挺崩溃的 ,击败个位数。
第二个用的二分查找:
```python
class Solution:
def mySqrt(self, x: int) -> int:
if x == 1:
return 1
a = 0
b = x
while(b-a>1):
c = (a+b)//2
print (c)
if c*c == x:
return c
elif c*c < x:
a = c
elif c*c > x:
b = c
return a
算是好了一点点:
最后用的牛顿迭代:
class Solution:
def mySqrt(self, x: int) -> int:
if x == 0:
return 0
y0, x0 = float(x), float(x)
while(True):
x1 = (x0-y0/(2*x0))
if (abs(x0 - x1) <1e-7):
return int(x1)
x0 = x1
y0 = x1*x1 - float(x)
又好了一些:
算法还是有挺多改进的地方,有老铁路过感谢批评指正!