Hello, Freakin world!

[백준 14503번] 로봇 청소기 본문

알고리즘/PS

[백준 14503번] 로봇 청소기

johnna_endure 2020. 9. 10. 19:22

www.acmicpc.net/problem/14503

 

14503번: 로봇 청소기

로봇 청소기가 주어졌을 때, 청소하는 영역의 개수를 구하는 프로그램을 작성하시오. 로봇 청소기가 있는 장소는 N×M 크기의 직사각형으로 나타낼 수 있으며, 1×1크기의 정사각형 칸으로 나누어

www.acmicpc.net

 

제게는 이런 종류의 약간 복잡한 구현 문제가 코테의 숨은 복병입니다.

 

이런 종류의 구현 문제는... 문제를 잘 이해하고 뭐 그냥 많이 풀어보면서 패턴을 많이 익혀두는 수 밖에 없겠네요.

 

...

/*
백준 14503번 - 로봇 청소기
https://www.acmicpc.net/problem/14503
 */
public class Main {
	static int n,m;
	static int[][] room;
	static boolean[][] cleaned;
	static int[][] directions = {
			{-1,0},
			{0,1},
			{1,0},
			{0,-1}
	};
	public static void main(String[] args) throws IOException {
//		InputReader reader = new InputReader("testcase.txt");
		InputReader reader = new InputReader();
		StringTokenizer st = new StringTokenizer(reader.readLine());

		n = Integer.parseInt(st.nextToken());
		m = Integer.parseInt(st.nextToken());
		room = new int[n][m];
		cleaned = new boolean[n][m];

		st = new StringTokenizer(reader.readLine());
		int start_r = Integer.parseInt(st.nextToken());
		int start_c = Integer.parseInt(st.nextToken());
		int start_d = Integer.parseInt(st.nextToken());

		for (int i = 0; i < n; i++) {
			st = new StringTokenizer(reader.readLine());
			for (int j = 0; j < m; j++) {
				room[i][j] = Integer.parseInt(st.nextToken());
			}
		}

		int r = start_r;
		int c = start_c;
		int d = start_d;
		cleaned[r][c] = true;
		int cleanCnt = 1;
		while(true) {
			int nextD = (d+3)%4;
			int nextR = r + directions[nextD][0];
			int nextC = c + directions[nextD][1];

			if(room[nextR][nextC] == 0 && !cleaned[nextR][nextC]) {
				cleanCnt++;
				r = nextR; c = nextC; d=nextD;
				cleaned[r][c] = true;
				continue;
			}

			if(is4waysCleanedOrWall(r,c)) {
				int behindR = r - directions[d][0];
				int behindC = c - directions[d][1];
				if (room[behindR][behindC] == 1) break;
				if(room[behindR][behindC] == 0) {
					r = behindR; c = behindC;
					continue;
				}
			}
			d = nextD;
		}

		System.out.println(cleanCnt);
	}
	/*
	해당 위치의 모든 방향으로 청소가 되어있거나 벽이 있는 경우
	 */
	public static boolean is4waysCleanedOrWall(int r, int c) {
		for (int i = 0; i < 4; i++) {
			int nextR = r+directions[i][0];
			int nextC = c+directions[i][1];
			if(room[nextR][nextC] == 0 && !cleaned[nextR][nextC]) return false;
		}
		return true;
	}
}

class InputReader {
	private BufferedReader br;

	public InputReader() {
		br = new BufferedReader(new InputStreamReader(System.in));
	}

	public InputReader(String filepath) {
		try {
			br = new BufferedReader(new FileReader(filepath));
		} catch (FileNotFoundException e) {
			e.printStackTrace();
		}
	}

	public String readLine() throws IOException {
		return br.readLine();
	}
	public int readInt() throws IOException {
		return Integer.parseInt(readLine());
	}
}

 

 

Comments