在向量c ++上运行时运行时断言错误

时间:2013-02-07 10:01:25

标签: c++ stl runtime erase assertion

我有一个数组 arr 的向量,我想搜索并删除其中一个元素中具有特定值的数组向量,将其称为 elementA 。在我看来,如果您查看数组内部,则连续几个连续向量的条件已满。

4 个答案:

答案 0 :(得分:2)

在您的代码中:

int eStart = -1; int eEnd = -1; 
for ( int i=0; i<arr.size()-1; i++ )
{
    if ( -1 == eStart && arr[i].getElementA() == 0 )
        eStart = i;
    if ( arr[i].getElementA() == 0 )
        eEnd = i;
}
arr.erase( arr.begin()+eStart, arr.begin()+eEnd ); 

传递给擦除的第二个迭代器必须是你想要擦除的最后一个迭代器(并且只有当你找到一些需要擦除的元素时才调用擦除):

arr.erase( arr.begin()+eStart, arr.begin()+eEnd +1 ); 

错误:在算术期间检查“迭代器的范围”:结果必须是>=第一个元素,<=是最后一个元素。 begin()-1不适合:当你不检查是否为eRtart=-1时,就是你所拥有的。

_SCL_SECURE_VALIDATE_RANGE(
        _Myptr + _Off <= ((_Myvec *)(this->_Getmycont()))->_Mylast &&
        _Myptr + _Off >= ((_Myvec *)(this->_Getmycont()))->_Myfirst);
    _Myptr += _Off;

注意:不建议从std :: containers继承。

答案 1 :(得分:1)

int eStart = -1; int eEnd = -1; 
for ( int i=0; i<arr.size()-1; i++ )
{
    if ( -1 == eStart && arr[i].getElementA() == 0 )
        eStart = i;
    if ( arr[i].getElementA() == 0 )
        eEnd = i;
}
if(estart != -1)    // added check <---------------------------------
    arr.erase( arr.begin()+eStart, arr.begin()+eEnd ); 

答案 2 :(得分:1)

您可以使用remove-erase idioms来简化代码:

struct IsZeroA
{
  IsZeroA() {}
  bool operator()(ClassA a) 
  {
    return a.getElementA() == 0;
  }
};

arr.erase(std::remove_if(arr.begin(), arr.end(), IsZeroA()), arr.end());

如果使用C ++ 11,则使用lambda

arr.erase(std::remove(arr.begin(), arr.end(), 
         [](const ClassA& a){ return a.getElementA() == 0; }));

答案 3 :(得分:0)

现在我们不需要检查您的代码,但提供“一般”解决方案。

据我所知,您明确希望利用要擦除的元素是连续的这一事实。

我们将使用 @billz 引入的谓词IsZeroA

auto first=find_if(arr.begin(), arr.end(), IsZero()  );
if(first!=arr.end())
{
    auto last= find_if_not(first, arr.end(), IsZero()  );
    arr.erase(first,last);
}

可以简化为:

auto  first = find_if  (arr.begin(), arr.end(), IsZero()  );
arr.erase( first, find_if_not(first, arr.end(), IsZero()) );