[백준/BOJ] 백준 1939번 : 중량제한
2020. 8. 21. 10:01ㆍ알고리즘 문제풀이
https://www.acmicpc.net/problem/1939
다익스트라 알고리즘을 이용해 최단경로를 구했던 방법을 응용하여 문제를 해결하였다.
코드
#include <iostream>
#include <algorithm>
#include <vector>
#include <utility>
#include <queue>
using namespace std;
int n, m;
vector<pair<int, int>> adj[10001]; //pair:중량제한,연결된 정점
int Solve(int start, int dest)
{
//각 지점으로 갈때 옮길 수 있는 중량의 최댓값을 저장(-1로 초기화)
vector<int> result(n + 1, -1);
priority_queue<pair<int, int>> pq;
result[start] = 1000000001; //시작지점으로 옮길 수 있는 중량의 최댓값은 매우 큰수로 저장해 놓는다
pq.push(make_pair(1000000001, start));
while (!pq.empty())
{
int here = pq.top().second;
int here_cost = pq.top().first;
pq.pop();
//이미 구한 here지점으로 옮길 수 있는 중량이 더 클때
if (result[here] > here_cost)
continue;
for (int i = 0; i < adj[here].size(); i++)
{
int there = adj[here][i].second;
int there_cost = min(adj[here][i].first, here_cost); //더 작은 값이 옮길 수 있는 중량이 된다
//이미 구한 there지점으로 옮길 수 있는 중량제한 보다 더 클때
if (result[there] < there_cost)
{
result[there] = there_cost;
pq.push(make_pair(there_cost, there));
}
}
}
return result[dest];
}
int main()
{
cin.tie(NULL);
ios_base::sync_with_stdio(false);
int a, b, c;
int f1, f2;
cin >> n >> m;
for (int i = 0; i < m; i++)
{
cin >> a >> b >> c;
adj[a].push_back(make_pair(c, b));
adj[b].push_back(make_pair(c, a));
}
cin >> f1 >> f2;
cout << Solve(f1, f2);
return 0;
}
'알고리즘 문제풀이' 카테고리의 다른 글
[백준/BOJ] 백준 1644번 : 소수의 연속합 (0) | 2020.08.22 |
---|---|
[백준/BOJ] 백준 2003번 : 수들의 합 2 (0) | 2020.08.22 |
[백준/BOJ] 백준 1325번 : 효율적인 해킹 (0) | 2020.08.21 |
[백준/BOJ] 백준 9376번 : 탈옥 (0) | 2020.08.21 |
[백준/BOJ] 백준 1504번 : 특정한 최단 경로 (0) | 2020.08.20 |