如何重载运算符<<输出在模板中定义的向量?

时间:2016-03-07 01:15:57

标签: c++ templates c++11 operator-overloading

以下示例是我正在使用的模板的问题的提炼版本 - 请参阅下面的编译错误。

#include <iostream>
#include <vector>

template <class T> struct S
{
  typedef std::vector<T> SVec;
};

template <class T> std::ostream& operator<<(std::ostream& OS, const S<T>::SVec& X)
{
  for (const auto& e: X) OS << e << ' ';
  return OS;
}

int main()
{
  S<int>::SVec v;
  std::cout << v << std::endl;
}

编译器输出:

g++ -g -Wall -O4 -std=c++11 -c tc041.cpp
tc041.cpp:22:69: error: need ‘typename’ before ‘S<T>::SVec’ because ‘S<T>’ is a dependent scope
 template <class T> std::ostream& operator<<(std::ostream& OS, const S<T>::SVec& X)

等等 - 数百行。 我的编译器 - g ++ 5.2.1,OS - Xubuntu 4.2.0。

如何正确编译此运算符?

1 个答案:

答案 0 :(得分:3)

有两个问题:

  • 在运营商声明中缺少typename关键字。
  • main中的模板类型扣除失败。
template <class T>
std::ostream& operator<<(std::ostream& OS, const typename S<T>::SVec& X)

typename关键字应放在S<T>::SVec之前。由于语言规则,编译器不知道SVec是成员类型还是其他类型。 typename关键字用于告诉编译器它是一种类型。

有关语言规则的详细信息,请参阅:http://en.cppreference.com/w/cpp/language/dependent_name

(注意:我实际上对它不太确定,因为这种情况对我来说也是新的。)

我们来做一个实验。不要使用运算符语法调用operator<<,而是使用函数语法调用它。

operator<< (std::cout, v);

嗯,它仍然失败。

如果我们使用显式模板参数调用它会怎么样?

operator<< <int> (std::cout, v);

有效!嗯,实际上,可能会奏效。我发现一些标准库头可能包含干扰它的东西。但是我们把它放在一边。

此实验演示的问题是模板参数推断失败。无法推断出class-template-name<T>::member-type形式的参数类型。

详细信息:http://en.cppreference.com/w/cpp/language/template_argument_deduction