2437. Number of Valid Clock Times
Problem Description
You are given a string time
representing the current time on a digital clock in the 24-hour format "hh:mm". The string time
can include the character ?
, which stands for an unknown digit that you'll need to replace with a number from 0
to 9
. Your task is to determine how many unique valid times can be generated by replacing every ?
in the time
string. A valid time is one that is between "00:00" and "23:59" inclusive.
The problem is essentially asking to calculate the count of all possible valid times that can be created from the given string by substituting the ?
with appropriate digits, while also respecting the restrictions of time format, where the hours range from 00
to 23
and the minutes range from 00
to 59
.
For example, if the input time
is "0?:4?"
, the first ?
can be replaced by any digit from 0
to 9
to still make a valid hour (since 00
to 09
are all valid hours), and the second ?
can be replaced by any digit from 0
to 9
to make valid minutes (since 40
to 49
are all valid minutes). You must count all such valid combinations.
Intuition
The key intuition behind the solution is to handle the hour and minute parts of the time independently since they have different valid ranges. The first two characters ("hh"
) of time
can range from 00
to 23
, while the last two characters ("mm"
) can range from 00
to 59
.
The strategy is to count the number of possibilities for the hour and minute parts separately and then multiply those two counts to get the total number of valid times.
For each part, we need to consider two scenarios:
- The character is a
?
, which means it can take any value within the allowed range. - The character is a digit, which imposes a constraint on the possible values.
This is achieved by a function f
that takes a substring (either the hour or the minute) and the maximum value it can take (24
for hours, 60
for minutes). It then iterates over all possible values within the range, checks if they are compatible with the given substring, and counts the number of valid possibilities.
Multiplying the counts of valid possibilities for hours and minutes gives us the total number of valid times. The key parts of the solution are identifying the constraints and handling unknowns ('?') correctly while iterating over the possible ranges.
Solution Approach
The solution approach leverages a simple, yet effective methodology for deciphering the number of valid times that can be created from a string with unknowns represented by ?
. The approach uses a nested helper function f
inside the main function countTime
to count the possibilities for each part of the time string (hour and minute).
The helper function f(s: str, m: int) -> int
is designed to work with a substring s
of the time and a maximum limit m
(24 for hours, 60 for minutes), and returns the count of possible numbers that fit within the constraints, matching the given pattern s
.
Here’s the breakdown of the implementation:
-
Nested Function Definition: The function
f
takes a substrings
representing either the hour (time[:2]
) or the minute (time[3:]
) part of the time and an integerm
that is the maximum value (24
for hours,60
for minutes). The return value is the count of valid numbers for this part of the time. -
Loop Over Range: A loop runs from
0
tom
(exclusive), checking each potential valid integer value within the constraint range. The valuei
represents the current number being checked for validity against the substring patterns
. -
Variable Assignments: Within the loop, two boolean variables
a
andb
are assigned.a
checks if the first character ofs
is a?
or if it matches the tenth digit ofi
.b
checks if the second character ofs
is a?
or if it matches the unit digit ofi
.
-
Counting Possibilities: The count
cnt
increments only if botha
andb
areTrue
, meaning the numberi
is valid according to the substring patterns
. -
Return Total Counts: For the final result,
f
is applied to the hours and minutes separately and the respective counts are multiplied. This gives the total number of valid times, as the possibilities for hours and minutes are independent of each other.
This methodology is both efficient and sufficient, as it directly counts the valid possibilities without having to materialize them. It avoids unnecessary computation by ignoring invalid potential values.
Data structures used are minimal in this approach, with a primary focus on the algorithm and logical checks. There aren't any complex patterns - just straightforward comparison logic and a loop to tally up the valid combinations.
By applying this solution approach to the countTime
function, the code effectively calculates the number of distinct valid times that can be made by replacing ?
with digits from 0
to 9
.
Ready to land your dream job?
Unlock your dream job with a 2-minute evaluator for a personalized learning plan!
Start EvaluatorExample Walkthrough
Let's use the time "1?:2?"
to illustrate the solution approach. We need to determine how many unique valid times can be generated by replacing each ?
with a number from 0
to 9
.
Analyzing the Hours
First, we look at the hour part 1?
. Since the first digit is 1
, the second digit (which is ?
) can be any number from 0
to 9
, because any such number paired with 1
at the start will form a valid hour (from 10
to 19
).
Using the helper function f
for hours (s = "1?"
and m = 24
), the function will loop from 0
to 23
. It will increase the count cnt
every time the value i
satisfies the conditions:
a
will beTrue
since the first digit ofs
is1
, not?
.b
will beTrue
for any value ofi
from10
to19
because?
can be any digit.
Therefore, there are 10 possible hour combinations when the hour part of time
is 1?
.
Analyzing the Minutes
Now we look at the minute part 2?
. Since the first digit is 2
, the second digit (which is ?
) can also be any number from 0
to 9
, forming a valid minute (from 20
to 29
).
Using the helper function f
for minutes (s = "2?"
and m = 60
), the function will loop from 0
to 59
. It will increase the count cnt
every time the value i
satisfies the conditions:
a
will beTrue
because the first minute digit is2
, not?
.b
will beTrue
for any value ofi
from20
to29
.
As a result, there are 10 possible minute combinations when the minute part of time
is 2?
.
Combining Hour and Minute Possibilities
We multiply the possibilities for the hours (10) by the possibilities for the minutes (10), which gives us a total of 10 * 10 = 100
unique valid times that can be generated from the time 1?:2?
.
In this walkthrough, we saw how to use the solution approach to find the total possible valid times. We separately calculated the possibilities for each segment of the time pattern and then combined them to find the overall number of valid combinations.
Solution Implementation
1class Solution:
2 def count_time(self, time: str) -> int:
3 # Helper function to count the valid numbers for a part of the time (hour/minute)
4 def count_valid_combinations(part: str, max_value: int) -> int:
5 count = 0
6 # Iterate through all possible values based on maximum for hour/minute
7 for i in range(max_value):
8 # Check if the first character is '?' or matches the tens place of 'i'
9 matches_first_char = part[0] == "?" or (int(part[0]) == i // 10)
10 # Check if the second character is '?' or matches the ones place of 'i'
11 matches_second_char = part[1] == "?" or (int(part[1]) == i % 10)
12 # Increment count if both characters match
13 count += matches_first_char and matches_second_char
14 return count
15
16 # Separating the time string into hours and minutes parts
17 hour_part = time[:2]
18 minute_part = time[3:]
19
20 # Return the product of the count of valid combinations for hours and minutes
21 return count_valid_combinations(hour_part, 24) * count_valid_combinations(minute_part, 60)
22
1class Solution {
2
3 // This method calculates the number of valid times that can be represented by the given string
4 public int countTime(String time) {
5 // Split the time string into hours and minutes and pass to helper method
6 int possibleHours = calculatePossibilities(time.substring(0, 2), 24);
7 int possibleMinutes = calculatePossibilities(time.substring(3), 60);
8
9 // Total combinations are the product of possibilities for hours and minutes
10 return possibleHours * possibleMinutes;
11 }
12
13 // Helper method to calculate the number of valid possibilities for a given time component
14 private int calculatePossibilities(String timeComponent, int maxValue) {
15 int count = 0;
16 // Loop through all possible values for the given time component
17 for (int i = 0; i < maxValue; ++i) {
18 // Check if the first character matches or is a wildcard '?'
19 boolean firstCharMatches = timeComponent.charAt(0) == '?' || timeComponent.charAt(0) - '0' == i / 10;
20 // Check if the second character matches or is a wildcard '?'
21 boolean secondCharMatches = timeComponent.charAt(1) == '?' || timeComponent.charAt(1) - '0' == i % 10;
22 // Increment the count if both characters match the current possibility
23 count += (firstCharMatches && secondCharMatches) ? 1 : 0;
24 }
25 return count; // Return the total count of valid possibilities
26 }
27}
28
1class Solution {
2public:
3 /**
4 * Count the number of valid times that can be represented by the given time string.
5 *
6 * @param time A time string that includes wildcards '?'.
7 * @return The number of valid times that the input can represent.
8 */
9 int countTime(string time) {
10 // Define a lambda function that counts the possible valid numbers for the given pattern
11 auto countMatches = [ ](string pattern, int maxValue) {
12 int count = 0;
13 for (int i = 0; i < maxValue; ++i) {
14 // Check if the first character matches or is a wildcard
15 bool isMatchFirstChar = pattern[0] == '?' || pattern[0] - '0' == i / 10;
16 // Check if the second character matches or is a wildcard
17 bool isMatchSecondChar = pattern[1] == '?' || pattern[1] - '0' == i % 10;
18 // Increment count if both characters match or are wildcards
19 count += isMatchFirstChar && isMatchSecondChar;
20 }
21 return count;
22 };
23 // Apply the lambda to the hour portion of the time
24 int hourMatches = countMatches(time.substr(0, 2), 24);
25 // Apply the lambda to the minute portion of the time
26 int minuteMatches = countMatches(time.substr(3, 2), 60);
27
28 // Return the product of the matches for hour and minute as the total count
29 return hourMatches * minuteMatches;
30 }
31};
32
1function countTime(time: string): number {
2 // Helper function to count the valid numbers that can replace the '?'
3 // `timeSegment` is the part of the time string ('HH' or 'MM')
4 // `maxValue` is the maximum value that the time segment can have (24 for hours, 60 for minutes)
5 const countValidCombinations = (timeSegment: string, maxValue: number): number => {
6 let validCount = 0; // to keep track of the count of valid combinations
7 for (let i = 0; i < maxValue; ++i) {
8 // Check if the first character matches or is a '?'
9 const matchesFirstChar = timeSegment[0] === '?' || timeSegment[0] === Math.floor(i / 10).toString();
10 // Check if the second character matches or is a '?'
11 const matchesSecondChar = timeSegment[1] === '?' || timeSegment[1] === (i % 10).toString();
12
13 // Increment the count if both characters match or are '?'
14 if (matchesFirstChar && matchesSecondChar) {
15 ++validCount;
16 }
17 }
18 return validCount; // return the final count of valid combinations
19 };
20
21 // Extract the hour and minute segments from the input time string
22 const hoursSegment = time.slice(0, 2); // 'HH'
23 const minutesSegment = time.slice(3); // 'MM'
24
25 // Count valid hour and minute combinations and multiply them to get total valid time combinations
26 const hourCombinations = countValidCombinations(hoursSegment, 24);
27 const minuteCombinations = countValidCombinations(minutesSegment, 60);
28
29 // The total number of possible valid times is the product of the number of
30 // valid hour combinations and the number of valid minute combinations.
31 return hourCombinations * minuteCombinations;
32}
33
Time and Space Complexity
Time Complexity
The given Python function countTime
primarily consists of two nested calls to a helper function f
. The helper function is responsible for counting the number of valid permutations for given position constraints in a digital clock format.
The function f
is called twice:
- To calculate the number of valid hours when the input is the first two characters of the string corresponding to hours.
- To calculate the number of valid minutes when the input is the last two characters of the string corresponding to minutes.
The first call to f
considers all possible hour values, which in a 24-hour format, are 00 to 23, totaling 24 possibilities. The second call to f
considers all possible minute values, which are from 00 to 59, totaling 60 possibilities.
In both cases, f
iterates over a fixed range:
- For hours:
range(24)
- For minutes:
range(60)
Within the function f
, there are constant-time operations being performed, such as comparison and arithmetic operations. These constant-time operations do not depend on the size of the input and thus have a time complexity O(1)
.
Therefore, the time complexity of f
is O(24)
for hours and O(60)
for minutes, which are both considered constant, and we can simplify this to O(1)
complexity for each call of f
.
Since we call f
twice, once for hours and once for minutes, and each call has a O(1)
time complexity, our total time complexity for function countTime
is also O(1)
.
Space Complexity
The space complexity of the function countTime
is determined by the space used by variables inside the function that are required to perform the computation.
The helper function f
uses a few local variables (like cnt
, a
, and b
) to store temporary calculation results. These variables require a constant amount of space that does not depend on the size of the input; hence, they have a space complexity of O(1)
.
The outer function countTime
similarly uses only a constant amount of space, calling f
twice and storing the results in a return statement.
All variables are of primitive data types, and there are no data structures used that would grow with the size of the input. Therefore, the overall space complexity of the countTime
function is O(1)
as well.
Learn more about how to find time and space complexity quickly using problem constraints.
A person thinks of a number between 1 and 1000. You may ask any number questions to them, provided that the question can be answered with either "yes" or "no".
What is the minimum number of questions you needed to ask so that you are guaranteed to know the number that the person is thinking?
Recommended Readings
LeetCode Patterns Your Personal Dijkstra's Algorithm to Landing Your Dream Job The goal of AlgoMonster is to help you get a job in the shortest amount of time possible in a data driven way We compiled datasets of tech interview problems and broke them down by patterns This way we
Recursion Recursion is one of the most important concepts in computer science Simply speaking recursion is the process of a function calling itself Using a real life analogy imagine a scenario where you invite your friends to lunch https algomonster s3 us east 2 amazonaws com recursion jpg You first
Runtime Overview When learning about algorithms and data structures you'll frequently encounter the term time complexity This concept is fundamental in computer science and offers insights into how long an algorithm takes to complete given a certain input size What is Time Complexity Time complexity represents the amount of time
Want a Structured Path to Master System Design Too? Don’t Miss This!