0

我有一个包含数据的二维向量,如果元素/块不值得考虑(基于谓词函数),我需要删除它们。这是功能:

bool thresholdNegative (vector<double> val)
{

//short threshold = 10000;
double meansquare = sqrt ( ( std::inner_product( val.begin(), val.end(), val.begin(), 0 ))/(double)val.size() );

if(meansquare < 0)
{
    return true;
}else{
    return false;
}
 }

我使用以下内容:

std::remove_if(std::begin(d), std::end(d), thresholdNegative);

d包含所有数据的二维向量在哪里。

问题在于:它似乎没有从块中删除任何信息,即使该函数thresholdNegative确实返回 true。

任何想法为什么?

4

2 回答 2

5

就是这样remove_if工作的。它实际上并没有从容器中删除任何东西(它怎么可能,它只有两个迭代器?),而是重新排序元素,以便将那些应该留在容器中的元素聚集在容器的开头。然后,该函数将一个迭代器返回到容器的新端,您可以使用它来实际删除元素。

d.erase( std::remove_if(begin(d), end(d), threshold_negative), end(d) );

上面的行使用了所谓的Erase-remove idiom

于 2013-09-14T14:10:46.617 回答
2

擦除通过以下方式完成:

auto newEnd = std::remove_if(std::begin(d), std::end(d), thresholdNegative);
d.erase(newEnd, end(d));

我强烈建议您阅读一些有关 std::remove_if 的文档

于 2013-09-14T14:13:09.003 回答