编写一程序,让用户自由地从键盘上输入整数,直到输入数字 0 时 结束。把用户输入的数据保存在模板类 vector 定义的对象中,并对 用户输入的所有数进行排序输出。在向显示器进行输出时,要求用以 下 3 种方式实现:
时间: 2024-02-11 10:07:53 浏览: 57
一个控制台应用程序从键盘输入你要排序的数的个数n ,然后输入要排序的n个数,按由小到大的顺序输出
5星 · 资源好评率100%
好的,我来为您编写这个程序。
```c++
#include <iostream>
#include <vector>
#include <algorithm>
using namespace std;
template <typename T>
void sortAndPrint(const vector<T>& vec, int option) {
vector<T> sortedVec(vec);
sort(sortedVec.begin(), sortedVec.end());
switch (option) {
case 1:
for (auto& elem : sortedVec) {
cout << elem << " ";
}
cout << endl;
break;
case 2:
for (auto it = sortedVec.rbegin(); it != sortedVec.rend(); ++it) {
cout << *it << " ";
}
cout << endl;
break;
case 3:
for (int i = 0; i < sortedVec.size(); ++i) {
if (i % 2 == 0) {
cout << sortedVec[i] << " ";
} else {
cout << sortedVec[i] << endl;
}
}
if (sortedVec.size() % 2 != 0) {
cout << endl;
}
break;
default:
cout << "Option not supported!" << endl;
break;
}
}
int main() {
vector<int> nums;
int num;
do {
cout << "Please enter an integer (0 to quit): ";
cin >> num;
if (num != 0) {
nums.push_back(num);
}
} while (num != 0);
cout << "Sorted in ascending order: ";
sortAndPrint(nums, 1);
cout << "Sorted in descending order: ";
sortAndPrint(nums, 2);
cout << "Sorted in alternating order: ";
sortAndPrint(nums, 3);
return 0;
}
```
该程序使用了模板类 vector 来保存用户输入的整数,并通过函数 sortAndPrint 对用户输入的整数进行排序和输出。该函数的第二个参数表示输出方式,1 表示升序,2 表示降序,3 表示交替输出。
程序演示了用户输入整数的过程,直到用户输入数字 0 才结束。然后,程序分别以三种方式对用户输入的所有数进行排序输出。
请您试着运行一下该程序,看看是否符合您的要求。
阅读全文