標准庫類型--pair類型定義在utility頭文件中定義
本文地址:http://www.cnblogs.com/archimedes/p/cpp-pair.html,轉載請注明源地址。
pair包含兩個數值,與容器一樣,pair也是一種模板類型。但是又與之前介紹的容器不同,在創建pair對象時,必須提供兩個類型名,兩個對應的類型名的類型不必相同
pair<string,string>anon; pair<string,int>word_count; pair<string, vector<int> >line;
當然也可以在定義時為每個成員提供初始化式:
pair<string,string>author("James","Joy");
pair類型的使用相當的繁瑣,如果定義多個相同的pair類型對象,可以使用typedef簡化聲明:
typedef pair<string,string> Author; Author proust("March","Proust"); Author Joy("James","Joy");
對於pair類,可以直接訪問其數據成員:其成員都是公有的,分別命名為first和second,只需要使用普通的點操作符
string firstBook; if(author.first=="James" && author.second=="Joy") firstBook="Stephen Hero";
除了構造函數,標准庫還定義了一個make_pair函數,由傳遞給它的兩個實參生成一個新的pair對象
pair<string, string> next_auth; string first,last; while(cin>>first>>last) { next_auth=make_pair(first,last); //... }
還可以用下列等價的更復雜的操作:
next_auth=pair<string,string>(first,last);
由於pair的數據成員是公有的,因而可如下直接地讀取輸入:
pair<string, string> next_auth; while(cin>>next_auth.first>>next_auth.last) { //... }
練習:編寫程序讀入一系列string和int型數據,將每一組存儲在一個pair對象中,然後將這些pair對象存儲在vector容器
#include<iostream> #include<string> #include<vector> #include<utility> using namespace std; int main() { pair<string, int>p; typedef vector< pair<string, int> > VP; VP vp; while(cin>>p.first>>p.second) { vp.push_back(make_pair(p.first,p.second)); } VP::iterator it; for(it=vp.begin(); it!=vp.end(); it++) cout<<it->first<<","<<it->second<<endl; return 0; }