在lambda中捕获完美转发的变量

Vit*_*meo 43 c++ lambda perfect-forwarding c++11 c++14

template<typename T> void doSomething(T&& mStuff)
{
    auto lambda([&mStuff]{ doStuff(std::forward<T>(mStuff)); });
    lambda();
}
Run Code Online (Sandbox Code Playgroud)

mStuff使用&mStuff语法捕获完美转发的变量是否正确?

或者是否有针对完美转发变量的特定捕获语法?

编辑:如果完美转发的变量是参数包怎么办?

Col*_*mbo 25

使用&mStuff语法捕获完美转发的mStuff变量是否正确?

是的,假设你不在外面使用这个lambda doSomething.您的代码捕获mStuff每个引用,并将在lambda中正确转发它.

对于mStuff作为参数包,只需使用包扩展的简单捕获:

template <typename... T> void doSomething(T&&... mStuff)
{
    auto lambda = [&mStuff...]{ doStuff(std::forward<T>(mStuff)...); };
}
Run Code Online (Sandbox Code Playgroud)

lambda捕获每个mStuff引用的每个元素.closure-object为每个参数保存左值引用,而不管其值类别如何.完美转发仍然有效; 实际上,甚至没有区别,因为命名的右值引用无论如何都是左值.

  • 在第一种情况下,在lambda中你有对所有东西的左值引用.你有一个奇怪的事实,你的lambda只有在你离开当前范围之前才有效.两者都意味着它不是OP问题的一般解决方案.在第二种和第三种情况下,您捕获按值,这也与完美转发不同(您完全转发到按值捕获).在第四种情况下,它是类似的,但不会发生完美的转发.简而言之,它们都不是"完美转发"的完美类比.试试`forward_as_tuple`可能吗? (2认同)
  • 标准参考捕获变量中的参考捕获生命周期规则,而不是数据及其范围.这允许实际的实际优化(仅捕获堆栈指针),如果它是缺陷则使其成为一个小问题. (2认同)

Hui*_*Hui 6

为了使lambda在创建它的范围之外有效,你需要一个以不同方式处理左值和右值的包装类,即保持对左值的引用,但复制(通过移动)右值.

头文件capture.h:

#pragma once

#include <type_traits>
#include <utility>

template < typename T >
class capture_wrapper
{
   static_assert(not std::is_rvalue_reference<T>{},"");
   std::remove_const_t<T> mutable val_;
public:
   constexpr explicit capture_wrapper(T&& v)
      noexcept(std::is_nothrow_move_constructible<std::remove_const_t<T>>{})
   :val_(std::move(v)){}
   constexpr T&& get() const noexcept { return std::move(val_); }
};

template < typename T >
class capture_wrapper<T&>
{
   T& ref_;
public:
   constexpr explicit capture_wrapper(T& r) noexcept : ref_(r){}
   constexpr T& get() const noexcept { return ref_; }
};

template < typename T >
constexpr typename std::enable_if<
   std::is_lvalue_reference<T>{},
   capture_wrapper<T>
>::type
capture(std::remove_reference_t<T>& t) noexcept
{
   return capture_wrapper<T>(t);
}

template < typename T >
constexpr typename std::enable_if<
   std::is_rvalue_reference<T&&>{},
   capture_wrapper<std::remove_reference_t<T>>
>::type
capture(std::remove_reference_t<T>&& t)
   noexcept(std::is_nothrow_constructible<capture_wrapper<std::remove_reference_t<T>>,T&&>{})
{
   return capture_wrapper<std::remove_reference_t<T>>(std::move(t));
}

template < typename T >
constexpr typename std::enable_if<
   std::is_rvalue_reference<T&&>{},
   capture_wrapper<std::remove_reference_t<T>>
>::type
capture(std::remove_reference_t<T>& t)
   noexcept(std::is_nothrow_constructible<capture_wrapper<std::remove_reference_t<T>>,T&&>{})
{
   return capture_wrapper<std::remove_reference_t<T>>(std::move(t));
}
Run Code Online (Sandbox Code Playgroud)

示例/测试代码显示它的工作原理.请注意,"bar"示例显示了如何使用std::tuple<...>lambda捕获初始化程序中缺少包扩展来解决,这对于可变参数捕获非常有用.

#include <cassert>
#include <tuple>
#include "capture.h"

template < typename T >
auto foo(T&& t)
{
   return [t = capture<T>(t)]()->decltype(auto)
   {
      auto&& x = t.get();
      return std::forward<decltype(x)>(x);
      // or simply, return t.get();
   };
}

template < std::size_t... I, typename... T >
auto bar_impl(std::index_sequence<I...>, T&&... t)
{
   static_assert(std::is_same<std::index_sequence<I...>,std::index_sequence_for<T...>>{},"");
   return [t = std::make_tuple(capture<T>(t)...)]()
   {
      return std::forward_as_tuple(std::get<I>(t).get()...);
   };
}
template < typename... T >
auto bar(T&&... t)
{
   return bar_impl(std::index_sequence_for<T...>{}, std::forward<T>(t)...);
}

