1

我试图理解为什么包含 iosfwd 会导致包含标准字符串的输出流不起作用。

// hc_list.h file
#ifndef HC_LIST_H
#define HC_LIST_H

#include <cstdlib>
#include <iosfwd> // including this file makes the output operator throw errors
#include <list>

template <typename T>
class hcList
{
    private:
    std::list<T> selfList ; // a single internal STL list to hold the values

    public:
    hcList(void) {} ;
    ~hcList(void){} ;
    template <typename U> friend std::ostream& operator<<(std::ostream &, const hcList<U> &) ;
} ;

template <typename U>
std::ostream& operator<<(std::ostream &out, const hcList<U> &outList)
{
    out << "test" << std::endl ; // this line throws two errors, stated below
    return out ;
}
#endif // HC_LIST_H

此代码包含在 main.cpp 文件中,其中 main 函数如下:

// main.cpp file
#include <iostream>
#include "hc_list.h"
int main()
{
    std::cout << "Begin Test" << std::endl;
    return 0;
}

为了实际使用此代码并生成错误,需要一个包含列表头文件的空 cpp 文件。

// anyNamedFile.cpp file
#include "hc_list.h"

当我尝试编译时,我收到以下错误:

error: no match for 'operator<<' in 'out<< "test"'
error: 'endl' is not a part of 'std'

是什么导致 std 命名空间被搞砸并且不再允许我输出字符串?

4

1 回答 1

3

你这里有两个问题。第一个问题是您正在使用std::endl,但在 中定义<ostream>,不包括在内。

第二个问题是您只包含 header <iosfwd>,它转发声明了许多 iostream 类型。前向声明让编译器知道类型存在。但是,您正在尝试使用这些类型的功能。既然你这样做了,你应该包括<ostream>,而不是<iosfwd><ostream>contains std::endl,所以应该照顾一切。

于 2012-05-12T17:02:59.880 回答