哪一种是真正的冒泡排序,哪一种更好?
我和一个朋友争论了以下两种算法的真正的冒泡排序,以及哪种更好,不提哪个是我的,我只是想听听你对这两种算法的这两个问题的回答(写在c++)
1-哪一个才是真正的冒泡排序?
2-哪一个更好?
这是两种算法:
// Number one :
void BubbleSort(int Arr[], int size)
{ for (int i=0;i<size-1;i++)
for (int j=i+1;j<size;j++)
if (Arr[i]>Arr[j])
{ int temp = Arr[i];
Arr[i] = Arr[j];
Arr[j] = temp;
} }
// Number two :
void BubbleSort(int Arr[], int size)
{ for (int i=0;i<size-1;i++)
for (int j=0;j<size-1;j++)
if (Arr[j]>Arr[j+1])
{ int temp = Arr[j];
Arr[j] = Arr[j+1];
Arr[j+1] = temp;
} }
I had an argument with a friend about the real bubble sort of the following two algorithms, and about which one is better, no mention which one is mine, I just want to hear your answers on these two questions about those two algorithms (written in c++)
1-which one is the real bubble sort?
2-which one is better?
here are the two algorithms :
// Number one :
void BubbleSort(int Arr[], int size)
{ for (int i=0;i<size-1;i++)
for (int j=i+1;j<size;j++)
if (Arr[i]>Arr[j])
{ int temp = Arr[i];
Arr[i] = Arr[j];
Arr[j] = temp;
} }
// Number two :
void BubbleSort(int Arr[], int size)
{ for (int i=0;i<size-1;i++)
for (int j=0;j<size-1;j++)
if (Arr[j]>Arr[j+1])
{ int temp = Arr[j];
Arr[j] = Arr[j+1];
Arr[j+1] = temp;
} }
如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。
data:image/s3,"s3://crabby-images/d5906/d59060df4059a6cc364216c4d63ceec29ef7fe66" alt="扫码二维码加入Web技术交流群"
绑定邮箱获取回复消息
由于您还没有绑定你的真实邮箱,如果其他用户或者作者回复了您的评论,将不能在第一时间通知您!
发布评论
评论(3)
第二号更接近真实的。所有比较都应该在相邻元素之间进行。
但真正的冒泡排序将采用
while
循环而不是外部for
循环,并且仅当元素必须时,while
循环才会再次执行在最后一次传递时交换,如下所示:Number Two is closer to the real one. All comparisons should be between adjacent elements.
But the real bubble sort would take a
while
loop instead of an outerfor
loop, and thewhile
loop would execute again only if elements had to be swapped on the last pass, like this:嵌套循环冒泡排序的伪代码是:
这意味着第一个是最接近的,因为内部循环仅迭代 i 之后的元素。您展示的第二种方法有一个内部循环,它会迭代所有元素,即使 i 之前的元素已经排序,因此无需在它们上浪费时间。
这意味着第一种方法也更好。
The pseudocode for the nested loop bubble sort is:
This means that the first is closest because the inner loop only iterates over elements after i. The second method you showed has an inner loop which iterates over all elements, even though elements before i have already been sorted, so there's no need to waste time on them.
That means the first method is also better.
问题#2 的答案:两者都不是“更好”。两者都是 O(n^2) 排序算法(这很糟糕)。除了介绍排序算法之外,冒泡排序毫无用处。
The answer to question #2: Neither is "better". Both are O(n^2) sort algorithms (which are terrible). Other than an introduction to sorting algorithms, Bubble Sort is useless.