为什么不能cout一个string?

为什么不能cout一个string

#include
int main(int, char**)
{
    std::string str("hello");    // 正确
    std::cout << str << std::endl;
    // 错误,没有与这些操作数(operand,std::string)相匹配的"<<"运算符
    return 0;
}

cout竟然不能输出string类型,这太令人诧异了?究其原因,STL中的许多头文件(这其中就包括,Visual C++环境下)都包含std::basic_string类的定义式,因为它们都间接地包含了(但不要试图直接包含)就可使用std::string类,

typedef basic_string, allocator >
    string;         
    // string类型其实一个类模板的特化版本的类型重定义

然而,问题在于与之相关的operator<<却定义在头文件,你必须手动地将之包含。 
所以,我们只需包含(也即对operator<<的包含)即可实现cout对std::string类型的输出:

#include 
#include 
int main(int, char**)
{
    std::string str("hello");
    std::cout << str << std::endl;
    return 0;
}


  以上的设置仅对Visual C++环境有效,也即在大多数的STL的头文件中,都包含了std::basic_string的定义式,仅通过对这些头文件的包含即可使用std::string类,而想使用operator<<却需手动包含头文件。在重申一遍,这些包含和依赖关系仅对Visual C++环境有效。


ostringstram 声明与定义

同样的问题出现在将一个string类型的输入到一个输出文件流时:

#include 
#include 
int main(int, char**)
{
    std::string str("hello world");
    std::ostringstream oss;   // ERROR: 不允许使用不完整的类型
    oss << str;     // 
    std::cout << oss.str() << endl;
    return 0;
}

查看源码可知:

// iosfwd -> 被间接地包含在中
typedef basic_ostringstream,
    allocator > ostringstream;

// xstring -> 被间接地包含在中
typedef basic_string,           allocator >
    string;

仅通过对文件的包含,我们即可使用string和ostringstream等类,然而当我们想使用其成员函数时,需要包含其最终的实现版。

#include 


原文链接:https://blog.csdn.net/lanchunhui/article/details/49757713

你可能感兴趣的:(STL)