无法将左值绑定到A <cv2>&amp;&amp;

时间:2016-11-15 20:50:53

标签: c++ const universal-reference

我认为通用引用(T&&)应该采用任何形式的引用。但以下情况不起作用。

当我尝试在我正在编写的库中进行const-correct时,我遇到了这个问题。我是C ++的新手,之前没有见过这样的东西。

TEST.CPP:

enum Cv_qualifier {
    constant,
    non_const
};
template <Cv_qualifier Cv> class A;
template<>
class A<Cv_qualifier::constant> {
public:
    template<Cv_qualifier Cv2> 
    void t(const A<Cv2>&& out) {}
};

template <>
class A<Cv_qualifier::non_const> {
public:
    template<Cv_qualifier Cv2> 
    void t(const A<Cv2>&& out) {}
};

int main()
{
    A<Cv_qualifier::non_const> a;
    A<Cv_qualifier::constant> b;
    a.t(b);
}

错误(使用g++ test.cpp -std=c++11编译):

test.cpp: In function ‘int main()’:
test.cpp:24:10: error: cannot bind ‘A<(Cv_qualifier)0u>’ lvalue to ‘const A<(Cv_qualifier)0u>&&’
     a.t(b);
          ^
test.cpp:17:10: note:   initializing argument 1 of ‘void A<(Cv_qualifier)1u>::t(const A<Cv2>&&) [with Cv_qualifier Cv2 = (Cv_qualifier)0u]’
     void t(const A<Cv2>&& out) {}
          ^

顺便说一句,在实际程序中,class A不拥有任何实际数据,并包含对实际持有数据的另一个类的引用。我希望这意味着当我允许t的成员函数class A接受临时对象时,我不会不断创建间接/复制数据。

1 个答案:

答案 0 :(得分:5)

通用引用或转发引用仅因参考折叠而发生。它的工作原理如下:

T&& & -> T&
T& && -> T&
T&& && -> T&&

这样,当您在模板函数中收到T&&时,根据T的类型,右值引用可以折叠为其他类型的引用。在任何其他情况下,当崩溃发生时,SomeType&&将保留SomeType&&并且将成为左值参考。

话虽如此,如果您希望您的功能支持转发,您可以这样做:

template <Cv_qualifier Cv> struct A;

template<>
struct A<Cv_qualifier::constant> {
    template<typename T> 
    void t(T&& out) {}
};

template <>
struct A<Cv_qualifier::non_const> {
    template<typename T> 
    void t(T&& out) {}
};

确实,现在崩溃发生了。如果您想从Cv_qualifier中提取T值,您可以使自己成为一个类型特征:

template<typename>
struct CvValue;

template<Cv_qualifier cv>
struct CvValue<A<cv>> {
    constexpr static Cv_qualifier value = cv;
};

然后,在你的函数t中,你可以这样做:

//                   v----- This is a good practice to apply a constraint
template<typename T, std::void_t<decltype(CvValue<std::decay_t<T>>::value)>* = 0> 
auto t(T&& out) {
    constexpr auto cv = CvValue<std::decay_t<T>>::value;

    // do whatever you want with cv
}

如果你不能使用C ++ 17 std::void_t,你可以像这样实现它:

template<typename...>
using void_t = void;

但是,如果您只想测试T是否为A<...>,请使用此选项:

template<typename>
struct is_A : std::false_type {};

template<Cv_qualifier cv>
struct is_A<A<cv>> : std::true_type {};

不要忘记,将其与std::decay_t

一起使用
template<typename T, std::enable_if_t<std::is_A<std::decay_t<T>>::value>* = 0> 
void t(T&& out) {}