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

Kids With the Greatest Number of Candies

Difficulty: Easy


Problem Description

There are n kids with candies. You are given an integer array candies, where each candies[i] represents the number of candies the ith kid has, and an integer extraCandies, denoting the number of extra candies that you have. Return a boolean array result of length n, where result[i] is true if, after giving the ith kid all the extraCandies, they will have the greatest number of candies among all the kids, or false otherwise. Note that multiple kids can have the greatest number of candies.


Key Insights

  • You need to determine the maximum number of candies any kid currently has.
  • For each kid, check if their candies plus the extraCandies is greater than or equal to the maximum candies.
  • Return a boolean array indicating which kids can potentially have the greatest number of candies.

Space and Time Complexity

Time Complexity: O(n) - We iterate through the list of candies twice: once to find the maximum and once to check each kid. Space Complexity: O(n) - We use an additional array to store the result.


Solution

To solve this problem, we will:

  1. Find the maximum number of candies any kid has using a simple loop.
  2. For each kid, check if their candies plus the extraCandies is greater than or equal to this maximum.
  3. Store the results in a boolean array.

Data structures used:

  • An array to store the number of candies for each kid.
  • A boolean array to store the result.

Algorithmic approach:

  • Loop through the candies array to find the maximum.
  • Loop through the candies array again to compute the result based on the maximum found.

Code Solutions

def kidsWithCandies(candies, extraCandies):
    # Find the maximum number of candies any kid has
    max_candies = max(candies)
    # Create a result array to store boolean values
    result = []
    
    # Check for each kid if they can have the greatest number of candies
    for candy in candies:
        # Append True if the current kid can have the greatest candies, else False
        result.append(candy + extraCandies >= max_candies)
    
    return result
← Back to All Questions