假设我有一个Car
对象也有一个Engine
成员,我想检查对象的属性,调用Car
上的一些方法和Engine
中的一些方法{1}}。要明确地获取te信息,我可以做
cout << "my car has " << mycar.GetEngine().NCylinders() << " cylinders" << endl;
cout << "my car has " << mycar.NWheels() << " wheels" << endl;
所有这些调用的格式为mycar.<some method call chain here>
。 (您还可以假设它们都具有兼容的返回类型)。我怎样才能有一个仿函数列表,以便我可以传递一个Car
实例,它会相应地执行调用。?
我使用嵌套绑定使用<tr1/functional>
提出了一个解决方案。
#include <iostream>
#include <tr1/functional>
#include <map>
using namespace std;
using namespace std::tr1;
using namespace std::tr1::placeholders;
struct Engine{
int NCylinders() const {return 12;}
};
struct Car{
int NWheels() const {return 4;}
Engine GetEngine() const {return myEngine;}
private:
Engine myEngine;
};
int main(){
Car mycar;
map<string,function<double (const Car&)> > carinfos;
carinfos["cylinders"] = bind(&Engine::NCylinders,bind(&Car::GetEngine,_1));
carinfos["wheels"] = bind(&Car::NWheels,_1);
map<string,function<double (const Car&)> >::const_iterator info = carinfos.begin();
for(;info!=carinfos.end();++info){
cout << "my car has: " << (info->second)(mycar) << " " << info->first << endl;
}
return 0;
}
输出很好:
my car has: 12 cylinders
my car has: 4 wheels
但嵌套的绑定可能会变得丑陋,中间有更长的链或方法必须有固定的参数,我想知道是否有一个使用lambda表达式的解决方案可能导致类似
//pseudocode
carinfos["cylinders"] = (_1.GetEngine().NCylinder());
carinfos["wheels"] = (_1.GetNWheel());
编辑:
@KennyTM和@Kerrek SB使用新的C ++ 11 lambda表达式提供了出色的答案。我还不能使用C ++ 11,所以我很欣赏使用C ++ 03
的类似简洁的解决方案答案 0 :(得分:8)
以下,使用lambdas而不是绑定,看起来并不太糟糕:
typedef std::map<std::string, std::function<int(Car const &)>> visitor;
int main()
{
visitor v;
v["wheels"] = [](Car const & c) -> int { return c.NWheels(); };
v["cylinders"] = [](Car const & c) -> int { return c.GetEngine().NCylinders(); };
Car c;
for (auto it = v.cbegin(), end = v.cend(); it != end; ++it)
{
std::cout << "My car has " << it->second(c) << " " << it->first << ".\n";
}
}
循环可以包含在visit(c, v);
函数中。