这个问题来自How to pass by lambda in C++0x? ,但也许这是一种更清晰的提问方式。
考虑以下代码:
#include <iostream>
#define LAMBDA(x) [&] { return x; }
class A
{
public:
A() : i(42) {};
A(const A& a) : i(a.i) { std::cout << "Copy " << std::endl; }
A(A&& a) : i(a.i) { std::cout << "Move " << std::endl; }
int i;
};
template <class T>
class B
{
public:
B(const T& x_) : x(x_) {}
B(T&& x_) : x(std::move(x_)) {}
template <class LAMBDA_T>
B(LAMBDA_T&& f, decltype(f())* dummy = 0) : x(f()) {}
T x;
};
template <class T>
auto make_b_normal(T&& x) -> B<typename std::remove_const<typename std::remove_reference<T>::type>::type>
{
return B<typename std::remove_const<typename std::remove_reference<T>::type>::type>(std::forward<T>(x));
}
template <class LAMBDA_T>
auto make_b_macro_f(LAMBDA_T&& f) -> B<decltype(f())>
{
return B<decltype(f())>( std::forward<LAMBDA_T>(f) );
}
#define MAKE_B_MACRO(x) make_b_macro_f(LAMBDA(x))
int main()
{
std::cout << "Using standard function call" << std::endl;
auto y1 = make_b_normal(make_b_normal(make_b_normal(make_b_normal(A()))));
std::cout << "Using macro" << std::endl;
auto y2 = MAKE_B_MACRO(MAKE_B_MACRO(MAKE_B_MACRO(MAKE_B_MACRO(A()))));
std::cout << "End" << std::endl;
}
输出以下内容:
Using standard function call
Move
Copy
Copy
Copy
Using macro
End
很明显,宏版本以某种方式省略了所有移动/复制构造函数调用,但函数版本没有。
我假设在 C++0x 中没有大量宏的情况下,有一种语法上很好的方法可以省略所有移动和副本,但我想不通。
原因:
我计划使用这样的代码,无需移动或复制来构建参数包,即
auto y = (_blah = "hello", _blah2 = 4);
f(y, (_blah3 = "world", _blah4 = 67));
并且与非参数代码相比,这些没有额外的移动/副本。