std::find on a vector of object pointers

前端 未结 3 1588
旧时难觅i
旧时难觅i 2021-01-24 14:48

I have a class A with a member which is a vector of object pointers of another class B

class A
{
    std::vector m_member_A
<         


        
相关标签:
3条回答
  • 2021-01-24 15:34

    Vector works perfectly fine with std::find

    auto result = std::find(m_member_A.begin(), m_member_A.end(), itemToFind);
    if (result != m_member_A.end()) {
      // found it!
    }
    

    Or if you need to dereference the pointer:

    auto result = std::find_if(m_member_A.begin(), m_member_A.end(), 
      [] (B* item) { 
        if (item == nullptr) return false; // may want to do something else here
        return *item == someValue;
      });
    if (result != m_member_A.end()) {
      // found it!
    }
    

    Demo: http://ideone.com/jKCrG5

    0 讨论(0)
  • 2021-01-24 15:34

    If you want to compare values instead of comparing pointers, you might want to use std::find_if instead:

    bool IsFoo (B* _item) {
        bool result = false;
    
        if ( _item != nullptr && _item->value == 1 ) //Whatever is your criteria
            result = true; 
    
        return result;
    }
    
    std::vector<B*> m_member_A;
    B* instance = std::find_if (m_member_A.begin(), m_member_A.end(), IsFoo);
    
    0 讨论(0)
  • 2021-01-24 15:38

    If you want to find a value pointer at by the pointer, instead of a given pointer, you can use std::find_if with a suitable functor:

    struct Foo
    {
      int i;
    };
    
    bool operator==(const Foo& lhs, const Foo& rhs) { return lhs.i == rhs.i; }
    
    std::vector<Foo*> v = ....;
    
    Foo f{42};
    
    std::find_if(v.begin(), v.end(), [&f](const Foo* p) { return *p == f; });
    
    0 讨论(0)
提交回复
热议问题