1

我是 Boost.MPL 库的新手,有一些“初学者问题”

看看这个样本:

template < typename F >
struct A {
   typedef boost::function_types::parameter_types<F> P;
   typedef typename boost::function_types::result_type<F>::type R;

   typedef typename boost::mpl::if_< boost::is_same< R, void >,
                                     boost::function< void ( void ) > ,
                                     boost::function< void ( R ) > >::type TTT;
   A() { }
};

int main(int argc, const char *argv[]) {
   A<int(int, float)>  ok; // working
   A<void(int, float)> compile_error; // non-working

   return 0;
}

编译时我得到:

xxx.cxx: In instantiation of ‘A<void(int, float)>’:
xxx.cxx:108:25:   instantiated from here
xxx.cxx:100:77: error: invalid parameter type
‘boost::mpl::aux::wrapped_type<boost::mpl::aux::type_wrapper<void>
>::type’
xxx.cxx:100:77: error: in declaration ‘A<F>::TTT’

这里有什么问题,我该如何解决?

mpl::if_据我了解,编译器仅应评估的选定部分....

4

1 回答 1

3

首先,要解释错误,需要注意的是,void在参数列表中使用 typedef 是错误的。这两个 GCC 错误报告(320589278)描述了这个问题,并指出这是标准的要求。

所以基本上,根据标准的§8.3.5/2,这是合法的:

void foo(void);

虽然这不是:

typedef void type;
void foo(type);

这解释了为什么你首先需要它if_。现在要解释为什么仍然有错误,您需要了解 MPL 中的惰性求值仅适用于元函数:只要您不访问type元函数内部,就不会对其进行求值。在这里,if_的参数没有被评估(它们不能因为它们不是元函数),但这并不意味着它们没有被实例化。

为了克服这个问题,您可以将function实例嵌入到可以延迟评估的元函数中:

template < typename R, typename P >
struct get_function
{
  typedef boost::function< R (P) > type;
};

template < typename F >
struct A {
    typedef boost::function_types::parameter_types<F> P;
    typedef typename boost::function_types::result_type<F>::type R;

    typedef typename 
        boost::mpl::if_< 
            boost::is_same< R, void >,
            boost::mpl::identity< boost::function< void (void) > > ,
            get_function< void, R >
        >::type::type TTT;

    A() { }
};

这样,错误就void (typedef_to_void)永远不会出现。

更好的解决方案甚至是专门针对案例的get_function元函数:void

template < typename R, typename P >
struct get_function
{
  typedef boost::function< R (P) > type;
};

template < typename R >
struct get_function< R, void >
{
    typedef boost::function< R (void) > type;
};

template < typename F >
struct A {
    typedef boost::function_types::parameter_types<F> P;
    typedef typename boost::function_types::result_type<F>::type R;

    typedef typename get_function< void, R >::type TTT;

    A() { }
};

不再if_需要!

于 2011-11-24T14:46:04.733 回答