IsMounted function

IsMounted checks if the given source path is mounted in the given

destination path. It does so by reading the /proc/mounts file.

Example:

mounted, err := fs.IsMounted("tmpfs", "/tmp")
if err != nil {
	fmt.Printf("Error checking if /tmp is mounted: %v", err)
	return
}
fmt.Printf("/tmp is mounted: %v", mounted)

Parameters:

  • source string
  • destination string

Returns:

  • bool
  • error
Show/Hide Function Body
{
	mounts, err := os.Open("/proc/mounts")
	if err != nil {
		return false, fmt.Errorf("error opening /proc/mounts: %w", err)
	}
	defer mounts.Close()

	scanner := bufio.NewScanner(mounts)
	for scanner.Scan() {
		line := scanner.Text()
		if strings.Contains(line, source) && strings.Contains(line, destination) {
			return true, nil
		}
	}

	return false, nil
}

Mount function

Mount mounts the given source path in the given destination path. It also

creates the destination path if it does not exist. An error is returned if

the source path does not exist.

Notes (for developers):

Avoid mapping the fsType into a custom type, as it would require further

maintenance once a new filesystem type is added to Vanilla OS.

Example:

err := fs.Mount("/dev/sda1", "/mnt", "ext4", "", syscall.MS_RDONLY)
if err != nil {
	fmt.Printf("Error mounting /dev/sda1: %v", err)
	return
}

Parameters:

  • source string
  • destination string
  • fsType string
  • data string
  • mode uintptr

Returns:

  • error
Show/Hide Function Body
{
	info, err := os.Stat(source)
	if err != nil {
		return err
	}

	if info.IsDir() {
		_ = os.MkdirAll(destination, 0o755)
	} else {
		file, _ := os.Create(destination)

		defer func() { _ = file.Close() }()
	}

	return syscall.Mount(source, destination, fsType, mode, data)
}

MountBind function

MountBind mounts bind the given source path in the given destination path.

Example:

err := fs.MountBind("/bruce", "/batman")
if err != nil {
	fmt.Printf("Error bind mounting /batman: %v", err)
	return
}

Notes:

This is just a wrapper of the Mount function, for convenience.

Parameters:

  • src string
  • dest string

Returns:

  • error
Show/Hide Function Body
{
	return Mount(
		src,
		dest,
		"bind",
		"",
		syscall.MS_BIND|
			syscall.MS_REC|
			syscall.MS_RDONLY|
			syscall.MS_NOSUID|
			syscall.MS_NOEXEC|
			syscall.MS_NODEV|
			syscall.MS_PRIVATE,
	)
}

MountOverlay function

MountOverlay mounts the given lower, upper and work directories in the

given destination path as an overlay filesystem.

Example:

err := fs.MountOverlay("/batman/lower", "/batman/upper", "/batman/work")
if err != nil {
	fmt.Printf("Error overlay mounting /batman: %v", err)
	return
}

Notes:

This is just a wrapper of the Mount function, for convenience.

Parameters:

  • lowerDir string
  • upperDir string
  • workDir string

Returns:

  • error
Show/Hide Function Body
{
	return Mount(
		"overlay",
		lowerDir,
		"overlay",
		fmt.Sprintf(
			"lowerdir=%s,upperdir=%s,workdir=%s,userxattr",
			lowerDir, upperDir, workDir,
		),
		0,
	)
}

MountFuseOverlay function

MountFuseOverlay mounts the given lower, upper and work directories in the

given destination path as an overlay filesystem using fuse-overlayfs.

Example:

err := fs.MountFuseOverlay("/batman", "/batman/lower", "/batman/upper", "/batman/work")
if err != nil {
	fmt.Printf("Error fuse-overlayfs mounting /batman: %v", err)
	return
}

Notes:

This implementation uses the fuse-overlayfs command-line tool, if that

is not available in the system, this function will return an error.

Parameters:

  • targetDir string
  • lowerDir string
  • upperDir string
  • workDir string

Returns:

  • err error
Show/Hide Function Body
{
	// TODO: Replace the command-line tool with a Go library, if available.
	c := exec.Command(
		"fuse-overlayfs",
		targetDir,
		"-o",
		fmt.Sprintf(
			"lowerdir=%s,upperdir=%s,workdir=%s",
			lowerDir, upperDir, workDir,
		),
	)
	c.Stdout = os.Stdout
	c.Stderr = os.Stderr
	return c.Run()
}

