我想从基于lambda谓词的 vector 中删除一个对象:
class tmr
{
public:
tmr();
~tmr();
static void start();
bool is_time_out(double sec);
double t_elapsed();
};
struct sobj
{
int count;
bool tflag;
int ID;
tmr timer;
friend bool is_stime(timer& objtimer,double sec)
{
return objtimer.is_time_out(sec);
}
};
在主程序中的某个地方,我填充了
vector<sobj>
,然后过了一段时间,我想删除指定了ID且计时器已过的元素。我这样做了,它抱怨无法将void转换为bool
sobj strobj;
vector<sobj> vecobj;
vecobj.erase(std::remove_if(vecobj.begin(),vecobj.end(),[&](const sobj& mysobj){return ( mysobj.ID== THE_ID && mysobj.is_stime(mysobj.timer,5));}),vecobj.end());
最佳答案
第一件事:
让我们注意,这与lambda无关。以下代码也将无法编译:
sobj strobj;
is_stime(strobj.timer, 5);
采取的步骤:
is_stime()
需要采用const引用,或者您的lambda需要传递非const引用。 is_stime()
对您的lambda不可见。 Would you like to know more? 简化代码:
#include <iostream>
#include <vector>
using namespace std;
int THE_ID;
class tmr {
};
struct sobj {
int ID;
tmr timer;
friend bool is_stime(tmr const & objtimer, double sec);
};
bool is_stime(tmr const & objtimer, double sec) {
return true;
}
int main() {
vector<sobj> vecobj;
vecobj.erase(std::remove_if(vecobj.begin(),vecobj.end(),[&](const sobj& mysobj){return ( mysobj.ID == THE_ID && is_stime(mysobj.timer,5));}),vecobj.end());
}
关于c++ - std::remove_if与lambda谓词,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/29416531/