9

给定一个类声明

class A {
    template <typename T> T foo();
};

我想专门A::foo研究. 不幸的是,我似乎不能用于后者。以下内容无法编译:intTstd::enable_if

template <> int A::foo<int>(); // OK

template <typename T> 
typename std::enable_if<is_pod<T>::value, T>::type foo(); // <<<< NOT OK!

template <typename T> 
typename std::enable_if<!is_pod<T>::value, T>::type foo(); // <<<< NOT OK!

问题可能是由于这些std::enable_if<...>东西是函数签名的一部分,并且我没有在A. 那么如何根据类型特征专门化模板成员?

4

2 回答 2

4

我只是把它转发给一个结构,它可以很好地处理这个问题:

#include <type_traits>
#include <iostream>

template <typename T, typename = void>
struct FooCaller;

class A {
public:
    template <typename T>
    T foo() {
        // Forward the call to a structure, let the structure choose 
        //  the specialization.
        return FooCaller<T>::call(*this);
    }
};

// Specialize for PODs.
template <typename T>
struct FooCaller<T, typename std::enable_if<std::is_pod<T>::value>::type> {
    static T call(A& self) {
        std::cout << "pod." << std::endl;
        return T();
    }
};

// Specialize for non-PODs.    
template <typename T>
struct FooCaller<T, typename std::enable_if<!std::is_pod<T>::value>::type> {
    static T call(A& self) {
        std::cout << "non-pod." << std::endl;
        return T();
    }
};

// Specialize for 'int'.
template <>
struct FooCaller<int> {
    static int call(A& self) {
        std::cout << "int." << std::endl;
        return 0;
    }
};
于 2012-10-26T10:33:02.277 回答
4

我认为没有理由在这里专攻,在我看来,重载函数似乎就足够了。

struct A
{
    template <typename T>
    typename std::enable_if<std::is_integral<T>::value, T>::type foo()
    {
        std::cout << "integral" << std::endl;
        return T();
    }

    template <typename T>
    typename std::enable_if<!std::is_integral<T>::value, T>::type foo()
    {
        std::cout << "not integral" << std::endl;
        return T();
    }
}

在检查 POD 或无 POD 时,您只有这两种选择,因此不需要更通用的函数(也不允许,因为它会模棱两可)。你需要更多吗?您可以在std::enable_if<std::is_same<int, T>::value, T>::type.

于 2012-10-26T10:48:58.913 回答