如何使用某些模板检查是否传递的模板参数是否为类类型?
实施例
int main()
{
CheckIfClass<int>::checkConst ; No it is not of a class type
class CLASS{};
CheckIfClass<CLASS>::checkConst ; Yes CLASS is a class.
CheckIfClass<std::string>::checkConst ; Yes std::string is a class
}
答案 0 :(得分:7)
SFINAE应该做你的工作
#include <iostream>
template<typename T>
struct Check_If_T_Is_Class_Type
{
template<typename C> static char func (char C::*p);
template<typename C> static int func (...);
enum{val = sizeof (Check_If_T_Is_Class_Type<T>::template func<T>(0)) == 1};
};
class empty{}; // Defined the class in the global namespace.
// You can't have local classes as template arguments in C++03
int main()
{
std::cout<<Check_If_T_Is_Class_Type<empty>::val; // 1
std::cout<<Check_If_T_Is_Class_Type<int>::val; // 0
std::cout<<Check_If_T_Is_Class_Type<std::string>::val; //1
}
101
答案 1 :(得分:2)
C ++ 0x提供了一个非常简单的解决方案:
#include <iostream>
#include <type_traits>
int main()
{
std::cout << is_class< your_type_here >::value << std::endl;
}
答案 2 :(得分:1)
#include <iostream>
template<typename T>
struct Check_If_T_Is_Class_Type
{
template<typename C> static char func (char C::*p);
template<typename C> static int func (...);
enum{val = sizeof (func<T>(0)) == 1};
};
class empty{};
int main()
{
std::cout<<Check_If_T_Is_Class_Type<empty>::val; // 1
std::cout<<Check_If_T_Is_Class_Type<int>::val; // 0
std::cout<<Check_If_T_Is_Class_Type<std::string>::val; //1
}
@Prasoon ...请你在Comeau和Clang上编译这个...然后告诉我它是否被编译?谢谢!