Computer >> คอมพิวเตอร์ >  >> การเขียนโปรแกรม >> C++

โปรแกรม C++ เพื่อใช้งาน Bubble Sort


Bubble Sort คืออัลกอริธึมการเรียงลำดับตามการเปรียบเทียบ ในอัลกอริธึมนี้องค์ประกอบที่อยู่ติดกันจะถูกเปรียบเทียบและสลับเพื่อสร้างลำดับที่ถูกต้อง อัลกอริธึมนี้ง่ายกว่าอัลกอริธึมอื่น แต่ก็มีข้อเสียอยู่บ้าง อัลกอริธึมนี้ไม่เหมาะกับชุดข้อมูลจำนวนมาก ต้องใช้เวลามากในการแก้ปัญหาการจัดเรียง

ความซับซ้อนของเทคนิคการจัดเรียงบับเบิ้ล

  • ความซับซ้อนของเวลา:O(n) สำหรับกรณีที่ดีที่สุด O(n 2 ) สำหรับกรณีทั่วไปและแย่ที่สุด

  • ความซับซ้อนของอวกาศ:O(1)

Input − A list of unsorted data: 56 98 78 12 30 51
Output − Array after Sorting: 12 30 51 56 78 98

อัลกอริทึม

bubbleSort(อาร์เรย์, ขนาด)

ป้อนข้อมูล :อาร์เรย์ของข้อมูลและจำนวนทั้งหมดในอาร์เรย์

ผลผลิต :The sorted Array

Begin
   for i := 0 to size-1 do
      flag := 0;
      for j:= 0 to size –i – 1 do
         if array[j] > array[j+1] then
            swap array[j] with array[j+1]
            flag := 1
      done
      if flag ≠ 1 then
         break the loop.
   done
End

โค้ดตัวอย่าง

#include<iostream>
using namespace std;
void swapping(int &a, int &b) {      //swap the content of a and b
   int temp;
   temp = a;
   a = b;
   b = temp;
}
void display(int *array, int size) {
   for(int i = 0; i<size; i++)
      cout << array[i] << " ";
   cout << endl;
}
void bubbleSort(int *array, int size) {
   for(int i = 0; i<size; i++) {
      int swaps = 0;         //flag to detect any swap is there or not
      for(int j = 0; j<size-i-1; j++) {
         if(array[j] > array[j+1]) {       //when the current item is bigger than next
            swapping(array[j], array[j+1]);
            swaps = 1;    //set swap flag
         }
      }
      if(!swaps)
         break;       // No swap in this pass, so array is sorted
   }
}
int main() {
   int n;
   cout << "Enter the number of elements: ";
   cin >> n;
   int arr[n];     //create an array with given number of elements
   cout << "Enter elements:" << endl;
   for(int i = 0; i<n; i++) {
      cin >> arr[i];
   }
   cout << "Array before Sorting: ";
   display(arr, n);
   bubbleSort(arr, n);
   cout << "Array after Sorting: ";
   display(arr, n);
}

ผลลัพธ์

Enter the number of elements: 6
Enter elements:
56 98 78 12 30 51
Array before Sorting: 56 98 78 12 30 51
Array after Sorting: 12 30 51 56 78 98