2378. Choose Edges to Maximize Score in a Tree


Problem Description

In this LeetCode problem, we're tasked with finding the maximum sum of edge weights in a weighted, rooted tree such that no two selected edges are adjacent. The tree consists of n nodes labeled from 0 to n - 1, with node 0 being the root. A 2D array edges represents the tree's structure and the weights of its edges where each entry edges[i] is a pair [par_i, weight_i] signifying that node par_i is the parent of node i and the weight of the edge connecting them is weight_i. Note that for the root node, edges[0] will be [-1, -1] as it does not have a parent.

The goal is to select a subset of these edges, ensuring that none of them share a common node (i.e., they are not adjacent), such that the total weight of the selected edges is as large as possible. The result should be the maximum achievable sum of weights.

Intuition

The solution to the problem can be found using a technique known as "tree dynamic programming". The main intuition behind this approach is to consider each node in the tree and make an optimal decision for that node's sub-tree, considering whether it's more advantageous to include the edge leading to this node in our sum or not.

Here's the thinking process that leads to the solution:

  1. Process the tree in a bottom-up manner using a depth-first search (DFS).
  2. At each node, we need to decide whether to include the edge from its parent or not. This decision affects the sub-tree rooted at this node.
  3. Make two calculations for each node: the maximum sum of weights if we exclude the edge to the parent node (we'll call this a), and the maximum sum of weights if we include the edge to the parent node (we'll call this b).
  4. For every child of the current node, calculate their a and b and add the child’s a to the current node’s a and the child's b to the current node's b. This aggregates the maximum weights from the subtrees where the parent edges are not included.
  5. To compute the current node's b, find the child with the maximum difference between including its parent edge and excluding it (which is x - y + w for each child where x is the sum including the edge and y is the sum excluding the edge and w is the weight of the edge to the parent). Add this difference to current node's a to get the maximum sum where the edge to the current node's parent is included.
  6. The final step is to start this process at the root and get the answer b for the root, which will be the overall maximum sum.

In the provided Python code, a recursive dfs() function handles the computations for each node, and the tree is represented as a dictionary of lists g, making it easy to traverse the children of any node. The final answer is obtained by the dfs(0)[1], which invokes the DFS starting from the root node and extracting the b value as the result.

Learn more about Tree, Depth-First Search and Dynamic Programming patterns.

Not Sure What to Study? Take the 2-min Quiz to Find Your Missing Piece

A person thinks of a number between 1 and 1000. You may ask any number questions to them, provided that the question can be answered with either "yes" or "no".

What is the minimum number of questions you needed to ask so that you are guaranteed to know the number that the person is thinking?

Solution Approach

The implementation of the solution to our tree dynamic programming problem makes use of several key programming concepts, which include recursion, depth-first search (DFS), and memoization. Here's the walk-through of how these concepts are intertwined in the solution:

  1. Recursion: A recursive function, dfs(i), is utilized to perform a post-order traversal of the tree. This means it first visits all of a node's descendants before processing the node itself. This is vital for dynamic programming on trees, as it ensures that we have the solutions for all child sub-problems ready when we are computing the solution for the parent.

  2. Depth-First Search (DFS): To explore the whole tree starting from the root node 0, we carry out a DFS. This helps us visit every node in the right order to implement our dynamic programming solution.

  3. Memoization: Although not explicitly in the form of a table, our recursive function employs memoization by calculating and returning two values for each node – the maximum sum including the node's parent edge and the maximum sum excluding it. The pair of values (a, b) represents this duo of sums. Any repeat computation is avoided by building upon the results of the subtrees.

  4. Data Structures Used:

    • Dictionary of Lists (g): Represents our tree, mapping each parent node to a list of tuples, with each tuple containing a child node and the corresponding edge weight.
    • Tuples (a, b, t): Used to store intermediate sums during the traversal and comparisons.
  5. Algorithm: Initially, a graph, g, is built from our edges, which represents each non-root node's parent and the weight of the connecting edge.

    We then run a dfs(0) call on the root node, which triggers a series of recursive calls through the entire tree structure, processing child nodes first.

    In the dfs function:

    • Variables a and b are initialized to 0, and t as well, which will track the maximum transition from one state to another.
    • Loop over each child j with weight w of the current node i. Recursively call dfs(j) to get x, the maximum sum including j's parent edge, and y, the maximum sum excluding it.
    • Update a to include all children's maximum sums excluding their parent edge because including a child edge means we can't include the parent edge (they are adjacent).
    • Calculate the transition t which is the maximum difference in the sum we can get by potentially including the current node's parent edge. This involves picking the child that gives the maximum extra benefit x - y + w.
    • Finally, b is updated as a + t, which incorporates the best case where including the current node’s edge maximizes the sum.

    After the recursive calls have been made, dfs(0)[1] gives us b for the root node which, as per our memoization strategy, represents the maximum weighted sum without any adjacent edges.

