数据结构直接插入排序源程序
时间: 2023-09-04 10:13:27 浏览: 99
下面是使用 C 语言实现的直接插入排序的源代码:
```c
#include <stdio.h>
void insertion_sort(int arr[], int n) {
int i, j, key;
for (i = 1; i < n; ++i) {
key = arr[i];
j = i - 1;
/* Move elements of arr[0..i-1], that are
greater than key, to one position ahead
of their current position */
while (j >= 0 && arr[j] > key) {
arr[j + 1] = arr[j];
j = j - 1;
}
arr[j + 1] = key;
}
}
int main() {
int arr[] = { 12, 11, 13, 5, 6 };
int n = sizeof(arr) / sizeof(arr[0]);
insertion_sort(arr, n);
printf("Sorted array: ");
for (int i = 0; i < n; ++i)
printf("%d ", arr[i]);
return 0;
}
```
在这个程序中,insertion_sort() 函数接受一个整数数组 arr[] 和数组的大小 n。它使用直接插入排序算法对该数组进行排序,然后在 main() 函数中打印排序后的数组。
阅读全文