Unmount function

Unmount unmounts the given path. An error is returned if the path is not

mounted.

Example:

err := fs.Unmount("/mnt")
if err != nil {
	fmt.Printf("Error unmounting /mnt: %v", err)
	return
}

Parameters:

  • target string

Returns:

  • error
Show/Hide Function Body
{
	return syscall.Unmount(target, 0)
}

UnmountFuseOverlay function

UnmountFuseOverlay unmounts the given path using the fuse-overlayfs command-

line tool. An error is returned if the path is not mounted.

Example:

err := fs.UnmountFuseOverlay("/batman")
if err != nil {
	fmt.Printf("Error fuse-overlayfs unmounting /batman: %v", err)
	return
}

Notes:

This implementation uses the fuse-overlayfs command-line tool, if that

is not available in the system, this function will return an error.

Parameters:

  • targetDir string

Returns:

  • err error
Show/Hide Function Body
{
	// TODO: Replace the command-line tool with a Go library, if available.
	c := exec.Command("fusermount", "-u", targetDir)
	c.Stdout = os.Stdout
	c.Stderr = os.Stderr
	return c.Run()
}

AtomicSwap function

AtomicSwap atomically swaps two files or directories

Example:

err := fs.AtomicSwap("/tmp/file1", "/tmp/file2")
if err != nil {
	fmt.Printf("Error swapping files: %v", err)
	return
}

Parameters:

  • sourcePath string
  • destinationPath string

Returns:

  • error
Show/Hide Function Body
{
	orig, err := os.Open(sourcePath)
	if err != nil {
		return err
	}

	newfile, err := os.Open(destinationPath)
	if err != nil {
		return err
	}

	err = unix.Renameat2(int(orig.Fd()), sourcePath, int(newfile.Fd()), destinationPath, unix.RENAME_EXCHANGE)
	if err != nil {
		return err
	}

	return nil
}

GetFileDiff function

GetFileDiff compares the content of two files and returns the changes

Example:

diff, err := fs.GetFileDiff("/tmp/batman", "/tmp/robin")
if err != nil {
	fmt.Printf("Error getting file diff: %v", err)
	return
}
fmt.Printf("Added lines: %v\n", diff.AddedLines)
fmt.Printf("Removed lines: %v\n", diff.RemovedLines)

Parameters:

  • firstFile string
  • secondFile string

Returns:

  • types.FileDiffInfo
  • error
Show/Hide Function Body
{
	firstContent, err := os.ReadFile(firstFile)
	if err != nil {
		return types.FileDiffInfo{}, err
	}

	secondContent, err := os.ReadFile(secondFile)
	if err != nil {
		return types.FileDiffInfo{}, err
	}

	diff := types.FileDiffInfo{}

	dmp := diffmatchpatch.New()
	diffs := dmp.DiffMain(string(firstContent), string(secondContent), false)
	for _, d := range diffs {
		switch d.Type {
		case diffmatchpatch.DiffInsert:
			diff.AddedLines = append(diff.AddedLines, d.Text)
		case diffmatchpatch.DiffDelete:
			diff.RemovedLines = append(diff.RemovedLines, d.Text)
		}
	}

	return diff, nil
}

GetDiskList function

GetDiskList returns a list of disks on the system

Example:

disks, err := fs.GetDiskList()
if err != nil {
	fmt.Printf("Error getting disk list: %v", err)
	return
}
for _, disk := range disks {
	fmt.Printf("Disk: %s\n", disk.Path)
	fmt.Printf("Size: %d\n", disk.Size)
	fmt.Printf("HumanSize: %s\n", disk.HumanSize)
	for _, partition := range disk.Partitions {
		fmt.Printf("Partition: %s\n", partition.Path)
		fmt.Printf("Size: %d\n", partition.Size)
		fmt.Printf("HumanSize: %s\n", partition.HumanSize)
		fmt.Printf("Filesystem: %s\n", partition.Filesystem)
		fmt.Printf("Mountpoint: %s\n", partition.Mountpoint)
		fmt.Printf("Label: %s\n", partition.Label)
		fmt.Printf("UUID: %s\n", partition.UUID)
		fmt.Printf("PARTUUID: %s\n", partition.PARTUUID)
		fmt.Printf("Flags: %v\n", partition.Flags)
	}
}

