bbgo_origin/pkg/bbgo/trader.go

307 lines
8.9 KiB
Go
Raw Normal View History

2020-07-10 13:34:39 +00:00
package bbgo
import (
"context"
2020-12-07 03:43:17 +00:00
"fmt"
"reflect"
2020-11-12 06:50:08 +00:00
"sync"
2020-07-13 04:57:18 +00:00
log "github.com/sirupsen/logrus"
2020-10-11 08:46:15 +00:00
"github.com/c9s/bbgo/pkg/types"
_ "github.com/go-sql-driver/mysql"
2020-07-10 13:34:39 +00:00
)
2020-10-16 02:09:30 +00:00
var SupportedExchanges = []types.ExchangeName{"binance", "max"}
// SingleExchangeStrategy represents the single Exchange strategy
type SingleExchangeStrategy interface {
Run(ctx context.Context, orderExecutor OrderExecutor, session *ExchangeSession) error
2020-07-14 06:54:23 +00:00
}
type ExchangeSessionSubscriber interface {
Subscribe(session *ExchangeSession)
}
type CrossExchangeSessionSubscriber interface {
CrossSubscribe(sessions map[string]*ExchangeSession)
}
type CrossExchangeStrategy interface {
CrossRun(ctx context.Context, orderExecutionRouter OrderExecutionRouter, sessions map[string]*ExchangeSession) error
}
2020-11-12 06:50:08 +00:00
//go:generate callbackgen -type Graceful
type Graceful struct {
shutdownCallbacks []func(ctx context.Context, wg *sync.WaitGroup)
}
func (g *Graceful) Shutdown(ctx context.Context) {
var wg sync.WaitGroup
2020-11-12 06:59:47 +00:00
wg.Add(len(g.shutdownCallbacks))
go g.EmitShutdown(ctx, &wg)
2020-11-12 06:50:08 +00:00
wg.Wait()
}
2020-11-09 08:34:35 +00:00
type Logging interface {
EnableLogging()
DisableLogging()
}
type Logger interface {
Warnf(message string, args ...interface{})
Errorf(message string, args ...interface{})
Infof(message string, args ...interface{})
}
type SilentLogger struct{}
func (logger *SilentLogger) Infof(message string, args ...interface{}) {}
func (logger *SilentLogger) Warnf(message string, args ...interface{}) {}
func (logger *SilentLogger) Errorf(message string, args ...interface{}) {}
type Trader struct {
environment *Environment
2020-09-28 07:01:10 +00:00
riskControls *RiskControls
crossExchangeStrategies []CrossExchangeStrategy
exchangeStrategies map[string][]SingleExchangeStrategy
2020-11-09 08:34:35 +00:00
logger Logger
2020-11-12 06:50:08 +00:00
Graceful Graceful
2020-07-13 05:25:48 +00:00
}
func NewTrader(environ *Environment) *Trader {
2020-09-07 06:20:03 +00:00
return &Trader{
environment: environ,
exchangeStrategies: make(map[string][]SingleExchangeStrategy),
2020-11-09 08:34:35 +00:00
logger: log.StandardLogger(),
2020-09-07 06:20:03 +00:00
}
}
2020-11-09 08:34:35 +00:00
func (trader *Trader) EnableLogging() {
trader.logger = log.StandardLogger()
}
func (trader *Trader) DisableLogging() {
trader.logger = &SilentLogger{}
}
// AttachStrategyOn attaches the single exchange strategy on an exchange Session.
// Single exchange strategy is the default behavior.
func (trader *Trader) AttachStrategyOn(session string, strategies ...SingleExchangeStrategy) *Trader {
if _, ok := trader.environment.sessions[session]; !ok {
2021-01-09 11:40:31 +00:00
log.Panicf("session %s is not defined", session)
}
2020-09-19 03:25:48 +00:00
for _, s := range strategies {
trader.exchangeStrategies[session] = append(trader.exchangeStrategies[session], s)
}
2020-10-16 05:52:18 +00:00
return trader
}
2020-09-28 07:01:10 +00:00
// AttachCrossExchangeStrategy attaches the cross exchange strategy
2020-10-16 05:52:18 +00:00
func (trader *Trader) AttachCrossExchangeStrategy(strategy CrossExchangeStrategy) *Trader {
trader.crossExchangeStrategies = append(trader.crossExchangeStrategies, strategy)
2020-10-16 05:52:18 +00:00
return trader
}
2020-09-28 07:01:10 +00:00
// TODO: provide a more DSL way to configure risk controls
func (trader *Trader) SetRiskControls(riskControls *RiskControls) {
trader.riskControls = riskControls
}
func (trader *Trader) Run(ctx context.Context) error {
// pre-subscribe the data
for sessionName, strategies := range trader.exchangeStrategies {
session := trader.environment.sessions[sessionName]
for _, strategy := range strategies {
if subscriber, ok := strategy.(ExchangeSessionSubscriber); ok {
subscriber.Subscribe(session)
}
}
}
for _, strategy := range trader.crossExchangeStrategies {
if subscriber, ok := strategy.(CrossExchangeSessionSubscriber); ok {
subscriber.CrossSubscribe(trader.environment.sessions)
}
}
if err := trader.environment.Init(ctx); err != nil {
return err
}
// load and run Session strategies
for sessionName, strategies := range trader.exchangeStrategies {
var session = trader.environment.sessions[sessionName]
var baseOrderExecutor = &ExchangeOrderExecutor{
2020-10-30 21:21:17 +00:00
// copy the environment notification system so that we can route
Notifiability: trader.environment.Notifiability,
Session: session,
}
// forward trade updates and order updates to the order executor
session.Stream.OnTradeUpdate(baseOrderExecutor.EmitTradeUpdate)
session.Stream.OnOrderUpdate(baseOrderExecutor.EmitOrderUpdate)
// default to base order executor
var orderExecutor OrderExecutor = baseOrderExecutor
// Since the risk controls are loaded from the config file
if riskControls := trader.riskControls; riskControls != nil {
if trader.riskControls.SessionBasedRiskControl != nil {
control, ok := trader.riskControls.SessionBasedRiskControl[sessionName]
if ok {
control.SetBaseOrderExecutor(baseOrderExecutor)
// pick the order executor
if control.OrderExecutor != nil {
orderExecutor = control.OrderExecutor
}
}
}
}
for _, strategy := range strategies {
rs := reflect.ValueOf(strategy)
if rs.Elem().Kind() == reflect.Struct {
2020-10-27 11:33:11 +00:00
// get the struct element
rs = rs.Elem()
2020-10-27 11:33:11 +00:00
2020-11-12 06:59:47 +00:00
if err := injectField(rs, "Graceful", &trader.Graceful, true); err != nil {
2020-11-12 06:50:08 +00:00
log.WithError(err).Errorf("strategy Graceful injection failed")
2020-12-07 03:43:17 +00:00
return err
2020-11-12 06:50:08 +00:00
}
2020-11-09 08:47:29 +00:00
if err := injectField(rs, "Logger", &trader.logger, false); err != nil {
log.WithError(err).Errorf("strategy Logger injection failed")
2020-12-07 03:43:17 +00:00
return err
2020-11-09 08:47:29 +00:00
}
2020-10-30 21:21:17 +00:00
if err := injectField(rs, "Notifiability", &trader.environment.Notifiability, false); err != nil {
log.WithError(err).Errorf("strategy Notifiability injection failed")
2020-12-07 03:43:17 +00:00
return err
}
if err := injectField(rs, "OrderExecutor", orderExecutor, false); err != nil {
log.WithError(err).Errorf("strategy OrderExecutor injection failed")
2020-12-07 03:43:17 +00:00
return err
}
if symbol, ok := isSymbolBasedStrategy(rs); ok {
log.Infof("found symbol based strategy from %s", rs.Type())
2020-12-07 03:43:17 +00:00
if _, ok := hasField(rs, "Market"); ok {
if market, ok := session.Market(symbol); ok {
// let's make the market object passed by pointer
if err := injectField(rs, "Market", &market, false); err != nil {
log.WithError(err).Errorf("strategy %T Market injection failed", strategy)
2020-12-07 03:43:17 +00:00
return err
}
}
}
// StandardIndicatorSet
2020-12-07 03:43:17 +00:00
if _, ok := hasField(rs, "StandardIndicatorSet"); ok {
if indicatorSet, ok := session.StandardIndicatorSet(symbol); ok {
if err := injectField(rs, "StandardIndicatorSet", indicatorSet, true); err != nil {
log.WithError(err).Errorf("strategy %T StandardIndicatorSet injection failed", strategy)
2020-12-07 03:43:17 +00:00
return err
}
}
}
2020-12-07 03:43:17 +00:00
if _, ok := hasField(rs, "MarketDataStore"); ok {
if store, ok := session.MarketDataStore(symbol); ok {
if err := injectField(rs, "MarketDataStore", store, true); err != nil {
log.WithError(err).Errorf("strategy %T MarketDataStore injection failed", strategy)
2020-12-07 03:43:17 +00:00
return err
}
}
}
}
}
err := strategy.Run(ctx, orderExecutor, session)
2020-09-28 07:01:10 +00:00
if err != nil {
return err
}
}
}
2020-09-28 07:01:10 +00:00
router := &ExchangeOrderExecutionRouter{
2020-10-30 21:21:17 +00:00
Notifiability: trader.environment.Notifiability,
2020-10-16 02:09:30 +00:00
sessions: trader.environment.sessions,
}
for _, strategy := range trader.crossExchangeStrategies {
rs := reflect.ValueOf(strategy)
if rs.Elem().Kind() == reflect.Struct {
// get the struct element
rs = rs.Elem()
2020-12-07 03:43:17 +00:00
if field, ok := hasField(rs, "Persistence"); ok {
2021-01-09 11:44:45 +00:00
if trader.environment.PersistenceServiceFacade == nil {
log.Warnf("strategy has Persistence field but persistence service is not defined")
2020-12-07 04:03:56 +00:00
} else {
2021-01-09 11:44:45 +00:00
log.Infof("found Persistence field, injecting...")
if field.IsNil() {
field.Set(reflect.ValueOf(&Persistence{
PersistenceSelector: &PersistenceSelector{
StoreID: "default",
Type: "memory",
},
Facade: trader.environment.PersistenceServiceFacade,
}))
} else {
elem := field.Elem()
if elem.Kind() != reflect.Struct {
return fmt.Errorf("the field Persistence is not a struct element")
}
2020-12-07 03:43:17 +00:00
2021-01-09 11:44:45 +00:00
if err := injectField(elem, "Facade", trader.environment.PersistenceServiceFacade, true); err != nil {
log.WithError(err).Errorf("strategy Persistence injection failed")
return err
}
2020-12-07 04:03:56 +00:00
}
2020-12-07 03:43:17 +00:00
}
}
if err := injectField(rs, "Graceful", &trader.Graceful, true); err != nil {
log.WithError(err).Errorf("strategy Graceful injection failed")
2020-12-07 03:43:17 +00:00
return err
}
if err := injectField(rs, "Logger", &trader.logger, false); err != nil {
log.WithError(err).Errorf("strategy Logger injection failed")
2020-12-07 03:43:17 +00:00
return err
}
if err := injectField(rs, "Notifiability", &trader.environment.Notifiability, false); err != nil {
log.WithError(err).Errorf("strategy Notifiability injection failed")
2020-12-07 03:43:17 +00:00
return err
}
2020-08-04 11:05:20 +00:00
}
2020-07-13 05:25:48 +00:00
if err := strategy.CrossRun(ctx, router, trader.environment.sessions); err != nil {
return err
2020-07-13 05:25:48 +00:00
}
}
2020-07-13 05:25:48 +00:00
return trader.environment.Connect(ctx)
2020-07-10 13:34:39 +00:00
}
2020-10-26 08:44:05 +00:00
// ReportPnL configure and set the PnLReporter with the given notifier
func (trader *Trader) ReportPnL() *PnLReporterManager {
2020-10-30 21:21:17 +00:00
return NewPnLReporter(&trader.environment.Notifiability)
2020-10-22 07:57:50 +00:00
}