有一张城市地图,图中的顶点为城市,无向边代表两个城市间的连通关系,边上的权为在这两个城市之间修建高速公路的造价,研究后发现,这个地图有一个特点,即任一对城市都是连通的。现在的问题是,要修建若干高速公路把所有城市联系起来,问如何设计可使得工程的总造价最少?
n(城市数,1≤n≤100)
e(边数)
以下e行,每行3个数 i , j , w[i][j],表示在城市 (i,j) 之间修建高速公路的造价。
n-1行,每行为两个城市的序号(a,b)(a<=b),表明这两个城市间建一条高速公路。
输出每条边时按照 a < b 的格式输出,优先按照a从小到大排列,若a相等,则按照b从小到大排列
样例输入
5 8 1 2 2 2 5 9 5 4 7 4 1 10 1 3 12 4 3 6 5 3 3 2 3 8
样例输出
1 2 2 3 3 4 3 5
1≤n≤100
w[i][j]≤50
这是一道最小生成树的板子题,根据 n,可得 m ≤ 4950,所以 Kruscal 算法是可行的,时间复杂度为O(mlogm)。
输出:先用结构体把答案存储下来,然后按题目要求排序,Orz!
#include <bits/stdc++.h> using namespace std; const int maxn = 105; int father[maxn], n, m, u, v, w, tot; struct edge { int x, y, z; bool operator<(const edge &a) const { return z < a.z; } }; struct node { int a, b; bool operator<(const node &t) const { return (a < t.a) || (a == t.a && b < t.b); } } f[maxn]; vector<edge> G; void makeSet(int n) { for (int i = 1; i <= n; i++) father[i] = i; } int findSet(int x) { if (father[x] == x) return x; return father[x] = findSet(father[x]); } void Kruskal() { makeSet(n); sort(G.begin(), G.end()); int edgeNum = 0; for (int i = 0; i < m; i++) { int x = findSet(G[i].x), y = findSet(G[i].y); if (x != y) { father[x] = y; f[tot].a = min(G[i].x, G[i].y), f[tot++].b = max(G[i].x, G[i].y); edgeNum++; } if (edgeNum == n - 1) return; } } int main() { scanf("%d%d", &n, &m); for (int i = 1; i <= m; i++) { scanf("%d%d%d", &u, &v, &w); G.push_back(edge({ u, v, w })); } Kruskal(); sort(f, f + tot); for (int i = 0; i < tot; i++) printf("%d %d\n", f[i].a, f[i].b); return 0; }