Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | 3 | 4 | 5 | 6 | 7 |
8 | 9 | 10 | 11 | 12 | 13 | 14 |
15 | 16 | 17 | 18 | 19 | 20 | 21 |
22 | 23 | 24 | 25 | 26 | 27 | 28 |
29 | 30 | 31 |
Tags
- 젤다 왕눈
- Linux
- 주식
- 비트코인
- threejs
- Three
- angular
- PC
- strongloop
- 보안
- loopback
- review
- kubernetes
- 탈중앙화
- Docker
- 쿠버네티스
- 투자
- 리뷰
- 스마트 컨트랙트
- 스마트 계약
- Games
- ps4
- 시장
- 거래
- game
- 게임
- 암호화폐
- 부동산
- 블록체인
- 이더리움
Archives
- Today
- Total
BaeBox
QuickSort(퀵정렬) with JavaScript 본문
반응형
* node 에서는 기본적으로 class를 사용하지 못하므로 babel을 사용해야 한다. 적용법은 최하단 링크에 있다. 귀찮으면 아래 링크의 git을 clone을 하시면 된다.
QuickSort (퀵정렬) : Pivot을 기준으로 좌우 좌측에는 그보다 작은 수만, 우측에는 큰 수만 남기는 방식으로 정렬하는 방법. 평균적인 상황에서 최고의 성능을 가짐.
구현 방법은 간단하다. (* 오름차순 정렬을 한다고 가정한다. )
- 전체 범위에서 Pivot을 정한다. Pivot을 기준으로 나뉜 범위를 Partiton 이라고 하겠다.
- Pivot을 기준으로 작은 수는 왼쪽, 큰 수는 오른쪽으로 넘긴다.
- 좌/우측 파티션을 각각 1, 2의 과정을 반복한다.
https://eyecandyzero.tistory.com/236
어떻게 코드를 짤지 참고하다가 위 블로그를 발견했다. 좋더라...
const swap = (arr, indexA, indexB) => {
const tmp = arr[indexA];
arr[indexA] = arr[indexB];
arr[indexB] = tmp;
}
const quickSort = (arr, left = 0, right = (arr.length - 1)) => {
let index;
if (arr.length > 1) {
index = partition(arr, left, right);
if (left < index - 1) quickSort(arr, left, index - 1);
if (index < right) quickSort(arr, index, right);
}
return arr;
}
const partition = (arr, _left, _right) => {
let pivot = arr[Math.floor((_right + _left) / 2)];
let left = _left;
let right = _right;
// pivot 바로 양 옆 녀석들까지 비교하고 바꿔준다.
while (left <= right) {
while (arr[left] < pivot) left++;
while (arr[right] > pivot) right--;
if (left <= right) {
swap(arr, left, right);
left++;
right--;
}
}
return left;
}
{
const arr = [];
for (let i = 0; i < 20; i++) arr.push(Math.round(Math.random() * 50));
const set = new Set(arr);
const ArrayToSort = Array.from(set);
process.stdout.write('before sort : ');
console.log(ArrayToSort);
process.stdout.write('after sort : ');
console.log(quickSort(ArrayToSort));
}
위 블로그에서 본 코드를 기반으로 내가 코딱지만큼 수정했다.
https://eyecandyzero.tistory.com/236
아래 내 깃허브에서 소스를 볼 수 있다.
반응형
'개발 관련' 카테고리의 다른 글
Web developer roadmap 2020 (0) | 2020.06.21 |
---|---|
Git README.md 작성법 (0) | 2020.04.25 |
Trie(트리, 트라이) with JavaScript (0) | 2020.04.20 |
HashSet(해시셋) with JavaScript (0) | 2020.04.20 |
HashTable(해시테이블) with JavaScript (0) | 2020.04.20 |
Comments