2014-07-12 15:45:33 -07:00
|
|
|
// Copyright (C) 2014 Jakob Borg and Contributors (see the CONTRIBUTORS file).
|
|
|
|
// All rights reserved. Use of this source code is governed by an MIT-style
|
|
|
|
// license that can be found in the LICENSE file.
|
2014-06-01 13:50:14 -07:00
|
|
|
|
2014-07-31 08:01:11 -07:00
|
|
|
// Package osutil implements utilities for native OS support.
|
2014-05-25 11:49:08 -07:00
|
|
|
package osutil
|
|
|
|
|
|
|
|
import (
|
|
|
|
"os"
|
2014-08-25 09:14:49 -07:00
|
|
|
"path/filepath"
|
2014-05-25 11:49:08 -07:00
|
|
|
"runtime"
|
2014-09-22 06:48:46 -07:00
|
|
|
"sync"
|
2014-05-25 11:49:08 -07:00
|
|
|
)
|
|
|
|
|
2014-09-22 06:48:46 -07:00
|
|
|
// Try to keep this entire operation atomic-like. We shouldn't be doing this
|
|
|
|
// often enough that there is any contention on this lock.
|
|
|
|
var renameLock sync.Mutex
|
|
|
|
|
|
|
|
// Rename renames a file, while trying hard to succeed on various systems by
|
|
|
|
// temporarily tweaking directory permissions and removing the destination
|
|
|
|
// file when necessary. Will make sure to delete the from file if the
|
|
|
|
// operation fails, so use only for situations like committing a temp file to
|
|
|
|
// it's final location.
|
2014-05-25 11:49:08 -07:00
|
|
|
func Rename(from, to string) error {
|
2014-09-22 06:48:46 -07:00
|
|
|
renameLock.Lock()
|
|
|
|
defer renameLock.Unlock()
|
|
|
|
|
2014-08-25 09:14:49 -07:00
|
|
|
// Make sure the destination directory is writeable
|
|
|
|
toDir := filepath.Dir(to)
|
|
|
|
if info, err := os.Stat(toDir); err == nil {
|
|
|
|
os.Chmod(toDir, 0777)
|
|
|
|
defer os.Chmod(toDir, info.Mode())
|
|
|
|
}
|
|
|
|
|
|
|
|
// On Windows, make sure the destination file is writeable (or we can't delete it)
|
2014-05-25 11:49:08 -07:00
|
|
|
if runtime.GOOS == "windows" {
|
2014-08-25 09:14:49 -07:00
|
|
|
os.Chmod(to, 0666)
|
2014-05-25 11:49:08 -07:00
|
|
|
err := os.Remove(to)
|
|
|
|
if err != nil && !os.IsNotExist(err) {
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
}
|
2014-08-25 09:14:49 -07:00
|
|
|
|
|
|
|
// Don't leave a dangling temp file in case of rename error
|
|
|
|
defer os.Remove(from)
|
2014-05-25 11:49:08 -07:00
|
|
|
return os.Rename(from, to)
|
|
|
|
}
|