2018-01-25 11:10:21 +01:00
|
|
|
// Package atexit provides handling for functions you want called when
|
|
|
|
// the program exits unexpectedly due to a signal.
|
|
|
|
//
|
|
|
|
// You should also make sure you call Run in the normal exit path.
|
|
|
|
package atexit
|
|
|
|
|
|
|
|
import (
|
|
|
|
"os"
|
|
|
|
"os/signal"
|
|
|
|
"sync"
|
|
|
|
|
2019-07-28 19:47:38 +02:00
|
|
|
"github.com/rclone/rclone/fs"
|
2018-01-25 11:10:21 +01:00
|
|
|
)
|
|
|
|
|
|
|
|
var (
|
2019-02-23 08:17:01 +01:00
|
|
|
fns = make(map[FnHandle]bool)
|
|
|
|
fnsMutex sync.Mutex
|
2018-05-12 11:40:44 +02:00
|
|
|
exitChan chan os.Signal
|
2018-01-25 11:10:21 +01:00
|
|
|
exitOnce sync.Once
|
|
|
|
registerOnce sync.Once
|
|
|
|
)
|
|
|
|
|
2019-02-23 08:17:01 +01:00
|
|
|
// FnHandle is the type of the handle returned by function `Register`
|
|
|
|
// that can be used to unregister an at-exit function
|
|
|
|
type FnHandle *func()
|
|
|
|
|
|
|
|
// Register a function to be called on exit.
|
|
|
|
// Returns a handle which can be used to unregister the function with `Unregister`.
|
|
|
|
func Register(fn func()) FnHandle {
|
|
|
|
fnsMutex.Lock()
|
|
|
|
fns[&fn] = true
|
|
|
|
fnsMutex.Unlock()
|
|
|
|
|
2019-02-27 23:49:22 +01:00
|
|
|
// Run AtExit handlers on exitSignals so everything gets tidied up properly
|
2018-01-25 11:10:21 +01:00
|
|
|
registerOnce.Do(func() {
|
2018-05-12 11:40:44 +02:00
|
|
|
exitChan = make(chan os.Signal, 1)
|
2019-02-27 23:49:22 +01:00
|
|
|
signal.Notify(exitChan, exitSignals...)
|
2018-01-25 11:10:21 +01:00
|
|
|
go func() {
|
2019-02-23 08:17:01 +01:00
|
|
|
sig := <-exitChan
|
|
|
|
if sig == nil {
|
2018-05-12 11:40:44 +02:00
|
|
|
return
|
|
|
|
}
|
2018-01-25 11:10:21 +01:00
|
|
|
fs.Infof(nil, "Signal received: %s", sig)
|
|
|
|
Run()
|
|
|
|
fs.Infof(nil, "Exiting...")
|
|
|
|
os.Exit(0)
|
|
|
|
}()
|
|
|
|
})
|
2019-02-23 08:17:01 +01:00
|
|
|
|
|
|
|
return &fn
|
|
|
|
}
|
|
|
|
|
|
|
|
// Unregister a function using the handle returned by `Register`
|
|
|
|
func Unregister(handle FnHandle) {
|
|
|
|
fnsMutex.Lock()
|
|
|
|
defer fnsMutex.Unlock()
|
|
|
|
delete(fns, handle)
|
2018-01-25 11:10:21 +01:00
|
|
|
}
|
|
|
|
|
2018-05-12 11:40:44 +02:00
|
|
|
// IgnoreSignals disables the signal handler and prevents Run from beeing executed automatically
|
|
|
|
func IgnoreSignals() {
|
|
|
|
registerOnce.Do(func() {})
|
|
|
|
if exitChan != nil {
|
|
|
|
signal.Stop(exitChan)
|
|
|
|
close(exitChan)
|
|
|
|
exitChan = nil
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2018-01-25 11:10:21 +01:00
|
|
|
// Run all the at exit functions if they haven't been run already
|
|
|
|
func Run() {
|
|
|
|
exitOnce.Do(func() {
|
2019-02-23 08:17:01 +01:00
|
|
|
fnsMutex.Lock()
|
|
|
|
defer fnsMutex.Unlock()
|
|
|
|
for fnHandle := range fns {
|
|
|
|
(*fnHandle)()
|
2018-01-25 11:10:21 +01:00
|
|
|
}
|
|
|
|
})
|
|
|
|
}
|