2022-11-25 19:28:21 +00:00
|
|
|
from datetime import datetime
|
2022-11-10 07:20:14 +00:00
|
|
|
from decimal import Decimal as D
|
|
|
|
|
2022-11-10 07:20:20 +00:00
|
|
|
from core.exchanges import GenericAPIError
|
2022-12-18 16:55:09 +00:00
|
|
|
from core.lib.notify import sendmsg
|
2022-11-11 07:20:00 +00:00
|
|
|
from core.models import Account, Strategy, Trade
|
2022-10-27 17:08:40 +00:00
|
|
|
from core.util import logs
|
|
|
|
|
|
|
|
log = logs.get_logger(__name__)
|
|
|
|
|
2022-11-10 07:20:20 +00:00
|
|
|
|
2022-12-12 19:53:20 +00:00
|
|
|
def check_existing_position(
|
|
|
|
func: str,
|
|
|
|
position: dict,
|
|
|
|
open_side: str,
|
|
|
|
open_symbol: str,
|
|
|
|
open_units: str,
|
|
|
|
new_side: str,
|
|
|
|
new_symbol: str,
|
|
|
|
trade_side_opposite: str,
|
|
|
|
):
|
|
|
|
# Check if we already have a position for the symbol
|
|
|
|
if open_symbol == new_symbol:
|
|
|
|
# If the live side is the inverse of what we want to do,
|
|
|
|
# we can't open a position
|
|
|
|
if open_side == trade_side_opposite:
|
|
|
|
# If there is a position open, we can't open a new one in the opposite
|
|
|
|
# direction
|
|
|
|
if open_units != "0":
|
|
|
|
# If we have a short on GBP/AUD, we can only place more shorts on
|
|
|
|
# GBP/AUD.
|
|
|
|
if func == "entry":
|
|
|
|
log.debug(
|
|
|
|
f"Refusing to open new {new_side} position on {new_symbol} due "
|
|
|
|
f"to {open_side} position on {open_symbol}"
|
|
|
|
)
|
|
|
|
return {
|
|
|
|
"action": "rejected",
|
|
|
|
"positions": position,
|
|
|
|
}
|
|
|
|
elif func == "exit":
|
|
|
|
log.debug(
|
|
|
|
(
|
|
|
|
f"Found {open_units} units of "
|
|
|
|
f"{open_symbol} on side {trade_side_opposite}"
|
|
|
|
)
|
|
|
|
)
|
|
|
|
# Pass back opposing side so we can close it
|
|
|
|
return {
|
|
|
|
"action": "close",
|
|
|
|
"side": trade_side_opposite,
|
|
|
|
"positions": position,
|
|
|
|
}
|
|
|
|
return False
|
|
|
|
|
|
|
|
|
|
|
|
def check_conflicting_position(
|
|
|
|
func: str,
|
|
|
|
position: dict,
|
|
|
|
open_base: str,
|
|
|
|
open_quote: str,
|
|
|
|
open_side: str,
|
|
|
|
open_symbol: str,
|
|
|
|
open_units: str,
|
|
|
|
new_base: str,
|
|
|
|
new_quote: str,
|
|
|
|
new_side: str,
|
|
|
|
new_symbol: str,
|
|
|
|
trade_side_opposite: str,
|
|
|
|
):
|
|
|
|
if open_base == new_quote or open_quote == new_base:
|
|
|
|
# If we have a long on GBP/AUD, we can only place shorts on XAU/GBP.
|
|
|
|
if open_side != trade_side_opposite:
|
|
|
|
if open_units != "0":
|
|
|
|
# Only do this for entries
|
|
|
|
if func == "entry":
|
|
|
|
log.debug(
|
|
|
|
f"Refusing to open {new_side} position on {new_symbol} due to "
|
|
|
|
f"{open_side} position on {open_symbol}"
|
|
|
|
)
|
|
|
|
return {
|
|
|
|
"action": "rejected",
|
|
|
|
"positions": position,
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
|
|
def crossfilter(account, new_symbol, new_direction, func):
|
2022-12-01 20:36:32 +00:00
|
|
|
"""
|
|
|
|
Determine if we are betting against ourselves.
|
|
|
|
Checks open positions for the account, rejecting the trade if there is one
|
|
|
|
with an opposite direction to this one.
|
|
|
|
:param account: Account object
|
|
|
|
:param symbol: Symbol
|
|
|
|
:param direction: Direction of the trade
|
|
|
|
:param func: Whether we are checking entries or exits
|
|
|
|
:return: dict of action and opposing position, or False
|
|
|
|
"""
|
2022-12-07 07:20:47 +00:00
|
|
|
try:
|
2022-12-12 19:53:20 +00:00
|
|
|
# Only get the data we need
|
|
|
|
if func == "entry":
|
|
|
|
all_positions = account.client.get_all_positions()
|
|
|
|
else:
|
|
|
|
all_positions = [account.client.get_position_info(new_symbol)]
|
2022-12-07 07:20:47 +00:00
|
|
|
except GenericAPIError as e:
|
|
|
|
if "No position exists for the specified instrument" in str(e):
|
|
|
|
log.debug("No position exists for this symbol")
|
|
|
|
return False
|
|
|
|
else:
|
|
|
|
log.error(f"Error getting position info: {e}")
|
|
|
|
return None
|
2022-12-12 19:53:20 +00:00
|
|
|
if new_direction == "buy":
|
2022-12-01 20:36:32 +00:00
|
|
|
opposing_side = "short"
|
2022-12-12 19:53:20 +00:00
|
|
|
new_side = "long"
|
|
|
|
elif new_direction == "sell":
|
2022-12-01 20:36:32 +00:00
|
|
|
opposing_side = "long"
|
2022-12-12 19:53:20 +00:00
|
|
|
new_side = "short"
|
|
|
|
|
|
|
|
quotes = []
|
|
|
|
new_base, new_quote = new_symbol.split("_")
|
|
|
|
for position in all_positions:
|
|
|
|
# For Forex, get a list of all the quotes.
|
|
|
|
# This is to prevent betting against ourselves.
|
|
|
|
# Consider we have a long position open, EUR/USD, and we want to open a
|
|
|
|
# long position on USD/JPY. If the first goes up, the second one will go
|
|
|
|
# down just as much. We won't make any money.
|
|
|
|
if "_" in position["symbol"]:
|
|
|
|
open_base, open_quote = position["symbol"].split("_")
|
|
|
|
quotes.append(open_quote)
|
|
|
|
|
|
|
|
open_symbol = position["symbol"]
|
|
|
|
open_side = position["side"]
|
|
|
|
open_base, open_quote = open_symbol.split("_")
|
|
|
|
|
|
|
|
# Check if we already have a position
|
|
|
|
existing_position_check = check_existing_position(
|
|
|
|
func=func,
|
|
|
|
position=position,
|
|
|
|
open_side=open_side,
|
|
|
|
open_symbol=open_symbol,
|
|
|
|
open_units=position["units"],
|
|
|
|
new_side=new_side,
|
|
|
|
new_symbol=new_symbol,
|
|
|
|
trade_side_opposite=opposing_side,
|
|
|
|
)
|
|
|
|
if existing_position_check:
|
|
|
|
return existing_position_check
|
|
|
|
|
|
|
|
# Check if we are betting against ourselves
|
|
|
|
conflicting_position_check = check_conflicting_position(
|
|
|
|
func=func,
|
|
|
|
position=position,
|
|
|
|
open_base=open_base,
|
|
|
|
open_quote=open_quote,
|
|
|
|
open_side=open_side,
|
|
|
|
open_symbol=open_symbol,
|
|
|
|
open_units=position["units"],
|
|
|
|
new_base=new_base,
|
|
|
|
new_quote=new_quote,
|
|
|
|
new_side=new_side,
|
|
|
|
new_symbol=new_symbol,
|
|
|
|
trade_side_opposite=opposing_side,
|
|
|
|
)
|
|
|
|
if conflicting_position_check:
|
|
|
|
return conflicting_position_check
|
2022-12-01 20:36:32 +00:00
|
|
|
|
|
|
|
return False
|
|
|
|
|
|
|
|
|
2022-11-11 07:20:00 +00:00
|
|
|
def get_pair(account, base, quote, invert=False):
|
|
|
|
"""
|
|
|
|
Get the pair for the given account and currencies.
|
|
|
|
:param account: Account object
|
|
|
|
:param base: Base currency
|
|
|
|
:param quote: Quote currency
|
|
|
|
:param invert: Invert the pair
|
|
|
|
:return: currency symbol, e.g. BTC_USD, BTC/USD, etc.
|
|
|
|
"""
|
|
|
|
# Currently we only have two exchanges with different pair separators
|
2022-11-10 19:27:46 +00:00
|
|
|
if account.exchange == "alpaca":
|
|
|
|
separator = "/"
|
|
|
|
elif account.exchange == "oanda":
|
|
|
|
separator = "_"
|
2022-11-11 07:20:00 +00:00
|
|
|
|
|
|
|
# Flip the pair if needed
|
|
|
|
if invert:
|
|
|
|
symbol = f"{quote.upper()}{separator}{base.upper()}"
|
|
|
|
else:
|
|
|
|
symbol = f"{base.upper()}{separator}{quote.upper()}"
|
|
|
|
# Check it exists
|
|
|
|
if symbol not in account.supported_symbols:
|
|
|
|
return False
|
|
|
|
return symbol
|
|
|
|
|
|
|
|
|
|
|
|
def to_currency(direction, account, amount, from_currency, to_currency):
|
|
|
|
"""
|
|
|
|
Convert an amount from one currency to another.
|
|
|
|
:param direction: Direction of the trade
|
|
|
|
:param account: Account object
|
|
|
|
:param amount: Amount to convert
|
|
|
|
:param from_currency: Currency to convert from
|
|
|
|
:param to_currency: Currency to convert to
|
|
|
|
:return: Converted amount
|
|
|
|
"""
|
2022-11-11 07:20:00 +00:00
|
|
|
inverted = False
|
|
|
|
|
2022-11-11 07:20:00 +00:00
|
|
|
# This is needed because OANDA has different values for bid and ask
|
2022-11-10 19:27:46 +00:00
|
|
|
if direction == "buy":
|
|
|
|
price_index = "bids"
|
|
|
|
elif direction == "sell":
|
|
|
|
price_index = "asks"
|
2022-11-11 07:20:00 +00:00
|
|
|
symbol = get_pair(account, from_currency, to_currency)
|
|
|
|
if not symbol:
|
|
|
|
symbol = get_pair(account, from_currency, to_currency, invert=True)
|
2022-11-10 19:27:46 +00:00
|
|
|
inverted = True
|
2022-11-11 07:20:00 +00:00
|
|
|
|
|
|
|
# Bit of a hack but it works
|
|
|
|
if not symbol:
|
|
|
|
log.error(f"Could not find symbol for {from_currency} -> {to_currency}")
|
|
|
|
raise Exception("Could not find symbol")
|
2022-11-10 19:27:46 +00:00
|
|
|
try:
|
|
|
|
prices = account.client.get_currencies([symbol])
|
|
|
|
except GenericAPIError as e:
|
|
|
|
log.error(f"Error getting currencies and inverted currencies: {e}")
|
|
|
|
return None
|
2022-11-11 07:20:00 +00:00
|
|
|
price = D(prices["prices"][0][price_index][0]["price"])
|
2022-11-11 07:20:00 +00:00
|
|
|
|
|
|
|
# If we had to flip base and quote, we need to use the reciprocal of the price
|
2022-11-10 19:27:46 +00:00
|
|
|
if inverted:
|
2022-11-11 07:20:00 +00:00
|
|
|
price = D(1.0) / price
|
2022-11-11 07:20:00 +00:00
|
|
|
|
|
|
|
# Convert the amount to the destination currency
|
2022-11-10 19:27:46 +00:00
|
|
|
converted = D(amount) * price
|
|
|
|
|
|
|
|
return converted
|
|
|
|
|
2022-11-10 07:20:20 +00:00
|
|
|
|
2022-11-15 07:20:17 +00:00
|
|
|
def get_price(account, direction, symbol):
|
|
|
|
"""
|
|
|
|
Get the price for a given symbol.
|
|
|
|
:param account: Account object
|
|
|
|
:param direction: direction of the trade
|
|
|
|
:param symbol: symbol
|
|
|
|
:return: price of bid for buys, price of ask for sells
|
|
|
|
"""
|
|
|
|
if direction == "buy":
|
|
|
|
price_index = "bids"
|
|
|
|
elif direction == "sell":
|
|
|
|
price_index = "asks"
|
|
|
|
try:
|
|
|
|
prices = account.client.get_currencies([symbol])
|
|
|
|
except GenericAPIError as e:
|
|
|
|
log.error(f"Error getting currencies: {e}")
|
|
|
|
return None
|
|
|
|
price = D(prices["prices"][0][price_index][0]["price"])
|
|
|
|
return price
|
|
|
|
|
|
|
|
|
2022-11-11 07:20:00 +00:00
|
|
|
def get_trade_size_in_base(direction, account, strategy, cash_balance, base):
|
|
|
|
"""
|
|
|
|
Get the trade size in the base currency.
|
|
|
|
:param direction: Direction of the trade
|
|
|
|
:param account: Account object
|
|
|
|
:param strategy: Strategy object
|
|
|
|
:param cash_balance: Cash balance in the Account's base currency
|
|
|
|
:param base: Base currency
|
|
|
|
:return: Trade size in the base currency
|
|
|
|
"""
|
2022-11-10 19:52:52 +00:00
|
|
|
|
2022-11-11 07:20:00 +00:00
|
|
|
# Convert the trade size in percent to a ratio
|
2022-11-10 19:52:52 +00:00
|
|
|
trade_size_as_ratio = D(strategy.trade_size_percent) / D(100)
|
|
|
|
log.debug(f"Trade size as ratio: {trade_size_as_ratio}")
|
2022-11-11 07:20:00 +00:00
|
|
|
|
|
|
|
# Multiply with cash balance to get the trade size in the account's
|
|
|
|
# base currency
|
2022-11-10 19:52:52 +00:00
|
|
|
amount_fiat = D(trade_size_as_ratio) * D(cash_balance)
|
|
|
|
log.debug(f"Trade size: {amount_fiat}")
|
2022-11-11 07:20:00 +00:00
|
|
|
|
|
|
|
# Convert the trade size to the base currency
|
2022-11-11 07:20:00 +00:00
|
|
|
if account.currency.lower() == base.lower():
|
|
|
|
trade_size_in_base = amount_fiat
|
|
|
|
else:
|
|
|
|
trade_size_in_base = to_currency(
|
|
|
|
direction, account, amount_fiat, account.currency, base
|
|
|
|
)
|
2022-11-10 19:52:52 +00:00
|
|
|
log.debug(f"Trade size in base: {trade_size_in_base}")
|
2022-11-11 07:20:00 +00:00
|
|
|
|
2022-11-10 19:52:52 +00:00
|
|
|
return trade_size_in_base
|
|
|
|
|
2022-11-10 07:20:20 +00:00
|
|
|
|
2022-11-15 07:20:17 +00:00
|
|
|
def get_tp(direction, take_profit_percent, price):
|
2022-11-11 07:20:00 +00:00
|
|
|
"""
|
2022-11-15 07:20:17 +00:00
|
|
|
Get the take profit price.
|
2022-11-11 07:20:00 +00:00
|
|
|
:param direction: Direction of the trade
|
|
|
|
:param strategy: Strategy object
|
2022-11-15 07:20:17 +00:00
|
|
|
:param price: Entry price
|
2022-11-11 07:20:00 +00:00
|
|
|
"""
|
2022-11-15 07:20:17 +00:00
|
|
|
# Convert to ratio
|
|
|
|
take_profit_as_ratio = D(take_profit_percent) / D(100)
|
|
|
|
log.debug(f"Take profit as ratio: {take_profit_as_ratio}")
|
2022-11-11 07:20:00 +00:00
|
|
|
|
2022-11-15 07:20:17 +00:00
|
|
|
take_profit_var = D(price) * D(take_profit_as_ratio)
|
|
|
|
log.debug(f"Take profit var: {take_profit_var}")
|
|
|
|
|
|
|
|
if direction == "buy":
|
|
|
|
take_profit = D(price) + D(take_profit_var)
|
|
|
|
elif direction == "sell":
|
|
|
|
take_profit = D(price) - D(take_profit_var)
|
|
|
|
|
|
|
|
log.debug(f"Take profit: {take_profit}")
|
|
|
|
return take_profit
|
|
|
|
|
|
|
|
|
|
|
|
def get_sl(direction, stop_loss_percent, price, return_var=False):
|
|
|
|
"""
|
|
|
|
Get the stop loss price.
|
|
|
|
Also used for trailing stop loss.
|
|
|
|
:param direction: Direction of the trade
|
|
|
|
:param strategy: Strategy object
|
|
|
|
:param price: Entry price
|
|
|
|
"""
|
|
|
|
# Convert to ratio
|
|
|
|
stop_loss_as_ratio = D(stop_loss_percent) / D(100)
|
2022-11-10 19:52:52 +00:00
|
|
|
log.debug(f"Stop loss as ratio: {stop_loss_as_ratio}")
|
|
|
|
|
|
|
|
stop_loss_var = D(price) * D(stop_loss_as_ratio)
|
|
|
|
log.debug(f"Stop loss var: {stop_loss_var}")
|
|
|
|
|
2022-11-15 07:20:17 +00:00
|
|
|
if return_var:
|
|
|
|
return stop_loss_var
|
|
|
|
|
2022-11-10 19:52:52 +00:00
|
|
|
if direction == "buy":
|
|
|
|
stop_loss = D(price) - D(stop_loss_var)
|
|
|
|
elif direction == "sell":
|
|
|
|
stop_loss = D(price) + D(stop_loss_var)
|
2022-11-15 07:20:17 +00:00
|
|
|
|
2022-11-10 19:52:52 +00:00
|
|
|
log.debug(f"Stop loss: {stop_loss}")
|
2022-11-15 07:20:17 +00:00
|
|
|
return stop_loss
|
2022-11-11 07:20:00 +00:00
|
|
|
|
2022-11-15 07:20:17 +00:00
|
|
|
|
|
|
|
def get_tp_sl(direction, strategy, price):
|
|
|
|
"""
|
|
|
|
Get the take profit and stop loss prices.
|
|
|
|
:param direction: Direction of the trade
|
|
|
|
:param strategy: Strategy object
|
|
|
|
:param price: Price of the trade
|
|
|
|
:return: Take profit and stop loss prices
|
|
|
|
"""
|
|
|
|
take_profit = get_tp(direction, strategy.take_profit_percent, price)
|
|
|
|
stop_loss = get_sl(direction, strategy.stop_loss_percent, price)
|
|
|
|
cast = {"tp": take_profit, "sl": stop_loss}
|
|
|
|
|
|
|
|
# Look up the TSL if required by the strategy
|
|
|
|
if strategy.trailing_stop_loss_percent:
|
|
|
|
trailing_stop_loss = get_sl(
|
|
|
|
direction, strategy.trailing_stop_loss_percent, price, return_var=True
|
|
|
|
)
|
|
|
|
cast["tsl"] = trailing_stop_loss
|
|
|
|
|
|
|
|
return cast
|
2022-11-10 19:52:52 +00:00
|
|
|
|
2022-11-10 07:20:20 +00:00
|
|
|
|
2022-11-15 07:20:17 +00:00
|
|
|
def get_price_bound(direction, strategy, price, current_price):
|
2022-11-11 07:20:00 +00:00
|
|
|
"""
|
|
|
|
Get the price bound for a given price using the slippage from the strategy.
|
2022-11-15 07:20:17 +00:00
|
|
|
* Check that the price of the callback is within the callback price deviation of the
|
|
|
|
current price
|
|
|
|
* Calculate the price bounds such that the maximum slippage should be within the
|
|
|
|
price slippage relative to the current price.
|
|
|
|
Note that the maximum actual slippage may be as high as the sum of these two values.
|
2022-11-11 07:20:00 +00:00
|
|
|
:param direction: Direction of the trade
|
|
|
|
:param strategy: Strategy object
|
|
|
|
:param price: Price of the trade
|
2022-11-15 07:20:17 +00:00
|
|
|
:param current_price: current price from the exchange
|
2022-11-11 07:20:00 +00:00
|
|
|
:return: Price bound
|
|
|
|
"""
|
|
|
|
|
2022-11-15 07:20:17 +00:00
|
|
|
# Convert the callback price deviation to a ratio
|
|
|
|
callback_price_deviation_as_ratio = D(
|
|
|
|
strategy.callback_price_deviation_percent
|
|
|
|
) / D(100)
|
|
|
|
log.debug(f"Callback price deviation as ratio: {callback_price_deviation_as_ratio}")
|
|
|
|
|
|
|
|
maximum_price_deviation = D(current_price) * D(callback_price_deviation_as_ratio)
|
|
|
|
|
|
|
|
# Ensure the current price is within price_slippage_as_ratio of the callback price
|
|
|
|
if abs(current_price - price) <= maximum_price_deviation:
|
|
|
|
log.debug("Current price is within price deviation of callback price")
|
|
|
|
else:
|
|
|
|
log.error("Current price is not within price deviation of callback price")
|
|
|
|
log.debug(f"Difference: {abs(current_price - price)}")
|
|
|
|
return None
|
|
|
|
|
|
|
|
# Convert the maximum price slippage to a ratio
|
2022-11-10 19:52:52 +00:00
|
|
|
price_slippage_as_ratio = D(strategy.price_slippage_percent) / D(100)
|
2022-11-15 07:20:17 +00:00
|
|
|
log.debug(f"Maximum price slippage as ratio: {price_slippage_as_ratio}")
|
2022-11-10 19:52:52 +00:00
|
|
|
|
2022-11-11 07:20:00 +00:00
|
|
|
# Calculate the price bound by multiplying with the price
|
|
|
|
# The price bound is the worst price we are willing to pay for the trade
|
2022-11-15 07:20:17 +00:00
|
|
|
price_slippage = D(current_price) * D(price_slippage_as_ratio)
|
|
|
|
log.debug(f"Maximum deviation from callback price: {price_slippage}")
|
|
|
|
|
|
|
|
current_price_slippage = D(current_price) * D(price_slippage_as_ratio)
|
|
|
|
log.debug(f"Maximum deviation from current price: {current_price_slippage}")
|
2022-11-10 19:52:52 +00:00
|
|
|
|
2022-11-22 08:10:38 +00:00
|
|
|
# Price bound is the worst price we are willing to pay for the trade
|
|
|
|
# For buys, a higher price is worse
|
2022-11-10 19:52:52 +00:00
|
|
|
if direction == "buy":
|
2022-11-22 08:10:38 +00:00
|
|
|
price_bound = D(current_price) + D(price_slippage)
|
2022-11-11 07:20:00 +00:00
|
|
|
|
2022-11-22 08:10:38 +00:00
|
|
|
# For sells, a lower price is worse
|
2022-11-10 19:52:52 +00:00
|
|
|
elif direction == "sell":
|
2022-11-22 08:10:38 +00:00
|
|
|
price_bound = D(current_price) - D(price_slippage)
|
2022-11-15 07:20:17 +00:00
|
|
|
|
2022-11-10 19:52:52 +00:00
|
|
|
log.debug(f"Price bound: {price_bound}")
|
|
|
|
return price_bound
|
|
|
|
|
|
|
|
|
2022-12-01 20:36:32 +00:00
|
|
|
def execute_strategy(callback, strategy, func):
|
2022-11-11 07:20:00 +00:00
|
|
|
"""
|
|
|
|
Execute a strategy.
|
|
|
|
:param callback: Callback object
|
|
|
|
:param strategy: Strategy object
|
|
|
|
"""
|
|
|
|
|
2022-12-06 19:46:06 +00:00
|
|
|
# Only check times for entries. We can always exit trades and set trends.
|
2022-12-01 20:36:32 +00:00
|
|
|
if func == "entry":
|
|
|
|
# Check if we can trade now!
|
|
|
|
now_utc = datetime.utcnow()
|
|
|
|
trading_times = strategy.trading_times.all()
|
|
|
|
if not trading_times:
|
|
|
|
log.error("No trading times set for strategy")
|
|
|
|
return
|
|
|
|
matches = [x.within_range(now_utc) for x in trading_times]
|
|
|
|
if not any(matches):
|
|
|
|
log.debug("Not within trading time range")
|
|
|
|
return
|
2022-10-27 17:08:40 +00:00
|
|
|
|
2022-11-11 07:20:00 +00:00
|
|
|
# Instruments supported by the account
|
|
|
|
if not strategy.account.instruments:
|
|
|
|
strategy.account.update_info()
|
|
|
|
# Refresh account object
|
|
|
|
strategy.account = Account.objects.get(id=strategy.account.id)
|
|
|
|
|
|
|
|
instruments = strategy.account.instruments
|
|
|
|
if not instruments:
|
|
|
|
log.error("No instruments found")
|
|
|
|
return
|
|
|
|
|
|
|
|
# Shorten some hook, strategy and callback vars for convenience
|
2022-10-27 17:08:40 +00:00
|
|
|
user = strategy.user
|
|
|
|
account = strategy.account
|
|
|
|
hook = callback.hook
|
2022-12-01 19:33:06 +00:00
|
|
|
signal = callback.signal
|
2022-10-27 17:08:40 +00:00
|
|
|
base = callback.base
|
|
|
|
quote = callback.quote
|
2022-12-01 19:33:06 +00:00
|
|
|
direction = signal.direction
|
2022-11-11 07:20:00 +00:00
|
|
|
|
|
|
|
# Don't be silly
|
2022-11-10 07:20:28 +00:00
|
|
|
if callback.exchange != account.exchange:
|
|
|
|
log.error("Market exchange differs from account exchange.")
|
|
|
|
return
|
2022-10-27 17:08:40 +00:00
|
|
|
|
2022-11-11 07:20:00 +00:00
|
|
|
# Get the pair we are trading
|
2022-11-10 19:52:52 +00:00
|
|
|
symbol = get_pair(account, base, quote)
|
|
|
|
if not symbol:
|
2022-10-27 17:08:40 +00:00
|
|
|
log.error(f"Symbol not supported by account: {symbol}")
|
2022-11-11 07:20:00 +00:00
|
|
|
return
|
2022-10-27 17:08:40 +00:00
|
|
|
|
2022-11-11 07:20:00 +00:00
|
|
|
# Extract the information for the symbol
|
2022-11-10 19:27:46 +00:00
|
|
|
instrument = strategy.account.client.extract_instrument(instruments, symbol)
|
|
|
|
if not instrument:
|
|
|
|
log.error(f"Symbol not found: {symbol}")
|
2022-11-11 07:20:00 +00:00
|
|
|
return
|
|
|
|
|
|
|
|
# Get the required precision
|
2022-11-10 19:27:46 +00:00
|
|
|
try:
|
|
|
|
trade_precision = instrument["tradeUnitsPrecision"]
|
|
|
|
display_precision = instrument["displayPrecision"]
|
|
|
|
except KeyError:
|
|
|
|
log.error(f"Precision not found for {symbol}")
|
2022-11-11 07:20:00 +00:00
|
|
|
return
|
2022-11-10 19:52:52 +00:00
|
|
|
|
2022-11-11 07:20:00 +00:00
|
|
|
# Round the received price to the display precision
|
2022-11-10 19:52:52 +00:00
|
|
|
price = round(D(callback.price), display_precision)
|
|
|
|
log.debug(f"Extracted price of quote: {price}")
|
|
|
|
|
2022-11-15 07:20:17 +00:00
|
|
|
current_price = get_price(account, direction, symbol)
|
|
|
|
log.debug(f"Callback price: {price}")
|
|
|
|
log.debug(f"Current price: {current_price}")
|
2022-11-11 07:20:00 +00:00
|
|
|
|
2022-12-01 20:36:32 +00:00
|
|
|
# Calculate price bound and round to the display precision
|
|
|
|
price_bound = get_price_bound(direction, strategy, price, current_price)
|
|
|
|
if not price_bound:
|
|
|
|
return
|
|
|
|
price_bound = round(price_bound, display_precision)
|
|
|
|
|
|
|
|
# Callback now verified
|
|
|
|
if func == "exit":
|
|
|
|
check_exit = crossfilter(account, symbol, direction, func)
|
2022-12-07 07:20:47 +00:00
|
|
|
if check_exit is None:
|
|
|
|
return
|
2022-12-01 20:36:32 +00:00
|
|
|
if not check_exit:
|
|
|
|
log.debug("Exit conditions not met.")
|
|
|
|
return
|
|
|
|
if check_exit["action"] == "close":
|
|
|
|
log.debug(f"Closing position on exit signal: {symbol}")
|
|
|
|
side = check_exit["side"]
|
|
|
|
response = account.client.close_position(side, symbol)
|
|
|
|
log.debug(f"Close position response: {response}")
|
|
|
|
return
|
2022-12-06 19:46:06 +00:00
|
|
|
|
|
|
|
# Set the trend
|
|
|
|
elif func == "trend":
|
|
|
|
if strategy.trends is None:
|
|
|
|
strategy.trends = {}
|
|
|
|
strategy.trends[symbol] = direction
|
|
|
|
strategy.save()
|
|
|
|
log.debug(f"Set trend for {symbol}: {direction}")
|
|
|
|
return
|
|
|
|
|
|
|
|
# Check if we are trading against the trend
|
2022-12-08 07:20:46 +00:00
|
|
|
if strategy.trend_signals.exists():
|
2022-12-06 19:46:06 +00:00
|
|
|
if strategy.trends is None:
|
|
|
|
log.debug("Refusing to trade with no trend signals received")
|
|
|
|
return
|
|
|
|
if symbol not in strategy.trends:
|
|
|
|
log.debug("Refusing to trade asset without established trend")
|
|
|
|
return
|
|
|
|
else:
|
|
|
|
if strategy.trends[symbol] != direction:
|
|
|
|
log.debug("Refusing to trade against the trend")
|
|
|
|
return
|
|
|
|
else:
|
|
|
|
log.debug(f"Trend check passed for {symbol} - {direction}")
|
|
|
|
|
2022-12-01 20:36:32 +00:00
|
|
|
type = strategy.order_type
|
|
|
|
|
|
|
|
# Get the account's balance in the native account currency
|
|
|
|
cash_balance = strategy.account.client.get_balance()
|
|
|
|
log.debug(f"Cash balance: {cash_balance}")
|
|
|
|
|
2022-11-11 07:20:00 +00:00
|
|
|
# Convert the trade size, which is currently in the account's base currency,
|
|
|
|
# to the base currency of the pair we are trading
|
2022-11-10 07:20:20 +00:00
|
|
|
trade_size_in_base = get_trade_size_in_base(
|
2022-11-11 07:20:00 +00:00
|
|
|
direction, account, strategy, cash_balance, base
|
2022-11-10 07:20:20 +00:00
|
|
|
)
|
2022-11-11 07:20:00 +00:00
|
|
|
|
2022-11-15 07:20:17 +00:00
|
|
|
# Calculate TP/SL/TSL
|
|
|
|
protection = get_tp_sl(direction, strategy, current_price)
|
|
|
|
stop_loss = protection["sl"]
|
|
|
|
take_profit = protection["tp"]
|
|
|
|
trailing_stop_loss = None
|
|
|
|
if "tsl" in protection:
|
|
|
|
trailing_stop_loss = protection["tsl"]
|
2022-10-27 17:08:40 +00:00
|
|
|
|
2022-11-11 07:20:00 +00:00
|
|
|
# Create object, note that the amount is rounded to the trade precision
|
2022-12-18 16:55:09 +00:00
|
|
|
amount_rounded = float(round(trade_size_in_base, trade_precision))
|
2022-10-27 17:08:40 +00:00
|
|
|
new_trade = Trade.objects.create(
|
|
|
|
user=user,
|
|
|
|
account=account,
|
|
|
|
hook=hook,
|
2022-12-01 19:33:06 +00:00
|
|
|
signal=signal,
|
2022-10-27 17:08:40 +00:00
|
|
|
symbol=symbol,
|
|
|
|
type=type,
|
2022-11-15 07:20:17 +00:00
|
|
|
time_in_force=strategy.time_in_force,
|
2022-11-10 19:27:46 +00:00
|
|
|
# amount_fiat=amount_fiat,
|
2022-12-18 16:55:09 +00:00
|
|
|
amount=amount_rounded,
|
2022-11-11 07:20:00 +00:00
|
|
|
# price=price_bound,
|
2022-11-15 07:20:17 +00:00
|
|
|
price=price_bound,
|
2022-11-10 19:27:46 +00:00
|
|
|
stop_loss=float(round(stop_loss, display_precision)),
|
|
|
|
take_profit=float(round(take_profit, display_precision)),
|
2022-10-27 17:08:40 +00:00
|
|
|
direction=direction,
|
|
|
|
)
|
2022-11-15 07:20:17 +00:00
|
|
|
# Add TSL if applicable
|
|
|
|
if trailing_stop_loss:
|
|
|
|
new_trade.trailing_stop_loss = float(
|
|
|
|
round(trailing_stop_loss, display_precision)
|
|
|
|
)
|
2022-10-27 17:08:40 +00:00
|
|
|
new_trade.save()
|
2022-12-01 20:36:32 +00:00
|
|
|
|
|
|
|
# Run the crossfilter to ensure we don't trade the same pair in opposite directions
|
|
|
|
filtered = crossfilter(account, symbol, direction, func)
|
|
|
|
|
|
|
|
# TP/SL calculation and get_trade_size_in_base are wasted here, but it's important
|
|
|
|
# to record the decision in the Trade object. We can only get it after we do those.
|
|
|
|
# It shows what would be done.
|
|
|
|
if filtered:
|
|
|
|
log.debug(f"Trade filtered. Action: {filtered['action']}")
|
|
|
|
if filtered["action"] == "rejected":
|
|
|
|
new_trade.status = "rejected"
|
|
|
|
new_trade.save()
|
|
|
|
else:
|
|
|
|
info = new_trade.post()
|
2022-12-18 16:55:09 +00:00
|
|
|
print("INFO", info)
|
2022-12-01 20:36:32 +00:00
|
|
|
log.debug(f"Posted trade: {info}")
|
2022-10-27 17:08:40 +00:00
|
|
|
|
2022-12-18 16:55:09 +00:00
|
|
|
# Send notification with limited number of fields
|
|
|
|
wanted_fields = ["requestID", "type", "symbol", "units", "reason"]
|
|
|
|
sendmsg(
|
|
|
|
", ".join([str(v) for k, v in info.items() if k in wanted_fields]),
|
|
|
|
title=f"{direction} {amount_rounded} on {symbol}",
|
|
|
|
)
|
|
|
|
|
2022-10-27 17:08:40 +00:00
|
|
|
|
|
|
|
def process_callback(callback):
|
2022-12-01 19:33:06 +00:00
|
|
|
log.info(f"Received callback for {callback.hook} - {callback.signal}")
|
|
|
|
|
2022-12-06 19:46:06 +00:00
|
|
|
# Scan for trend
|
|
|
|
log.debug("Scanning for trend strategies...")
|
|
|
|
strategies = Strategy.objects.filter(trend_signals=callback.signal, enabled=True)
|
|
|
|
log.debug(f"Matched strategies: {strategies}")
|
|
|
|
for strategy in strategies:
|
|
|
|
log.debug(f"Executing strategy {strategy}")
|
|
|
|
if callback.hook.user != strategy.user:
|
|
|
|
log.error("Ownership differs between callback and strategy.")
|
|
|
|
continue
|
|
|
|
execute_strategy(callback, strategy, func="trend")
|
|
|
|
|
2022-12-01 19:33:06 +00:00
|
|
|
# Scan for entry
|
|
|
|
log.debug("Scanning for entry strategies...")
|
|
|
|
strategies = Strategy.objects.filter(entry_signals=callback.signal, enabled=True)
|
|
|
|
log.debug(f"Matched strategies: {strategies}")
|
|
|
|
for strategy in strategies:
|
|
|
|
log.debug(f"Executing strategy {strategy}")
|
|
|
|
if callback.hook.user != strategy.user:
|
|
|
|
log.error("Ownership differs between callback and strategy.")
|
|
|
|
continue
|
2022-12-01 20:36:32 +00:00
|
|
|
execute_strategy(callback, strategy, func="entry")
|
2022-12-01 19:33:06 +00:00
|
|
|
|
|
|
|
# Scan for exit
|
2022-12-01 21:13:21 +00:00
|
|
|
log.debug("Scanning for exit strategies...")
|
2022-12-01 19:33:06 +00:00
|
|
|
strategies = Strategy.objects.filter(exit_signals=callback.signal, enabled=True)
|
2022-10-27 17:08:40 +00:00
|
|
|
log.debug(f"Matched strategies: {strategies}")
|
|
|
|
for strategy in strategies:
|
|
|
|
log.debug(f"Executing strategy {strategy}")
|
|
|
|
if callback.hook.user != strategy.user:
|
|
|
|
log.error("Ownership differs between callback and strategy.")
|
2022-11-10 19:27:46 +00:00
|
|
|
continue
|
2022-12-01 20:36:32 +00:00
|
|
|
execute_strategy(callback, strategy, func="exit")
|