一个句子是由一些单词与它们之间的单个空格组成,且句子的开头和结尾没有多余空格。比方说,"Hello World" ,"HELLO" ,"hello world hello world" 都是句子。每个单词都 只 包含大写和小写英文字母。
如果两个句子 sentence1 和 sentence2 ,可以通过往其中一个句子插入一个任意的句子(可以是空句子)而得到另一个句子,那么我们称这两个句子是 相似的 。比方说,sentence1 = "Hello my name is Jane" 且 sentence2 = "Hello Jane" ,我们可以往 sentence2 中 "Hello" 和 "Jane" 之间插入 "my name is" 得到 sentence1 。
给你两个句子 sentence1 和 sentence2 ,如果 sentence1 和 sentence2 是相似的,请你返回 true ,否则返回 false 。
示例 1:
输入:sentence1 = "My name is Haley", sentence2 = "My Haley"
输出:true
解释:可以往 sentence2 中 "My" 和 "Haley" 之间插入 "name is" ,得到 sentence1 。
示例 2:
输入:sentence1 = "of", sentence2 = "A lot of words"
输出:false
解释:没法往这两个句子中的一个句子只插入一个句子就得到另一个句子。
示例 3:
输入:sentence1 = "Eating right now", sentence2 = "Eating"
输出:true
解释:可以往 sentence2 的结尾插入 "right now" 得到 sentence1 。
示例 4:
输入:sentence1 = "Luky", sentence2 = "Lucccky"
输出:false
提示:
1 <= sentence1.length, sentence2.length <= 100
sentence1 和 sentence2 都只包含大小写英文字母和空格。
sentence1 和 sentence2 中的单词都只由单个空格隔开。
来源:力扣(LeetCode)
链接:https://leetcode.cn/problems/sentence-similarity-iii
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
由于只能插入一个句子,所以这个句子要么在开头插入,要么在中间插入,要么在最后插入。
可以想到,从头往后遍历相同的子句,记录长度,再从后往前遍历相同的子句,记录长度。最后将两次的结果相加,如果大于等于最短的句子长度,则必定可以只插入一个句子来达成目的。
一开始没有考虑空格问题,结果挂在了这个例子:"Luky" "Lucccky"
再加一个空格判断就行。
class Solution { public boolean areSentencesSimilar(String sentence1, String sentence2) { // 前后加一个空格,就不用判断是否是开头和结尾的问题 sentence1 = ' ' + sentence1 + ' '; sentence2 = ' ' + sentence2 + ' '; int minLen = Math.min(sentence1.length(), sentence2.length()); // 计数器,用来保存从前往后数,相同子句的长度 int t1 = 0; // 用来判断是否是同一个单词,避免某两个单词开头几个字母相同,之后字母不同,或者没有空格的情况。 int j1 = 0; // 从前往后遍历。 for (int i = 0; i < minLen; i ++) { if (sentence1.charAt(i) != sentence2.charAt(i)) { // 避免单词开头几个字母相同,之后不同,或者没有空格的情况。 t1 = t1 - j1; break; } // 判断是否开始一个新的单词 if (sentence1.charAt(i) == ' ') { j1 = 0; } else { // 新单词的长度 j1 ++; } t1 ++; } // 计数器,用来保存从前往后数,相同子句的长度 int t2 = 0; // 用来判断是否是同一个单词,避免某两个单词开头几个字母相同,之后字母不同,或者没有空格的情况。 int j2 = 0; // 从后往前遍历,中间的步骤和从前往后遍历完全相同。 for (int i = 0; i < minLen; i ++) { char c = sentence1.charAt(sentence1.length() - i - 1); if (c != sentence2.charAt(sentence2.length() - i - 1)) { t2 = t2 - j2; break; } if (c == ' ') { j2 = 0; } else { j2 ++; } t2 ++; } return t1 + t2 >= minLen; } }
运行结果:
标签:空格,1813,16,---,插入,sentence1,sentence2,单词,句子 From: https://www.cnblogs.com/allWu/p/17056721.html