用C++演绎希尔排序算法,不需要用vector
时间: 2024-03-17 13:46:48 浏览: 76
C++ 希尔排序实现
好的,下面是用C++实现希尔排序算法的代码:
```c++
#include <iostream>
using namespace std;
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;
}
}
}
int main()
{
int arr[] = { 12, 34, 54, 2, 3 };
int n = sizeof(arr) / sizeof(arr[0]);
shellSort(arr, n);
cout << "Sorted array: \n";
for (int i = 0; i < n; i++)
cout << arr[i] << " ";
cout << endl;
return 0;
}
```
这段代码中,我们先定义了一个`shellSort`函数,该函数接收一个整型数组和数组的长度作为参数。在函数内部,我们首先确定要使用的步长`gap`,然后从`gap`开始遍历整个数组,将数组中的每个元素与其相邻的元素进行比较,如果顺序不对,则交换它们的位置。这个操作会不断重复,直到数组已经被完全排序。
在`main`函数中,我们定义了一个整型数组,然后调用`shellSort`函数对该数组进行排序。最后,我们输出排序后的数组。
阅读全文