使用c语言给定一维数组,使用选择排序,按从小到大的顺序排列为新的数组
时间: 2024-10-19 08:14:33 浏览: 24
在C语言中,选择排序是一种简单直观的排序算法,它的工作原理是每一次从待排序的数据元素中选出最小(或最大)的一个元素,存放在序列的起始位置,直到全部待排序的数据元素排完。以下是使用选择排序对一维整数数组进行升序排列的基本步骤:
```c
#include <stdio.h>
void selectionSort(int arr[], int n) {
int i, j, minIndex;
// 遍历整个数组
for (i = 0; i < n - 1; i++) {
// 找到剩余部分中的最小值
minIndex = i;
for (j = i + 1; j < n; j++) {
if (arr[j] < arr[minIndex]) {
minIndex = j;
}
}
// 将找到的最小值与当前位置交换
int temp = arr[i];
arr[i] = arr[minIndex];
arr[minIndex] = temp;
}
}
int main() {
int original[] = {5, 2, 8, 1, 9};
int n = sizeof(original) / sizeof(original[0]);
int sorted[n];
// 先复制原数组到新数组sorted中
memcpy(sorted, original, n * sizeof(int));
// 对新数组sorted进行选择排序
selectionSort(sorted, n);
printf("Sorted array: ");
for (int i = 0; i < n; i++) {
printf("%d ", sorted[i]);
}
return 0;
}
```
在这个例子中,`selectionSort()`函数接受一个整数数组和它的长度,然后通过两层循环完成排序过程。`main()`函数首先创建原始数组并复制一份到新数组`sorted`,然后再对`sorted`数组应用选择排序。
阅读全文