31.数论算法总结
程序员文章站
2022-07-15 22:38:05
...
1.GCD
int gcd(int a, int b){
if(b == 0) return a;
return gcd(b ,a%b);
}
2 欧拉公式
15 * 2/3 * 4/5 表示对原有集合的缩减,缩减的比例是能够以p为除数整除n的比例为依据。
3.求幂(反复平方法)
typedef long long int ll;
ll mod_mul(ll a, ll b, ll mod)
{
ll res = 0;
while (b)
{
if (b & 1)
res = (res + a) % mod;
a = (a + a) % mod;
b >>= 1;
}
return res;
}
ll mod_pow(ll a, ll n, ll mod)
{
ll res = 1;
while (n)
{
if (n & 1)
res = mod_mul(res, a, mod);
a = mod_mul(a, a, mod);
n >>= 1;
}
return res;
}
####4.RSA算法
例子:p=11,q=29,n=319,e=3.
5.素数判定
5.1 费马引理
5.2 二次探测引理
proof.
p is prime number, so, x+1=p, x-1=0 => x=p-1, x=1
5.3 Miller-Rabin改进
对于n,若为素数,则n-1比为偶数,令
其中,m的二进制后跟q个0,即为n-1。
对于素数,则必满足费马引理()
由二次探测引理可知,, 记,则,当n为素数时,否则n为合数。
所以对如下序列{x}进行上述验证:
只要其中某一项不满足时,x=1或x=n-1,则n必为合数。
// Miller-Rabin随机算法检测n是否为合数
bool Miller_Rabin(ll n, int s)
{
ll m = n - 1, k = 0;
while (!(m & 1))
{
k++;
m >>= 1;
}
for (int i = 1; i <= s; i++) // 迭代次数
{
ll a = rand() % (n - 1) + 1; //每次选取不同的基
ll x = mod_pow(a, m, n);
ll y;
for (int j = 1; j <= k; j++)
{
y = mod_mul(x, x, n);
if (y == 1 && x != 1 && x != n - 1) //二次探测检查
return true;
x = y;
}
if (y != 1) //费马引理检查
return true;
}
return false;
}
bool is_prime(int n){
if (n == 2)
return true;
if (n < 2 || !(n & 1))
return false;
return !Miller_Rabin(n, 1);
}
5.4 误判概率
结论:上界,实际表现更好。
证明:群论不想看,以后有心情再学。
6 整数因子分解
#include <iostream>
#include <vector>
using namespace std;
void solve(int n, int s, vector<int>& res){
for(int i=s;i<=n;i++){
if(n%i == 0){
res.push_back(i);
solve(n/i, i, res);
break;
}
}
}
int main(){
vector<int> res;
solve(60, 2, res);
for(auto e: res)
cout << e << " ";
cout << endl;
return 0;
}
上一篇: 图像处理之仿画笔效果一
下一篇: 战疫情-用地图揭秘“逆行者”