|
| 1 | +// Time: O(n) |
| 2 | +// Space: O(n) |
| 3 | + |
| 4 | +class Solution { |
| 5 | +public: |
| 6 | + vector<int> sumOfDistancesInTree(int N, vector<vector<int>>& edges) { |
| 7 | + unordered_map<int, vector<int>> graph; |
| 8 | + for (const auto& edge : edges) { |
| 9 | + graph[edge[0]].emplace_back(edge[1]); |
| 10 | + graph[edge[1]].emplace_back(edge[0]); |
| 11 | + } |
| 12 | + |
| 13 | + vector<int> count(N, 1); |
| 14 | + vector<int> result(N, 0); |
| 15 | + |
| 16 | + dfs(graph, 0, -1, &count, &result); |
| 17 | + dfs2(graph, 0, -1, &count, &result); |
| 18 | + return result; |
| 19 | + } |
| 20 | + |
| 21 | +private: |
| 22 | + void dfs(const unordered_map<int, vector<int>>& graph, |
| 23 | + int node, int parent, |
| 24 | + vector<int> *count, vector<int> *result) { |
| 25 | + if (!graph.count(node)) { |
| 26 | + return; |
| 27 | + } |
| 28 | + for (const auto& nei : graph.at(node)) { |
| 29 | + if (nei != parent) { |
| 30 | + dfs(graph, nei, node, count, result); |
| 31 | + (*count)[node] += (*count)[nei]; |
| 32 | + (*result)[node] += (*result)[nei] + (*count)[nei]; |
| 33 | + } |
| 34 | + } |
| 35 | + } |
| 36 | + |
| 37 | + void dfs2(const unordered_map<int, vector<int>>& graph, |
| 38 | + int node, int parent, |
| 39 | + vector<int> *count, vector<int> *result) { |
| 40 | + if (!graph.count(node)) { |
| 41 | + return; |
| 42 | + } |
| 43 | + for (const auto& nei : graph.at(node)) { |
| 44 | + if (nei != parent) { |
| 45 | + (*result)[nei] = (*result)[node] - (*count)[nei] + |
| 46 | + count->size() - (*count)[nei]; |
| 47 | + dfs2(graph, nei, node, count, result); |
| 48 | + } |
| 49 | + } |
| 50 | + } |
| 51 | +}; |
0 commit comments