我必须存储不同 boost :: function 对象的列表。提供这个我使用boost :: any。我有一些函数,它们使用不同的函数签名,将它们打包成任何然后插入到具有给定类型的特殊映射中。这是代码:
enum TypeEnumerator
{
e_int,
e_float,
e_double
};
typedef map< string, pair<any, TypeEnumerator> > CallbackType;
CallbackType mCallbacks;
void Foo(const string &name, function<float ()> f)
{
mCallbacks[name] = make_pair(any(f), CLASS::e_float);
}
void Foo(const string &name, function<int ()> f) { /* the same, but with e_int */ }
void Foo(const string &name, function<double ()> f) { /* the same, but with e_double */ }
现在我有了地图提升功能,从enum打包到具有给定类型的任何,以便将来识别它。现在我必须调用给定的函数。任何一个人的铸造都行不通:
BOOST_FOREACH(CallbackType::value_type &row, mCallbacks)
{
// pair<any, TypeEnumerator>
switch (row.second.second) // Swith the TypeEnumerator
{
case 0: // int
any_cast< function<int ()> >(row.first)();
break;
case 1: // float
any_cast< function<float ()> >(row.first)();
break;
case 2: // double
any_cast< function<double ()> >(row.first)();
break;
}
}
这不会施放,在跑步过程中我得到例外:
what(): boost::bad_any_cast: failed conversion using boost::any_cast
是否可以转换回 boost :: function 对象?
答案 0 :(得分:4)
@TC提供了运行时错误的解决方案。但我相信您应该使用Boost.Variant而不是Boost.Any,因为它只能存储固定的类型选择。使用Boost.Variant,您也可以消除枚举,因为它已经提供了标准的访问者模式界面。 (result):
#include <boost/variant.hpp>
#include <boost/function.hpp>
#include <boost/foreach.hpp>
#include <map>
#include <string>
#include <iostream>
typedef boost::variant<boost::function<int()>,
boost::function<float()>,
boost::function<double()> > Callback;
typedef std::map<std::string, Callback> CallbackType;
CallbackType mCallbacks;
void Foo(const std::string& name, const Callback& f) {
mCallbacks[name] = f;
}
//------------------------------------------------------------------------------
float f() {
std::cout << "f called" << std::endl;
return 4;
}
int g() {
std::cout << "g called" << std::endl;
return 5;
}
double h() {
std::cout << "h called" << std::endl;
return 4;
}
//------------------------------------------------------------------------------
struct call_visitor : public boost::static_visitor<> {
template <typename T>
void operator() (const T& operand) const {
operand();
}
};
int main () {
Foo("f", boost::function<float()>( f ));
Foo("g", boost::function<int()>( g ));
Foo("h", boost::function<double()>( h ));
BOOST_FOREACH(CallbackType::value_type &row, mCallbacks) {
boost::apply_visitor(call_visitor(), row.second);
}
return 0;
}
答案 1 :(得分:3)
从它的外观来看,row.first
是回调的名称,string
。您应该使用row.second.first
:
case 0: // int
any_cast< function<int ()> >(row.second.first)();
break;
此外,您应该在开关(case CLASS::e_int:
)中使用枚举常量,而不是幻数。