2

嘿,所以我正在学习基本的 c++,这周刚开始,我有一个问题说:

编写一个程序来比较 3 个整数并打印最大的,程序应该只使用 2 个 IF 语句。

我不知道如何做到这一点,所以任何帮助将不胜感激

到目前为止,我有这个:

#include <iostream>

using namespace std;

void main()
{
int a, b, c;

cout << "Please enter three integers: ";
cin >> a >> b >> c;

if ( a > b && a > c) 
    cout << a;
else if ( b > c && b > a)
    cout << b;
else if (c > a && c > b)
    cout << b;

system("PAUSE");

}
4

4 回答 4

6
int main()
{
  int a, b, c;
  cout << "Please enter three integers: ";
  cin >> a >> b >> c;
  int big_int = a;

  if (a < b)
  {
      big_int = b;
  }

  if (big_int < c)
  {
    big_int = c;
  }
  return 0;
}

另请注意,您应该写int main()而不是void main().

于 2013-01-31T11:40:34.143 回答
6
#include <iostream>

int main()
{
    int a, b, c;
    std::cout << "Please enter three integers: ";
    std::cin >> a >> b >> c;

    int max = a;
    if (max < b)
        max = b;
    if (max < c)
        max = c;

    std::cout << max;    
}

虽然上面的代码满足了练习题,但我想我会添加一些其他的方法来展示没有任何ifs 的方法。

不鼓励以一种更神秘、更不可读的方式来做这件事

int max = (a < b) ? ((b < c)? c : b) : ((a < c)? c : a);

#include <algorithm>一种优雅的方式是

int max = std::max(std::max(a, b), c);

使用 C++11,你甚至可以做到

const int max = std::max({a, b, c}); 
于 2013-01-31T11:40:48.427 回答
3

您不需要最后一个“else if”语句。在这部分代码中,可以确定“c”是最大的——没有更大的数字。

于 2013-01-31T11:40:14.793 回答
1

提示:您的一个if语句是无用的(实际上,它引入了一个错误,因为如果 a、b 和 c 都相等,则不会打印任何内容)。

于 2013-01-31T11:41:13.830 回答