disk_darwin_cgo.go 2.2 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586878889909192939495
  1. // +build darwin
  2. // +build cgo
  3. package disk
  4. /*
  5. #cgo LDFLAGS: -lobjc -framework Foundation -framework IOKit
  6. #include <stdint.h>
  7. // ### enough?
  8. const int MAX_DISK_NAME = 100;
  9. typedef struct
  10. {
  11. char DiskName[MAX_DISK_NAME];
  12. int64_t Reads;
  13. int64_t Writes;
  14. int64_t ReadBytes;
  15. int64_t WriteBytes;
  16. int64_t ReadTime;
  17. int64_t WriteTime;
  18. } DiskInfo;
  19. #include "disk_darwin.h"
  20. */
  21. import "C"
  22. import (
  23. "context"
  24. "errors"
  25. "strings"
  26. "unsafe"
  27. "github.com/shirou/gopsutil/internal/common"
  28. )
  29. func IOCounters(names ...string) (map[string]IOCountersStat, error) {
  30. return IOCountersWithContext(context.Background(), names...)
  31. }
  32. func IOCountersWithContext(ctx context.Context, names ...string) (map[string]IOCountersStat, error) {
  33. if C.StartIOCounterFetch() == 0 {
  34. return nil, errors.New("Unable to fetch disk list")
  35. }
  36. // Clean up when we are done.
  37. defer C.EndIOCounterFetch()
  38. ret := make(map[string]IOCountersStat, 0)
  39. for {
  40. res := C.FetchNextDisk()
  41. if res == -1 {
  42. return nil, errors.New("Unable to fetch disk information")
  43. } else if res == 0 {
  44. break // done
  45. }
  46. di := C.DiskInfo{}
  47. if C.ReadDiskInfo((*C.DiskInfo)(unsafe.Pointer(&di))) == -1 {
  48. return nil, errors.New("Unable to fetch disk properties")
  49. }
  50. // Used to only get the necessary part of the C string.
  51. isRuneNull := func(r rune) bool {
  52. return r == '\u0000'
  53. }
  54. // Map from the darwin-specific C struct to the Go type
  55. //
  56. // ### missing: IopsInProgress, WeightedIO, MergedReadCount,
  57. // MergedWriteCount, SerialNumber
  58. // IOKit can give us at least the serial number I think...
  59. d := IOCountersStat{
  60. // Note: The Go type wants unsigned values, but CFNumberGetValue
  61. // doesn't appear to be able to give us unsigned values. So, we
  62. // cast, and hope for the best.
  63. ReadBytes: uint64(di.ReadBytes),
  64. WriteBytes: uint64(di.WriteBytes),
  65. ReadCount: uint64(di.Reads),
  66. WriteCount: uint64(di.Writes),
  67. ReadTime: uint64(di.ReadTime),
  68. WriteTime: uint64(di.WriteTime),
  69. IoTime: uint64(di.ReadTime + di.WriteTime),
  70. Name: strings.TrimFunc(C.GoStringN(&di.DiskName[0], C.MAX_DISK_NAME), isRuneNull),
  71. }
  72. if len(names) > 0 && !common.StringsHas(names, d.Name) {
  73. continue
  74. }
  75. ret[d.Name] = d
  76. }
  77. return ret, nil
  78. }