c語言獲取使用者輸入字串是scanf和gets的區別
阿新 • • 發佈:2019-01-22
解釋
gets(s)函式與 scanf("%s",&s) 相似,但不完全相同,使用scanf("%s",&s) 函式輸入字串時存在一個問題,就是如果輸入了空格會認為字串結束,空格後的字元將作為下一個輸入項處理,但gets()函式將接收輸入的整個字串直到遇到換行為止。
1.scanf()
所在標頭檔案:stdio.h
語法:scanf("格式控制字串",變數地址列表);
接受字串時:scanf("%s",字元陣列名或指標);
2.gets()
所在標頭檔案:stdio.h
語法:gets(字元陣列名或指標);
兩者在接受字串時:
1.不同點:
scanf不能接受空格、製表符Tab、回車等;
而gets能夠接受空格、製表符Tab和回車等;
2.相同點:
字串接受結束後自動加'\0'。
例1:
#include <stdio.h>
int main()
{
char ch1[10],ch2[10];
scanf("%s",ch1);
gets(ch2);
return 0;
}
依次鍵入asd空格fg回車,asd空格fg回車,則ch1="asd\0",ch2="asd fg\0"。
程式2:
#include <stdio.h>
int main()
{
char str1[20], str2[20];
scanf("%s",str1);
printf("%s\n",str1);
scanf
printf("%s\n",str2);
return 0;
}
程式的功能是讀入一個字串輸出,再讀入一個字串輸出。可我們會發現輸入的字串中不能出現空格,例如:
測試一輸入:
Hello word(enter)
輸出:
Hello
world! 程式3:
#include <stdio.h>
int main()
{
char str1[20], str2[20];
gets(str1);
printf("%s\n",str1);
gets(str2);
printf("%s\n",str2);
return 0;
}
測試:
Helloworld! [輸入]
Helloworld
12345 [輸入]
12345 [輸出]
【分析】顯然與上一個程式的執行情況不同,這次程式執行了兩次從鍵盤的讀入,而且第一個字串取了Helloworld! 接受了空格符,而沒有像上一個程式那樣分成了兩個字串!所以如果要讀入一個帶空格符的字串時因該用gets(), 而不宜用scanf()!