프로그래머스 Level 3 - 양과 늑대
📌 문제 설명
data:image/s3,"s3://crabby-images/b0b4a/b0b4a98a3d4e257ec95989483b3200d9a9c78157" alt=""
data:image/s3,"s3://crabby-images/f8384/f83845dd6c7608dd1df20e7caa4f9d473060319b" alt=""
data:image/s3,"s3://crabby-images/e3f97/e3f97dd75bf3a08831705c8c9e580febcd18cb9c" alt=""
data:image/s3,"s3://crabby-images/9ecdf/9ecdfdcc8af117fbe0b9d8fd5fc021bd2b40140f" alt=""
data:image/s3,"s3://crabby-images/f97c9/f97c987d274056266f2ca2acb372ea67d516315d" alt=""
data:image/s3,"s3://crabby-images/5cba4/5cba4de69db1616fe35181f5f5e954c66eb24149" alt=""
📌 생각한 풀이 방법
- connectedNode에 연결된 노드를 인덱스에 맞게 push한다.
- DFS를 사용해 모든 경로를 탐색한다.
- sheep의 수를 매 경우마다 answer와 비교하여 최대 값을 저장한다.
- 양의 수인 sheep과 wolf의 수가 같은 경우는 return한다.
- connectedNode에 현재 노드에서 이동 가능한 노드를 newPossibles에 추가한다.
- 모든 경로를 탐색후 최대 값인 answer를 반환한다.
📌 풀이
function solution(info, edges) {
let answer = 0;
let connectedNode = Array.from({ length: info.length }, () => []);
for (let i = 0; i < edges.length; i++) {
let current = edges[i];
connectedNode[current[0]].push(current[1]);
}
function dfs(currentNode, sheep, wolf, possible) {
let newPossibles = [...possible];
let currentIndex = newPossibles.indexOf(currentNode);
if (info[currentNode]) {
wolf++;
} else {
sheep++;
}
answer = Math.max(answer, sheep);
if (sheep === wolf) {
return;
}
newPossibles.push(...connectedNode[currentNode]);
newPossibles.splice(currentIndex, 1);
for (const nextNode of newPossibles) {
dfs(nextNode, sheep, wolf, newPossibles);
}
}
dfs(0, 0, 0, [0]);
return answer;
}