Returns:

  • []types.DiskInfo
  • error
Show/Hide Function Body
{
	var disks []types.DiskInfo

	files, err := os.ReadDir("/sys/class/block")
	if err != nil {
		return nil, err
	}

	diskMap := make(map[string]types.DiskInfo)

	for _, file := range files {
		name := file.Name()

		if isPartition(name) {
			continue
		}

		// Skip non-disk entries
		if strings.HasPrefix(name, "loop") ||
			strings.HasPrefix(name, "ram") ||
			strings.HasPrefix(name, "zram") {
			continue
		}

		diskPath := filepath.Join("/dev", name)
		info, err := GetDiskInfo(diskPath)
		if err != nil {
			return nil, err
		}

		partitions, err := GetPartitionList(diskPath)
		if err != nil {
			return nil, err
		}

		diskInfo := types.DiskInfo{
			BaseInfo:   info,
			Partitions: partitions,
		}

		diskMap[diskPath] = diskInfo
	}

	for _, disk := range diskMap {
		disks = append(disks, disk)
	}

	return disks, nil
}

GetPartitionList function

GetPartitionList returns a list of disk partitions on the specified disk

Example:

partitions, err := fs.GetPartitionList("/dev/sda")
if err != nil {
	fmt.Printf("Error getting partition list: %v", err)
	return
}
for _, partition := range partitions {
	fmt.Printf("Partition: %s\n", partition.Path)
	fmt.Printf("Size: %d\n", partition.Size)
	fmt.Printf("HumanSize: %s\n", partition.HumanSize)
}

Parameters:

  • diskPath string

Returns:

  • []types.PartitionInfo
  • error
Show/Hide Function Body
{
	var partitions []types.PartitionInfo

	files, err := os.ReadDir(filepath.Join("/sys/class/block", filepath.Base(diskPath)))
	if err != nil {
		return nil, err
	}

	for _, file := range files {
		name := file.Name()

		// Skip non-partition entries
		if !strings.HasPrefix(name, filepath.Base(diskPath)) {
			continue
		}

		partitionPath := filepath.Join("/dev", name)
		info, err := GetDiskInfo(partitionPath)
		if err != nil {
			return nil, err
		}

		partitionInfo := types.PartitionInfo{
			BaseInfo: info,
		}
		partitions = append(partitions, partitionInfo)
	}

	return partitions, nil
}

GetDiskInfo function

GetDiskInfo returns information about a specific disk partition

Example:

info, err := fs.GetDiskInfo("/dev/sda1")
if err != nil {
	fmt.Printf("Error getting partition info: %v", err)
	return
}
fmt.Printf("Path: %s\n", info.Path)
fmt.Printf("Size: %d\n", info.Size)
fmt.Printf("HumanSize: %s\n", info.HumanSize)

Parameters:

  • partitionPath string

Returns:

  • types.BaseInfo
  • error
Show/Hide Function Body
{
	info := types.BaseInfo{
		Path: partitionPath,
	}

	sizePath := filepath.Join("/sys/class/block", filepath.Base(partitionPath), "size")
	size, err := os.ReadFile(sizePath)
	if err != nil {
		return info, err
	}

	sectorSize := 512
	info.Size = int64(sectorSize) * int64(parseUint64(strings.TrimSpace(string(size))))
	info.HumanSize = GetHumanSize(info.Size)

	fsInfo := GetFilesystemInfo(partitionPath)
	info.Filesystem = fsInfo["TYPE"]
	info.Label = fsInfo["LABEL"]
	info.UUID = fsInfo["UUID"]
	info.PARTUUID = fsInfo["PARTUUID"]

	return info, nil
}

GetFilesystemInfo function

GetFilesystemInfo returns information about the filesystem of a file or

partition by reading from /etc/mtab.

Parameters:

  • path string

Returns:

  • map[string]string
