快速幂
快速幂顾名思义就是快速的求出一个数的幂。通常我们求幂,无非相乘多次,但快速幂会将求幂算法从线性级别降到对数级别。
可以把指数的看成二进制,有1的位相乘即可。
#include<iostream>
#include<algorithm>
using namespace std;
typedef long long LL;
int qpow(int a, int b, int p){
int res = 1;
while (b){
if (b & 1) res = res * (LL)a % p;
a = a * (LL)a % p ;
b >>= 1;
}
return res;
}
int main(){
int n; cin >> n;
while (n -- ){
int a, b, p; cin >> a >> b >> p;
cout << qpow(a, b, p) << endl;
}
}
时间复杂度分析
快速幂求逆元
看懂上面的话,我们就把求逆元的问题转化为一个求幂的问题。
#include<iostream>
#include<algorithm>
using namespace std;
typedef long long LL;
int qpow(int a, int b, int p){
int res = 1;
while (b){
if (b & 1) res = res * (LL)a % p;
a = a * (LL)a % p ;
b >>= 1;
}
return res;
}
int main(){
int n; cin >> n;
while (n -- ){
int a, p; cin >> a >> p;
if (a % p != 0) // 由于p是质数,除了p的倍数不与其互质,其他都互质
cout << qpow(a, p - 2,p) << endl;
else cout << "impossible" << endl;
}
}
最后更新于