python如何把輸進去的字符倒過來?
Python中字符串反轉常用的五種方法:使用字符串切片、使用遞歸、使用列表reverse()方法、使用棧和使用for循環。
1、使用字符串切片(最簡潔)
s = "hello"
reversed_s = s[::-1]
print(reversed_s)
>>> olleh
2、使用遞歸def reverse_it(string):
if len(string)==0:
return string
else:
return reverse_it(string[1:]) + string[0]
print "added " + string[0]
string1 = "the crazy programmer"
string2 = reverse_it(string1)
print "original = " + string1
print "reversed = " + string2
3、使用列表reverse()方法In [25]: l=['a', 'b', 'c', 'd']
...: l.reverse()
...: print (l)
['d', 'c', 'b', 'a']
4、使用棧def rev_string(a_string):
l = list(a_string) #模擬全部入棧
new_string = ""while len(l)>0:
new_string += l.pop() #模擬出棧
return new_string
5、使用for循環#for循環
def func(s):
r = ""
max_index = len(s) - 1
for index,value in enumerate(s):
r += s[max_index-index]
return r
r = func(s)
以上就是Python中字符串反轉常用的五種方法.