我想提交句柄,但我只希望在共享指针仍然有效时执行它:
// elsewhere in the class:
std::shared_ptr<int> node;
// later on:
const std::weak_ptr<int> slave(node); // can I do this in the capture clause somehow?
const auto hook = [=]()
{
if (!slave.expired())
//do something
else
// do nothing; the class has been destroyed!
};
someService.Submit(hook); // this will be called later, and we don't know whether the class will still be alive
我可以在lambda的capture子句中声明slave
吗?像const auto hook = [std::weak_ptr<int> slave = node,=]()....
这样的东西但不幸的是这不起作用。我想避免声明变量然后复制它(不是出于性能原因;我只是认为如果我可以创建lambda需要的任何内容而不污染封闭范围,它会更清晰和更整洁。)
答案 0 :(得分:16)
你可以使用C ++ 14中的通用lambda捕获来实现这一点:
const auto hook = [=, slave = std::weak_ptr<int>(node)]()
{
...
};
这是一个live example。请注意,由于没有参数或显式返回类型,因此可以省略空参数列表(()
)。
答案 1 :(得分:1)
如chris所述,这在C ++ 14中是可能的。
如果您愿意修改捕获的值,只需添加mutable
说明符。
这是一个从零填充到向量长度的向量的示例。
#include <iostream>
#include <vector>
#include <algorithm>
int main()
{
std::vector<int> container(10);
std::generate(container.begin(), container.end(), [n = 0]() mutable { return n++; });
for (const auto & number : container)
{
std::cout << number << " ";
}
std::cin.ignore();
return 0;
}