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
- Lv.3
- 프로그래머스
- 17070번
- 2870번
- Unity
- 2870번 수학숙제
- 백준 2870번
- 백준 1103번 게임
- 백준
- 유니티
- dfs
- 백준 c++ 2468번
- 2468 c++
- Lv2
- 2870번 c++
- 코딩테스트
- 백준 1103번
- 백준 17070번 c++
- C#
- 코테
- Beakjoon
- 백준 17070번
- Algorithm
- 오브젝트 풀링
- 수학숙제
- 백준 1103번 c++
- c++
- 백준 c++ 2870번
- 2870번 수학숙제 c++
- 플레이어 이동
Archives
- Today
- Total
주녘공부일지
[백준 2486번 C++] Silver1. 안전 영역 본문
https://www.acmicpc.net/problem/2468
핵심 아이디어 및 정답 코드
- 특정 높이 이상의 인접한 영역을 묶었을 때 가장 많은 영역으로 쪼개지는 경우를 구하는 문제
- 깊이 우선 탐색(DFS) 알고리즘을 이용하여 최소 ~ 최대 범위에서 가장 많은 영역이 생기는 경우를 구함
+ BFS로 풀어도 무관해보이지만, 모든 경우를 구해야 하므로 DFS가 더 유리할 수 있음
+ Memo) Find-Union 알고리즘 + a 로 한번 풀어볼 것 ( 시간 복잡도를 많이 줄일 수 있음 )
-> 20ms -> 0ms
DFS 풀이 정답 코드
https://godgjwnsgur7.tistory.com/47
#include <iostream>
using namespace std;
int intArrays[101][101] = { 0 };
bool boolArrays[101][101] = { false };
int dirX[4] = { 1, -1, 0, 0 };
int dirY[4] = { 0, 0, 1, -1 };
int answer;
int maxSize;
void ClearBoolArrays()
{
for (int y = 0; y < maxSize; y++)
for (int x = 0; x < maxSize; x++)
boolArrays[y][x] = false;
}
void DFS(int y, int x, int cost)
{
boolArrays[y][x] = true;
for (int i = 0; i < 4; i++)
{
int movePosY = y + dirY[i];
int movePosX = x + dirX[i];
if (movePosY < 0 || maxSize <= movePosY
|| movePosX < 0 || maxSize <= movePosX
|| boolArrays[movePosY][movePosX])
continue;
if (intArrays[movePosY][movePosX] > cost)
DFS(movePosY, movePosX, cost);
}
}
int main()
{
ios_base::sync_with_stdio(0);
cin.tie(0);
cout.tie(0);
answer = 1;
cin >> maxSize;
int maxValue = 0;
for (int y = 0; y < maxSize; y++)
{
for (int x = 0; x < maxSize; x++)
{
cin >> intArrays[y][x];
if (maxValue < intArrays[y][x])
maxValue = intArrays[y][x];
}
}
for (int i = 1; i <= maxValue; i++)
{
int count = 0;
for (int y = 0; y < maxSize; y++)
{
for (int x = 0; x < maxSize; x++)
{
if (boolArrays[y][x])
continue;
if (intArrays[y][x] > i)
{
count++;
DFS(y, x, i);
}
}
}
if (answer < count)
answer = count;
ClearBoolArrays();
}
cout << answer;
return 0;
}
'CodingTest > BeakJoon Silver' 카테고리의 다른 글
[백준 2870번 C++] Silver4. 수학숙제 (1) | 2024.12.08 |
---|---|
[백준 4375번 C++] Silver3. 1 (0) | 2024.12.06 |
[백준 1629번 C++] Silver1. 곱셈 (0) | 2024.12.06 |
[백준 9375번 C++] Silver3. 패션왕 신해빈 (2) | 2024.11.10 |