Show/Hide Function Body
{
	info := make(map[string]string)

	// FS information
	u := udev.Udev{}
	d := u.NewDeviceFromSyspath(filepath.Join("/sys/class/block", filepath.Base(path)))
	info["LABEL"] = d.PropertyValue("ID_FS_LABEL")
	info["TYPE"] = d.PropertyValue("ID_FS_TYPE")
	info["UUID"] = d.PropertyValue("ID_FS_UUID")
	info["PARTUUID"] = d.PropertyValue("ID_PART_ENTRY_UUID")
	return info
}

parseUint64 function

parseUint64 parses a string into a uint64 or returns 0 if parsing fails

Parameters:

  • s string

Returns:

  • uint64
Show/Hide Function Body
{
	value, err := strconv.ParseUint(s, 10, 64)
	if err != nil {
		return 0
	}
	return value
}

GetHumanSize function

GetHumanSize converts the size from bytes to a human-readable format.

For example, 1024 bytes would be converted to "1 kB".

Example:

fmt.Println(GetHumanSize(1024)) // 1 kB

Parameters:

  • size int64

Returns:

  • string
Show/Hide Function Body
{
	const (
		kB = 1024.0
		mB = kB * 1024.0
		gB = mB * 1024.0
		tB = gB * 1024.0
	)

	sizeFloat := float64(size)

	switch {
	case size < int64(kB):
		return fmt.Sprintf("%d B", size)
	case size < int64(mB):
		return fmt.Sprintf("%.2f kB", sizeFloat/kB)
	case size < int64(gB):
		return fmt.Sprintf("%.2f MB", sizeFloat/mB)
	case size < int64(tB):
		return fmt.Sprintf("%.2f GB", sizeFloat/gB)
	default:
		return fmt.Sprintf("%.2f TB", sizeFloat/tB)
	}
}

isPartition function

isPartition returns true if the specified block device is a partition

Parameters:

  • deviceName string

Returns:

  • bool
Show/Hide Function Body
{
	path := filepath.Join("/sys/class/block", deviceName, "partition")
	info, err := os.Stat(path)
	if err == nil && !info.IsDir() {
		return true
	}
	return false
}

GetFileList function

GetFileList returns a list of files in the specified directory.

If recursive is true, the function will recursively search for files, if

fullPaths is true, the full path of the file will be returned instead of

the relative path.

Example:

fileList, err := fs.GetFileList("/batmans/cave", true, false)
if err != nil {
	fmt.Printf("Error: %v\n", err)
	return
}

for _, file := range fileList {
	fmt.Printf("Path: %s\n", file.Path)
	fmt.Printf("Size: %d\n", file.Size)
	fmt.Printf("Permissions: %s\n", file.Permissions.String())
	fmt.Printf("Extension: %s\n", file.Extension)
}

Parameters:

  • directory string
  • recursive bool
  • fullPaths bool

Returns:

  • []types.FileInfo
  • error
Show/Hide Function Body
{
	var fileList []types.FileInfo

	walkFunc := func(path string, d fs.DirEntry, err error) error {
		if err != nil {
			return err
		}
		if !recursive && path != directory {
			return fs.SkipDir
		}
		if d.IsDir() {
			return nil
		}

		info, err := d.Info()
		if err != nil {
			return err
		}

		filePath := path
		if !fullPaths {
			filePath, _ = filepath.Rel(directory, path)
		}

		permissions := convertPermissions(info.Mode())

		fileList = append(fileList, types.FileInfo{
			Path:        filePath,
			ParentPath:  filepath.Dir(filePath),
			IsDirectory: false,
			Size:        info.Size(),
			Permissions: permissions,
			Extension:   GetFileExtension(path),
		})
		return nil
	}

	if err := filepath.WalkDir(directory, walkFunc); err != nil {
		return nil, err
	}

	return fileList, nil
}

convertPermissions function

convertPermissions converts file mode to Permission type

Parameters:

  • mode os.FileMode

Returns:

  • types.Permission
Show/Hide Function Body
{
	return types.Permission{
		OwnerRead:     mode&0400 != 0,
		OwnerWrite:    mode&0200 != 0,
		OwnerExecute:  mode&0100 != 0,
		GroupRead:     mode&0040 != 0,
		GroupWrite:    mode&0020 != 0,
		GroupExecute:  mode&0010 != 0,
		OthersRead:    mode&0004 != 0,
		OthersWrite:   mode&0002 != 0,
		OthersExecute: mode&0001 != 0,
	}
}