int main()
{
   static_assert(std::is_same<decltype(foo(0)()),int&&>{}, "");
   assert(foo(0)() == 0);

   auto i = 0;
   static_assert(std::is_same<decltype(foo(i)()),int&>{}, "");
   assert(&foo(i)() == &i);

   const auto j = 0;
   static_assert(std::is_same<decltype(foo(j)()),const int&>{}, "");
   assert(&foo(j)() == &j);

   const auto&& k = 0;
   static_assert(std::is_same<decltype(foo(std::move(k))()),const int&&>{}, "");
   assert(foo(std::move(k))() == k);

   auto t = bar(0,i,j,std::move(k))();
   static_assert(std::is_same<decltype(t),std::tuple<int&&,int&,const int&,const int&&>>{}, "");
   assert(std::get<0>(t) == 0);
   assert(&std::get<1>(t) == &i);
   assert(&std::get<2>(t) == &j);
   assert(std::get<3>(t) == k and &std::get<3>(t) != &k);

}
Run Code Online (Sandbox Code Playgroud)


Eri*_*eau 6

TTBOMK,对于C++14,我认为上面的生命周期处理解决方案可以简化为:

template <typename T> capture { T value; }

template <typename T>
auto capture_example(T&& value) {
  capture<T> cap{std::forward<T>(value)};
  return [cap = std::move(cap)]() { /* use cap.value *; };
};
Run Code Online (Sandbox Code Playgroud)

或更匿名:

template <typename T>
auto capture_example(T&& value) {
  struct { T value; } cap{std::forward<T>(value)};
  return [cap = std::move(cap)]() { /* use cap.value *; };
};
Run Code Online (Sandbox Code Playgroud)

在这里使用它(诚然,这个特定的代码块相当无用:P)

https://github.com/EricCousineau-TRI/repro/blob/3fda1e0/cpp/generator.cc#L161-L176

  • 也可以使用 `std::tuple` 代替定制的 `capture` 类型:`[cap = std::tuple&lt;T&gt; (std::forward&lt;T&gt; (value))] { /* use std::get &lt;0&gt;(大写)*/ }` (2认同)

Pau*_* II 5

是的,您可以进行完美捕获,但不能直接进行。您需要将类型包装在另一个类中:

#define REQUIRES(...) class=std::enable_if_t<(__VA_ARGS__)>

template<class T>
struct wrapper
{
    T value;
    template<class X, REQUIRES(std::is_convertible<T, X>())>
    wrapper(X&& x) : value(std::forward<X>(x))
    {}

    T get() const
    {
        return std::move(value);
    }
};

template<class T>
auto make_wrapper(T&& x)
{
    return wrapper<T>(std::forward<T>(x));
}
Run Code Online (Sandbox Code Playgroud)

然后将它们作为参数传递给 lambda,该 lambda 返回一个按值捕获参数的嵌套 lambda:

template<class... Ts>
auto do_something(Ts&&... xs)
{
    auto lambda = [](auto... ws)
    {
        return [=]()
        {
            // Use `.get()` to unwrap the value
            some_other_function(ws.get()...);
        };
    }(make_wrapper(std::forward<Ts>(xs)...));

    lambda();
}
Run Code Online (Sandbox Code Playgroud)


Fab*_* A. 5

这是 C++17 的解决方案,它使用推导指南来使其变得简单。我正在详细阐述 Vittorio Romeo(OP)的博客文章,他在其中为自己的问题提供了解决方案。

std::tuple可用于包装完美转发的变量,根据需要在每个变量的基础上制作副本或保留每个变量的引用。元组本身由 lambda 捕获值。

为了使其更简单、更清晰,我将创建一种从 派生的新类型std::tuple,以便提供引导式构造(这将使我们避免使用std::forwarddecltype()样板文件)和类似指针的访问器,以防只有一个要捕获的变量。

// This is the generic case
template <typename... T>
struct forwarder: public std::tuple<T...> {
    using std::tuple<T...>::tuple;        
};

// This is the case when just one variable is being captured.
template <typename T>
struct forwarder<T>: public std::tuple<T> {
    using std::tuple<T>::tuple;

    // Pointer-like accessors
    auto &operator *() {
        return std::get<0>(*this);
    }

    const auto &operator *() const {
        return std::get<0>(*this);
    }

    auto *operator ->() {
        return &std::get<0>(*this);
    }

    const auto *operator ->() const {
        return &std::get<0>(*this);
    }
};

// std::tuple_size needs to be specialized for our type, 
// so that std::apply can be used.
namespace std {
    template <typename... T>
    struct tuple_size<forwarder<T...>>: tuple_size<tuple<T...>> {};
}

// The below two functions declarations are used by the deduction guide
// to determine whether to copy or reference the variable
template <typename T>
T forwarder_type(const T&);

template <typename T>
T& forwarder_type(T&);

// Here comes the deduction guide
template <typename... T>
forwarder(T&&... t) -> forwarder<decltype(forwarder_type(std::forward<T>(t)))...>;
Run Code Online (Sandbox Code Playgroud)

然后就可以像下面这样使用它了。

可变版本:

// Increment each parameter by 1 at each invocation and print it.
// Rvalues will be copied, Lvalues will be passed as references.
auto variadic_incrementer = [](auto&&... a)
{
    return [a = forwarder(a...)]() mutable 
    { 
        std::apply([](auto &&... args) {
            (++args._value,...);
            ((std::cout << "variadic_incrementer: " << args._value << "\n"),...);
        }, a);
    };
};
Run Code Online (Sandbox Code Playgroud)

非可变版本:

// Increment the parameter by 1 at each invocation and print it.
// Rvalues will be copied, Lvalues will be passed as references.
auto single_incrementer = [](auto&& a)
{
    return [a = forwarder(a)]() mutable 
    { 
        ++a->_value;
        std::cout << "single_incrementer: " << a->_value << "\n";
    };
};
Run Code Online (Sandbox Code Playgroud)