A sentence is a list of words that are separated by a single space with no leading or trailing spaces. For example, "Hello World"
, "HELLO"
, "hello world hello world"
are all sentences. Words consist of only uppercase and lowercase English letters.
Two sentences sentence1
and sentence2
are similar if it is possible to insert an arbitrary sentence (possibly empty) inside one of these sentences such that the two sentences become equal. For example, sentence1 = "Hello my name is Jane"
and sentence2 = "Hello Jane"
can be made equal by inserting "my name is"
between "Hello"
and "Jane"
in sentence2
.
Given two sentences sentence1
and sentence2
, return true
if sentence1
and sentence2
are similar. Otherwise, return false
.
Example 1:
Input: sentence1 = "My name is Haley", sentence2 = "My Haley" Output: true Explanation: sentence2 can be turned to sentence1 by inserting "name is" between "My" and "Haley".
Example 2:
Input: sentence1 = "of", sentence2 = "A lot of words" Output: false Explanation: No single sentence can be inserted inside one of the sentences to make it equal to the other.
Example 3:
Input: sentence1 = "Eating right now", sentence2 = "Eating" Output: true Explanation: sentence2 can be turned to sentence1 by inserting "right now" at the end of the sentence.
Example 4:
Input: sentence1 = "Luky", sentence2 = "Lucccky" Output: false
Constraints:
1 <= sentence1.length, sentence2.length <= 100
sentence1
andsentence2
consist of lowercase and uppercase English letters and spaces.- The words in
sentence1
andsentence2
are separated by a single space.
class Solution:
def areSentencesSimilar(self, sentence1: str, sentence2: str) -> bool:
if sentence1 == sentence2:
return True
n1, n2 = len(sentence1), len(sentence2)
if n1 == n2:
return False
if n1 < n2:
sentence1, sentence2 = sentence2, sentence1
words1, words2 = sentence1.split(), sentence2.split()
i = j = 0
while i < len(words2) and words1[i] == words2[i]:
i += 1
if i == len(words2):
return True
while j < len(words2) and words1[len(words1) - 1 - j] == words2[len(words2) - 1 - j]:
j += 1
if j == len(words2):
return True
return i + j == len(words2)
class Solution {
public boolean areSentencesSimilar(String sentence1, String sentence2) {
if (Objects.equals(sentence1, sentence2)) {
return true;
}
int n1 = sentence1.length(), n2 = sentence2.length();
if (n1 == n2) {
return false;
}
if (n1 < n2) {
String t = sentence1;
sentence1 = sentence2;
sentence2 = t;
}
String[] words1 = sentence1.split(" ");
String[] words2 = sentence2.split(" ");
int i = 0, j = 0;
while (i < words2.length && Objects.equals(words1[i], words2[i])) {
++i;
}
if (i == words2.length) {
return true;
}
while (j < words2.length && Objects.equals(words1[words1.length - 1 - j], words2[words2.length - 1 - j])) {
++j;
}
if (j == words2.length) {
return true;
}
return i + j == words2.length;
}
}