驼峰式匹配【LC1023】
如果我们可以将小写字母插入模式串
pattern
得到待查询项query
,那么待查询项与给定模式串匹配。(我们可以在任何位置插入每个字符,也可以插入 0 个字符。)给定待查询列表
queries
,和模式串pattern
,返回由布尔值组成的答案列表answer
。只有在待查项queries[i]
与模式串pattern
匹配时,answer[i]
才为true
,否则为false
。
有一点乏了 在想要不要继续写每日一题的题解
写题解有点费时间 简单题也不需要写题解来厘清思路 最近事情还有点多
- 思路
- 使用双指针,按规则进行字符匹配,模式串中的每一个字符在查询字符串中必须出现,查询字符串中多余的小写字母可以忽略
- 实现
class Solution { public List<Boolean> camelMatch(String[] queries, String pattern) { List<Boolean> res = new ArrayList<>(); for (String q : queries){ int i = 0, j = 0; while (i < q.length()){ char c = q.charAt(i); if (j < pattern.length() && c == pattern.charAt(j)){ i++; j++; }else if (c >= 'a' && c <= 'z'){ i++; }else{// 大写 break; } } res.add(i == q.length() && j == pattern.length()); } return res; } }