在Python环境下反转字符串的几种方法,例如将z= "abcdef"反转成 "fedcba"
1:使用切片
result = z[::-1]
2:使用for循环
def func(z):
result = ""
max_index = len(z)-1
for index,value in enumerate(z):
result += z[max_index-index]
return result
result = func(z)
3:使用reduce
result = reduce(lambda x,y:y+x,z)
4:使用递归函数
def func(z):
if len(z) <1:
return z
return func(z[1:])+z[0]
result = func(z)
5:使用列表的reverse的方法
l = list(z)
l.reverse()
result = "".join(l)
6:使用栈
def func(z):
l = list(z) #模拟全部入栈
result = ""
while len(l)>0:
result += l.pop() #模拟出栈
return result
result = func(z)