GetFile function

GetFile returns the file info of the specified file.

If fullPath is true, the full path of the file will be returned instead of

the relative path.

Example:

file, err := fs.GetFile("/batmans/cave/batmobile.txt", false)
if err != nil {
	fmt.Printf("Error: %v\n", err)
	return
}

fmt.Printf("Path: %s\n", file.Path)
fmt.Printf("Size: %d\n", file.Size)
fmt.Printf("Permissions: %s\n", file.Permissions.String())

Parameters:

  • filePath string
  • fullPath bool

Returns:

  • types.FileInfo
  • error
Show/Hide Function Body
{
	info, err := os.Stat(filePath)
	if err != nil {
		return types.FileInfo{}, err
	}

	permissions := convertPermissions(info.Mode())
	file := types.FileInfo{
		Path:        filePath,
		ParentPath:  filepath.Dir(filePath),
		IsDirectory: info.IsDir(),
		Size:        info.Size(),
		Permissions: permissions,
		Extension:   GetFileExtension(filePath),
	}

	if !fullPath {
		file.Path, _ = filepath.Rel(".", filePath)
	}

	return file, nil
}

GetFileExtension function

GetFileExtension returns the extension of the given file

Example:

extension := fs.GetFileExtension("/batmans/cave/batmobile.txt")
fmt.Printf("Extension: %s\n", extension)

Parameters:

  • filePath string

Returns:

  • string
Show/Hide Function Body
{
	ext := filepath.Ext(filePath)
	if ext != "" {
		return strings.TrimPrefix(ext, ".")
	}
	return ""
}

IsFile function

IsFile checks whether the given path is a regular file

Example:

if fs.IsFile("/batmans/cave/batmobile.txt") {
	fmt.Println("It's a file!")
}

Parameters:

  • filePath string

Returns:

  • bool
Show/Hide Function Body
{
	info, err := os.Stat(filePath)
	if err != nil {
		return false
	}
	return info.Mode().IsRegular()
}

IsDirectory function

IsDirectory checks whether the given path is a directory

Example:

if fs.IsDirectory("/batmans/cave") {
	fmt.Println("It's a directory!")
}

Parameters:

  • dirPath string

Returns:

  • bool
Show/Hide Function Body
{
	info, err := os.Stat(dirPath)
	if err != nil {
		return false
	}
	return info.Mode().IsDir()
}

GetFileSize function

GetFileSize returns the size of the specified file in bytes

Example:

size := fs.GetFileSize("/batmans/cave/batmobile.txt")
fmt.Printf("Size: %d\n", size)

Parameters:

  • filePath string

Returns:

  • int64
Show/Hide Function Body
{
	info, err := os.Stat(filePath)
	if err != nil {
		return 0
	}
	return info.Size()
}

WriteFileContent function

WriteFileContent writes content to the specified file

Example:

err := fs.WriteFileContent("/tmp/batman", "I'm Batman!")
if err != nil {
	fmt.Printf("Error writing file content: %v", err)
	return
}

Parameters:

  • filePath string
  • content string

Returns:

  • error
Show/Hide Function Body
{
	err := os.WriteFile(filePath, []byte(content), 0644)
	if err != nil {
		return err
	}
	return nil
}

FileExists function

FileExists checks if a file exists

Example:

if fs.FileExists("/tmp/batman") {
	fmt.Println("The file exists!")
}

Parameters:

  • filePath string

Returns:

  • bool
Show/Hide Function Body
{
	_, err := os.Stat(filePath)
	return err == nil
}

DirectoryExists function

DirectoryExists checks if a directory exists

Example:

if fs.DirectoryExists("/tmp/batman") {
	fmt.Println("The directory exists!")
}

Parameters:

  • directoryPath string

Returns:

  • bool
Show/Hide Function Body
{
	fileInfo, err := os.Stat(directoryPath)
	return err == nil && fileInfo.IsDir()
}

ListDirectories function

ListDirectories returns a list of directories in the specified directory

Example:

directories, err := fs.ListDirectories("/tmp")
if err != nil {
	fmt.Printf("Error: %v\n", err)
	return
}

