버블 정렬 (Bubble Sort)
// Sinking Sort 라고도 하는데,
// 버블정렬과 방법은 같지만 내림차순으로 정렬한다.
function bubble_sort1(arr) {
console.log(`before bubble sorting: ${[...arr]}`);
let cnt = 0;
for (let i = 0; i < arr.length; i++) {
// 이와 같은 방법으로 반복문을 사용하게 되면,
// 마지막은 범위를 벗어난 undefined와 비교하게 된다.
for (let j = 0; j < arr.length; j++) {
if (arr[j] > arr[j + 1]) {
let temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
}
cnt++;
}
}
console.log(`After bubble sorting: ${[...arr]}`);
console.log(`Sorting count = ${cnt}`);
}
function bubble_sort2(arr) {
console.log(`before bubble sorting: ${[...arr]}`);
let cnt = 0;
for (let i = arr.length; i > 0; i--) {
for (let j = 0; j < i - 1; j++) {
if (arr[j] > arr[j + 1]) {
let temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
}
cnt++;
}
}
console.log(`After bubble sorting: ${[...arr]}`);
console.log(`Sorting count = ${cnt}`);
}
function bubble_sort3(arr) {
console.log(`before bubble sorting: ${[...arr]}`);
let cnt = 0;
for (let i = arr.length; i > 0; i--) {
let sort_finish = true;
for (let j = 0; j < i - 1; j++) {
if (arr[j] > arr[j + 1]) {
let temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
sort_finish = false;
}
cnt++;
}
// 이미 정렬이 완료되었으면 반복문을 빠져나온다
if (sort_finish) break;
}
console.log(`After bubble sorting: ${[...arr]}`);
console.log(`Sorting count = ${cnt}`);
}
let arr = [3, 6, 13, 4, 33, 12, 35, 87, 6, 64];
bubble_sort1(arr); // Sorting Count = 100
bubble_sort2(arr); // Sorting Count = 45
bubble_sort3(arr); // Sorting Count = 39
시간 복잡도: O(n^2)
- bubble_sort1
- 하나하나 다 비교하기 때문에 정확히 o(n^2)의 시간복잡도를 가진다
- bubble_sort2
- 첫 반복에서 이미 최댓값은 맨 뒤에 위치하기 때문에 다음 반복에서 마지막은 비교하지 않는다.
- 위와 같은 방법으로 처음 방법이 i번이라면 i-1, i-2, i-3... 의 반복을 거친다.
- bubble_sort3
- 정렬이 완료된 상태라면 더 이상 반복문을 진행하지 않으므로 반복횟수를 더 줄일 수 있다.
'ALGORITHM > 정렬' 카테고리의 다른 글
Algorithm / 정렬 / Quick Sort (퀵 정렬) (0) | 2022.08.31 |
---|---|
Algorithm / 정렬 / Merge Sort (합병 정렬) (0) | 2022.08.18 |
Algorithm / 정렬 / Insertion Sort (삽입 정렬) (0) | 2022.08.18 |
Algorithm / 정렬 / Selection Sort (선택 정렬) (0) | 2022.08.17 |