6

从Using SFINAE to check for global operator<<? 中收集信息 和模板, decltype 和 non-classtypes,我得到以下代码:

http://ideone.com/sEQc87

基本上,我将两个问题的代码结合起来,print如果有ostream声明就调用函数,否则就调用to_string方法。

取自问题 1

namespace has_insertion_operator_impl {
  typedef char no;
  typedef char yes[2];

  struct any_t {
    template<typename T> any_t( T const& );
  };

  no operator<<( std::ostream const&, any_t const& );

  yes& test( std::ostream& );
  no test( no );

  template<typename T>
  struct has_insertion_operator {
    static std::ostream &s;
    static T const &t;
    static bool const value = sizeof( test(s << t) ) == sizeof( yes );
  };
}

template<typename T>
struct has_insertion_operator :
  has_insertion_operator_impl::has_insertion_operator<T> {
};

取自问题 2

template <typename T>
typename std::enable_if<has_insertion_operator<T>::value, T>::type
print(T obj) {
    std::cout << "from print()" << std::endl;
}

template <typename T>
typename std::enable_if<!has_insertion_operator<T>::value, T>::type
print(T obj) {
    std::cout << obj.to_string() << std::endl;
}

然后我的课是这样的:

struct Foo
{
public:
    friend std::ostream& operator<<(std::ostream & os, Foo const& foo);
};

struct Bar
{
public:
    std::string to_string() const
    {
        return "from to_string()";
    }
};

并测试输出:

int main()
{
    print<Foo>(Foo());
    print<Bar>(Bar());

    //print<Bar>(Foo()); doesn't compile
    //print<Foo>(Bar()); doesn't compile

    print(Foo());
    print(Bar());

    print(42);
    print('a');
    //print(std::string("Hi")); seg-fault
    //print("Hey");
    //print({1, 2, 3}); doesn't compile
    return 0;
}

print(std::string("Hi"));线路段故障。谁能告诉我为什么?

4

1 回答 1

7

您的两个函数print()都应该返回一些东西,但什么都不返回(与您链接的问答中的版本不同)。这是 C++11 标准第 6.6.3/2 段中未定义的行为。

如果print()不应该返回任何东西,让它返回void,并将 SFINAE 约束放在模板参数列表中:

template <typename T,
    typename std::enable_if<
        has_insertion_operator<T>::value, T>::type* = nullptr>
void print(T obj) {
    std::cout << "from print()" << std::endl;
}

template <typename T,
    typename std::enable_if<
        !has_insertion_operator<T>::value, T>::type* = nullptr>
void print(T obj) {
    std::cout << obj.to_string() << std::endl;
}

这是一个包含上述更改的实时示例。

如果您使用 C++03 并且无法为函数模板参数指定默认参数,只需避免将类型指定为 的第二个模板参数std::enable_if,或指定void

template <typename T>
typename std::enable_if<has_insertion_operator<T>::value>::type
print(T obj) {
    std::cout << "from print()" << std::endl;
}

template <typename T>
typename std::enable_if<!has_insertion_operator<T>::value>::type
print(T obj) {
    std::cout << obj.to_string() << std::endl;
}
于 2013-05-13T18:41:24.150 回答