我有以下简单示例,其中我想在一组不可复制的对象上调用std::for_each
:
class A {
public:
A() : x(0) {}
A(const A&) = delete;
private:
int x;
};
void func() {
std::vector<A> v(10);
std::map<int, A> m;
// works as expected
std::for_each(begin(v), end(v), [](const A& a) { /* do nothing */ });
// error calling copy constructor
std::for_each(begin(m), end(m), [](const std::pair<int, A>& a) { /* do nothing */ });
}
如果我将所有内容放入std::vector
,它会按预期工作,但在使用std::map
时,突然std::for_each
想要调用(已删除)复制构造函数。为什么?我原以为我只是引用了地图中保存的对,没有任何必要的副本。
答案 0 :(得分:15)
问题是std::map
的内部值类型为std::pair<const Key, Value>
。标准库容器允许您从容器类型中提取它,而不是显式指定它:
在C ++ 11中(与C ++ 98相同,但你必须在for_each
内使用函数对象而不是lambda,并且还使用typedef
代替{{ 1}}):
using =
在C ++ 14中执行:
using value_type = std::map<int, A>::value_type;
std::for_each(begin(m), end(m), [](value_type const& a) { /* do nothing */ });
Clang 3.4,Visual Studio 2013 November CTP和GCC 4.9支持在lambda中使用std::for_each(begin(m), end(m), [](auto const& a) { /* do nothing */ });
。