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 | 31 |
Tags
- DeferredRendering
- 팰린드롬 만들기
- GeeksForGeeks
- C
- softeer
- NRVO
- 1563
- 오블완
- 백준
- directx
- 줄 세우기
- baekjoon
- UnrealEngine4
- UE5
- C++
- 2294
- winapi
- 언리얼엔진5
- Frustum
- RootMotion
- IFileDialog
- DirectX11
- Unreal Engine5
- algorithm
- 티스토리챌린지
- Programmers
- UnrealEngine5
- 프로그래머스
- const
- RVO
Archives
- Today
- Total
Game Develop
[Algorithm]Baekjoon 1987번 : 숨바꼭질 본문
https://www.acmicpc.net/problem/1697
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
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
|
#include <iostream>
#include <string>
#include <map>
#include <vector>
#include <algorithm>
#include <math.h>
#include <queue>
#include <functional>
#include <sstream>
using namespace std;
// 목표
struct Node
{
int num;
int count;
Node(int _num, int _count) : num(_num), count(_count) {};
};
int solution(int n, int m)
{
int answer = 0;
bool visit[100001] = { false };
queue<Node> q;
q.push(Node(n, 0));
visit[n] = true;
while (!q.empty())
{
Node curNode = q.front();
q.pop();
int curNum = curNode.num;
int curCount = curNode.count;
if (curNum == m)
{
answer = curCount;
break;
}
if (curNum+1 >= 0 && curNum+1 <= 100000 && !visit[curNum + 1])
{
visit[curNum + 1] = true;
q.push(Node(curNum + 1, curCount + 1));
}
if (curNum - 1 >= 0 && curNum - 1 <= 100000 && !visit[curNum - 1])
{
visit[curNum - 1] = true;
q.push(Node(curNum - 1, curCount + 1));
}
if (curNum * 2 >= 0 && curNum * 2 <= 100000 && !visit[curNum * 2])
{
visit[curNum * 2] = true;
q.push(Node(curNum * 2, curCount + 1));
}
}
return answer;
}
int main()
{
ios::sync_with_stdio(false);
cin.tie(0);
cout.tie(0);
int n = 0;
int m = 0;
cin >> n >> m;
int result = solution(n, m);
cout << result << endl;
}
|
cs |
DFS로 하려다가 생각대로 안풀려서 BFS로 했더니 거의 바로 풀렸다. BFS문제는 그래도 꽤 풀었다보니 코드가 금방 연상이된다. 주의해야할것은 이미 만들었던 숫자에대해선 방문체크를 함으로써 무한반복을 피해야한다.
그다음은 그냥 조건에 따라 +1,-1,*2 노드를 넣으면 된다.
조건문을 체크할 때 주의할 점은, 위의 코드를 보면 알겠지만 if문에 curNum -1 >= 0 같이 숫자가 정상범위안에있는지 먼저 체크하고 방문체크를 해야한다. 당연히 배열의 정상인덱스를 접근해야하니까 그런거긴 한데, 저 순서가 틀리면 안된다는 거다. if문은 왼쪽조건부터 먼저 검사한다는게 중요하다.
'Algorithm > Baekjoon' 카테고리의 다른 글
[Algorithm]Baekjoon 9095번 : 1,2,3 더하기 (0) | 2022.09.05 |
---|---|
[Algorithm]Baekjoon 2667번 : 단지번호붙이기 (0) | 2022.08.08 |
[Algorithm]Baekjoon 1987번 : 알파벳 (0) | 2022.07.18 |
[Algorithm]Baekjoon 1759번 : 암호 만들기 (0) | 2022.07.18 |
[Algorithm]Baekjoon 1182번 : 부분수열의 합 (0) | 2022.07.17 |