如何检查两种类型是否相同,而忽略const和reference?

时间:2019-05-16 01:45:14

标签: c++ types typetraits

在C ++中,可以使用std::is_same检查两种类型是否完全相同。是否可以检查两种类型是否相同,除了const&修饰符之外?这是一个示例:

#include <type_traits>
#include <iostream>
using namespace std;

int main() {
    cout << boolalpha;
    cout << is_same<char,int>::value << endl;    // false - OK
    cout << is_same<char,char>::value << endl;   // true  - OK
    cout << is_same<char,const char>::value << endl;  // false - should be true
    cout << is_same<char,const char&>::value << endl; // false - should be true
}

2 个答案:

答案 0 :(得分:1)

C ++ 20 开始,将支持

删除cv限定词以及返回非引用类型 std::remove_cvref

但是从当前标准开始,您可以结合使用类型修改功能

template<class T1, class T2>
void print_is_same() {
  std::cout << std::is_same<T1, T2>() << '\n';
}

int main() {
  std::cout << std::boolalpha;

  print_is_same<char, int>(); //false
  print_is_same<char, char>(); //true

  print_is_same<char, std::remove_const<const char>::type>(); //true
  print_is_same<char, std::remove_const<std::remove_reference<const char &>::type>::type>(); //true
}

或者可能创建类型别名,例如

template<typename T>
using base_type = typename std::remove_cv<typename std::remove_reference<T>::type>::type;

答案 1 :(得分:0)

我找到了另一种解决方案:我们可以添加它们而不是删除const和&:

template<class T1, class T2>
bool is_almost_same_v = std::is_same_v<const T1&,const T2&>;

确实:

cout << is_almost_same_v<char,int> << endl;    // false
cout << is_almost_same_v<char,char> << endl;   // true
cout << is_almost_same_v<char,const char> << endl;  // true
cout << is_almost_same_v<char,const char&> << endl; // true