我如何 specialize/overload 模板化类型的模板函数

How can I specialize/overload a template function for a templated type

我有以下 classes:

template <class... T>
class thing {};

template <class T>
class container {
    public:
        container() {
            std::cout << "normal constructor" << std::endl;
        }
};

我可以通过这种方式为 container<int> 的构造函数编写完整的特化:

template <>
container<int>::container() {
    std::cout << "int constructor" << std::endl;
}

我希望能够为 container<thing<T>> 定义一个类似的构造函数。我认为我正在尝试编写的是模板函数的部分特化(这是非法的。)这是我正在尝试的:

template <class T>
container<thing<T>>::container() {

}

这不编译。

我不完全确定解决这个问题的正确方法是什么,模板 class 函数的重载和特化之间的界限越来越模糊。这可以轻松解决还是需要 type_traits (std::enable_if)?我该如何解决这个问题?

您不能部分特化构造函数,但可以部分特化整个 class

template <class T>
class container<thing<T>>
 {
   public: 
      container() { }
 };

您不能部分特化构造函数,但您不必部分特化完整的 class。

Can this be trivially solved or will it require type_traits/enable_if? How can I solve this?

委派构造函数和标签分派可以解决该限制。
它遵循一个最小的工作示例:

#include<iostream>

template <class... T>
class thing {};

template <class T>
class container {
    template<typename>
    struct tag {};

    template<typename U>
    container(int, tag<thing<U>>) {
        std::cout << "thing<U>" << std::endl;
    }

    container(char, tag<T>) {
        std::cout << "normal constructor" << std::endl;
    }

public:
    container(): container(0, tag<T>{}) {}
};

int main() {
    container<int> c1;
    container<thing<int>> c2{};
}

wandbox 上查看。


请注意,如果您希望拥有两个以上的委托构造函数以从中选择合适的构造函数,则可以轻松地扩展它。
例如:

#include<iostream>

template <class... T>
class thing {};

template<typename> struct tag {};
template<int N> struct prio: prio<N-1> {};
template<> struct prio<0> {};

template <class T>
class container {    
    template<typename U>
    container(prio<2>, tag<thing<U>>) {
        std::cout << "thing<U>" << std::endl;
    }

    container(prio<1>, tag<double>) {
        std::cout << "double" << std::endl;
    }

    container(prio<0>, tag<T>) {
        std::cout << "normal constructor" << std::endl;
    }

public:
    container(): container(prio<2>{}, tag<T>{}) {}
};

int main() {
    container<int> c1;
    container<double> c2;
    container<thing<int>> c3{};
}

wandbox 上查看。