mergesort中的奇怪错误

时间:2013-09-15 15:18:33

标签: c++ mergesort divide-and-conquer

我刚刚在mergesort中编写了以下简单合并函数,该函数完全遵循CLRS书中所写的函数。

#include<iostream>
#include<vector>
#include<limits>

using namespace std;

//Define the numerical positive infinity
const int INFP = numeric_limits<int>::max();

void MERGE(vector<int> A, int p, int q, int r){
    //Create the size of left and right array
    int n1 = q-p+1;
    int n2 = r-q;
    //Create the left array
    vector<int> L(n1+1);
    for(int i=0; i<n1;i++){
        L[i] = A[i];
    }
    L[n1] = INFP; //Insert sentinel here!
    //Create the right array
    vector<int> R(n2+1);
    for(int i=0; i<n2;i++){
        R[i] = A[q+i+1];
    }
    L[n2] = INFP; //Insert sentinel here!
    int i = 0;
    int j = 0;
    for(int k = 0; k <= r; k++){
        if(L[i]<=R[j]){
            A[k] = L[i];
            i=i+1;
        }
        else{
            A[k] = R[j];
            j=j+1;
        }
    }
    for(int m=0;m<4;m++){
        cout<< A[m] << " ";
    }
    cout << endl;
}

int main(){
    //test for merge function:
    vector<int> A(4);
    A[0]=1;
    A[1]=3;
    A[2]=2;
    A[3]=4;
    MERGE(A,0,1,3);
    for(int m=0;m<4;m++){
        cout<< A[m] << " ";
    }
    cout << endl;
    return 0;
}

然而,它给了我以下打印输出,这让我很困惑:

1 2 3 4
1 3 2 4

我不知道是否是void函数的问题,我不能对向量或其他东西使用void函数。

真的希望有人可以帮助我。谢谢!

1 个答案:

答案 0 :(得分:3)

这是因为您通过值传递 ,这意味着您修改了本地副本。通过引用传递它。