Python实现字符串反转

题目描述:现有字符串strs,现要将其进行反转。
输入:
abcde
输出:
edcba

方法一:使用字符串切片

#coding=utf-8
strs = input()
res = strs[::-1]
print(res)

方法二:使用join函数进行连接

#coding=utf-8
strs = input()
#strs_list = []
#for i in strs:
#    strs_list.append(i)
list(strs)
res = "".join(strs[::-1])
print(res)

方法三:reduce()函数

#coding=utf-8
from functools import reduce
strs = input()
res = reduce(lambda x,y:y+x,strs)
print(res)

python3中,reduce()函数已经被全局名字空间移除了,它现在被放置在functools模块里,如果想要使用它,则需要通过引入functools模块来调用reduce()函数。
python2中可以直接使用。

方法四:递归实现

#coding=utf-8
def func(s):
    if len(s) <1:
        return s
    return func(s[1:])+s[0]

s = input()
res = func(s)
print(res)

方法五:使用栈

#coding=utf-8
def func(s):
    l = list(s) #模拟全部入栈
    result = ""
    while len(l)>0:
        result += l.pop() #模拟出栈
    return result

s = input()
res = func(s)
print(res)

方法六:使用for循环

#coding=utf-8
def func(s):
    result = ""
    max_index = len(s)-1
    for index,value in enumerate(s):
        result += s[max_index-index]
    return result

s = input()
res = func(s)
print(res)

参考和引用:
https://www.cnblogs.com/taceywong/p/8045127.html

仅用来个人学习和分享,如若侵权,留言立删。

尊重他人知识产权,不做拿来主义者!

喜欢的可以关注我哦QAQ,

你的关注和喜欢就是我write博文的动力。

你可能感兴趣的:(python)