| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173 | package diskfsimport (	"bufio"	"encoding/json"	"errors"	"fmt"	"os"	"os/exec"	"strings"	"imuslab.com/arozos/mod/utils")/*	diskfs.go	This module handle file system creation and formatting*/// Storage Device meta was generated by lsblk// Partitions like sdX0type PartitionMeta struct {	Name       string `json:"name"`	MajMin     string `json:"maj:min"`	Rm         bool   `json:"rm"`	Size       int64  `json:"size"`	Ro         bool   `json:"ro"`	Type       string `json:"type"`	Mountpoint string `json:"mountpoint"`}// Block device, usually disk or rom, like sdXtype BlockDeviceMeta struct {	Name       string          `json:"name"`	MajMin     string          `json:"maj:min"`	Rm         bool            `json:"rm"`	Size       int64           `json:"size"`	Ro         bool            `json:"ro"`	Type       string          `json:"type"`	Mountpoint string          `json:"mountpoint"`	Children   []PartitionMeta `json:"children,omitempty"`}// A collection of information for lsblk outputtype StorageDevicesMeta struct {	Blockdevices []BlockDeviceMeta `json:"blockdevices"`}// Check if the file format driver is installed on this host// if a format is supported, mkfs.(format) should be symlinked under /sbinfunc FormatPackageInstalled(fsType string) bool {	return utils.FileExists("/sbin/mkfs." + fsType)}// Create file system, support ntfs, ext4 and fat32 onlyfunc FormatStorageDevice(fsType string, devicePath string) error {	// Check if the filesystem type is supported	switch fsType {	case "ext4":		// Format the device with the specified filesystem type		cmd := exec.Command("sudo", "mkfs."+fsType, devicePath)		output, err := cmd.CombinedOutput()		if err != nil {			return errors.New("unable to format device: " + string(output))		}		return nil	case "vfat", "fat", "fat32":		//Check if mkfs.fat exists		if !FormatPackageInstalled("vfat") {			return errors.New("unable to format device as fat (vfat). dosfstools not installed?")		}		// Format the device with the specified filesystem type		cmd := exec.Command("sudo", "mkfs.vfat", devicePath)		output, err := cmd.CombinedOutput()		if err != nil {			return errors.New("unable to format device: " + string(output))		}		return nil	case "ntfs":		//Check if ntfs-3g exists		if !FormatPackageInstalled("ntfs") {			return errors.New("unable to format device as ntfs: ntfs-3g not installed?")		}		//Format the drive		cmd := exec.Command("sudo", "mkfs.ntfs", devicePath)		output, err := cmd.CombinedOutput()		if err != nil {			return errors.New("unable to format device: " + string(output))		}		return nil	default:		return fmt.Errorf("unsupported filesystem type: %s", fsType)	}}// List all the storage device in the system, set minSize to 0 for no filterfunc ListAllStorageDevices() (*StorageDevicesMeta, error) {	cmd := exec.Command("sudo", "lsblk", "-b", "--json")	output, err := cmd.CombinedOutput()	if err != nil {		return nil, fmt.Errorf("lsblk error: %v", err)	}	var devices StorageDevicesMeta	err = json.Unmarshal([]byte(output), &devices)	return &devices, err}// Check if a device is mounted given the path name, like /dev/sdcfunc DeviceIsMounted(devicePath string) (bool, error) {	// Open the mountinfo file	file, err := os.Open("/proc/mounts")	if err != nil {		return false, fmt.Errorf("error opening /proc/mounts: %v", err)	}	defer file.Close()	// Scan the mountinfo file line by line	scanner := bufio.NewScanner(file)	for scanner.Scan() {		line := scanner.Text()		fields := strings.Fields(line)		if len(fields) >= 2 && fields[0] == devicePath {			// Device is mounted			return true, nil		}	}	// Device is not mounted	return false, nil}// UnmountDevice unmounts the specified device.// Remember to use full path (e.g. /dev/md0) in the devicePathfunc UnmountDevice(devicePath string) error {	// Construct the bash command to unmount the device	cmd := exec.Command("sudo", "bash", "-c", fmt.Sprintf("umount %s", devicePath))	// Run the command	err := cmd.Run()	if err != nil {		return fmt.Errorf("error unmounting device: %v", err)	}	return nil}// DANGER: Wipe the whole disk given the disk pathfunc WipeDisk(diskPath string) error {	// Unmount the disk	isMounted, _ := DeviceIsMounted(diskPath)	if isMounted {		umountCmd := exec.Command("sudo", "umount", diskPath)		if err := umountCmd.Run(); err != nil {			return fmt.Errorf("error unmounting disk %s: %v", diskPath, err)		}	}	// Wipe all filesystem signatures on the entire disk	wipeCmd := exec.Command("sudo", "wipefs", "--all", "--force", diskPath)	if err := wipeCmd.Run(); err != nil {		return fmt.Errorf("error wiping filesystem signatures on %s: %v", diskPath, err)	}	return nil}
 |