当我超过第一个 getline() 的输入数组大小时,第二个 getline 或其他输入函数不起作用

second getline or other input functions doesnt work when i exceed the array size in input for first getline()

#include <iostream> 
#include <string.h>
#include<stdio.h>
using namespace std;

int main() 
{
char d,a[9],e[9];

cin.getline(a,9);
cin.getline(e,9);
cin>>d;
puts(a);
puts(e);
cout<<d<<endl;
return 0}

当我在输出屏幕上输入 "hey every one" 时,puts(e) 打印一个空行并且 d 打印一个随机的 character.second getline 函数和 cin 函数由于第一个 getline 而无法正常工作。提前致谢。

您应该阅读一些 documentation 以了解您使用的东西:

After constructing and checking the sentry object, extracts characters from *this and stores them in successive locations of the array whose first element is pointed to by s, until any of the following occurs (tested in the order shown):
- [...]
- count-1 characters have been extracted (in which case setstate(failbit) is executed).

(强调我的)

因此,如果输入太长,第一个 getline 将失败,从而使 std::cin 处于错误(即不可读)状态。这使得所有连续的输入操作立即失败。


备注:为避免大量丑陋的麻烦,您应该避免使用 C 风格的字符串和 "kind of C-style" 成员-getline,而是使用 std::string and the non-member std::getline

当您使用

cin.getline();

当您在输入字符串后按 Enter 时,该输入将进入下一个字符串。

In order to prevent it, use cin.ignore();

它忽略 Enter 并阻止它进入另一个字符串。

这是您修改后的代码:

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

int main() 
{
char d,a[9],e[9];
cout<<"String:"<<endl;
cin.getline(a,9);
cin.ignore();
cout<<"String:"<<endl;
cin.getline(e,9);

cin>>d;
cout<<a;
cout<<e;
cout<<d<<endl;
return 0;
}