2

可能重复:
我必须在哪里以及为什么要放置“模板”和“类型名称”关键字?

我正在通过《C++ 模板元编程:Boost 及其他领域的概念、工具和技术》一书学习模板编程,但不知何故,我在第一个练习中就陷入了困境。

任务是编写一个一元元函数add_const_ref<T>T如果它是引用类型则返回,否则返回T const &

我的做法是:

template <typename T>
struct add_const_ref
{
    typedef boost::conditional
      <
        boost::is_reference<T>::value, // check if reference
        T,                             // return T if reference
        boost::add_reference           // return T const & otherwise
          <
            boost::add_const<T>::type
          >::type
      >::type
    type;
};

我尝试对其进行测试(我使用的是 Google 单元测试框架,因此使用了语法):

TEST(exercise, ShouldReturnTIfReference)
{
    ASSERT_TRUE(boost::is_same
      <
        int &,
        add_const_ref<int &>::type
      >::value
    );
}

但它不编译:

main.cpp:27:5: error: type/value mismatch at argument 1 in template parameter list for ‘template<class T> struct boost::add_reference’
main.cpp:27:5: error:   expected a type, got ‘boost::add_const<T>::type’
main.cpp:28:4: error: template argument 3 is invalid

我真的不明白为什么boost::add_const<T>::type不符合成为类型的要求。我会很感激提示我做错了什么。

4

1 回答 1

1

你在typename这里错过了很多 s :

template <typename T>
struct add_const_ref
{
    typedef typename boost::conditional
    //      ^^^^^^^^
      <
        boost::is_reference<T>::value, // check if reference
        T,                             // return T if reference
        typename boost::add_reference           // return T const & otherwise
    //  ^^^^^^^^
          <
            typename boost::add_const<T>::type
    //      ^^^^^^^^
          >::type
      >::type
    type;
};
于 2012-05-07T14:26:12.707 回答