题目
难度:★☆☆☆☆
类型:字符串
编写一个函数,其作用是将输入的字符串反转过来。输入字符串以字符数组 char[] 的形式给出。
不要给另外的数组分配额外的空间,你必须原地修改输入数组、使用 O(1) 的额外空间解决这一问题。
你可以假设数组中的所有字符都是 ASCII 码表中的可打印字符。
示例
示例 1:
输入:["h","e","l","l","o"]
输出:["o","l","l","e","h"]
示例 2:
输入:["H","a","n","n","a","h"]
输出:["h","a","n","n","a","H"]
解答
这道题在Python中相当于实现:
class Solution:
def reverseString(self, s):
"""
Do not return anything, modify s in-place instead.
"""
s.reverse()
这里我们使用左右指针和元素交换进行实现:
初始化左右指针分别位于字符串列表的左右两端;
每轮循环,交换两个指针所指向的元素,左指针右移,同时右指针左移;
当左指针移动到右指针右边,认为指针位置不合法,跳出循环
class Solution:
def reverseString(self, s):
class Solution:
def reverseString(self, s):
"""
Do not return anything, modify s in-place instead.
"""
left, right = 0, len(s) - 1 # 初始化左右指针在字符串两端位置
while left < right: # 指针位置合法时
s[left], s[right] = s[right], s[left] # 交换两指针处元素
left += 1 # 左指针右移
right -= 1 # 右指针左移
如有疑问或建议,欢迎评论区留言~