菜鸟表示想看看算法。
题目描述
字符串的左旋转操作是把字符串前面的若干个字符转移到字符串的尾部。请定义一个函数实现字符串左旋转操作的功能。比如,输入字符串"abcdefg"和数字2,该函数将返回左旋转两位得到的结果"cdefgab"。
示例 1:
输入: s = “abcdefg”, k = 2
输出: “cdefgab”
示例 2:
输入: s = “lrloseumgh”, k = 6
输出: “umghlrlose”
限制:
1 <= k < s.length <= 10000
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/zuo-xuan-zhuan-zi-fu-chuan-lcof
解题思路
一、循环取余赋值
“无中生有”。定义一新变量,将字符串从n开始依次赋值给新变量,取余
操作使得变量又得以接收到还未被接收的起始字符。
下面来看看其他作者的解释,帮助我们理解。
我们将字符数组的下标0,1,2,3…n-1顺时针排列在一个圆上,就像是一张圆桌
顺时针坐着n个人,题中的左旋转操作就相当于把人逆时针移动,而逆时针n位
就相当于顺时针移动s.length()-n位。我们设移动后的字符串为S,S的第i位
对应着s的某一位x,他们满足i = (x + s.length() - n) % s.length(),
解得x = (i + n) % s.length(),这里只需要一点简单的数学知识就能解出来。
作者:zsj123
链接:https://leetcode-cn.com/problems/zuo-xuan-zhuan-zi-fu-chuan-lcof/solution/li-yong-shu-xue-gong-shi-qiao-jie-by-zsj123/
// c++
class Solution {
public:
string reverseLeftWords(string s, int n) {
return a;
string res = "";
for (int i = 0; i < s.length(); i++)
res += s[(i + n) % s.length()];
return res;
}
};
与思路三中作者同为一人,分析在思路三中,若有疑问,可参考思路三分析。
复杂度分析:
时间复杂度:O(N)
空间复杂度:O(1)
# python
class Solution:
def reverseLeftWords(self, s: str, k: int) -> str:
n = len(s)
res = ''
for i in range(k, k + n):
res += s[i % n]
return res
二、三次旋转
其实这个问题是<<翻转单词顺序>>的一个衍生
我们来看例子s = “abcdefg”, k = 2
步骤:
先将s看成两部分s[:2]和s[2:],然后分别翻转这两部分,
此时s变为s = “bagfedc”,再将现在的s进行翻转,变成s = “cdefgab”,
这就是结果喽!
时间复杂度为O(n)
作者:xiao-xue-66
链接:https://leetcode-cn.com/problems/zuo-xuan-zhuan-zi-fu-chuan-lcof/solution/pythonti-jie-duo-chong-fang-shi-shi-xian-da-po-mia/
class Solution(object):
def reverseLeftWords(self, s, n):
"""
:type s: str
:type n: int
:rtype: str
"""
if n > len(s) or not s:
return ''
s = list(s)
def reverse(start, end):
while start < end:
# 旋转
s[start], s[end] = s[end], s[start]
start += 1
end -= 1
length = len(s) - 1
reverse(0, n-1)
reverse(n,length)
reverse(0, length)
return ''.join(s)
三、切片
复杂度分析:
时间复杂度:O(N)
空间复杂度:O(N)
这种方法虽然巧妙,但是我们花费了额外的 N 的空间,能否不借助额外的空间呢?答案是可以的,我们可以假想已经存在了另外一个相同的 s1,并且我们将它连接到 s1 的末尾。注意这里是假想,实际不存在,因此空间复杂度是 O(1)。那么如何实现呢?
答案还是利用求模。
作者:lucifer
链接:https://leetcode-cn.com/problems/zuo-xuan-zhuan-zi-fu-chuan-lcof/solution/chao-jian-dan-duo-chong-jie-fa-python3-by-azl39798/
# python
class Solution:
def reverseLeftWords(self, s: str, k: int) -> str:
n = len(s)
s = s + s
return s[k:n + k]
其他切片做法。
# python
# 字符串拼接,效率不高,将创建额外内存,消耗内存空间。
class Solution(object):
def reverseLeftWords(self, s, n):
"""
:type s: str
:type n: int
:rtype: str
"""
return s[n:] + s[:n]
# python
# 相比'+',join更高效且只申请一次内存。
class Solution(object):
def reverseLeftWords(self, s, n):
"""
:type s: str
:type n: int
:rtype: str
"""
return ''.join([s[n:],s[:n]])