如何获取CPU使用率

huangapple go评论96阅读模式
英文:

How to get CPU usage

问题

我的Go程序需要知道所有系统和用户进程的当前CPU使用率百分比。

我该如何获取这些信息?

英文:

My Go program needs to know the current cpu usage percentage of all system and user processes.

How can I obtain that?

答案1

得分: 34

检查一下这个包 http://github.com/c9s/goprocinfo,goprocinfo包会为你处理解析的工作。

stat, err := linuxproc.ReadStat("/proc/stat")
if err != nil {
    t.Fatal("stat读取失败")
}

for _, s := range stat.CPUStats {
    // s.User
    // s.Nice
    // s.System
    // s.Idle
    // s.IOWait
}
英文:

Check out this package http://github.com/c9s/goprocinfo, goprocinfo package does the parsing stuff for you.

stat, err := linuxproc.ReadStat("/proc/stat")
if err != nil {
    t.Fatal("stat read fail")
}

for _, s := range stat.CPUStats {
    // s.User
    // s.Nice
    // s.System
    // s.Idle
    // s.IOWait
}

答案2

得分: 28

我遇到了类似的问题,但从未找到一个轻量级的实现。这是我解决方案的简化版本,可以回答你的具体问题。我像tylerl建议的那样采样/proc/stat文件。你会注意到,我在采样之间等待3秒,以匹配top的输出,但我在1或2秒的采样间隔也取得了良好的结果。我在一个go例程的循环中运行类似的代码,然后在其他go例程中需要时访问CPU使用情况。

你也可以解析top -n1 | grep -i cpu的输出来获取CPU使用情况,但在我的Linux系统上,它只采样了半秒,并且在高负载时偏差很大。当我将其与下面的程序同步时,常规的top似乎非常接近:

package main

import (
    "fmt"
    "io/ioutil"
    "strconv"
    "strings"
    "time"
)

func getCPUSample() (idle, total uint64) {
    contents, err := ioutil.ReadFile("/proc/stat")
    if err != nil {
        return
    }
    lines := strings.Split(string(contents), "\n")
    for _, line := range(lines) {
        fields := strings.Fields(line)
        if fields[0] == "cpu" {
            numFields := len(fields)
            for i := 1; i < numFields; i++ {
                val, err := strconv.ParseUint(fields[i], 10, 64)
                if err != nil {
                    fmt.Println("Error: ", i, fields[i], err)
                }
                total += val // tally up all the numbers to get total ticks
                if i == 4 {  // idle is the 5th field in the cpu line
                    idle = val
                }
            }
            return
        }
    }
    return
}

func main() {
    idle0, total0 := getCPUSample()
    time.Sleep(3 * time.Second)
    idle1, total1 := getCPUSample()

    idleTicks := float64(idle1 - idle0)
    totalTicks := float64(total1 - total0)
    cpuUsage := 100 * (totalTicks - idleTicks) / totalTicks

    fmt.Printf("CPU usage is %f%% [busy: %f, total: %f]\n", cpuUsage, totalTicks-idleTicks, totalTicks)
}

我似乎可以链接到我在bitbucket上编写的完整实现;如果不行,请随意删除此链接。目前它只适用于Linux:systemstat.go

英文:

I had a similar issue and never found a lightweight implementation. Here is a slimmed down version of my solution that answers your specific question. I sample the /proc/stat file just like tylerl recommends. You'll notice that I wait 3 seconds between samples to match top's output, but I have also had good results with 1 or 2 seconds. I run similar code in a loop within a go routine, then I access the cpu usage when I need it from other go routines.

You can also parse the output of top -n1 | grep -i cpu to get the cpu usage, but it only samples for half a second on my linux box and it was way off during heavy load. Regular top seemed to match very closely when I synchronized it and the following program:

package main
import (
&quot;fmt&quot;
&quot;io/ioutil&quot;
&quot;strconv&quot;
&quot;strings&quot;
&quot;time&quot;
)
func getCPUSample() (idle, total uint64) {
contents, err := ioutil.ReadFile(&quot;/proc/stat&quot;)
if err != nil {
return
}
lines := strings.Split(string(contents), &quot;\n&quot;)
for _, line := range(lines) {
fields := strings.Fields(line)
if fields[0] == &quot;cpu&quot; {
numFields := len(fields)
for i := 1; i &lt; numFields; i++ {
val, err := strconv.ParseUint(fields[i], 10, 64)
if err != nil {
fmt.Println(&quot;Error: &quot;, i, fields[i], err)
}
total += val // tally up all the numbers to get total ticks
if i == 4 {  // idle is the 5th field in the cpu line
idle = val
}
}
return
}
}
return
}
func main() {
idle0, total0 := getCPUSample()
time.Sleep(3 * time.Second)
idle1, total1 := getCPUSample()
idleTicks := float64(idle1 - idle0)
totalTicks := float64(total1 - total0)
cpuUsage := 100 * (totalTicks - idleTicks) / totalTicks
fmt.Printf(&quot;CPU usage is %f%% [busy: %f, total: %f]\n&quot;, cpuUsage, totalTicks-idleTicks, totalTicks)
}

