3.3 使用string對象
無論是編寫完整的字謎游戲還是簡單地存儲玩家名字,第1章簡單介紹過的string對象都非常適合于處理這樣的字符序列。string實際上是對象,它提供的成員函數(shù)允許用string對象完成一系列任務(wù),從簡單地獲取對象長度到復雜的字符替換等等。另外,string的定義方式使它可以直觀地與已知的一些運算符一起使用。
3.3.1 String Tester程序簡介
String Tester程序使用了一個等于"Game Over!!!"的字符串,并報告它的長度、每個字符的索引(位置序號)以及是否存在特定的子字符串。另外,程序還將該string對象的部分內(nèi)容擦除。該程序的運行結(jié)果如圖3-3所示。
圖3-3 通過常見的運算符和string成員函數(shù)可以對string對象進行組合、修改和擦除操作
從Course Technology網(wǎng)站(www.courseptr.com/downloads)或本書合作網(wǎng)站(http://www. tupwk.com.cn/downpage)上可以下載到該程序的代碼。程序位于Chapter 3文件夾中,文件名為string_tester.cpp。
// String Tester
// Demonstrates string objects
#include <iostream>
#include <string>
using namespace std;
int main()
{
string word1 = "Game";
string word2("Over");
string word3(3, '!');
string phrase = word1 + " " + word2 + word3;
cout << "The phrase is: " << phrase << "\n\n";
cout << "The phrase has " << phrase.size() << " characters in it.\n\n";
cout << "The character at position 0 is: " << phrase[0] << "\n\n";
cout << "Changing the character at position 0.\n";
phrase[0] = 'L';
cout << "The phrase is now: " << phrase << "\n\n";
for (unsigned int i = 0; i < phrase.size(); ++i)
{
cout << "Character at position " << i << " is: " << phrase[i] << endl;
}
cout << "\nThe sequence 'Over' begins at location ";
cout << phrase.find("Over") << endl;
if (phrase.find("eggplant") == string::npos)
{
cout << "'eggplant' is not in the phrase.\n\n";
}
phrase.erase(4, 5);
cout << "The phrase is now: " << phrase << endl;
phrase.erase(4);
cout << "The phrase is now: " << phrase << endl;
phrase.erase();
cout << "The phrase is now: " << phrase << endl;
if (phrase.empty())
{
cout << "\nThe phrase is no more.\n";
}
return 0;
}