c++编写程序从键盘输入10个整数对其按降序排序后输出要求排序操作用函数形式完成
时间: 2024-02-20 10:02:09 浏览: 79
C语言程序设计-编写函数fun对主程序中用户输入的具有10个数据的数组a按由大到小排序,并在主程序中输出排序结果;
5星 · 资源好评率100%
以下是使用C++编写的程序,可以从键盘输入10个整数,对其进行降序排序后输出。排序操作使用了函数形式完成。
```c++
#include <iostream>
using namespace std;
void sortDesc(int arr[], int n) {
for (int i = 0; i < n - 1; i++) {
for (int j = i + 1; j < n; j++) {
if (arr[i] < arr[j]) {
int temp = arr[i];
arr[i] = arr[j];
arr[j] = temp;
}
}
}
}
int main() {
const int n = 10;
int arr[n];
cout << "请输入" << n << "个整数:" << endl;
for (int i = 0; i < n; i++) {
cin >> arr[i];
}
sortDesc(arr, n);
cout << "降序排序后的结果为:" << endl;
for (int i = 0; i < n; i++) {
cout << arr[i] << " ";
}
cout << endl;
return 0;
}
```
在程序中,我们定义了一个 `sortDesc` 函数,用于对输入的数组进行降序排序。接着,在 `main` 函数中,我们首先定义了一个数组并从键盘输入10个整数,然后调用 `sortDesc` 函数进行排序,最后输出排序后的结果。
阅读全文