We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

Maximize Sum of Weights after Edge Removals

Difficulty: Hard


Problem Description

Given an undirected tree with n nodes numbered from 0 to n - 1, and a 2D integer array edges representing the edges and their weights, your task is to remove zero or more edges such that each node has at most k edges with other nodes, maximizing the sum of the weights of the remaining edges.


Key Insights

  • The problem revolves around managing the degree of each node in the tree.
  • A priority-based approach can be used to keep the highest-weight edges while ensuring each node maintains a degree limit of k.
  • Depth-first search (DFS) can be used to traverse the tree and calculate the best configuration of edges to keep.
  • Dynamic programming can help in keeping track of the maximum sum of weights while adhering to the degree constraints.

Space and Time Complexity

Time Complexity: O(n log n) - due to sorting edges based on weights. Space Complexity: O(n) - for storing the tree and the maximum weights.


Solution

The approach involves representing the tree using an adjacency list, sorting the edges by their weights in descending order, and then using a union-find data structure to keep track of the connected components. We iterate over the edges and, for each edge, check if adding it would exceed the degree limit of either node. If not, we add it to the result.


Code Solutions

class UnionFind:
    def __init__(self, n):
        self.parent = list(range(n))
        self.rank = [0] * n
        self.degree = [0] * n

    def find(self, u):
        if self.parent[u] != u:
            self.parent[u] = self.find(self.parent[u])
        return self.parent[u]

    def union(self, u, v):
        rootU = self.find(u)
        rootV = self.find(v)

        if rootU != rootV:
            if self.rank[rootU] > self.rank[rootV]:
                self.parent[rootV] = rootU
            elif self.rank[rootU] < self.rank[rootV]:
                self.parent[rootU] = rootV
            else:
                self.parent[rootV] = rootU
                self.rank[rootU] += 1
            return True
        return False

def maximizeWeight(edges, k):
    edges.sort(key=lambda x: -x[2])
    uf = UnionFind(len(edges) + 1)
    total_weight = 0

    for u, v, w in edges:
        if uf.degree[u] < k and uf.degree[v] < k:
            if uf.union(u, v):
                total_weight += w
                uf.degree[u] += 1
                uf.degree[v] += 1

    return total_weight
← Back to All Questions