득이공간
[백준 C++] 1922 네트워크 연결 - 최소신장트리 본문
#include <iostream>
#include <vector>
#include <algorithm>
using namespace std;
vector<vector<int>> EdgeList;
vector<int> RootNode;
bool Compare(const vector<int>& Left, const vector<int>& Right)
{
return Left[2] < Right[2];
}
int Find(const int& Node)
{
if (Node != RootNode[Node])
{
RootNode[Node] = Find(RootNode[Node]);
}
return RootNode[Node];
}
bool Union(const int& Left, const int& Right)
{
int RootL = Find(Left);
int RootR = Find(Right);
if (RootL == RootR)
{
return false;
}
int MinRoot = min(RootL, RootR);
RootNode[RootL] = MinRoot;
RootNode[RootR] = MinRoot;
return true;
}
int main()
{
ios::sync_with_stdio(false);
cin.tie(NULL);
cout.tie(NULL);
int N, M;
cin >> N >> M;
EdgeList.reserve(M);
for (int i = 0; i < M; ++i)
{
EdgeList.emplace_back(vector<int>(3, 0));
int Start, End, Weight;
cin >> Start >> End >> Weight;
EdgeList.back()[0] = Start - 1;
EdgeList.back()[1] = End - 1;
EdgeList.back()[2] = Weight;
}
sort(EdgeList.begin(), EdgeList.end(), Compare);
RootNode.reserve(N);
for (int i = 0; i < N; ++i)
{
RootNode.emplace_back(i);
}
int Sum = 0;
int Cnt = 0;
int Current = 0;
while (Cnt < N - 1)
{
int Start = EdgeList[Current][0];
int End = EdgeList[Current][1];
if (Union(Start, End))
{
Sum += EdgeList[Current][2];
++Cnt;
}
++Current;
}
cout << Sum;
}
유니온파인드 - 크루스칼 알고리즘 이용했습니다.
다른 분들의 풀이를 보니 에지리스트를 벡터가 아니라 우선순위큐<튜플>로 구성해도 좋을 것 같습니다.
'PS > 알고리즘 문제풀이' 카테고리의 다른 글
[백준 C++] 1966 프린터 큐 - 자료구조 (0) | 2024.02.03 |
---|---|
[백준 C++] 1253 좋다 - 자료구조 (1) | 2024.02.03 |
[백준 C++] 1197 최소 스패닝 트리 - 최소신장트리 (0) | 2024.02.03 |
[백준 C++] 11403 경로 찾기 - 플로이드워셜 (0) | 2024.02.02 |
[백준 C++] 11404 플로이드 - 플로이드워셜 (0) | 2024.02.02 |