It seems like I'm allowed to link to the full implementation that I wrote on bitbucket; if it's not, feel free to delete this. It only works on linux so far, though: systemstat.go

1: https://bitbucket.org/bertimus9/systemstat/ "systemstat.go"

答案3

得分: 19

获取CPU使用率的机制取决于操作系统,因为这些数字对不同的操作系统内核有稍微不同的含义。

在Linux上,您可以通过读取/proc/文件系统中的伪文件来查询内核以获取最新的统计信息。当您读取它们时,它们会即时生成以反映机器的当前状态。

具体来说,每个进程的/proc/<pid>/stat文件包含相关的进程记账信息。它在proc(5)中有文档记录。您特别关注的是字段utimestimecutimecstime(从第14个字段开始)。

您可以很容易地计算出百分比:只需读取这些数字,等待一段时间间隔,然后再次读取它们。取差值,除以您等待的时间量,就得到了平均值。这正是top程序所做的(以及执行相同服务的所有其他程序)。请记住,如果您有多个CPU,您的CPU使用率可能超过100%。

如果您只想要一个系统范围的摘要,那么可以在/proc/stat中报告--使用相同的技术计算平均值,但您只需要读取一个文件。

英文:

The mechanism for getting CPU usage is OS-dependent, since the numbers mean slightly different things to different OS kernels.

On Linux, you can query the kernel to get the latest stats by reading the pseudo-files in the /proc/ filesystem. These are generated on-the-fly when you read them to reflect the current state of the machine.

Specifically, the /proc/&lt;pid&gt;/stat file for each process contains the associated process accounting information. It's documented in proc(5). You're interested specifically in fields utime, stime, cutime and cstime (starting at the 14th field).

You can calculate the percentage easily enough: just read the numbers, wait some time interval, and read them again. Take the difference, divide by the amount of time you waited, and there's your average. This is precisely what the top program does (as well as all other programs that perform the same service). Bear in mind that you can have over 100% cpu usage if you have more than 1 CPU.

If you just want a system-wide summary, that's reported in /proc/stat -- calculate your average using the same technique, but you only have to read one file.

答案4

得分: 16

你可以使用os.exec包来执行ps命令并获取结果。

以下是一个程序,它发出ps aux命令,解析结果并打印Linux上所有进程的CPU使用情况:

package main

import (
	"bytes"
	"log"
	"os/exec"
	"strconv"
	"strings"
)

type Process struct {
	pid int
	cpu float64
}

func main() {
    cmd := exec.Command("ps", "aux")
    var out bytes.Buffer
	cmd.Stdout = &out
	err := cmd.Run()
	if err != nil {
		log.Fatal(err)
	}
	processes := make([]*Process, 0)
	for {
		line, err := out.ReadString('\n')
		if err!=nil {
			break;
		}
		tokens := strings.Split(line, " ")
		ft := make([]string, 0)
		for _, t := range(tokens) {
			if t!="" && t!="\t" {
				ft = append(ft, t)
			}
		}
		log.Println(len(ft), ft)
		pid, err := strconv.Atoi(ft[1])
		if err!=nil {
			continue
		}
		cpu, err := strconv.ParseFloat(ft[2], 64)
		if err!=nil {
			log.Fatal(err)
		}
		processes = append(processes, &Process{pid, cpu})
	}
	for _, p := range(processes) {
		log.Println("Process ", p.pid, " takes ", p.cpu, " % of the CPU")
	}
}
英文:

You can use the os.exec package to execute the ps command and get the result.

Here is a program issuing the ps aux command, parsing the result and printing the CPU usage of all processes on linux :

