辣鸡算法(一):大数相加,相乘,求幂并取模
作者:互联网
当计算值有可能超过int最大取值2147483647时,oj题一般会要求取模。(这里的最大取值基于int为32位整型)
不妨先定义个mod
//这里mod取常用的10^9+7
#define mod 1000000007
1、大数相加
#include<iostream>
#include<vector>
using namespace std;
vector<int> vec={1245345534,243,2043253142,954233580};
int qsum(vector<int> vec){ //返回vec中所有元素的和
int sum=0;
for(int i=0;i<vec.size();i++){
sum += vec[i] % mod;
sum = sum % mod;
}
return sum;
}
以下乘法和求幂参考文章:https://blog.csdn.net/u013815546/article/details/51318410
2、大数相乘
int qmul(int x, int y){ //返回x*y模mod后的值。转化成二进制加法(快速加)
int ret = 0;
while(y){
if(y & 1) //二进制下,若y末尾为1
ret = (ret + x) % mod; //则加x*1,并将x左移1位。
x = (x<<1) % mod; //若y末尾为0,则加x*0,并将x左移1位,即直接左移。
y = y>>1; //准备计算y前一位的值
}
return ret;
}
3、大数求幂
int qpow(int a, int n){ //返回a^n模mod后的值。过程和相乘类似
int ret = 1;
while(n){
if(n & 1)
ret = qmul(ret, a);
a = qmul(a, a);
n >>= 1;
}
return ret;
}
莫能长老 发布了12 篇原创文章 · 获赞 0 · 访问量 1716 私信 关注
标签:取模,qmul,大数,int,辣鸡,ret,相乘,vec,mod 来源: https://blog.csdn.net/cly141220010/article/details/104149688