Skip to content

Latest commit

 

History

History
49 lines (33 loc) · 1.31 KB

541-reverse-string-ii.md

File metadata and controls

49 lines (33 loc) · 1.31 KB

541. Reverse String II - 反转字符串 II

给定一个字符串和一个整数 k,你需要对从字符串开头算起的每个 2k 个字符的前k个字符进行反转。如果剩余少于 k 个字符,则将剩余的所有全部反转。如果有小于 2k 但大于或等于 k 个字符,则反转前 k 个字符,并将剩余的字符保持原样。

示例:

输入: s = "abcdefg", k = 2
输出: "bacdfeg"

要求:

  1. 该字符串只包含小写的英文字母。
  2. 给定字符串的长度和 k 在[1, 10000]范围内。

题目标签:String

题目链接:LeetCode / LeetCode中国

题解

Language Runtime Memory
python3 44 ms N/A
class Solution:
    def reverseStr(self, s, k):
        """
        :type s: str
        :type k: int
        :rtype: str
        """
        rst = ''
        for i in range(0, len(s), 2*k):
            rst += s[i:i+k][::-1] + s[i+k:i+2*k]
        return rst