我用 operator() 遇到了这段代码。我以前从未见过这个(我见过+,>,- <<)。有人可以解释什么时候应该使用它以及应该如何使用它吗?
class sortResults
{
public:
bool operator() (Result const & a, Result const & b);
};
我用 operator() 遇到了这段代码。我以前从未见过这个(我见过+,>,- <<)。有人可以解释什么时候应该使用它以及应该如何使用它吗?
class sortResults
{
public:
bool operator() (Result const & a, Result const & b);
};
这称为函子(不要与函数式编程语言中的函子混淆)。
它模仿一个函数,可以在标准库中的函数中使用:
std::vector<Result> collection;
// fill with data
// Sort according to the () operator result
sortResults sort;
std::sort(collection.begin(), collection.end(), sort);
与简单函数相比,一个很好的优势是它可以保存状态、变量等。您可以与闭包进行并行处理(如果这敲响了钟声)
struct GreaterThan{
int count;
int value;
GreaterThan(int val) : value(val), count(0) {}
void operator()(int val) {
if(val > value)
count++;
}
}
std::vector<int> values;
// fill fill fill
GreaterThan gt(4);
std::for_each(values.begin(), values.end(), gt);
// gt.count now holds how many values in the values vector are greater than 4
这意味着sortResults
可以调用一个实例,就像一个带有两个Result
参数的函数:
sortResults sr;
Result r1, r2;
bool b = sr(r1, r2);
这样的类被称为“函子”。大多数标准库算法都有重载,它们采用一元或二元仿函数,例如这个。