使用c++输入20个数字,使用插入法排序,并输出。
时间: 2024-03-08 11:48:12 浏览: 57
类插入法排序
好的,以下是使用插入排序法对20个数字进行排序的 C++ 代码:
```c++
#include <iostream>
using namespace std;
void insertion_sort(int arr[], int n) {
for (int i = 1; i < n; i++) {
int key = arr[i];
int j = i - 1;
while (j >= 0 && key < arr[j]) {
arr[j + 1] = arr[j];
j--;
}
arr[j + 1] = key;
}
}
int main() {
int arr[20];
cout << "请输入20个数字:" << endl;
for (int i = 0; i < 20; i++) {
cin >> arr[i];
}
insertion_sort(arr, 20);
cout << "排序结果为:" << endl;
for (int i = 0; i < 20; i++) {
cout << arr[i] << " ";
}
cout << endl;
return 0;
}
```
运行代码后,会提示输入20个数字,输入完成后,会输出排序结果。
输出结果示例:
```
请输入20个数字:
3 6 1 8 5 9 4 2 7 0 11 14 13 16 12 15 10 19 17 18
排序结果为:
0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19
```
阅读全文