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)
n, target = list(map(int, input().split()))
arr = list(map(int, input().split()))
result = binary_search(arr, target, 0, n-1)
if result == None:
print('원소가 존재하지 않습니다. ')
else:
print(result + 1)
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
n, target = list(map(int, input().split()))
arr = list(map(int, input().split()))
result = binary_search(arr, target, 0, n - 1)
if result == None:
print('원소가 존재하지 않습니다.')
else:
print(result + 1)
bisect_left(a, x)
: 정렬된 순서를 유지하면서 배열 a에 x를 삽입할 가장 왼쪽 인덱스를 반환
bisect_right(a, x)
: 정렬된 순서를 유지하면서 배열 a에 x를 삽입할 가장 오른쪽 인덱스를 반환
from bisect import bisect_left, bisect_right
def count_by_range(a, left_value, right_value):
right_index = bisect_right(a, right_value)
left_index = bisect_left(a, left_value)
return right_index-left_index
a = [1, 2, 3, 3, 3, 3, 4, 4, 8, 9]
# 값이 4인 데이터 개수 출력
print(count_by_range(a, 4, 4)) ## 2
# 값이 [-1, 3] 범위에 있는 데이터 개수 출력
print(count_by_range(a, -1, 3)) ## 6