#include <iostream>
#include <vector>
#include <algorithm>
using namespace std;
const int INF = 9999, SWITCHES = 10, CLOCKS = 16;
// linked[i][j]='x': i번 스위치와 j번 시계가 연결되어 있다.
// linked[i][j]='.': i번 스위치와 j번 시계가 연결되어 있지 않다.
const char linked[SWITCHES][CLOCKS + 1] = { // NULL 문자 포함
// 0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15
"xxx.............",
"...x...x.x.x....",
"....x.....x...xx",
"x...xxxx........",
"......xxx.x.x...",
"x.x...........xx",
"...x..........xx",
"....xx.x......xx",
".xxxxx..........",
"...xxx...x...x.." };
// 모든 시계가 12시를 가리키고 있는지 확인한다.
bool areaAligned(const vector<int>& clocks)
{
for (int clock = 0; clock < CLOCKS; clock++)
if (clocks[clock] != 12)
return false;
return true;
}
// swtch번 스위치를 누른다.
void push(vector<int>& clocks, int swtch)
{
for(int clock=0; clock<CLOCKS; clock++)
if (linked[swtch][clock] == 'x')
{
clocks[clock] += 3; // 시계 바늘 돌리기
if (clocks[clock] == 15)
clocks[clock] = 3;
}
}
// clocks: 현재 시계들의 상태
// swtch: 이번에 누를 스위치의 번호가 주어질 때,
// 남은 스위치들을 눌러서 clocks를 12시로 맞출 수 있는 최소 횟수를 반환한다.
// 만약 불가능하다면 INF 이상의 큰 수를 반환한다.
int solve(vector<int>& clocks, int swtch)
{
if (swtch == SWITCHES) // 10개의 스위치를 모두 눌렀을 때 모든 시계가 12시를 향하고 있으면 0을 반환
return areaAligned(clocks) ? 0 : INF;
// 이 스위치(swtch)를 0번~3번 누르는 경우에 대해 완전탐색을 진행한다.
int ret = INF;
for (int cnt = 0; cnt < 4; cnt++)
{
ret = min(ret, cnt + solve(clocks, swtch + 1));
push(clocks, swtch);
}
// push(clocks, swtch)가 4번 호출되었으니 clocks는 원래와 같은 상태가 된다.
return ret;
}
int main()
{
int C;
cin >> C;
for (int test_case = 0; test_case < C; test_case++)
{
vector<int> clocks(16);
for (int clock = 0; clock < CLOCKS; clock++)
cin >> clocks[clock];
int ans = solve(clocks, 0);
if (ans == INF) cout << "-1" << endl;
else cout << ans << endl;
}
return 0;
}
입력
2
12 6 6 6 6 6 12 12 12 12 12 12 12 12 12 12
12 9 3 12 6 6 9 3 12 9 12 9 12 12 6 6
출력
2
9
Leave a comment