Introduction
It is not a common requirement, but I ran into a scenario where I needed to set a hard Operating System limit on the maximum amount of memory a process could use. The Process.MaxWorkingSet property is, from what I can gather, merely a suggestion and easily worked-around by the Process.
This article describes the general approach to setting a hard limit to the memory a process can use and provides a link with running code to do so.
Approach
Windows has the concept of Job Objects, allowing management of system resources at an OS level, such as CPU or memory requirements.
To set a hard memory limit, the process is simple:
- Create a
Job
object using CreateJobObject - Use the SetInformationJobObject method to set the various process limits and controls, such as memory
- Finally, assign a running process to the
Job
with AssignProcessToJob and it will automatically be held to the limits of the associated Job
.
This code is demonstrated in the PublicDomain package in the following method:
PublicDomain.Win32.Job.CreateJobWithMemoryLimits
(uint minWorkingSetSize, uint maxWorkingSetSize, params Process[] processesToLimit)
This allows you to pass the min/max memory limits and a list of running Processes to apply the limit to.
You can watch the memory rise in task manager and hit the maximum that you set, subsequently throwing OutOfMemory Exceptions (if the GC can't reclaim enough needed memory).
The code returns a C# Job
object which is a light wrapper around the handle returned by the WIN32 CreateJobObject
method. The C# class also implements IDisposable
, and once the Job
is disposed, the memory limits are removed:
using (Process p = new Process())
{
p.StartInfo = new ProcessStartInfo("myexe.exe");
p.Start();
using (PublicDomain.Win32.Job j = PublicDomain.Win32.Job.CreateJobWithMemoryLimits(
(uint)GlobalConstants.BytesInAMegabyte * 12,
(uint)GlobalConstants.BytesInAMegabyte * 30,
p))
{
}
}
PublicDomain
The PublicDomain package is a completely free, public domain collection of oft-needed code and packages for .NET. There is no license, so the code (or any part of it) may be included even in corporate applications. Public domain code has no authority.
History
- 1st March, 2007: Initial post