Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- Common Child
- hackerrank
- BFS: Shortest Reach in a Graph
- 격파르타 장점
- 격파르타 합격후기
- 파이썬
- 매칭점수
- [sqld]자격증합격
- DFS: Connected Cell in a Grid
- Recursion: Davis' Staircase
- 야근지수
- candies
- 머신러닝
- Find the nearest clone
- Algorithm
- 해커랭크
- 구슬탈출2
- programmers
- Special String Again
- Interview Preparation Kit
- Max Array Sum
- 피보나치 함수
- 백준
- 격파르타 후기
- 코딩테스트
- Reverse Shuffle Merge
- 프로그래머스
- Roads and Libraries
- python
- 알고리즘
Archives
- Today
- Total
Archive
[BOJ] 1303. 전쟁-전투 본문
풀이
- queue를 사용한 DFS문제.
- visited 2차원 리스트를 만들어 방문했는지 여부를 저장
- 첫 시작점 방문 -> DFS로 갈수 있는 모든 점 방문
- 방문하면서 visited를 업데이트
- 방문 끝나면 다시 순차적으로 다음 위치 탐색(visited에 이미 방문했으면 건너뜀)
def solution(M, N, m):
"""
M : 가로
N : 세로
m : 병사 배치 매트릭스
"""
w_score = 0
b_score = 0
visited = [[False for _ in range(M)] for _ in range(N)]
queue = []
queue.append([0, 0])
for i in range(N):
for j in range(M):
if visited[i][j] == False:
queue = [[i, j]]
# 해당 지점이 B인지, W인지를 저장.
blue_or_white = 'B' if m[i][j] == 'B' else 'W'
cnt = 0
while queue:
x, y = queue.pop()
cnt += 1
visited[x][y] = True
# 1. 다음 방문할 위치 index가 주어진 matrix안에 들어와야함
# 2. matrix에서 다음 방문할 위치가 처음 방문이어야 함(visited == False)
# 3. matrix에서 다음 방문할 위치가 처음 위치의 병사와 동일해야 함.
if x+1 < N and visited[x+1][y] == False and m[x+1][y] == blue_or_white:
queue.append([x+1, y])
visited[x+1][y] = True
if y+1 < M and visited[x][y+1] == False and m[x][y+1] == blue_or_white:
queue.append([x, y+1])
visited[x][y+1] = True
if x-1 >= 0 and visited[x-1][y] == False and m[x-1][y] == blue_or_white:
queue.append([x-1, y])
visited[x-1][y] = True
if y-1 >= 0 and visited[x][y-1] == False and m[x][y-1] == blue_or_white:
queue.append([x, y-1])
visited[x][y-1] = True
if blue_or_white == 'B':
b_score += cnt**2
else:
w_score += cnt **2
return w_score, b_score
import sys
M, N = map(int, sys.stdin.readline().split(' '))
m = []
for _ in range(N):
lst = [i for i in sys.stdin.readline().strip()]
m.append(lst)
rs = solution(M, N, m)
print(rs[0], rs[1])
'공부 > Algorithm' 카테고리의 다른 글
[BOJ] 10451. 순열 사이클 (0) | 2021.02.14 |
---|---|
[BOJ] 2178. 미로탐색 (0) | 2021.02.07 |
[BOJ] 1697 숨바꼭질 (0) | 2021.01.31 |
[BOJ] 1406 에디터 (0) | 2021.01.31 |
[BOJ] 스택수열 (0) | 2021.01.24 |
Comments