bbgo_origin/pkg/backtest/exchange.go

409 lines
12 KiB
Go
Raw Normal View History

2021-10-05 14:06:36 +00:00
/*
The backtest process
The backtest engine loads the klines from the database into a kline-channel,
there are multiple matching engine that matches the order sent from the strategy.
for each kline, the backtest engine:
1) load the kline, run matching logics to send out order update and trades to the user data stream.
2) once the matching process for the kline is done, the kline will be pushed to the market data stream.
3) go to 1 and load the next kline.
There are 2 ways that a strategy could work with backtest engine:
1. the strategy receives kline from the market data stream, and then it submits the order by the given market data to the backtest engine.
backtest engine receives the order and then pushes the trade and order updates to the user data stream.
the strategy receives the trade and update its position.
2. the strategy places the orders when it starts. (like grid) the strategy then receives the order updates and then submit a new order
by its order update message.
We need to ensure that:
1. if the strategy submits the order from the market data stream, since it's a separate goroutine, the strategy should block the backtest engine
to process the trades before the next kline is published.
*/
package backtest
import (
"context"
2020-11-09 08:34:35 +00:00
"fmt"
"strconv"
"sync"
"time"
2022-06-15 07:32:04 +00:00
"github.com/sirupsen/logrus"
"github.com/pkg/errors"
"github.com/c9s/bbgo/pkg/cache"
2020-11-06 19:18:05 +00:00
"github.com/c9s/bbgo/pkg/bbgo"
"github.com/c9s/bbgo/pkg/service"
"github.com/c9s/bbgo/pkg/types"
)
2022-06-15 07:32:04 +00:00
var log = logrus.WithField("cmd", "backtest")
var ErrUnimplemented = errors.New("unimplemented method")
2022-10-06 07:08:44 +00:00
var ErrNegativeQuantity = errors.New("order quantity can not be negative")
var ErrZeroQuantity = errors.New("order quantity can not be zero")
type Exchange struct {
sourceName types.ExchangeName
publicExchange types.Exchange
srv *service.BacktestService
currentTime time.Time
2020-11-06 19:18:05 +00:00
account *types.Account
2022-09-01 11:17:41 +00:00
config *bbgo.Backtest
2020-11-07 08:08:20 +00:00
MarketDataStream types.StandardStreamEmitter
2021-12-08 09:26:25 +00:00
trades map[string][]types.Trade
tradesMutex sync.Mutex
2021-12-08 09:26:25 +00:00
closedOrders map[string][]types.Order
closedOrdersMutex sync.Mutex
2021-12-08 09:26:25 +00:00
matchingBooks map[string]*SimplePriceMatching
matchingBooksMutex sync.Mutex
2021-12-08 09:26:25 +00:00
markets types.MarketMap
Src *ExchangeDataSource
}
2022-09-01 11:17:41 +00:00
func NewExchange(sourceName types.ExchangeName, sourceExchange types.Exchange, srv *service.BacktestService, config *bbgo.Backtest) (*Exchange, error) {
ex := sourceExchange
2020-11-06 19:18:05 +00:00
markets, err := cache.LoadExchangeMarketsWithCache(context.Background(), ex)
if err != nil {
return nil, err
}
startTime := config.StartTime.Time()
2022-05-19 02:01:21 +00:00
configAccount := config.GetAccount(sourceName.String())
2020-11-06 19:18:05 +00:00
account := &types.Account{
MakerFeeRate: configAccount.MakerFeeRate,
TakerFeeRate: configAccount.TakerFeeRate,
AccountType: types.AccountTypeSpot,
2020-11-06 19:18:05 +00:00
}
2020-11-10 06:18:04 +00:00
balances := configAccount.Balances.BalanceMap()
2020-11-06 19:18:05 +00:00
account.UpdateBalances(balances)
e := &Exchange{
sourceName: sourceName,
publicExchange: ex,
markets: markets,
srv: srv,
2020-11-06 19:18:05 +00:00
config: config,
account: account,
currentTime: startTime,
closedOrders: make(map[string][]types.Order),
2020-11-07 12:34:34 +00:00
trades: make(map[string][]types.Trade),
}
e.resetMatchingBooks()
return e, nil
}
func (e *Exchange) addTrade(trade types.Trade) {
e.tradesMutex.Lock()
e.trades[trade.Symbol] = append(e.trades[trade.Symbol], trade)
e.tradesMutex.Unlock()
}
func (e *Exchange) addClosedOrder(order types.Order) {
e.closedOrdersMutex.Lock()
e.closedOrders[order.Symbol] = append(e.closedOrders[order.Symbol], order)
e.closedOrdersMutex.Unlock()
}
func (e *Exchange) resetMatchingBooks() {
e.matchingBooksMutex.Lock()
e.matchingBooks = make(map[string]*SimplePriceMatching)
for symbol, market := range e.markets {
e._addMatchingBook(symbol, market)
}
e.matchingBooksMutex.Unlock()
}
func (e *Exchange) addMatchingBook(symbol string, market types.Market) {
e.matchingBooksMutex.Lock()
e._addMatchingBook(symbol, market)
e.matchingBooksMutex.Unlock()
}
func (e *Exchange) _addMatchingBook(symbol string, market types.Market) {
matching := &SimplePriceMatching{
currentTime: e.currentTime,
account: e.account,
Market: market,
closedOrders: make(map[uint64]types.Order),
feeModeFunction: getFeeModeFunction(e.config.FeeMode),
}
e.matchingBooks[symbol] = matching
}
func (e *Exchange) NewStream() types.Stream {
2022-06-15 07:32:04 +00:00
return &types.BacktestStream{
StandardStreamEmitter: &types.StandardStream{},
}
}
2022-07-03 18:29:18 +00:00
func (e *Exchange) QueryOrder(ctx context.Context, q types.OrderQuery) (*types.Order, error) {
book := e.matchingBooks[q.Symbol]
oid, err := strconv.ParseUint(q.OrderID, 10, 64)
if err != nil {
return nil, err
}
order, ok := book.getOrder(oid)
if ok {
return &order, nil
}
return nil, nil
}
func (e *Exchange) SubmitOrder(ctx context.Context, order types.SubmitOrder) (createdOrder *types.Order, err error) {
symbol := order.Symbol
matching, ok := e.matchingBook(symbol)
if !ok {
return nil, fmt.Errorf("matching engine is not initialized for symbol %s", symbol)
}
2022-10-06 07:08:44 +00:00
if order.Quantity.Sign() < 0 {
return nil, ErrNegativeQuantity
}
if order.Quantity.IsZero() {
return nil, ErrZeroQuantity
}
createdOrder, _, err = matching.PlaceOrder(order)
if createdOrder != nil {
// market order can be closed immediately.
switch createdOrder.Status {
case types.OrderStatusFilled, types.OrderStatusCanceled, types.OrderStatusRejected:
e.addClosedOrder(*createdOrder)
}
}
return createdOrder, err
}
func (e *Exchange) QueryOpenOrders(ctx context.Context, symbol string) (orders []types.Order, err error) {
2022-08-30 03:09:39 +00:00
matching, ok := e.matchingBook(symbol)
if !ok {
2020-11-09 08:34:35 +00:00
return nil, fmt.Errorf("matching engine is not initialized for symbol %s", symbol)
}
return append(matching.bidOrders, matching.askOrders...), nil
}
func (e *Exchange) QueryClosedOrders(ctx context.Context, symbol string, since, until time.Time, lastOrderID uint64) (orders []types.Order, err error) {
orders, ok := e.closedOrders[symbol]
if !ok {
2020-11-09 08:34:35 +00:00
return orders, fmt.Errorf("matching engine is not initialized for symbol %s", symbol)
}
return orders, nil
}
func (e *Exchange) CancelOrders(ctx context.Context, orders ...types.Order) error {
for _, order := range orders {
2022-08-30 03:09:39 +00:00
matching, ok := e.matchingBook(order.Symbol)
if !ok {
2020-11-09 08:34:35 +00:00
return fmt.Errorf("matching engine is not initialized for symbol %s", order.Symbol)
}
_, err := matching.CancelOrder(order)
if err != nil {
return err
}
}
return nil
}
func (e *Exchange) QueryAccount(ctx context.Context) (*types.Account, error) {
2020-11-06 19:18:05 +00:00
return e.account, nil
}
2020-11-06 19:18:05 +00:00
func (e *Exchange) QueryAccountBalances(ctx context.Context) (types.BalanceMap, error) {
return e.account.Balances(), nil
}
func (e *Exchange) QueryKLines(ctx context.Context, symbol string, interval types.Interval, options types.KLineQueryOptions) ([]types.KLine, error) {
if options.EndTime != nil {
return e.srv.QueryKLinesBackward(e.sourceName, symbol, interval, *options.EndTime, 1000)
}
2021-05-07 16:45:24 +00:00
if options.StartTime != nil {
return e.srv.QueryKLinesForward(e.sourceName, symbol, interval, *options.StartTime, 1000)
}
return nil, errors.New("endTime or startTime can not be nil")
}
func (e *Exchange) QueryTrades(ctx context.Context, symbol string, options *types.TradeQueryOptions) ([]types.Trade, error) {
// we don't need query trades for backtest
return nil, nil
}
func (e *Exchange) QueryTicker(ctx context.Context, symbol string) (*types.Ticker, error) {
2022-08-30 03:09:39 +00:00
matching, ok := e.matchingBook(symbol)
2021-03-15 18:13:52 +00:00
if !ok {
return nil, fmt.Errorf("matching engine is not initialized for symbol %s", symbol)
}
kline := matching.lastKLine
2021-03-15 18:13:52 +00:00
return &types.Ticker{
Time: kline.EndTime.Time(),
2021-03-15 18:13:52 +00:00
Volume: kline.Volume,
Last: kline.Close,
Open: kline.Open,
High: kline.High,
Low: kline.Low,
Buy: kline.Close,
Sell: kline.Close,
}, nil
}
func (e *Exchange) QueryTickers(ctx context.Context, symbol ...string) (map[string]types.Ticker, error) {
2021-02-06 18:39:43 +00:00
// Not using Tickers in back test (yet)
return nil, ErrUnimplemented
2021-02-06 18:39:43 +00:00
}
func (e *Exchange) Name() types.ExchangeName {
return e.publicExchange.Name()
}
func (e *Exchange) PlatformFeeCurrency() string {
return e.publicExchange.PlatformFeeCurrency()
}
func (e *Exchange) QueryMarkets(ctx context.Context) (types.MarketMap, error) {
return e.markets, nil
}
func (e *Exchange) QueryDepositHistory(ctx context.Context, asset string, since, until time.Time) (allDeposits []types.Deposit, err error) {
return nil, nil
}
func (e *Exchange) QueryWithdrawHistory(ctx context.Context, asset string, since, until time.Time) (allWithdraws []types.Withdraw, err error) {
return nil, nil
}
2022-08-30 03:09:39 +00:00
func (e *Exchange) matchingBook(symbol string) (*SimplePriceMatching, bool) {
e.matchingBooksMutex.Lock()
m, ok := e.matchingBooks[symbol]
e.matchingBooksMutex.Unlock()
return m, ok
}
func (e *Exchange) BindUserData(userDataStream types.StandardStreamEmitter) {
userDataStream.OnTradeUpdate(func(trade types.Trade) {
e.addTrade(trade)
})
e.matchingBooksMutex.Lock()
for _, matching := range e.matchingBooks {
matching.OnTradeUpdate(userDataStream.EmitTradeUpdate)
matching.OnOrderUpdate(userDataStream.EmitOrderUpdate)
matching.OnBalanceUpdate(userDataStream.EmitBalanceUpdate)
}
e.matchingBooksMutex.Unlock()
}
func (e *Exchange) SubscribeMarketData(startTime, endTime time.Time, requiredInterval types.Interval, extraIntervals ...types.Interval) (chan types.KLine, error) {
log.Infof("collecting backtest configurations...")
loadedSymbols := map[string]struct{}{}
loadedIntervals := map[types.Interval]struct{}{
// 1m interval is required for the backtest matching engine
requiredInterval: {},
}
2022-05-11 05:59:44 +00:00
for _, it := range extraIntervals {
loadedIntervals[it] = struct{}{}
}
2022-06-09 07:50:06 +00:00
// collect subscriptions
2022-06-15 07:32:04 +00:00
for _, sub := range e.MarketDataStream.GetSubscriptions() {
loadedSymbols[sub.Symbol] = struct{}{}
switch sub.Channel {
case types.KLineChannel:
2022-06-09 07:50:06 +00:00
loadedIntervals[sub.Options.Interval] = struct{}{}
default:
// Since Environment is not yet been injected at this point, no hard error
log.Errorf("stream channel %s is not supported in backtest", sub.Channel)
}
}
var symbols []string
for symbol := range loadedSymbols {
symbols = append(symbols, symbol)
}
var intervals []types.Interval
for interval := range loadedIntervals {
intervals = append(intervals, interval)
}
log.Infof("querying klines from database with exchange: %v symbols: %v and intervals: %v for back-testing", e.Name(), symbols, intervals)
klineC, errC := e.srv.QueryKLinesCh(startTime, endTime, e, symbols, intervals)
go func() {
if err := <-errC; err != nil {
log.WithError(err).Error("backtest data feed error")
}
}()
return klineC, nil
}
func (e *Exchange) ConsumeKLine(k types.KLine, requiredInterval types.Interval) {
2022-08-30 03:09:39 +00:00
matching, ok := e.matchingBook(k.Symbol)
if !ok {
log.Errorf("matching book of %s is not initialized", k.Symbol)
return
}
if matching.klineCache == nil {
matching.klineCache = make(map[types.Interval]types.KLine)
}
requiredKline, ok := matching.klineCache[k.Interval]
if ok { // pop out all the old
if requiredKline.Interval != requiredInterval {
panic(fmt.Sprintf("expect required kline interval %s, got interval %s", requiredInterval.String(), requiredKline.Interval.String()))
}
e.currentTime = requiredKline.EndTime.Time()
// here we generate trades and order updates
matching.processKLine(requiredKline)
matching.nextKLine = &k
for _, kline := range matching.klineCache {
e.MarketDataStream.EmitKLineClosed(kline)
for _, h := range e.Src.Callbacks {
h(kline, e.Src)
}
}
// reset the paramcache
matching.klineCache = make(map[types.Interval]types.KLine)
}
matching.klineCache[k.Interval] = k
}
func (e *Exchange) CloseMarketData() error {
2022-06-15 07:32:04 +00:00
if err := e.MarketDataStream.Close(); err != nil {
log.WithError(err).Error("stream close error")
return err
}
return nil
}