在Python中更改进程优先级,跨平台

swvgeqrz  于 2023-01-24  发布在  Python
关注(0)|答案(5)|浏览(193)

我有一个Python程序,它需要进行耗时的计算,因为它占用了大量CPU资源,而我希望系统保持响应速度,所以我希望将程序的优先级更改为低于正常值。
我发现了这个:Set Process Priority In Windows - ActiveState
但我正在寻找一个跨平台的解决方案。

pkln4tw6

pkln4tw61#

下面是我用来将进程设置为低于正常优先级的解决方案:

    • 一月一日**
def lowpriority():
    """ Set the priority of the process to below-normal."""

    import sys
    try:
        sys.getwindowsversion()
    except AttributeError:
        isWindows = False
    else:
        isWindows = True

    if isWindows:
        # Based on:
        #   "Recipe 496767: Set Process Priority In Windows" on ActiveState
        #   http://code.activestate.com/recipes/496767/
        import win32api,win32process,win32con

        pid = win32api.GetCurrentProcessId()
        handle = win32api.OpenProcess(win32con.PROCESS_ALL_ACCESS, True, pid)
        win32process.SetPriorityClass(handle, win32process.BELOW_NORMAL_PRIORITY_CLASS)
    else:
        import os

        os.nice(1)

在Windows和Linux上测试Python 2.6。

huus2vyu

huus2vyu2#

您可以使用psutil模块。
在POSIX平台上:

>>> import psutil, os
>>> p = psutil.Process(os.getpid())
>>> p.nice()
0
>>> p.nice(10)  # set
>>> p.nice()
10

在Windows上:

>>> p.nice(psutil.HIGH_PRIORITY_CLASS)
bvhaajcl

bvhaajcl3#

在每一个类Unix平台上(包括Linux和MacOsX),请参见os.nice

os.nice(increment)
Add increment to the process’s “niceness”. Return the new niceness. Availability: Unix.

既然你已经有了一个适用于Windows的配方,它涵盖了大多数平台--除了Windows之外,在任何地方都可以使用带正参数的os.nice。没有“ Package 得很好”的跨平台解决方案AFAIK(将这个组合打包起来会很困难,但是,仅仅打包它会有多大的额外价值?)

ws51t4hk

ws51t4hk4#

如果您无法访问其中的某些模块,您可以在Windows中使用以下工具进行访问:

import os  
def lowpriority():  
    """ Set the priority of the process to below-normal."""  
    os.system("wmic process where processid=\""+str(os.getpid())+"\" CALL   setpriority \"below normal\"")

显然,您可以像上面的示例一样区分操作系统类型以实现兼容性。

lp0sw83n

lp0sw83n5#

这里有一个代码,对我来说很好:

import sys
import os
import psutil

os_used = sys.platform
process = psutil.Process(os.getpid())  # Set highest priority for the python script for the CPU
if os_used == "win32":  # Windows (either 32-bit or 64-bit)
    process.nice(psutil.REALTIME_PRIORITY_CLASS)
elif os_used == "linux":  # linux
    process.nice(psutil.IOPRIO_HIGH)
else:  # MAC OS X or other
    process.nice(20)

有关代码中使用的数字和常量的更多信息,请参阅完整文档:
https://psutil.readthedocs.io/en/latest/#

相关问题