首先,我构造了四个结构,每个结构都返回值、左值引用、常量左值引用、右值引用。我在包装器(B
或C
)中使用它们,在func()
这些包装器的方法中,我想保留 of 的引用和 cvfunc()
限定符 A
。
在 c++11 中,我使用了尾随返回类型。但是随着 c++14 中正常返回类型推导的到来,我猜我可以跳过尾随部分,但只有使用auto
,返回类型会像普通一样忽略限定符和引用auto
。
然后,我的问题是在 c++14 中实现它的最佳方法是什么,它的行为就像B
下面的类?有时写尾随部分(通常是 decltype(return expression))是微不足道的。
struct A1 {
int func(){
return x;
}
int x{3};
};
struct A2 {
int& func(){
return x;
}
int x{3};
};
struct A3 {
const int& func(){
return x;
}
int x{3};
};
struct A4 {
int&& func(){
return std::move(x);
}
int x{3};
};
template <class A>
struct B{
auto func() -> decltype(std::declval<A>().func())
{
return a.func();
}
A a;
};
template <class A>
struct C{
auto func()
{
return a.func();
}
A a;
};
int main(){
std::cout << std::boolalpha;
B<A1> b1;
B<A2> b2;
B<A3> b3;
B<A4> b4;
static_assert(std::is_same<decltype(b1.func()), int>::value, "true");
static_assert(std::is_same<decltype(b2.func()), int&>::value, "true");
static_assert(std::is_same<decltype(b3.func()), const int&>::value, "true");
static_assert(std::is_same<decltype(b4.func()), int&&>::value, "true");
C<A1> c1;
C<A2> c2;
C<A3> c3;
C<A4> c4;
static_assert(std::is_same<decltype(c1.func()), int>::value, "true");
static_assert(std::is_same<decltype(c2.func()), int>::value, "true");
static_assert(std::is_same<decltype(c3.func()), int>::value, "true");
static_assert(std::is_same<decltype(c4.func()), int>::value, "true");
}
请注意,此程序在带有 -std=c++1y 选项的 gcc 4.8 中编译没有问题。