C 14 引入了廣義 lambda 捕獲
auto u = make_unique<some_type>( some, parameters ); // move the unique_ptr into the lambda go.run( [ u = move(u) ] { do_something_with( u ); } );C 14 引入了廣義 lambda 捕獲,支援移動捕獲。在C 14 中,類似以下的程式碼將是有效的:
go.run( [ u = move(u) ] mutable { do_something_with( std::move(u) ); } );請注意,如果需要將物件從lambda 移動到另一個函數,則lambda 必須標記為可變:
C 11 中移動捕獲的解決方法
#include <cassert> #include <memory> #include <utility> template <typename T> struct rref_impl { rref_impl() = delete; rref_impl( T && x ) : x{std::move(x)} {} // ... implementation }; template<typename T> rref_impl<T> make_rref( T && x ) { return rref_impl<T>{ std::move(x) }; }在C 11中,可以使用輔助函數來實現移動捕獲make_rref 建立對所需值的右值參考:
int main() { std::unique_ptr<int> p{new int(0)}; auto rref = make_rref( std::move(p) ); auto lambda = [rref]() mutable -> std::unique_ptr<int> { return rref.move(); }; assert( lambda() ); assert( !lambda() ); }使用make_rref 函數捕獲lambda 中的值:
在 C 中模擬通用 Lambda 捕獲11
#include <utility> template <typename T, typename F> class capture_impl { T x; F f; public: // ... implementation }; template <typename T, typename F> capture_impl<T,F> capture( T && x, F && f ) { return capture_impl<T,F>( std::forward<T>(x), std::forward<F>(f) ); }模擬廣義 lambda 捕獲的另一種方法涉及定義捕獲函數:
int main() { std::unique_ptr<int> p{new int(0)}; auto lambda = capture( std::move(p), []( std::unique_ptr<int> & p ) { return std::move(p); } ); assert( lambda() ); assert( !lambda() ); }使用 capture透過移動捕獲值:此解決方案提供一種更簡潔的方法,如果捕獲的類型不可複製,則禁用複製 lambda。
以上是如何在 C Lambda(C 11 和 C 14)中實現移動捕獲?的詳細內容。更多資訊請關注PHP中文網其他相關文章!