1. 程式人生 > 其它 >兩種交換排序總結 氣泡排序 快速排序

兩種交換排序總結 氣泡排序 快速排序

技術標籤:資料結構快速排序排序演算法

交換排序總結

1.氣泡排序
演算法特點:
1.穩定排序
2.可用於鏈式結構
3.移動記錄次數較多,演算法平均時間效能比直接插入排序差。當初始記錄無序,n較大時,不宜採用。
4.時間複雜度O(n*n)空間複雜度O(1);

#include <iostream>
#include<bits/stdc++.h>
using namespace std;

void  BubbleSort(int *a,int length){
    int flag;
    for(int i=0;i<length;i++){
            flag=
0; for(int j=0;j<length-i;j++){ if(a[j]>a[j+1]){ int t=a[j]; a[j]=a[j+1]; a[j+1]=t; flag=1; } } if(flag==0) break; } } int main() { int a[10]={49,38,65,97,76,13,27,49,55,04}; BubbleSort(a,10); for(int i=0;i<
10;i++) cout <<a[i]<<" "; return 0; }

2.快速排序
演算法特點:
1.記錄的非順序移動導致排序方法是不穩定的。
2.排序過程中需要定位表的上界和下界,所以適合順序結構,很難用於鏈式結構。
3.當n較大時,在平均情況下快速排序是所有內部排序方法中速度最快的一種,所以適合初始記錄無序,n較大的情況。
4.平均情況下,時間複雜度為O(nlogn);空間複雜度最壞為O(n),最好為O(logn);

#include <iostream>
#include<bits/stdc++.h>
using namespace std; int Partition(int *a,int low,int high){ int t; t=a[low]; while(low<high){ while(low<high&&t<=a[high]) high--; a[low]=a[high]; while(low<high&&t>=a[low]) low++; a[high]=a[low]; } a[low]=t; return low; } void QSort(int a[],int low,int high){ if(low<high){ int pivotloc=Partition(a,low,high); QSort(a,low,pivotloc-1); QSort(a,pivotloc+1,high); } } int main() { int a[10]={49,38,65,97,76,13,27,49,55,04}; QSort(a,0,9); for(int i=0;i<10;i++) cout <<a[i]<<" "; return 0; }