일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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
- object detection
- 2023
- 백트래킹
- DP
- 세그먼트 트리
- 이분 탐색
- Overfitting
- 다익스트라
- NEXT
- lazy propagation
- 조합론
- tensorflow
- dropout
- c++
- 미래는_현재와_과거로
- 분할 정복
- dfs
- 플로이드 와샬
- 너비 우선 탐색
- back propagation
- BFS
- 문자열
- 알고리즘
- 가끔은 말로
- 가끔은_말로
- 크루스칼
- pytorch
- 자바스크립트
- 우선 순위 큐
- 회고록
Archives
- Today
- Total
Doby's Lab
[알고리즘] 백준 2665번: 미로만들기 (C++) 본문
https://www.acmicpc.net/problem/2665
[솔루션]
1) 벽 한 번 부술 때, 비용을 1로 처리한다.
2) 다익스트라를 돌려서 n행 n열까지 가는 데에 벽을 부순 최소 횟수를 구한다. (다익스트라 이용)
+) 모든 가중치가 1이라 BFS로도 풀릴 거 같다.
#include <iostream>
#include <queue>
#include <vector>
#include <utility>
#define MAX 50 + 1
#define INF 987654321
#define pii pair<int, int>
using namespace std;
vector<pair<pii, int>> graph[MAX][MAX];
int map[MAX][MAX];
typedef struct {
int y, x;
} Direction;
Direction dir[4] = { {-1, 0}, {1, 0}, {0, -1}, {0, 1} };
struct cmp {
bool operator()(pair<pii, int>& a, pair<pii, int>& b) {
return a.second > b.second;
}
};
int n;
vector<vector<int>> dijkstra(int row, int col) {
priority_queue<pair<pii, int>, vector<pair<pii, int>>, cmp> pq;
vector<vector<int>> dist(n + 1, vector<int>(n + 1, INF));
dist[row][col] = 0;
pq.push({ {row, col}, 0 });
while (!pq.empty()) {
int y = pq.top().first.first;
int x = pq.top().first.second;
int cost = pq.top().second;
pq.pop();
if (dist[y][x] < cost) {
continue;
}
for (int i = 0; i < 4; i++) {
int dy = y + dir[i].y;
int dx = x + dir[i].x;
int nextCost;
if (dy <= n && dy >= 1 && dx <= n && dx >= 1) {
if (map[dy][dx] == 1) {
nextCost = 0;
}
else {
nextCost = 1;
}
if (cost + nextCost < dist[dy][dx]) {
dist[dy][dx] = cost + nextCost;
pq.push({ {dy, dx}, dist[dy][dx] });
}
}
}
}
return dist;
}
int main() {
cin >> n;
for (int i = 1; i <= n; i++) {
string value;
cin >> value;
for (int j = 1; j <= n; j++) {
map[i][j] = value[j - 1] - '0';
}
}
vector<vector<int>> temp = dijkstra(1, 1);
cout << temp[n][n] << '\n';
return 0;
}
728x90
'PS > BOJ' 카테고리의 다른 글
[알고리즘] 백준 2211번: 네트워크 복구 (C++) (0) | 2021.12.07 |
---|---|
[알고리즘] 백준 13424번: 비밀 모임 (C++) (0) | 2021.12.07 |
[알고리즘] 백준 11780번: 플로이드 2 (C++), 최단 경로 발생 노드 담기 (0) | 2021.12.06 |
[알고리즘] 백준 14938번: 서강그라운드 (C++) (0) | 2021.12.06 |
[알고리즘] 백준 2660번: 회장뽑기 (C++) (0) | 2021.12.06 |