问题描述
我的程序可以根据使用情况突然分配大量 RAM.我想限制它可以从系统中获取的 RAM.
My program can allocate suddenly a lot of RAM based on usage.I want to limit the RAM it can take from the system.
我在这里看到:限制python程序的RAM使用
但它只适用于 Unix.任何适用于 Windows 的解决方案?
But it works only for Unix.Any solution for Windows?
推荐答案
A 作业对象 支持限制进程的已提交内存.在 Python 中,我们可以通过 PyWin32 或 ctypes 来实现.
A Job object supports limiting the committed memory of a process. In Python, we can implement this via PyWin32 or ctypes.
请注意,在 Windows 8 之前,进程只能位于单个作业中.需要关注的一些常见情况包括 py.exe 启动器(.py 文件的默认关联),它在作业中运行 python.exe,以及任务计划程序服务,它在作业中运行每个任务.
Note that prior to Windows 8 a process can only be in a single Job. A couple of common cases where this is a concern include the py.exe launcher (the default association for .py files), which runs python.exe in a Job, and the Task Scheduler service, which runs each task in a Job.
import sys
import warnings
import winerror
import win32api
import win32job
g_hjob = None
def create_job(job_name='', breakaway='silent'):
hjob = win32job.CreateJobObject(None, job_name)
if breakaway:
info = win32job.QueryInformationJobObject(hjob,
win32job.JobObjectExtendedLimitInformation)
if breakaway == 'silent':
info['BasicLimitInformation']['LimitFlags'] |= (
win32job.JOB_OBJECT_LIMIT_SILENT_BREAKAWAY_OK)
else:
info['BasicLimitInformation']['LimitFlags'] |= (
win32job.JOB_OBJECT_LIMIT_BREAKAWAY_OK)
win32job.SetInformationJobObject(hjob,
win32job.JobObjectExtendedLimitInformation, info)
return hjob
def assign_job(hjob):
global g_hjob
hprocess = win32api.GetCurrentProcess()
try:
win32job.AssignProcessToJobObject(hjob, hprocess)
g_hjob = hjob
except win32job.error as e:
if (e.winerror != winerror.ERROR_ACCESS_DENIED or
sys.getwindowsversion() >= (6, 2) or
not win32job.IsProcessInJob(hprocess, None)):
raise
warnings.warn('The process is already in a job. Nested jobs are not '
'supported prior to Windows 8.')
def limit_memory(memory_limit):
if g_hjob is None:
return
info = win32job.QueryInformationJobObject(g_hjob,
win32job.JobObjectExtendedLimitInformation)
info['ProcessMemoryLimit'] = memory_limit
info['BasicLimitInformation']['LimitFlags'] |= (
win32job.JOB_OBJECT_LIMIT_PROCESS_MEMORY)
win32job.SetInformationJobObject(g_hjob,
win32job.JobObjectExtendedLimitInformation, info)
def main():
assign_job(create_job())
memory_limit = 100 * 1024 * 1024 # 100 MiB
limit_memory(memory_limit)
try:
bytearray(memory_limit)
except MemoryError:
print('Success: available memory is limited.')
else:
print('Failure: available memory is not limited.')
return 0
if __name__ == '__main__':
sys.exit(main())
这篇关于限制 Windows 中的 python 脚本 RAM 使用的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!