案例“p"的问题||'P':C++ 中 switch 语句中的语法

我使用 switch 语句的方式如下:

I've used the switch statement the following way:

   switch (ch){
   case 'P' || 'p': 
        goto balance;
        break;

   case 'r' || 'R':
        goto menu;
        break;

   default:
           cout<<"		Invalid Choice!!"<<endl;
           system ("		pause");
           system ("cls");
           goto menu;
           break;
           }

但下面的语法似乎有问题:

But it seems there's something wrong with the following syntax:

case 'r' || 'R'

编译器抱怨重复的大小写值".我的代码有什么问题?

Compiler complains about "duplicate case value". What's wrong with my code?

推荐答案

改成

case 'P':
case 'p': 
    goto balance;
    break;

使用 goto 通常不是一个好主意.

Using goto is usually not a good idea.

在您的原始代码中,case 'P' ||'p': 等价于 case 1,因为如果两个操作数都为零,则 || 的结果是 0,或者 1 否则.所以在两个case语句中,都是'p'||'P''r' ||'R' 评估为 1,这就是您收到有关重复大小写值警告的原因.

In your original code, case 'P' || 'p': is equivalent to case 1 as the result of || is 0 if both operand are zero, or 1 otherwise. So in the two case statement, both 'p' || 'P' and 'r' || 'R' evaluated as 1, that's why you got the warning about duplicate case value.

相关文章