Python使用子字符串排序字符串数组

时间:2013-01-08 05:59:56

标签: python arrays sorting

我有一个数组,其中包含“ps aux”命令的输出。我的目标是使用命令名称列对数组进行排序,但我不知道如何执行此操作,我无法找到答案。

到目前为止,这是我的代码

#!/usr/bin/python
import subprocess

ps = subprocess.Popen(['ps', 'aux'], stdout=subprocess.PIPE).communicate()[0]
processes = ps.split('\n')

nfields = len(processes[0].split()) - 1
for row in processes[1:]:
#    print row.split(None, nfields) //This is used to split all the value in the string
     print row

此代码snipet的输出类似于

...
root        11  0.0  0.0      0     0 ?        S<    2012   0:00 [kworker/1:0H]
root        12  0.0  0.0      0     0 ?        S     2012   0:00 [ksoftirqd/1]
root        13  0.0  0.0      0     0 ?        S     2012   0:00 [migration/2]

...

所以我的目标会有类似的输出,但是在最后一列上排序,所以最后看起来像这样

...
root        13  0.0  0.0      0     0 ?        S     2012   0:00 [migration/2]
root        12  0.0  0.0      0     0 ?        S     2012   0:00 [ksoftirqd/1]
root        11  0.0  0.0      0     0 ?        S<    2012   0:00 [kworker/1:0H]
...

你们中的任何人都有关于如何做到这一点的线索吗?

2 个答案:

答案 0 :(得分:2)

sorted(..., key=lambda x: x.split()[10])

答案 1 :(得分:2)

这样的事情:

#!/usr/bin/env python
import subprocess
from operator import itemgetter

ps = subprocess.Popen(['ps', 'aux'], stdout=subprocess.PIPE).communicate()[0]
processes = [p for p in ps.split('\n') if p]
split_processes = [p.split() for p in processes]

然后打印出你的结果:

for row in sorted(split_processes[1:], key=itemgetter(10)):
    print " ".join(row)

或者像这样(如果你只想要进程名和参数):

for row in sorted(split_processes[1:], key=itemgetter(10)):
    print " ".join(row[10:])