cpu_openbsd.go 2.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119
  1. // +build openbsd
  2. package cpu
  3. import (
  4. "bytes"
  5. "context"
  6. "encoding/binary"
  7. "fmt"
  8. "os/exec"
  9. "strconv"
  10. "strings"
  11. "github.com/shirou/gopsutil/internal/common"
  12. "golang.org/x/sys/unix"
  13. )
  14. // sys/sched.h
  15. const (
  16. CPUser = 0
  17. CPNice = 1
  18. CPSys = 2
  19. CPIntr = 3
  20. CPIdle = 4
  21. CPUStates = 5
  22. )
  23. // sys/sysctl.h
  24. const (
  25. CTLKern = 1 // "high kernel": proc, limits
  26. KernCptime = 40 // KERN_CPTIME
  27. KernCptime2 = 71 // KERN_CPTIME2
  28. )
  29. var ClocksPerSec = float64(128)
  30. func init() {
  31. getconf, err := exec.LookPath("/usr/bin/getconf")
  32. if err != nil {
  33. return
  34. }
  35. out, err := invoke.Command(getconf, "CLK_TCK")
  36. // ignore errors
  37. if err == nil {
  38. i, err := strconv.ParseFloat(strings.TrimSpace(string(out)), 64)
  39. if err == nil {
  40. ClocksPerSec = float64(i)
  41. }
  42. }
  43. }
  44. func Times(percpu bool) ([]TimesStat, error) {
  45. return TimesWithContext(context.Background(), percpu)
  46. }
  47. func TimesWithContext(ctx context.Context, percpu bool) ([]TimesStat, error) {
  48. var ret []TimesStat
  49. var ncpu int
  50. if percpu {
  51. ncpu, _ = Counts(true)
  52. } else {
  53. ncpu = 1
  54. }
  55. for i := 0; i < ncpu; i++ {
  56. var cpuTimes [CPUStates]int64
  57. var mib []int32
  58. if percpu {
  59. mib = []int32{CTLKern, KernCptime}
  60. } else {
  61. mib = []int32{CTLKern, KernCptime2, int32(i)}
  62. }
  63. buf, _, err := common.CallSyscall(mib)
  64. if err != nil {
  65. return ret, err
  66. }
  67. br := bytes.NewReader(buf)
  68. err = binary.Read(br, binary.LittleEndian, &cpuTimes)
  69. if err != nil {
  70. return ret, err
  71. }
  72. c := TimesStat{
  73. User: float64(cpuTimes[CPUser]) / ClocksPerSec,
  74. Nice: float64(cpuTimes[CPNice]) / ClocksPerSec,
  75. System: float64(cpuTimes[CPSys]) / ClocksPerSec,
  76. Idle: float64(cpuTimes[CPIdle]) / ClocksPerSec,
  77. Irq: float64(cpuTimes[CPIntr]) / ClocksPerSec,
  78. }
  79. if !percpu {
  80. c.CPU = "cpu-total"
  81. } else {
  82. c.CPU = fmt.Sprintf("cpu%d", i)
  83. }
  84. ret = append(ret, c)
  85. }
  86. return ret, nil
  87. }
  88. // Returns only one (minimal) CPUInfoStat on OpenBSD
  89. func Info() ([]InfoStat, error) {
  90. return InfoWithContext(context.Background())
  91. }
  92. func InfoWithContext(ctx context.Context) ([]InfoStat, error) {
  93. var ret []InfoStat
  94. c := InfoStat{}
  95. v, err := unix.Sysctl("hw.model")
  96. if err != nil {
  97. return nil, err
  98. }
  99. c.ModelName = v
  100. return append(ret, c), nil
  101. }