19.1 函数对象
概念:
- 重载函数调用操作符的类,其对象常称为函数对象
- 函数对象使用重载的()时,行为类似函数调用,也叫仿函数
本质:
- 函数对象(仿函数)是一个类,不是一个函数
特点:
- 函数对象在使用时,可以像普通函数那样调用,可以有参数,可以有返回值
- 函数对象超出普通函数的概念,函数对象可以有自己的状态
- 函数对象可以作为参数传递
1、函数对象在使用时,可以像普通函数那样调用,可以有参数,可以有返回值
class MyAdd
{
public:
int operator()(int v1, int v2)
{
return v1 + v2;
}
};
int main()
{
MyAdd myadd;
cout << myadd(10, 10) << endl;
}
2 、函数对象超出普通函数的概念,函数对象可以有自己的状态
函数对象本质是个类,可以有自己的属性,用来记录一些必要信息,如调用次数。
#include <iostream>
#include <string>
using namespace std;
class MyPrint
{
public:
MyPrint()
{
this->count = 0;
}
void operator()(string text)
{
cout << text << endl;
this->count++;
}
int count;
};
void test2()
{
MyPrint myPrint;
myPrint("hello world");
myPrint("hello world");
myPrint("hello world");
myPrint("hello world");
cout << "myPrint的调用次数为:" << myPrint.count << endl;
}
int main()
{
test2();
}
3、函数对象可以作为参数传递
这个意思就是完全将函数对象堪称普通的一个类对象,进行参数传递等
#include <iostream>
#include <string>
using namespace std;
class MyPrint
{
public:
MyPrint()
{
this->count = 0;
}
void operator()(string text)
{
cout << text << endl;
this->count++;
}
int count;
};
void test3(MyPrint& myprint,string text)
{
myprint(text);
}
int main()
{
MyPrint myPrint;
test3(myPrint, "hello C++");
}