250x250
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 |
Tags
- 백트래킹
- 유니크제약조건
- 데코레이터
- 이진탐색
- 비관적락
- CHECK OPTION
- 스토어드 프로시저
- 연결리스트
- eager
- BOJ
- 즉시로딩
- 힙
- dfs
- 스프링 폼
- JPQL
- 연관관계
- execute
- FetchType
- 지연로딩
- PS
- SQL프로그래밍
- 다대다
- 동적sql
- fetch
- shared lock
- 다대일
- 낙관적락
- exclusive lock
- querydsl
- 일대다
Archives
- Today
- Total
흰 스타렉스에서 내가 내리지
[알고리즘] 이진 탐색 알고리즘 (Binary Search Algorithm) 본문
728x90
재귀 함수를 이용한 이진 탐색
def binary_search(arr, target, start, end):
if start > end:
return None
mid = (start + end) // 2
if arr[mid] == target:
return mid
elif arr[mid] > target:
return binary_search(arr, target, start, mid -1)
else:
return binary_search(arr, target, mid + 1, end)
반복문을 이용한 이진 탐색
def binary_search(arr, target, start, end):
while start <= end:
mid = (start + end) // 2
if arr[mid] == target:
return mid
elif arr[mid] > target:
end = mid - 1
else:
start = mid + 1
return None
bisect_left(a, x) : 정렬된 순서를 유지하면서 리스트 a에 데이터 x를 삽입할 가장 왼쪽 인덱스를 찾는 메서드
bisect_right(a, x) : 정렬된 순서를 유지하면서 리스트 a에 데이터 x를 삽입할 가장 오른쪽 인덱스를 찾는 메서드
def bisect_left(arr, target, low=0, high=None):
if high is None:
high = len(arr)
while low < high:
mid = (low + high) // 2
if arr[mid] < target:
low = mid+1
else:
high = mid
return low
def bisect_right(arr, target, low=0, high=None):
if high is None:
high = len(arr)
while low < high:
mid = (low + high) // 2
if target < arr[mid]:
high = mid
else:
low = mid+1
return high
bisect_left() 함수와 bisect_right()함수는 '정렬된 리스트'에서 '값이 특정 범위에 속하는 원소의 개수를 구하고자 할 때, 효과적으로 사용될 수 있다.
파이썬에서는 이진 탐색을 쉽게 구현할 수 있도록 bisect 라이브러리를 제공한다. 두 함수는 O(logN)에 동작한다.
위의 코드는 파이썬에 내장된 bisect_left(), bisect_right()의 실제 소스코드이다.
from bisect import bisect_left, bisect_right
a = bisect_left(arr, x)
b = bisect_right(arr, x)
에서 a==b 이면 arr에 x가 존재하지 않는다는 뜻이다.
'Algorithm' 카테고리의 다른 글
외판원 문제 (Traveling Salesman Problem, TSP) (0) | 2022.03.16 |
---|---|
탐욕 알고리즘 (Greedy Algorithm) (0) | 2022.01.06 |
[알고리즘] 에라토스테네스의 체(Sieve of Eratosthenes) (0) | 2022.01.03 |
[DFS, 백트래킹] 순열 구하기 (0) | 2021.12.30 |
[DFS] DFS에서 copy.deepcopy를 사용해야 하는 경우 (0) | 2021.12.29 |