个人博客主页:http://myblog.nxx.nx.cn
代码GitHub地址:https://github.com/nx-xn2002/Data_Structure.git
Day9
151. 反转字符串中的单词
题目链接:
https://leetcode.cn/problems/reverse-words-in-a-string/
题目描述:
给你一个字符串 s
,请你反转字符串中 单词 的顺序。
单词 是由非空格字符组成的字符串。s
中使用至少一个空格将字符串中的 单词 分隔开。
返回 单词 顺序颠倒且 单词 之间用单个空格连接的结果字符串。
注意:输入字符串 s
中可能会存在前导空格、尾随空格或者单词间的多个空格。返回的结果字符串中,单词间应当仅用单个空格分隔,且不包含任何额外的空格。
思路:
先遍历字符串通过 StringBuilder
,将其中不为空格的内容拼接成字符串单词后存入到栈中,然后将栈中元素依次出栈构建新的字符串即可。
代码实现:
class Solution {public String reverseWords(String s) {Stack<String> stack = new Stack<>();StringBuilder sb = new StringBuilder();for (int i = 0; i < s.length(); i++) {if (s.charAt(i) == ' ' && sb.length() > 0) {stack.push(sb.toString());sb = new StringBuilder();} else if (s.charAt(i) != ' ') {sb.append(s.charAt(i));}}if (sb.length() > 0) {stack.push(sb.toString());sb = new StringBuilder();}while (!stack.isEmpty()) {sb.append(stack.pop());sb.append(" ");}sb.deleteCharAt(sb.length() - 1);return sb.toString();}
}
- 时间复杂度:
O(N)
- 空间复杂度:
O(N)
28. 找出字符串中第一个匹配项的下标
题目链接:
https://leetcode.cn/problems/find-the-index-of-the-first-occurrence-in-a-string/
题目描述:
给你两个字符串 haystack
和 needle
,请你在 haystack
字符串中找出 needle
字符串的第一个匹配项的下标(下标从 0 开始)。如果 needle
不是 haystack
的一部分,则返回 -1
思路:
本题显然是 kmp 算法的常见应用场景,要计算出 needle
模式串的前缀表。
计算方式如下:
如果 needle = "aabaa"
,下标 0 处子串为 "a"
,最长相同前后缀长度为 0。
下标 1 处子串为 "aa"
,最长相同前后缀长度为 1。
下标 2 处子串为 "aab"
,最长相同前后缀长度为 0。
下标 3 处子串为 "aaba"
,最长相同前后缀长度为 1。
下标 4 处子串为 "aabaa"
,最长相同前后缀长度为 2。
于是可以获得前缀表数组 [0, 1, 0, 1, 2]
当字符不匹配的时候,指针应该移动到失配下标 - 1的前缀表数组的值的下标
代码实现:
class Solution {public int strStr(String haystack, String needle) {int n = haystack.length(), m = needle.length();if (m == 0) {return 0;}int[] pi = new int[m];for (int i = 1, j = 0; i < m; i++) {while (j > 0 && needle.charAt(i) != needle.charAt(j)) {j = pi[j - 1];}if (needle.charAt(i) == needle.charAt(j)) {j++;}pi[i] = j;}for (int i = 0, j = 0; i < n; i++) {while (j > 0 && haystack.charAt(i) != needle.charAt(j)) {j = pi[j - 1];}if (haystack.charAt(i) == needle.charAt(j)) {j++;}if (j == m) {return i - m + 1;}}return -1;}
}