确定Type是否是模板函数中的指针

时间:2008-11-19 08:44:00

标签: c++ templates

如果我有模板功能,例如:

template<typename T>
void func(const std::vector<T>& v)

我能否在函数中确定T是否是指针,或者我是否必须使用另一个模板函数,即:

template<typename T>
void func(const std::vector<T*>& v)

由于

2 个答案:

答案 0 :(得分:85)

实际上,模板可以通过部分模板专业化来实现:

template<typename T>
struct is_pointer { static const bool value = false; };

template<typename T>
struct is_pointer<T*> { static const bool value = true; };

template<typename T>
void func(const std::vector<T>& v) {
    std::cout << "is it a pointer? " << is_pointer<T>::value << std::endl;
}

如果在函数中你做的事情只对指针有效,你最好使用单独函数的方法,因为编译器类型 - 检查整个函数。

但是,你应该使用boost,它也包括:http://www.boost.org/doc/libs/1_37_0/libs/type_traits/doc/html/boost_typetraits/reference/is_pointer.html

答案 1 :(得分:45)

C ++ 11有一个很好的小指针检查功能:std::is_pointer<T>::value

返回布尔值bool

http://en.cppreference.com/w/cpp/types/is_pointer

#include <iostream>
#include <type_traits>

class A {};

int main() 
{
    std::cout << std::boolalpha;
    std::cout << std::is_pointer<A>::value << '\n';
    std::cout << std::is_pointer<A*>::value << '\n';
    std::cout << std::is_pointer<float>::value << '\n';
    std::cout << std::is_pointer<int>::value << '\n';
    std::cout << std::is_pointer<int*>::value << '\n';
    std::cout << std::is_pointer<int**>::value << '\n';
}