c++中实现:编写一程序,让用户自由地从键盘上输入整数,直到输入数字 0 时 结束。把用户输入的数据保存在模板类 vector 定义的对象中,并对 用户输入的所有数进行排序输出。在向显示器进行输出时,要求用以 下 3 种方式实现: 1)仅使用 vector 的相关成员函数,不使用迭代器进行输出; 2)使用迭代器自己编程输出; 3)使用 STL 提供的通用算法 for_each 进行输出。
时间: 2024-01-21 07:19:02 浏览: 73
以下是实现代码:
```c++
#include <iostream>
#include <vector>
#include <algorithm>
using namespace std;
template<class T>
void outputVector(const vector<T>& v) {
for (int i = 0; i < v.size(); i++) {
cout << v[i] << " ";
}
cout << endl;
}
template<class T>
void outputVectorWithIterator(const vector<T>& v) {
for (typename vector<T>::const_iterator it = v.begin(); it != v.end(); it++) {
cout << *it << " ";
}
cout << endl;
}
template<class T>
void print(const T& value) {
cout << value << " ";
}
int main() {
vector<int> v;
int num;
while (cin >> num && num != 0) {
v.push_back(num);
}
sort(v.begin(), v.end());
outputVector(v);
outputVectorWithIterator(v);
for_each(v.begin(), v.end(), print<int>);
cout << endl;
return 0;
}
```
运行示例:
```
1 4 2 3 5 0
1 2 3 4 5
1 2 3 4 5
1 2 3 4 5
```
阅读全文