C++程式找出最小連通圖的最大和
假設我們給定一個最小連通圖。這意味著移除任何一條邊都會使圖斷開連線。該圖有n個頂點,邊在陣列'edges'中給出。還有一個數組'vertexValues'包含n個整數值。
現在,我們執行以下操作:
我們在每個頂點上寫一個正整數,然後嘗試計算分數。
如果連線兩個頂點的邊存在,我們將兩個頂點中較小的值放在邊上。
我們透過將所有邊值相加來計算分數。
我們必須找到透過在頂點上放置值可以達到的最大值。我們必須列印最大總值以及要寫在頂點上的值。
因此,如果輸入類似於n = 6,edges = {{1, 2}, {2, 3}, {2, 4}, {4, 5}, {3, 6}},vertexValues = {1, 2, 3, 4, 5, 6},則輸出將是15, 3 1 2 4 5 6,因為我們可以按照給定的方式3 1 2 4 5 6將值放在從0到n – 1的頂點上。
為了解決這個問題,我們將遵循以下步驟:
N := 100 Define arrays seq and res of size N. Define an array tp of size N. ans := 0 Define a function dfs(), this will take p, q, res[p] := seq[c] if p is not equal to 0, then: ans := ans + seq[c] (decrease c by 1) for each value x in tp[p], do: if x is not equal to q, then: dfs(x, p) for initialize i := 0, when i + 1 < n, update (increase i by 1), do: tmp := first value of edges[i]- 1 temp := second value of edges[i] - 1 insert temp at the end of tp[tmp] insert tmp at the end of tp[temp] for initialize i := 0, when i < n, update (increase i by 1), do: seq[i] := vertexValues[i] c := n - 1 sort the array seq dfs(0, 0) print(ans) for initialize i := n - 1, when i >= 0, update (decrease i by 1), do: print(res[i])
示例
讓我們看看下面的實現以更好地理解:
#include <bits/stdc++.h> using namespace std; const int INF = 1e9; #define N 100 int seq[N], res[N]; vector<int> tp[N]; int ans = 0, c; void dfs(int p, int q) { res[p] = seq[c]; if(p != 0) ans += seq[c]; c--; for(auto x : tp[p]) { if(x != q) dfs(x, p); } } void solve(int n, vector<pair<int,int>> edges, int vertexValues[]){ for(int i = 0; i + 1 < n; i++) { int tmp = edges[i].first - 1; int temp = edges[i].second - 1; tp[tmp].push_back(temp); tp[temp].push_back(tmp); } for(int i = 0; i < n; i++) seq[i] = vertexValues[i]; c = n - 1; sort(seq, seq + n); dfs(0, 0); cout << ans << endl; for(int i = n - 1; i >= 0; i--) cout << res[i] << " "; cout << endl; } int main() { int n = 6; vector<pair<int,int>> edges = {{1, 2}, {2, 3}, {2, 4}, {4, 5},{3, 6}}; int vertexValues[] = {1, 2, 3, 4, 5, 6}; solve(n, edges, vertexValues); return 0; }
輸入
6, {{1, 2}, {2, 3}, {2, 4}, {4, 5}, {3, 6}}, {1, 2, 3, 4, 5, 6}
輸出
15 3 1 2 4 5 6
廣告