多行字符串输入的接收问题

  1. 如果使用scanf("%s",c)的话,之后使用getchar会得到一个换行符(不是回车符),所以要得到下一行输入,首先要用getcchar先将换行符拿掉。
#include
#include
using namespace std;
int main()
{
	char c[100],b;
	scanf("%s",c);
	b = getchar();	// 用于接受换行符
	cout<<(int)(b)<<endl;	//输出为10,查ascii码就是换行符
	b = getchar();
	cout<<(int)(b - 's')<<endl;
	return 0;
}
/*
input 
hsdajkfhasjfhasj
sbjfah

output
10
0
*/
  1. gets由于安全性现在不常用了,但是可以使用fgets接收多行输入输出!
    fgets()原型为
#include 
char *fgets(char *s, int size, FILE *stream);

它的功能是从 stream 流中读取 size 个字符存储到字符指针变量 s 所指向的内存空间。它的返回值是一个指针,指向字符串中第一个字符的地址。

其中:s 代表要保存到的内存空间的首地址,可以是字符数组名,也可以是指向字符数组的字符指针变量名。size 代表的是读取字符串的长度。stream 表示从何种流中读取,可以是标准输入流 stdin,也可以是文件流,即从某个文件中读取,标准输入流就是前面讲的输入缓冲区。所以如果是从键盘读取数据的话就是从输入缓冲区中读取数据,即从标准输入流 stdin 中读取数据,所以第三个参数为 stdin。

接收键盘多行输入的写法自然就是
fgets(c,100,stdin);注意后面的stdin表示的是标准输入!

while(fgets(c,100,stdin)!=NULL)就可以接受多行输入输出

#include
#include
#include
using namespace std;
int main()
{
	char c[100],b;
	while(fgets(c,100,stdin) != NULL){
		printf("%s",c);
	}
}
/*
input 
hsdajkfhasjfhasj
sbjfah

output 
hsdajkfhasjfhasj
sbjfah
*/

参考自:
【1】 c.biancheng.net/view/235.html
【2】https://blog.csdn.net/zjy1364503349/article/details/53858103

你可能感兴趣的:(acm,c++,c++)