使用C++模板判断类型的两种情形

作者:朱金灿
来源:http://blog.csdn.net/clever101


  在使用模板时经常会碰到两种需求:一种是判断输入的两个模板类型是否一样,另一种情况是判断输入的模板类型是否为指定的类型。从网上找了些资料,实现了这两种需求。

  首先是实现判断输入的两个模板类型是否一样,代码很简单:

//利用 c++模板 类型 推导思想,实现最简单的 判断两个类型 是否一样的 方法
template
struct is__same
{
	operator bool()
	{
		return false;
	}
};


template
struct is__same
{
	operator bool()
	{
		return true;
	}
};

int main(int argc, char ** argv)
{
	std::cout << is__same() << endl;
	std::cout << is__same() << endl;

	getchar();
	return 0;
}

其次是判断输入的模板类型是否为指定的类型,代码也很简单:

// 使用偏特化判断模板是否为指定类型,这里用于判断模板类型是否为double型
template 
struct is_double
{
	operator bool()
	{
		return false;
	}
};

template <>
struct is_double
{
	operator bool()
	{
		return true;
	}
};

int main(int argc, char ** argv)
{

	if (!is_double())
		std::cout << "this is not double type" << std::endl;

	if (is_double())
		std::cout << "this is double type" << std::endl;

	getchar();
	return 0;
}

参考文献:

1. 利用 c++模板 类型 推导思想,实现最简单的 判断两个类型 是否一样的方法

2. 有没有方法判断模板函数里参数的类型?

你可能感兴趣的:(C/C++)