如何通过decltype声明迭代器的值

时间:2013-03-22 00:55:25

标签: c++ c++11 iterator typetraits decltype

在C ++ 98中,我通常使用以下命令在迭代器的值类型中声明一个变量:

typename std::iterator_traits<Iterator>::value_type value;

在C ++ 11中,我们有decltype,我认为推断值类型的最简单方法是:

decltype(*iterator) value;

不幸的是,对于大多数迭代器,* iterator的类型是value_type&amp;而不是value_type。任何想法,没有类型修改类,如何按摩上面的产生value_type(而不是任何参考)?


我不认为这个问题是不合理的,因为以下内容非常强大,但最终会创建另一个变量。

auto x = *iterator;
decltype(x) value;

另请注意,我真的想要推断类型而不仅仅是实例,例如如果我想声明这些值的std :: vector。

2 个答案:

答案 0 :(得分:16)

继续使用iterator_traitsdecltype(*iterator)甚至可能是某种奇怪的代理类,以便在表达式*iter = something中执行特殊操作。

示例:

#include <iostream>
#include <iterator>
#include <typeinfo>
#include <vector>

template <typename T>
void print_type()
{
    std::cout << typeid(T).name() << std::endl;
}

template <typename Iterator>
void test(Iterator iter)
{
    typedef typename
        std::iterator_traits<Iterator>::value_type iter_traits_value;

    auto x = *iter;
    typedef decltype(x) custom_value;

    print_type<iter_traits_value>();
    print_type<custom_value>();
}

int main()
{
    std::vector<int> a;
    std::vector<bool> b;

    test(a.begin());
    test(b.begin());
}

MSVC 2012上的输出:

  

int
  int
  bool
  class std::_Vb_reference<struct std::_Wrap_alloc<class std::allocator<unsigned int>>>

它们不一样。

答案 1 :(得分:1)

对于这个用例,我喜欢std :: decay。我会使用

std::vector< int > vec;
using value_type = typename std::decay< decltype(*begin(vec)) >::type; 
static_assert(std::is_same< int, value_type >::value, "expected int");