我基本上有一个std::integral_constant
的模拟版本,其中包含一个变量,我想专门为从Base<T>
派生的这些类的函数模板,如下所示:
template<class T> struct Base{
typedef T type;
T t;
};
template<class T> struct A : Base<T>{
static constexpr T value = 1;
};
template<class T> struct B : Base<T>{
static constexpr T value = 2;
};
struct Unrelated{};
// etc.
template<class T> void foo(T t){
//I would like to specialize foo for A and B and have a version for other types
}
int main(){
foo(A<float>());//do something special based on value fields of A and B
foo(B<float>());
foo(Unrelated()); //do some default behavior
}
以下是主要问题:
value
作为模板包含在内,因为我期待T = double
,float
或其他一些非整数类型(否则我只会扩展std::integral_constant
) std::is_base
,因为我必须std::is_base<Base<T::type>,T>
foo(Base<T>&)
不允许我看到value
,我不想诉诸虚拟value()
功能(或反思)。我认为答案在于使用is_base
,但无论我如何尝试使用它,我都无法将其付诸实践。我错过了一个更简单的方法吗?
答案 0 :(得分:1)
以下内容应该有效:
template<typename,typename = void>
struct IsBase
: std::false_type {};
template<typename T>
struct IsBase<T, typename std::enable_if<
std::is_base_of<Base<typename T::type>,T>::value
>::type>
: std::true_type {};
template<class T>
typename std::enable_if<IsBase<T>::value>::type foo(T t){
// use T::value
}
template<class T>
typename std::enable_if<!IsBase<T>::value>::type foo(T t){
// general case
}