当前位置:   article > 正文

LeetCode69 Sqrt(x)**

LeetCode69 Sqrt(x)**

链接地址:https://leetcode.com/problems/sqrtx/

这道题就是求一个数的平方根

我这里提供三种方法

1:大家都知道平方根一定都是[1,x/2]之间,所以从1循环到x/2, 但当x=1是通过的,不是好方法而且会TLE

  1. class Solution { // TLE而且不精确
  2. public:
  3. int sqrt(int x) {
  4. int t = x/2;
  5. for(int i = 0; i<= t; i++)
  6. if((i * i) == x) return i;
  7. return -1;
  8. }
  9. };

2:二分法

我们知道二分法所需要的时间复杂度为O(lgN),这样就不会超时了

  1. class Solution {
  2. public:
  3. int sqrt(int x) {
  4. double begin = 0;
  5. double end = x;
  6. double result = 1;
  7. double mid = 1;
  8. while(abs(result-x) > 0.000001){
  9. mid = (begin+end)/2;
  10. result = mid*mid;
  11. if(result > x) // 二分的范围
  12. end = mid;
  13. else begin = mid;
  14. }
  15. return (int)mid;
  16. }
  17. };
3:牛顿迭代法

牛顿迭代法Newton's method)又称为牛顿-拉夫逊(拉弗森)方法(Newton-Raphson method),它是牛顿在17世纪提出的一种在实数域和复数域上近似求解方程的方法。


以下代码cur = pre/2 + x/(2*pre)是化简计算的结果。。这里的f(x) = x^2-n

  1. //*牛顿迭代法*/
  2. class Solution {
  3. public:
  4. int sqrt(int x) {
  5. double pre = 0;
  6. double cur = x; // 这里从x开始 从x/2开始会导致 1 不能满足 x(n+1)= xn - f'(xn)/f(xn)
  7. while(abs(cur - pre) > 0.000001){
  8. pre = cur;
  9. cur = (pre/2 + x/(2*pre));
  10. }
  11. return int(cur);
  12. }
  13. };


声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/知新_RL/article/detail/164794
推荐阅读
相关标签
  

闽ICP备14008679号