小编典典

如何在包含数字和字母的列表上的python中进行数字反向排序

python

我的清单是这样的:

10.987|first sentence
13.87|second sentence
9.098|third sentence

如果我做类似的事情:

for x in my_list:
    sorted(my_list, reverse=True)

从逻辑上我得到:

9.098|third sentence
13.87|second sentence
10.987|first sentence

这是因为它没有被解释为数字,但是我无法将整个字符串转换为浮点数。我想要的是第一部分的数字排序:

13.87|second sentence
10.987|first sentence
9.098|third sentence

我尝试使用itemgetter,但似乎找不到我想要的东西。用bash可以很容易地解决

sort -k

在python中有等效的工具吗?


阅读 235

收藏
2021-01-20

共1个答案

小编典典

这是一种方法。

lst = ['10.987|first sentence',
       '13.87|second sentence',
       '9.098|third sentence']

res = sorted(lst, key=lambda x: -float(x.split('|')[0]))

结果

['13.87|second sentence',
 '10.987|first sentence',
 '9.098|third sentence']

说明

  • sorted使用一个参数key,该参数允许您指定要lambda对其进行排序的custom()函数。
  • lambda按功能拆分“|” 并提取第一部分以获取数字分量。
  • 为了进行数字排序,我们转换为float并最终求反以确保降序排列。
  • 代替否定,reverse=True可以使用参数。
2021-01-20