题目

字符串的左旋转操作是把字符串前面的若干个字符转移到字符串的尾部。请定义一个函数实现字符串左旋转操作的功能。比如,输入字符串"abcdefg"和数字2,该函数将返回左旋转两位得到的结果"cdefgab"

示例 1:

  1. 输入: s = "abcdefg", k = 2
  2. 输出: "cdefgab"

示例 2:

  1. 输入: s = "lrloseumgh", k = 6
  2. 输出: "umghlrlose"

限制:

  • 1 <= k < s.length <= 10000

    解题方法

    双指针法

    先翻转整个字符串,在根据分隔位置,依次翻转前后两部分。
    时间复杂度为O(n),空间复杂度为O(1)

    class Solution {
    public:
      void reverse(string& s, int i, int j) {
          while(i<j){
              swap(s[i], s[j]);
              i++;
              j--;
          }
      }
    
      string reverseLeftWords(string s, int n) {
          int num = s.size();
          reverse(s, 0, num-1);
          reverse(s, 0, num-n-1);
          reverse(s, num-n, num-1);
          return s;
      }
    };