문제 설명
두 개의 단어 begin, target과 단어의 집합 words가 있습니다. 아래와 같은 규칙을 이용하여 begin에서 target으로 변환하는 가장 짧은 변환 과정을 찾으려고 합니다.
1. 한 번에 한 개의 알파벳만 바꿀 수 있습니다.
2. words에 있는 단어로만 변환할 수 있습니다.
예를 들어 begin이 "hit", target가 "cog", words가 ["hot","dot","dog","lot","log","cog"]라면 "hit" -> "hot" -> "dot" -> "dog" -> "cog"와 같이 4단계를 거쳐 변환할 수 있습니다.
두 개의 단어 begin, target과 단어의 집합 words가 매개변수로 주어질 때, 최소 몇 단계의 과정을 거쳐 begin을 target으로 변환할 수 있는지 return 하도록 solution 함수를 작성해주세요.
제한사항- 각 단어는 알파벳 소문자로만 이루어져 있습니다.
- 각 단어의 길이는 3 이상 10 이하이며 모든 단어의 길이는 같습니다.
- words에는 3개 이상 50개 이하의 단어가 있으며 중복되는 단어는 없습니다.
- begin과 target은 같지 않습니다.
- 변환할 수 없는 경우에는 0를 return 합니다.
예제 #1
문제에 나온 예와 같습니다.
예제 #2
target인 "cog"는 words 안에 없기 때문에 변환할 수 없습니다.
풀이 코드
from collections import deque
def solution(begin, target, words):
if target not in words:
return 0
queue = deque()
queue.append([begin, 0])
while queue:
word, idx = queue.popleft()
if word == target:
return idx
for word_2 in words:
cnt = 0
for i, j in zip(word,word_2):
if i != j:
cnt += 1
if cnt == 1:
queue.append([word_2,idx+1])
풀이 과정
from collections import deque
def solution(begin, target, words):
if target not in words:
return 0
queue = deque()
queue.append([begin, 0])
깊이 우선 탐색보단 너비 우선 탐색이 더 빠르게 최단 길이를 찾을 수 있을 것 같아 BFS로 풀었다.
1. popleft()를 하기 위해 deque를 선언해준 후, deque의 0번째 시작 인덱스 값으로 [begin, 노드 계층]을 넣어주었다.
2. 만약 target값이 words에 없으면 바로 0을 리턴해준다.
while queue:
word, idx = queue.popleft()
if word == target:
return idx
for word_2 in words:
cnt = 0
for i, j in zip(word,word_2):
if i != j:
cnt += 1
if cnt == 1:
queue.append([word_2,idx+1])
3. queue에 값이 있으면 while문을 돌게 조건을 형성한 후, queue에서 단어와, 몇번째 노드 계층인지 꺼낸다.
4. 이후 words에 있는 단어들을 하나씩 꺼내(word_2) 기존에 꺼낸 word와 단어 하나씩 비교하여 알파벳이 하나만 다른 경우만 queue에다 넣는다,
5. 이렇게 반복하여 만약 queue에서 popleft한 word값이 target값과 일치하면 곧바로 return하게 했다.
DFS.. 실패코드
def dfs_stack(graph, start, target):
stack = [[start,0,0]]
visited = []
while stack:
node,idx,index = stack.pop()
for word_id, word in enumerate(graph[index:]):
cnt = 0
if node == target:
return idx
for i,j in zip(word,node):
if i != j:
cnt += 1
if cnt == 1:
stack.append([word,idx+1,word_id])
def solution(begin, target, words):
if target not in words:
return 0
return dfs_stack(words, begin,target)
테스트케이스 3번에서 시간 초과가 났다.. 추후 수정하도록..
https://programmers.co.kr/learn/courses/30/lessons/43163#
'Study > 코딩테스트' 카테고리의 다른 글
[프로그래머스 / 깊이/너비 우선 탐색(DFS/BFS) / Python] 여행 경로 (0) | 2022.01.10 |
---|---|
[프로그래머스 / 깊이/너비 우선 탐색(DFS/BFS) / Python] 네트워크 (0) | 2022.01.09 |
[프로그래머스 / 깊이/너비 우선 탐색(DFS/BFS) / Python] 타겟 넘버 (0) | 2022.01.09 |
[프로그래머스 / 이분탐색/ Python] 징검다리 (0) | 2022.01.03 |
[프로그래머스 / 이분탐색/ Python] 입국심사 (0) | 2022.01.03 |