用C++写程序 有三个整数a,b,c,由键盘输入,输出其中最大数
时间: 2024-09-19 09:05:00 浏览: 46
在C++中,你可以使用if-else语句或者更现代的方式(如C++11引入的范围for循环结合max函数)来找出并输出三个整数中的最大值。这里是一个基本的示例:
```cpp
#include <iostream>
using namespace std;
int main() {
int a, b, c;
// 输入三个整数
cout << "请输入三个整数:";
cin >> a >> b >> c;
// 找出并输出最大数
if (a > b && a > c) {
cout << "最大数是:" << a << endl;
} else if (b > a && b > c) {
cout << "最大数是:" << b << endl;
} else {
cout << "最大数是:" << c << endl;
}
return 0;
}
```
如果你想要使用C++11或更高版本的特性,可以这样做:
```cpp
#include <iostream>
#include <algorithm> // 引入max函数
int main() {
int a, b, c;
// 输入三个整数
cout << "请输入三个整数:";
cin >> a >> b >> c;
// 使用max函数找到最大值并输出
int max_num = max({a, b, c});
cout << "最大数是:" << max_num << endl;
return 0;
}
```
阅读全文