[백준] 2644번 촌수계산
2020년 07월 21일, 15:50
촌수 계산
문제 설명
우리 나라는 가족 혹은 친척들 사이의 관계를 촌수라는 단위로 표현하는 독특한 문화를 가지고 있다. 이러한 촌수는 다음과 같은 방식으로 계산된다. 기본적으로 부모와 자식 사이를 1촌으로 정의하고 이로부터 사람들 간의 촌수를 계산한다. 예를 들면 나와 아버지, 아버지와 할아버지는 각각 1촌으로 나와 할아버지는 2촌이 되고, 아버지 형제들과 할아버지는 1촌, 나와 아버지 형제들과는 3촌이 된다.
여러 사람들에 대한 부모 자식들 간의 관계가 주어졌을 때, 주어진 두 사람의 촌수를 계산하는 프로그램을 작성하시오.
입력
사람들은 1, 2, 3, …, n (1≤n≤100)의 연속된 번호로 각각 표시된다. 입력 파일의 첫째 줄에는 전체 사람의 수 n이 주어지고, 둘째 줄에는 촌수를 계산해야 하는 서로 다른 두 사람의 번호가 주어진다. 그리고 셋째 줄에는 부모 자식들 간의 관계의 개수 m이 주어진다. 넷째 줄부터는 부모 자식간의 관계를 나타내는 두 번호 x,y가 각 줄에 나온다. 이때 앞에 나오는 번호 x는 뒤에 나오는 정수 y의 부모 번호를 나타낸다.
각 사람의 부모는 최대 한 명만 주어진다.
출력
입력에서 요구한 두 사람의 촌수를 나타내는 정수를 출력한다. 어떤 경우에는 두 사람의 친척 관계가 전혀 없어 촌수를 계산할 수 없을 때가 있다. 이때에는 -1을 출력해야 한다.
문제 설명
- Input으로 부터 target과 relations를 분리.
- personInfos를 각 사람들의 촌수를 저장.
- excuteBFS
- 처음 시작 queue에 타겟을 넣어 시작.
- queue에서 뽑은 다음, relations에서 target과 연결된 다른 사람들을 뽑음.
- 이때, 뽑은 relations들은 visited를 1로 바꿔줌.
- target이 부모일때, 자식일때 모두 확인해주고, personInfos배열을 personInfos[target]+1로 설정해준다.
- 뽑은 target과 연결된 다른 사람들을 다시 queue에 넣어준다.
const fs = require("fs");
const input = fs.readFileSync("/dev/stdin").toString().trim().split("\n");
// const input = fs.readFileSync("./stdin").toString().trim().split("\n");
const people = Number(input[0]);
const [targetPerson1, targetPerson2] = input[1]
.trim()
.split(" ")
.map(person => Number(person));
const getRelations = inputs => {
const relations = [];
inputs.forEach(input => {
const relation = input
.trim()
.split(" ")
.map(person => Number(person));
relations.push([...relation, 0]);
});
return relations;
};
const relations = getRelations(input.slice(3, input.length));
const personInfos = Array(people + 1).fill(0);
const excuteBFS = targetPerson1 => {
const queue = [targetPerson1];
while (queue.length !== 0) {
const person = queue.shift();
const connected = [];
for (let i = 0; i < relations.length; i++) {
const [parent, child, visited] = relations[i];
if (parent === person && visited === 0) {
personInfos[child] = personInfos[person] + 1;
relations[i] = [parent, child, 1];
connected.push(child);
} else if (child === person && visited === 0) {
personInfos[parent] = personInfos[person] + 1;
relations[i] = [parent, child, 1];
connected.push(parent);
}
}
queue.push(...connected);
}
};
excuteBFS(targetPerson1);
console.log(personInfos[targetPerson2] === 0 ? -1 : personInfos[targetPerson2]);