0

我想开始一个 Y 和 N Q&A 的程序。

#include <stdio.h> 
#include <stdlib.h>

int main(){
    char answer[256];
    do {
    print("\nDo you want to delete yourself of the record?\n");
    scanf("%s", answer);
    printf("%s", answer);
    }while(answer != "Y" || answer != "N")
;
    return 0;
}

如您所见,我声明了一个 char 类型的 256 个元素的变量,然后使用 scanf 我记录了用户输入并将其存储在答案中。然后,只要用户输入大写的 Y 或 N,循环就会一直询问。问题是,使用此实现,即使我输入 Y 或 N,程序也会不断询问。我应该将 char 声明更改为单个字符吗?我已经尝试过了:

#include <stdio.h> 
#include <stdlib.h>

int main(){
    char answer;
    do {
    print("\nDo you want to delete yourself of the record?\n");
    scanf("%c", answer);
    printf("%c", answer);
    }while(answer != 'Y' || answer != 'N')
;
    return 0;
}

但我收到警告:

warning: format '%c' expects argument of type 'char *', but argument 2 has type int' [-Wformat=]
scanf("%c", answer);

有没有人澄清这个问题?

4

1 回答 1

3

这个说法

然后,只要用户输入大写的 Y 或 N,循环就会一直询问。

意味着当用户输入“Y”或“N”时,循环将停止它的迭代,不是吗?

这个条件可以写成

strcmp( answer, "Y" ) == 0 || strcmp( answer, "N" ) == 0  

所以这个条件的否定(当循环将继续它的迭代时)看起来像

!( strcmp( answer, "Y" ) == 0 || strcmp( answer, "N" ) == 0 )

相当于

strcmp( answer, "Y" ) != 0 && strcmp( answer, "N" ) != 0  

请注意,您必须比较字符串(使用 C 字符串函数strcmp)而不是指向它们的第一个字符的指针,这些字符总是不相等的。

所以第一个程序中do-while循环中的条件应该是

    do {
    print("\nDo you want to delete yourself of the record?\n");
    scanf("%s", answer);
    printf("%s", answer);
    }while( strcmp( answer, "Y" ) != 0 && strcmp( answer, "N" ) != 0 )
;

那就是应该使用逻辑AND运算符。

在第二个程序中,您必须像这样使用 scanf 调用

scanf( " %c", &answer);
       ^^^^   ^

和相同的逻辑 AND 运算符

    do {
    print("\nDo you want to delete yourself of the record?\n");
    scanf(" %c", &answer);
    printf("%c", answer);
    }while(answer != 'Y' && answer != 'N')
;
于 2020-05-12T21:03:48.810 回答