python中常用:
s[::-1] : 反转整个字符
s.strip() :删除开头或结尾处的空白字符
s.split() :字符拆分成单词 → list
“ ”.join(s):list → 字符串
(持续更新…)
151.翻转字符串里的单词
给定一个字符串,逐个翻转字符串中的每个单词。
方法:
① 解题思路:先删除多余空白; 反转整个字符串;将每个单词反转
class Solution:
def reverseWords(self, s: str) -> str:
# 删除前后空白
s = s.strip()
# 反转整个字符串
s = s[::-1]
# 将字符串拆分为单词,并反转每个单词
s = ' '.join(word[::-1] for word in s.split())
return s
② 使用双指针:
class Solution:
def reverseWords(self, s: str) -> str:
# 将字符串拆分为单词,即转换成列表类型
words = s.split()
# 反转单词
left, right = 0, len(words) - 1
while left < right:
words[left], words[right] = words[right], words[left]
left += 1
right -= 1
# 将列表转换成字符串
return " ".join(words)
28. 实现strStr( )
题目:LeetCode28 实现strStr() 经典KMP算法
给定一个 haystack 字符串和一个 needle 字符串,在 haystack 字符串中找出 needle 字符串出现的第一个位置 (从0开始)。如果不存在,则返回 -1。
方法:①前缀表法 ②暴力法
①前缀表法
class Solution:
def getNext(self, next, s):
j = -1
next[0] = j
for i in range(1, len(s)):
while j >= 0 and s[i] != s[j+1]:
j = next[j]
if s[i] == s[j+1]:
j += 1
next[i] = j
def strStr(self, haystack: str, needle: str) -> int:
if not needle:
return 0
next = [0] * len(needle)
self.getNext(next, needle)
j = -1
for i in range(len(haystack)):
while j >= 0 and haystack[i] != needle[j+1]:
j = next[j]
if haystack[i] == needle[j+1]:
j += 1
if j == len(needle) - 1:
return i - len(needle) + 1
return -1
②暴力法
class Solution(object):
def strStr(self, haystack, needle):
"""
:type haystack: str
:type needle: str
:rtype: int
"""
m, n = len(haystack), len(needle)
for i in range(m):
if haystack[i:i+n] == needle:
return i
return -1
KMP算法介绍:
① 由这三位学者发明的:Knuth,Morris和Pratt,所以取了三位学者名字的首字母。
② 主要应用在字符串匹配查找上
③ 主要思想:当出现字符串不匹配时,可以知道一部分之前已经匹配的文本内容,可以利用这些信息避免从头再去做匹配了。
④ 前缀表(prefix table):next数组,是用来回退的,它记录了模式串与主串(文本串)不匹配的时候,模式串应该从哪里开始重新匹配。起始位置到下标i之前(包括i)的子串中,有多大长度的相同前缀后缀。
字符串总结
字符串问题常用双指针法、KMP算法。
标签:needle,随想录,len,next,算法,str,字符串,haystack From: https://blog.csdn.net/weixin_65053787/article/details/140104411