Problem Description
There is an authentication system that works with authentication tokens. For each session, the user will receive a new authentication token that will expire timeToLive
seconds after the currentTime
. If the token is renewed, the expiry time will be extended to expire timeToLive
seconds after the (potentially different) currentTime
.
Implement the AuthenticationManager
class:
AuthenticationManager(int timeToLive)
constructs theAuthenticationManager
and sets thetimeToLive
.generate(string tokenId, int currentTime)
generates a new token with the giventokenId
at the givencurrentTime
in seconds.renew(string tokenId, int currentTime)
renews the unexpired token with the giventokenId
at the givencurrentTime
in seconds. If there are no unexpired tokens with the giventokenId
, the request is ignored, and nothing happens.countUnexpiredTokens(int currentTime)
returns the number of unexpired tokens at the givencurrentTime
.
Note that if a token expires at time t
, and another action happens on time t
(renew
or countUnexpiredTokens
), the expiration takes place before the other actions.
Key Insights
- Tokens are managed with unique identifiers and have a lifespan defined by
timeToLive
. - Renewing a token updates its expiry time based on the current time.
- Expired tokens should not be counted or renewed.
- The operations have to be efficient due to potentially high limits in calls and time values.
Space and Time Complexity
Time Complexity: O(1) for generate
and countUnexpiredTokens
, O(n) for renew
(where n is the number of tokens if we need to check for expired tokens).
Space Complexity: O(n) where n is the number of tokens stored in the system.
Solution
To solve this problem, we will use a hash table (dictionary) to store the tokens along with their expiry times. Each token's ID will map to its expiry time calculated as currentTime + timeToLive
.
- Data Structure: A dictionary to hold token IDs as keys and their expiry times as values.
- Generate Method: Add a new token to the dictionary with its expiry time.
- Renew Method: Check if the token exists and is unexpired. If so, extend its expiry time. If it is expired, ignore the request.
- Count Method: Iterate through the tokens and count how many have not expired at the given
currentTime
.