我有一个向量 v 包含类型结构的对象,比如 A。现在我需要找到存储在这个向量中的特定对象的迭代器。例如:
struct a
{
};
vector<a> v;
struct temp; //initialized
现在,如果我会使用
find(v.begin(),v.end(), temp);
然后编译器生成错误,说不匹配 operator '=='
。
获取与向量中的对象相对应的迭代器的任何解决方法?
您必须bool operator==(const a& lhs, const a& rhs)
为您的类提供相等运算符,或将比较函子传递给std::find_if
:
struct FindHelper
{
FindHelper(const a& elem) : elem_(elem) {}
bool operator()(const a& obj) const
{
// implement equality logic here using elem_ and obj
}
const a& elem_;
};
vector<a> v;
a temp;
auto it = std::find_if(v.begin(), v.end(), FindHelper(temp));
或者,在 c++11 中,您可以使用 lambda 函数而不是仿函数。
auto it = std::find_if(v.begin(), v.end(),
[&temp](const a& elem) { /* implement logic here */ });