简单谈谈python中的反转字符串问题

按单词反转字符串是一道很常见的面试题。在python中实现起来非常简单。

def reverse_string_by_word(s):
lst = s.split() # split by blank space by default
return ‘ ‘.join(lst[::-1])
s = ‘power of love’
print reverse_string_by_word(s)
# love of power
s = ‘hello world!’
print reverse_string_by_word(s)
# world! hello

上面的实现其实已经能满足大多数情况,但是并不完美。比如第二个字符串中的感叹号并没有被翻转,而且原字符串中的空格数量也没有保留。(在上面的例子里其实hello和world之间不止一个空格)

我们期望的结果应该是这样子的。

print reverse_string_by_word(s)
# expected: !world hello

要改进上面的方案还不把问题复杂化,推荐使用re模块。你可以查阅re.split() 的官方文档。我们看一下具体例子。

>>> import re
>>> s = ‘hello world!’
>>> re.split(r’\s+’, s) # will discard blank spaces
[‘hello’, ‘world!’]
>>> re.split(r'(\s+)’, s) # will keep spaces as a group
[‘hello’, ‘ ‘, ‘world!’]
>>> s = ‘< welcome to ef.com! >‘
>>> re.split(r’\s+’, s) # split by spaces
[”]
>>> re.split(r'(\w+)’, s) # exactly split by word
[‘< ', 'welcome', ' ', 'to', ' ', 'ef', '.', 'com', '! >‘]
>>> re.split(r'(\s+|\w+)’, s) # split by space and word
[”]
>>> ”.join(re.split(r'(\s+|\w+)’, s)[::-1])
‘> !com.ef to welcome ef.com! to welcome com.ef to welcome< '

如果你觉得用切片将序列倒序可读性不高,那么其实也可以这样写。

>>> ”.join(reversed(re.split(r'(\s+|\w+)’, s)))
‘> !com.ef to welcome

Posted in 未分类

发表评论