bbgo_origin/pkg/indicator/hull.go

71 lines
2.1 KiB
Go
Raw Normal View History

2022-04-19 10:22:22 +00:00
package indicator
import (
"math"
"github.com/c9s/bbgo/pkg/types"
)
// Refer: Hull Moving Average
// Refer URL: https://fidelity.com/learning-center/trading-investing/technical-analysis/technical-indicator-guide/hull-moving-average
//
// The Hull Moving Average (HMA) is a technical analysis indicator that uses a weighted moving average to reduce the lag in simple moving averages.
// It was developed by Alan Hull, who sought to create a moving average that was both fast and smooth. The HMA is calculated by first taking
// the weighted moving average of the input data using a weighting factor of W, where W is the square root of the length of the moving average.
// The result is then double-smoothed by taking the weighted moving average of this result using a weighting factor of W/2. This final average
// forms the HMA line, which can be used to make predictions about future price movements.
2022-04-19 10:22:22 +00:00
//go:generate callbackgen -type HULL
type HULL struct {
types.SeriesBase
2022-04-19 10:22:22 +00:00
types.IntervalWindow
ma1 *EWMA
ma2 *EWMA
2022-04-19 10:22:22 +00:00
result *EWMA
2022-07-13 17:16:39 +00:00
updateCallbacks []func(value float64)
2022-04-19 10:22:22 +00:00
}
2022-07-26 10:26:52 +00:00
var _ types.SeriesExtend = &HULL{}
2022-04-19 10:22:22 +00:00
func (inc *HULL) Update(value float64) {
if inc.result == nil {
inc.SeriesBase.Series = inc
2022-08-24 10:17:37 +00:00
inc.ma1 = &EWMA{IntervalWindow: types.IntervalWindow{Interval: inc.Interval, Window: inc.Window / 2}}
inc.ma2 = &EWMA{IntervalWindow: inc.IntervalWindow}
inc.result = &EWMA{IntervalWindow: types.IntervalWindow{Interval: inc.Interval, Window: int(math.Sqrt(float64(inc.Window)))}}
2022-04-19 10:22:22 +00:00
}
inc.ma1.Update(value)
inc.ma2.Update(value)
inc.result.Update(2*inc.ma1.Last() - inc.ma2.Last())
2022-04-19 10:22:22 +00:00
}
func (inc *HULL) Last() float64 {
if inc.result == nil {
return 0
}
2022-04-19 10:22:22 +00:00
return inc.result.Last()
}
func (inc *HULL) Index(i int) float64 {
if inc.result == nil {
return 0
}
2022-04-19 10:22:22 +00:00
return inc.result.Index(i)
}
func (inc *HULL) Length() int {
if inc.result == nil {
return 0
}
2022-04-19 10:22:22 +00:00
return inc.result.Length()
}
2022-07-26 10:26:52 +00:00
func (inc *HULL) PushK(k types.KLine) {
if inc.ma1 != nil && inc.ma1.Length() > 0 && k.EndTime.Before(inc.ma1.EndTime) {
return
}
2022-04-19 10:22:22 +00:00
2022-07-26 10:26:52 +00:00
inc.Update(k.Close.Float64())
inc.EmitUpdate(inc.Last())
2022-04-19 10:22:22 +00:00
}