1. 程式人生 > >選擇排序(Selection Sort)和插入排序(Insertion Sort)

選擇排序(Selection Sort)和插入排序(Insertion Sort)

選擇排序

工作原理:首先在未排序序列中找到最小(大)元素,存放到排序序列的起始位置,然後,再從剩餘未排序元素中繼續尋找最小(大)元素,然後放到已排序序列的末尾。以此類推,直到所有元素均排序完畢。

插入排序

工作原理:是通過構建有序序列,對於未排序資料,在已排序序列中從後向前掃描,找到相應位置並插入。

C語言實現:

#include<stdio.h>

void selection_sort(int a[], int n)
{
	int i, j,temp;

	for (i = 0; i < n - 1; i++)
	{
		int min = i;
		for (j = i + 1; j < n; j++) 
			if (a[j] < a[min])   
				min = j;   
		temp = a[min];
		a[min] = a[i];
		a[i] = temp;
	}
}

void insertion_sort(int a[], int n) {
	int i, j, temp;
	for (i = 1; i < n; i++) {
		temp = a[i];
		for (j = i; j > 0 && a[j - 1] > temp; j--) {
			a[j] = a[j - 1];
		}
		a[j] = temp;
	}

}




int main() {
	int a[] = { 4,8,1,2,0,2,5,6,9,7 };
	//selection_sort(a, 10);
	insertion_sort(a, 10);

	return 0;
}