在Python中是否有一种简单的方法来按字母顺序对字符串中的字母进行排序?
所以对于:
a = 'ZENOVW'
我想回复:
'ENOVWZ'
在Python中是否有一种简单的方法来按字母顺序对字符串中的字母进行排序?
所以对于:
a = 'ZENOVW'
我想回复:
'ENOVWZ'
当前回答
非常喜欢reduce()函数的答案。下面是使用accumulate()对字符串进行排序的另一种方法。
from itertools import accumulate
s = 'mississippi'
print(tuple(accumulate(sorted(s)))[-1])
排序(s) - >(“我”、“我”、“我”,“我”,“m”,“p”,“p”,‘s’,‘s’,‘s’,' s ']
两倍(累积)-> (' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' '
我们正在选择元组的最后一个索引(-1)
其他回答
Python functionsorted返回基于ASCII的字符串结果。
错误:在下面的例子中,e和d在H和W后面,因为它是ASCII值。
>>>a = "Hello World!"
>>>"".join(sorted(a))
' !!HWdellloor'
正确:为了在不改变字母大小写的情况下写入已排序的字符串。使用代码:
>>> a = "Hello World!"
>>> "".join(sorted(a,key=lambda x:x.lower()))
' !deHllloorW'
OR (Ref: https://docs.python.org/3/library/functions.html#sorted)
>>> a = "Hello World!"
>>> "".join(sorted(a,key=str.lower))
' !deHllloorW'
如果要删除所有标点符号和数字。 使用代码:
>>> a = "Hello World!"
>>> "".join(filter(lambda x:x.isalpha(), sorted(a,key=lambda x:x.lower())))
'deHllloorW'
非常喜欢reduce()函数的答案。下面是使用accumulate()对字符串进行排序的另一种方法。
from itertools import accumulate
s = 'mississippi'
print(tuple(accumulate(sorted(s)))[-1])
排序(s) - >(“我”、“我”、“我”,“我”,“m”,“p”,“p”,‘s’,‘s’,‘s’,' s ']
两倍(累积)-> (' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' '
我们正在选择元组的最后一个索引(-1)
Sorted()解决方案可以在使用其他字符串时得到一些意想不到的结果。
其他解决方案列表:
对字母进行排序并使它们不同:
>>> s = "Bubble Bobble"
>>> ''.join(sorted(set(s.lower())))
' belou'
对字母进行排序,使它们不同,同时保持大写:
>>> s = "Bubble Bobble"
>>> ''.join(sorted(set(s)))
' Bbelou'
将信件分类并保留副本:
>>> s = "Bubble Bobble"
>>> ''.join(sorted(s))
' BBbbbbeellou'
如果你想摆脱结果中的空格,在上述任何情况下添加strip()函数:
>>> s = "Bubble Bobble"
>>> ''.join(sorted(set(s.lower()))).strip()
'belou'
>>> a = 'ZENOVW'
>>> b = sorted(a)
>>> print b
['E', 'N', 'O', 'V', 'W', 'Z']
Sorted返回一个列表,所以你可以再次使用join使它成为一个字符串:
>>> c = ''.join(b)
它将b中的项连接在一起,每项之间都有一个空字符串”。
>>> print c
'ENOVWZ'
你可以用reduce
>>> a = 'ZENOVW'
>>> reduce(lambda x,y: x+y, sorted(a))
'ENOVWZ'