https://www.acmicpc.net/problem/1920
문제
N개의 정수 A[1], A[2], …, A[N]이 주어져 있을 때, 이 안에 X라는 정수가 존재하는지 알아내는 프로그램을 작성하시오.
입력
첫째 줄에 자연수 N(1 ≤ N ≤ 100,000)이 주어진다. 다음 줄에는 N개의 정수 A[1], A[2], …, A[N]이 주어진다. 다음 줄에는 M(1 ≤ M ≤ 100,000)이 주어진다. 다음 줄에는 M개의 수들이 주어지는데, 이 수들이 A안에 존재하는지 알아내면 된다. 모든 정수의 범위는 -231 보다 크거나 같고 231보다 작다.
출력
M개의 줄에 답을 출력한다. 존재하면 1을, 존재하지 않으면 0을 출력한다.
이진 탐색 함수를 구현하여 해결하였습니다.
import sys
input = sys.stdin.readline
N = int(input())
A = list(map(int, input().split()))
M = int(input())
B = list(map(int, input().split()))
A.sort()
def binary_search(array, target, start, end):
while start <= end:
mid = (start+end)//2
if array[mid] == target:
return 1
elif array[mid] > target:
end = mid - 1
else:
start = mid + 1
return 0
for b in B:
print(binary_search(A, b, 0, len(A)-1))
간단한 방법으로는 'in'을 사용하면 됩니다.
import sys
input = sys.stdin.readline
N = int(input())
A = list(map(int, input().split()))
M = int(input())
B = list(map(int, input().split()))
for b in B:
print(1 if b in A else 0)
'Coding Test > 백준' 카테고리의 다른 글
[백준] / [Python] / [1654] 랜선 자르기 (0) | 2023.01.12 |
---|---|
[백준] / [Python] / [10816] 숫자 카드 2 (0) | 2023.01.09 |
[백준] / [Python] / [11444] 피보나치 수 6 (0) | 2023.01.05 |
[백준] / [Python] / [10830] 행렬 제곱 (0) | 2023.01.04 |
[백준] / [Python] / [1629] 곱셈 (0) | 2023.01.03 |