불 끄기
Problme link: https://www.acmicpc.net/problem/14939
행 단위로 각 행에 있는 전구를 누를지 말지 결정한다고 해보자.
i
번쨰 행의 j
번째 열에 위치하는 전구를 고려할 때, 사실 얘를 누를지 말지는 i-1
행 j
열의 전구가 결정한다.
문제의 특성상 만약 윗 행의 전구가 켜져 있다면 누르지 않고서는 얘를 꺼줄 방법이 없기 때문이다.
따라서, 첫 행만 전 탐색해주고 나머지 행은 그리디로 진행해주면 된다.
#include <iostream>
#include <string>
#include <vector>
#include <algorithm>
using namespace std;
class Bulbs
{
private:
size_t num_of_on_bulbs_;
vector<string> bulbs_;
public:
Bulbs(const vector<string>& bulbs) : num_of_on_bulbs_(0), bulbs_(bulbs)
{
for (int r = 0; r < 10; ++r)
{
for (int c = 0; c < 10; ++c)
{
if (bulbs[r][c] == 'O')
{
++num_of_on_bulbs_;
}
}
}
}
vector<string>& bulbs()
{
return bulbs_;
}
size_t num_of_on_bulbs() const
{
return num_of_on_bulbs_;
}
void Push(const int r, const int c)
{
const int dr[5] = { 0, -1, 0, 1, 0 };
const int dc[5] = { 0, 0, 1, 0, -1 };
for (int d = 0; d < 5; ++d)
{
int nr = r + dr[d];
int nc = c + dc[d];
if (0 <= nr && nr < 10 && 0 <= nc && nc < 10)
{
switch (bulbs_[nr][nc])
{
case 'O':
bulbs_[nr][nc] = '#';
--num_of_on_bulbs_;
break;
case '#':
bulbs_[nr][nc] = 'O';
++num_of_on_bulbs_;
break;
}
}
}
}
};
vector<string> BULBS(10, "");
int Solve()
{
int answer = 10 * 10 + 1;
for (int first_row_mask = 0; first_row_mask < (1 << 10); ++first_row_mask)
{
Bulbs bulbs(BULBS);
int num_of_pushes = 0;
// Process first row
for (int col = 0; col < 10; ++col)
{
if (first_row_mask & (1 << col))
{
bulbs.Push(0, col);
++num_of_pushes;
}
}
// Process remaining rows
for (int row = 1; row < 10; ++row)
{
for (int col = 0; col < 10; ++col)
{
if (bulbs.bulbs()[row - 1][col] == 'O')
{
bulbs.Push(row, col);
++num_of_pushes;
}
}
}
if (bulbs.num_of_on_bulbs() == 0)
{
answer = min(answer, num_of_pushes);
}
}
return answer > 100 ? -1 : answer;
}
int main(void)
{
// Read input
for (int row = 0; row < 10; ++row)
{
cin >> BULBS[row];
}
// Sovle
cout << Solve() << endl;
return 0;
}
Author And Source
이 문제에 관하여(불 끄기), 우리는 이곳에서 더 많은 자료를 발견하고 링크를 클릭하여 보았다 https://velog.io/@aram_father/불-끄기저자 귀속: 원작자 정보가 원작자 URL에 포함되어 있으며 저작권은 원작자 소유입니다.
우수한 개발자 콘텐츠 발견에 전념 (Collection and Share based on the CC Protocol.)