假设我有一个基于模板ThingType
的课程。在标头中,我使用此typedef
依赖类型VectorThingType
。我想从方法GetVectorOfThings()
返回此信息。如果我将VectorThingType
设置为返回类型,则会出现Does not name a type
错误,因为此范围内未定义类型。有没有办法在不重复typedef
?
#include <vector>
#include <iostream>
template< typename ThingType >
class Thing
{
public:
ThingType aThing;
typedef std::vector< ThingType > VectorThingType;
VectorThingType GetVectorOfThings();
Thing(){};
~Thing(){};
};
template< typename ThingType >
//VectorThingType // Does not name a type
std::vector< ThingType > // Duplication of code from typedef
Thing< ThingType >
::GetVectorOfThings() {
VectorThingType v;
v.push_back(this->aThing);
v.push_back(this->aThing);
return v;
}
答案 0 :(得分:7)
template< typename ThingType >
auto // <-- defer description of type until...
Thing< ThingType >
::GetVectorOfThings()
-> VectorThingType // <-- we are now in the context of Thing< ThingType >
{
VectorThingType v;
v.push_back(this->aThing);
v.push_back(this->aThing);
return v;
}
答案 1 :(得分:2)
刚刚遇到了这个问题的另一个答案,它不涉及c ++ 11。
template< typename ThingType >
typename Thing< ThingType >::VectorThingType
Thing< ThingType >
::GetVectorOfThings()
{
VectorThingType v;
v.push_back(this->aThing);
v.push_back(this->aThing);
return v;
}
基本上涉及向编译器确保您实际上是通过typename
处理类型,然后使用Thing< ThingType >::
正确地确定类型。如果由于某种原因你被c ++ 03困住,可能会有用。