用c++实现输入10个数并输出最大值
时间: 2024-09-26 09:11:03 浏览: 25
c++通过引用实现三个数字求最大值
5星 · 资源好评率100%
在C++中,你可以使用数组来存储这10个数,并通过遍历数组找到其中的最大值。以下是一个简单的示例程序:
```cpp
#include <iostream>
using namespace std;
int main() {
int numbers[10]; // 创建一个可以存储10个整数的数组
int maxValue = numbers[0]; // 初始化最大值为第一个元素
// 输入10个数
cout << "请输入10个数字:" << endl;
for (int i = 0; i < 10; i++) {
cin >> numbers[i];
if (numbers[i] > maxValue) { // 如果当前数值大于已知最大值
maxValue = numbers[i]; // 更新最大值
}
}
// 输出最大值
cout << "最大值是: " << maxValue << endl;
return 0;
}
```
在这个程序中,我们首先声明了一个大小为10的整数数组`numbers[]`。然后通过循环依次从用户那里获取每个数字,并在每次迭代中检查它是否大于当前已知的最大值。如果大于,就更新`maxValue`。最后,打印出找到的最大值。
阅读全文