C++之函数对象
#include<iostream>
using namespace std;
#include<string>
///函数对象 (仿函数)
//函数对象在使用时,可以像普通函数那样调用,可以有参数,可以有返回值
//函数对象超出普通函数的概念,函数对象可以有自己的状态
//函数对象可以作为参数传递
class MyAdd
{
public:
int operator()(int v1,int v2)
{
return v1 + v2;
}
};
// 1、函数对象在使用时,可以像普通函数那样调用,可以有参数,可以有返回值
void test()
{
MyAdd myadd;
cout << myadd(10, 20) << endl;
}
//函数对象超出普通函数的概念,函数对象可以有自己的状态
class MyPrint
{
public:
MyPrint()
{
this->count = 0;
}
void operator()(string st)
{
cout << st << endl;
count++;
}
int count;//记录函数被调用的次数
};
void test2()
{
MyPrint myprint;
myprint("hello world!");
myprint("hello world!");
myprint("hello world!");
myprint("hello world!");
cout << "被调用的次数为:" << myprint.count << endl;
}
//函数对象可以作为参数传递
void doprint(MyPrint&mp,string test)
{
mp(test);
}
void test3()
{
MyPrint myprint;
doprint(myprint,"作为参数传递");
}
int main()
{
//test();
//test2();
test3();
system("pause");
return 0;
}