이진 탐색 (Binary Search)
Data structure 2019. 8. 14. 17:13이진 검색 알고리즘(binary search algorithm)은 오름차순으로 정렬된 리스트에서 특정한 값의 위치를 찾는 알고리즘이다. 처음 중간의 값을 임의의 값으로 선택하여, 그 값과 찾고자 하는 값의 크고 작음을 비교하는 방식을 채택하고 있다. 처음 선택한 중앙값이 만약 찾는 값보다 크면 그 값은 새로운 최댓값이 되며, 작으면 그 값은 새로운 최솟값이 된다. 검색 원리상 정렬된 리스트에만 사용할 수 있다는 단점이 있지만, 검색이 반복될 때마다 목표값을 찾을 확률은 두 배가 되므로 속도가 빠르다는 장점이 있다.
https://www.geeksforgeeks.org/binary-search/
https://cjh5414.github.io/binary-search/
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
32
33
34
35
36
37
38
39
40
41
42
43
44
45
|
public class Solution6{
public Solution6(){
int[] arr = {1,2,3,7,9,12,21,23,27};
//var index = this.BSearchRecur(arr, 0, arr.Length-1, 9);
var index = this.BSearch(arr, 12);
Console.WriteLine("index:{0}, value:{1}", index, arr[index]);
}
private int BSearchRecur(int[] arr, int start, int end, int target){
int mid = (start + end) /2;
if(start>end){
return -1;
}else{
if(arr[mid] == target){
return mid;
}else{
if(arr[mid] > target){
return this.BSearchRecur(arr, start, mid-1, target);
}else{
return this.BSearchRecur(arr, mid+1, end, target);
}
}
}
}
private int BSearch(int[] arr, int target){
int start = 0;
int mid = 0;
while(start<= end){
mid = (start+end)/2;
if(arr[mid] == target){
return mid;
}else{
if(arr[mid] > target){
end = mid -1;
}else{
start = mid+1;
}
}
}
return -1;
}
}
|
https://www.youtube.com/watch?v=T2sFYY-fT5o
'Data structure' 카테고리의 다른 글
Binary Search Tree (0) | 2020.05.29 |
---|---|
이진 트리 (0) | 2019.08.14 |
퀵 정렬( Quick Sort) (0) | 2019.08.14 |
병합정렬 (Merge Sort) (0) | 2019.08.14 |
점화식 (0) | 2019.08.14 |