天天看點

cin、cin.get()、cin.getline()、getline()函數的用法1、cin>>2、cin.get()3、cin.getline() 4、getline()5、gets_s()

1、cin>>

用法1:最基本,也是最常用的用法,輸入一個數字:

#include<iostream> 
using namespace std;
void main()
{
    int a, b;
    cin >> a >> b;
    cout << a + b << endl;
    system("pause");
}
           

鍵入:2【空格】3

輸出:5

提取運算符“>>” 是會過濾掉不可見字元(如 空格 回車,TAB 等)

cin>>noskipws>>input[j];//不想略過空白字元,那就使用 noskipws 流控制

用法2:接受一個字元串,遇“空格”、“TAB”、“回車”都結束

#include<iostream> 
using namespace std;
void main()
{
    char a[];
    cin >> a;
    cout << a << endl;
    system("pause");
}
           

鍵入:this is a book

輸出:this

2、cin.get()

用法1: cin.get(字元變量名)可以用來接收字元

#include<iostream> 
using namespace std;
void main()
{
    char ch;
    ch = cin.get();//或者cin.get(ch);
    cout << ch << endl;
    system("pause");
}
           

輸入:abc

輸出:a

cin.get(字元型變量);

字元型變量=cin.get();

該語句一次隻能從輸入行中取出一個字元。

用法2:cin.get(字元數組名,接收字元數目)用來接收一行字元串,可以接收空格

#include<iostream> 
using namespace std;
void main()
{
    char ch[];
    cin.get(ch,);
    cout << ch << endl;
    system("pause");
}
           

輸入:abcdefgh

輸出:abcdefg(+’\0’)

3、cin.getline()

cin.getline(數組名,數組最大字元個數)

//接受一個字元串,可以接收空格并輸出

#include<iostream> 
using namespace std;
void main()
{
    char ch[];
    cin.getline(ch,);
    cout << ch << endl;
    system("pause");
}
           

輸入:abcdefgh

輸出:abcdefg(+’\0’)

cin.getline()實際上有三個參數,cin.getline(數組名,數組最大字元個數,結束字元)

//當第三個參數省略時,系統預設為’\0’

//如果将例子中cin.getline()改為cin.getline(ch,8,’d’);當輸入abcdefgh時輸出abc

當用在多元數組中的時候,也可以用cin.getline(m[i],20)之類的用法:

#include<iostream> 
#include<string> 
using namespace std;

main () 
{ 
char m[][]; 
for(int i=;i<;i++) 
{ 
cout<<"\n請輸入第"<<i+<<"個字元串:"<<endl; 
cin.getline(m[i],); 
}

cout<<endl; 
for(int j=;j<;j++) 
cout<<"輸出m["<<j<<"]的值:"<<m[j]<<endl;
}
           

請輸入第1個字元串:

kskr1

請輸入第2個字元串:

kskr2

請輸入第3個字元串:

kskr3

輸出m[0]的值:kskr1

輸出m[1]的值:kskr2

輸出m[2]的值:kskr3

4、getline()

// 接受一個字元串,可以接收空格并輸出,需包含“#include< string>”

#include<iostream> 
#include<string> 
using namespace std; 
main () 
{ 
string str; 
getline(cin,str); 
cout<<str<<endl; 
}
           

輸入:life is wonderful

輸出:life is wonderful

和cin.getline()類似,但是cin.getline()屬于istream流,而getline()屬于string流,是不一樣的兩個函數

5、gets_s()

// 接受一個字元串,可以接收空格并輸出,需包含“#include< string>”

#include<iostream> 
#include<string> 
using namespace std;
void main()
{
    char m[];
    gets_s(m);                       //不能寫成m=gets(); 
    cout << m << endl;
    system("pause");
}
           

輸入:jkljkljkl

輸出:jkljkljkl

輸入:jkl jkl jkl

輸出:jkl jkl jkl

輸入:abcdefghijklmnopqrst

error: buffer is not enough

輸入:abcdefghijklmnopqrs

輸出:abcdefghijklmnopqrs

繼續閱讀