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

People Whose List of Favorite Companies Is Not a Subset of Another List

Difficulty: Medium


Problem Description

Given the array favoriteCompanies where favoriteCompanies[i] is the list of favorites companies for the ith person (indexed from 0). Return the indices of people whose list of favorite companies is not a subset of any other list of favorites companies. You must return the indices in increasing order.


Key Insights

  • A list of favorite companies is considered a subset of another if all elements in the first list are present in the second list.
  • We need to compare each person's list against every other person's list to determine if it is a subset.
  • The solution can leverage set data structures for efficient subset checks.

Space and Time Complexity

Time Complexity: O(n^2 * m), where n is the number of people and m is the average length of favorite companies lists.
Space Complexity: O(n), for storing the indices of the result.


Solution

To solve the problem, we will use the following steps:

  1. Use a list to store the indices of people whose favorite companies are not subsets of any other person's favorites.
  2. Convert each person's list of favorite companies into a set for efficient subset checking.
  3. Compare each person's set with every other person's set.
  4. If a person's set is found to be a subset of any other set, they will not be added to the result list.
  5. Return the list of indices in increasing order.

Code Solutions

def peopleIndexes(favoriteCompanies):
    result = []
    sets = [set(companies) for companies in favoriteCompanies]

    for i in range(len(sets)):
        is_subset = False
        for j in range(len(sets)):
            if i != j and sets[i].issubset(sets[j]):
                is_subset = True
                break
        if not is_subset:
            result.append(i)

    return result
← Back to All Questions