错误C2899:typename不能在模板声明之外使用

时间:2013-10-07 12:53:08

标签: c++ templates c++11 nested typename

我在MSV2010中尝试以下内容

namespace statismo {
template<>
struct RepresenterTraits<itk::Image<itk::Vector<float, 3u>, 3u> > {

    typedef itk::Image<itk::Vector<float, 3u>, 3u> VectorImageType;
    typedef VectorImageType::Pointer DatasetPointerType;
    typedef VectorImageType::Pointer DatasetConstPointerType;
    typedef typename VectorImageType::PointType PointType;
    typedef typename VectorImageType::PixelType ValueType;
};

我收到以下错误:

错误C2899:typename不能在模板声明之外使用

非常感谢解决方法中的帮助。

1 个答案:

答案 0 :(得分:9)

namespace statismo {
template<>
struct RepresenterTraits<itk::Image<itk::Vector<float, 3u>, 3u> > {

    // bla

    typedef typename VectorImageType::PointType PointType;
            ^^^^^^^^

    typedef typename VectorImageType::PixelType ValueType;
            ^^^^^^^^
};

您的typename个关键字位于RepresenterTraits<T> itk::Image<itk::Vector<float, 3u>, 3u>的明确规范中。但是,这是一个常规类,而不是类模板。这意味着VectorImageType不是依赖名称,编译器知道PixelType是嵌套类型。这就是为什么不允许使用typename。见als this Q&A

请注意,在C ++ 11中,已取消此限制,并且在非模板上下文中使用typename 允许但不是必需。参见例如这个例子

#include <iostream>

template<class T>
struct V 
{ 
    typedef T type; 
};

template<class T>
struct S
{
    // typename required in C++98/C++11
    typedef typename V<T>::type type;    
};

template<>
struct S<int>
{
    // typename not allowed in C++98, allowed in C++11
    // accepted by g++/Clang in C++98 mode as well (not by MSVC2010)
    typedef typename V<int>::type type;    
};

struct R
{
    // typename not allowed in C++98, allowed in C++11
    // accepted by g++ in C++98 mode as well (not by Clang/MSVC2010)
    typedef typename V<int>::type type;    
};

int main()
{
}

Live Example(只需使用g ++ / clang和std = c ++ 98 / std = c ++ 11命令行选项)。