13

我正在学习 c++11 中的新功能并遇到了这个问题。我想通过将其移动到 lambda 中作为 for_each 的参数来捕获 unique_ptr。

设置:

std::array<int,4> arr = {1,3,5,6};
std::unique_ptr<int> p(new int);  (*p) = 3;

尝试 1 - 不起作用,因为 unique_ptr 没有复制构造函数。c++0x 没有指定按移动语法传递。

std::for_each(arr.begin(), arr.end(), [p](int& i) { i+=*p; });

尝试 2 - 使用 bind 将 p 的移动副本绑定到采用 int& 的函数:

std::for_each(arr.begin(), arr.end(),
     std::bind([](const unique_ptr<int>& p, int& i){
          i += (*p);
     }, std::move(p))
);

编译器抱怨说'result' : symbol is neither a class template nor a function template.

练习的主要目的是了解如何在缓存中以供以后使用的 lambda 中捕获可移动变量。

4

2 回答 2

20

更新:您可以从 C++14 开始在 lambda 中捕获可移动变量。

std::for_each(arr.begin(), arr.end(), [p=std::move(p)](int& i) { i+=*p; });

在 C++11 中,您不能以任何直接的方式将可移动变量捕获到 lambda 中。

Lambdas 通过复制或引用捕获。因此,要捕获仅移动变量,您必须将其包装在复制 => 移动的对象中(例如std::auto_ptr)。这是一个讨厌的黑客。

在您的示例中,您可以通过引用捕获,但如果这只是简化的代码,它可能无法使用真实代码执行您想要的操作:

std::for_each(arr.begin(), arr.end(), [&p](int& i) { i+=*p; });

这是一个仅复制移动的包装器:

template<typename T>
struct move_on_copy_wrapper
{
    mutable T value;

    move_on_copy_wrapper(T&& t):
        value(std::move(t))
    {}

    move_on_copy_wrapper(move_on_copy_wrapper const& other):
        value(std::move(other.value))
    {}

    move_on_copy_wrapper(move_on_copy_wrapper&& other):
        value(std::move(other.value))
    {}

    move_on_copy_wrapper& operator=(move_on_copy_wrapper const& other)
    {
        value=std::move(other.value);
        return *this;
    }

    move_on_copy_wrapper& operator=(move_on_copy_wrapper&& other)
    {
        value=std::move(other.value);
        return *this;
    }

};

然后你可以像这样使用它:

int main()
{
    std::unique_ptr<int> p(new int(3));
    move_on_copy_wrapper<std::unique_ptr<int>> mp(std::move(p));

    [mp]()
    {
        std::cout<<"*mp.value="<<*mp.value<<std::endl;
    }
    ();

    std::cout<<"p="<<p.get()<<", mp="<<mp.value.get()<<std::endl;
}
于 2012-04-23T13:05:05.410 回答
3

您的尝试 2 几乎会奏效。

缺少的是你没有告诉你的bind电话期待一个参数:

std::for_each(arr.begin(), arr.end(),
   std::bind([](const unique_ptr<int>& p, int& i){
      i += (*p);
   }, std::move(p), std::placeholders::_1)
);

placeholders::_1必要告诉结果bind它应该期待一个传递给它的参数operator()

这也是@marton78 在此处的回答中给出的建议。

于 2015-03-27T00:42:21.893 回答