0

所以我决定尝试在 C++ 中实现 Karatsuba 的算法(自从我上辈子的第二次编码课以来就没有使用过这种语言,所以我非常非常生疏)。无论如何,我相信我已经逐行遵循伪代码,但我的算法仍然不断弹出错误答案。


    x = 1234, y = 5678
    Actual Answer: x*y ==> 7006652
    Program output: x*y ==> 12272852

*注意:我在 Mac 上运行并使用以下内容创建要运行的可执行文件c++ -std=c++11 -stdlib=libc++ karatsuba.cpp

任何人,这是起草的代码,请随时对我做错的地方或如何改进 c++ 进行一些标注。

谢谢!

代码:

    #include <iostream>
    #include <tuple>
    #include <cmath>
    #include <math.h>
    
    using namespace std;
    
    /** Method signatures **/
    tuple<int, int> splitHalves(int x);
    int karatsuba(int x, int y, int n);
    
    int main()
    {
        int x = 5678;
        int y = 1234;
        int xy = karatsuba(x, y, 4);
        cout << xy << endl;
        return 0;
    }
    
    int karatsuba(int x, int y, int n)
    {
        if (n == 1)
        {
            return x * y;
        }
        else
        {
            int a, b, c, d;
            tie(a, b) = splitHalves(x);
            tie(c, d) = splitHalves(y);
            int p = a + b;
            int q = b + c;
            int ac = karatsuba(a, c, round(n / 2));
            int bd = karatsuba(b, d, round(n / 2));
            int pq = karatsuba(p, q, round(n / 2));
            int acbd = pq - bd - ac;
            return pow(10, n) * ac + pow(10, round(n / 2)) * acbd + bd;
        }
    }
    
    
    /** 
     * Method taken from https://stackoverflow.com/questions/32016815/split-integer-into-two-separate-integers#answer-32017073
     */
    tuple<int, int> splitHalves(int x)
    {
        const unsigned int Base = 10;
        unsigned int divisor = Base;
        while (x / divisor > divisor)
            divisor *= Base;
        return make_tuple(round(x / divisor), x % divisor);
    }
4

1 回答 1

2

你的代码有很多问题...

首先,你这里有一个错误的系数:

            int q = b + c;

必须:

            int q = c + d;

接下来,执行splitHalves不做这项工作。试试看:

tuple<int, int> splitHalves(int x, int power)
{
        int divisor = pow(10, power);
        return make_tuple(x / divisor, x % divisor);
}

这将为您的输入提供“正确”答案,但是……这不是 Karatsuba 方法。

首先,请记住,您不需要“分成两半”。考虑 12 * 3456。将第一个数字分成两半意味着a = 0, b = 12,而您的实现给出a = 1, b = 2

总体而言,Karastuba 使用的是数组,而不是整数。

于 2020-07-12T01:21:46.577 回答