题目描述
字符串的左旋转操作是把字符串前面的若干个字符转移到字符串的尾部。
请定义一个函数实现字符串左旋转操作的功能。
比如输入字符串”abcdefg”和数字2,该函数将返回左旋转2位得到的结果”cdefgab”。
样例
输入:"abcdefg" , n=2
输出:"cdefgab"
算法1
(模拟,string)
时间复杂度
$O(n)$
C++ 代码
class Solution {
public:
string leftRotateString(string str, int n) {
string res;
for(int i = n; i < str.size(); i ++) res += str[i];
for(int i = 0; i < n; i ++) res += str[i];
return res;
}
};
算法2
(模拟,reverse)
时间复杂度
$O(n)$
C++ 代码
class Solution {
public:
string leftRotateString(string s, int n) {
reverse(s.begin(), s.end());
reverse(s.begin(), s.begin() + s.size() - n);
reverse(s.begin() + s.size() - n, s.end());
return s;
}
};
为什么算法2第二句不减一