LeetCode数学系列——快速幂算法(50题)

Posted SupremeBoy

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了LeetCode数学系列——快速幂算法(50题)相关的知识,希望对你有一定的参考价值。

一、题目描述

实现 pow(xn) ,即计算 x 的 n 次幂函数。

二、算法分析

 

class Solution {
    public double quickMul(double x, long N) {
        if (N == 0) {
            return 1.0;
        }
        double y = quickMul(x, N / 2);
        return N % 2 == 0 ? y * y : y * y * x;
    }

    public double myPow(double x, int n) {
        long N = n;
        return N >= 0 ? quickMul(x, N) : 1.0 / quickMul(x, -N);
    }
}

 

 

class Solution {
    double quickMul(double x, long N) {
        double ans = 1.0;
        // 贡献的初始值为 x
        double x_contribute = x;
        // 在对 N 进行二进制拆分的同时计算答案
        while (N > 0) {
            if (N % 2 == 1) {
                // 如果 N 二进制表示的最低位为 1,那么需要计入贡献
                ans *= x_contribute;
            }
            // 将贡献不断地平方
            x_contribute *= x_contribute;
            // 舍弃 N 二进制表示的最低位,这样我们每次只要判断最低位即可
            N /= 2;
        }
        return ans;
    }

    public double myPow(double x, int n) {
        long N = n;
        return N >= 0 ? quickMul(x, N) : 1.0 / quickMul(x, -N);
    }
}

以上是关于LeetCode数学系列——快速幂算法(50题)的主要内容,如果未能解决你的问题,请参考以下文章

六十八快速幂算法牛顿迭代法累加数组+二分查找的变形

Leetcode练习(Python):数学类:第50题:Pow(x, n):实现 pow(x, n) ,即计算 x 的 n 次幂函数。

Leetcode练习(Python):数学类:第50题:Pow(x, n):实现 pow(x, n) ,即计算 x 的 n 次幂函数。

LeetCode 50 Pow(x, n)[快速幂 递归 迭代] HERODING的LeetCode之路

AtCoder Beginner Contest 199 F - Graph Smoothing(图的邻接矩阵幂的意义,数学期望,矩阵快速幂)

leetcode 50 Pow(x,n) 快速幂