1、编写希尔排序的算法8.3及相关算法。 2、编写一个主函数设计一个简单的菜单,测试上述算法,实现希尔排序操作。
时间: 2024-03-27 20:37:47 浏览: 47
1. 希尔排序的算法:
```
void shellSort(int arr[], int n) {
for (int gap = n / 2; gap > 0; gap /= 2) {
for (int i = gap; i < n; i++) {
int temp = arr[i];
int j;
for (j = i; j >= gap && arr[j - gap] > temp; j -= gap) {
arr[j] = arr[j - gap];
}
arr[j] = temp;
}
}
}
```
2. 主函数设计:
```
#include <iostream>
using namespace std;
void shellSort(int arr[], int n);
int main() {
int arr[] = { 12, 34, 54, 2, 3 };
int n = sizeof(arr) / sizeof(arr[0]);
int choice;
do {
cout << "1. 排序数组" << endl;
cout << "2. 退出程序" << endl;
cout << "请输入你的选择:";
cin >> choice;
switch (choice) {
case 1:
shellSort(arr, n);
cout << "排序后的数组:" << endl;
for (int i = 0; i < n; i++) {
cout << arr[i] << " ";
}
cout << endl;
break;
case 2:
cout << "程序已退出。" << endl;
break;
default:
cout << "输入有误,请重新输入。" << endl;
break;
}
} while (choice != 2);
return 0;
}
```
其中,`shellSort`函数实现了希尔排序;主函数中,使用一个`do-while`循环实现一个简单的菜单,让用户选择是否要对数组进行排序。
阅读全文