재귀 방식으로 안 풀고 싶어서 고민했지만,, 머리가 터질 것 같아서 포기했다...ㅠ
항상 중복 체크와 방문이 헷갈렸는데 다시 한번 풀어볼 수 있어서 좋았다.
dfs방식을 이용했고 문자열이 중복되거나 탐색이 종료되었을 때 count 값의 최대값을 업데이트 하는 식으로 구현했다.
문자열의 중복체크는 알파벳만 들어간다는 점에서 97~122의 정수로 바꿀 수 있기 때문에 정수 배열 200칸을 만들어 map 처럼 사용했다.
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.*;
import static java.lang.System.out;
public class Main {
static int R;
static int C;
static char[][] map;
static int[][] visited;
static int[] log;
static int max = 0;
static int[] dx = {0, 0, -1, 1};
static int[] dy = {1, -1, 0, 0};
public static class Node {
int x;
int y;
int count;
public Node(int x, int y, int count) {
this.x = x;
this.y = y;
this.count = count;
}
}
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringTokenizer st = new StringTokenizer(br.readLine());
R = Integer.parseInt(st.nextToken());
C = Integer.parseInt(st.nextToken());
map = new char[R][C];
visited = new int[R + 1][C + 1];
log = new int[200];
for (int i = 0; i < R; i++) {
String line = br.readLine();
map[i] = line.replace(" ", "").toCharArray();
}
visited[0][0] = 1;
dfs(new Node(0, 0, 1));
out.println(max);
}
private static void dfs(Node node) {
if (log[map[node.x][node.y]] >= 1) {
log[map[node.x][node.y]] += 1;
max = Math.max(max, node.count - 1);
return;
}
log[map[node.x][node.y]] += 1;
for (int i = 0; i < 4; i++) {
int x = node.x + dx[i];
int y = node.y + dy[i];
if (x >= 0 && x < R && y >= 0 && y < C && visited[x][y] == 0) {
visited[x][y] = 1;
dfs(new Node(x, y, node.count + 1));
log[map[x][y]] -= 1;
visited[x][y] = 0;
}
}
max = Math.max(max, node.count);
}
}
'백준 > DFS, BFS' 카테고리의 다른 글
[백준 3055번 / Java] 탈출 (0) | 2024.06.01 |
---|---|
[백준 1389번 / Java] 케빈 베이컨의 6단계 법칙 (0) | 2024.05.30 |
[백준 2644번 / Java] 촌수계산 (0) | 2024.05.29 |
[백준 9019번 / Java] DSLR (0) | 2024.05.23 |
[백준 7576번 / Java] 토마토 (0) | 2024.05.23 |