3

我有以下内容:

  typedef std::function<void(const EventArgs&)> event_type;

  class Event : boost::noncopyable
  {
  private:
   typedef std::vector<event_type> EventVector;
   typedef EventVector::const_iterator EventVector_cit;
   EventVector m_Events;

  public:
   Event()
   {
   }; // eo ctor

   Event(Event&& _rhs) : m_Events(std::move(_rhs.m_Events))
   {
   }; // eo mtor

   // operators
   Event& operator += (const event_type& _ev)
   {
    assert(std::find(m_Events.begin(), m_Events.end(), _ev) == m_Events.end());
    m_Events.push_back(_ev);
    return *this;
   }; // eo +=

   Event& operator -= (const event_type& _ev)
   {
    EventVector_cit cit(std::find(m_Events.begin(), m_Events.end(), _ev));
    assert(cit != m_Events.end());
    m_Events.erase(cit);
    return *this;
   }; // eo -=
  }; // eo class Event

在编译期间:

1>c:\program files (x86)\microsoft visual studio 10.0\vc\include\algorithm(41): error C2451: conditional expression of type 'void' is illegal
1>          Expressions of type void cannot be converted to other types

现在,我明白这是因为存储在 vector 和 operator 中的内容==。还有另一种存储std::function在 STL 容器中的方法吗?我需要用别的东西包起来吗?

4

1 回答 1

0

您可以存储boost::function在向量中,前提是您不使用std::find. 由于您似乎需要这个,因此将函数包装在其自己的类中并具有相等性可能是最好的。

class EventFun
{
  int id_;
  boost::function<...> f_;
public:
  ...
  bool operator==(const EventFun& o) const { return id_==o.id_; } // you get it...
};

请注意,这需要您id_以理智的方式维护 (例如,两个不同EventFun的 s 将具有不同id_的 s 等)。

另一种可能性是存储boost::functions 带有一个标签,客户端会记住并使用它来识别删除它时的特定功能。

于 2010-12-13T15:57:02.530 回答