C++基礎::為什麼不能cout一個string?

Inside_Zhang發表於2015-11-10

為什麼不能cout一個string

#include<iostream>
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類的定義式,因為它們都間接地包含了<xstring>(但不要試圖直接包含<xstring),這就保證了你可以僅include這些標頭檔案(如本例的#include <iostream>)就可使用std::string類,

typedef basic_string<char, char_traits<char>, allocator<char> >
    string;         
    // string型別其實一個類别範本的特化版本的型別重定義

然而,問題在於與之相關的operator<<卻定義在<string>標頭檔案,你必須手動地將之包含。
所以,我們只需包含<string>(也即對operator<<的包含)即可實現coutstd::string型別的輸出:

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

以上的設定僅對Visual C++環境有效,也即在大多數的STL的標頭檔案中,都包含了std::basic_string的定義式,僅通過對這些標頭檔案的包含即可使用std::string類,而想使用operator<<卻需手動包含<string>標頭檔案。在重申一遍,這些包含和依賴關係僅對Visual C++環境有效。

ostringstram 宣告與定義

同樣的問題出現在將一個string型別的輸入到一個輸出檔案流時:

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

檢視原始碼可知:

// iosfwd -> 被間接地包含在<iostream>中
typedef basic_ostringstream<char, char_traits<char>,
    allocator<char> > ostringstream;

// xstring -> 被間接地包含在<iostream>中
typedef basic_string<char, char_traits<char>,           allocator<char> >
    string;

僅通過對<iostream>檔案的包含,我們即可使用stringostringstream等類,然而當我們想使用其成員函式時,需要包含其最終的實現版。

#include <sstream>

相關文章