This repository has been archived on 2021-05-09. You can view files and clone it, but cannot push or open issues or pull requests.
overlay/overlay.go
jolheiser ea7687d011
Implement ReadDir
Signed-off-by: jolheiser <john.olheiser@gmail.com>
2021-02-19 20:41:44 -06:00

86 lines
1.6 KiB
Go

package overlay
import (
"io/fs"
"os"
"path"
)
// FS is an overlay File System
type FS struct {
fs fs.FS
root string
doCache bool
cache map[string]bool
}
func (f *FS) apn(name string) string {
return path.Join(f.root, name)
}
func (f *FS) exists(name string) bool {
if has, ok := f.cache[name]; ok && f.doCache {
return has
}
_, err := os.Stat(f.apn(name))
if err != nil {
f.cache[name] = false
return false
}
f.cache[name] = true
return true
}
// Open opens an fs.File, preferring disk
func (f *FS) Open(name string) (fs.File, error) {
if f.exists(name) {
return os.Open(f.apn(name))
}
return f.fs.Open(name)
}
// ReadDir reads []fs.DirEntry
// This method will prefer EMBEDDED, because that is the "real" FS for overlay
func (f *FS) ReadDir(name string) ([]fs.DirEntry, error) {
return fs.ReadDir(f.fs, name)
}
// Option is a functional option for an FS
type Option func(*FS) error
// New returns a new FS
func New(root string, fs fs.FS, opts ...Option) (*FS, error) {
x := &FS{
fs: fs,
root: root,
doCache: true,
cache: make(map[string]bool),
}
for _, opt := range opts {
if err := opt(x); err != nil {
return x, err
}
}
return x, nil
}
// WithSub sets a fs.Sub for an FS
func WithSub(sub string) Option {
return func(x *FS) (err error) {
x.fs, err = fs.Sub(x.fs, sub)
return
}
}
// WithCaching sets a caching mode for an FS
// Caching avoids subsequent os.Stat to determine if a file exists on disk
// See bench.txt for differences in usage
func WithCaching(doCache bool) Option {
return func(x *FS) error {
x.doCache = doCache
return nil
}
}