2

我的程序中的 scanf 和输入缓冲区有问题。

首先我要求用户输入:

char someVariable;
printf("Enter text: ");
scanf(" %c",&someVariable);

然后我有一个循环,在scanf中一次遍历一个字符,直到它到达\ n。问题是在循环完成后,不知何故,缓冲区中仍有一些东西,所以这个函数(在循环中被调用)再次被调用并破坏了我程序中的逻辑。

如何强制清除输入缓冲区?

我只能使用scanf(作业要求)

void checkType(){
    char userInput;
    char tempCheckInput;
    printf("Enter Text: ");
    scanf(" %c",&userInput);
    while (userInput != '\n'){

        tempCheckInput = userInput;
        scanf("%c",&userInput);

忽略循环的结尾,这是我得到输入的部分

4

1 回答 1

3

如何强制清除输入缓冲区?

在 C 语言中,,如stdin,不能(以标准方式)清除,如“删除到此时间点的所有输入”。

相反,输入可以消耗和折腾(类似于“清除”)输入到数据条件。

通常的方法是

int consume_rest_of_line(void) {
  int ch;
  while ((ch = getchar()) != '\n' && ch != EOF) {
    ;
  }
}

如果限于scanf()

int consume_rest_of_line(void) {
  char ch;
  while (scanf("%c", &ch) == 1 && ch != '\n') {
    ;
  }
}
于 2019-11-16T22:46:57.623 回答