mirror of https://github.com/cheat/cheat.git
73 lines
2.1 KiB
Go
73 lines
2.1 KiB
Go
|
package util
|
||
|
|
||
|
import (
|
||
|
"os"
|
||
|
"path/filepath"
|
||
|
|
||
|
"github.com/go-git/go-billy/v5"
|
||
|
)
|
||
|
|
||
|
// walk recursively descends path, calling walkFn
|
||
|
// adapted from https://golang.org/src/path/filepath/path.go
|
||
|
func walk(fs billy.Filesystem, path string, info os.FileInfo, walkFn filepath.WalkFunc) error {
|
||
|
if !info.IsDir() {
|
||
|
return walkFn(path, info, nil)
|
||
|
}
|
||
|
|
||
|
names, err := readdirnames(fs, path)
|
||
|
err1 := walkFn(path, info, err)
|
||
|
// If err != nil, walk can't walk into this directory.
|
||
|
// err1 != nil means walkFn want walk to skip this directory or stop walking.
|
||
|
// Therefore, if one of err and err1 isn't nil, walk will return.
|
||
|
if err != nil || err1 != nil {
|
||
|
// The caller's behavior is controlled by the return value, which is decided
|
||
|
// by walkFn. walkFn may ignore err and return nil.
|
||
|
// If walkFn returns SkipDir, it will be handled by the caller.
|
||
|
// So walk should return whatever walkFn returns.
|
||
|
return err1
|
||
|
}
|
||
|
|
||
|
for _, name := range names {
|
||
|
filename := filepath.Join(path, name)
|
||
|
fileInfo, err := fs.Lstat(filename)
|
||
|
if err != nil {
|
||
|
if err := walkFn(filename, fileInfo, err); err != nil && err != filepath.SkipDir {
|
||
|
return err
|
||
|
}
|
||
|
} else {
|
||
|
err = walk(fs, filename, fileInfo, walkFn)
|
||
|
if err != nil {
|
||
|
if !fileInfo.IsDir() || err != filepath.SkipDir {
|
||
|
return err
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
return nil
|
||
|
}
|
||
|
|
||
|
// Walk walks the file tree rooted at root, calling fn for each file or
|
||
|
// directory in the tree, including root. All errors that arise visiting files
|
||
|
// and directories are filtered by fn: see the WalkFunc documentation for
|
||
|
// details.
|
||
|
//
|
||
|
// The files are walked in lexical order, which makes the output deterministic
|
||
|
// but requires Walk to read an entire directory into memory before proceeding
|
||
|
// to walk that directory. Walk does not follow symbolic links.
|
||
|
//
|
||
|
// Function adapted from https://github.com/golang/go/blob/3b770f2ccb1fa6fecc22ea822a19447b10b70c5c/src/path/filepath/path.go#L500
|
||
|
func Walk(fs billy.Filesystem, root string, walkFn filepath.WalkFunc) error {
|
||
|
info, err := fs.Lstat(root)
|
||
|
if err != nil {
|
||
|
err = walkFn(root, nil, err)
|
||
|
} else {
|
||
|
err = walk(fs, root, info, walkFn)
|
||
|
}
|
||
|
|
||
|
if err == filepath.SkipDir {
|
||
|
return nil
|
||
|
}
|
||
|
|
||
|
return err
|
||
|
}
|