13

可能重复:
从迭代器获取 const_iterator

我想编写一个元函数,它const_iteratoriterator

template <class Iterator>
struct get_const_iterator
{
    typedef ??? type;
};
  • get_const_iterator<int*>::type一定是const int*
  • get_const_iterator<const int*>::type一定是const int*
  • get_const_iterator<int* const>::type一定是const int*const int* const,我不在乎
  • get_const_iterator<std::list<char>::iterator>::type一定是std::list<char>::const_iterator

等等

这可以在有iterator_traits或没有它们的情况下完成吗?

编辑:假设如果 2 个容器具有相同的iterator类型,那么它们也具有相同的const_iterator类型。我认为这是一个合理的假设,尽管理论上并不完全正确。

4

2 回答 2

1

你可以在 C++0x 中做到这一点

template <typename Container>
Container container (typename Container :: iterator);

template <typemame Iterator>
struct get_const_iterator
{
    typedef decltype (container (Iterator())) :: const_iterator type;
};

尽管我开始同意 Steve 的观点——这不是一个通用的解决方案,因为不同的容器可能具有相同的迭代器类型。

于 2011-07-05T16:32:10.223 回答
1

如果您愿意部分专门针对容器,您可以在当前标准中执行此操作,例如...

#include <vector>
#include <list>
#include <iterator>

// default case
template <typename Iterator, typename value_type, typename container_test = Iterator>
struct container
{
  typedef Iterator result;
};

// partial specialization for vector
template <typename Iterator, typename value_type>
struct container<Iterator, value_type, typename std::vector<value_type>::iterator>
{
  typedef typename std::vector<value_type>::const_iterator result;
};

// partial specialization for list, uncomment to see the code below generate a compile error
/* template <typename Iterator, typename value_type>
struct container<Iterator, value_type, typename std::list<value_type>::iterator>
{
  typedef typename std::list<value_type>::const_iterator result;
}; */

// etc.

template <typename Iterator>
struct get_const
{
  typedef typename container<Iterator, typename std::iterator_traits<Iterator>::value_type>::result type;
};

int main(void)
{
  std::list<int> b;
  b.push_back(1);
  b.push_back(2);
  b.push_back(3);
  get_const<std::list<int>::iterator>::type it1 = b.begin(), end1 = b.end();
  for(; it1 != end1; ++it1)
    ++*it1; // this will be okay

  std::vector<int> f;
  f.push_back(1);
  f.push_back(2);
  f.push_back(3);

  get_const<std::vector<int>::iterator>::type it = f.begin(), end = f.end();
  for(; it != end; ++it)
    ++*it; // this will cause compile error

}

当然,上面会重复史蒂夫的观点,并且要求是iterator_traits您的迭代器存在。

于 2011-07-05T17:59:50.373 回答