rclone/local/local.go

462 lines
11 KiB
Go
Raw Normal View History

// Local filesystem interface
2013-06-28 05:13:07 +10:00
package local
// Note that all rclone paths should be / separated. Anything coming
// from the filepath module will have \ separators on windows so
// should be converted using filepath.ToSlash. Windows is quite happy
// with / separators so there is no need to convert them back.
import (
"crypto/md5"
"encoding/hex"
"fmt"
"hash"
"io"
"io/ioutil"
"os"
"path"
"path/filepath"
"sync"
"time"
"github.com/ncw/rclone/fs"
)
2013-06-28 05:13:07 +10:00
// Register with Fs
func init() {
fs.Register(&fs.FsInfo{
Name: "local",
NewFs: NewFs,
})
2013-06-28 05:13:07 +10:00
}
// FsLocal represents a local filesystem rooted at root
type FsLocal struct {
root string // The root directory
precisionOk sync.Once // Whether we need to read the precision
precision time.Duration // precision of local filesystem
}
// FsObjectLocal represents a local filesystem object
type FsObjectLocal struct {
local fs.Fs // The Fs this object is part of
remote string // The remote path
path string // The local path
2014-07-19 20:34:44 +10:00
info os.FileInfo // Interface for file info (always present)
md5sum string // the md5sum of the object or "" if not calculated
}
// ------------------------------------------------------------
2013-06-28 05:13:07 +10:00
// NewFs contstructs an FsLocal from the path
func NewFs(name, root string) (fs.Fs, error) {
root = filepath.ToSlash(path.Clean(root))
f := &FsLocal{root: root}
// Check to see if this points to a file
fi, err := os.Lstat(f.root)
if err == nil && fi.Mode().IsRegular() {
// It is a file, so use the parent as the root
remote := path.Base(root)
f.root = path.Dir(root)
obj := f.NewFsObject(remote)
// return a Fs Limited to this object
return fs.NewLimited(f, obj), nil
}
return f, nil
}
// String converts this FsLocal to a string
func (f *FsLocal) String() string {
return fmt.Sprintf("Local file system at %s", f.root)
}
// Return an FsObject from a path
//
// May return nil if an error occurred
func (f *FsLocal) newFsObjectWithInfo(remote string, info os.FileInfo) fs.Object {
remote = filepath.ToSlash(remote)
path := path.Join(f.root, remote)
o := &FsObjectLocal{local: f, remote: remote, path: path}
if info != nil {
2013-06-28 05:13:07 +10:00
o.info = info
} else {
2013-06-28 05:13:07 +10:00
err := o.lstat()
if err != nil {
2013-06-28 17:57:32 +10:00
fs.Debug(o, "Failed to stat %s: %s", path, err)
return nil
}
}
2013-06-28 05:13:07 +10:00
return o
}
// Return an FsObject from a path
//
// May return nil if an error occurred
2013-06-28 17:57:32 +10:00
func (f *FsLocal) NewFsObject(remote string) fs.Object {
return f.newFsObjectWithInfo(remote, nil)
}
2012-12-29 03:38:51 +11:00
// List the path returning a channel of FsObjects
//
2012-12-29 03:38:51 +11:00
// Ignores everything which isn't Storable, eg links etc
2013-06-28 17:57:32 +10:00
func (f *FsLocal) List() fs.ObjectsChan {
out := make(fs.ObjectsChan, fs.Config.Checkers)
go func() {
err := filepath.Walk(f.root, func(path string, fi os.FileInfo, err error) error {
if err != nil {
2013-06-28 05:13:07 +10:00
fs.Stats.Error()
fs.Log(f, "Failed to open directory: %s: %s", path, err)
} else {
remote, err := filepath.Rel(f.root, path)
if err != nil {
2013-06-28 05:13:07 +10:00
fs.Stats.Error()
fs.Log(f, "Failed to get relative path %s: %s", path, err)
return nil
}
if remote == "." {
return nil
// remote = ""
}
if fs := f.newFsObjectWithInfo(remote, fi); fs != nil {
if fs.Storable() {
out <- fs
}
}
}
return nil
})
if err != nil {
2013-06-28 05:13:07 +10:00
fs.Stats.Error()
fs.Log(f, "Failed to open directory: %s: %s", f.root, err)
}
close(out)
}()
return out
}
2013-01-24 09:43:20 +11:00
// Walk the path returning a channel of FsObjects
2013-06-28 17:57:32 +10:00
func (f *FsLocal) ListDir() fs.DirChan {
out := make(fs.DirChan, fs.Config.Checkers)
2013-01-24 09:43:20 +11:00
go func() {
defer close(out)
items, err := ioutil.ReadDir(f.root)
if err != nil {
2013-06-28 05:13:07 +10:00
fs.Stats.Error()
fs.Log(f, "Couldn't find read directory: %s", err)
2013-01-24 09:43:20 +11:00
} else {
for _, item := range items {
if item.IsDir() {
2013-06-28 17:57:32 +10:00
dir := &fs.Dir{
2013-01-24 09:43:20 +11:00
Name: item.Name(),
When: item.ModTime(),
Bytes: 0,
Count: 0,
}
// Go down the tree to count the files and directories
dirpath := path.Join(f.root, item.Name())
err := filepath.Walk(dirpath, func(path string, fi os.FileInfo, err error) error {
if err != nil {
2013-06-28 05:13:07 +10:00
fs.Stats.Error()
fs.Log(f, "Failed to open directory: %s: %s", path, err)
2013-01-24 09:43:20 +11:00
} else {
dir.Count += 1
dir.Bytes += fi.Size()
}
return nil
})
if err != nil {
2013-06-28 05:13:07 +10:00
fs.Stats.Error()
fs.Log(f, "Failed to open directory: %s: %s", dirpath, err)
2013-01-24 09:43:20 +11:00
}
out <- dir
}
}
}
// err := f.findRoot(false)
}()
return out
}
// Puts the FsObject to the local filesystem
2013-06-28 17:57:32 +10:00
func (f *FsLocal) Put(in io.Reader, remote string, modTime time.Time, size int64) (fs.Object, error) {
dstPath := path.Join(f.root, remote)
2014-07-19 20:34:44 +10:00
// Temporary FsObject under construction - info filled in by Update()
o := &FsObjectLocal{local: f, remote: remote, path: dstPath}
err := o.Update(in, modTime, size)
if err != nil {
return nil, err
}
return o, nil
}
// Mkdir creates the directory if it doesn't exist
func (f *FsLocal) Mkdir() error {
return os.MkdirAll(f.root, 0770)
}
// Rmdir removes the directory
//
// If it isn't empty it will return an error
func (f *FsLocal) Rmdir() error {
return os.Remove(f.root)
}
// Return the precision
func (f *FsLocal) Precision() (precision time.Duration) {
f.precisionOk.Do(func() {
f.precision = f.readPrecision()
})
return f.precision
}
// Read the precision
func (f *FsLocal) readPrecision() (precision time.Duration) {
// Default precision of 1s
precision = time.Second
// Create temporary file and test it
2013-06-28 05:00:01 +10:00
fd, err := ioutil.TempFile("", "rclone")
if err != nil {
// If failed return 1s
// fmt.Println("Failed to create temp file", err)
return time.Second
}
path := fd.Name()
// fmt.Println("Created temp file", path)
2014-07-26 03:19:49 +10:00
err = fd.Close()
if err != nil {
return time.Second
}
// Delete it on return
defer func() {
// fmt.Println("Remove temp file")
2014-07-26 03:19:49 +10:00
_ = os.Remove(path) // ignore error
}()
// Find the minimum duration we can detect
for duration := time.Duration(1); duration < time.Second; duration *= 10 {
// Current time with delta
t := time.Unix(time.Now().Unix(), int64(duration))
2013-06-28 05:13:07 +10:00
err := os.Chtimes(path, t, t)
if err != nil {
// fmt.Println("Failed to Chtimes", err)
break
}
// Read the actual time back
fi, err := os.Stat(path)
if err != nil {
// fmt.Println("Failed to Stat", err)
break
}
// If it matches - have found the precision
// fmt.Println("compare", fi.ModTime(), t)
if fi.ModTime() == t {
// fmt.Println("Precision detected as", duration)
return duration
}
}
return
}
2014-07-19 21:00:42 +10:00
// Purge deletes all the files and directories
//
// Optional interface: Only implement this if you have a way of
// deleting all the files quicker than just running Remove() on the
// result of List()
func (f *FsLocal) Purge() error {
fi, err := os.Lstat(f.root)
if err != nil {
return err
}
if !fi.Mode().IsDir() {
return fmt.Errorf("Can't Purge non directory: %q", f.root)
}
2014-07-19 21:00:42 +10:00
return os.RemoveAll(f.root)
}
// ------------------------------------------------------------
// Return the parent Fs
func (o *FsObjectLocal) Fs() fs.Fs {
return o.local
}
// Return a string version
func (o *FsObjectLocal) String() string {
if o == nil {
return "<nil>"
}
return o.remote
}
// Return the remote path
2013-06-28 05:13:07 +10:00
func (o *FsObjectLocal) Remote() string {
return o.remote
}
// Md5sum calculates the Md5sum of a file returning a lowercase hex string
2013-06-28 05:13:07 +10:00
func (o *FsObjectLocal) Md5sum() (string, error) {
if o.md5sum != "" {
return o.md5sum, nil
}
2013-06-28 05:13:07 +10:00
in, err := os.Open(o.path)
if err != nil {
2013-06-28 05:13:07 +10:00
fs.Stats.Error()
2013-06-28 17:57:32 +10:00
fs.Log(o, "Failed to open: %s", err)
return "", err
}
hash := md5.New()
_, err = io.Copy(hash, in)
closeErr := in.Close()
if err != nil {
2013-06-28 05:13:07 +10:00
fs.Stats.Error()
2013-06-28 17:57:32 +10:00
fs.Log(o, "Failed to read: %s", err)
return "", err
}
if closeErr != nil {
fs.Stats.Error()
fs.Log(o, "Failed to close: %s", closeErr)
return "", closeErr
}
o.md5sum = hex.EncodeToString(hash.Sum(nil))
return o.md5sum, nil
}
// Size returns the size of an object in bytes
2013-06-28 05:13:07 +10:00
func (o *FsObjectLocal) Size() int64 {
return o.info.Size()
}
// ModTime returns the modification time of the object
2013-06-28 05:13:07 +10:00
func (o *FsObjectLocal) ModTime() time.Time {
return o.info.ModTime()
}
// Sets the modification time of the local fs object
2013-06-28 05:13:07 +10:00
func (o *FsObjectLocal) SetModTime(modTime time.Time) {
err := os.Chtimes(o.path, modTime, modTime)
if err != nil {
2013-06-28 17:57:32 +10:00
fs.Debug(o, "Failed to set mtime on file: %s", err)
return
}
// Re-read metadata
err = o.lstat()
if err != nil {
fs.Debug(o, "Failed to stat: %s", err)
return
}
}
// Is this object storable
2013-06-28 05:13:07 +10:00
func (o *FsObjectLocal) Storable() bool {
mode := o.info.Mode()
if mode&(os.ModeSymlink|os.ModeNamedPipe|os.ModeSocket|os.ModeDevice) != 0 {
2013-06-28 17:57:32 +10:00
fs.Debug(o, "Can't transfer non file/directory")
return false
} else if mode&os.ModeDir != 0 {
2014-07-23 08:06:01 +10:00
// fs.Debug(o, "Skipping directory")
return false
}
return true
}
// localOpenFile wraps an io.ReadCloser and updates the md5sum of the
// object that is read
type localOpenFile struct {
o *FsObjectLocal // object that is open
in io.ReadCloser // handle we are wrapping
hash hash.Hash // currently accumulating MD5
}
// Read bytes from the object - see io.Reader
func (file *localOpenFile) Read(p []byte) (n int, err error) {
n, err = file.in.Read(p)
if n > 0 {
// Hash routines never return an error
_, _ = file.hash.Write(p[:n])
}
return
}
// Close the object and update the md5sum
func (file *localOpenFile) Close() (err error) {
err = file.in.Close()
if err == nil {
file.o.md5sum = hex.EncodeToString(file.hash.Sum(nil))
} else {
file.o.md5sum = ""
}
return err
}
// Open an object for read
2013-06-28 05:13:07 +10:00
func (o *FsObjectLocal) Open() (in io.ReadCloser, err error) {
in, err = os.Open(o.path)
if err != nil {
return
}
// Update the md5sum as we go along
in = &localOpenFile{
o: o,
in: in,
hash: md5.New(),
}
return
}
// Update the object from in with modTime and size
func (o *FsObjectLocal) Update(in io.Reader, modTime time.Time, size int64) error {
dir := path.Dir(o.path)
err := os.MkdirAll(dir, 0770)
if err != nil {
return err
}
out, err := os.Create(o.path)
if err != nil {
return err
}
// Calculate the md5sum of the object we are reading as we go along
hash := md5.New()
in = io.TeeReader(in, hash)
_, err = io.Copy(out, in)
outErr := out.Close()
if err != nil {
return err
}
if outErr != nil {
return outErr
}
// All successful so update the md5sum
o.md5sum = hex.EncodeToString(hash.Sum(nil))
// Set the mtime
o.SetModTime(modTime)
2014-07-19 20:34:44 +10:00
// ReRead info now that we have finished
return o.lstat()
}
// Stat a FsObject into info
2013-06-28 05:13:07 +10:00
func (o *FsObjectLocal) lstat() error {
info, err := os.Lstat(o.path)
o.info = info
return err
}
// Remove an object
2013-06-28 05:13:07 +10:00
func (o *FsObjectLocal) Remove() error {
return os.Remove(o.path)
}
// Check the interfaces are satisfied
2013-06-28 05:13:07 +10:00
var _ fs.Fs = &FsLocal{}
2014-07-19 21:00:42 +10:00
var _ fs.Purger = &FsLocal{}
2013-06-28 17:57:32 +10:00
var _ fs.Object = &FsObjectLocal{}