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

Minimum Moves to Pick K Ones

Difficulty: Hard


Problem Description

Alice plays a game where she must pick up exactly k ones from a binary array nums using the minimum number of moves. Alice can start at any index where nums[aliceIndex] == 1 and can perform moves to change zeros to ones or swap adjacent elements. The goal is to determine the minimum moves required to achieve this.


Key Insights

  • Alice can pick up a one without counting it as a move.
  • Alice can either change zeros to ones up to maxChanges times or swap adjacent elements.
  • The strategy involves selecting optimal starting positions and efficiently managing moves to reach k ones.

Space and Time Complexity

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


Solution

To solve the problem, we will utilize a sliding window approach. We will track the positions of ones in the array and calculate the number of moves required to collect k ones based on the current window of indices. We will consider the maxChanges allowed to convert zeros into ones, and adjust the total moves accordingly.

  1. Use a sliding window to find contiguous segments of ones.
  2. For each segment, calculate the number of moves required to collect k ones, considering how many zeros can be changed based on maxChanges.
  3. Keep track of the minimum number of moves encountered.

Code Solutions

def minMoves(nums, k, maxChanges):
    n = len(nums)
    ones_positions = [i for i in range(n) if nums[i] == 1]
    total_ones = len(ones_positions)

    if total_ones < k:
        return -1  # Not enough ones

    min_moves = float('inf')
    left = 0
    current_changes = 0

    for right in range(k):
        current_moves = ones_positions[right] - ones_positions[0] - right
        current_changes += ones_positions[right] - ones_positions[right - 1] - 1 if right > 0 else 0

    if current_changes <= maxChanges:
        min_moves = min(min_moves, current_moves)

    for left in range(1, total_ones - k + 1):
        current_moves += (ones_positions[left + k - 1] - ones_positions[left + k - 2] - 1)
        current_moves -= (ones_positions[left - 1] - ones_positions[left - 2] - 1) if left > 1 else 0
        current_changes += (ones_positions[left + k - 1] - ones_positions[left + k - 2] - 1) - (ones_positions[left] - ones_positions[left - 1] - 1)

        if current_changes <= maxChanges:
            min_moves = min(min_moves, current_moves)

    return min_moves
← Back to All Questions