【C++】輸入流物件cin讀取輸入流的三種方式
阿新 • • 發佈:2019-02-04
輸入流物件cin讀取輸入流的三種方式
cin 輸入流物件有三種讀取控制檯輸入的方法。
分別為:
- 使用“>>”運算子,這種方法只能讀取單個單詞,cin使用空白(空格、製表符和換行符)來確定字串的結束位置
- 使用getline()成員函式,getline()方法面向行的輸入,它使用通過回車鍵輸入的換行符來確定輸入結尾,但是getline()方法並不儲存換行符,在儲存字串時,它用空字元來替換換行符
- 使用get()成員函式,get()方法也是面向行的輸入,它和getline()接受的引數相同,解釋引數的方式也相同,並且都讀取到行尾。但是get()不再讀取並丟棄換行符,而是將其保留在輸入佇列中
以下是程式例項
1、利用">>"
運算子來讀取字串:
//instr1.cpp -- reading more than one string
#include <iostream>
int main()
{
using namespace std;
const int Arsize = 20;
char name[Arsize];
char dessert[Arsize];
cout << "Enter your name:\n";
cin >> name;
cout << "Enter your favorite dessert:\n" ;
cin >> dessert;
cout << "I have some delicious " << dessert;
cout << " for you, " << name << ".\n";
return 0;
}
- 1
- 2
- 3
- 4
- 5
- 6
- 7
- 8
- 9
- 10
- 11
- 12
- 13
- 14
- 15
- 16
- 17
程式執行情況為:
Enter your name:
River He
Enter your favorite dessert:
I have some delicious He for you, River.
- 1
- 2
- 3
- 4
- 5
2、利用成員函式getline()
//instr2.cp -- reading more than one word with getline
#include <iostream>
int main()
{
using namespace std;
const int Arsize = 20;
char name[Arsize];
char dessert[Arsize];
cout << "Enter your name:\n";
cin.getline(name, Arsize); //reads through newline
cout << "Enter your favourite desset:\n";
cin.getline(dessert, Arsize);
cout << "I have some delicious " << dessert;
cout << " for you, " << name << ".\n";
return 0;
}
- 1
- 2
- 3
- 4
- 5
- 6
- 7
- 8
- 9
- 10
- 11
- 12
- 13
- 14
- 15
- 16
- 17
程式執行情況為:
Enter your name:
River He
Enter your favorite dessert:
Chocolate Mouse
I have soem delicious Chocolater Mouse for you, River He.
- 1
- 2
- 3
- 4
- 5
- 6
3、利用成員函式get()
來讀取字串:
//instr3.cpp -- reading more than one word with get() & get()
#include <iostream>
int main()
{
using namespace std;
const int Arsize = 20;
char name[Arsize];
char dessert[Arsize];
cout << "Enter your name:\n";
cin.get(name, Arsize).get(); //read string, newline
cout << "Enter your favourite dessert:\n";
cin.get(dessert, Arsize).get();
cout << "I have soem delicious " << dessert;
cout << " for you, " << name << ".\n";
return 0;
}
- 1
- 2
- 3
- 4
- 5
- 6
- 7
- 8
- 9
- 10
- 11
- 12
- 13
- 14
- 15
- 16
- 17
程式執行情況為:
Enter your name:
River He
Enter your favorite dessert:
Chocolate Mouse
I have soem delicious Chocolater Mouse for you, River He.
- 1
- 2
- 3
- 4
- 5
- 6
以上例項來源於“C++ Primer Plus”,三個例子分別呈現了三種方法的特點,例項1,是由於“>>”遇到空格符後就結束讀取,分別將River和He存取到了name和dessert變數中,而例項2中,getline()方法是根據換行符確定讀取結束的,所以輸出符合預期。而例項3中,由於前一行輸入滯留了換行符,會導致第二次讀取時直接結束,因此採用了這樣一種方式:
cin.get(name, ArSize).get()
第一個get()讀取了輸入字串到name,第二個讀取了換行符,相當於清空了輸入佇列,為下次讀取做準備。因此,我們可以使用這樣一種方式去讀取字串。
所以在實際使用過程中,要根據輸入流的特點正確選擇輸入流,而getline()和get()的區別在於,get()是輸入更加仔細,如何知道停止讀取的原因是由於已經讀取了整行,而不是由於陣列已經填滿呢?檢視下一個輸入字元,如果是換行符,說明讀取了整行;否則,說明該行中還有其他輸入。
轉自:http://blog.csdn.net/hc1025808587/article/details/51180335