2042. Check if Numbers Are Ascending in a Sentence
Problem Description
The problem asks to determine if all numbers in a given sentence are strictly increasing. A sentence is defined as a list of tokens, which are either a positive number or a word, separated by single spaces. There are no leading zeros in numbers and no leading or trailing spaces in the sentence. The numbers must increase from left to right, meaning that each number should be smaller than the number that follows it. The task is to return true
if the condition of strictly increasing numbers is met, otherwise return false
.
Intuition
The intuition behind solving this problem is to iterate over the tokens in the sentence and keep track of the last number encountered. We split the sentence into tokens based on spaces, and then scan each token. If a token is a number (we can check this by looking at the first character of the token), we then compare it with the previous number we have seen (if any). To verify that the numbers are strictly increasing, we need to ensure that the current number is greater than the last number seen. If at any point we encounter a number that is not greater than the previous one, we return false
as the sequence is no longer strictly increasing. If we successfully go through all the numbers without violating the condition, we return true
, which means all numbers are strictly increasing.
Solution Approach
The implementation of the solution uses a simple iteration approach. The only data structure used here is an integer variable pre
to store the previously seen number, which initially is set to 0
, being smaller than any positive number as defined in the problem. We employ Python's built-in str.split()
method to break the sentence s
into tokens based on space as a delimiter.
The solution involves the following steps:
-
We start by splitting the sentence
s
into tokens by using thesplit
method. Each token is either a word or a number. -
We iterate over each token
t
in the sentence:- We check if the token is a number by looking at the first character of the token with
t[0].isdigit()
. - If it is a number, we convert the token to an integer
cur
withint(t)
. - We then check if
cur
is less than or equal to the previous numberpre
. If so, we immediately returnfalse
since the numbers must be strictly increasing. - If the condition is not met, we update
pre
to be the current numbercur
.
- We check if the token is a number by looking at the first character of the token with
-
If we finish iterating through all the tokens without returning
false
, we returntrue
as no condition was violated and therefore the numbers in the sentence are strictly increasing.
Here is the essence of the code, showing the straightforward loop and checks:
pre = 0
for t in s.split():
if t[0].isdigit():
cur = int(t)
if cur <= pre:
return False
pre = cur
return True
The code is efficient, running in O(n)
time complexity – where n
is the number of characters in the string – because it checks each token exactly once. Additionally, the space complexity is also O(n)
due to the space taken by the split tokens. By using tuple unpacking with the walrus operator (:=
), the code is concise and avoids a nested if
statement.
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 illustrate the solution approach using a simple example:
Given the sentence "cat 1 dog 2 fish 3 cow 5 lion 8"
-
We start by splitting the sentence into tokens:
["cat", "1", "dog", "2", "fish", "3", "cow", "5", "lion", "8"]
. -
Now, we initialize
pre = 0
, and iterate over the tokens:- The first token is "cat", which starts with a letter, so we ignore it.
- The second token is "1", which starts with a digit. We convert "1" to integer
1
and compare it withpre
(0). Since1 > 0
, the condition is satisfied. We setpre = 1
. - The next token "dog" is ignored since it doesn't start with a digit.
- The following token is "2", which is again a number. We convert "2" to integer
2
and compare it withpre
(1). Since2 > 1
, the condition is satisfied. We setpre = 2
. - This process continues for each number token.
-
Each number is greater than the last, so the condition of strictly increasing numbers is satisfied throughout.
-
After checking all the tokens, since we've found no violation of the condition, the function will return
True
.
In this example, the sentence follows the strictly increasing numerical order despite being interspersed with words. Thus, the output is True
.
Solution Implementation
1class Solution:
2 def areNumbersAscending(self, s: str) -> bool:
3 # Initialize the previous number to a value that won't
4 # be greater than any number encountered in the string.
5 previous_number = -1
6
7 # Split the string into individual tokens and iterate through them.
8 for token in s.split():
9 # Check if the first character of the token is a digit.
10 if token[0].isdigit():
11 # Convert the token to an integer.
12 current_number = int(token)
13
14 # If the current number is less than or equal to the previous number,
15 # the numbers are not strictly ascending.
16 if current_number <= previous_number:
17 return False
18
19 # Update the previous number to the current one
20 # for the next iteration's comparison.
21 previous_number = current_number
22
23 # If we've gone through all numbers without returning False,
24 # the numbers are strictly ascending.
25 return True
26
1class Solution {
2
3 /**
4 * Checks if the numbers in the string are in ascending order.
5 *
6 * @param str The string containing words and numbers.
7 * @return {@code true} if the numbers appear in ascending order, {@code false} otherwise.
8 */
9 public boolean areNumbersAscending(String str) {
10 // Previous number to compare with, initialized to the smallest possible value (0 is a valid number, so -1 is used)
11 int previousNum = -1;
12
13 // Split the input string on spaces
14 String[] tokens = str.split(" ");
15
16 // Iterate through each split token
17 for (String token : tokens) {
18 // Check if the first character of the token is a digit
19 if (Character.isDigit(token.charAt(0))) {
20 // Parse the integer value from the token
21 int currentNum = Integer.parseInt(token);
22 // Compare the current number with the previous one
23 if (previousNum >= currentNum) {
24 // If the current number is not greater than the previous number, return false
25 return false;
26 }
27 // Update previous number to the current number
28 previousNum = currentNum;
29 }
30 }
31
32 // If all numbers were in ascending order, return true
33 return true;
34 }
35}
36
1class Solution {
2public:
3 // This function checks if numbers in the sentence are strictly ascending.
4 bool areNumbersAscending(std::string s) {
5 int previousNumber = -1; // Initialize with -1 to handle the case when the first token is a number.
6 std::istringstream stream(s); // Use istringstream to read the string token by token.
7 std::string token;
8
9 // Loop through each token in the input string.
10 while (stream >> token) {
11 // Check if the first character of the token is a digit, indicating it's a number.
12 if (isdigit(token[0])) {
13 int currentNumber = std::stoi(token); // Convert token to integer.
14
15 // If current number is not greater than the previous number, return false.
16 if (previousNumber >= currentNumber) {
17 return false;
18 }
19
20 // Update the previous number to the current number for next comparison.
21 previousNumber = currentNumber;
22 }
23 }
24
25 // If all numbers are in strictly ascending order, return true.
26 return true;
27 }
28};
29
1function areNumbersAscending(s: string): boolean {
2 // Initialize previousNumber with a value that is less than any other number.
3 let previousNumber = -1;
4
5 // Split the input string by spaces to check each word.
6 for (const word of s.split(' ')) {
7 // If the first character of the word is a digit,
8 // the word might be a number or start with a number.
9 if (!isNaN(word[0] as any)) {
10 // Try to convert the word to a number.
11 const currentNumber = Number(word);
12
13 // If the conversion is successful and the currentNumber is not greater than previousNumber,
14 // the sequence is not strictly ascending, so return false.
15 if (currentNumber <= previousNumber) {
16 return false;
17 }
18
19 // Update previousNumber to the currentNumber for the next iteration's comparison.
20 previousNumber = currentNumber;
21 }
22 }
23
24 // If the loop completes without returning false, the condition is met for an ascending sequence of numbers.
25 return true;
26}
27
Time and Space Complexity
Time Complexity:
The time complexity of the code is O(n)
, where n
is the length of the string s
. This is because the split
method runs in O(n)
, splitting the string into words based on spaces, and the for
loop iterates over each word once. The loop itself contains a constant-time check (if t[0].isdigit()
) and a constant-time integer conversion (int(t)
), so overall, each iteration of the loop adds a constant amount of work. Consequently, the total time taken is proportional to the number of words, which is at most proportional to the length of the input string s
.
Space Complexity:
The space complexity of the code is O(m)
, where m
is the number of words in the string s
. This is because the split
method creates a list of all the words in the string, which requires space proportionate to the number of words. The for
loop does not allocate any additional data structures that grow with the size of the input; it only uses a couple of variables to hold the current and previous numerical values. Note that in the worst case, every character could be a word (if they are all digits separated by spaces), making m
roughly n/2
, but this does affect the big-O notation and the space complexity remains linear with respect to the length of the input string.
Learn more about how to find time and space complexity quickly using problem constraints.
Is the following code DFS or BFS?
void search(Node root) { if (!root) return; visit(root); root.visited = true; for (Node node in root.adjacent) { if (!node.visited) { search(node); } } }
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!