티스토리 뷰
Insertion Sort 삽입정렬
Insert an element in the sorted subarray to its left.
두번째 Index를 시작으로 자신보다 앞 쪽 (왼쪽) 의 값과 계속 비교해가면서 자리를 옮겨나가는 알고리즘이다.
How the Insertion array works
int arr[] = [3,5,1,4,2]
partial sorted subarray | partial unsorted array |
[3] | [5,1,4,2] |
[3,5] | [1,4,2] |
[3,5,1] -> [3,1,5] -> [1,3,5] | [4,2] |
[1,3,5,4] -> [1,3,4,5] | [2] |
[1,3,4,5,2] -> [1,3,4,2,5] -> [1,3,2,4,5] -> [1,2,3,4,5] | [] |
Solution in Java
public class Main {
public static void main(String[] args) {
int arr[] = {3,5,1,4,2};
Insertion insertion = new Insertion();
insertion.sort(arr);
}
}
public class Insertion {
public void sort(int arr[]) {
for (int i = 1; i < arr.length; i++) {
int key = arr[i];
int sort = i - 1;
while (sort >= 0 && key < arr[sort]) { //key 값이 앞의 element보다 크면 while실행
arr[sort + 1] = arr[sort]; //값이 바뀌어도 원래값은 key에 저장되어 있기때문에 문제가 없다.
sort--; //계속 앞으로 돌아가서 비교
}
arr[sort + 1] = key;
}
print(arr);
}
public static void print(int[] arr) {
for (int k = 0; k < arr.length; k++) {
System.out.print(arr[k] + ", ");
}
}
}
|
Output
1, 2, 3, 4, 5,
Solution in JavaScript
function insertionSort(arr) {
const len = arr.length;
for (let i = 1; i < len; i++) {
let key = arr[i];
let j = i - 1;
while (j >= 0 && arr[j] > key) {
arr[j + 1] = arr[j];
j--;
}
arr[j + 1] = key;
}
console.log(arr);
}
insertionSort([4,2,1,5,3]);
Reference
https://www.youtube.com/watch?v=iqf96rVQ8fY
'Algorithms' 카테고리의 다른 글
Counting Valley (0) | 2019.08.31 |
---|---|
Comparison performing contains() for ArrayList and HashSet (0) | 2019.08.31 |
Sequential Search Algorithm (Linear Search) (0) | 2019.07.30 |
Selection Sort (0) | 2019.07.27 |
Bubble Sort (0) | 2019.07.25 |
공지사항
최근에 올라온 글
최근에 달린 댓글
- Total
- Today
- Yesterday
링크
TAG
- algorithm
- HackerRank Algorithm
- hackerrank solution
- hackerrank javascript
- 프로그래머스
- rest parameter
- string class in java
- compareTo()
- hackerrank javascript solution
- C++
- repeat()
- 프로그래머스 알고리즘
- Javascript Algorithm
- java
- 프로그래머스 알고리즘문제
- code refactoring
- hackerrank
- math.max
- 알고리즘
- javascript
- ... in Javascript
- Object type casting
- equals()
- spring boot application
- HashMap
- easy algorithm
- math.abs
- easy javascript algorithm
- Collection Framework
- substring()
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
글 보관함