c++ 如何判断数组元素的类型?

3xiyfsfu  于 2023-06-25  发布在  其他
关注(0)|答案(4)|浏览(287)

我无法获取元素的类型。此解决方案返回对元素类型的引用。

  1. int arr[] = { 0, 1, 2, 3, 4, 5 };
  2. using arrElemType = decltype(*arr);
  3. vector<arrElemType> vec(std::cbegin(arr), std::cend(arr));
sg3maiej

sg3maiej1#

C++11及更高版本中的标准方法是使用std::remove_all_extents

  1. #include <type_traits>
  2. int arr[] = { 0, 1, 2, 3, 4, 5 };
  3. using arrElemType = std::remove_all_extents<decltype(arr)>::type;
  4. vector<arrElemType> vec(std::cbegin(arr), std::cend(arr));
woobm2wo

woobm2wo2#

尝试以下操作

  1. using arrElemType = std::remove_reference<decltype( *arr )>::type;

  1. typedef std::remove_reference<decltype( *arr )>::type arrElemType;

您需要包括头<type_traits>

bnlyeluc

bnlyeluc3#

我在这里的目标是不带type_traits。在C++20中,我们可以在decltype()中使用lambda,所以这段代码与GCC10.2标志-std=c++20一起工作

  1. int arr[] = { 0, 1, 2, 3, 4, 5 };
  2. using arrElemType = decltype([&](){return arr[0];}());
  3. vector<arrElemType> vec(std::cbegin(arr), std::cend(arr));

陷阱

下面的尝试是我的第一个答案,得到了负面的反馈。我保留它是出于教育目的,这样其他人就不会因为隐式积分类型的提升而陷入这种境地:

  1. uint8_t a;
  2. auto x = +a; // x is int, not uint8_t
  3. auto y = a+a; // y is int, not uint8_t

因此,虽然下面的例子可以工作,但如果我们将数组类型更改为uint8_t,它仍然会创建vector<int>。好了,现在读一读:
如果为元素定义了+运算符:

  1. int arr[] = { 0, 1, 2, 3, 4, 5 };
  2. using arrElemType = decltype(+arr[0]); // + is the key
  3. vector<arrElemType> vec(std::cbegin(arr), std::cend(arr));
  • 不需要<type_traits>报头。
  • +arr[0]表达式变为 prvalue,decltype推导为T。
  • decltype(arr[0])给出T&,这在这里是不可取的。
  • 在decltype中不能访问数组元素,所以使用arr[1000]也没关系。
展开查看全部
55ooxyrt

55ooxyrt4#

自C++ 11起,当只给出数组类型(而不是数组变量)时:

  1. #include <type_traits>
  2. template<typename T>
  3. using array_entry_t = typename std::remove_reference<decltype( std::declval<T>()[0] )>::type;

完整示例:

  1. #include <iostream>
  2. #include <typeinfo>
  3. #include <type_traits>
  4. template<typename T>
  5. using array_entry_t = typename std::remove_reference<decltype( std::declval<T>()[0] )>::type;
  6. int main()
  7. {
  8. using MyArr = char[3];
  9. std::cout<< typeid( MyArr ).name() << std::endl; // Prints e.g: A3_c
  10. std::cout<< typeid(array_entry_t<MyArr>).name() << std::endl; // Prints e.g: c
  11. return 0;
  12. }
展开查看全部

相关问题