forked from dnnrly/s3backup
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathindex.go
329 lines (269 loc) · 7.04 KB
/
index.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
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
package s3backup
import (
"bytes"
"crypto/sha256"
"encoding/base64"
"fmt"
"io"
"io/ioutil"
"log"
"os"
"path/filepath"
"strings"
"golang.org/x/sync/errgroup"
"gopkg.in/yaml.v3"
)
var (
// Verbose enables verbose logging in this package
Verbose = false
)
const (
indexFile = ".index.yaml"
)
// Sourcefile represents the metadata for a single backed up file
type Sourcefile struct {
// Key is the location of this file in a bucket
Key string `yaml:"key"`
// Hash is the hashed value of the file contents
Hash string `yaml:"hash"`
}
// Index holds all of the metadata for files backed up
type Index struct {
// Files maps the local file location to its metadata
Files map[string]Sourcefile `yaml:"files"`
}
// NewIndex creates an Index from Yaml
func NewIndex(buf string) (*Index, error) {
index := &Index{}
err := yaml.Unmarshal([]byte(buf), index)
if err != nil {
return nil, err
}
return index, nil
}
// CopyIndex creates an Index from Yaml
func CopyIndex(from *Index) *Index {
to := &Index{
Files: map[string]Sourcefile{},
}
for k, v := range from.Files {
to.Add(k, v)
}
return to
}
// Encode the index data as Yaml
func (i *Index) Encode() (string, error) {
out, err := yaml.Marshal(i)
if err != nil {
return "", err
}
return string(out), nil
}
// Add a single source file to the index
func (i *Index) Add(f string, src Sourcefile) {
i.Files[f] = src
}
// GetNextN gets any N items from the index
func (i *Index) GetNextN(n int) *Index {
result := &Index{
Files: map[string]Sourcefile{},
}
if len(i.Files) == 0 {
return result
}
for f, src := range i.Files {
if n == 0 {
break
}
result.Add(f, src)
n--
}
return result
}
// Diff finds all entries in this Index that do not exist or are different from
// the remote entry.
func (local *Index) Diff(remote *Index) *Index {
diff := &Index{Files: map[string]Sourcefile{}}
for f, v := range local.Files {
if _, found := remote.Files[f]; !found {
log.Printf("Found missing file %s\n", f)
diff.Files[f] = v
} else {
if v.Hash != remote.Files[f].Hash {
log.Printf("Found updated file %s\n", f)
diff.Files[f] = v
}
}
}
return diff
}
// PathHasher is a function that will hash the file at 'path' location
type PathHasher func(path string) (string, error)
// PathWalker is a function that can walk a directory tree and populate the Index
// that is passed in
type PathWalker func(root string, index *Index, hasher PathHasher) filepath.WalkFunc
// FilePathWalker is a PathWalker that accesses files on the disk when walking a
// directory tree
func FilePathWalker(root string, index *Index, hasher PathHasher) filepath.WalkFunc {
return func(path string, f os.FileInfo, err error) error {
if !f.IsDir() {
doLog("Add in file to index: %s", path)
key := normalisePath(path)
if root != "" {
key = fmt.Sprintf("%s/%s", root, key)
}
hash, errHash := hasher(path)
if err != nil {
return errHash
}
index.Files[path] = Sourcefile{
Key: key,
Hash: hash,
}
}
return err
}
}
func normalisePath(path string) string {
parts := strings.Split(path, "\\")
return strings.Join(parts, "/")
}
// FileHasher returns a hash of the contents of a file
func FileHasher(path string) (string, error) {
contents, err := ioutil.ReadFile(filepath.Clean(path))
if err != nil {
return "", err
}
h := sha256.Sum256(contents)
hash := base64.StdEncoding.EncodeToString(h[:])
return hash, nil
}
// NewIndexFromRoot creates a new Index populated from a filesystem directory
func NewIndexFromRoot(
bucketRoot,
path string,
walker PathWalker,
hasher PathHasher,
) (*Index, error) {
i := &Index{
Files: map[string]Sourcefile{},
}
err := filepath.Walk(path, walker(bucketRoot, i, hasher))
if err != nil {
return nil, err
}
return i, nil
}
func doLog(format string, args ...interface{}) {
if Verbose {
log.Printf(format, args...)
}
}
// FileRepository allows you to access files in your remote location
type FileRepository interface {
// GetByKey retrieves the data at a certain location in your store
GetByKey(key string) (io.Reader, error)
// Save puts the data at a location in your store
Save(key string, data io.Reader) error
}
// FileGetter allows you to get the contents of a file
type FileGetter func(p string) io.ReadCloser
// IndexStore allows you to persist indexed objects
type IndexStore interface {
// Save an indexed object to the specified location
Save(key string, data io.Reader) error
}
// Limiter object for limiting concurrency of go routines
type Limiter struct {
done chan bool
jobs chan int
}
//parallelLimiter helps you create a channel used to limit parallel file uploads
func parallelLimiter(parallelLimit int) *Limiter {
limiter := &Limiter{
done: make(chan bool),
jobs: make(chan int, parallelLimit),
}
for i := 0; i < parallelLimit; i++ {
limiter.jobs <- i
}
return limiter
}
// Makes batches of local files to be uploaded
func makeBatch(files *Index, batchSize int) [][]string {
var chunks [][]string
keySlice := make([]string, 0, len(files.Files))
for key := range files.Files {
keySlice = append(keySlice, key)
}
for i := 0; i < len(keySlice); i += batchSize {
end := i + batchSize
// necessary check to avoid slicing beyond
// slice capacity
if end > len(keySlice) {
end = len(keySlice)
}
chunks = append(chunks, keySlice[i:end])
}
return chunks
}
// This uploads batches given by UploadDifferences. The files in the batch are uploaded in parallel
func UploadBatch(diffFiles *Index, batchHash []string, toUpload *Index, store IndexStore, limiter *Limiter, batchSize int, getFile FileGetter) error {
routineGroup := new(errgroup.Group)
uploadIndex := func() error {
r, _ := toUpload.Encode()
doLog("Uploading index as %s\n", indexFile)
err := store.Save(indexFile, bytes.NewBufferString(r))
if err != nil {
return err
}
return nil
}
go func() {
for i := 0; i < batchSize; i++ {
<-limiter.done
limiter.jobs <- i
}
}()
for _, fileHash := range batchHash {
p, srcFile := fileHash, diffFiles.Files[fileHash] // https://golang.org/doc/faq#closures_and_goroutines
<-limiter.jobs
routineGroup.Go(func() error {
r := getFile(p)
defer func() {
_ = r.Close()
limiter.done <- true
}()
doLog("Uploading %s as %s\n", p, srcFile.Key)
err := store.Save(srcFile.Key, r)
if err != nil {
return err
}
toUpload.Add(p, srcFile)
return nil
})
}
if err := routineGroup.Wait(); err == nil {
uploadErr := uploadIndex()
if uploadErr != nil {
return err
}
} else {
return err
}
return nil
}
// UploadDifferences will upload the files that are missing from the remote index
func UploadDifferences(localIndex, remoteIndex *Index, parallelLimit int, batchSize int, store IndexStore, getFile FileGetter) error {
diff := localIndex.Diff(remoteIndex)
toUpload := CopyIndex(remoteIndex)
limiter := parallelLimiter(parallelLimit)
batches := makeBatch(diff, batchSize)
for _, batch := range batches {
err := UploadBatch(diff, batch, toUpload, store, limiter, batchSize, getFile)
if err != nil {
return err
}
}
return nil
}