This question already has answers here:
How to find Maximum value from 5 inputs by user? [closed]
(4个答案)
3个月前关闭。
我正在用C++编写我的第一个代码。
我想从用户那里收到N个号码,然后找到最大的一个。
我刚刚学会了烦躁,如果声明...(未列出)
请给我一些指导
(4个答案)
3个月前关闭。
我正在用C++编写我的第一个代码。
我想从用户那里收到N个号码,然后找到最大的一个。
我刚刚学会了烦躁,如果声明...(未列出)
请给我一些指导
最佳答案
如果您想学习C++,建议您直接开始使用标准库(STL),其容器(例如std::vector
)和算法(在本例中为std::max_element
)。
基于范围的循环不如适当的算法好,但仍优于手工基于索引的循环。
请参阅Stroustrup的《 C++之旅》一书。他总结了现在应该如何使用C++。
这是代码:
#include <vector>
#include <limits>
#include <algorithm>
#include <iostream>
int main() {
std::vector<int> arr;
const int N = 10;
for (int i = 0; i<N; i++) {
int value;
std::cin >> value;
arr.push_back(value);
}
const auto max_algorithm = std::max_element(arr.begin(), arr.end());
std::cout << "Largest is: " << *max_algorithm << std::endl;
auto max_range_based_loop = std::numeric_limits<int>::lowest();
for (const auto& item : arr) {
max_range_based_loop = std::max(item, max_range_based_loop );
}
std::cout << "Largest is: " << max_range_based_loop << std::endl;
return 0;
}
10-04 14:39