13647: Use cluster config instead of custom keepstore config.
[arvados.git] / services / keepstore / unix_volume.go
1 // Copyright (C) The Arvados Authors. All rights reserved.
2 //
3 // SPDX-License-Identifier: AGPL-3.0
4
5 package main
6
7 import (
8         "context"
9         "encoding/json"
10         "errors"
11         "fmt"
12         "io"
13         "io/ioutil"
14         "log"
15         "os"
16         "os/exec"
17         "path/filepath"
18         "regexp"
19         "strconv"
20         "strings"
21         "sync"
22         "sync/atomic"
23         "syscall"
24         "time"
25
26         "git.curoverse.com/arvados.git/sdk/go/arvados"
27         "github.com/prometheus/client_golang/prometheus"
28         "github.com/sirupsen/logrus"
29 )
30
31 func init() {
32         driver["Directory"] = newDirectoryVolume
33 }
34
35 func newDirectoryVolume(cluster *arvados.Cluster, volume arvados.Volume, logger logrus.FieldLogger, metrics *volumeMetricsVecs) (Volume, error) {
36         v := &UnixVolume{cluster: cluster, volume: volume, logger: logger, metrics: metrics}
37         err := json.Unmarshal(volume.DriverParameters, &v)
38         if err != nil {
39                 return nil, err
40         }
41         return v, v.check()
42 }
43
44 func (v *UnixVolume) check() error {
45         if v.Root == "" {
46                 return errors.New("DriverParameters.Root was not provided")
47         }
48         if v.Serialize {
49                 v.locker = &sync.Mutex{}
50         }
51         if !strings.HasPrefix(v.Root, "/") {
52                 return fmt.Errorf("DriverParameters.Root %q does not start with '/'", v.Root)
53         }
54
55         // Set up prometheus metrics
56         lbls := prometheus.Labels{"device_id": v.GetDeviceID()}
57         v.os.stats.opsCounters, v.os.stats.errCounters, v.os.stats.ioBytes = v.metrics.getCounterVecsFor(lbls)
58
59         _, err := v.os.Stat(v.Root)
60         return err
61 }
62
63 // A UnixVolume stores and retrieves blocks in a local directory.
64 type UnixVolume struct {
65         Root      string // path to the volume's root directory
66         Serialize bool
67
68         cluster *arvados.Cluster
69         volume  arvados.Volume
70         logger  logrus.FieldLogger
71         metrics *volumeMetricsVecs
72
73         // something to lock during IO, typically a sync.Mutex (or nil
74         // to skip locking)
75         locker sync.Locker
76
77         os osWithStats
78 }
79
80 // GetDeviceID returns a globally unique ID for the volume's root
81 // directory, consisting of the filesystem's UUID and the path from
82 // filesystem root to storage directory, joined by "/". For example,
83 // the device ID for a local directory "/mnt/xvda1/keep" might be
84 // "fa0b6166-3b55-4994-bd3f-92f4e00a1bb0/keep".
85 func (v *UnixVolume) GetDeviceID() string {
86         giveup := func(f string, args ...interface{}) string {
87                 log.Printf(f+"; using blank DeviceID for volume %s", append(args, v)...)
88                 return ""
89         }
90         buf, err := exec.Command("findmnt", "--noheadings", "--target", v.Root).CombinedOutput()
91         if err != nil {
92                 return giveup("findmnt: %s (%q)", err, buf)
93         }
94         findmnt := strings.Fields(string(buf))
95         if len(findmnt) < 2 {
96                 return giveup("could not parse findmnt output: %q", buf)
97         }
98         fsRoot, dev := findmnt[0], findmnt[1]
99
100         absRoot, err := filepath.Abs(v.Root)
101         if err != nil {
102                 return giveup("resolving relative path %q: %s", v.Root, err)
103         }
104         realRoot, err := filepath.EvalSymlinks(absRoot)
105         if err != nil {
106                 return giveup("resolving symlinks in %q: %s", absRoot, err)
107         }
108
109         // Find path from filesystem root to realRoot
110         var fsPath string
111         if strings.HasPrefix(realRoot, fsRoot+"/") {
112                 fsPath = realRoot[len(fsRoot):]
113         } else if fsRoot == "/" {
114                 fsPath = realRoot
115         } else if fsRoot == realRoot {
116                 fsPath = ""
117         } else {
118                 return giveup("findmnt reports mount point %q which is not a prefix of volume root %q", fsRoot, realRoot)
119         }
120
121         if !strings.HasPrefix(dev, "/") {
122                 return giveup("mount %q device %q is not a path", fsRoot, dev)
123         }
124
125         fi, err := os.Stat(dev)
126         if err != nil {
127                 return giveup("stat %q: %s", dev, err)
128         }
129         ino := fi.Sys().(*syscall.Stat_t).Ino
130
131         // Find a symlink in /dev/disk/by-uuid/ whose target is (i.e.,
132         // has the same inode as) the mounted device
133         udir := "/dev/disk/by-uuid"
134         d, err := os.Open(udir)
135         if err != nil {
136                 return giveup("opening %q: %s", udir, err)
137         }
138         uuids, err := d.Readdirnames(0)
139         if err != nil {
140                 return giveup("reading %q: %s", udir, err)
141         }
142         for _, uuid := range uuids {
143                 link := filepath.Join(udir, uuid)
144                 fi, err = os.Stat(link)
145                 if err != nil {
146                         log.Printf("error: stat %q: %s", link, err)
147                         continue
148                 }
149                 if fi.Sys().(*syscall.Stat_t).Ino == ino {
150                         return uuid + fsPath
151                 }
152         }
153         return giveup("could not find entry in %q matching %q", udir, dev)
154 }
155
156 // Touch sets the timestamp for the given locator to the current time
157 func (v *UnixVolume) Touch(loc string) error {
158         if v.volume.ReadOnly {
159                 return MethodDisabledError
160         }
161         p := v.blockPath(loc)
162         f, err := v.os.OpenFile(p, os.O_RDWR|os.O_APPEND, 0644)
163         if err != nil {
164                 return err
165         }
166         defer f.Close()
167         if err := v.lock(context.TODO()); err != nil {
168                 return err
169         }
170         defer v.unlock()
171         if e := v.lockfile(f); e != nil {
172                 return e
173         }
174         defer v.unlockfile(f)
175         ts := syscall.NsecToTimespec(time.Now().UnixNano())
176         v.os.stats.TickOps("utimes")
177         v.os.stats.Tick(&v.os.stats.UtimesOps)
178         err = syscall.UtimesNano(p, []syscall.Timespec{ts, ts})
179         v.os.stats.TickErr(err)
180         return err
181 }
182
183 // Mtime returns the stored timestamp for the given locator.
184 func (v *UnixVolume) Mtime(loc string) (time.Time, error) {
185         p := v.blockPath(loc)
186         fi, err := v.os.Stat(p)
187         if err != nil {
188                 return time.Time{}, err
189         }
190         return fi.ModTime(), nil
191 }
192
193 // Lock the locker (if one is in use), open the file for reading, and
194 // call the given function if and when the file is ready to read.
195 func (v *UnixVolume) getFunc(ctx context.Context, path string, fn func(io.Reader) error) error {
196         if err := v.lock(ctx); err != nil {
197                 return err
198         }
199         defer v.unlock()
200         f, err := v.os.Open(path)
201         if err != nil {
202                 return err
203         }
204         defer f.Close()
205         return fn(NewCountingReader(ioutil.NopCloser(f), v.os.stats.TickInBytes))
206 }
207
208 // stat is os.Stat() with some extra sanity checks.
209 func (v *UnixVolume) stat(path string) (os.FileInfo, error) {
210         stat, err := v.os.Stat(path)
211         if err == nil {
212                 if stat.Size() < 0 {
213                         err = os.ErrInvalid
214                 } else if stat.Size() > BlockSize {
215                         err = TooLongError
216                 }
217         }
218         return stat, err
219 }
220
221 // Get retrieves a block, copies it to the given slice, and returns
222 // the number of bytes copied.
223 func (v *UnixVolume) Get(ctx context.Context, loc string, buf []byte) (int, error) {
224         return getWithPipe(ctx, loc, buf, v)
225 }
226
227 // ReadBlock implements BlockReader.
228 func (v *UnixVolume) ReadBlock(ctx context.Context, loc string, w io.Writer) error {
229         path := v.blockPath(loc)
230         stat, err := v.stat(path)
231         if err != nil {
232                 return v.translateError(err)
233         }
234         return v.getFunc(ctx, path, func(rdr io.Reader) error {
235                 n, err := io.Copy(w, rdr)
236                 if err == nil && n != stat.Size() {
237                         err = io.ErrUnexpectedEOF
238                 }
239                 return err
240         })
241 }
242
243 // Compare returns nil if Get(loc) would return the same content as
244 // expect. It is functionally equivalent to Get() followed by
245 // bytes.Compare(), but uses less memory.
246 func (v *UnixVolume) Compare(ctx context.Context, loc string, expect []byte) error {
247         path := v.blockPath(loc)
248         if _, err := v.stat(path); err != nil {
249                 return v.translateError(err)
250         }
251         return v.getFunc(ctx, path, func(rdr io.Reader) error {
252                 return compareReaderWithBuf(ctx, rdr, expect, loc[:32])
253         })
254 }
255
256 // Put stores a block of data identified by the locator string
257 // "loc".  It returns nil on success.  If the volume is full, it
258 // returns a FullError.  If the write fails due to some other error,
259 // that error is returned.
260 func (v *UnixVolume) Put(ctx context.Context, loc string, block []byte) error {
261         return putWithPipe(ctx, loc, block, v)
262 }
263
264 // WriteBlock implements BlockWriter.
265 func (v *UnixVolume) WriteBlock(ctx context.Context, loc string, rdr io.Reader) error {
266         if v.volume.ReadOnly {
267                 return MethodDisabledError
268         }
269         if v.IsFull() {
270                 return FullError
271         }
272         bdir := v.blockDir(loc)
273         if err := os.MkdirAll(bdir, 0755); err != nil {
274                 log.Printf("%s: could not create directory %s: %s",
275                         loc, bdir, err)
276                 return err
277         }
278
279         tmpfile, tmperr := v.os.TempFile(bdir, "tmp"+loc)
280         if tmperr != nil {
281                 log.Printf("ioutil.TempFile(%s, tmp%s): %s", bdir, loc, tmperr)
282                 return tmperr
283         }
284
285         bpath := v.blockPath(loc)
286
287         if err := v.lock(ctx); err != nil {
288                 return err
289         }
290         defer v.unlock()
291         n, err := io.Copy(tmpfile, rdr)
292         v.os.stats.TickOutBytes(uint64(n))
293         if err != nil {
294                 log.Printf("%s: writing to %s: %s", v, bpath, err)
295                 tmpfile.Close()
296                 v.os.Remove(tmpfile.Name())
297                 return err
298         }
299         if err := tmpfile.Close(); err != nil {
300                 log.Printf("closing %s: %s", tmpfile.Name(), err)
301                 v.os.Remove(tmpfile.Name())
302                 return err
303         }
304         if err := v.os.Rename(tmpfile.Name(), bpath); err != nil {
305                 log.Printf("rename %s %s: %s", tmpfile.Name(), bpath, err)
306                 return v.os.Remove(tmpfile.Name())
307         }
308         return nil
309 }
310
311 // Status returns a VolumeStatus struct describing the volume's
312 // current state, or nil if an error occurs.
313 //
314 func (v *UnixVolume) Status() *VolumeStatus {
315         fi, err := v.os.Stat(v.Root)
316         if err != nil {
317                 log.Printf("%s: os.Stat: %s", v, err)
318                 return nil
319         }
320         devnum := fi.Sys().(*syscall.Stat_t).Dev
321
322         var fs syscall.Statfs_t
323         if err := syscall.Statfs(v.Root, &fs); err != nil {
324                 log.Printf("%s: statfs: %s", v, err)
325                 return nil
326         }
327         // These calculations match the way df calculates disk usage:
328         // "free" space is measured by fs.Bavail, but "used" space
329         // uses fs.Blocks - fs.Bfree.
330         free := fs.Bavail * uint64(fs.Bsize)
331         used := (fs.Blocks - fs.Bfree) * uint64(fs.Bsize)
332         return &VolumeStatus{
333                 MountPoint: v.Root,
334                 DeviceNum:  devnum,
335                 BytesFree:  free,
336                 BytesUsed:  used,
337         }
338 }
339
340 var blockDirRe = regexp.MustCompile(`^[0-9a-f]+$`)
341 var blockFileRe = regexp.MustCompile(`^[0-9a-f]{32}$`)
342
343 // IndexTo writes (to the given Writer) a list of blocks found on this
344 // volume which begin with the specified prefix. If the prefix is an
345 // empty string, IndexTo writes a complete list of blocks.
346 //
347 // Each block is given in the format
348 //
349 //     locator+size modification-time {newline}
350 //
351 // e.g.:
352 //
353 //     e4df392f86be161ca6ed3773a962b8f3+67108864 1388894303
354 //     e4d41e6fd68460e0e3fc18cc746959d2+67108864 1377796043
355 //     e4de7a2810f5554cd39b36d8ddb132ff+67108864 1388701136
356 //
357 func (v *UnixVolume) IndexTo(prefix string, w io.Writer) error {
358         var lastErr error
359         rootdir, err := v.os.Open(v.Root)
360         if err != nil {
361                 return err
362         }
363         defer rootdir.Close()
364         v.os.stats.TickOps("readdir")
365         v.os.stats.Tick(&v.os.stats.ReaddirOps)
366         for {
367                 names, err := rootdir.Readdirnames(1)
368                 if err == io.EOF {
369                         return lastErr
370                 } else if err != nil {
371                         return err
372                 }
373                 if !strings.HasPrefix(names[0], prefix) && !strings.HasPrefix(prefix, names[0]) {
374                         // prefix excludes all blocks stored in this dir
375                         continue
376                 }
377                 if !blockDirRe.MatchString(names[0]) {
378                         continue
379                 }
380                 blockdirpath := filepath.Join(v.Root, names[0])
381                 blockdir, err := v.os.Open(blockdirpath)
382                 if err != nil {
383                         log.Print("Error reading ", blockdirpath, ": ", err)
384                         lastErr = err
385                         continue
386                 }
387                 v.os.stats.TickOps("readdir")
388                 v.os.stats.Tick(&v.os.stats.ReaddirOps)
389                 for {
390                         fileInfo, err := blockdir.Readdir(1)
391                         if err == io.EOF {
392                                 break
393                         } else if err != nil {
394                                 log.Print("Error reading ", blockdirpath, ": ", err)
395                                 lastErr = err
396                                 break
397                         }
398                         name := fileInfo[0].Name()
399                         if !strings.HasPrefix(name, prefix) {
400                                 continue
401                         }
402                         if !blockFileRe.MatchString(name) {
403                                 continue
404                         }
405                         _, err = fmt.Fprint(w,
406                                 name,
407                                 "+", fileInfo[0].Size(),
408                                 " ", fileInfo[0].ModTime().UnixNano(),
409                                 "\n")
410                         if err != nil {
411                                 log.Print("Error writing : ", err)
412                                 lastErr = err
413                                 break
414                         }
415                 }
416                 blockdir.Close()
417         }
418 }
419
420 // Trash trashes the block data from the unix storage
421 // If TrashLifetime == 0, the block is deleted
422 // Else, the block is renamed as path/{loc}.trash.{deadline},
423 // where deadline = now + TrashLifetime
424 func (v *UnixVolume) Trash(loc string) error {
425         // Touch() must be called before calling Write() on a block.  Touch()
426         // also uses lockfile().  This avoids a race condition between Write()
427         // and Trash() because either (a) the file will be trashed and Touch()
428         // will signal to the caller that the file is not present (and needs to
429         // be re-written), or (b) Touch() will update the file's timestamp and
430         // Trash() will read the correct up-to-date timestamp and choose not to
431         // trash the file.
432
433         if v.volume.ReadOnly || !v.cluster.Collections.BlobTrash {
434                 return MethodDisabledError
435         }
436         if err := v.lock(context.TODO()); err != nil {
437                 return err
438         }
439         defer v.unlock()
440         p := v.blockPath(loc)
441         f, err := v.os.OpenFile(p, os.O_RDWR|os.O_APPEND, 0644)
442         if err != nil {
443                 return err
444         }
445         defer f.Close()
446         if e := v.lockfile(f); e != nil {
447                 return e
448         }
449         defer v.unlockfile(f)
450
451         // If the block has been PUT in the last blobSignatureTTL
452         // seconds, return success without removing the block. This
453         // protects data from garbage collection until it is no longer
454         // possible for clients to retrieve the unreferenced blocks
455         // anyway (because the permission signatures have expired).
456         if fi, err := v.os.Stat(p); err != nil {
457                 return err
458         } else if time.Since(fi.ModTime()) < v.cluster.Collections.BlobSigningTTL.Duration() {
459                 return nil
460         }
461
462         if v.cluster.Collections.BlobTrashLifetime == 0 {
463                 return v.os.Remove(p)
464         }
465         return v.os.Rename(p, fmt.Sprintf("%v.trash.%d", p, time.Now().Add(v.cluster.Collections.BlobTrashLifetime.Duration()).Unix()))
466 }
467
468 // Untrash moves block from trash back into store
469 // Look for path/{loc}.trash.{deadline} in storage,
470 // and rename the first such file as path/{loc}
471 func (v *UnixVolume) Untrash(loc string) (err error) {
472         if v.volume.ReadOnly {
473                 return MethodDisabledError
474         }
475
476         v.os.stats.TickOps("readdir")
477         v.os.stats.Tick(&v.os.stats.ReaddirOps)
478         files, err := ioutil.ReadDir(v.blockDir(loc))
479         if err != nil {
480                 return err
481         }
482
483         if len(files) == 0 {
484                 return os.ErrNotExist
485         }
486
487         foundTrash := false
488         prefix := fmt.Sprintf("%v.trash.", loc)
489         for _, f := range files {
490                 if strings.HasPrefix(f.Name(), prefix) {
491                         foundTrash = true
492                         err = v.os.Rename(v.blockPath(f.Name()), v.blockPath(loc))
493                         if err == nil {
494                                 break
495                         }
496                 }
497         }
498
499         if foundTrash == false {
500                 return os.ErrNotExist
501         }
502
503         return
504 }
505
506 // blockDir returns the fully qualified directory name for the directory
507 // where loc is (or would be) stored on this volume.
508 func (v *UnixVolume) blockDir(loc string) string {
509         return filepath.Join(v.Root, loc[0:3])
510 }
511
512 // blockPath returns the fully qualified pathname for the path to loc
513 // on this volume.
514 func (v *UnixVolume) blockPath(loc string) string {
515         return filepath.Join(v.blockDir(loc), loc)
516 }
517
518 // IsFull returns true if the free space on the volume is less than
519 // MinFreeKilobytes.
520 //
521 func (v *UnixVolume) IsFull() (isFull bool) {
522         fullSymlink := v.Root + "/full"
523
524         // Check if the volume has been marked as full in the last hour.
525         if link, err := os.Readlink(fullSymlink); err == nil {
526                 if ts, err := strconv.Atoi(link); err == nil {
527                         fulltime := time.Unix(int64(ts), 0)
528                         if time.Since(fulltime).Hours() < 1.0 {
529                                 return true
530                         }
531                 }
532         }
533
534         if avail, err := v.FreeDiskSpace(); err == nil {
535                 isFull = avail < MinFreeKilobytes
536         } else {
537                 log.Printf("%s: FreeDiskSpace: %s", v, err)
538                 isFull = false
539         }
540
541         // If the volume is full, timestamp it.
542         if isFull {
543                 now := fmt.Sprintf("%d", time.Now().Unix())
544                 os.Symlink(now, fullSymlink)
545         }
546         return
547 }
548
549 // FreeDiskSpace returns the number of unused 1k blocks available on
550 // the volume.
551 //
552 func (v *UnixVolume) FreeDiskSpace() (free uint64, err error) {
553         var fs syscall.Statfs_t
554         err = syscall.Statfs(v.Root, &fs)
555         if err == nil {
556                 // Statfs output is not guaranteed to measure free
557                 // space in terms of 1K blocks.
558                 free = fs.Bavail * uint64(fs.Bsize) / 1024
559         }
560         return
561 }
562
563 func (v *UnixVolume) String() string {
564         return fmt.Sprintf("[UnixVolume %s]", v.Root)
565 }
566
567 // InternalStats returns I/O and filesystem ops counters.
568 func (v *UnixVolume) InternalStats() interface{} {
569         return &v.os.stats
570 }
571
572 // lock acquires the serialize lock, if one is in use. If ctx is done
573 // before the lock is acquired, lock returns ctx.Err() instead of
574 // acquiring the lock.
575 func (v *UnixVolume) lock(ctx context.Context) error {
576         if v.locker == nil {
577                 return nil
578         }
579         t0 := time.Now()
580         locked := make(chan struct{})
581         go func() {
582                 v.locker.Lock()
583                 close(locked)
584         }()
585         select {
586         case <-ctx.Done():
587                 log.Printf("%s: client hung up while waiting for Serialize lock (%s)", v, time.Since(t0))
588                 go func() {
589                         <-locked
590                         v.locker.Unlock()
591                 }()
592                 return ctx.Err()
593         case <-locked:
594                 return nil
595         }
596 }
597
598 // unlock releases the serialize lock, if one is in use.
599 func (v *UnixVolume) unlock() {
600         if v.locker == nil {
601                 return
602         }
603         v.locker.Unlock()
604 }
605
606 // lockfile and unlockfile use flock(2) to manage kernel file locks.
607 func (v *UnixVolume) lockfile(f *os.File) error {
608         v.os.stats.TickOps("flock")
609         v.os.stats.Tick(&v.os.stats.FlockOps)
610         err := syscall.Flock(int(f.Fd()), syscall.LOCK_EX)
611         v.os.stats.TickErr(err)
612         return err
613 }
614
615 func (v *UnixVolume) unlockfile(f *os.File) error {
616         err := syscall.Flock(int(f.Fd()), syscall.LOCK_UN)
617         v.os.stats.TickErr(err)
618         return err
619 }
620
621 // Where appropriate, translate a more specific filesystem error to an
622 // error recognized by handlers, like os.ErrNotExist.
623 func (v *UnixVolume) translateError(err error) error {
624         switch err.(type) {
625         case *os.PathError:
626                 // stat() returns a PathError if the parent directory
627                 // (not just the file itself) is missing
628                 return os.ErrNotExist
629         default:
630                 return err
631         }
632 }
633
634 var unixTrashLocRegexp = regexp.MustCompile(`/([0-9a-f]{32})\.trash\.(\d+)$`)
635
636 // EmptyTrash walks hierarchy looking for {hash}.trash.*
637 // and deletes those with deadline < now.
638 func (v *UnixVolume) EmptyTrash() {
639         if v.cluster.Collections.BlobDeleteConcurrency < 1 {
640                 return
641         }
642
643         var bytesDeleted, bytesInTrash int64
644         var blocksDeleted, blocksInTrash int64
645
646         doFile := func(path string, info os.FileInfo) {
647                 if info.Mode().IsDir() {
648                         return
649                 }
650                 matches := unixTrashLocRegexp.FindStringSubmatch(path)
651                 if len(matches) != 3 {
652                         return
653                 }
654                 deadline, err := strconv.ParseInt(matches[2], 10, 64)
655                 if err != nil {
656                         log.Printf("EmptyTrash: %v: ParseInt(%v): %v", path, matches[2], err)
657                         return
658                 }
659                 atomic.AddInt64(&bytesInTrash, info.Size())
660                 atomic.AddInt64(&blocksInTrash, 1)
661                 if deadline > time.Now().Unix() {
662                         return
663                 }
664                 err = v.os.Remove(path)
665                 if err != nil {
666                         log.Printf("EmptyTrash: Remove %v: %v", path, err)
667                         return
668                 }
669                 atomic.AddInt64(&bytesDeleted, info.Size())
670                 atomic.AddInt64(&blocksDeleted, 1)
671         }
672
673         type dirent struct {
674                 path string
675                 info os.FileInfo
676         }
677         var wg sync.WaitGroup
678         todo := make(chan dirent, v.cluster.Collections.BlobDeleteConcurrency)
679         for i := 0; i < v.cluster.Collections.BlobDeleteConcurrency; i++ {
680                 wg.Add(1)
681                 go func() {
682                         defer wg.Done()
683                         for e := range todo {
684                                 doFile(e.path, e.info)
685                         }
686                 }()
687         }
688
689         err := filepath.Walk(v.Root, func(path string, info os.FileInfo, err error) error {
690                 if err != nil {
691                         log.Printf("EmptyTrash: filepath.Walk: %v: %v", path, err)
692                         return nil
693                 }
694                 todo <- dirent{path, info}
695                 return nil
696         })
697         close(todo)
698         wg.Wait()
699
700         if err != nil {
701                 log.Printf("EmptyTrash error for %v: %v", v.String(), err)
702         }
703
704         log.Printf("EmptyTrash stats for %v: Deleted %v bytes in %v blocks. Remaining in trash: %v bytes in %v blocks.", v.String(), bytesDeleted, blocksDeleted, bytesInTrash-bytesDeleted, blocksInTrash-blocksDeleted)
705 }
706
707 type unixStats struct {
708         statsTicker
709         OpenOps    uint64
710         StatOps    uint64
711         FlockOps   uint64
712         UtimesOps  uint64
713         CreateOps  uint64
714         RenameOps  uint64
715         UnlinkOps  uint64
716         ReaddirOps uint64
717 }
718
719 func (s *unixStats) TickErr(err error) {
720         if err == nil {
721                 return
722         }
723         s.statsTicker.TickErr(err, fmt.Sprintf("%T", err))
724 }
725
726 type osWithStats struct {
727         stats unixStats
728 }
729
730 func (o *osWithStats) Open(name string) (*os.File, error) {
731         o.stats.TickOps("open")
732         o.stats.Tick(&o.stats.OpenOps)
733         f, err := os.Open(name)
734         o.stats.TickErr(err)
735         return f, err
736 }
737
738 func (o *osWithStats) OpenFile(name string, flag int, perm os.FileMode) (*os.File, error) {
739         o.stats.TickOps("open")
740         o.stats.Tick(&o.stats.OpenOps)
741         f, err := os.OpenFile(name, flag, perm)
742         o.stats.TickErr(err)
743         return f, err
744 }
745
746 func (o *osWithStats) Remove(path string) error {
747         o.stats.TickOps("unlink")
748         o.stats.Tick(&o.stats.UnlinkOps)
749         err := os.Remove(path)
750         o.stats.TickErr(err)
751         return err
752 }
753
754 func (o *osWithStats) Rename(a, b string) error {
755         o.stats.TickOps("rename")
756         o.stats.Tick(&o.stats.RenameOps)
757         err := os.Rename(a, b)
758         o.stats.TickErr(err)
759         return err
760 }
761
762 func (o *osWithStats) Stat(path string) (os.FileInfo, error) {
763         o.stats.TickOps("stat")
764         o.stats.Tick(&o.stats.StatOps)
765         fi, err := os.Stat(path)
766         o.stats.TickErr(err)
767         return fi, err
768 }
769
770 func (o *osWithStats) TempFile(dir, base string) (*os.File, error) {
771         o.stats.TickOps("create")
772         o.stats.Tick(&o.stats.CreateOps)
773         f, err := ioutil.TempFile(dir, base)
774         o.stats.TickErr(err)
775         return f, err
776 }