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

Reschedule Meetings for Maximum Free Time I

Difficulty: Medium


Problem Description

You are given an integer eventTime denoting the duration of an event, where the event occurs from time t = 0 to time t = eventTime. You are also given two integer arrays startTime and endTime, each of length n. These represent the start and end time of n non-overlapping meetings, where the ith meeting occurs during the time [startTime[i], endTime[i]]. You can reschedule at most k meetings by moving their start time while maintaining the same duration, to maximize the longest continuous period of free time during the event. The relative order of all the meetings should stay the same and they should remain non-overlapping. Return the maximum amount of free time possible after rearranging the meetings. Note that the meetings cannot be rescheduled to a time outside the event.

Key Insights

  • Meetings are non-overlapping, allowing for easier management of free time.
  • Rescheduling is limited to k meetings, meaning we must prioritize which meetings to move for maximum impact on free time.
  • The order of meetings must remain the same, which influences how we can shift their start times.
  • The problem can be approached using a greedy algorithm or dynamic programming to optimize the selection of meetings to reschedule.

Space and Time Complexity

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

Solution

To solve the problem, we can use a greedy approach combined with a two-pointer technique. We will iterate through the meetings while keeping track of the maximum free time. For each meeting, we compute the free time available before it. If we have the ability to reschedule meetings (up to k), we will consider shifting the earliest meetings to create larger blocks of free time. We will maintain a running count of how many meetings we have rescheduled and update our maximum free time accordingly.


Code Solutions

def maxFreeTime(eventTime, k, startTime, endTime):
    n = len(startTime)
    freeTime = 0

    # Calculate initial free time blocks
    prevEnd = 0
    freeBlocks = []

    for i in range(n):
        if startTime[i] > prevEnd:
            freeBlocks.append(startTime[i] - prevEnd)
        prevEnd = endTime[i]

    # Include the free time after the last meeting
    if prevEnd < eventTime:
        freeBlocks.append(eventTime - prevEnd)

    # If no rescheduling is possible, return the total free time
    if k == 0:
        return sum(freeBlocks)

    # Maximize free time by rescheduling up to k meetings
    # We will consider the largest free blocks available after rescheduling
    freeTime = max(freeBlocks) if freeBlocks else 0
    
    return freeTime
← Back to All Questions