2490. Circular Sentence
Problem Description
A sentence is defined as a list of words that are separated by a single space, with no leading or trailing spaces. Words are made up of uppercase and lowercase English letters, and it's important to note that uppercase and lowercase letters are distinct from one another.
A sentence is considered "circular" if it meets two conditions:
- The last character of a word is the same as the first character of the following word.
- The last character of the last word is the same as the first character of the first word.
The task is to determine if a given sentence meets these criteria for being a circular sentence. In other words, we need to check if the sentence forms a continuous loop where the end of one word connects to the beginning of the next, and finally, the sentence loops from the end back to the beginning.
Intuition
To determine if a sentence is circular, a straightforward approach is adopted:
-
First, check if the first character of the sentence is the same as the last character. This fulfills the second condition for the sentence to be circular, forming the loop from end to beginning.
-
Then, inspect each space in the sentence to ensure that it is the separator between two words where the last character of the word before the space matches the first character of the word after the space. This is the first condition needed for a circular sentence.
-
Loop through each character in the sentence, and at every space character, compare the characters immediately before and after the space. If they are the same, we proceed; if not, the sentence cannot be circular.
-
If all spaces in the sentence have matching characters before and after, and the first and last characters of the sentence are the same, the sentence is circular. Otherwise, it is not.
The Python solution provided uses the all()
function in combination with a list comprehension to efficiently check each space in the sentence for the required condition and to compare the first and last characters of the sentence. This performs the necessary checks in one pass, making it a simple and effective solution.
Solution Approach
The solution provided uses a simple yet effective approach to determine whether the given sentence is circular. The key aspects of the implementation are:
-
Checking the first and last characters: The condition
s[0] == s[-1]
checks whether the first character of the sentence (s[0]
) is the same as the last character (s[-1]
). This is essential for the sentence to loop back to the beginning after the last word. -
Iterating through the sentence: We then utilize the
enumerate()
function, which allows us to loop through each character in the sentence while having access to both the character itself (c
) and its index (i
). -
List comprehension with
all()
: A list comprehension is used in conjunction with theall()
function.all()
will returnTrue
only if all elements in the iterable areTrue
. This is perfect for checking if every space in the sentence is followed by a word that starts with the same character that ends the previous word. -
Condition within list comprehension: The condition
c != " " or s[i - 1] == s[i + 1]
within the list comprehension serves a dual purpose. It checks that:- For elements that are not spaces (where
c != " "
), we do not need to perform any action, so these cases should always returnTrue
by default to pass theall()
condition. - For spaces (which means
c
is" "
), it checks if the character before the space (s[i - 1]
) is the same as the character after the space (s[i + 1]
), thereby adhering to the rule that the last character of one word must match the first character of the next word.
- For elements that are not spaces (where
-
Combining the conditions: The above two aspects are combined using an
and
operator to ensure that the sentence is circular only if both conditions are satisfied.
This approach is efficient because it only involves a single traversal of the sentence and does not require any extra data structures, thus keeping the space complexity to O(1). The code simplicity and the absence of nested loops also ensure that the time complexity is kept to O(n), where n
is the length of the input sentence.
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 go through an example to illustrate the solution approach.
Consider the sentence: "cat toy yak kite energy"
To determine if this sentence is circular according to the description, we need to apply the provided solution.
-
First, we check if the sentence starts and ends with the same character, which are "c" and "y" in this case. Since they are not the same, we could conclude the sentence is not circular. However, for the sake of demonstration, we'll continue with the next steps as if they were the same to illustrate the full process.
-
Now we'll iterate through the sentence using
enumerate()
to examine each character and its position. -
Our list comprehension will iterate over each character
c
along with its indexi
. -
For each character that is not a space, we consider it valid as it doesn't contribute to the condition for circularity.
-
For each space character, we check the condition
(s[i - 1] == s[i + 1])
.
- After "cat", the space is followed by "toy". The last character of "cat" is 't' and the first character of "toy" is 't', so this condition is met.
- Following "toy", the space is followed by "yak". The last character of "toy" is 'y' and the first character of "yak" is 'y', so this condition is met as well.
- After "yak", the space is followed by "kite". The last character of "yak" is 'k' and the first character of "kite" is 'k', meeting the condition once again.
- Finally, after "kite", the last character 'e' should match the first character of "energy" 'e', which it does.
- If the first and last characters matched and all the conditions for spaces were true as per the steps above, we could say the sentence is circular. The code would look like this:
sentence = "cat toy yak kite energy"
is_circular = sentence[0] == sentence[-1] and all(c != " " or sentence[i - 1] == sentence[i + 1] for i, c in enumerate(sentence))
Since the first character 'c' doesn't match the last character 'y', sentence[0] == sentence[-1]
evaluates to False
and therefore is_circular
would be False
even though every other condition is met. As such, the sentence "cat toy yak kite energy"
is not circular.
This demonstrates how the provided solution approach can be applied to any sentence to efficiently determine its circularity.
Solution Implementation
1class Solution:
2 def is_circular_sentence(self, sentence: str) -> bool:
3 """
4 Determine if the given sentence is circular.
5
6 A sentence is considered circular if:
7 1. The first and last characters are the same (ignoring spaces), and
8 2. For every space in the sentence, the characters immediately before
9 and after the space must be the same.
10
11 Parameters:
12 sentence (str): The input sentence to be evaluated.
13
14 Returns:
15 bool: True if the sentence is circular, False otherwise.
16 """
17
18 # Check if the first character (ignoring leading spaces) is the same as the
19 # last character (ignoring trailing spaces)
20 # and iterate through the sentence checking the condition for circularity
21 return sentence[0] == sentence[-1] and all(
22 char != " " or sentence[index - 1] == sentence[index + 1]
23 for index, char in enumerate(sentence)
24 )
25
26# Example usage:
27# sol = Solution()
28# print(sol.is_circular_sentence("radar")) # This would return True
29# print(sol.is_circular_sentence("hello")) # This would return False
30
1class Solution {
2
3 /**
4 * Checks if the given sentence is circular. A sentence is considered circular
5 * if the first and last characters are the same and each space is both preceded
6 * and succeeded by the same character.
7 *
8 * @param sentence The input sentence as a string.
9 * @return true if the sentence is circular, otherwise false.
10 */
11 public boolean isCircularSentence(String sentence) {
12 int sentenceLength = sentence.length();
13
14 // Check if the first and last characters are the same.
15 // If not, the sentence cannot be circular.
16 if (sentence.charAt(0) != sentence.charAt(sentenceLength - 1)) {
17 return false;
18 }
19
20 // Iterate through the characters of the sentence
21 for (int i = 1; i < sentenceLength; ++i) {
22 // Check if there is a space and if it is not flanked
23 // by the same character on both sides. If not, return false.
24 if (sentence.charAt(i) == ' ' && sentence.charAt(i - 1) != sentence.charAt(i + 1)) {
25 return false;
26 }
27 }
28
29 // If all checks are passed, the sentence is circular.
30 return true;
31 }
32}
33
1#include <string> // Include string library to use the string class
2using namespace std;
3
4class Solution {
5public:
6 // Function to check if the sentence is circular.
7 // A circular sentence must start and end with the same character, and after every
8 // space character, the next character must be the same as the last character before the space.
9 bool isCircularSentence(string sentence) {
10 int length = sentence.size(); // Get the size of the string
11
12 // Check if the first and last character of the sentence is not the same
13 if (sentence[0] != sentence[length - 1]) {
14 return false; // If they are not the same, the sentence is not circular
15 }
16
17 // Iterate over the string starting from the second character
18 for (int i = 1; i < length; ++i) {
19 // Check if the current character is a space and the character before it
20 // is not the same as the character after it
21 if (sentence[i] == ' ' && sentence[i - 1] != sentence[i + 1]) {
22 return false; // If they are not the same, the sentence is not circular
23 }
24 }
25
26 // If all checks pass, the sentence is circular
27 return true;
28 }
29};
30
1function isCircularSentence(sentence: string): boolean {
2 // Get the length of the sentence
3 const sentenceLength = sentence.length;
4
5 // Check if the first and last character of the sentence are the same
6 if (sentence[0] !== sentence[sentenceLength - 1]) {
7 return false; // not circular if they differ
8 }
9
10 // Loop through the sentence to check each character
11 for (let index = 1; index < sentenceLength; ++index) {
12 // Check if current character is a space
13 if (sentence[index] === ' ' && sentence[index - 1] !== sentence[index + 1]) {
14 // Return false if characters around the space are not the same
15 return false;
16 }
17 }
18
19 // Return true if all checks passed, the sentence is circular
20 return true;
21}
22
Time and Space Complexity
The time complexity of the provided code is O(n)
where n
is the length of the string s
. This is because the code iterates through each character in the string exactly once (via the enumerate
function in the all()
), and each operation inside the loop is O(1)
, including checking equality of characters.
The space complexity of the code is O(1)
. No additional space that scales with the size of the input string is required, as the evaluation is done in-place and the all()
function does not create a new list or use any additional space that would depend on the length of the input string.
Learn more about how to find time and space complexity quickly using problem constraints.
Which of the following shows the order of node visit in a Breadth-first Search?
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!