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

Graph Connectivity With Threshold

Difficulty: Hard


Problem Description

We have n cities labeled from 1 to n. Two different cities with labels x and y are directly connected by a bidirectional road if and only if x and y share a common divisor strictly greater than some threshold. Given the two integers, n and threshold, and an array of queries, you must determine for each queries[i] = [a_i, b_i] if cities a_i and b_i are connected directly or indirectly. Return an array answer, where answer.length == queries.length and answer[i] is true if for the i-th query, there is a path between a_i and b_i, or answer[i] is false if there is no path.


Key Insights

  • Cities are connected if they share a common divisor greater than the threshold.
  • This problem can be modeled as a graph where nodes are cities and edges represent connections based on shared divisors.
  • Efficiently determining connections requires union-find (disjoint-set) data structure to manage connections dynamically.
  • Preprocess the cities to build connections based on divisors greater than the threshold.

Space and Time Complexity

Time Complexity: O(n log n + q α(n)), where n is the number of cities, q is the number of queries, and α is the inverse Ackermann function. Space Complexity: O(n), for storing the parent and rank arrays in the union-find structure.


Solution

To solve the problem, we can use the union-find data structure to group cities that are directly or indirectly connected. We will iterate through possible divisors greater than the threshold and connect cities that share these divisors. After processing, we can answer each query by checking if two cities belong to the same connected component.


Code Solutions

class UnionFind:
    def __init__(self, size):
        self.parent = list(range(size))
        self.rank = [1] * size

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

    def union(self, u, v):
        rootU = self.find(u)
        rootV = self.find(v)
        if rootU != rootV:
            # Union by rank
            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

def areConnected(n, threshold, queries):
    uf = UnionFind(n + 1)

    # Connect cities based on common divisors
    for z in range(threshold + 1, n + 1):
        for multiple in range(2 * z, n + 1, z):
            uf.union(z, multiple)

    # Answer the queries
    answer = []
    for a, b in queries:
        answer.append(uf.find(a) == uf.find(b))

    return answer
← Back to All Questions