是否可以专门化模板类的特定成员?就像是:
template <typename T,bool B>
struct X
{
void Specialized();
};
template <typename T>
void X<T,true>::Specialized()
{
...
}
template <typename T>
void X<T,false>::Specialized()
{
...
}
当然,此代码无效。
是否可以专门化模板类的特定成员?就像是:
template <typename T,bool B>
struct X
{
void Specialized();
};
template <typename T>
void X<T,true>::Specialized()
{
...
}
template <typename T>
void X<T,false>::Specialized()
{
...
}
当然,此代码无效。
您只能通过提供所有模板参数来明确地专门化它。不允许对类模板的成员函数进行部分特化。
template <typename T,bool B>
struct X
{
void Specialized();
};
// works
template <>
void X<int,true>::Specialized()
{
...
}
一种解决方法是引入重载函数,它们的好处是仍然在同一个类中,因此它们对成员变量、函数和东西具有相同的访问权限
// "maps" a bool value to a struct type
template<bool B> struct i2t { };
template <typename T,bool B>
struct X
{
void Specialized() { SpecializedImpl(i2t<B>()); }
private:
void SpecializedImpl(i2t<true>) {
// ...
}
void SpecializedImpl(i2t<false>) {
// ...
}
};
请注意,通过传递给重载函数并将模板参数推送到函数参数中,您可以任意“专门化”您的函数,也可以根据需要对它们进行模板化。另一种常见的技术是遵循单独定义的类模板
template<typename T, bool B>
struct SpecializedImpl;
template<typename T>
struct SpecializedImpl<T, true> {
static void call() {
// ...
}
};
template<typename T>
struct SpecializedImpl<T, false> {
static void call() {
// ...
}
};
template <typename T,bool B>
struct X
{
void Specialized() { SpecializedImpl<T, B>::call(); }
};
我发现这通常需要更多的代码,而且我发现函数重载更容易处理,而其他人更喜欢 defer to class 模板方式。最后,这是一个品味问题。在这种情况下,您也可以将另一个模板X
作为嵌套模板放入其中 - 在其他情况下,您明确专门化而不是仅部分专门化,那么您不能这样做,因为您只能在命名空间范围内放置明确的专门化,而不是进入班级范围。
您也可以SpecializedImpl
仅出于函数重载的目的创建这样一个模板(然后它的工作方式类似于我们i2t
之前的),因为以下变体演示了它也留下了第一个参数变量(因此您可以使用其他类型调用它 - 不仅仅是使用当前实例化的模板参数)
template <typename T,bool B>
struct X
{
private:
// maps a type and non-type parameter to a struct type
template<typename T, bool B>
struct SpecializedImpl { };
public:
void Specialized() { Specialized(SpecializedImpl<T, B>()); }
private:
template<typename U>
void Specialized(SpecializedImpl<U, true>) {
// ...
}
template<typename U>
void Specialized(SpecializedImpl<U, false>) {
// ...
}
};
我认为有时,推迟到另一个模板会更好(当涉及到数组和指针等情况时,重载可能会很棘手,然后转发到类模板对我来说更容易),有时只是在模板内重载更好 -特别是如果你真的转发函数参数并且如果你触及类的成员变量。
这就是我想出的,还不错:)
//The generic template is by default 'flag == false'
template <class Type, bool flag>
struct something
{
void doSomething()
{
std::cout << "something. flag == false";
}
};
template <class Type>
struct something<Type, true> : public something<Type, false>
{
void doSomething() // override original dosomething!
{
std::cout << "something. flag == true";
}
};
int main()
{
something<int, false> falseSomething;
something<int, true> trueSomething;
falseSomething.doSomething();
trueSomething.doSomething();
}