按字母顺序对 Python 中的单词进行排序


按字母顺序对单词进行排序意味着我们要首先按单词的第一个字母对它们进行排列。然后再对第一个字母相同的单词,按第二个字母,依此类推,就像在语言词典中一样(不是数据结构)。

Python 有 2 个针对此类排序的函数,sort 和 sorted,让我们来看看如何以及何时各自使用这些方法。

就地排序:当我们要在原处对数组/列表进行排序时,即直接更改当前结构内的顺序,我们可以直接使用 sort 方法。例如,

my_arr = [
"hello",
"apple",
"actor",
"people",
"dog"
]

print(my_arr)
my_arr.sort()
print(my_arr)

这将产生以下输出 −

['hello', 'apple', 'actor', 'people', 'dog']
['actor', 'apple', 'dog', 'hello', 'people']

如你所见,原始数组 my_arr 已被修改。如果你想保持此数组不变并在排序时创建新数组,你可以使用 sorted 方法。例如,

示例

 实时演示

my_arr = [
"hello",
"apple",
"actor",
"people",
"dog"
]

print(my_arr)
# Create a new array using the sorted method
new_arr = sorted(my_arr)

print(new_arr)
# This time, my_arr won't change in place, rather, it'll be sorted
# and a new instance will be assigned to new_arr
print(my_arr)

输出

这将产生以下输出 −

['hello', 'apple', 'actor', 'people', 'dog']
['actor', 'apple', 'dog', 'hello', 'people']
['hello', 'apple', 'actor', 'people', 'dog']

如你所见,原始数组没有改变。

更新:2020-06-20

3K+ 次浏览

开启您的 事业

通过完成课程获得认证

开始
广告