Boost MPL:仅在(成员)函数存在时才调用它

时间:2011-10-07 11:43:34

标签: c++ boost sfinae template-meta-programming boost-mpl

我有一个具有模板参数T的类A.有一些用例,其中类T提供函数func1(),并且存在T不提供它的用例。 A中的函数f()应该调用func1(),如果它存在的话。我认为这应该可以使用boost mpl,但我不知道如何。 这里有一些伪代码:

template<class T>
class A
{
    void f(T param)
    {
        if(T::func1 is an existing function)
            param.func1();
    }
};

更好的是其他情况:

template<class T>
class A
{
    void f(T param)
    {
        if(T::func1 is an existing function)
            param.func1();
        else
            cout << "func1 doesn't exist" << endl;
    }
};

1 个答案:

答案 0 :(得分:7)

Boost.MPL没有处理它,因为它严格来说是TMP,你不能在TMP中调用成员。 Boost.Fusion和Boost.TypeTraits也没有任何东西;我以为其中一个会,但显然我错了。

Herehere是如何编写特征来检测C ++ 03中的成员的一些解决方案。一旦你有了这样的特性(我称之为has_func1_member),你可以将它用于SFINAE:

template<typename T>
typename boost::enable_if<has_func1_member<T> >::type
maybe_call(T& t)
{ t.func1(); }

template<typename T>
typename boost::disable_if<has_func1_member<T> >::type
maybe_call(T&)
{
    // handle missing member case
}

// your example code would then do:
maybe_call(param);

请注意,使用C ++ 11,首先编写特征会更容易,尽管它仍然有些神秘。