1

我试图弄清楚为什么捕获的变量不能通过引用传递给 foo 函数,下面显示的程序没有编译并出现以下错误:

error: invalid initialization of reference of type 
'Object&' from expression of type 'const Object'

有什么方法可以将通用引用完美地转发到 lambda 中,以便通过引用捕获它以供以后使用?类型 T 也可能是 R 值或 R 值和 L 值的组合,因此它们不能总是通过引用来捕获。

struct Object
{
};

void foo(Object& a)
{
}

template<typename... T>
auto bar(T&&... values)
{
    return [values...](){
        foo(values...);
    };
}

int main ()
{
    Object obj;
    auto lambda = bar(obj);
    return 0;
}
4

1 回答 1

1

您通过将值存储为闭包内的 const 成员的值进行捕获,并且它们不能绑定到非 const 左值引用。对于按引用捕获,您忘记在值之前放置“&”:

return [&values...](){
    foo(values...);
};

一个小例子。

两个文件之间的唯一区别:

diff omg.cpp nyan.cpp 
6c6
<   return [values...]{ foo(values...); };
---
>   return [&values...]{ foo(values...); };

使用按值捕获编译一个:

$ g++ -std=c++14 omg.cpp && ./a.out 
omg.cpp: In instantiation of ‘bar(T&& ...)::<lambda()> [with T = {int&}]’:
omg.cpp:6:16:   required from ‘struct bar(T&& ...) [with T = {int&}]::<lambda()>’
omg.cpp:6:38:   required from ‘auto bar(T&& ...) [with T = {int&}]’
omg.cpp:11:16:   required from here
omg.cpp:6:25: error: binding reference of type ‘int&’ to ‘const int’ discards qualifiers
  return [values...]{ foo(values...); };
                  ~~~^~~~~~~~~~~
omg.cpp:3:6: note:   initializing argument 1 of ‘void foo(int&)’
 void foo(int &a) { std::cout << a << std::endl; }
  ^~~

编译另一个:

$ g++ -std=c++14 nyan.cpp && ./a.out 
42
314
于 2017-09-16T00:30:08.777 回答