C++实现冒泡排序

时间:2022-12-29 20:38:00
#include <iostream>
using namespace std;
#define ARRAY_SIZE 8// the array size

int main() {
void bubble_sort(int a[],int length);
void myShow(int a[],int length);
int a[]={49,38,65,97,76,13,27,49};
cout<<"before sort:"<<endl;
myShow(a,ARRAY_SIZE);
//sort the array
bubble_sort(a,ARRAY_SIZE);
cout<<"after sort:"<<endl;
myShow(a,ARRAY_SIZE);

return 0;
}
/**
* bubble sort
* */
void bubble_sort(int a[],int length){
bool change=false;// swap flag
for(int i=length-1,change=true;i>=1 && change;--i){
change=false;
for(int j=0;j<i;++j){
if(a[j]>a[j+1]){
//swap a[j],a[j+1]
int temp=a[j];
a[j]=a[j+1];
a[j+1]=temp;
//set the flag
change=true;
}
}
}
}
/**
* show the array
* */
void myShow(int a[],int length){
for(unsigned int i=0;i<length;i++){
cout<<a[i]<<"\t";
}
cout<<endl;
}

运行结果:

C++实现冒泡排序


算法如下:


C++实现冒泡排序


时间及空间复杂度:

“交换序列中相邻的珊个整数”为基本操作,当a中初始序列为自小到大有序,基本操作的执行次数为0;

当a中初始序列为自大到小有序时,基本操作的执行次数为 (n-1)(n-2)/2次。

对这类算法的分析,

1》一种方法是计算它的平均值,即考虑它对所有可能的输入数据集的期望值(平均值),此时相应的时间复杂度为算法的平均时间复杂度。

2》另一种更可行的方法是也更常用的办法是讨论算法在最坏情况下的时间复杂度,即分析最坏情况以估算算法执行时间的一个上界。上述冒泡排序的最坏情况为a中序列为“逆序”排序,则其时间复杂度为O(n*n)。

Ps:除特别说明外,均指最坏情况下的时间复杂度。


空间复杂度:

由于只用了一个辅助存储空间,所以空间复杂度为O(1)。