这个关于用法的例子std::forward
让我感到困惑。这是我编辑的版本:
#include <iostream>
#include <memory>
#include <utility>
using namespace std;
struct A{
A(int&& n) { cout << "rvalue overload, n=" << n << "\n"; }
A(int& n) { cout << "lvalue overload, n=" << n << "\n"; }
};
template<typename> void template_type_dumper();
template<class T, class U>
unique_ptr<T> make_unique(U&& u){
//Have a "fingerprint" of what function is being called
static int dummyvar;
cout<<"address of make_unique::dummyvar: "<<&dummyvar<<endl;
//g++ dumps two warnings here, which reveal what exact type is passed as template parameter
template_type_dumper<decltype(u)>;
template_type_dumper<U>;
return unique_ptr<T>(new T(forward<U>(u)));
}
int main()
{
unique_ptr<A> p1 = make_unique<A>(2); // rvalue
int i = 1;
unique_ptr<A> p2 = make_unique<A>(i); // lvalue
}
输出是
address of make_unique::dummyvar: 0x6021a4
rvalue overload, n=2
address of make_unique::dummyvar: 0x6021a8
lvalue overload, n=1
以及关于引用的警告,以template_type_dumper
显示在第一个实例化中,decltype(u) = int&&
and U = int
,对于第二个decltype(u) = int&
and U = int&
。
很明显,正如预期的那样,有两种不同的实例化,但她是我的问题:
- 怎么可以
std::forward
在这里工作?在第一个实例化中,它的模板参数是显式的U = int
,它怎么知道它必须返回一个右值引用?如果我U&&
改为指定会发生什么? make_unique
被声明为采用右值引用。怎么会u
是左值引用?有什么我遗漏的特殊规则吗?