C++基礎 為什麽不能cout一個string
阿新 • • 發佈:2019-01-29
its 錯誤 lock down 一個 試圖 error oem pretty
)都包含 卻定義在
所以,我們只需包含
為什麽不能cout一個string
#include<iostream>
int main(int, char**)
{
std::string str("hello"); // 正確
std::cout << str << std::endl;
// 錯誤,沒有與這些操作數(operand,std::string)相匹配的"<<"運算符
return 0;
}
- 1
- 2
- 3
- 4
- 5
- 6
- 7
- 8
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類型其實一個類模板的特化版本的類型重定義
- 1
- 2
- 3
然而,問題在於與之相關的operator<<
<string>
頭文件,你必須手動地將之包含。 所以,我們只需包含
<string>
(也即對operator<<
的包含)即可實現cout
對std::string
類型的輸出:
#include <iostream>
#include <string>
int main(int, char**)
{
std::string str("hello");
std::cout << str << std::endl;
return 0;
}
- 1
- 2
- 3
- 4
- 5
- 6
- 7
- 8
以上的設置僅對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;
}
- 1
- 2
- 3
- 4
- 5
- 6
- 7
- 8
- 9
- 10
查看源碼可知:
// iosfwd -> 被間接地包含在<iostream>中
typedef basic_ostringstream<char, char_traits<char>,
allocator<char> > ostringstream;
// xstring -> 被間接地包含在<iostream>中
typedef basic_string<char, char_traits<char>, allocator<char> >
string;
- 1
- 2
- 3
- 4
- 5
- 6
- 7
僅通過對<iostream>文件的包含,我們即可使用string
和ostringstream
等類,然而當我們想使用其成員函數時,需要包含其最終的實現版。
#include <sstream>
- 1
- 2
再分享一下我老師大神的人工智能教程吧。零基礎!通俗易懂!風趣幽默!還帶黃段子!希望你也加入到我們人工智能的隊伍中來!https://blog.csdn.net/jiangjunshow
C++基礎 為什麽不能cout一個string