diskinfo.go 1.7 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374
  1. package diskinfo
  2. import (
  3. "errors"
  4. "os"
  5. "imuslab.com/bokofs/bokofsd/mod/diskinfo/blkid"
  6. "imuslab.com/bokofs/bokofsd/mod/diskinfo/lsblk"
  7. )
  8. // Disk represents a disk device with its attributes.
  9. type Disk struct {
  10. UUID string `json:"uuid"`
  11. Name string `json:"name"`
  12. Path string `json:"path"`
  13. Size int64 `json:"size"`
  14. BlockSize int `json:"blocksize"`
  15. BlockType string `json:"blocktype"`
  16. FsType string `json:"fstype"`
  17. MountPoint string `json:"mountpoint,omitempty"`
  18. }
  19. // Get a disk by its device path
  20. func NewDiskFromDevicePath(devpath string) (*Disk, error) {
  21. if _, err := os.Stat(devpath); errors.Is(err, os.ErrNotExist) {
  22. return nil, errors.New("device path does not exist")
  23. }
  24. //Create a new disk object
  25. thisDisk := &Disk{
  26. Path: devpath,
  27. }
  28. //Try to get the block device info
  29. err := thisDisk.UpdateProperties()
  30. if err != nil {
  31. return nil, err
  32. }
  33. return thisDisk, nil
  34. }
  35. // UpdateProperties updates the properties of the disk.
  36. func (d *Disk) UpdateProperties() error {
  37. //Try to get the block device info
  38. blockDeviceInfo, err := lsblk.GetBlockDeviceInfoFromDevicePath(d.Path)
  39. if err != nil {
  40. return err
  41. }
  42. // Update the disk properties
  43. d.Name = blockDeviceInfo.Name
  44. d.Size = blockDeviceInfo.Size
  45. d.BlockType = blockDeviceInfo.Type
  46. d.MountPoint = blockDeviceInfo.MountPoint
  47. if d.BlockType == "disk" {
  48. //This block is a disk not a partition. There is no partition ID info
  49. //So we can skip the blkid call
  50. return nil
  51. }
  52. // Get the partition ID
  53. diskIdInfo, err := blkid.GetPartitionIDFromDevicePath(d.Path)
  54. if err != nil {
  55. return err
  56. }
  57. // Update the disk properties with ID info
  58. d.UUID = diskIdInfo.UUID
  59. d.FsType = diskIdInfo.Type
  60. d.BlockSize = diskIdInfo.BlockSize
  61. return nil
  62. }