bbgo_origin/pkg/bbgo/twap_order_executor.go

314 lines
7.6 KiB
Go
Raw Normal View History

2021-05-14 03:53:07 +00:00
package bbgo
import (
"context"
"fmt"
"sync"
"time"
"github.com/c9s/bbgo/pkg/fixedpoint"
"github.com/c9s/bbgo/pkg/types"
"github.com/pkg/errors"
log "github.com/sirupsen/logrus"
"golang.org/x/time/rate"
)
const OrderExecutionReady = 1
type TwapExecution struct {
Session *ExchangeSession
Symbol string
Side types.SideType
TargetQuantity fixedpoint.Value
SliceQuantity fixedpoint.Value
market types.Market
marketDataStream types.Stream
userDataStream types.Stream
2021-05-14 04:23:07 +00:00
orderBook *types.StreamOrderBook
currentPrice fixedpoint.Value
activePosition fixedpoint.Value
2021-05-14 03:53:07 +00:00
activeMakerOrders *LocalActiveOrderBook
orderStore *OrderStore
position *Position
state int
mu sync.Mutex
}
func (e *TwapExecution) connectMarketData(ctx context.Context) {
log.Infof("connecting market data stream...")
if err := e.marketDataStream.Connect(ctx); err != nil {
log.WithError(err).Errorf("market data stream connect error")
}
}
func (e *TwapExecution) connectUserData(ctx context.Context) {
log.Infof("connecting user data stream...")
if err := e.userDataStream.Connect(ctx); err != nil {
log.WithError(err).Errorf("user data stream connect error")
}
}
func (e *TwapExecution) getSideBook() (pvs types.PriceVolumeSlice, err error) {
book := e.orderBook.Get()
switch e.Side {
case types.SideTypeSell:
pvs = book.Asks
case types.SideTypeBuy:
pvs = book.Bids
default:
err = fmt.Errorf("invalid side type: %+v", e.Side)
}
return pvs, err
}
func (e *TwapExecution) newBestPriceMakerOrder() (orderForm types.SubmitOrder, err error) {
book := e.orderBook.Get()
sideBook, err := e.getSideBook()
if err != nil {
return orderForm, err
}
first, ok := sideBook.First()
if !ok {
return orderForm, fmt.Errorf("empty %s %s side book", e.Symbol, e.Side)
}
newPrice := first.Price
spread, ok := book.Spread()
if !ok {
return orderForm, errors.New("can not calculate spread, neither bid price or ask price exists")
}
tickSize := fixedpoint.NewFromFloat(e.market.TickSize)
if spread > tickSize {
2021-05-14 04:23:07 +00:00
log.Infof("spread %f is greater than the tick size %f, adding 1 tick to the price...", spread.Float64(), tickSize.Float64())
2021-05-14 03:53:07 +00:00
switch e.Side {
case types.SideTypeSell:
newPrice -= fixedpoint.NewFromFloat(e.market.TickSize)
case types.SideTypeBuy:
newPrice += fixedpoint.NewFromFloat(e.market.TickSize)
}
}
orderForm = types.SubmitOrder{
// ClientOrderID: "",
Symbol: e.Symbol,
Side: e.Side,
Type: types.OrderTypeLimitMaker,
Quantity: e.SliceQuantity.Float64(),
Price: newPrice.Float64(),
Market: e.market,
TimeInForce: "GTC",
}
return orderForm, err
}
func (e *TwapExecution) updateOrder(ctx context.Context) error {
sideBook, err := e.getSideBook()
if err != nil {
return err
}
first, ok := sideBook.First()
if !ok {
return fmt.Errorf("empty %s %s side book", e.Symbol, e.Side)
}
tickSize := fixedpoint.NewFromFloat(e.market.TickSize)
// check and see if we need to cancel the existing active orders
for e.activeMakerOrders.NumOfOrders() > 0 {
orders := e.activeMakerOrders.Orders()
if len(orders) > 1 {
log.Warnf("there are more than 1 open orders in the strategy...")
}
// get the first order
order := orders[0]
price := fixedpoint.NewFromFloat(order.Price)
quantity := fixedpoint.NewFromFloat(order.Quantity)
// if the first bid price or first ask price is the same to the current active order
// we should skip updating the order
if first.Price == price {
// there are other orders in the same price, it means if we cancel ours, the price is still the best price.
if first.Volume > quantity {
return nil
}
// if there is no gap between the first price entry and the second price entry
second, ok := sideBook.Second()
if !ok {
2021-05-14 04:23:07 +00:00
return fmt.Errorf("there is no secoond price on the %s order book %s, can not update", e.Symbol, e.Side)
2021-05-14 03:53:07 +00:00
}
// if there is no gap
if fixedpoint.Abs(first.Price-second.Price) == tickSize {
2021-05-14 04:23:07 +00:00
log.Infof("there is no gap between the second price %f and the first price %f (tick size = %f), skip updating",
first.Price.Float64(),
second.Price.Float64(),
tickSize.Float64())
2021-05-14 03:53:07 +00:00
return nil
}
}
2021-05-14 04:23:07 +00:00
e.cancelActiveOrders(ctx)
2021-05-14 03:53:07 +00:00
}
orderForm, err := e.newBestPriceMakerOrder()
if err != nil {
return err
}
createdOrders, err := e.Session.OrderExecutor.SubmitOrders(ctx, orderForm)
if err != nil {
return err
}
e.activeMakerOrders.Add(createdOrders...)
e.orderStore.Add(createdOrders...)
return nil
}
2021-05-14 04:23:07 +00:00
func (e *TwapExecution) cancelActiveOrders(ctx context.Context) {
didCancel := false
for e.activeMakerOrders.NumOfOrders() > 0 {
didCancel = true
log.Infof("canceling open orders...")
orders := e.activeMakerOrders.Orders()
if err := e.Session.Exchange.CancelOrders(ctx, orders...); err != nil {
log.WithError(err).Errorf("can not cancel %s orders", e.Symbol)
}
time.Sleep(3 * time.Second)
}
if didCancel {
log.Infof("orders are canceled successfully")
}
}
2021-05-14 03:53:07 +00:00
func (e *TwapExecution) orderUpdater(ctx context.Context) {
rateLimiter := rate.NewLimiter(rate.Every(time.Minute), 15)
ticker := time.NewTimer(5 * time.Second)
defer ticker.Stop()
2021-05-14 04:23:07 +00:00
defer func() {
e.cancelActiveOrders(context.Background())
}()
2021-05-14 03:53:07 +00:00
for {
select {
case <-ctx.Done():
return
case <-e.orderBook.C:
if !rateLimiter.Allow() {
break
}
if err := e.updateOrder(ctx); err != nil {
log.WithError(err).Errorf("order update failed")
}
case <-ticker.C:
if !rateLimiter.Allow() {
break
}
if err := e.updateOrder(ctx); err != nil {
log.WithError(err).Errorf("order update failed")
}
}
}
}
2021-05-14 04:23:07 +00:00
func (e *TwapExecution) handleTradeUpdate(trade types.Trade) {
2021-05-14 03:53:07 +00:00
// ignore trades that are not in the symbol we interested
if trade.Symbol != e.Symbol {
return
}
if !e.orderStore.Exists(trade.OrderID) {
return
}
q := fixedpoint.NewFromFloat(trade.Quantity)
_ = q
e.position.AddTrade(trade)
log.Infof("position updated: %+v", e.position)
}
2021-05-14 04:23:07 +00:00
func (e *TwapExecution) handleFilledOrder(order types.Order) {
log.Infof("order is filled: %s", order.String())
}
2021-05-14 03:53:07 +00:00
func (e *TwapExecution) Run(ctx context.Context) error {
var ok bool
e.market, ok = e.Session.Market(e.Symbol)
if !ok {
return fmt.Errorf("market %s not found", e.Symbol)
}
e.marketDataStream = e.Session.Exchange.NewStream()
e.marketDataStream.SetPublicOnly()
e.marketDataStream.Subscribe(types.BookChannel, e.Symbol, types.SubscribeOptions{})
e.orderBook = types.NewStreamBook(e.Symbol)
e.orderBook.BindStream(e.marketDataStream)
go e.connectMarketData(ctx)
e.userDataStream = e.Session.Exchange.NewStream()
2021-05-14 04:23:07 +00:00
e.userDataStream.OnTradeUpdate(e.handleTradeUpdate)
2021-05-14 03:53:07 +00:00
e.position = &Position{
Symbol: e.Symbol,
BaseCurrency: e.market.BaseCurrency,
QuoteCurrency: e.market.QuoteCurrency,
}
e.orderStore = NewOrderStore(e.Symbol)
e.orderStore.BindStream(e.userDataStream)
e.activeMakerOrders = NewLocalActiveOrderBook()
2021-05-14 04:23:07 +00:00
e.activeMakerOrders.OnFilled(e.handleFilledOrder)
2021-05-14 03:53:07 +00:00
e.activeMakerOrders.BindStream(e.userDataStream)
go e.connectUserData(ctx)
go e.orderUpdater(ctx)
return nil
}
type TwapOrderExecutor struct {
Session *ExchangeSession
// Execution parameters
// DelayTime is the order update delay time
DelayTime types.Duration
}
func (e *TwapOrderExecutor) Execute(ctx context.Context, symbol string, side types.SideType, targetQuantity, sliceQuantity fixedpoint.Value) (*TwapExecution, error) {
execution := &TwapExecution{
Session: e.Session,
Symbol: symbol,
Side: side,
TargetQuantity: targetQuantity,
SliceQuantity: sliceQuantity,
}
err := execution.Run(ctx)
return execution, err
}