2

在下面的第一个代码片段中,我试图根据输入 std::remove_if 函数的静态条件函数从成员函数内的向量中删除一个元素。我的问题是无法在条件函数中访问 removeVipAddress 方法中的输入参数 uuid。您认为我应该在这里做什么才能根据名为​​ uuid 的输入参数从向量中删除一个项目?谢谢。注意:这是之前在从 std:: 向量中删除项目中解释的后续问题

片段 1(代码)

void removeVipAddress(std::string &uuid)
{
          struct RemoveCond
          {
            static bool condition(const VipAddressEntity & o)
            {
              return o.getUUID() == uuid;
            }
          };

          std::vector<VipAddressEntity>::iterator last =
            std::remove_if(
                    mVipAddressList.begin(),
                    mVipAddressList.end(),
                    RemoveCond::condition);

          mVipAddressList.erase(last, mVipAddressList.end());

}

片段 2(编译输出)

 $ g++ -g -c -std=c++11 -Wall Entity.hpp
 Entity.hpp: In static member function ‘static bool ECLBCP::VipAddressSet::removeVipAddress(std::string&)::RemoveCond::condition(const   ECLBCP::VipAddressEntity&)’:
 Entity.hpp:203:32: error: use of parameter from containing function
 Entity.hpp:197:7: error:   ‘std::string& uuid’ declared here
4

2 回答 2

2

如果您使用的是 C++11,则可以使用 lambda 来完成:

auto last = std::remove_if(
     mVipAddressList.begin(),
     mVipAddressList.end(),
     [uuid]( const VipAddressEntity& o ){
          return o.getUUID() == uuid;
     });

该函数调用的最后一个参数声明了一个 lambda,它是一个匿名内联函数。该[uuid]位告诉它包含uuid在 lambda 的范围内。

这里有一个关于 lambdas 的教程

或者,您可能希望为 RemoveCond 谓词提供构造函数和成员函数(并使用 operator() 而不是名为条件的函数来实现它)。

像这样的东西:

struct RemoveCond
{
    RemoveCond( const std::string& uuid ) :
    m_uuid( uuid )
    {
    }

    bool operator()(const VipAddressEntity & o)
    {
        return o.getUUID() == m_uuid;
    }

    const std::string& m_uuid;
};

std::remove_if( 
     mVipAddressList.begin(),
     mVipAddressList.end(),
     RemoveCond( uuid );
     );
于 2013-02-22T13:30:57.750 回答
1

如果您没有 C++11 lambda,您可以将您的表达RemoveCond为仿函数:

struct RemoveCond
{
  RemoveCond(const std::string uuid) : uuid_(uuid) {}
  bool operator()(const VipAddressEntity & o) const
  {
          return o.getUUID() == uuid_;
  }
  const std::string& uuid_;
};

然后将实例传递给std::remove_if

std::remove_if(mVipAddressList.begin(),
               mVipAddressList.end(),
               RemoveCond(uuid));

顺便说一句,您removeVipAddress的功能应该const参考:

void removeVipAddress(const std::string &uuid)
于 2013-02-22T13:38:10.460 回答