for _, directory := range directories {
	fmt.Printf("Directory: %s\n", directory)
}

Parameters:

  • directoryPath string

Returns:

  • []string
  • error
Show/Hide Function Body
{
	var directories []string
	files, err := os.ReadDir(directoryPath)
	if err != nil {
		return nil, err
	}
	for _, file := range files {
		if file.IsDir() {
			directories = append(directories, file.Name())
		}
	}
	return directories, nil
}

CopyFile function

CopyFile copies the contents of one file to another

Example:

err := fs.CopyFile("/tmp/batman", "/tmp/robin")
if err != nil {
	fmt.Printf("Error copying file: %v", err)
	return
}

Parameters:

  • sourcePath string
  • destinationPath string

Returns:

  • error
Show/Hide Function Body
{
	source, err := os.ReadFile(sourcePath)
	if err != nil {
		return err
	}
	err = os.WriteFile(destinationPath, source, 0644)
	if err != nil {
		return err
	}
	return nil
}

MoveFile function

MoveFile moves a file from one location to another

Example:

err := fs.MoveFile("/tmp/batman", "/tmp/robin")
if err != nil {
	fmt.Printf("Error moving file: %v", err)
	return
}

Parameters:

  • sourcePath string
  • destinationPath string

Returns:

  • error
Show/Hide Function Body
{
	err := os.Rename(sourcePath, destinationPath)
	if err != nil {
		return err
	}
	return nil
}

DeleteFile function

DeleteFile deletes a file

Example:

err := fs.DeleteFile("/tmp/batman")
if err != nil {
	fmt.Printf("Error deleting file: %v", err)
	return
}

Parameters:

  • filePath string

Returns:

  • error
Show/Hide Function Body
{
	err := os.Remove(filePath)
	if err != nil {
		return err
	}
	return nil
}

CreateDirectory function

CreateDirectory creates a new directory

Example:

err := fs.CreateDirectory("/tmp/batman")
if err != nil {
	fmt.Printf("Error creating directory: %v", err)
	return
}

Parameters:

  • directoryPath string

Returns:

  • error
Show/Hide Function Body
{
	err := os.Mkdir(directoryPath, 0755)
	if err != nil {
		return err
	}
	return nil
}

DeleteDirectory function

DeleteDirectory deletes a directory and its contents

Example:

err := fs.DeleteDirectory("/tmp/batman")
if err != nil {
	fmt.Printf("Error deleting directory: %v", err)
	return
}

Parameters:

  • directoryPath string

Returns:

  • error
Show/Hide Function Body
{
	err := os.RemoveAll(directoryPath)
	if err != nil {
		return err
	}
	return nil
}

bufio import

Import example:

import "bufio"

fmt import

Import example:

import "fmt"

os import

Import example:

import "os"

os/exec import

Import example:

import "os/exec"

strings import

Import example:

import "strings"

syscall import

Import example:

import "syscall"

os import

Import example:

import "os"

golang.org/x/sys/unix import

Import example:

import "golang.org/x/sys/unix"

os import

Import example:

import "os"

github.com/sergi/go-diff/diffmatchpatch import

Import example:

import "github.com/sergi/go-diff/diffmatchpatch"

github.com/vanilla-os/sdk/pkg/v1/fs/types import

Import example:

import "github.com/vanilla-os/sdk/pkg/v1/fs/types"

fmt import

Import example:

import "fmt"

os import

Import example:

import "os"

path/filepath import

Import example:

import "path/filepath"

strconv import

Import example:

import "strconv"

strings import

Import example:

import "strings"

github.com/jochenvg/go-udev import

Import example:

import "github.com/jochenvg/go-udev"

github.com/vanilla-os/sdk/pkg/v1/fs/types import

Import example:

import "github.com/vanilla-os/sdk/pkg/v1/fs/types"

io/fs import

Import example:

import "io/fs"

os import

Import example:

import "os"

path/filepath import

Import example:

import "path/filepath"

strings import

Import example:

import "strings"

github.com/vanilla-os/sdk/pkg/v1/fs/types import

Import example:

import "github.com/vanilla-os/sdk/pkg/v1/fs/types"

os import

Import example:

import "os"