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 |
Tags
- HTML #CSS
- 컴퓨터공학 #Java #자바 #클래스 #객체 #인스턴스
- 컴퓨터공학 #자료구조 #스택 #c++ #알고리즘 #백준문제풀이
- 컴퓨터공학 #c #c언어 #문자열입력
- BOJ #컴퓨터공학 #C++ #알고리즘 #자료구조
- 잔
Archives
- Today
- Total
영벨롭 개발 일지
[백준 BOJ][C++]2210번 숫자판 점프 풀이: DFS 본문
https://www.acmicpc.net/problem/2210
이 문제는 DFS로 해결할 수 있습니다.
다른 dfs 문제와는 다르게 한 번 방문한 위치를 중복하여 방문할 수 있기 때문에 방문 체크는 하지 않지만, 이미 생성된 6자리 숫자에 대해선 방문 표시를 해야하므로 bool visit[1000000]을 선언해야 합니다.
[풀이 과정]
1. 숫자판을 입력받는다.
2. 숫자판의 모든 좌표에 대해 dfs를 실행한다.
3. 숫자판의 해당 좌표에 해당하는 숫자는 string으로 변환하여 탐색한다.
4. 해당 좌표에서 이동 가능한 방향(상 하 좌 우)에 대하여 탐색을 진행한다.
5. depth가 6이라면 string 타입의 숫자를 int 형으로 변환하여 이미 생성된 숫자인지 확인 후, 생성되지 않았다면 만들 수 있는 수들의 개수 ans를 증가시킨다.
#include<iostream>
#include<vector>
#include<cstring>
#include<cstdlib>
#include<cmath>
#include<string>
using namespace std;
bool visit[1000000] = { false, };
int num[5][5];
int ans;
void dfs(int x, int y, string number, int depth) {
if (depth == 6) {
int to_num = stoi(number);
if (!visit[to_num]) {
visit[to_num] = true;
ans++;
}
return;
}
int dx[4] = { 0, 0, 1, -1 };
int dy[4] = { 1, -1, 0, 0 };
for (int i = 0; i < 4; i++) {
int tx = x + dx[i];
int ty = y + dy[i];
if (tx < 0 || tx >= 5 || ty < 0 || ty >= 5)
continue;
string child_num = number;
child_num.append(to_string(num[ty][tx]));
dfs(tx, ty, child_num, depth + 1);
}
}
int main(void) {
for (int i = 0; i < 5; i++) {
for (int j = 0; j < 5; j++)
cin >> num[i][j];
}
for (int i = 0; i < 5; i++) {
for (int j = 0; j < 5; j++) {
string str = to_string(num[i][j]);
dfs(j, i, str, 1);
}
}
cout << ans;
return 0;
}
반응형
'알고리즘 문제 풀이 > BOJ' 카테고리의 다른 글
[백준 BOJ][C++]14501번 퇴사 풀이: 브루트 포스 & 재귀 (0) | 2022.04.08 |
---|---|
[백준 BOJ][C++]1759번 암호 만들기 풀이: DFS (0) | 2022.04.06 |
[백준 BOJ][C++]14889번 스타트와 링크 풀이: DFS (0) | 2022.04.05 |
[백준 BOJ][C++]6603번 로또 풀이: DFS (0) | 2022.04.05 |
[백준 BOJ][C++]10971번 원판원 순회2 풀이: DFS or next_permutation() (0) | 2022.04.01 |