我正在尝试构建一个打印列表的运算符,
为什么不会ostream<< *它编译?
void operator<<(ostream& os, list<class T> &lst)
{
list<T>::iterator it;
for(it = lst.begin(); it!=lst.end(); it++)
{
os<<*it<<endl; //This row
}
}
答案 0 :(得分:3)
因为*it
没有实现流插入。也就是说,operator<<
没有超载ostream
和T
。请注意,您应该返回ostream& os
以允许操作员链接。您的函数模板定义也看起来不对。考虑这样做:
template< typename T >
ostream& operator<<(ostream& os, list<T> const& lst)
{
std::copy(
lst.begin(), lst.end()
, std::ostream_iterator< T >( os )
);
return os;
}
或更好的是,支持所有元素和特征的流:
template< typename Elem, typename Traits, typename T >
std::basic_ostream< Elem, Traits >& operator<<(
std::basic_ostream< Elem, Traits >& os
, std::list<T> const& lst
)
{
std::copy(
lst.begin(), lst.end()
, std::ostream_iterator< T >( os )
);
return os;
}
Adittionaly,您可以将分隔符传递给std::ostream_iterator
构造函数以插入每个元素之间。
*更新:*
我只是注意到即使你的函数模板声明是正确的,你也会处理一个依赖类型。迭代器依赖于类型T
,因此您需要告诉编译器:
typename list<T>::iterator it;
答案 1 :(得分:1)
我认为问题出在您的模板声明中。以下应编译并正常工作:
template <typename T>
void operator<<(ostream& os, list<typename T> &lst)
{
list<T>::iterator it;
for(it = lst.begin(); it!=lst.end(); it++)
{
os<<*it<<endl;
}
}
当然,我们提供了列表的元素类型实际上可以与<<
的{{1}}运算符一起使用。
答案 2 :(得分:1)
您使用的模板语法方式错误:
template<class T>
void operator<<(ostream& os, list<T> &lst)
{
list<T>::iterator it;
for(it = lst.begin(); it!=lst.end(); it++)
{
os<<*it<<endl; //This row
}
}
顺便说一下,你应该返回对流的引用以允许链接输出操作符,列表应该是const,你也可以使用标准库来执行输出循环:
template<class T>
std::ostream& operator<<(std::ostream& os, const std::list<T> &lst)
{
std::copy(lst.begin(), lst.end(), std::ostream_iterator<T>(os, "\n"));
return os;
}
答案 3 :(得分:-1)
重写为:
template<class T>
ostream& operator<<(ostream& os, list<T>& lst){
typename list<T>::iterator it;
for(it = lst.begin(); it != lst.end(); ++it){
os << *it << endl;
}
return os;
}