我有一种情况,我有一个 lambda 作为由某个函数调用创建的成员变量。问题是它将此作为其操作的一部分。稍后,我希望能够复制整个对象......
但是,在复制时,我不知道 lambda 是如何创建的(它可以通过不同的代码路径在多个位置定义)。因此,我对在复制构造函数中放入什么感到有些茫然。理想情况下,我想将 lambda 的捕获“重新绑定”到创建的新“this”。
这是可能吗?
这是一些示例代码:
#include <iostream>
#include <string>
#include <functional>
class Foo
{
public:
Foo () = default;
~Foo () = default;
void set (const std::string & v)
{
value = v;
}
void set ()
{
lambda = [&]()
{
return this->value;
};
}
std::string get ()
{
return lambda();
}
std::string value;
std::function <std::string (void)> lambda;
};
int main ()
{
Foo foo;
foo.set ();
foo.set ("first");
std::cerr << foo.get () << std::endl; // prints "first"
foo.set ("captures change");
std::cerr << foo.get () << std::endl; // prints "captures change"
Foo foo2 (foo);
foo2.set ("second");
std::cerr << foo.get () << std::endl; // prints "captures change" (as desired)
std::cerr << foo2.get () << std::endl; // prints "captures change" (I would want "second" here)
return 0;
}
提前致谢。