作者热门文章
- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我想计算 ab mod c 哪里a
, b
和 c
是整数值。有没有一种有效的方法来做到这一点?pow(a, b) % c
似乎不起作用。
最佳答案
对于此任务,pow
在 <math.h>
中定义的函数由于多种原因,它不是正确的工具:
pow()
计算大数函数可能会溢出 double
类型可表示的幅度并且精度不会提供模运算所需的低位数字。 pow()
可能会为整数参数生成非整数值,其转换为 int
可能会截断为不正确的值。 %
double
上未定义操作类型。 unsigned exp_mod(unsigned a, unsigned b, unsigned c) {
unsigned p = 1 % c;
while (b-- > 0) {
p = (unsigned long long)p * a % c;
}
return p;
}
b
,迭代需要很长时间。这是一个有效的求幂算法,它降低了
的时间复杂度O(b) 至
O(log b) :
unsigned exp_mod_fast(unsigned a, unsigned b, unsigned c)) {
unsigned p;
for (p = 1 % c; b > 0; b = b / 2) {
if (b % 2 != 0)
p = (unsigned long long)p * a % c;
a = (unsigned long long)a * a % c;
}
return p;
}
unsigned long long
对于中间产品避免了
a
大值的幅度问题.上述函数应该为
a
的所有 32 位值产生正确的结果。 ,
b
和
c
,除了
c == 0
.
p = 1 % c
必须产生结果
0
为
c == 1 && b == 0
.显式测试
if (c <= 1) return 0;
可能更具可读性,并且会避免
c == 0
上的未定义行为.
unsigned exp_mod_fast(unsigned a, unsigned b, unsigned c)) {
unsigned p;
if (c <= 1) {
/* return 0 for c == 1, which is the correct result */
/* also return 0 for c == 0, by convention */
return 0;
}
for (p = 1; b > 1; b = b / 2) {
if (b % 2 != 0) {
p = (unsigned long long)p * a % c;
}
a = (unsigned long long)a * a % c;
}
if (b != 0) {
p = (unsigned long long)p * a % c;
}
return p;
}
关于c - 如何在 C 中以常数为模计算整数幂,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/60128813/
我是一名优秀的程序员,十分优秀!