2576. Find the Maximum Number of Marked Indices


Problem Description

In this problem, you have an array of integers called nums. The array uses 0-based indexing, which means the first element is at index 0. Your goal is to maximize the number of indices that are marked following a specific rule.

The rule allows you to pick two different unmarked indices i and j such that the value at i is not more than half of the value at j (specifically, 2 * nums[i] <= nums[j]). Once you find such a pair (i and j), you can mark both indices.

The key task is to keep performing this operation as many times as you want to maximize the count of marked indices. The problem is asking you to return just this maximum count.

Intuition

To solve this problem, we can think of pairing smaller numbers with larger numbers that are at least twice their value. To simplify the process of finding pairs, we can sort the array nums. Once the array is sorted, we only need to consider each number once as a potential smaller number in a pair.

The sorted array guarantees that if a number can be paired, it must be paired with a number that comes after it. So, we can use the two-pointer approach to keep track of potential pairs. One pointer (i) starts at the beginning of the array, and the other pointer (j) starts in the middle (specifically at (n + 1) // 2, since this ensures j starts from the second half of the array and we can always find a pair such that 2 * nums[i] <= nums[j] if possible).

Then, we iterate through the array in a while loop, increasing j until we find a number that is at least twice nums[i] in value. If we find such a j, we increment the count (ans) by 2 because we can mark both indices i and j. Then we move both pointers forward to try to find the next pair.

We continue doing this until j reaches the end of the array, and by that time, ans will have the maximum number of indices that can be marked.

Learn more about Greedy, Two Pointers, Binary Search and Sorting patterns.

Not Sure What to Study? Take the 2-min Quiz to Find Your Missing Piece:

How does quick sort divide the problem into subproblems?

Solution Approach

The solution involves sorting the input array nums to easily find pairs where one number is at least double the other. Sorting is an integral part of the algorithm because it arranges the numbers in ascending order, allowing us to work with the smallest and largest numbers without having to scan the entire array each time.

After sorting, a two-pointer technique is used. This involves initializing two pointers: i at the start of the array and j at the midpoint of the array. This positioning helps to find pairs'satisfying the 2 * nums[i] <= nums[j] condition efficiently.

The solution uses a while loop to iterate through the array starting with the pointers at their initial positions:

1nums.sort()
2n = len(nums)
3i, j = 0, (n + 1) // 2
4ans = 0
5while j < n:

In this loop, a nested while loop seeks to find a pair satisfying the condition:

1while j < n and nums[i] * 2 > nums[j]:
2    j += 1

If such a j is found within the array bounds (i.e., j < n), it increments ans by 2, marking both i and j :

1if j < n:
2    ans += 2
3i, j = i + 1, j + 1

After finding a suitable pair, both pointers are moved forward. This is because, once a number has been used in a valid pair, it cannot be used again, and since the array is sorted, we're guaranteed that there are no more numbers before i that can be paired with numbers after j.

Finally, when the outer loop concludes (meaning j has reached the end of the array), ans would have been incremented appropriately for every pair found, and the function returns ans, which at this point holds the maximum number of indices that can be marked:

1return ans

This algorithm runs in O(n log n) time complexity due to the initial sorting of the array. The rest of the operations consist of single passes through parts of the array, resulting in an O(n) complexity. Thus, sorting is the most time-consuming part of the algorithm. The space complexity is O(1), not counting the space used by the sorting algorithm, which in most implementations would be O(log n), since no extra space is used outside of the sorting operation.

Discover Your Strengths and Weaknesses: Take Our 2-Minute Quiz to Tailor Your Study Plan:

Problem: Given a list of tasks and a list of requirements, compute a sequence of tasks that can be performed, such that we complete every task once while satisfying all the requirements.

Which of the following method should we use to solve this problem?

Example Walkthrough

Let's illustrate the solution approach with a small example. Suppose our input array is nums = [1, 2, 3, 8, 4].

Our goal is to find pairs of indices i and j where the value at index i is no more than half the value at index j, and we want to maximize the count of such indices.

  1. Sort the Array: First, we sort nums. After sorting, the array looks like this: sorted_nums = [1, 2, 3, 4, 8].

  2. Initialize Two Pointers: We have two pointers, i starts at index 0 and j starts at index (5 + 1) // 2 = 3 in the array.

  3. Begin the Two-Pointer Approach:

    • The two pointer values are nums[i] = 1 and nums[j] = 4. Since 2 * nums[i] = 2 * 1 <= 4 = nums[j], the pair (i, j) meets the condition, so we can mark both indices. We increment ans by 2 and move both pointers forward: i to 1 and j to 4.
    • We now look at nums[i] = 2 and nums[j] = 8. Since 2 * nums[i] = 2 * 2 <= 8 = nums[j], we found another pair. We increment ans by 2 once again, making ans 4, and move both pointers forward: i to 2 and j beyond the end of the array.
  4. End of the While Loop: The condition of the outer while loop, j < n, is now false because j has moved beyond the end of the array.

At this point, we can no longer form any new pairs and the process ends. The result is ans = 4, which is the maximum count of indices we can mark based on the given condition. Thus, the example array nums can have a maximum of 4 marked indices by performing the operation as described.

Solution Implementation

1class Solution:
2    def maxNumOfMarkedIndices(self, nums: List[int]) -> int:
3        # Sort the array.
4        nums.sort()
5        # Get the number of elements in the array.
6        num_elements = len(nums)
7      
8        # Initialize two pointers.
9        # 'left' starts from the beginning and 'right' starts from the middle of the array.
10        left, right = 0, (num_elements + 1) // 2
11        # Initialize the count of marked indices.
12        max_marked_indices = 0
13      
14        # Iterate over the array until the 'right' pointer reaches the end.
15        while right < num_elements:
16            # Move the 'right' pointer until we find an element which is more than twice of the 'left' element.
17            while right < num_elements and nums[left] * 2 > nums[right]:
18                right += 1
19          
20            # If we've found a valid pair, increase the count by two.
21            # This is because when nums[left] * 2 <= nums[right], both the 'left' and 'right' indices can be marked.
22            if right < num_elements:
23                max_marked_indices += 2
24          
25            # Move both pointers to the next positions.
26            left, right = left + 1, right + 1
27      
28        # Return the count of the maximum number of marked indices found.
29        return max_marked_indices
30
1class Solution {
2
3    // Method to determine the maximum number of marked indices.
4    public int maxNumOfMarkedIndices(int[] nums) {
5        // Sort the input array.
6        Arrays.sort(nums);
7      
8        // Get the length of the array.
9        int n = nums.length;
10      
11        // Initialize the count of the maximum number of marked indices.
12        int maxMarkedIndices = 0;
13      
14        // Use two-pointer technique to traverse the sorted array
15        // where 'i' starts from the beginning and 'j' starts from the middle.
16        for (int i = 0, j = (n + 1) / 2; j < n; ++i, ++j) {
17            // Move the 'j' pointer forward to find a match such that nums[j] >= nums[i] * 2.
18            while (j < n && nums[i] * 2 > nums[j]) {
19                ++j;
20            }
21          
22            // If a match is found, increment the maximum marked indices by 2.
23            if (j < n) {
24                maxMarkedIndices += 2;
25            }
26        }
27      
28        // Return the total count of maximum marked indices.
29        return maxMarkedIndices;
30    }
31}
32
1#include <vector>
2#include <algorithm>
3
4class Solution {
5public:
6    // Define the function maxNumOfMarkedIndices returning the maximum number
7    // of marked indices following the given rules.
8    int maxNumOfMarkedIndices(vector<int>& nums) {
9        // Sort the nums vector in non-decreasing order.
10        sort(nums.begin(), nums.end());
11      
12        // Calculate the total number of elements in nums
13        int n = nums.size();
14      
15        // Initialize the answer to 0
16        int answer = 0;
17      
18        // Iterate over the elements, i starts from 0 and j starts from the middle extending to the end
19        for (int i = 0, j = (n + 1) / 2; j < n; ++i, ++j) {
20            // Increment j until the condition nums[i] * 2 <= nums[j] is met
21            while (j < n && nums[i] * 2 > nums[j]) {
22                ++j;
23            }
24            // If j is within bounds, increment answer by 2 to count both i and j as marked indices
25            if (j < n) {
26                answer += 2;
27            }
28        }
29      
30        // Return the final answer
31        return answer;
32    }
33};
34
1// Function to find the maximum number of marked indices such that 
2// for every marked index i, there exists a marked index j where nums[i] * 2 <= nums[j].
3function maxNumOfMarkedIndices(nums: number[]): number {
4    // Sort the array in ascending order.
5    nums.sort((a, b) => a - b);
6  
7    // Get the length of the array.
8    const lengthOfNums = nums.length;
9  
10    // Initialize the answer to 0.
11    let maxMarkedCount = 0;
12  
13    // Loop through the array starting from the first to the middle element (i)
14    // and from the middle to the last element (j).
15    // Note: Middle is calculated as half the array length plus one, floor-divided.
16    for (let i = 0, j = Math.floor((lengthOfNums + 1) / 2); j < lengthOfNums; ++i, ++j) {
17      
18        // Increment j until we find an element that is at least twice nums[i] to satisfy the condition.
19        while (j < lengthOfNums && nums[i] * 2 > nums[j]) {
20            ++j;
21        }
22      
23        // If we find such an element, increment the maxMarkedCount by 2.
24        if (j < lengthOfNums) {
25            maxMarkedCount += 2;
26        }
27    }
28  
29    // Return the maximum count of marked indices that satisfy the condition.
30    return maxMarkedCount;
31}
32
Not Sure What to Study? Take the 2-min Quiz:

In a binary min heap, the minimum element can be found in:

Time and Space Complexity

Time Complexity

The given code has two major components contributing to its time complexity:

  1. Sorting the nums list, which has a time complexity of O(n log n) where n is the length of the list.
  2. A while-loop that iterates over the sorted list to count the "marked" indices. In the worst case, this loop can iterate at most n times, resulting in a time complexity of O(n).

Since step 1 is the most significant factor, the overall time complexity of the function maxNumOfMarkedIndices is dominated by the sorting step, making it O(n log n).

Space Complexity

The space complexity of the code involves:

  1. The sorted nums list. If the sorting is done in-place (as is usual with Python's sort methods), there's a constant space complexity of O(1).
  2. The use of a fixed number of auxiliary variables like i, j, n, and ans, which contribute a constant amount of additional space, also results in O(1).

Hence, the total space complexity of the function maxNumOfMarkedIndices is O(1), reflecting that it operates in constant space outside of the input list.

Learn more about how to find time and space complexity quickly using problem constraints.

Fast Track Your Learning with Our Quick Skills Quiz:

Which of the following uses divide and conquer strategy?


Recommended Readings


Got a question? Ask the Teaching Assistant anything you don't understand.

Still not clear? Ask in the Forum,  Discord or Submit the part you don't understand to our editors.


TA 👨‍🏫