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

Calculate Delayed Arrival Time

Difficulty: Easy


Problem Description

You are given a positive integer arrivalTime denoting the arrival time of a train in hours, and another positive integer delayedTime denoting the amount of delay in hours. Return the time when the train will arrive at the station. Note that the time in this problem is in 24-hours format.


Key Insights

  • The arrival time is given in a 24-hour format.
  • The maximum possible sum of arrivalTime and delayedTime can be 48 (if both are 24).
  • The result must be adjusted to fit within the 24-hour format, which means using modulo 24.
  • If the total exceeds 24, it wraps around to the start of the day.

Space and Time Complexity

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


Solution

To solve this problem, we use a simple arithmetic operation. We calculate the total arrival time by adding the arrivalTime to the delayedTime. Since the time is in a 24-hour format, we take the modulo of the total with 24 to ensure it wraps around correctly if it exceeds 24. This approach uses basic integer arithmetic, which is efficient in terms of both time and space.


Code Solutions

def calculateDelayedArrivalTime(arrivalTime: int, delayedTime: int) -> int:
    # Calculate the total arrival time
    total_time = arrivalTime + delayedTime
    # Return the time in 24-hour format
    return total_time % 24
← Back to All Questions