package main
import (
&quot;bytes&quot;
&quot;log&quot;
&quot;os/exec&quot;
&quot;strconv&quot;
&quot;strings&quot;
)
type Process struct {
pid int
cpu float64
}
func main() {
cmd := exec.Command(&quot;ps&quot;, &quot;aux&quot;)
var out bytes.Buffer
cmd.Stdout = &amp;out
err := cmd.Run()
if err != nil {
log.Fatal(err)
}
processes := make([]*Process, 0)
for {
line, err := out.ReadString(&#39;\n&#39;)
if err!=nil {
break;
}
tokens := strings.Split(line, &quot; &quot;)
ft := make([]string, 0)
for _, t := range(tokens) {
if t!=&quot;&quot; &amp;&amp; t!=&quot;\t&quot; {
ft = append(ft, t)
}
}
log.Println(len(ft), ft)
pid, err := strconv.Atoi(ft[1])
if err!=nil {
continue
}
cpu, err := strconv.ParseFloat(ft[2], 64)
if err!=nil {
log.Fatal(err)
}
processes = append(processes, &amp;Process{pid, cpu})
}
for _, p := range(processes) {
log.Println(&quot;Process &quot;, p.pid, &quot; takes &quot;, p.cpu, &quot; % of the CPU&quot;)
}
}

答案5

得分: 8

这是一个使用Cgo来利用C标准库提供的clock()函数的与操作系统无关的解决方案:

//#include <time.h>
import "C"
import "time"
var startTime = time.Now()
var startTicks = C.clock()
func CpuUsagePercent() float64 {
clockSeconds := float64(C.clock()-startTicks) / float64(C.CLOCKS_PER_SEC)
realSeconds := time.Since(startTime).Seconds()
return clockSeconds / realSeconds * 100
}
英文:

Here is an OS independent solution using Cgo to harness the clock() function provided by C standard library:

//#include &lt;time.h&gt;
import &quot;C&quot;
import &quot;time&quot;
var startTime = time.Now()
var startTicks = C.clock()
func CpuUsagePercent() float64 {
clockSeconds := float64(C.clock()-startTicks) / float64(C.CLOCKS_PER_SEC)
realSeconds := time.Since(startTime).Seconds()
return clockSeconds / realSeconds * 100
}

答案6

得分: 2

我最近需要从树莓派(Raspbian操作系统)中获取CPU使用率的测量数据,并使用github.com/c9s/goprocinfo结合这里提出的方法:

这个想法来自于htop源代码,通过两次测量(前一次/当前)来计算CPU使用率:

func calcSingleCoreUsage(curr, prev linuxproc.CPUStat) float32 {
PrevIdle := prev.Idle + prev.IOWait
Idle := curr.Idle + curr.IOWait
PrevNonIdle := prev.User + prev.Nice + prev.System + prev.IRQ + prev.SoftIRQ + prev.Steal
NonIdle := curr.User + curr.Nice + curr.System + curr.IRQ + curr.SoftIRQ + curr.Steal
PrevTotal := PrevIdle + PrevNonIdle
Total := Idle + NonIdle
// fmt.Println(PrevIdle, Idle, PrevNonIdle, NonIdle, PrevTotal, Total)
//  differentiate: actual value minus the previous one
totald := Total - PrevTotal
idled := Idle - PrevIdle
CPU_Percentage := (float32(totald) - float32(idled)) / float32(totald)
return CPU_Percentage
}

更多信息可以参考https://github.com/tgogos/rpi_cpu_memory

英文:

I recently had to take CPU usage measurements from a Raspberry Pi (Raspbian OS) and used github.com/c9s/goprocinfo combined with what is proposed here:

The idea comes from the htop source code and is to have two measurements (previous / current) in order to calculate the CPU usage:

func calcSingleCoreUsage(curr, prev linuxproc.CPUStat) float32 {
PrevIdle := prev.Idle + prev.IOWait
Idle := curr.Idle + curr.IOWait
PrevNonIdle := prev.User + prev.Nice + prev.System + prev.IRQ + prev.SoftIRQ + prev.Steal
NonIdle := curr.User + curr.Nice + curr.System + curr.IRQ + curr.SoftIRQ + curr.Steal
PrevTotal := PrevIdle + PrevNonIdle
Total := Idle + NonIdle
// fmt.Println(PrevIdle, Idle, PrevNonIdle, NonIdle, PrevTotal, Total)
//  differentiate: actual value minus the previous one
totald := Total - PrevTotal
idled := Idle - PrevIdle
CPU_Percentage := (float32(totald) - float32(idled)) / float32(totald)
return CPU_Percentage
}

For more you can also check https://github.com/tgogos/rpi_cpu_memory

huangapple
  • 本文由 发表于 2012年7月6日 13:30:18
  • 转载请务必保留本文链接:https://go.coder-hub.com/11356330.html
匿名

发表评论

匿名网友

:?: :razz: :sad: :evil: :!: :smile: :oops: :grin: :eek: :shock: :???: :cool: :lol: :mad: :twisted: :roll: :wink: :idea: :arrow: :neutral: :cry: :mrgreen:

确定