1. scanf函数
scanf()可以接收多种格式的数据,遇到回车,tab,空格时,输入结束;
scanf()保留回车符号,当连续两次调用scanf时,会直接读入上一次结束scanf时的回车符号“\n” (0x0a); 没有将回车键屏蔽
#include #include #include #include
using namespacestd;
int main(int argc, char**argv)
{
char buf[100];
scanf("%s", buf);
printf("first input:%s\n", buf);
charret;
scanf("%c", &ret);
printf("second input:0x%x\n", ret);
return 0;
}
执行后:
test
first input:test
second input:0xa
再次scanf的时候,读取出来一个回车符('\n')(0x0a);
当输入字符串中带有空格时:
test space //输入带有空格的字符串
first input:test
second input:space
此时只提示输入一次,第二次执行scanf时候,直接读取空格之后的字符串;
2.gets()
函数原型:char *gets(char *string)
1.和scanf类似,但是遇到空格、Tab时,不会结束写入,仅当遇到回车时结束写入;
2.将回车键屏蔽,再次调用scanf函数时,不会读取到回车键
#include #include #include #include
using namespacestd;
int main(int argc, char**argv)
{
char buf[100];
gets(buf);
printf("first input:%s\n", buf);
chartest;
scanf("%c", &test);
printf("second input:0x%x\n", test);
return 0;
}
运行结果:
tttt //键入无空格字符串
first input:tttt
yyyyy
second input:0x79 //此时不是0x0a,表示再次读取到的字符不是回车符,second input:y
键入带有空格的字符串运行结果:
tttt yyyy //键入有空格的字符串
first input:tttt yyyy //打印正常
uuuuuu
second input:0x75 //由于gets屏蔽了回车键,导致这里获取的不是"\n"second input:u
3.getchar()
仅仅返回键入的第一个字符,不会屏蔽回车符;
键入字符大于1时,再次获取时,会继续读取剩余的字符;
#include #include #include #include
using namespacestd;
int main(int argc, char**argv)
{
chartest;
test =getchar();
printf("first input:%c\n", test);
test =getchar();
printf("second input:0x%x\n", test);
return 0;
}
键入一个字符,执行结果:
t //键入一个字符,再次getchar时,读入到的是回车符;
first input:t
second input:0xa
键入多个字符时,执行结果:
tyt
first input:t
second input:0x79 //键入多个字符时,再次getchar时,直接读入剩余的字符;second input:y
以上是C语言中的输入函数;
----------------------------------------以下是C++键入函数----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------
1. cin
和scanf一样,遇到空格,Tab,回车都结束;