為了簡化程序的開發(fā),C++在基本庫的基礎上又提供了兩種對象庫,一種是string庫,專門用于處理可變長的字符串對象;另一種是vector,作為一個容器可以容納其他的對象。上述兩種庫對象都是連續(xù)存放的內(nèi)存模式。
關于string:
1. 使用string庫時當然要加入頭文件:#include <string>,當然命名空間要聲明為std;
2. 初始化方式:string s1; //默認構(gòu)造函數(shù),s1為空串
string s1("Hello");
string s2(s1);
string s1(n, 'c'); //將s1初始化為'c'的n個副本
3. s1.size()函數(shù)返回s1中的字符個數(shù);s1.empty()用來確認字符串是否為空;
4. 讀入字符串:一種是直接從標準輸入讀入:cin >> s1; //以空白字符(空格、換行、制表符)為分界,從第一個非空白字符讀入,再遇空白字符 //終止
另一種則是按行讀入:getline(cin, s1); //僅僅不讀換行符,并且以換行符為分界,開頭的空格也會讀入
5. 為了避免出錯,使用string類類型定義的配套類型string::size_type來表示涉及元素個數(shù)的變量和處理
6. string類對象可以拼接,類似于python,但是要求"+"兩邊必須至少有一個是string類對象
string類庫的基本操作:
對象初始化;
基本屬性:size和empty;
操作:添加新元素和訪問成員
特有操作:對象拼接
-
#include <iostream>
-
#include <string>
-
-
using namespace std;
-
-
int main()
-
{
-
string str("Hello\n"); //字面值常量初始化法將'\n'作為一個換行符計算
-
string::size_type size; //涉及到string長度/下標的變量必須使用string::size_type類型
-
cout << "str's size is :"
-
<< (size = str.size())<< endl;
-
cout << "str is :"
-
<<str;
-
cout <<"Initial test End..."<< endl;
-
cout <<endl<<endl<<endl;
-
cout <<"A new test..."<< endl;
-
-
cout <<"Please input three strings:..."<<endl;
-
string str1, str2, str3;
-
cin >> str1;
-
cin >> str2;
-
cin >> str3;
-
cout << "str1 + str2+ str3 :"
-
<<(str = str1 + str2 +str3)<<endl;
-
cout << "Now let's format the string..."<<endl;
-
cout <<str1 + " " + str2 + " " + str3 //string類型拼接符"+"必須與一個string類型相鄰
-
<<endl; //string::"+"返回一個string類型對象所以 string + " " + "haha" is OK too
-
//cout << "hello" + " "; 這樣寫會報錯,"+"兩側(cè)沒有string類型對象
-
//即:string::"+"兩側(cè)不能都是字符串常量!
-
system("pause");
-
return 0;
-
}
關于vector
1. vector是一個類模板,必須使用<>明確類型才成為一個具體的類類型,初始化同樣有四種方式:
vector<T> v1; //默認構(gòu)造函數(shù)v1為空
vector<T> v2(v1);
vector<T> v3(n, i); //包含n個值為i的元素
vetor<T> v4(n); //包含有值初始化元素的n個副本
2. vector的屬性操作:vector.size()和vector.empty(),當然長度/個數(shù)是vector對應的配套類型:vector<T>::size_type
3. 訪問vector元素可以借助于下標(同string),但是為了與其他容器一致起來(并非所有容器都可以使用下標訪問成員),我們建議使用迭代器來訪問成員。定義
vector<T> vec
vector<T> iterator iter = vec.begin(); //初始化一個迭代器指向vec的第一個元素
//當vector為空時,vec.begin() == vec.end()
*iter == vec[0]; //可以使用*iter來訪問成員,iter++即可向后訪問
4. vector對象只能用push_back()在后端添加成員,“=”僅僅用來為元素賦值
-
#include <iostream>
-
#include <vector>
-
-
using namespace std;
-
-
int main()
-
{
-
int num;
-
vector<int> vec;
-
while(cin >> num)
-
{
-
vec.push_back(num); //必須使用push_back()動態(tài)添加新元素
-
}
-
vector<int>::size_type size = vec.size();
-
cout << "vector's length is :" << size<<endl;
-
int sum = 0;
-
//試用下標來訪問vector中元素
-
for (vector<int>::size_type index = 0; index != size; index++)
-
{
-
cout << "The " <<index <<" element is " << vec[index]<<endl;
-
sum += vec[index];
-
}
-
cout << "The sum of integer is: "<< sum<<endl;
-
//迭代器版本
-
sum = 0;
-
vector<int>::iterator iter = vec.begin();
-
for (vector<int>::size_type index = 0; iter != vec.end(); iter++)
-
{
-
cout <<" The"<<index <<" element is "<< *iter<<endl;
-
sum += *iter;
-
}
-
cout << "The sum of integer is: "<< sum<<endl;
-
-
system("pause");
-
return 0;
-
-
}
|