data:image/s3,"s3://crabby-images/8e12f/8e12f9816e19c1234350fa89c23672070f37088d" alt=""
빈칸을 앞에서부터 DFS로 채워나가면 된다. 빈칸의 좌표를 모두 벡터에 넣어두고 숫자를 1~9까지 하나씩 넣어보면서 현재 빈칸에 숫자를 넣을 수 있는지 체크한다. 만약 넣을 수 있다면 다음 빈칸에 대해 DFS를 수행한다.
계속 DFS를 수행하다가 모든 빈칸을 채우게 되면 보드의 숫자를 모두 출력하고 종료하면 된다.
#include <iostream>
#include <vector>
#include <queue>
#include <map>
void Init()
{
std::ios::sync_with_stdio(false);
std::cin.tie(nullptr);
std::cout.tie(nullptr);
}
bool Check(std::vector<std::vector<int>>& _Board, const std::pair<int, int>& _CheckPos, int _CheckNum)
{
//가로
for (int i = 0; i < 9; i++)
{
if (_Board[_CheckPos.first][i] == _CheckNum)
{
return false;
}
}
//세로
for (int i = 0; i < 9; i++)
{
if (_Board[i][_CheckPos.second] == _CheckNum)
{
return false;
}
}
//사각형
int XStart = _CheckPos.second - (_CheckPos.second % 3);
int YStart = _CheckPos.first - (_CheckPos.first % 3);
for (int i = YStart; i < YStart + 3; i++)
{
for (int j = XStart; j < XStart + 3; j++)
{
if (_Board[i][j] == _CheckNum)
{
return false;
}
}
}
return true;
}
void DFS(std::vector<std::vector<int>>& _Board, std::vector<std::pair<int, int>>& _EmptyPos, int _CurIndex)
{
if (_CurIndex == _EmptyPos.size())
{
for (int i = 0; i < 9; i++)
{
for (int j = 0; j < 9; j++)
{
std::cout << _Board[i][j] << " ";
}
std::cout << "\n";
}
exit(0);
return;
}
auto [CurY, CurX] = _EmptyPos[_CurIndex];
for (int i = 1; i <= 9; i++)
{
if (Check(_Board, _EmptyPos[_CurIndex], i) == true)
{
_Board[CurY][CurX] = i;
DFS(_Board, _EmptyPos, _CurIndex + 1);
_Board[CurY][CurX] = 0;
}
}
}
int main()
{
Init();
std::vector<std::vector<int>> Board(9, std::vector<int>(9));
std::vector<std::pair<int, int>> EmptyPos;
for (int i = 0; i < 9; i++)
{
for (int j = 0; j < 9; j++)
{
std::cin >> Board[i][j];
if (Board[i][j] == 0)
{
EmptyPos.push_back({i, j});
}
}
}
DFS(Board, EmptyPos, 0);
return 0;
}
'매일매일 코테풀기 (일시 중단!)' 카테고리의 다른 글
(2024-11-05) 4 문제 : 백준 - 3108 (로고) (0) | 2024.11.05 |
---|---|
(2024-11-05) 3 문제 : 백준 - 2211 (네트워크 복구) (0) | 2024.11.05 |
(2024-11-05) 1 문제 : 백준 - 1707 (이분 그래프) (0) | 2024.11.05 |
(2024-11-04) 3 문제 : 백준 - 12893 (적의 적) (0) | 2024.11.04 |
(2024-11-04) 2 문제 : 백준 - 25381 (ABBC) (0) | 2024.11.04 |