Problem Description
An underground railway system is keeping track of customer travel times between different stations. They are using this data to calculate the average time it takes to travel from one station to another.
Implement the UndergroundSystem
class:
-
void checkIn(int id, string stationName, int t)
- A customer with a card ID equal to
id
, checks in at the stationstationName
at timet
. - A customer can only be checked into one place at a time.
- A customer with a card ID equal to
-
void checkOut(int id, string stationName, int t)
- A customer with a card ID equal to
id
, checks out from the stationstationName
at timet
.
- A customer with a card ID equal to
-
double getAverageTime(string startStation, string endStation)
- Returns the average time it takes to travel from
startStation
toendStation
. - The average time is computed from all the previous traveling times from
startStation
toendStation
that happened directly. - The time it takes to travel from
startStation
toendStation
may be different from the time it takes to travel fromendStation
tostartStation
. - There will be at least one customer that has traveled from
startStation
toendStation
beforegetAverageTime
is called.
- Returns the average time it takes to travel from
Key Insights
- Use a hash table to map customer IDs to their check-in station and time.
- Use another hash table to track the total travel time and count of trips between pairs of stations.
- Ensure that when checking out, the travel time is calculated and stored for future average calculations.
- The average time can be computed simply by dividing the total travel time by the count of trips.
Space and Time Complexity
Time Complexity:
checkIn
: O(1)checkOut
: O(1)getAverageTime
: O(1)
Space Complexity:
- O(N) where N is the number of unique station pairs and customers checked in at any given time.
Solution
To solve this problem, we will utilize two hash tables:
checkInData
to store the check-in information using the customer ID as the key.travelTimes
to store the total travel time and count of trips for each pair of stations.
When a customer checks in, we will record their station and time. Upon checkout, we will calculate the travel time, update our total time and increment the count for that station pair. The average is then easily computed when requested.