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 |
Tags
- 위클리 챌린지
- 좋은 수열
- 입실 퇴실
- 백트랙킹
- DP
- BOJ
- BFS
- 순열장난
- 문서자동화
- 백트래킹
- 몯느 순열
- 프로그래머스
- 코딩테스트
- ElementTree
- 39080
- 재귀
- Java
- 줄어드는 숫자
- 위클리 6주차
- 1174
- 복서 정렬하기
- 부분 수열의 합
- openssl
- 10597
- 완전 탐색
- dfs
- 백준
- 백트렉킹
- 너비우선탐색
- 그래프
Archives
개발자-H 입니다.
BOJ - 토마토 (7576) 본문
https://www.acmicpc.net/problem/7576
7576번: 토마토
첫 줄에는 상자의 크기를 나타내는 두 정수 M,N이 주어진다. M은 상자의 가로 칸의 수, N은 상자의 세로 칸의 수를 나타낸다. 단, 2 ≤ M,N ≤ 1,000 이다. 둘째 줄부터는 하나의 상자에 저장된 토마토
www.acmicpc.net
- 그래프 탐색 BFS 문제이다.
- 초기 맵 초기화 시, 바꿔야 할 토마토 수를 세어 노드 방문시 개수를 차감하였다.
- 탐색이 끝난 후 토마토 수를 다 못했다면 -1
- 탐색이 끝났다면 최단 경로(BFS 깊이)를 출력했다.
- 초기 맵 초기화 시, 바꿔야 할 토마토 수를 세어 노드 방문시 개수를 차감하였다.
import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.util.*;
public class Main {
public static int N;
public static int M;
public static void main(String[] args) throws Exception {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringTokenizer st = new StringTokenizer(br.readLine());
N = Integer.parseInt(st.nextToken());
M = Integer.parseInt(st.nextToken());
int[][] tomatoMap = new int[M + 1][N + 1];
boolean[][] visit = new boolean[M + 1][N + 1];
Queue<State> queue = new LinkedList<>();
int numOftomato = 1;
for (int i = 1; i <= M; i++) {
st = new StringTokenizer(br.readLine());
for (int j = 1; j <= N; j++) {
tomatoMap[i][j] = Integer.parseInt(st.nextToken());
if (tomatoMap[i][j] == 1) {
queue.offer(new State(i, j, 1));
}
if (tomatoMap[i][j] == 0) {
numOftomato += 1;
}
}
}
int maxDepth = -1;
while (!queue.isEmpty()) {
State node = queue.poll();
if (node.row > M || node.row <= 0) continue;
if (node.col > N || node.col <= 0) continue;
if (visit[node.row][node.col] == true) continue;
if (tomatoMap[node.row][node.col] == -1) continue;
visit[node.row][node.col] = true;
if (tomatoMap[node.row][node.col] == 0) {
numOftomato -= 1;
}
maxDepth = Math.max(node.depth, maxDepth);
queue.offer(new State(node.row + 1, node.col, node.depth + 1));
queue.offer(new State(node.row - 1, node.col, node.depth + 1));
queue.offer(new State(node.row, node.col + 1, node.depth + 1));
queue.offer(new State(node.row, node.col - 1, node.depth + 1));
}
if (numOftomato > 1) {
System.out.println(-1);
} else {
System.out.println(maxDepth - 1);
}
}
}
class State {
public int row;
public int col;
public int depth;
public State(int row, int col, int depth) {
this.row = row;
this.col = col;
this.depth = depth;
}
}
'Algorithm > 문제 풀이' 카테고리의 다른 글
BOJ - ATM (0) | 2021.08.16 |
---|---|
BOJ - 1, 2, 3 더하기 (0) | 2021.08.16 |
BOJ - 최소비용 구하기 (0) | 2021.08.13 |
BOJ - 파도반 수열 (0) | 2021.08.12 |
BOJ - 피보나치 함수 (0) | 2021.08.12 |
Comments