今天,大白跟大家聊一聊冒泡排序的优化,我们都知道冒泡排序是几种稳定排序中比较快的一种排序了。
但是,算法的优化永无止境,革命尚未成功,“同志”仍须努力(嘻嘻)。
今天大白再看了教科书之后,并且融入了一些自己的想法,使得冒泡排序更加优化了。
首先,我们来看一组图:
bubbleSortText:
bubbleSort:
下面我们来看看代码实现及运行结果:
#define _CRT_SECURE_NO_WARNINGS
#include <iostream>
#include <functional>
#include <algorithm>
#include <numeric>
#include <stack>
#include <queue>
#include <vector>
#include <string>
#include <cstring>
#include <time.h>
using namespace std;
//原始冒泡排序
void bubbleSortOriginal (int *a, int n, int flag, int time)
{
for(int i = 1; i < n; i++)
{
for(int j = 0; j < n - i; j++)
{
time++;
if(a[j] > a[j + 1])
{
flag++;
int temp = a[j];
a[j] = a[j + 1];
a[j + 1] = temp;
}
}
}
cout << "bubbleSortOriginal排序总共进行了 " << flag << " 次交换和 " << time << " 次循环" << endl;
}
//冒泡排序优化一
void bubbleSortText (int *a, int n, int flag, int time)
{
bool completeSort = false;
for(int i = 1; i < n && (!completeSort); i++)
{
completeSort = true; //如果在一次内循环中,一次交换都没有进行,则此时排序已完成,可以退出
for(int j = 0; j < n - i; j++)
{
time++;
if(a[j] > a[j + 1])
{
flag++;
int temp = a[j];
a[j] = a[j + 1];
a[j + 1] = temp;
completeSort = false;
}
}
}
cout << "bubbleSortText排序总共进行了 " << flag << " 次交换和 " << time << " 次循环" << endl;
}
//冒泡排序优化二
void bubbleSort (int *a, int n, int flag, int time)
{
bool completeSort = false;
bool getTwoMax = false;
for(int i = 1; i < n && (!completeSort); i++)
{
completeSort = true;
for(int j = 0; j < n - i; j++)
{
time++;
getTwoMax = true; //如果在一次内循环中,最后一次交换没有进行,则外循环可以少进行一次
if(a[j] > a[j + 1])
{
flag++;
int temp = a[j];
a[j] = a[j + 1];
a[j + 1] = temp;
completeSort = false;
getTwoMax = false;
}
}
if(getTwoMax)
{
i++;
}
}
cout << "bubbleSort排序总共进行了 " << flag << " 次交换和 " << time << " 次循环" << endl;
}
int main ()
{
int flag1 = 0, flag2 = 0, time1 = 0, time2 = 0; //falg标记交换进行的次数,time标记循环进行的次数
int a1[] = { 10, 1, 2, 3, 4, 5, 6, 7, 8, 9 };
int a2[] = { 10, 1, 2, 3, 4, 5, 6, 7, 8, 9 };
int a3[] = { 10, 1, 2, 3, 4, 5, 6, 7, 8, 9 };
bubbleSortOriginal (a1, 10, flag1, time1);
for(int i = 0; i < 10; i++)
{
cout << " " << a1[i];
}
cout << endl;
bubbleSortText (a2, 10, flag1, time1);
for(int i = 0; i < 10; i++)
{
cout << " " << a2[i];
}
cout << endl;
bubbleSort (a3, 10, flag2, time2);
for(int i = 0; i < 10; i++)
{
cout << " " << a3[i];
}
cout << endl;
return 0;
}