This algorithm works efficiently due to the inherent properties of trees (acyclic, one path between any two nodes) and allows us to solve the problem with a time complexity that is linear in the number of nodes.

Discover Your Strengths and Weaknesses: Take Our 2-Minute Quiz to Tailor Your Study Plan:

A person thinks of a number between 1 and 1000. You may ask any number questions to them, provided that the question can be answered with either "yes" or "no".

What is the minimum number of questions you needed to ask so that you are guaranteed to know the number that the person is thinking?

Example Walkthrough

Let's walk through a small example to illustrate the solution approach.

Assume we have n = 5 nodes in our tree, and the edges array is as follows:

1edges = [
2  [-1, -1], // Node 0 is the root
3  [0, 3],   // Node 1 is a child of Root 0 with edge weight 3
4  [0, 2],   // Node 2 is a child of Root 0 with edge weight 2
5  [1, 1],   // Node 3 is a child of Node 1 with edge weight 1
6  [1, 4]    // Node 4 is a child of Node 1 with edge weight 4
7]

Using the above edges array, we can construct the following tree structure:

1    0
2   / \
3  3   2
4 / \
51   4

Let's walk through the algorithm:

  1. We start the DFS on the root node, 0.

  2. The dfs() function explores the children of the root node: nodes 1 and 2.

  3. At node 2, which is a leaf node, there are no children to explore. Thus for node 2:

    • We calculate a = 0 (max sum if we exclude the edge from its parent).
    • We calculate b = 0 (max sum if we include the edge from its parent, which is 0 since it's a leaf).
  4. At node 1, it has two children, 3 and 4. We run dfs() on both children.

  5. For node 3 (a leaf node):

    • a = 0 (excluding the parent edge).
    • b = 0 (including the parent edge, because it's a leaf).
  6. For node 4 (also a leaf):

    • a = 0.
    • b = 0.
  7. Back at node 1, we process the info from its children:

    • For node 3, x - y + w translates to 0 - 0 + 1 = 1.
    • For node 4, x - y + w translates to 0 - 0 + 4 = 4.

    Since node 4 has the largest transition, we choose it, resulting in:

    • a = 0 + 0 + 0 (the sum of maximum weights from child nodes excluding their parent edge).
    • b = 0 + 4 (adding the maximum extra benefit of including node 1's edge).
  8. At the root node 0:

    • From node 1, we get a = 0, b = 4.
    • From node 2, we get a = 0, b = 0.

    We can only include one of the children's edges, and since b from node 1 is larger, we include node 1:

    • a = 0 (as it's the root and has no parent edge).
    • The transition for node 1 is b + weight which is 4 + 3 = 7.
    • The transition for node 2 is 0 + 2 = 2.

    We pick the transition from node 1 because it's larger:

    • b = a + transition giving us b = 0 + 7 = 7.

So, for this tree, the maximum sum with no adjacent edges would be 7, obtained by selecting the edge between nodes 0 and 1 and the edge between nodes 1 and 4.

By executing dfs(0)[1], we retrieve b for the root node, which is 7, and that's our solution.

Solution Implementation

1from typing import List
2from collections import defaultdict
3
4class Solution:
5    def max_score(self, edges: List[List[int]]) -> int:
6        # Depth-First Search (DFS) function to traverse graph and calculate score
7        def dfs(node_index):
8            base_score = best_score = total_gain = 0
9            # Exploring all children nodes and their respective weights
10            for child_index, weight in graph[node_index]:
11                child_base, child_best = dfs(child_index)
12                base_score += child_best
13                best_score += child_best
14                total_gain = max(total_gain, child_base - child_best + weight)
15            # Updating best score to account for the total gain from the most profitable child
16            best_score += total_gain
17            return base_score, best_score
18
19        # Convert edge list to graph representation for easier traversal
20        graph = defaultdict(list)
21        for index, (parent, weight) in enumerate(edges[1:], 1):
22            graph[parent].append((index, weight))
23      
24        # Initiate DFS from the root node (index 0) and return the best score
25        return dfs(0)[1]
26
27# Example usage:
28# solution = Solution()
29# print(solution.max_score([[1,2], [1,3], [1,4], [2,5], [2,6]]))
30
1class Solution {
2    private List<int[]>[] adjacencyList; // Using an array of lists to represent the graph
3
4    public long maxScore(int[][] edges) {
5        int nodeCount = edges.length; // The number of edges gives us the count of nodes
6        adjacencyList = new List[nodeCount]; // Initialize the adjacency list
7        // Fill the adjacency list with array lists for each node
8        Arrays.setAll(adjacencyList, index -> new ArrayList<>());
9        // Construct the graph with the given edge weights
10        for (int i = 1; i < nodeCount; ++i) {
11            int parent = edges[i][0], weight = edges[i][1];
12            // Add a directed edge from `parent` to `i` with `weight`
13            adjacencyList[parent].add(new int[] {i, weight});
14        }
15        // Call the dfs method on node 0 and return the maximum score from the second value of the array
16        return dfs(0)[1];
17    }
18
19    private long[] dfs(int node) {
20        long sumOfSubtreeScores = 0; // Stores the sum of scores within the subtree
21        long maxScoreIncludingNode = 0; // Stores the maximum score including the current node
22        long maxDiff = 0; // Stores the maximum difference between child score with and without the current node
23
24        for (int[] next : adjacencyList[node]) {
25            int childNode = next[0], edgeWeight = next[1];
26            // Perform DFS on the child node
27            long[] childScores = dfs(childNode);
28            // Add the child's max score to the total sum of scores
29            sumOfSubtreeScores += childScores[1];
30            maxScoreIncludingNode += childScores[1];
31            // Find the child that maximizes the difference
32            maxDiff = Math.max(maxDiff, childScores[0] - childScores[1] + edgeWeight);
33        }
34
35        // Incorporate the maximum difference into the max score including the current node
36        maxScoreIncludingNode += maxDiff;
37        // Return both the sum of subtree scores and the max score including the current node
38        return new long[] {sumOfSubtreeScores, maxScoreIncludingNode};
39    }
40}
41
1#include <vector>
2#include <functional>
3
4class Solution {
5public:
6    // Function to calculate the maximum score achievable from the given tree.
7    long long maxScore(std::vector<std::vector<int>>& edges) {
8        // Number of nodes in the tree.
9        int numNodes = edges.size();
10
11        // Graph representation: each node has a list of (child, weight) pairs.
12        std::vector<std::vector<std::pair<int, int>>> graph(numNodes);
13      
14        // Construct the graph from the edge list, starting at node 1, as node 0 is the root.
15        for (int i = 1; i < numNodes; ++i) {
16            int parent = edges[i][0], weight = edges[i][1];
17            graph[parent].emplace_back(i, weight); // Add the child and associated weight to the parent's list.
18        }
19
20        // Lambda function for depth-first search (DFS) to calculate scores.
21        std::function<std::pair<long long, long long> (int)> dfs = [&](int node) -> std::pair<long long, long long> {
22            long long withoutCurrent = 0; // Score without taking current node's edge.
23            long long withCurrent = 0;    // Score with taking current node's edge.
24            long long maxGap = 0;         // The maximum difference between taking and not taking an edge.
25
26            // Iterate over all children of the current node.
27            for (auto& [child, weight] : graph[node]) {
28                // Recursively call dfs for the child node.
29                auto [childWithout, childWith] = dfs(child);
30              
31                // Update the score without taking the current node's edge.
32                withoutCurrent += childWith;
33              
34                // Update the score with taking the current node's edge.
35                withCurrent += childWith;
36              
37                // Find the maximum difference when switching from childWithout to childWith along one edge.
38                maxGap = std::max(maxGap, childWithout - childWith + weight);
39            }
40
41            // Include the maxGap to 'withCurrent' to reflect the maximum score.
42            withCurrent += maxGap;
43
44            // Return (withoutCurrent, withCurrent) as a pair of scores.
45            return {withoutCurrent, withCurrent};
46        };
47
48        // Start DFS traversal from the root node (0) and return max score with root.
49        return dfs(0).second;
50    }
51};
52
1type Edge = [number, number]; // Represents an edge with a parent and weight.
2type ScorePair = [number, number]; // Represents a pair of scores.
3
4// Represents each node having a list of child nodes along with the weight of the edge connecting to the child.
5let graph: [number, number][][] = [];
6
7// Function to calculate the maximum score achievable from the given tree.
8function maxScore(edges: Edge[]): number {
9    // Number of nodes in the tree.
10    let numNodes = edges.length;
11
12    // Initialize the graph based on the number of nodes.
13    graph = new Array(numNodes);
14
15    for (let i = 0; i < numNodes; ++i) {
16        graph[i] = [];
17    }
18
19    // Construct the graph from the edge list, starting at node 0 (root node).
20    for (let i = 1; i < numNodes; ++i) {
21        // Destructure the edge into parent and weight.
22        let [parent, weight] = edges[i];
23        // Add the child node and associated weight to the parent's list of children.
24        graph[parent].push([i, weight]);
25    }
26
27    // Recursive function to perform Depth-First Search (DFS) and calculate scores.
28    const dfs = (node: number): ScorePair => {
29        // Score without including the current node's edge.
30        let withoutCurrent = 0;
31        // Score including the current node's edge.
32        let withCurrent = 0;
33        // The maximum score difference by choosing one child's edge to include.
34        let maxGap = 0;
35
36        // Iterate over all child nodes of the current node.
37        for (const [child, weight] of graph[node]) {
38            // Recursively call dfs for each child, getting their scores.
39            const [childWithout, childWith] = dfs(child);
40
41            // Add the maximum child's score to the score without the current edge.
42            withoutCurrent += childWith;
43
44            // Find the maximum gap when considering the scores with and without the child's edge.
45            maxGap = Math.max(maxGap, childWithout - childWith + weight);
46        }
47
48        // Calculate the score including the current node's edge by adding the max gap.
49        withCurrent = withoutCurrent + maxGap;
50
51        // Return the pair of scores without and with the current node's edge.
52        return [withoutCurrent, withCurrent];
53    };
54
55    // Start DFS traversal from the root node (0) and return the maximum score with the root's edge.
56    return dfs(0)[1];
57}
58
59// Example usage:
60// let edges: Edge[] = [
61//     [-1, 0], // Root node does not have a parent, so it's often represented by -1.
62//     [0, 3], // Node 1 has a parent node 0 and an edge weight of 3.
63//     [1, 3], // Node 2 has a parent node 1 and an edge weight of 3, and so on.
64//     // ... Add more nodes accordingly
65// ];
66// const result = maxScore(edges);
67
Not Sure What to Study? Take the 2-min Quiz

A heap is a ...?

Time and Space Complexity

Time Complexity

The time complexity of the code is primarily determined by the DFS (Depth-First Search) that is performed over the tree structure. The DFS function dfs is called recursively for each node in the tree. In the worst case, each node is visited exactly once during the DFS traversal. Thus, the time complexity is O(N), where N is the number of nodes in the input tree represented by the edges list.

Space Complexity

The space complexity is defined by the space required for the DFS recursion stack as well as the space needed for the adjacency list g. For the recursion stack, in the worst case, the stack size will be equal to the height of the input tree, which can be O(N) in the case of a skewed tree. For the adjacency list g, it holds all the edges, and the space required is proportional to the number of nodes, which is also O(N). Therefore, the space complexity of the algorithm is O(N), where N is the number of nodes in the input tree.

Learn more about how to find time and space complexity quickly using problem constraints.

Fast Track Your Learning with Our Quick Skills Quiz:

How many ways can you arrange the three letters A, B and C?


Recommended Readings


Got a question? Ask the Teaching Assistant anything you don't understand.

Still not clear? Ask in the Forum,  Discord or Submit the part you don't understand to our editors.

←
↑TA đŸ‘šâ€đŸ«