1
0
mirror of https://github.com/hybridgroup/gobot.git synced 2025-04-24 13:48:49 +08:00

95 lines
2.2 KiB
Go
Raw Normal View History

2014-04-30 08:10:44 -07:00
package gobot
2013-11-23 09:12:57 -08:00
import (
"crypto/rand"
"errors"
"log"
2014-03-26 22:24:45 -07:00
"math"
"math/big"
2013-11-23 09:12:57 -08:00
"time"
)
2014-11-30 00:19:53 -08:00
var (
// ErrUnknownEvent is the error resulting if the specified Event does not exist
2014-11-30 00:19:53 -08:00
ErrUnknownEvent = errors.New("Event does not exist")
)
var eventError = func(e *Event) (err error) {
if e == nil {
2014-11-30 00:19:53 -08:00
err = ErrUnknownEvent
log.Println(err.Error())
return
}
return
}
2014-11-12 15:00:40 -08:00
// Every triggers f every t time until the end of days. It does not wait for the
// previous execution of f to finish before it fires the next f.
func Every(t time.Duration, f func()) {
c := time.Tick(t)
2014-10-15 12:57:07 -05:00
2013-11-23 09:12:57 -08:00
go func() {
for {
<-c
2013-11-23 09:12:57 -08:00
go f()
}
}()
}
2014-11-12 15:00:40 -08:00
// After triggers f after t duration.
func After(t time.Duration, f func()) {
time.AfterFunc(t, f)
2013-11-23 09:12:57 -08:00
}
// Publish emits val to all subscribers of e. Returns ErrUnknownEvent if Event
// does not exist.
func Publish(e *Event, val interface{}) (err error) {
if err = eventError(e); err == nil {
e.Write(val)
}
return
2013-12-30 19:06:13 -08:00
}
// On executes f when e is Published to. Returns ErrUnknownEvent if Event
// does not exist.
func On(e *Event, f func(s interface{})) (err error) {
if err = eventError(e); err == nil {
e.Callbacks = append(e.Callbacks, callback{f, false})
}
return
2014-07-13 20:27:38 -07:00
}
// Once is similar to On except that it only executes f one time. Returns
//ErrUnknownEvent if Event does not exist.
func Once(e *Event, f func(s interface{})) (err error) {
if err = eventError(e); err == nil {
e.Callbacks = append(e.Callbacks, callback{f, true})
}
return
2013-12-30 19:06:13 -08:00
}
2014-11-12 15:00:40 -08:00
// Rand returns a positive random int up to max
2013-11-23 09:12:57 -08:00
func Rand(max int) int {
i, _ := rand.Int(rand.Reader, big.NewInt(int64(max)))
return int(i.Int64())
2013-11-23 09:12:57 -08:00
}
2014-11-12 15:00:40 -08:00
// FromScale returns a converted input from min, max to 0.0...1.0.
2014-03-26 22:24:45 -07:00
func FromScale(input, min, max float64) float64 {
return (input - math.Min(min, max)) / (math.Max(min, max) - math.Min(min, max))
}
2014-11-12 15:00:40 -08:00
// ToScale returns a converted input from 0...1 to min...max scale.
// If input is less than min then ToScale returns min.
// If input is greater than max then ToScale returns max
2014-03-26 22:24:45 -07:00
func ToScale(input, min, max float64) float64 {
i := input*(math.Max(min, max)-math.Min(min, max)) + math.Min(min, max)
if i < math.Min(min, max) {
return math.Min(min, max)
} else if i > math.Max(min, max) {
return math.Max(min, max)
} else {
return i
}
}