본문 바로가기
Algorithm/BOJ

[BOJ]1987번 : 알파벳(java, c++)

by HBGB 2020. 1. 18.

https://www.acmicpc.net/problem/1987

 

1987번: 알파벳

문제 세로 R칸, 가로 C칸으로 된 표 모양의 보드가 있다. 보드의 각 칸에는 대문자 알파벳이 하나씩 적혀 있고, 좌측 상단 칸 (1행 1열) 에는 말이 놓여 있다. 말은 상하좌우로 인접한 네 칸 중의 한 칸으로 이동할 수 있는데, 새로 이동한 칸에 적혀 있는 알파벳은 지금까지 지나온 모든 칸에 적혀 있는 알파벳과는 달라야 한다. 즉, 같은 알파벳이 적힌 칸을 두 번 지날 수 없다. 좌측 상단에서 시작해서, 말이 최대한 몇 칸을 지날 수 있는지를 구하는

www.acmicpc.net

 

백트랙킹 (java 소스)

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
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
import java.io.BufferedReader;
import java.io.BufferedWriter;
import java.io.InputStreamReader;
import java.io.OutputStreamWriter;
import java.util.List;
 
public class Main {
    
    static List<Integer> listLotto;
    static List<String> listCompleteLotto;
 
    public static void main(String[] args) throws Exception {
 
        BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
        BufferedWriter bw = new BufferedWriter(new OutputStreamWriter(System.out));
 
        // 입력
        String[] NnM = br.readLine().split(" ");
        int R = Integer.parseInt(NnM[0]);
        int C = Integer.parseInt(NnM[1]);
        
        String[] arrBoardLine = new String[R];
        for (int i = 0; i < R; i ++) {
            arrBoardLine[i] = br.readLine();
        }
        
        // 체크 배열 생성 및 첫번째 자리 체크
        boolean[] arrCheck = new boolean[26];
        arrCheck[arrBoardLine[0].charAt(0- 'A'= true;
        
        // 재귀함수 실행 및 출력
        bw.write(go(arrBoardLine, arrCheck, 00+ "\n");
        bw.flush();
    }
    
    // 상 하 우 좌
    static int[] directionX = {001-1};
    static int[] directionY = {1-100};
    
    private static int go(String[] arrBoardLine, boolean[] arrCheck, int x, int y) {
        
        int ans = 0;
        
        //4 방향
        for (int i = 0; i < 4; i++) {
            
            int nowX = x + directionX[i];
            int nowY = y + directionY[i];
            
            // 현재 위치가 정상이면
            if (nowX >= 0 && nowY >= 0 && nowX < arrBoardLine.length && nowY < arrBoardLine[0].length()) {
                
                int nowPoint = arrBoardLine[nowX].charAt(nowY) - 'A';
                
                // 아직 지나가지 않았으면
                if (arrCheck[nowPoint] == false) {
                    
                    arrCheck[nowPoint] = true;
                    
                    // 다음 함수 실행 및 최대값 저장
                    int nextAns = go(arrBoardLine, arrCheck, nowX, nowY);
                    if (ans < nextAns) {
                        ans = nextAns;
                    }
                    
                    // 원복
                    arrCheck[nowPoint] = false;
                }
            }
        }
        
        return ans + 1;
    }
}
Colored by Color Scripter

 

 

백트랙킹 (c++ 소스)

#include <iostream>
#include <vector>

using namespace std;

int dr_x[] = {0, 1, 0, -1};
int dr_y[] = {1, 0, -1, 0};

int go(vector<string> &alpha, vector<bool> &visit, int x, int y)
{
	int max_cnt = 1;

	// 4방향 탐색
	for (int i = 0; i < 4; ++i)
	{
		int nx = x + dr_x[i];
		int ny = y + dr_y[i];
		
		// 범위 밖을 벗어나면 continue
		if ((nx < 0 || nx >= alpha.size() || ny < 0 || ny >= alpha[0].size()))
		{
			continue;
		}

		// 다음칸의 알파벳을 방문한적이 없으면
		int idx = alpha[nx][ny] - 'A';
		if (!visit[idx])
		{
			visit[idx] = true;
			
			// 한번 이동할 때마다 이동횟수 + 1 
			int cnt = go(alpha, visit, nx, ny) + 1;

			// 최대값 구하기
			if (max_cnt < cnt)
			{
				max_cnt = cnt;
			}
			
			visit[idx] = false;
		}
	}
	return max_cnt;
}

int main()
{
	ios_base::sync_with_stdio(0);
	cin.tie(0);
	cout.tie(0);

	// 입력
	int R, C;
	cin >> R >> C;
	vector<string> alpha(R);
	for (int i = 0; i < R; ++i)
	{
		cin >> alpha[i];
	}

	// 알파벳 방문 체크할 bool벡터
	vector<bool> visit(26);
	// 첫번째 위치 방문 체크
	visit[alpha[0][0] - 'A'] = true;

	// 최대로 이동할 수 있는 칸수 출력
	cout << go(alpha, visit, 0, 0);

	return 0;
}

 

 

 

전역변수를 두지 않고도 최대 이동 횟수를 계산할 수 있다!

// 한번 이동할 때마다 이동횟수 + 1 
int cnt = go(alpha, visit, nx, ny) + 1;

// 최대값 구하기
if (max_cnt < cnt)
{
	max_cnt = cnt;
}

 

 

 

'Algorithm > BOJ' 카테고리의 다른 글

[BOJ]11721번: 열 개씩 끊어 출력하기(c++)  (0) 2020.04.13
[BOJ]10828번: 스택(c++)  (0) 2020.04.12
[BOJ]6603번: 로또(java, c++)  (0) 2020.01.18
[BOJ]7568번: 덩치  (0) 2020.01.11
[BOJ]1476번: 날짜 계산(java, c++)  (0) 2020.01.06

댓글