为什么我在合并排序中得到了矢量下标超出范围错误?

时间:2010-08-25 05:51:20

标签: c++ algorithm sorting mergesort

void merge(vector<int> dst,vector<int> first,vector<int> second)
{
    int i=0,j=0;

    while(i<first.size()&&j<second.size())
    {
        if(first[i]<second[j])
        {
            dst.push_back(first[i]);
            i++;
        }
        else
        {
            dst.push_back(second[j]);
            j++;
        }
    }
    while(i<first.size()
    dst.push_back(first[i++]);

    while(j<second.size())
    dst.push_back(second[j++]);
}

void mergeSort(vector<int> &a)
{   
    size_t sz = a.size();
    cin.get();
    if(sz>1)
    {   
        vector<int> first(&a[0],&a[sz/2]);
        vector<int> second(&a[(sz/2)+1],&a[sz-1]);

        mergeSort(first);
        mergeSort(second);

        merge(a,first,second);  
    }
}

void MergeSort(int* a,size_t size)
{
   vector<int> s(&a[0],&a[size-1]);
   mergeSort(s);
}

有人可以帮我解决这段代码的问题吗?我得到矢量下标超出范围错误。

3 个答案:

答案 0 :(得分:3)

如果sz == 2,&a[(sz/2)+1]会尝试获取[2]的地址,这会给你这个错误。

答案 1 :(得分:2)

您的子矢量指定不正确。
请记住,迭代器将结尾指定为结尾。

因此,这将错过向量中的中间元素和最后一个元素 并且对于长度为2的真正短向量也未定义

    vector<int> first(&a[0],&a[sz/2]);
    vector<int> second(&a[(sz/2)+1],&a[sz-1]);

想象一下,如果a是向量{A,B,C,D}

    first:  {A,B}   0 -> 2 (where 2 is one past the end so index 0 and 1_
    second: {}      3 -> 3 (Since one past the end equals the start it is empty}

或尝试更大的矢量:{A,B,C,D,E,F,G,H,I}

    first:  {A, B, C, D}    0 -> 4 (4 is one past the end so index 0,1,2,3)
    second: {F, G, H}       5 -> 8 (8 is one past the end so index 5,6,7)

或尝试使用较小的矢量:{A,B}

    first:  {A}    0 -> 1
    second: {BANG} 2 -> 1

应该是:

    int* st = &a[0];
    // Using pointer arithmatic because it was too late at night
    // to work out if &a[sz] is actually legal or not.
    vector<int> first (st,      st+sz/2]); // sz/2 Is one past the end.
    vector<int> second(st+sz/2, st+sz   ); // First element is sz/2  
                                           // one past the end is sz

传递给merge()的向量。 dst参数必须通过引用传递,因为它是out参数。但另请注意,第一个和第二个参数是const,因此我们可以通过const引用(以避免复制步骤)。

void merge(vector<int>& dst,vector<int> const& first,vector<int> const& second)

合并功能:

将值推入dst。但是dst已经从进来的数据中已经满​​了。所以在我们进行合并之前必须清除目的地。

    mergeSort(first);
    mergeSort(second);

    // Must clear a before we start pushing stuff into.
    a.clear();   // Add this line.
    merge(a,first,second);  

答案 2 :(得分:0)

Martin是对的,问题是辅助载体的构造函数:

原始载体:1 9 7 9 2 7 2 1 9 8

iter1:2,iter2:8

   vector<int> v( iter1, iter2 ); //new vector: 2 7 2 1 9

http://www.cppreference.com/wiki/stl/vector/vector_constructors

谈到合并排序和其他排序算法,我发现了一个非常有用的网站:

http://www.sorting-algorithms.com/merge-sort