Returning the greatest key strictly less than the given key in a C++ Map

后端 未结 5 1875
伪装坚强ぢ
伪装坚强ぢ 2020-12-16 10:54

Is there a way the C++ STL Maps support this, since lower_bound and upper_bound on maps strictly return the value greater than the passed value.

Lower key

U

相关标签:
5条回答
  • 2020-12-16 11:14

    I always find to compute floor(x) and ceil(x) to be patricularly useful

    floor(x) -> greatest element <=x 
    ceil(x) -> smallest element >= x
    
    floor_it = m.lower_bound(x); 
    if (floor_it != m.end() && floor_it->first != x)
          --floor_it;
    
    ceil_it = m.upper_bound(x);
    if (ceil_it != m.end() && (ceil_it-1)->first == x)
        --ceil_it; 
    
    0 讨论(0)
  • 2020-12-16 11:15

    Yeah, lower_bound can be used for that, i've seen it before and used it like that.

    map_type::iterator it = map.lower_bound(2.3);
    if(it != map.begin()) {
        --it;
        // it now points at the right element
    }
    

    Would actually return the greatest, yet smaller (if it != map.begin() was true) one. If it was at .begin, then there is no smaller key. Nice idea from the comments is to return .end if there is no element that's less and pack this stuff into a function:

    template<typename Map> typename Map::const_iterator 
    greatest_less(Map const& m, typename Map::key_type const& k) {
        typename Map::const_iterator it = m.lower_bound(k);
        if(it != m.begin()) {
            return --it;
        }
        return m.end();
    }
    
    template<typename Map> typename Map::iterator 
    greatest_less(Map & m, typename Map::key_type const& k) {
        typename Map::iterator it = m.lower_bound(k);
        if(it != m.begin()) {
            return --it;
        }
        return m.end();
    }
    

    The template should work for std::set too.

    0 讨论(0)
  • 2020-12-16 11:30

    If you don't care about the ordering, you can use map::upper_bound to get the element you want, but you need to define the map class with std::greater for the traits argument, so that the ordering is high-to-low.

    typedef std::map<double,MyClass,std::greater<double> > MyMap;
    MyMap myMap;
    myMap[1.5] = value1;
    myMap[2.0] = value2;
    myMap[3.0] = value3;
    
    MyMap::iterator elt = myMap.upper_bound(2.5); // should be pair(2.0,value2)
    
    0 讨论(0)
  • 2020-12-16 11:30

    Your method will work, but you need to check to make sure you don't back over the beginning of the map. Plus you need lower_bound, not upper_bound.

    iterator = map.lower_bound(2.3)
    if (iterator != map.begin())
        --iterator;
    
    0 讨论(0)
  • 2020-12-16 11:39

    I would use std::find_if() with reverse iterators, something like:

    find_if( map.rbegin(), map.rend(), is_less_than );
    

    You'll have to define the is_less_than() predicate function.

    (cf. http://www.cplusplus.com/reference/algorithm/find_if.html)

    0 讨论(0)
提交回复
热议问题