为什么reference_wrapper对内置类型的行为有所不同?

时间:2015-12-07 22:16:33

标签: c++11 iostream built-in user-defined-types reference-wrapper

对于类型(std::reference_wrapper)的构建和用户定义的类型(double),我使用了std::string

为什么它们在流运算符的情况下表现不同?

#include<functional> //reference wrapper
#include<iostream>

void fd(double& d){}
void fs(std::string& s){}

int main(){

   double D = 5.;
   std::reference_wrapper<double> DR(D);
   std::cout << "DR = " << DR << std::endl; //ok 
   fd(DR); // ok

   std::string S = "hello";
   std::reference_wrapper<std::string> SR(S);
   std::cout << "SR = " << static_cast<std::string&>(SR) << std::endl; // ok
   std::cout << "SR = " << SR << std::endl; // error: invalid operands to binary expression ('basic_ostream<char, std::char_traits<char> >' and 'std::reference_wrapper<std::string>')
   fs(SR); // ok 
}

http://coliru.stacked-crooked.com/a/fc4c614d6b7da690

为什么在第一种情况下DR被转换为double并打印,而在第二种情况下它不是?有工作吗?

好的,我现在看到,在ostream情况下,我试图调用一个未解决的模板化函数:

#include<functional> //reference wrapper

void double_fun(double const& t){};

template<class C>
void string_fun(std::basic_string<C> const& t){};


int main(){

   double D = 5.;
   std::reference_wrapper<double> DR(D);
   double_fun(DR); //ok

   std::string S = "hello";
   std::reference_wrapper<std::string> SR(S);
   string_fun(SR); // error: no matching function for call to 'string_fun'
   string_fun(SR.get()); // ok
   string_fun(static_cast<std::string&>(SR)); // ok
   string_fun(*&SR); // would be ok if `std::reference_wrapper` was designed/coded differently, see http://stackoverflow.com/a/34144470/225186
}

1 个答案:

答案 0 :(得分:2)

对于第一部分,TC给了你答案。即,运营商&lt;&lt;对于basic_string是模板化的,模板参数推导不会通过隐式转换进行查看。

如果您不想明确地SR.get()参考包装,也可以致电static_cast

现在对于第二部分,string_fun将输入参数作为std::basic_string<C>个对象。当你打电话:

string_fun(SR);

SR作为输入参数,类型为std::reference_wrapper<std::string>,自然会出现类型不匹配。

您可以做的是提供额外的过载:

template<class C>
void string_fun(std::reference_wrapper<std::basic_string<C>> const& t) {

};

Live Demo

或者如果你想要一个更统一的处理方法,你可以定义你的string_fun来获取模板模板参数,然后使用某种类型的trait magic来解析类型,如下:

template<template<typename...> class C, typename T>
void
string_fun(C<T> const &t) {
  std::cout << 
    static_cast<std::conditional_t<
      std::is_same<
        std::reference_wrapper<T>, C<T>>::value, T, std::basic_string<T>>>(t) << std::endl;
}

Live Demo