数据结构C语言sortFunc
时间: 2024-10-08 17:08:14 浏览: 14
day2_C语言程序_
在C语言中,`sortFunc`通常是一个函数名,它用于对数组进行排序操作,比如快速排序(quicksort)、归并排序(mergesort)或冒泡排序(bubble sort)。这里假设你在问的是如何实现一个通用的排序函数。
例如,下面是一个简单的冒泡排序示例:
```c
#include <stdio.h>
void sortFunc(int arr[], int n) {
for (int i = 0; i < n - 1; i++) {
for (int j = 0; j < n - i - 1; j++) {
if (arr[j] > arr[j + 1]) {
// 交换元素
int temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
}
}
}
}
// 示例用途
int main() {
int nums[] = {5, 3, 8, 6, 1};
int n = sizeof(nums) / sizeof(nums[0]);
sortFunc(nums, n);
for (int i = 0; i < n; i++)
printf("%d ", nums[i]); // 输出排序后的数组
return 0;
}
```
这个`sortFunc`可以接受一个整型数组和其长度作为参数,然后按升序对数组进行排序。其他类型的排序算法如选择排序、插入排序等也有相似的实现思路。
阅读全文