문제

https://school.programmers.co.kr/learn/courses/30/lessons/43163

풀이

시도 1

  • 최소 깊이로 도달하는 것이기 때문에 DFS를 이용해서 진행한다.
  • 큐를 사용하고 target과 같으면 바로 리턴하면 된다.
solution.py
 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
def solution(begin, target, words):
    from collections import deque
    if target not in words:
        return 0

    q = deque()
    # 현재 단어와 이동횟수를 큐에 담는다
    q.append([begin, 0])

    # q를 돌면서
    while(q):
        # pop
        prev, cnt = q.popleft()
        # pop한 값이 타겟과 같으면 리턴
        if prev == target:
            return cnt
        # words를 돌면서
        for i in range(len(words)):
            # 다음에 들어갈 수 있는 단어가 있으면
            if(isOneAlphabetDiff(prev, words[i])):
                # 큐에 넣고 카운트 1증가
                q.append([words[i], cnt+1])

    return 0


def isOneAlphabetDiff(prev, next):
    cnt = 0
    for i in range(len(next)):
        if prev[i] != next[i]:
            cnt += 1
        if cnt > 1:
            return False
    return True