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

Find the Largest Almost Missing Integer

Difficulty: Easy


Problem Description

You are given an integer array nums and an integer k. An integer x is almost missing from nums if x appears in exactly one subarray of size k within nums. Return the largest almost missing integer from nums. If no such integer exists, return -1.


Key Insights

  • A subarray is a contiguous sequence of elements.
  • We need to count the occurrences of each integer in all possible subarrays of size k.
  • An integer is considered "almost missing" if it appears exactly once in the counted subarrays.
  • To find the largest "almost missing" integer, we will keep track of the maximum value that meets the criteria.

Space and Time Complexity

Time Complexity: O(n * k), where n is the length of nums. We need to traverse through all possible subarrays of size k. Space Complexity: O(1), as we only use a fixed amount of additional space regardless of the input size.


Solution

We will iterate through all possible subarrays of size k in the array nums and count the occurrences of each integer using a hash map (or dictionary). After counting, we will check for integers that appear exactly once and keep track of the largest integer that satisfies this condition.


Code Solutions

def largest_almost_missing_integer(nums, k):
    from collections import defaultdict

    count_map = defaultdict(int)
    n = len(nums)

    # Count occurrences of each number in all subarrays of size k
    for i in range(n - k + 1):
        unique_in_subarray = set()
        for j in range(k):
            unique_in_subarray.add(nums[i + j])
        for num in unique_in_subarray:
            count_map[num] += 1

    # Find the largest almost missing integer
    max_almost_missing = -1
    for num, count in count_map.items():
        if count == 1:
            max_almost_missing = max(max_almost_missing, num)

    return max_almost_missing
← Back to All Questions