Windows自身没有提供类似Linux cgroup的能力来限制进程或进程组的资源占用,进程CPU/IO/内存/网络等资源的控制只能由自己实现。目前已有第三方的实现,主要是限制进程CPU的占用,如文档 < 21 Best Ways to Limit the CPU Usage of a Process > 所描述的BES,Process Tamer等软件。自Windows 8及Server 2012开始Windows系统有提供以job为单位的CPU占用及内存上限设置,之前的版本则只能以进程或线程为单位进行限制。
进程CPU占用限制方案
即时轮询系统所有进程(线程)的CPU占用,当发现所设定进程有超标时强制暂停进程所有线程的执行,然后在适当的时机再恢复执行。其中所涉及技术点:
进程CPU占用查询 GetProcessTimes
BOOL GetProcessTimes(
[in] HANDLE hProcess,
[out] LPFILETIME lpCreationTime,
[out] LPFILETIME lpExitTime,
[out] LPFILETIME lpKernelTime,
[out] LPFILETIME lpUserTime
);
此函数可以获取进程从创建至当前的总运行时间及总的CPU时间,(KernelTime + UserTime) < 系统CPU数 * (当前时间 - CreationTime)
线程CPU占用查询 GetThreadTimes
BOOL GetThreadTimes(
[in] HANDLE hThread,
[out] LPFILETIME lpCreationTime,
[out] LPFILETIME lpExitTime,
[out] LPFILETIME lpKernelTime,
[out] LPFILETIME lpUserTime
);
QueryThreadCycleTime可以提供更精准的CPU时间数据,单位为CPU时钟周期
BOOL QueryThreadCycleTime(
[in] HANDLE ThreadHandle,
[out] PULONG64 CycleTime
);
线程暂停及恢复
Windows平台没有提供暂停整个进程的支持函数,只能以线程为单位来操作,即SuspendThread及ResumeThread:
DWORD SuspendThread(
[in] HANDLE hThread
);
DWORD ResumeThread(
[in] HANDLE hThread
);
CPU亲和性设置: SetProcessAffinityMask
BOOL SetProcessAffinityMask(
[in] HANDLE hProcess,
[in] DWORD_PTR dwProcessAffinityMask
);
此函数可以限定进程及其所有线程所能使用的CPU,故一定程序上亦限定了进程最大的系统CPU占用率。
DWORD_PTR SetThreadAffinityMask(
[in] HANDLE hThread,
[in] DWORD_PTR dwThreadAffinityMask
);
此函数可单独限制特定线程的CPU亲和性。
进程优先级设置: SetPriorityClass
优先级解决的是优先运行及退让CPU的问题,本质上并不能限定CPU占用,只是优先级高于当前任务的忙碌的时候,当前进程会主动退让CPU 线程优先级设置:SetThreadPriority
BOOL SetThreadPriority(
[in] HANDLE hThread,
[in] int nPriority
);
Job Objects
Windows系统提供了Job的概念用以管理多个进程,可以限制Job对象内所有进程及期线程的CPU核心占用、CPU占用及内存分配上限等,均通过SetInformationJobObject来实现,具体的CPU限制由JOBOBJECT_CPU_RATE_CONTROL_INFORMATION管理,内存限制则由JOBOBJECT_EXTENDED_LIMIT_INFORMATION来管理。
BOOL SetInformationJobObject(
[in] HANDLE hJob,
[in] JOBOBJECTINFOCLASS JobObjectInformationClass,
[in] LPVOID lpJobObjectInformation,
[in] DWORD cbJobObjectInformationLength
);
需要注意的是CPU占用设置只有Windows 8及Server 2012之后的版本有效。
CPU Sets
此部分只限定了CPU Affinity属性
实验验证
可以直接利用开源项目go-winjob验证,验证系统Windows 8 x64,go-winjob git repo: https://github.com/kolesnikovae/go-winjob
验证程序
#include <stdio.h>
#include <stdlib.h>
void main(int argc, char *argv[])
{
unsigned long total = 0, count = 0, i = 0;
while (1) {
if (malloc(1024)) {
total += 1024;
count++;
}
if (!(++i & 4095))
printf("alloc: %u size: %u bytes\n", count, total);
}
}
无限制
在无限制的情况下,此进程会占满一个CPU核心,commit内存总占用达2G

单一进程
在设定CPU上限16%及内存16M上限之后,结果如下:
examples/job_object.go按如下修改:
var limits = []winjob.Limit{
winjob.WithBreakawayOK(),
winjob.WithKillOnJobClose(),
winjob.WithActiveProcessLimit(3),
winjob.WithProcessTimeLimit(10 * time.Second),
winjob.WithCPUHardCapLimit(1600), // 16%
winjob.WithProcessMemoryLimit(16 << 20), // 16MB
winjob.WithWriteClipboardLimit(),
}
const defaultCommand = ".\\CPUStress.exe"
多进程(双进程)
将winjob.WithProcessMemoryLimit 改为 winjob.WithJobMemoryLimit,后者表示此job内所有进程要占用的总内存限制:
var limits = []winjob.Limit{
winjob.WithBreakawayOK(),
winjob.WithKillOnJobClose(),
winjob.WithActiveProcessLimit(3),
winjob.WithProcessTimeLimit(10 * time.Second),
winjob.WithCPUHardCapLimit(1600), // 16%
winjob.WithJobMemoryLimit(16 << 20), // 16MB
winjob.WithWriteClipboardLimit(),
}
验证结果如下:

