给定一个无向、连通的树。树中有 n
个标记为 0...n-1
的节点以及 n-1
条边 。
给定整数 n
和数组 edges
, edges[i] = [ai, bi]
表示树中的节点 ai
和 bi
之间有一条边。
返回长度为 n
的数组 answer
,其中 answer[i]
是树中第 i
个节点与所有其他节点之间的距离之和。
示例 1:
data:image/s3,"s3://crabby-images/b31b7/b31b7d2bb50bcb81b7ee82d94ef2bd14bcea8131" alt="img"
输入: n = 6, edges = [[0,1],[0,2],[2,3],[2,4],[2,5]] 输出: [8,12,6,10,10,10] 解释: 树如图所示。 我们可以计算出 dist(0,1) + dist(0,2) + dist(0,3) + dist(0,4) + dist(0,5) 也就是 1 + 1 + 2 + 2 + 2 = 8。 因此,answer[0] = 8,以此类推。
|
示例 2:
data:image/s3,"s3://crabby-images/4f60b/4f60b382d4ab15cfcc73b29fee450bdcef22931d" alt="img"
示例 3:
data:image/s3,"s3://crabby-images/5424d/5424d2be08c12911dbad9f93b9d7474bd003ce77" alt="img"
输入: n = 2, edges = [[1,0]] 输出: [1,1]
|
提示:
1 <= n <= 3 * 104
edges.length == n - 1
edges[i].length == 2
0 <= ai, bi < n
ai != bi
- 给定的输入保证为有效的树
C++
data:image/s3,"s3://crabby-images/20da0/20da08177de5ed69ac303da8ba2d20777e9ec523" alt="image-20230716225058753"
data:image/s3,"s3://crabby-images/55b4e/55b4e86ed5ad38d9f18943e0b124f4d9a7107886" alt="image-20230716225118319"
class Solution { public: vector<int> sumOfDistancesInTree(int n, vector<vector<int>> &edges) { vector<int> ans(n); vector<vector<int>> g(n); for (auto &e: edges) { int x = e[0], y = e[1]; g[x].push_back(y); g[y].push_back(x); }
vector<int> size(n, 1); function<void(int, int, int)> dfs = [&](int x, int fa, int depth) { ans[0] += depth; for (int y: g[x]) { if (y != fa) { dfs(y, x, depth + 1); size[x] += size[y]; } } }; dfs(0, -1, 0);
function<void(int, int)> reroot = [&](int x, int fa) { for (int y: g[x]) { if (y != fa) { ans[y] = ans[x] + n - 2 * size[y]; reroot(y, x); } } }; reroot(0, -1); return ans; } };
|