반응형
BFS로 해결(DFS로 하니 효율성테스트에서 시간초과)
오랜만에 푸니 오래걸리는 것 같다!
이제부터 알고리즘 다시 가동합니닷
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
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
|
#include<vector>
#include<queue>
using namespace std;
/*
1950 시작
<문제>
게임 맵 maps 주어질 때, 상대팀 진영에 도차가기 위해 지나야 하는 칸의 최소 갯수 return
불가능한 경우 -1 return
maps : n*m 크기 (각 100 이하)
0은 벽, 1은 길
캐릭터는 처음에 (1, 1)에 위치, 상대 진영은 (n, m)에 위치
<풀이>
모든 방향으로 가보기(도착 시 return 및 비교해서 최소값 선정)
-> BFS
DFS로 구현했다가 효율성테스트 실패
BFS로 구현해서 성공
<시간>
O(nlogn)
*/
struct pos{
int r;
int c;
int cur_ans;
};
//현 위치, 현재 지나온 칸 수, maps 입력받음
int goOnestep(int r, int c, int cur_ans, vector<vector<int> > map){
int min_ans = 987654321;
queue<pos> q; //queue
pos a;
a.r = r; a.c=c; a.cur_ans = cur_ans;
q.push(a);
while(!q.empty()){
pos target = q.front();
q.pop();
r = target.r; c = target.c; cur_ans = target.cur_ans;
if(r==map.size()-1 && c==map[0].size()-1) return target.cur_ans;
map[r][c] = 0;
//상
if(r-1 >= 0 && map[r-1][c] == 1){
map[r-1][c] = 0;
pos tmp; tmp.r = r-1; tmp.c = c; tmp.cur_ans = cur_ans+1;
q.push(tmp);
}
//하
if(r+1 <= map.size()-1 && map[r+1][c] == 1){
map[r+1][c] = 0;
pos tmp; tmp.r = r+1; tmp.c = c; tmp.cur_ans = cur_ans+1;
q.push(tmp);
}
//좌
if(c-1 >= 0 && map[r][c-1] == 1){
map[r][c-1] = 0;
pos tmp; tmp.r = r; tmp.c = c-1; tmp.cur_ans = cur_ans+1;
q.push(tmp);
}
//우
if(c+1 <= map[0].size()-1 && map[r][c+1] == 1){
map[r][c+1] = 0;
pos tmp; tmp.r = r; tmp.c = c+1; tmp.cur_ans = cur_ans+1;
q.push(tmp);
}
}
return -1;
}
int solution(vector<vector<int> > maps)
{
int answer = 0;
answer = goOnestep(0, 0, 1, maps);
if(answer == 987654321) answer = -1;
return answer;
}
|
cs |
반응형
'알고리즘 문제풀이' 카테고리의 다른 글
[Programmers] 프로그래머스 Lv.1 덧칠하기 문제풀이(Python) (1) | 2024.05.07 |
---|---|
[Programmers] 프로그래머스 Lv.1 K번째수 문제풀이(C++) (0) | 2024.04.16 |
[Programmers] 프로그래머스 Lv.2 조건에 맞는 도서와 저자 리스트 출력하기 문제풀이(MySQL) (0) | 2024.02.24 |
[Programmers] 프로그래머스 Lv.3 조건별로 분류하여 주문상태 출력하기 문제풀이(MySQL) (0) | 2024.02.24 |
[Programmers] 프로그래머스 Lv.2 조건에 부합하는 중고거래 상태 조회하기 문제풀이(MySQL) (0) | 2024.02.24 |