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

Sum of Good Numbers

Difficulty: Easy


Problem Description

Given an array of integers nums and an integer k, an element nums[i] is considered good if it is strictly greater than the elements at indices i - k and i + k (if those indices exist). If neither of these indices exists, nums[i] is still considered good. Return the sum of all the good elements in the array.


Key Insights

  • An element is considered good if it is greater than its neighbors at indices i - k and i + k.
  • Boundary conditions need to be handled since the first k elements and the last k elements may not have both neighbors.
  • The solution involves iterating through the array while checking the conditions for each element.

Space and Time Complexity

Time Complexity: O(n)
Space Complexity: O(1)


Solution

The approach involves iterating through the array nums. For each element, we check if it is greater than the elements located at indices i - k and i + k. If the indices are out of bounds, we consider the element as good. We maintain a sum of all good elements and return it at the end. This approach utilizes a single pass through the array, ensuring optimal time complexity.


Code Solutions

def sum_of_good_numbers(nums, k):
    total_sum = 0
    n = len(nums)
    
    for i in range(n):
        is_good = True
        
        # Check left neighbor
        if i - k >= 0:
            is_good = is_good and (nums[i] > nums[i - k])
        
        # Check right neighbor
        if i + k < n:
            is_good = is_good and (nums[i] > nums[i + k])
        
        # If the number is good, add it to the total sum
        if is_good:
            total_sum += nums[i]
    
    return total_sum
← Back to All Questions