我了解了 Karatsuba 算法,它允许我使用分治法将非常大的数字相乘。
这是我的代码。我编写了一个返回数字长度的函数,然后编写了乘法函数,并使用了该方法进行了 4 次递归调用。
#include <iostream>
#include <algorithm>
#include <math.h>
using namespace std;
int numberLength(long long value) {
int counter = 0;
while (value != 0)
{
counter++;
value /= 10;
}
return counter;
}
long long multiply(long x, long y) {
int xLength = numberLength(x);
int yLength = numberLength(y);
int n = max(xLength, yLength);
if (n < 10) {
return x*y;
}
long multiplier = pow(10, n/2);
long xS = x/multiplier;
long xD = x - (xS * multiplier);
long yS = y/multiplier;
long yD = y - (yS * multiplier);
return multiply(xS,yS*pow(10,n)) + multiply(xS,yD*pow(10,n/2)) + multiply(xD,yS*pow(10,n/2)) + multiply(xD,yD);
}
问题是,如果我用一些长度大于 10 的数字调用函数 multiply() ,那么我会收到错误分段错误。问题出在哪里?