адаптер итератора для итерации только значений на карте? - PullRequest
17 голосов
/ 03 ноября 2008

Я просто возвращаюсь в C ++ после нескольких лет работы над C #, а недавно и с целью C.

Одна вещь, которую я сделал раньше, - это сворачивание моего собственного адаптера итератора для std :: map, который будет разыменовывать только часть значения, а не пару ключ-значение. Это довольно распространенная и естественная вещь. C # предоставляет этой возможности свои свойства Keys и Values ​​своего класса Dictionary. NSDictionary Objective-C, аналогично, имеет allKeys и allValues.

С тех пор, как я был в отъезде, Boost приобрел библиотеки Range и ForEach, которые я сейчас активно использую. Я задавался вопросом, было ли между ними какое-то средство, чтобы сделать то же самое, но я не смог ничего найти.

Я подумываю о том, чтобы что-то взломать с помощью адаптеров итератора Boost, но перед тем, как пойти по этому пути, я подумала спросить здесь, знает ли кто-нибудь о таком средстве в Boost или где-нибудь еще, готовом?

Ответы [ 4 ]

24 голосов
/ 01 марта 2011

Замена предыдущего ответа, в случае, если кто-то еще найдет это, как я. Начиная с версии 1.43, есть несколько широко используемых адаптеров диапазона. В этом случае вам нужен boost :: adapters :: map_values. Соответствующий пример: http://www.boost.org/doc/libs/1_46_0/libs/range/doc/html/range/reference/adaptors/reference/map_values.html#range.reference.adaptors.reference.map_values.map_values_example

14 голосов
/ 03 ноября 2008

Я не думаю, что есть что-то из коробки. Вы можете использовать boost :: make_transform.

template<typename T1, typename T2> T2& take_second(const std::pair<T1, T2> &a_pair) 
{
  return a_pair.second;
}

void run_map_value()
{
  map<int,string> a_map;
  a_map[0] = "zero";
  a_map[1] = "one";
  a_map[2] = "two";
  copy( boost::make_transform_iterator(a_map.begin(), take_second<int, string>),
    boost::make_transform_iterator(a_map.end(), take_second<int, string>),
    ostream_iterator<string>(cout, "\n")
    );
}
8 голосов
/ 28 февраля 2013

Для этой цели есть адаптер диапазона усиления. Смотри http://www.boost.org/doc/libs/1_53_0/libs/range/doc/html/range/reference/adaptors/reference/map_values.html

(Этот пример оттуда извлечен)

int main(int argc, const char* argv[])
{
    using namespace boost::assign;
    using namespace boost::adaptors;

    std::map<int,int> input;
    for (int i = 0; i < 10; ++i)
    input.insert(std::make_pair(i, i * 10));

    boost::copy(
        input | map_values,
        std::ostream_iterator<int>(std::cout, ","));

    return 0;
}
7 голосов
/ 23 февраля 2010

Продолжая ответ Дэвида, есть еще одна возможность поставить кипение, создав производный класс от boost :: transform_iterator. Я использую это решение в своих проектах:

namespace detail
{

template<bool IsConst, bool IsVolatile, typename T>
struct add_cv_if_c
{
    typedef T type;
};
template<typename T>
struct add_cv_if_c<true, false, T>
{
    typedef const T type;
};
template<typename T>
struct add_cv_if_c<false, true, T>
{
    typedef volatile T type;
};
template<typename T>
struct add_cv_if_c<true, true, T>
{
    typedef const volatile T type;
};

template<typename TestConst, typename TestVolatile, typename T>
struct add_cv_if: public add_cv_if_c<TestConst::value, TestVolatile::value, T>
{};

}   // namespace detail


/** An unary function that accesses the member of class T specified in the MemberPtr template parameter.

    The cv-qualification of T is preserved for MemberType
 */
template<typename T, typename MemberType, MemberType T::*MemberPtr>
struct access_member_f
{
    // preserve cv-qualification of T for T::second_type
    typedef typename detail::add_cv_if<
        std::tr1::is_const<T>, 
        std::tr1::is_volatile<T>, 
        MemberType
    >::type& result_type;

    result_type operator ()(T& t) const
    {
        return t.*MemberPtr;
    }
};

/** @short  An iterator adaptor accessing the member called 'second' of the class the 
    iterator is pointing to.
 */
template<typename Iterator>
class accessing_second_iterator: public 
    boost::transform_iterator<
        access_member_f<
            // note: we use the Iterator's reference because this type 
            // is the cv-qualified iterated type (as opposed to value_type).
            // We want to preserve the cv-qualification because the iterator 
            // might be a const_iterator e.g. iterating a const 
            // std::pair<> but std::pair<>::second_type isn't automatically 
            // const just because the pair is const - access_member_f is 
            // preserving the cv-qualification, otherwise compiler errors will 
            // be the result
            typename std::tr1::remove_reference<
                typename std::iterator_traits<Iterator>::reference
            >::type, 
            typename std::iterator_traits<Iterator>::value_type::second_type, 
            &std::iterator_traits<Iterator>::value_type::second
        >, 
        Iterator
    >
{
    typedef boost::transform_iterator<
        access_member_f<
            typename std::tr1::remove_reference<
                typename std::iterator_traits<Iterator>::reference
            >::type, 
            typename std::iterator_traits<Iterator>::value_type::second_type, 
            &std::iterator_traits<Iterator>::value_type::second
        >, 
        Iterator
    > baseclass;

public:
    accessing_second_iterator(): 
        baseclass()
    {}

    // note: allow implicit conversion from Iterator
    accessing_second_iterator(Iterator it): 
        baseclass(it)
    {}
};

Это приводит к еще более чистому коду:

void run_map_value()
{
  typedef map<int, string> a_map_t;
  a_map_t a_map;
  a_map[0] = "zero";
  a_map[1] = "one";
  a_map[2] = "two";

  typedef accessing_second_iterator<a_map_t::const_iterator> ia_t;
  // note: specify the iterator adaptor type explicitly as template type, enabling 
  // implicit conversion from begin()/end()
  copy<ia_t>(a_map.begin(), a_map.end(),
    ostream_iterator<string>(cout, "\n")
  );
}
...