숫자 카드는 정수 하나가 적혀져 있는 카드이다. 상근이는 숫자 카드 N개를 가지고 있다. 정수 M개가 주어졌을 때, 이 수가 적혀있는 숫자 카드를 상근이가 가지고 있는지 아닌지를 구하는 프로그램을 작성하시오.
첫째 줄에 상근이가 가지고 있는 숫자 카드의 개수 N(1 ≤ N ≤ 500,000)이 주어진다. 둘째 줄에는 숫자 카드에 적혀있는 정수가 주어진다. 숫자 카드에 적혀있는 수는 -10,000,000보다 크거나 같고, 10,000,000보다 작거나 같다. 두 숫자 카드에 같은 수가 적혀있는 경우는 없다.
셋째 줄에는 M(1 ≤ M ≤ 500,000)이 주어진다. 넷째 줄에는 상근이가 가지고 있는 숫자 카드인지 아닌지를 구해야 할 M개의 정수가 주어지며, 이 수는 공백으로 구분되어져 있다. 이 수도 -10,000,000보다 크거나 같고, 10,000,000보다 작거나 같다
첫째 줄에 입력으로 주어진 M개의 수에 대해서, 각 수가 적힌 숫자 카드를 상근이가 가지고 있으면 1을, 아니면 0을 공백으로 구분해 출력한다.
5
6 3 2 10 -10
8
10 9 -5 2 3 4 5 -10
1 0 0 1 1 0 0 1
✅ 답안 #1: 이진탐색 및 재귀적 구현을 이용한 풀이
const filePath = process.platform === 'linux' ? '/dev/stdin' : './input.txt';
const input = require('fs').readFileSync(filePath).toString().trim().split('\n');
const n = +input[0];
// 상근이의 카드 배열을 오름차순 정렬
const cards = input[1].split(' ').map(Number).sort((a, b) => a - b);
const targets = input[3].split(' ').map(Number);
// 이분 탐색(BS)
const bs = (start, end, target, arr) => {
if (start > end) return 0;
const mid = Math.floor((start + end) / 2);
if (target === cards[mid]) return 1;
else if (target > cards[mid]) {
return bs(mid + 1, end, target, arr);
} else {
return bs(start, mid - 1, target, arr);
}
};
let result = [];
// 타겟 카드 유무를 탐색하기 위해 BS실행 후 반환값을 result 배열에 추가
for (const target of targets) {
result.push(bs(0, n - 1, target, cards));
}
console.log(result.join(' '));
✅ 답안 #2: 이진탐색 및 반복문을 이용한 풀이
const filePath = process.platform === 'linux' ? '/dev/stdin' : './input.txt';
const input = require('fs').readFileSync(filePath).toString().trim().split('\n');
const n = +input[0];
// 상근이의 카드 배열을 오름차순 정렬
const cards = input[1].split(' ').map(Number).sort((a, b) => a - b);
const m = +input[2];
const targets = input[3].split(' ').map(Number);
// 이분 탐색
function bs(target) {
let start = 0;
let end = n - 1;
while (start <= end) {
const mid = Math.floor((start + end) / 2);
if (target === cards[mid]) return 1;
else if (cards[mid] < target) {
start = mid + 1;
} else {
end = mid - 1;
}
}
return 0;
}
let result = [];
// 타겟 카드 유무를 탐색하기 위해 BS실행 후 반환값을 result 배열에 추가
for (const target of targets) {
result.push(bs(target));
}
console.log(result.join(' '));
✅ 답안 #3: Set을 이용한 풀이
const filePath = process.platform === 'linux' ? '/dev/stdin' : './input.txt';
const input = require('fs').readFileSync(filePath).toString().trim().split('\n');
const cards = new Set(input[1].split(' '));
const targets = input[3].split(' ');
const result = [];
for (const target of targets) {
cards.has(target) ? result.push(1) : result.push(0);
}
console.log(result.join(' '));