C++ 数据结构与算法:冒泡排序及改进算法

冒泡排序是一种简单排序。这种排序是采用“冒泡策略”将最大元素移到最右边。在冒泡过程中,相邻两个元素比较,如果左边大于右边的,则进行交换两个元素。这样一次冒泡后,可确保最大的在最右边。然后执行n次冒泡后排序即可完毕。

程序代码如下:

// BubbleSort.cpp : 定义控制台应用程序的入口点。

//



#include "stdafx.h"

#include <cmath>

#include <iostream>

using namespace std;

#define  MAXNUM 20



template<typename T>

void Swap(T& a, T& b)

{

    int t = a;

    a = b;

    b = t;

}

template<typename T>

void Bubble(T a[], int n)

{//把数组a[0:n-1]中最大的元素通过冒泡移到右边

    for(int i =0 ;i < n-1; i++)

    {

        if(a[i] >a[i+1])

            Swap(a[i],a[i+1]);

    }

}

template<typename T>

void BubbleSort(T a[],int n)

{//对数组a[0:n-1]中的n个元素进行冒泡排序

    for(int i = n;i > 1; i--)

        Bubble(a,i);

}

int _tmain(int argc, _TCHAR* argv[])

{

    int a[MAXNUM];

    for(int i = 0 ;i< MAXNUM; i++)

    {

        a[i] = rand()%(MAXNUM*5);

    }

    

    for(int i =0; i< MAXNUM; i++)

        cout << a[i] << "  ";

    cout << endl;

    BubbleSort(a,MAXNUM);

    cout << "After BubbleSort: " << endl;

    for(int i =0; i< MAXNUM; i++)

        cout << a[i] << "  ";

    cin.get();



    return 0;

}

但是常规的冒泡,不管相邻的两个元素是否已经排好序,都要冒泡,这就没有必要了,所有我们对这点进行改进。设计一种及时终止的冒泡排序算法:

如果在一次冒泡过程中没有发生元素互换,则说明数组已经按序排列好了,没有必要再继续进行冒泡排序了。代码如下:

// BubbleSort.cpp : 定义控制台应用程序的入口点。

//



#include "stdafx.h"

#include <cmath>

#include <iostream>

using namespace std;

#define  MAXNUM 20



template<typename T>

void Swap(T& a, T& b)

{

    int t = a;

    a = b;

    b = t;

}

template<typename T>

bool Bubble(T a[], int n)

{//把数组a[0:n-1]中最大的元素通过冒泡移到右边

    bool swapped = false;//尚未发生交换

    for(int i =0 ;i < n-1; i++)

    {

        if(a[i] >a[i+1])

        {

            Swap(a[i],a[i+1]);

            swapped = true;//发生了交换

        }

    }

    return swapped;

}

template<typename T>

void BubbleSort(T a[],int n)

{//对数组a[0:n-1]中的n个元素进行冒泡排序

    for(int i = n;i > 1 && Bubble(a,i); i--);

}

int _tmain(int argc, _TCHAR* argv[])

{

    int a[MAXNUM];

    for(int i = 0 ;i< MAXNUM; i++)

    {

        a[i] = rand()%(MAXNUM*5);

    }



    for(int i =0; i< MAXNUM; i++)

        cout << a[i] << "  ";

    cout << endl;

    BubbleSort(a,MAXNUM);

    cout << "After BubbleSort: " << endl;

    for(int i =0; i< MAXNUM; i++)

        cout << a[i] << "  ";

    cin.get();

    return 0;

}

改进后的算法,在最坏的情况下执行的比较次数与常规冒泡一样,但是最好情况下次数减少为n-1。

你可能感兴趣的:(数据结构与算法)