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
- docker-compose
- BFS
- ZuulFilter
- Logback
- spring cloud
- 트리
- Zuul
- 백트래킹
- 비트마스킹
- Gradle
- 이분 매칭
- 플로이드 와샬
- 유레카
- 스프링 시큐리티
- 구현
- Spring Cloud Config
- 달팽이
- 메모이제이션
- 완전 탐색
- 스택
- 다익스트라
- 이분 탐색
- 주울
- 서비스 디스커버리
- spring boot
- 게이트웨이
- 구간 트리
- dp
- Java
- 도커
Archives
- Today
- Total
Hello, Freakin world!
[백준 1012] 유기농 배추 본문
https://www.acmicpc.net/problem/1012
고전적인 dfs 문제입니다. 배추의 위치가 주어지므로 입력받은 배추의 위치를 기반으로 상하좌우 인접한 배추들을 방문하면 됩니다.
방문하면서 boolean 타입의 배열인 visited에 체크하면서 다시 방문하는 일이 없도록 합니다.
import java.io.BufferedReader;
import java.io.FileReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.ArrayList;
import java.util.List;
import java.util.StringTokenizer;
/*
백준 1012 유기농 배추
https://www.acmicpc.net/problem/1012
*/
public class Main {
static int T,M,N,K;
static int[][] area;
static int[] dx = {0,0,-1,1};
static int[] dy = {1,-1,0,0};
static List<Point> cabbages;
static boolean[][] visitedCabbage;
public static void main(String[] args) throws IOException {
// BufferedReader br = new BufferedReader(new FileReader("testcase.txt"));
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
T = Integer.parseInt(br.readLine());
for (int i = 0; i < T; i++) {
StringTokenizer st = new StringTokenizer(br.readLine());
M = Integer.parseInt(st.nextToken()); //가로 길이
N = Integer.parseInt(st.nextToken()); //세로 길이
area = new int[N][M];
visitedCabbage = new boolean[N][M];
K = Integer.parseInt(st.nextToken()); //배추 개수
cabbages = new ArrayList<>();
for (int j = 0; j < K; j++) {
st = new StringTokenizer(br.readLine());
int x = Integer.parseInt(st.nextToken());
int y = Integer.parseInt(st.nextToken());
cabbages.add(new Point(x,y));
area[y][x]=1;
}
int ret = 0;
for (int cabbageIndex = 0; cabbageIndex < cabbages.size(); cabbageIndex++) {
Point cabbage = cabbages.get(cabbageIndex);
if(!visitedCabbage[cabbage.y][cabbage.x]) {
ret++;
solve(cabbage.y, cabbage.x);
}
}
System.out.println(ret);
}
}
private static void solve(int y, int x) {
if(y < 0 || x < 0) return ;
if(y >= N || x >= M) return ;
if(area[y][x] == 0) return;
visitedCabbage[y][x] = true;
for (int i = 0; i < 4; i++) {
int nextY = y+dy[i]; int nextX = x+dx[i];
if(isRange(nextY,nextX)
&& !visitedCabbage[nextY][nextX] && area[nextY][nextX] == 1)
solve(nextY, nextX);
}
}
private static boolean isRange(int y, int x) {
if(x < 0 | x >= M | y < 0 | y >= N) return false;
return true;
}
}
class Point{
int x,y;
public Point(int x, int y) {
this.x = x;
this.y = y;
}
}
'알고리즘 > PS' 카테고리의 다른 글
[백준 2188번] 축사 배정 - 이분 매칭 고찰하기 (0) | 2020.09.03 |
---|---|
[백준 1003번] Contact (0) | 2020.08.25 |
[백준 1010번] 다리 놓기 (0) | 2020.08.23 |
[백준 1009번] 분산 처리 (0) | 2020.08.23 |
[백준 1007번] 벡터 매칭 (0) | 2020.08.23 |
Comments