[LeetCode] Word Search
문제링크 문제 설명 Given an m x n grid of characters board and a string word, return true if word exists in the grid. The word can be constructed from letters o...
Given an m x n
grid of characters board
and a string word
, return true
if word
exists in the grid.
The word can be constructed from letters of sequentially adjacent cells, where adjacent cells are horizontally or vertically neighboring. The same letter cell may not be used more than once.
Example 1:
Input: board = [["A","B","C","E"],["S","F","C","S"],["A","D","E","E"]], word = "ABCCED"
Output: true
Example 2:
Input: board = [["A","B","C","E"],["S","F","C","S"],["A","D","E","E"]], word = "SEE"
Output: true
Example 3:
Input: board = [["A","B","C","E"],["S","F","C","S"],["A","D","E","E"]], word = "ABCB"
Output: false
Constraints:
m == board.length
n = board[i].length
1 <= m, n <= 6
1 <= word.length <= 15
board
and word
consists of only lowercase and uppercase English letters.옛날에 삼성 SW역량테스트를 준비했을때 많이 접했던 유형으로, 시뮬레이션을 진행하거나 말판의 말을 움직이는 문제여서 반가웠습니다.
19년도 취준생 시절, 삼성 SW역량테스트 A형을 취득했던 경험이 있는데요. 이후론 A+형도 생겼다고 들었던 것 같습니다. 저 같은 경우 첫 직장의 최종 선택지는 카카오와 삼성전자, SK브로드밴드 였고 카카오를 선택했었습니다. 세 회사 모두 준비과정에서 집중했던 부분이 많이 달랐던 것으로 기억하는데요. 조만간 제가 개발직 취업 준비를 하며 회사별 집중했던 포인트를 한번 정리해 볼까 합니다.
정리해 볼 회사들은 현 직장과 전 직장인 SKT와 카카오, 최종합격을 경험한 삼성전자, 네이버, SK브로드밴드 정도로 예상 하고 있습니다.
풀이의 핵심은 현재위치를 기준으로 다음 word[idx] 가 사방에 존재하는지를 확인하는 bfs 입니다.
먼저, word[0] 이 board에 존재하지 않는다거나, word의 길이가 1이라거나, word안의 character들이 혹시 board에 존재하지 않는 것이 있는 경우와 같은 edge 케이스들을 사전에 처리해 준 후, 탐색을 시행했습니다.
candi라는 리스트를 통해 character가 하나씩 들어가면서 가능한 [행좌표, 열좌표, 직전에서 어떻게 이동해 왔는지] 의 정보들을 저장하게 했습니다.
또한 이미 방문한 곳은 재방문하지 않으며, 직전에서 현재위치로 어떻게 이동해 왔는지를 같이 기록하여 실행속도를 더 빠르게 하고자 했습니다.
아래 코드를 통해 직관적으로 확인 가능합니다.
class Solution:
def exist(self, board: List[List[str]], word: str) -> bool:
m,n = len(board), len(board[0])
candi, idx = [], 1
dir_dic = {
0: [[1,0], [-1,0],[0,-1], [0,1]], # 초기
1: [[1,0], [0,-1], [0,1]], # 상
2: [[-1,0], [0,-1], [0,1]], # 하
3: [[1,0], [-1,0], [0,1]], # 좌
4: [[1,0], [-1,0], [0,-1]] # 우
}
dir_dic_nxt = {'[1, 0]': 1, '[-1, 0]': 2, '[0, 1]': 3, '[0, -1]': 4}
for i in range(m):
for j in range(n):
if board[i][j] == word[0]:
candi.append([[i,j,0]])
# 시작이 없을 경우 제외
if len(candi) == 0:
return False
# word가 1개일 경우
if len(word) == 1:
return True
# 존재하지 않는지 확인
for _ in range(len(word)):
exist = False
for i in range(m):
if word[_] in board[i]:
exist = True
break
if not exist:
return False
while idx < len(word):
nxt_candi = []
for cand in candi:
pos_i, pos_j = cand[-1][0], cand[-1][1]
checklist = dir_dic[cand[-1][-1]] # 확인해야 할 위치 리스트
for check in checklist:
nxt_i, nxt_j = pos_i + check[0], pos_j + check[1]
# 다음 char 발견
if (-1 < nxt_i < m) and (-1 < nxt_j <n) and board[nxt_i][nxt_j] == word[idx] and [nxt_i, nxt_j] not in [_[:2] for _ in cand]:
nxt_candi.append(cand + [[nxt_i, nxt_j, dir_dic_nxt[str(check)]]])
if len(nxt_candi) == 0:
return False
candi = nxt_candi
idx += 1
return True
문제링크 문제 설명 Given an m x n grid of characters board and a string word, return true if word exists in the grid. The word can be constructed from letters o...
문제링크 문제 설명 Given a string containing digits from 2-9 inclusive, return all possible letter combinations that the number could represent. Return the answe...
문제링크 문제 설명 N개의 아파트가 일렬로 쭉 늘어서 있습니다. 이 중에서 일부 아파트 옥상에는 4g 기지국이 설치되어 있습니다. 기술이 발전해 5g 수요가 높아져 4g 기지국을 5g 기지국으로 바꾸려 합니다. 그런데 5g 기지국은 4g 기지국보다 전달 범위가 좁아, 4g 기...
문제링크 괄호 제거 시간 제한 메모리 제한 제출 정답 맞은 사람 정답 비율 1 초 128 MB 2016 680 ...
문제링크 문제 설명 Given a string s, return the longest palindromic substring in s. Example 1: Input: s = "babad" Output: "bab" Note: "aba" is also a valid ans...
문제링크 문제 설명 개발자를 희망하는 죠르디가 카카오에 면접을 보러 왔습니다. 코로나 바이러스 감염 예방을 위해 응시자들은 거리를 둬서 대기를 해야하는데 개발 직군 면접인 만큼 아래와 같은 규칙으로 대기실에 거리를 두고 앉도록 안내하고 있습니다. 대기실은 5...
문제링크 문제 설명 개발팀 내에서 이벤트 개발을 담당하고 있는 “무지”는 최근 진행된 카카오이모티콘 이벤트에 비정상적인 방법으로 당첨을 시도한 응모자들을 발견하였습니다. 이런 응모자들을 따로 모아 불량 사용자라는 이름으로 목록을 만들어서 당첨 처리 시 제외하도록 이벤트 당첨자...
문제링크
문제링크 문제 설명 데이터 처리 전문가가 되고 싶은 “어피치”는 문자열을 압축하는 방법에 대해 공부를 하고 있습니다. 최근에 대량의 데이터 처리를 위한 간단한 비손실 압축 방법에 대해 공부를 하고 있는데, 문자열에서 같은 값이 연속해서 나타나는 것을 그 문자의 개수와 반복되...
문제링크 Given n non-negative integers a1, a2, ..., an , where each represents a point at coordinate (i, ai). n vertical lines are drawn such that the two endpo...
문제링크 Given n non-negative integers representing an elevation map where the width of each bar is 1, compute how much water it can trap after raining. Exam...
문제링크 Given two sorted arrays nums1 and nums2 of size m and n respectively, return the median of the two sorted arrays. The overall run time c...
문제링크 Given an unsorted integer array nums, find the smallest missing positive integer. You must implement an algorithm that runs in O(n) time and uses co...
문제링크 나무 자르기 시간 제한 메모리 제한 제출 정답 맞은 사람 정답 비율 1 초 256 MB 72052 20773 ...
문제링크 문제 설명 카카오TV에서 유명한 크리에이터로 활동 중인 죠르디는 환경 단체로부터 자신의 가장 인기있는 동영상에 지구온난화의 심각성을 알리기 위한 공익광고를 넣어 달라는 요청을 받았습니다. 평소에 환경 문제에 관심을 가지고 있던 “죠르디”는 요청을 받아들였고 광고효과...
문제링크 Easy You are climbing a staircase. It takes n steps to reach the top. Each time you can either climb 1 or 2 steps. In how many distinct ways can you ...
문제링크 문제 설명 Finn은 편의점에서 야간 아르바이트를 하고 있습니다. 야간에 손님이 너무 없어 심심한 Finn은 손님들께 거스름돈을 n 원을 줄 때 방법의 경우의 수를 구하기로 하였습니다. 예를 들어서 손님께 5원을 거슬러 줘야 하고 1원, 2원, 5원이 있다면 ...
문제링크 A robot is located at the top-left corner of a m x n grid (marked ‘Start’ in the diagram below). The robot can only move either down or right at any p...
문제링크 Medium Given an integer array nums, return all the triplets [nums[i], nums[j], nums[k]] such that i != j, i != k, and j != k, and nums[i] + nums[j] + ...