bbgo_origin/pkg/strategy/liquiditymaker/strategy.go

610 lines
18 KiB
Go
Raw Normal View History

2023-11-02 03:59:47 +00:00
package liquiditymaker
import (
"context"
"fmt"
"sync"
"time"
2023-11-02 03:59:47 +00:00
"github.com/prometheus/client_golang/prometheus"
2023-11-02 03:59:47 +00:00
log "github.com/sirupsen/logrus"
"github.com/c9s/bbgo/pkg/bbgo"
"github.com/c9s/bbgo/pkg/dbg"
2023-11-02 03:59:47 +00:00
"github.com/c9s/bbgo/pkg/fixedpoint"
2024-10-25 04:28:43 +00:00
indicatorv2 "github.com/c9s/bbgo/pkg/indicator/v2"
2023-11-02 03:59:47 +00:00
"github.com/c9s/bbgo/pkg/strategy/common"
"github.com/c9s/bbgo/pkg/types"
2024-04-17 07:27:46 +00:00
"github.com/c9s/bbgo/pkg/util"
2024-05-11 14:47:29 +00:00
"github.com/c9s/bbgo/pkg/util/tradingutil"
2023-11-02 03:59:47 +00:00
)
const ID = "liquiditymaker"
2024-10-25 04:15:18 +00:00
const IDAlias = "liqmaker"
2023-11-02 03:59:47 +00:00
func init() {
bbgo.RegisterStrategy(ID, &Strategy{})
2024-10-25 04:15:18 +00:00
bbgo.RegisterStrategy(IDAlias, &Strategy{})
2023-11-02 03:59:47 +00:00
}
// Strategy is the strategy struct of LiquidityMaker
// liquidity maker does not care about the current price, it tries to place liquidity orders (limit maker orders)
// around the current mid price
// liquidity maker's target:
// - place enough total liquidity amount on the order book, for example, 20k USDT value liquidity on both sell and buy
// - ensure the spread by placing the orders from the mid price (or the last trade price)
type Strategy struct {
*common.Strategy
2023-11-02 03:59:47 +00:00
Environment *bbgo.Environment
Market types.Market
Symbol string `json:"symbol"`
LiquidityUpdateInterval types.Interval `json:"liquidityUpdateInterval"`
2024-04-22 06:42:52 +00:00
AdjustmentUpdateInterval types.Interval `json:"adjustmentUpdateInterval"`
2024-10-25 04:20:59 +00:00
AdjustmentOrderMaxQuantity fixedpoint.Value `json:"adjustmentOrderMaxQuantity"`
AdjustmentOrderPriceType types.PriceType `json:"adjustmentOrderPriceType"`
2023-11-02 03:59:47 +00:00
2023-11-08 09:54:01 +00:00
NumOfLiquidityLayers int `json:"numOfLiquidityLayers"`
LiquiditySlideRule *bbgo.SlideRule `json:"liquidityScale"`
LiquidityPriceRange fixedpoint.Value `json:"liquidityPriceRange"`
AskLiquidityAmount fixedpoint.Value `json:"askLiquidityAmount"`
BidLiquidityAmount fixedpoint.Value `json:"bidLiquidityAmount"`
2023-11-02 03:59:47 +00:00
2024-10-25 04:03:13 +00:00
StopBidPrice fixedpoint.Value `json:"stopBidPrice"`
StopAskPrice fixedpoint.Value `json:"stopAskPrice"`
2024-10-25 04:28:43 +00:00
StopEMA *struct {
Enabled bool `json:"enabled"`
types.IntervalWindow
} `json:"stopEMA"`
stopEMA *indicatorv2.EWMAStream
2024-05-11 15:00:37 +00:00
UseProtectedPriceRange bool `json:"useProtectedPriceRange"`
2023-11-08 09:54:01 +00:00
UseLastTradePrice bool `json:"useLastTradePrice"`
Spread fixedpoint.Value `json:"spread"`
MaxPrice fixedpoint.Value `json:"maxPrice"`
MinPrice fixedpoint.Value `json:"minPrice"`
2023-11-02 03:59:47 +00:00
2024-10-25 04:03:13 +00:00
MaxPositionExposure fixedpoint.Value `json:"maxPositionExposure"`
2023-11-02 03:59:47 +00:00
MinProfit fixedpoint.Value `json:"minProfit"`
2024-07-08 06:16:40 +00:00
common.ProfitFixerBundle
2024-07-08 06:15:15 +00:00
2023-11-02 03:59:47 +00:00
liquidityOrderBook, adjustmentOrderBook *bbgo.ActiveOrderBook
liquidityScale bbgo.Scale
2023-11-08 09:54:01 +00:00
orderGenerator *LiquidityOrderGenerator
2024-10-25 04:28:43 +00:00
logger log.FieldLogger
metricsLabels prometheus.Labels
2023-11-02 03:59:47 +00:00
}
func (s *Strategy) ID() string {
return ID
}
func (s *Strategy) InstanceID() string {
return fmt.Sprintf("%s:%s", ID, s.Symbol)
}
func (s *Strategy) Subscribe(session *bbgo.ExchangeSession) {
session.Subscribe(types.KLineChannel, s.Symbol, types.SubscribeOptions{Interval: s.AdjustmentUpdateInterval})
session.Subscribe(types.KLineChannel, s.Symbol, types.SubscribeOptions{Interval: s.LiquidityUpdateInterval})
2024-10-28 10:08:34 +00:00
if s.StopEMA != nil && s.StopEMA.Interval != "" {
session.Subscribe(types.KLineChannel, s.Symbol, types.SubscribeOptions{Interval: s.StopEMA.Interval})
}
2023-11-02 03:59:47 +00:00
}
2024-10-25 04:20:59 +00:00
func (s *Strategy) Defaults() error {
if s.AdjustmentOrderPriceType == "" {
s.AdjustmentOrderPriceType = types.PriceTypeMaker
}
if s.LiquidityUpdateInterval == "" {
s.LiquidityUpdateInterval = types.Interval1h
}
if s.AdjustmentUpdateInterval == "" {
s.AdjustmentUpdateInterval = types.Interval5m
}
return nil
}
2024-10-30 06:29:37 +00:00
func (s *Strategy) Initialize() error {
if s.Strategy == nil {
s.Strategy = &common.Strategy{}
}
s.logger = log.WithFields(log.Fields{
"symbol": s.Symbol,
"strategy": ID,
"strategy_id": s.InstanceID(),
})
s.metricsLabels = prometheus.Labels{
"strategy_type": ID,
"strategy_id": s.InstanceID(),
"exchange": "", // FIXME
"symbol": s.Symbol,
}
return nil
}
2024-10-30 06:45:50 +00:00
func (s *Strategy) updateMarketMetrics(ctx context.Context) error {
ticker, err := s.Session.Exchange.QueryTicker(ctx, s.Symbol)
if err != nil {
return err
}
currentSpread := ticker.Sell.Sub(ticker.Buy)
tickerBidMetrics.With(s.metricsLabels).Set(ticker.Buy.Float64())
tickerAskMetrics.With(s.metricsLabels).Set(ticker.Sell.Float64())
spreadMetrics.With(s.metricsLabels).Set(currentSpread.Float64())
return nil
}
func (s *Strategy) liquidityWorker(ctx context.Context, interval types.Interval) {
2024-10-30 06:45:50 +00:00
metricsTicker := time.NewTicker(5 * time.Second)
defer metricsTicker.Stop()
ticker := time.NewTicker(interval.Duration())
defer ticker.Stop()
s.placeLiquidityOrders(ctx)
for {
select {
case <-ctx.Done():
return
2024-10-30 06:45:50 +00:00
case <-metricsTicker.C:
2024-11-04 08:06:17 +00:00
if err := s.updateMarketMetrics(ctx); err != nil {
s.logger.WithError(err).Errorf("unable to update market metrics")
}
2024-10-30 06:45:50 +00:00
case <-ticker.C:
s.placeLiquidityOrders(ctx)
}
}
}
2023-11-02 03:59:47 +00:00
func (s *Strategy) Run(ctx context.Context, _ bbgo.OrderExecutor, session *bbgo.ExchangeSession) error {
2024-07-08 06:16:40 +00:00
if s.ProfitFixerBundle.ProfitFixerConfig != nil {
2024-07-08 06:15:15 +00:00
market, _ := session.Market(s.Symbol)
s.Position = types.NewPositionFromMarket(market)
s.ProfitStats = types.NewProfitStats(market)
2024-07-08 06:16:40 +00:00
if err := s.ProfitFixerBundle.Fix(ctx, s.Symbol, s.Position, s.ProfitStats, session); err != nil {
2024-07-08 06:15:15 +00:00
return err
}
bbgo.Notify("Fixed %s position", s.Symbol, s.Position)
bbgo.Notify("Fixed %s profitStats", s.Symbol, s.ProfitStats)
}
2023-11-02 03:59:47 +00:00
s.Strategy.Initialize(ctx, s.Environment, session, s.Market, ID, s.InstanceID())
2024-10-25 04:28:43 +00:00
if s.StopEMA != nil && s.StopEMA.Enabled {
s.stopEMA = session.Indicators(s.Symbol).EMA(s.StopEMA.IntervalWindow)
}
2024-10-30 06:29:37 +00:00
s.metricsLabels["exchange"] = session.ExchangeName.String()
2023-11-08 09:54:01 +00:00
s.orderGenerator = &LiquidityOrderGenerator{
Symbol: s.Symbol,
Market: s.Market,
logger: s.logger,
2023-11-08 09:54:01 +00:00
}
2023-11-02 03:59:47 +00:00
s.liquidityOrderBook = bbgo.NewActiveOrderBook(s.Symbol)
s.liquidityOrderBook.BindStream(session.UserDataStream)
s.adjustmentOrderBook = bbgo.NewActiveOrderBook(s.Symbol)
s.adjustmentOrderBook.BindStream(session.UserDataStream)
scale, err := s.LiquiditySlideRule.Scale()
if err != nil {
return err
}
if err := scale.Solve(); err != nil {
return err
}
s.liquidityScale = scale
if err := tradingutil.UniversalCancelAllOrders(ctx, session.Exchange, s.Symbol, nil); err != nil {
return err
}
2023-11-02 03:59:47 +00:00
session.MarketDataStream.OnKLineClosed(func(k types.KLine) {
if k.Interval == s.AdjustmentUpdateInterval {
s.placeAdjustmentOrders(ctx)
}
})
2023-11-02 03:59:47 +00:00
if intervalProvider, ok := session.Exchange.(types.CustomIntervalProvider); ok {
if intervalProvider.IsSupportedInterval(s.LiquidityUpdateInterval) {
session.UserDataStream.OnAuth(func() {
s.placeLiquidityOrders(ctx)
})
session.MarketDataStream.OnKLineClosed(func(k types.KLine) {
if k.Interval == s.LiquidityUpdateInterval {
s.placeLiquidityOrders(ctx)
}
})
} else {
session.UserDataStream.OnStart(func() {
go s.liquidityWorker(ctx, s.LiquidityUpdateInterval)
})
2023-11-02 03:59:47 +00:00
}
}
2023-11-02 03:59:47 +00:00
bbgo.OnShutdown(ctx, func(ctx context.Context, wg *sync.WaitGroup) {
defer wg.Done()
if err := s.liquidityOrderBook.GracefulCancel(ctx, s.Session.Exchange); err != nil {
2024-04-17 07:27:46 +00:00
util.LogErr(err, "unable to cancel liquidity orders")
2023-11-02 03:59:47 +00:00
}
if err := s.adjustmentOrderBook.GracefulCancel(ctx, s.Session.Exchange); err != nil {
2024-04-17 07:27:46 +00:00
util.LogErr(err, "unable to cancel adjustment orders")
2023-11-02 03:59:47 +00:00
}
2024-05-11 14:47:29 +00:00
if err := tradingutil.UniversalCancelAllOrders(ctx, s.Session.Exchange, s.Symbol, nil); err != nil {
2024-05-11 14:47:29 +00:00
util.LogErr(err, "unable to cancel all orders")
}
2024-05-14 10:54:24 +00:00
bbgo.Sync(ctx, s)
2023-11-02 03:59:47 +00:00
})
return nil
}
func (s *Strategy) placeAdjustmentOrders(ctx context.Context) {
_ = s.adjustmentOrderBook.GracefulCancel(ctx, s.Session.Exchange)
if s.Position.IsDust() {
return
}
ticker, err := s.Session.Exchange.QueryTicker(ctx, s.Symbol)
2024-04-17 07:27:46 +00:00
if util.LogErr(err, "unable to query ticker") {
2023-11-02 03:59:47 +00:00
return
}
if _, err := s.Session.UpdateAccount(ctx); err != nil {
2024-04-17 07:27:46 +00:00
util.LogErr(err, "unable to update account")
2023-11-02 03:59:47 +00:00
return
}
baseBal, _ := s.Session.Account.Balance(s.Market.BaseCurrency)
quoteBal, _ := s.Session.Account.Balance(s.Market.QuoteCurrency)
var adjOrders []types.SubmitOrder
posSize := s.Position.Base.Abs()
2024-04-22 06:42:52 +00:00
2024-10-25 04:20:59 +00:00
if !s.AdjustmentOrderMaxQuantity.IsZero() {
posSize = fixedpoint.Min(posSize, s.AdjustmentOrderMaxQuantity)
2024-04-22 06:42:52 +00:00
}
2023-11-02 03:59:47 +00:00
tickSize := s.Market.TickSize
if s.Position.IsShort() {
2024-10-25 04:20:59 +00:00
price := s.AdjustmentOrderPriceType.GetPrice(ticker, types.SideTypeBuy)
price = profitProtectedPrice(types.SideTypeBuy, s.Position.AverageCost, price.Add(tickSize.Neg()), s.Session.MakerFeeRate, s.MinProfit)
2023-11-02 03:59:47 +00:00
quoteQuantity := fixedpoint.Min(price.Mul(posSize), quoteBal.Available)
bidQuantity := quoteQuantity.Div(price)
if s.Market.IsDustQuantity(bidQuantity, price) {
return
}
adjOrders = append(adjOrders, types.SubmitOrder{
Symbol: s.Symbol,
Type: types.OrderTypeLimitMaker,
Side: types.SideTypeBuy,
Price: price,
Quantity: bidQuantity,
Market: s.Market,
TimeInForce: types.TimeInForceGTC,
})
} else if s.Position.IsLong() {
2024-10-25 04:20:59 +00:00
price := s.AdjustmentOrderPriceType.GetPrice(ticker, types.SideTypeSell)
price = profitProtectedPrice(types.SideTypeSell, s.Position.AverageCost, price.Add(tickSize), s.Session.MakerFeeRate, s.MinProfit)
2023-11-02 03:59:47 +00:00
askQuantity := fixedpoint.Min(posSize, baseBal.Available)
if s.Market.IsDustQuantity(askQuantity, price) {
return
}
adjOrders = append(adjOrders, types.SubmitOrder{
Symbol: s.Symbol,
Type: types.OrderTypeLimitMaker,
Side: types.SideTypeSell,
Price: price,
Quantity: askQuantity,
Market: s.Market,
TimeInForce: types.TimeInForceGTC,
})
}
createdOrders, err := s.OrderExecutor.SubmitOrders(ctx, adjOrders...)
2024-04-17 07:27:46 +00:00
if util.LogErr(err, "unable to place liquidity orders") {
2023-11-02 03:59:47 +00:00
return
}
s.adjustmentOrderBook.Add(createdOrders...)
}
func (s *Strategy) placeLiquidityOrders(ctx context.Context) {
2023-11-08 09:54:01 +00:00
err := s.liquidityOrderBook.GracefulCancel(ctx, s.Session.Exchange)
2024-04-17 07:27:46 +00:00
if util.LogErr(err, "unable to cancel orders") {
2023-11-08 09:54:01 +00:00
return
}
2023-11-02 03:59:47 +00:00
ticker, err := s.Session.Exchange.QueryTicker(ctx, s.Symbol)
2024-04-17 07:27:46 +00:00
if util.LogErr(err, "unable to query ticker") {
2023-11-02 03:59:47 +00:00
return
}
if s.IsHalted(ticker.Time) {
2024-10-25 04:28:43 +00:00
s.logger.Warn("circuitBreakRiskControl: trading halted")
2023-11-02 03:59:47 +00:00
return
}
2023-11-08 09:54:01 +00:00
if _, err := s.Session.UpdateAccount(ctx); err != nil {
2024-04-17 07:27:46 +00:00
util.LogErr(err, "unable to update account")
2023-11-02 03:59:47 +00:00
return
}
2023-11-08 09:54:01 +00:00
baseBal, _ := s.Session.Account.Balance(s.Market.BaseCurrency)
quoteBal, _ := s.Session.Account.Balance(s.Market.QuoteCurrency)
2023-11-02 03:59:47 +00:00
if ticker.Buy.IsZero() && ticker.Sell.IsZero() {
ticker.Sell = ticker.Last.Add(s.Market.TickSize)
ticker.Buy = ticker.Last.Sub(s.Market.TickSize)
} else if ticker.Buy.IsZero() {
ticker.Buy = ticker.Sell.Sub(s.Market.TickSize)
} else if ticker.Sell.IsZero() {
ticker.Sell = ticker.Buy.Add(s.Market.TickSize)
}
2024-10-25 04:28:43 +00:00
s.logger.Infof("ticker: %+v", ticker)
2023-11-02 03:59:47 +00:00
2024-10-30 06:29:37 +00:00
lastTradedPrice := ticker.GetValidPrice()
2023-11-02 03:59:47 +00:00
midPrice := ticker.Sell.Add(ticker.Buy).Div(fixedpoint.Two)
currentSpread := ticker.Sell.Sub(ticker.Buy)
sideSpread := s.Spread.Div(fixedpoint.Two)
2024-10-30 06:29:37 +00:00
if !lastTradedPrice.IsZero() && (s.UseLastTradePrice || midPrice.IsZero()) {
2023-11-08 09:54:01 +00:00
midPrice = lastTradedPrice
}
2024-10-25 04:28:43 +00:00
s.logger.Infof("current spread: %f lastTradedPrice: %f midPrice: %f", currentSpread.Float64(), lastTradedPrice.Float64(), midPrice.Float64())
2023-11-02 03:59:47 +00:00
ask1Price := midPrice.Mul(fixedpoint.One.Add(sideSpread))
bid1Price := midPrice.Mul(fixedpoint.One.Sub(sideSpread))
askLastPrice := midPrice.Mul(fixedpoint.One.Add(s.LiquidityPriceRange))
bidLastPrice := midPrice.Mul(fixedpoint.One.Sub(s.LiquidityPriceRange))
2024-10-25 04:28:43 +00:00
s.logger.Infof("wanted side spread: %f askRange: %f ~ %f bidRange: %f ~ %f",
2023-11-08 09:54:01 +00:00
sideSpread.Float64(),
2023-11-02 03:59:47 +00:00
ask1Price.Float64(), askLastPrice.Float64(),
bid1Price.Float64(), bidLastPrice.Float64())
2024-10-30 06:29:37 +00:00
midPriceMetrics.With(s.metricsLabels).Set(midPrice.Float64())
2024-10-25 04:03:13 +00:00
placeBid := true
placeAsk := true
if s.StopBidPrice.Sign() > 0 && midPrice.Compare(s.StopBidPrice) > 0 {
2024-10-25 04:28:43 +00:00
s.logger.Infof("mid price %f > stop bid price %f, turning off bid orders", midPrice.Float64(), s.StopBidPrice.Float64())
2024-10-25 04:03:13 +00:00
placeBid = false
}
if s.StopAskPrice.Sign() > 0 && midPrice.Compare(s.StopAskPrice) < 0 {
2024-10-25 04:28:43 +00:00
s.logger.Infof("mid price %f < stop ask price %f, turning off ask orders", midPrice.Float64(), s.StopAskPrice.Float64())
2024-10-25 04:03:13 +00:00
placeAsk = false
}
2024-10-25 04:28:43 +00:00
if s.stopEMA != nil {
emaPrice := fixedpoint.NewFromFloat(s.stopEMA.Last(0))
if midPrice.Compare(emaPrice) > 0 {
2024-10-28 09:31:21 +00:00
s.logger.Infof("mid price %f > stop ema price %f, turning off bid orders", midPrice.Float64(), emaPrice.Float64())
2024-10-25 04:28:43 +00:00
placeBid = false
}
if midPrice.Compare(emaPrice) < 0 {
s.logger.Infof("mid price %f < stop ema price %f, turning off ask orders", midPrice.Float64(), emaPrice.Float64())
placeAsk = false
}
}
2023-11-02 03:59:47 +00:00
availableBase := baseBal.Available
availableQuote := quoteBal.Available
2024-10-25 04:28:43 +00:00
s.logger.Infof("balances before liq orders: %s, %s",
2023-11-02 03:59:47 +00:00
baseBal.String(),
quoteBal.String())
if !s.Position.IsDust() {
2024-10-25 04:03:13 +00:00
positionBase := s.Position.GetBase()
2023-11-02 03:59:47 +00:00
if s.Position.IsLong() {
2024-10-25 04:03:13 +00:00
availableBase = availableBase.Sub(positionBase)
2023-11-02 03:59:47 +00:00
availableBase = s.Market.RoundDownQuantityByPrecision(availableBase)
2024-05-11 15:00:37 +00:00
if s.UseProtectedPriceRange {
ask1Price = profitProtectedPrice(types.SideTypeSell, s.Position.AverageCost, ask1Price, s.Session.MakerFeeRate, s.MinProfit)
}
2023-11-02 03:59:47 +00:00
} else if s.Position.IsShort() {
2024-10-25 04:03:13 +00:00
posSizeInQuote := positionBase.Mul(ticker.Sell)
2023-11-02 03:59:47 +00:00
availableQuote = availableQuote.Sub(posSizeInQuote)
2024-05-11 15:00:37 +00:00
if s.UseProtectedPriceRange {
bid1Price = profitProtectedPrice(types.SideTypeBuy, s.Position.AverageCost, bid1Price, s.Session.MakerFeeRate, s.MinProfit)
}
2023-11-02 03:59:47 +00:00
}
2024-10-25 04:03:13 +00:00
if s.MaxPositionExposure.Sign() > 0 {
if positionBase.Abs().Compare(s.MaxPositionExposure) > 0 {
if s.Position.IsLong() {
s.logger.Infof("long position size %f exceeded max position exposure %f, turnning off bid orders",
positionBase.Float64(), s.MaxPositionExposure.Float64())
2024-10-25 04:03:13 +00:00
placeBid = false
}
if s.Position.IsShort() {
s.logger.Infof("short position size %f exceeded max position exposure %f, turnning off ask orders",
positionBase.Float64(), s.MaxPositionExposure.Float64())
2024-10-25 04:03:13 +00:00
placeAsk = false
}
}
}
2023-11-02 03:59:47 +00:00
}
2024-10-28 09:31:21 +00:00
s.logger.Infof("place bid: %v, place ask: %v", placeBid, placeAsk)
2024-10-28 09:32:35 +00:00
s.logger.Infof("bid liquidity amount %f, ask liquidity amount %f", s.BidLiquidityAmount.Float64(), s.AskLiquidityAmount.Float64())
var bidExposureInUsd = fixedpoint.Zero
var askExposureInUsd = fixedpoint.Zero
2024-10-25 04:03:13 +00:00
var orderForms []types.SubmitOrder
2023-11-02 03:59:47 +00:00
2024-10-30 06:29:37 +00:00
orderPlacementStatusMetrics.With(extendLabels(s.metricsLabels, prometheus.Labels{
"side": "bid",
})).Set(bool2float(placeBid))
orderPlacementStatusMetrics.With(extendLabels(s.metricsLabels, prometheus.Labels{
"side": "ask",
})).Set(bool2float(placeAsk))
2023-11-02 03:59:47 +00:00
2024-10-25 04:03:13 +00:00
if placeAsk {
askOrders := s.orderGenerator.Generate(types.SideTypeSell,
s.AskLiquidityAmount,
ask1Price,
askLastPrice,
s.NumOfLiquidityLayers,
s.liquidityScale)
2024-10-25 04:03:13 +00:00
askOrders = filterAskOrders(askOrders, baseBal.Available)
2024-10-30 06:29:37 +00:00
if len(askOrders) > 0 {
askLiquidityPriceLowMetrics.With(s.metricsLabels).Set(askOrders[0].Price.Float64())
askLiquidityPriceHighMetrics.With(s.metricsLabels).Set(askOrders[len(askOrders)-1].Price.Float64())
}
askExposureInUsd = sumOrderQuoteQuantity(askOrders)
2024-10-25 04:03:13 +00:00
orderForms = append(orderForms, askOrders...)
}
2023-11-02 03:59:47 +00:00
2024-10-30 06:29:37 +00:00
bidLiquidityAmountMetrics.With(s.metricsLabels).Set(s.BidLiquidityAmount.Float64())
askLiquidityAmountMetrics.With(s.metricsLabels).Set(s.AskLiquidityAmount.Float64())
liquidityPriceRangeMetrics.With(s.metricsLabels).Set(s.LiquidityPriceRange.Float64())
if placeBid {
bidOrders := s.orderGenerator.Generate(types.SideTypeBuy,
fixedpoint.Min(s.BidLiquidityAmount, quoteBal.Available),
bid1Price,
bidLastPrice,
s.NumOfLiquidityLayers,
s.liquidityScale)
bidExposureInUsd = sumOrderQuoteQuantity(bidOrders)
if len(bidOrders) > 0 {
bidLiquidityPriceHighMetrics.With(s.metricsLabels).Set(bidOrders[0].Price.Float64())
bidLiquidityPriceLowMetrics.With(s.metricsLabels).Set(bidOrders[len(bidOrders)-1].Price.Float64())
}
orderForms = append(orderForms, bidOrders...)
}
dbg.DebugSubmitOrders(s.logger, orderForms)
2023-11-08 09:54:01 +00:00
createdOrders, err := s.OrderExecutor.SubmitOrders(ctx, orderForms...)
2024-04-17 07:27:46 +00:00
if util.LogErr(err, "unable to place liquidity orders") {
2023-11-02 03:59:47 +00:00
return
}
s.liquidityOrderBook.Add(createdOrders...)
2024-10-25 04:28:43 +00:00
openOrderBidExposureInUsdMetrics.With(s.metricsLabels).Set(bidExposureInUsd.Float64())
openOrderAskExposureInUsdMetrics.With(s.metricsLabels).Set(askExposureInUsd.Float64())
2024-10-25 04:28:43 +00:00
s.logger.Infof("%d liq orders are placed successfully", len(orderForms))
2023-11-08 09:54:01 +00:00
for _, o := range createdOrders {
2024-10-25 04:28:43 +00:00
s.logger.Infof("liq order: %+v", o)
2023-11-08 09:54:01 +00:00
}
2023-11-02 03:59:47 +00:00
}
func profitProtectedPrice(
side types.SideType, averageCost, price, feeRate, minProfit fixedpoint.Value,
) fixedpoint.Value {
switch side {
case types.SideTypeSell:
minProfitPrice := averageCost.Add(
averageCost.Mul(feeRate.Add(minProfit)))
return fixedpoint.Max(minProfitPrice, price)
case types.SideTypeBuy:
minProfitPrice := averageCost.Sub(
averageCost.Mul(feeRate.Add(minProfit)))
return fixedpoint.Min(minProfitPrice, price)
}
return price
}
func sumOrderQuoteQuantity(orders []types.SubmitOrder) fixedpoint.Value {
sum := fixedpoint.Zero
for _, order := range orders {
sum = sum.Add(order.Price.Mul(order.Quantity))
}
return sum
}
func filterAskOrders(askOrders []types.SubmitOrder, available fixedpoint.Value) (out []types.SubmitOrder) {
usedBase := fixedpoint.Zero
for _, askOrder := range askOrders {
if usedBase.Add(askOrder.Quantity).Compare(available) > 0 {
return out
}
usedBase = usedBase.Add(askOrder.Quantity)
out = append(out, askOrder)
}
return out
}
2024-10-30 06:29:37 +00:00
func extendLabels(a, o prometheus.Labels) prometheus.Labels {
for k, v := range a {
if _, exists := o[k]; !exists {
o[k] = v
}
}
return o
}
func bool2float(b bool) float64 {
if b {
return 1.0
} else {
return -1.0
}
}