mem_windows.go 2.4 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091929394959697
  1. // +build windows
  2. package mem
  3. import (
  4. "context"
  5. "unsafe"
  6. "github.com/shirou/gopsutil/internal/common"
  7. "golang.org/x/sys/windows"
  8. )
  9. var (
  10. procGlobalMemoryStatusEx = common.Modkernel32.NewProc("GlobalMemoryStatusEx")
  11. procGetPerformanceInfo = common.ModPsapi.NewProc("GetPerformanceInfo")
  12. )
  13. type memoryStatusEx struct {
  14. cbSize uint32
  15. dwMemoryLoad uint32
  16. ullTotalPhys uint64 // in bytes
  17. ullAvailPhys uint64
  18. ullTotalPageFile uint64
  19. ullAvailPageFile uint64
  20. ullTotalVirtual uint64
  21. ullAvailVirtual uint64
  22. ullAvailExtendedVirtual uint64
  23. }
  24. func VirtualMemory() (*VirtualMemoryStat, error) {
  25. return VirtualMemoryWithContext(context.Background())
  26. }
  27. func VirtualMemoryWithContext(ctx context.Context) (*VirtualMemoryStat, error) {
  28. var memInfo memoryStatusEx
  29. memInfo.cbSize = uint32(unsafe.Sizeof(memInfo))
  30. mem, _, _ := procGlobalMemoryStatusEx.Call(uintptr(unsafe.Pointer(&memInfo)))
  31. if mem == 0 {
  32. return nil, windows.GetLastError()
  33. }
  34. ret := &VirtualMemoryStat{
  35. Total: memInfo.ullTotalPhys,
  36. Available: memInfo.ullAvailPhys,
  37. UsedPercent: float64(memInfo.dwMemoryLoad),
  38. }
  39. ret.Used = ret.Total - ret.Available
  40. return ret, nil
  41. }
  42. type performanceInformation struct {
  43. cb uint32
  44. commitTotal uint64
  45. commitLimit uint64
  46. commitPeak uint64
  47. physicalTotal uint64
  48. physicalAvailable uint64
  49. systemCache uint64
  50. kernelTotal uint64
  51. kernelPaged uint64
  52. kernelNonpaged uint64
  53. pageSize uint64
  54. handleCount uint32
  55. processCount uint32
  56. threadCount uint32
  57. }
  58. func SwapMemory() (*SwapMemoryStat, error) {
  59. return SwapMemoryWithContext(context.Background())
  60. }
  61. func SwapMemoryWithContext(ctx context.Context) (*SwapMemoryStat, error) {
  62. var perfInfo performanceInformation
  63. perfInfo.cb = uint32(unsafe.Sizeof(perfInfo))
  64. mem, _, _ := procGetPerformanceInfo.Call(uintptr(unsafe.Pointer(&perfInfo)), uintptr(perfInfo.cb))
  65. if mem == 0 {
  66. return nil, windows.GetLastError()
  67. }
  68. tot := perfInfo.commitLimit * perfInfo.pageSize
  69. used := perfInfo.commitTotal * perfInfo.pageSize
  70. free := tot - used
  71. var usedPercent float64
  72. if tot == 0 {
  73. usedPercent = 0
  74. } else {
  75. usedPercent = float64(used) / float64(tot)
  76. }
  77. ret := &SwapMemoryStat{
  78. Total: tot,
  79. Used: used,
  80. Free: free,
  81. UsedPercent: usedPercent,
  82. }
  83. return ret, nil
  84. }