lsblk.go 2.0 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374
  1. package lsblk
  2. import (
  3. "bytes"
  4. "encoding/json"
  5. "fmt"
  6. "os/exec"
  7. "strings"
  8. )
  9. // BlockDevice represents a block device and its attributes.
  10. type BlockDevice struct {
  11. Name string `json:"name"`
  12. Size int64 `json:"size"`
  13. Type string `json:"type"`
  14. MountPoint string `json:"mountpoint,omitempty"`
  15. Children []BlockDevice `json:"children,omitempty"`
  16. }
  17. // parseLSBLKJSONOutput parses the JSON output of the `lsblk` command into a slice of BlockDevice structs.
  18. func parseLSBLKJSONOutput(output string) ([]BlockDevice, error) {
  19. var result struct {
  20. BlockDevices []BlockDevice `json:"blockdevices"`
  21. }
  22. err := json.Unmarshal([]byte(output), &result)
  23. if err != nil {
  24. return nil, fmt.Errorf("failed to parse lsblk JSON output: %w", err)
  25. }
  26. return result.BlockDevices, nil
  27. }
  28. // GetLSBLKOutput runs the `lsblk` command with JSON output and returns its output as a slice of BlockDevice structs.
  29. func GetLSBLKOutput() ([]BlockDevice, error) {
  30. cmd := exec.Command("lsblk", "-o", "NAME,SIZE,TYPE,MOUNTPOINT", "-b", "-J")
  31. var out bytes.Buffer
  32. cmd.Stdout = &out
  33. err := cmd.Run()
  34. if err != nil {
  35. return nil, err
  36. }
  37. return parseLSBLKJSONOutput(out.String())
  38. }
  39. // GetBlockDeviceInfoFromDevicePath retrieves block device information for a given device path.
  40. func GetBlockDeviceInfoFromDevicePath(devname string) (*BlockDevice, error) {
  41. devname = strings.TrimPrefix(devname, "/dev/")
  42. if strings.Contains(devname, "/") {
  43. return nil, fmt.Errorf("invalid device name: %s", devname)
  44. }
  45. // Get the block device info using lsblk
  46. // and filter for the specified device name.
  47. devices, err := GetLSBLKOutput()
  48. if err != nil {
  49. return nil, fmt.Errorf("failed to get block device info: %w", err)
  50. }
  51. for _, device := range devices {
  52. if device.Name == devname {
  53. return &device, nil
  54. } else if device.Children != nil {
  55. for _, child := range device.Children {
  56. if child.Name == devname {
  57. return &child, nil
  58. }
  59. }
  60. }
  61. }
  62. return nil, fmt.Errorf("device %s not found", devname)
  63. }