winjob example代码:
// +build windows
package main
import (
"encoding/json"
"log"
"os"
"os/exec"
"os/signal"
"time"
"golang.org/x/sys/windows"
"github.com/kolesnikovae/go-winjob"
)
var limits = []winjob.Limit{
winjob.WithBreakawayOK(),
winjob.WithKillOnJobClose(),
winjob.WithActiveProcessLimit(3),
winjob.WithProcessTimeLimit(10 * time.Second),
winjob.WithCPUHardCapLimit(1600), // 16%
winjob.WithJobMemoryLimit(16 << 20), // 16MB
winjob.WithWriteClipboardLimit(),
}
const defaultCommand = ".\\CPUStress.exe"
const stressCommand = ".\\CPUStressX64.exe"
func main() {
job, err := winjob.Create("", limits...)
if err != nil {
log.Fatalf("Create: %v", err)
}
cmd := exec.Command(defaultCommand)
cmd.Stderr = os.Stderr
cmd.SysProcAttr = &windows.SysProcAttr{
CreationFlags: windows.CREATE_SUSPENDED,
}
if err := cmd.Start(); err != nil {
log.Fatalf("Start: %v", err)
}
stress := exec.Command(stressCommand)
stress.Stderr = os.Stderr
stress.SysProcAttr = &windows.SysProcAttr{
CreationFlags: windows.CREATE_SUSPENDED,
}
if err := stress.Start(); err != nil {
log.Fatalf("Start: %v", err)
}
s := make(chan os.Signal, 1)
signal.Notify(s, os.Interrupt)
c := make(chan winjob.Notification)
subscription, err := winjob.Notify(c, job)
if err != nil {
log.Fatalf("Notify: %v", err)
}
done := make(chan struct{})
go func() {
defer close(done)
ticker := time.NewTicker(time.Second * 5)
defer ticker.Stop()
var counters winjob.Counters
for {
select {
case <-s:
log.Println("Closing job object")
if err := job.Close(); err != nil {
log.Fatal(err)
}
log.Println("Closing subscription")
if err := subscription.Close(); err != nil {
log.Fatal(err)
}
return
case n, ok := <-c:
if ok {
log.Printf("Notification: %#v\n", n)
} else if err := subscription.Err(); err != nil {
log.Fatalf("Subscription: %v", err)
}
case <-ticker.C:
if err := job.QueryCounters(&counters); err != nil {
log.Fatalf("QueryCounters: %v", err)
}
b, err := json.MarshalIndent(counters, "", "\t")
if err != nil {
log.Fatal(err)
}
log.Printf("Counters: \n%s\n", b)
}
}
}()
if err := job.Assign(cmd.Process); err != nil {
log.Fatalf("Assign: %v", err)
}
if err := winjob.Resume(cmd); err != nil {
log.Fatalf("Resume: %v", err)
}
if err := job.Assign(stress.Process); err != nil {
log.Fatalf("Assign: %v", err)
}
if err := winjob.Resume(stress); err != nil {
log.Fatalf("Resume: %v", err)
}
if err := cmd.Wait(); err != nil {
log.Fatalf("Wait: %v", err)
}
if err := stress.Wait(); err != nil {
log.Fatalf("Wait: %v", err)
}
// Wait for a signal.
<-done
}
Thanks for the breakdown! I’ve been looking into getting started, and the point about spread betting tax advantages in the UK really caught my eye how to check broker license
Đá gà ZBET là chuyên mục giới thiệu nội dung liên quan đến hình thức giải trí này, với các bài viết được trình bày rõ ràng và dễ hiểu. Khi trải nghiệm, người dùng có thể nhanh chóng nắm bắt thông tin và khám phá nội dung theo từng chủ đề cụ thể. https://zbet.it.com/da-ga-zbet
Nổ hũ ZBET là chuyên mục tập trung vào các nội dung liên quan đến slot game với nhiều chủ đề đa dạng. Nội dung được xây dựng trực quan, giúp người dùng nhanh chóng nắm bắt thông tin và hiểu rõ hơn về trải nghiệm. https://zbet.it.com/no-hu-zbet
Đá gà FABET là chuyên mục tập trung vào nội dung về hình thức giải trí này, với các bài viết được trình bày trực quan, dễ hiểu. Người dùng có thể nhanh chóng khám phá và nắm bắt thông tin theo từng chủ đề cụ thể. https://fabet.br.com/da-ga
Thể thao FABET là chuyên mục cung cấp các nội dung liên quan đến nhiều bộ môn và các giải đấu phổ biến. Các bài viết được sắp xếp rõ ràng, giúp người dùng dễ dàng theo dõi và cập nhật thông tin trong quá trình trải nghiệm website. https://fabet.br.com/the-thao
I like the emphasis on cross-training. A foot and ankle surgeon gave me pool-running intervals during rehab. foot and ankle surgeon Rahway
mostbet казино регистрация [url=https://mostbet89276.help]mostbet казино регистрация[/url]
Bắn cá FABET là chuyên mục cung cấp các nội dung xoay quanh trò chơi bắn cá với cách trình bày sinh động, dễ tiếp cận. Khi truy cập, người dùng có thể nhanh chóng tìm hiểu thông tin và trải nghiệm thông qua các bài viết được sắp xếp hợp lý. https://fabet.br.com
Thanks for the useful post. More like this at Tootoonchi Chiropractic spinal adjustment .
Wine and olive oil tastings in Crete had been a dream, booked using Greece cruises shore excursions as components.
мостбет как получить фриспины [url=mostbet63740.help]mostbet63740.help[/url]
Appreciate the thorough insights. For more, visit elderly care .
Thanks for the thorough analysis. Find more at tax services milpitas .
As a runner, regular adjustments have helped me recover faster and avoid injuries. Injury chiropractor
High-bay LED retrofits cut our bills—installer booked via 24/7 Garland electrician .
I enjoyed this post. For additional info, visit Hair extensions .
1win CS2 pariuri [url=http://1win90843.help]http://1win90843.help[/url]
melbet statistiques sports [url=melbet57184.help]melbet57184.help[/url]
Wonderful tips! Find more at memory care .
This was highly educational. For more, visit senior care .
Accessibility attributes matter a lot. We found a barrier-free assisted living home with respite care easily.
Excellent pieces. Keep writing such kind of information on your site. Im really impressed by your site.
Hi there, You have performed a great job. I’ll certainly digg it and in my opinion suggest to my friends. I am confident they will be benefited from this site.
beste online casino ohne oasis
Evidence preservation letters should go out quickly—lawyers handle this. car accident lawyer .
I enjoyed this read. For more, visit carpintería de aluminio Culleredo .
Valuable information! Discover more at financiación cocinas Granada .
This was highly educational. More at check-in flexible Arzúa .
This was very insightful. Check out evaluación nutricional for more.
This was a great article. Check out senior care for more.
1win ставкаҳои варзишӣ [url=http://1win20938.help]1win ставкаҳои варзишӣ[/url]
Коллеги-геймеры, хай! На выходных искал во что бы поиграть и вспомнил про одну крутую вещь.
Иногда хочется чего-то проверенного временем, а тут как раз обновили файлы с нормальной оптимизацией. У меня на десятке полетело без проблем. Особенно порадовало, что установка в один клик.
В общем, подробности и описание можете глянуть тут: [url=https://mods-menu.com/7787-sculpt-people-mod.html]перейти[/url] . Там все четко расписано.
Loved your guide on outdoor spigot repairs. Frost-free options at restaurant plumber NRH .
мелбет техподдержка киргизия [url=https://melbet27495.help/]https://melbet27495.help/[/url]
Great job! Discover more at Neighborhood Garage Door Repair Of Rockville .
ставка дар Тоҷикистон mostbet [url=www.mostbet40827.help]www.mostbet40827.help[/url]
Our fragile mirrors arrived flawless attributable to execs from southwest movers in fremont .
1win adresa alternativa [url=http://1win90843.help]1win adresa alternativa[/url]
Wow, I had no idea about the impact of hard water on plumbing systems! Your insights are invaluable. Learn more at plumber .
Thanks for the breakdown of these UK brokers. I have been testing out a few demo accounts to get a feel for the charts lately. Do you think spread betting is actually better than CFDs for a beginner trying to avoid those tricky tax complications? high leverage forex brokers uk
This page truly has all of the info I needed about this subject and didn’t know who to ask.
casino ohne oasis
melbet code promo dépôt [url=https://www.melbet57184.help]https://www.melbet57184.help[/url]
фриспины за регистрацию мостбет [url=http://mostbet63740.help]http://mostbet63740.help[/url]
Thanks for the thorough article. Find more at marblus granite kitchen countertop installers .
Thể thao XO88 là chuyên mục tập trung vào các nội dung liên quan đến nhiều bộ môn phổ biến và các giải đấu lớn. Khi truy cập, người dùng có thể dễ dàng theo dõi thông tin nhờ cách trình bày rõ ràng và sắp xếp hợp lý. https://xo88.loans/the-thao-xo88
This kind of information is valuable how understanding your rights
changes outcomes. Having legal guidance early can prevent costly
mistakes.
Pedestrian car accident laweyer
Slot game XO88 là chuyên mục tập trung vào các nội dung liên quan đến trò chơi nổ hũ với nhiều chủ đề đa dạng. Nội dung được trình bày sinh động, giúp người dùng dễ dàng tìm hiểu cơ chế hoạt động và trải nghiệm của hình thức giải trí này. https://xo88.loans/slot-game-xo88