欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

C++归并排序算法详解

程序员文章站 2022-03-08 18:36:45
目录一.算法简介二.实现过程总结一.算法简介归并排序算法的平均时间复杂度是o(nlogn),归并算法的实现就是通过分冶法,将一个待排序列分成一个个小的序列,然后对这些小的序列进行排序,然后进行合并,合...

一.算法简介

        归并排序算法的平均时间复杂度是o(nlogn),归并算法的实现就是通过分冶法,将一个待排序列分成一个个小的序列,然后对这些小的序列进行排序,然后进行合并,合并的时候也会进行排序,这样,从整体拆成小块,再从小块合成整体的一个过程。

二.实现过程

        1)拆分待排序列

        2)进行排序合并

给大家写了一个简单的过程以便大家理解。

C++归并排序算法详解

 这基本就是归并排序的实现原理了,那么代码是怎么实现的呢,下面给大家展示下代码实现。

//时间复杂度是nlogn
#include <iostream>
 
using namespace std;
 
void merge(int a[],int s,int mid,int e,int tmp[]);//归并
void merge_sort(int a[],int s,int e,int tmp[]);//有序
 
int main(){
    int a[1000],tmp[1000];
    int n;
    cin >> n; 
    for(int i=0;i<n;i++)cin >> a[i];
    merge_sort(a,0,n-1,tmp);//对数组进行排序
    for(int i=0;i<n;i++)cout << a[i] << " ";
    system("pause");
    return 0;
}
 
void merge_sort(int a[],int s,int e,int tmp[]){
    if(s<e){
        int m=(s+e)/2;
        merge_sort(a,s,m,tmp);//左边有序
        merge_sort(a,m+1,e,tmp);//右边有序
        merge(a,s,m,e,tmp);//归并
    }
}
 
void merge(int a[],int s,int mid,int e,int tmp[]){
    int p1,p2,p=0;
    p1=s,p2=mid+1;
    //判断大小,得到排列顺序
    while(p1<=mid&&p2<=e){
        if(a[p1]<a[p2]){    
            tmp[p++]=a[p1++];
        }
        else{
            tmp[p++]=a[p2++];
        }
    }
    //剩余数据自动放到末尾
    while(p1<=mid){
        tmp[p++]=a[p1++];
    }
    while(p2<=e){
        tmp[p++]=a[p2++];
    }
    //将tmp中排好序的数组拷贝到a中
    for(int i=0;i<e-s+1;++i){
        a[s+i]=tmp[i];
    }
}

大家看注释行事,注释基本在关键点都注明了,希望对大家有帮助 

总结

到此这篇关于c++归并排序算法详解的文章就介绍到这了,更多相关c++归并排序内容请搜索以前的文章或继续浏览下面的相关文章希望大家以后多多支持!

相关标签: C++ 归并排序