博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
快速幂取模
阅读量:5368 次
发布时间:2019-06-15

本文共 1050 字,大约阅读时间需要 3 分钟。

快速幂取模

 
(2012-01-02 21:37:56)
 

快速幂取模

 
快速幂取模就是在O(logn)内求出a^n mod b的值。算法的原理是ab mod c=(a mod c)(b mod c)mod c 

因此很容易设计出一个基于二分的递归算法。

以下是我的代码,以下代码必须保证输入的是合法的表达式,比如不能出现0^0 mod b:

 
long  exp_mod( long  a, long  n, long  b)
{
long  t;
if (n == 0 )  return  1 % b;
if (n == 1 )  return  a % b;
t = exp_mod(a,n / 2 ,b);
t = t * t % b;
if ((n & 1 ) == 1 ) t = t * a % b;
return  t;
}

 

 

非递归:

ll pow_mod(ll a,ll n,ll m){
    int b = 1;
    while(n>0){
        if(n&1)b = (b*a)%m;
        n>>=1;
        a = (a*a)%m;
    }
    return b;
}
 
关于其中的一个按位与运算,来自百度知道的解释:
快速幂取模
 
 
也就说,只有技奇数才满足这个条件  n&1==1
 
我的测试:
 
public class Test {
public static void main(String[] args) {
long a=3,n=100,b=2;
long t=exp_mod(a,n,b);
System.out.println(t);
System.out.println((int)Math.pow(3, 100)%2);
}
public static long exp_mod(long a,long n,long b)
{
long t;
if(n==0) return 1%b;
if(n==1) return a%b;
t=exp_mod(a,n/2,b);//注意这里n/2会带来奇偶性问题
// System.out.println(t);
t=t*t%b;//乘上另一半再求模
// System.out.println(t);
if((n&1)==1) t=t*a%b;//n是奇数,因为n/2还少乘了一次a
// System.out.println(t);
return t;
}
}

转载于:https://www.cnblogs.com/acSzz/archive/2012/03/21/2409260.html

你可能感兴趣的文章
进阶4:常见函数-单行函数
查看>>
简述企业信息化与企业架构关系
查看>>
npoi List 泛型导出
查看>>
流程图怎么画?分享绘制流程图简单方法
查看>>
squid的处理request和reply的流程
查看>>
硬件_陀螺仪
查看>>
三、winForm-DataGridView操作——DataGridView 操作复选框checkbox
查看>>
SSIS的部署和配置
查看>>
计算机内存管理介绍
查看>>
POJ 2761 Feed the dogs 求区间第k大 划分树
查看>>
mysql中间件研究(Atlas,cobar,TDDL)[转载]
查看>>
ASP.NET应用程序与页面生命周期
查看>>
Linux--多网卡的7种Bond模式
查看>>
Oracle命令(一):Oracle登录命令
查看>>
业务建模 之 业务用例图
查看>>
EasyUI基础入门之Pagination(分页)
查看>>
一次PHP代码上线遇到的问题
查看>>
显示密码
查看>>
实现one hot encode独热编码的两种方法
查看>>
ubuntu中文英文环境切换
查看>>