bbgo_origin/pkg/indicator/ewma.go

93 lines
2.0 KiB
Go
Raw Normal View History

2020-10-28 01:13:57 +00:00
package indicator
import (
"time"
"github.com/c9s/bbgo/pkg/datatype/floats"
2020-10-28 01:13:57 +00:00
"github.com/c9s/bbgo/pkg/types"
)
// These numbers should be aligned with bbgo MaxNumOfKLines and MaxNumOfKLinesTruncate
const MaxNumOfEWMA = 1_000
const MaxNumOfEWMATruncateSize = 500
2020-12-03 08:46:02 +00:00
//go:generate callbackgen -type EWMA
2020-10-28 01:13:57 +00:00
type EWMA struct {
types.IntervalWindow
types.SeriesBase
Values floats.Slice
2022-07-20 17:04:49 +00:00
EndTime time.Time
2020-12-03 08:46:02 +00:00
2022-07-13 17:16:39 +00:00
updateCallbacks []func(value float64)
2020-10-28 01:13:57 +00:00
}
var _ types.SeriesExtend = &EWMA{}
func (inc *EWMA) Clone() *EWMA {
out := &EWMA{
IntervalWindow: inc.IntervalWindow,
Values: inc.Values[:],
}
out.SeriesBase.Series = out
return out
}
func (inc *EWMA) TestUpdate(value float64) *EWMA {
out := inc.Clone()
out.Update(value)
return out
}
2021-05-08 16:56:44 +00:00
func (inc *EWMA) Update(value float64) {
var multiplier = 2.0 / float64(1+inc.Window)
if len(inc.Values) == 0 {
inc.SeriesBase.Series = inc
2021-05-08 16:56:44 +00:00
inc.Values.Push(value)
return
} else if len(inc.Values) > MaxNumOfEWMA {
2021-11-21 18:14:44 +00:00
inc.Values = inc.Values[MaxNumOfEWMATruncateSize-1:]
2021-05-08 16:56:44 +00:00
}
ema := (1-multiplier)*inc.Last(0) + multiplier*value
2021-05-08 16:56:44 +00:00
inc.Values.Push(ema)
}
func (inc *EWMA) Last(i int) float64 {
return inc.Values.Last(i)
}
func (inc *EWMA) Index(i int) float64 {
return inc.Last(i)
}
func (inc *EWMA) Length() int {
return len(inc.Values)
}
2022-07-20 17:04:49 +00:00
func (inc *EWMA) PushK(k types.KLine) {
if inc.EndTime != zeroTime && k.EndTime.Before(inc.EndTime) {
return
}
inc.Update(k.Close.Float64())
inc.EndTime = k.EndTime.Time()
inc.EmitUpdate(inc.Last(0))
2022-07-20 17:04:49 +00:00
}
2023-07-10 08:54:22 +00:00
func CalculateKLinesEMA(allKLines []types.KLine, priceF types.KLineValueMapper, window int) float64 {
2020-12-05 05:04:32 +00:00
var multiplier = 2.0 / (float64(window) + 1)
2023-07-10 08:54:22 +00:00
return ewma(types.MapKLinePrice(allKLines, priceF), multiplier)
2020-12-04 11:40:05 +00:00
}
// see https://www.investopedia.com/ask/answers/122314/what-exponential-moving-average-ema-formula-and-how-ema-calculated.asp
2020-12-05 05:04:32 +00:00
func ewma(prices []float64, multiplier float64) float64 {
var end = len(prices) - 1
2020-12-04 11:40:05 +00:00
if end == 0 {
2020-12-05 05:04:32 +00:00
return prices[0]
}
return prices[end]*multiplier + (1-multiplier)*ewma(prices[:end], multiplier)
}