문제
16234번: 인구 이동
N×N크기의 땅이 있고, 땅은 1×1개의 칸으로 나누어져 있다. 각각의 땅에는 나라가 하나씩 존재하며, r행 c열에 있는 나라에는 A[r][c]명이 살고 있다. 인접한 나라 사이에는 국경선이 존재한다. 모
www.acmicpc.net
풀이
구현, 시뮬레이션, 너비 우선 탐색
각 칸에 대해서 연합을 이룰 수 있는지 확인하기 위해, 각 칸의 상하좌우를 탐색하여 연합을 만든다. 연합은 시작 칸과 인접한 칸에서만 이루어지는게 아니라, 연합이 이루어진 칸에서도 인접한 칸을 비교하여 조건에 맞으면 연합이 이루어진다. 그러므로 각 칸을 bfs로 탐색하면서 연합을 이루는 칸이 어느 칸인지 탐색한다.
연합 벡터의 수가 2이상이라면, 인구 이동이 가능한 상태이므로 인구 이동을 실시한다. 이를 반복하며 인구 이동이 며칠 일어나는지 출력한다.
코드
#include <iostream>
#include <vector>
#include <algorithm>
#include <queue>
#include <memory.h>
using namespace std;
int nums[50][50];
vector<pair<int, int>> open[50][50];
int move_x[4] = { 0, 0, 1, -1 };
int move_y[4] = { 1, -1, 0, 0 };
bool visited[50][50];
vector<pair<int, int>> guild;
int main()
{
ios_base::sync_with_stdio(0);
cin.tie(NULL);
cout.tie(NULL);
int N, L, R;
cin >> N >> L >> R;
for (int i = 0; i < N; ++i)
{
for (int j = 0; j < N; ++j)
{
cin >> nums[i][j];
}
}
int answer = 0;
while (true)
{
memset(visited, false, sizeof(visited));
bool flag = false;
for (int x = 0; x < N; ++x)
{
for (int y = 0; y < N; ++y)
{
// 이미 연합 시도를 했거나, 연합을 이루웠었던 칸은 접근하지 않는다.
if (visited[x][y] == true)
{
continue;
}
guild.clear();
queue<pair<int, int>> q;
q.push(make_pair(x, y));
guild.push_back(make_pair(x, y));
visited[x][y] = true;
int sum = nums[x][y];
// bfs로 현재 칸과 인접하면서, 조건에 맞는 칸을 guild에 넣는다.
while (!q.empty())
{
int current_x = q.front().first;
int current_y = q.front().second;
q.pop();
for (int i = 0; i < 4; ++i)
{
int next_x = current_x + move_x[i];
int next_y = current_y + move_y[i];
if (next_x < 0 || next_x >= N || next_y < 0 || next_y >= N || visited[next_x][next_y])
{
continue;
}
int diff = abs(nums[current_x][current_y] - nums[next_x][next_y]);
if (L <= diff && diff <= R)
{
visited[next_x][next_y] = true;
q.push(make_pair(next_x, next_y));
guild.push_back(make_pair(next_x, next_y));
sum += nums[next_x][next_y];
}
}
}
// 연합을 이룰 수 있다면, 인구를 조절한다.
if (guild.size() > 1)
{
flag = true;
int avg = sum / guild.size();
for (int i = 0; i < guild.size(); ++i)
{
nums[guild[i].first][guild[i].second] = avg;
}
}
}
}
// flag가 false라면 탈출, true라면 하루 더
if (!flag)
{
break;
}
else
{
answer++;
}
}
cout << answer;
return 0;
}
'알고리즘 > 백준' 카테고리의 다른 글
[백준][C++] 1735: 분수 합 (0) | 2024.01.14 |
---|---|
[백준][C++] 14891: 톱니바퀴 (0) | 2024.01.11 |
[백준][C++] 14499: 주사위 굴리기 (1) | 2024.01.09 |
[백준][C++] 17406: 배열 돌리기 4 (1) | 2024.01.08 |
[백준][C++] 1941: 소문난 칠공주 (0) | 2024.01.07 |