-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathfilesystem.go
65 lines (51 loc) · 1.33 KB
/
filesystem.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
package mapreduce
import (
"io"
"io/ioutil"
"os"
"path/filepath"
)
// LoaderFunc is a function that loads data into a datatype once per file
// This consolidates the cost of dealing with structured data
type LoaderFunc func(path string, r io.Reader) (loaded interface{}, err error)
// FS is a basic file system starting at a given Root folder
type FS struct {
Root string
// Optional function to load files
Loader LoaderFunc
}
// List the names of subfolders and files in a path
func (f *FS) List(path string) (folders []string, files []string, err error) {
p := filepath.Join(f.Root, path)
info, err := ioutil.ReadDir(p)
if err != nil {
return nil, nil, err
}
folders = make([]string, 0, len(info))
files = make([]string, 0, len(info))
for _, i := range info {
if i.IsDir() {
folders = append(folders, i.Name())
} else {
files = append(files, i.Name())
}
}
return folders, files, err
}
func nilLoader(path string, r io.Reader) (loaded interface{}, err error) {
return ioutil.ReadAll(r)
}
// Open a file in the file system and read it
func (f *FS) Open(path string) (contents interface{}, err error) {
loader := f.Loader
if f.Loader == nil {
loader = nilLoader
}
fullpath := filepath.Join(f.Root, path)
file, err := os.Open(fullpath)
if err != nil {
return
}
defer file.Close()
return loader(path, file)
}