백준 1920 : 수 찾기
문제 링크:
https://www.acmicpc.net/problem/1920
문제 내용:
(요약) N개의 정수가 있을 때, M개의 수들이 주어지는데, 이 수들이 N개의 정수 안에 존재하는 지를 출력하시오.
Idea:
좀 더 빠르게 목표 숫자를 찾기 위해 이분 탐색을 사용하였다.
- 배열 A를 정렬해준다.(stl : algorithm의 sort 사용)
- 이분 탐색을 통해 해당 숫자가 있는지를 검사
Code:
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
|
#include <stdio.h>
#include <algorithm>
#include <iostream>
using namespace std;
int A[100000];
int main() {
int n;
//n개의 정수
scanf("%d", &n);
for (int i = 0; i < n; i++)
scanf("%d", &A[i]);
sort(A, A + n);
//확인할 m개의 숫자
int M;
scanf("%d", &M);
bool exist;
int test_case, right, left;
//배열 A에 해당 숫자가 있는지 확인
while (M--) {
exist = false;
left = 0;
right = n - 1;
scanf("%d", &test_case);
//이분 탐색
while (left <= right) {
int mid = (left + right) / 2;
if (A[mid] > test_case)
right = mid - 1;
else if (A[mid] < test_case)
left = mid + 1;
else {
//있다면 true
exist = true;
break;
}
}
//결과출력
if (exist) printf("1\n");
else printf("0\n");
}
return 0;
}
|
cs |
'백준 Baekjoon' 카테고리의 다른 글
[C언어] 백준 10870 : 피보나치 수 5 (0) | 2020.08.14 |
---|---|
[C언어] 백준 10872 : 팩토리얼 (0) | 2020.08.14 |
[JAVA] 백준 1822 : 차집합 (0) | 2020.08.02 |
[C언어] 백준 2577 : 숫자의 개수 (0) | 2020.07.30 |
[C언어] 백준 2798 : 블랙잭 (0) | 2020.07.30 |