3

我有:

struct Mystruct
{
    void Update(float Delta);
}

typedef std::map<int, Mystruct*> TheMap;
typedef TheMap::iterator         TheMapIt;

TheMap Container;

并想做:

for(TheMapIt It = Container.begin(), Ite = Container.end(); It != Ite; ++It)
{
    It->second->Update(Delta);
}

使用std::for_each,如何做到这一点?

我想我可以声明如下函数:

void Do(const std::pair<int, Mystruct*> Elem)
{
    Elem->Update(/*problem!*/); ---> How to pass Delta in?
}

或者制作另一个结构:

struct Doer
{
    Doer(float Delta): d(Delta) {}

    void operator(std::pair<int, Mystruct*> Elem)
    {
        Elem->Update(d);
    }
}

但这需要一个新的结构。

我想要实现的是使用简单std::for_each的东西std::bind_1ststd::mem_fun比如使用的方式std::vector,有可能吗?

使用前请考虑使用std方式boost,谢谢!

我已经引用了这个,但它没有提到带有输入的成员函数...... 我将如何使用 for_each 删除 STL 映射中的每个值?

4

2 回答 2

6

这只是编码风格之间的交易,for循环和for_each没有太大区别,下面是除了for循环之外的另外两种方法:

如果您使用 C++11,可以尝试 lambda:

std::for_each(TheMap.begin(), TheMap.end(), 
              [](std::pair<int, Mystruct*>& n){ n.second->Update(1.0); });

或者在 C++03 中,您可以向包装类添加一个成员函数,然后调用std::bind1ststd::mem_fun

struct MapWrapper
{
  MapWrapper(int value=1.0):new_value(value) {}

  void Update(std::pair<int, Mystruct*> map_pair)
  {
    map_pair.second->Update(new_value);
  }
  void setValue(float value) { new_value = value; }
  float new_value;
  std::map<int, Mystruct*> TheMap;
};

MapWrapper wrapper;
wrapper.setvalue(2.0);
std::for_each(wrapper.TheMap.begin(), 
              wrapper.TheMap.end(),std::bind1st(std::mem_fun(&MapWrapper::Update), &wrapper));

写一个函子不是一个坏的选择,你为什么反对它?函子提供了更好的设计,因为它提供了干净和明确的目的。

struct Doer
{
    Doer(float Delta): d(Delta) {}

    void operator()(std::pair<int, Mystruct*> e)
    {
      e.second->Update(d);
    }
    float d;
};
Doer doer(1.0);
std::for_each(wrapper.TheMap.begin(), wrapper.TheMap.end(), doer);
于 2012-12-26T08:22:02.910 回答
2

只是想指出 lambda 可以用更好的语法编写,您已经通过为地图定义 typedef 开始了这条路。下一步是使用 ValueType,这样您就不必记住映射元素是 std::pairs,也不必写出模板参数。

 using namespace std;
 for_each(begin(Container), end(Container), 
          [](TheMap::ValueType& n){ n.second->Update(1.0); });

更容易阅读,并且可以让您更改一些细节,而不必将这些更改传播到很多不同的地方。

于 2014-05-29T14:40:04.020 回答