2

有 3 个整数变量的值可以为 0 或 1。如果全部为 0 或全部为 1,则打印特定语句。对于所有其他值组合,打印另一条语句。

我尝试了以下有效的方法。有没有更好的方法来编写 if 语句?

#include <iostream>
using namespace std;

int main()
{
    int a, b, c;
    cin >> a >> b >> c;

    if(!(a != 0 && b != 0 && c != 0) && !(a == 0 && b == 0 && c == 0))
    {
        cout << "a, b or c have mixed values of 1 and 0" << endl;
    }
    else
    {
        cout << "All of a, b and c are either 1 or 0" << endl;
    }

    system("pause");
    return 0;
}

很抱歉造成了一些混乱。实际上,上面的代码中没有检查 a、b 和 c 的值,因为我把它作为一个简单的例子。if 语句不是检查 a、b 和 c 是否都相等。它是检查它们是否都是 0 或 1 整数值(不是布尔值)。

4

6 回答 6

7

在您的代码中,对用户输入的值没有限制。

如果您只想查看所有值是否彼此相等,您可以执行以下操作:

if (a == b && b == c)
{
    cout << "A, B, and C are all equal" << endl;
}
else 
{
    cout << "A, B, and C contain different values" << endl;
}
于 2013-01-01T03:34:22.927 回答
6
if( ((a & b & c) ==1) || ((a | b | c) == 0))
于 2013-01-01T03:34:50.513 回答
4
#include<iostream>
using namespace std;

int main()
{
int a = 10, b = 10, c = 10;
cin >> a >> b >> c;

if((a == 0 && b == 0 && c == 0)||(a==1&&b==1&&c==1))
{
      cout << "All of a, b and c are either 1 or 0" << endl;

}
else
{
cout << "a, b or c have mixed values of 1 and 0" << endl;
}

system("pause");
return 0;
}
于 2013-01-01T03:36:12.783 回答
1
if( (b!=c) || (a ^ b)) 
{   
  std::cout << "a, b or c have mixed values of 1 and 0" << std::endl;
}   
else
{   
  std::cout << "All of a, b and c are either 1 or 0" << std::endl;
}   

另一种效率较低的方法:

if( (a!=0) + (b!=0) - 2 * (c!=0) == 0 )
{
    cout << "All of a, b and c are either 1 or 0" << endl;
}
else
{
    cout << "a, b or c have mixed values of 1 and 0" << endl;
}
于 2013-01-01T03:40:21.833 回答
0

如果您使用的是 C++11,您可以使用可变参数模板来实现您正在寻找的内容,例如:

template <typename T, typename U>
bool allequal(const T &t, const U &u) {
    return t == u;
}

template <typename T, typename U, typename... Args>
bool allequal(const T &t, const U &u, Args const &... args) {
    return (t == u) && allequal(u, args...);
}

您可以在代码中这样称呼它:

if (allequal(a,b,c,0) || allequal(a,b,c,1))
{
  cout << "All of a, b and c are either 1 or 0" << endl;
}
于 2014-07-26T17:35:47.063 回答
0

更通用的解决方案:~(~(a ^ b) ^ c). 基于a XNOR b确保两者都为零或一的想法。

于 2013-01-01T04:48:09.230 回答