robosats/api/logics.py

1975 lines
80 KiB
Python
Raw Normal View History

2022-10-20 20:57:46 +00:00
import math
from datetime import timedelta
2022-10-20 20:57:46 +00:00
from decouple import config
from django.contrib.auth.models import User
2022-06-07 22:14:56 +00:00
from django.db.models import Q, Sum
2022-10-20 20:57:46 +00:00
from django.utils import timezone
2022-01-06 16:54:37 +00:00
2022-10-20 20:57:46 +00:00
from api.lightning.node import LNNode
from api.models import Currency, LNPayment, MarketTick, OnchainPayment, Order
from api.tasks import send_devfund_donation, send_notification
from api.utils import validate_onchain_address
from chat.models import Message
2022-01-06 16:54:37 +00:00
2022-02-17 19:50:10 +00:00
FEE = float(config("FEE"))
MAKER_FEE_SPLIT = float(config("MAKER_FEE_SPLIT"))
2022-02-17 19:50:10 +00:00
ESCROW_USERNAME = config("ESCROW_USERNAME")
PENALTY_TIMEOUT = int(config("PENALTY_TIMEOUT"))
2022-01-06 16:54:37 +00:00
2022-02-17 19:50:10 +00:00
MIN_TRADE = int(config("MIN_TRADE"))
MAX_TRADE = int(config("MAX_TRADE"))
2022-01-06 21:36:22 +00:00
2022-02-17 19:50:10 +00:00
EXP_MAKER_BOND_INVOICE = int(config("EXP_MAKER_BOND_INVOICE"))
EXP_TAKER_BOND_INVOICE = int(config("EXP_TAKER_BOND_INVOICE"))
2022-01-06 20:33:40 +00:00
2022-07-21 13:19:47 +00:00
BLOCK_TIME = float(config("BLOCK_TIME"))
2022-10-20 09:56:10 +00:00
MAX_MINING_NETWORK_SPEEDUP_EXPECTED = float(
config("MAX_MINING_NETWORK_SPEEDUP_EXPECTED")
)
2022-01-06 16:54:37 +00:00
2022-02-17 19:50:10 +00:00
INVOICE_AND_ESCROW_DURATION = int(config("INVOICE_AND_ESCROW_DURATION"))
FIAT_EXCHANGE_DURATION = int(config("FIAT_EXCHANGE_DURATION"))
2022-01-10 12:10:32 +00:00
2022-10-20 09:56:10 +00:00
class Logics:
@classmethod
def validate_already_maker_or_taker(cls, user):
2022-02-17 19:50:10 +00:00
"""Validates if a use is already not part of an active order"""
active_order_status = [
Order.Status.WFB,
Order.Status.PUB,
Order.Status.PAU,
2022-02-17 19:50:10 +00:00
Order.Status.TAK,
Order.Status.WF2,
Order.Status.WFE,
Order.Status.WFI,
Order.Status.CHA,
Order.Status.FSE,
Order.Status.DIS,
Order.Status.WFR,
]
"""Checks if the user is already partipant of an active order"""
2022-10-20 09:56:10 +00:00
queryset = Order.objects.filter(maker=user, status__in=active_order_status)
2022-01-06 16:54:37 +00:00
if queryset.exists():
2022-02-17 19:50:10 +00:00
return (
False,
2022-10-20 09:56:10 +00:00
{"bad_request": "You are already maker of an active order"},
2022-02-17 19:50:10 +00:00
queryset[0],
)
2022-10-20 09:56:10 +00:00
queryset = Order.objects.filter(taker=user, status__in=active_order_status)
2022-01-06 16:54:37 +00:00
if queryset.exists():
2022-02-17 19:50:10 +00:00
return (
False,
2022-10-20 09:56:10 +00:00
{"bad_request": "You are already taker of an active order"},
2022-02-17 19:50:10 +00:00
queryset[0],
)
# Edge case when the user is in an order that is failing payment and he is the buyer
2022-10-20 09:56:10 +00:00
queryset = Order.objects.filter(
Q(maker=user) | Q(taker=user),
status__in=[Order.Status.FAI, Order.Status.PAY],
)
if queryset.exists():
order = queryset[0]
if cls.is_buyer(order, user):
2022-02-17 19:50:10 +00:00
return (
False,
{
2022-10-20 09:56:10 +00:00
"bad_request": "You are still pending a payment from a recent order"
2022-02-17 19:50:10 +00:00
},
order,
)
return True, None, None
2022-01-06 16:54:37 +00:00
@classmethod
def validate_order_size(cls, order):
"""Validates if order size in Sats is within limits at t0"""
if not order.has_range:
if order.t0_satoshis > MAX_TRADE:
return False, {
2022-10-20 09:56:10 +00:00
"bad_request": "Your order is too big. It is worth "
+ "{:,}".format(order.t0_satoshis)
+ " Sats now, but the limit is "
+ "{:,}".format(MAX_TRADE)
+ " Sats"
}
if order.t0_satoshis < MIN_TRADE:
return False, {
2022-10-20 09:56:10 +00:00
"bad_request": "Your order is too small. It is worth "
+ "{:,}".format(order.t0_satoshis)
+ " Sats now, but the limit is "
+ "{:,}".format(MIN_TRADE)
+ " Sats"
}
elif order.has_range:
2022-10-20 09:56:10 +00:00
min_sats = cls.calc_sats(
order.min_amount, order.currency.exchange_rate, order.premium
)
max_sats = cls.calc_sats(
order.max_amount, order.currency.exchange_rate, order.premium
)
if min_sats > max_sats / 1.5:
return False, {
2022-10-20 09:56:10 +00:00
"bad_request": "Maximum range amount must be at least 50 percent higher than the minimum amount"
}
elif max_sats > MAX_TRADE:
return False, {
2022-10-20 09:56:10 +00:00
"bad_request": "Your order maximum amount is too big. It is worth "
+ "{:,}".format(int(max_sats))
+ " Sats now, but the limit is "
+ "{:,}".format(MAX_TRADE)
+ " Sats"
}
elif min_sats < MIN_TRADE:
return False, {
2022-10-20 09:56:10 +00:00
"bad_request": "Your order minimum amount is too small. It is worth "
+ "{:,}".format(int(min_sats))
+ " Sats now, but the limit is "
+ "{:,}".format(MIN_TRADE)
+ " Sats"
}
elif min_sats < max_sats / 15:
return False, {
"bad_request": "Your order amount range is too large. Max amount can only be 15 times bigger than min amount"
}
2022-01-06 21:36:22 +00:00
return True, None
2022-01-10 12:10:32 +00:00
def validate_amount_within_range(order, amount):
if amount > float(order.max_amount) or amount < float(order.min_amount):
return False, {
2022-10-20 09:56:10 +00:00
"bad_request": "The amount specified is outside the range specified by the maker"
}
return True, None
2022-02-03 18:06:30 +00:00
def user_activity_status(last_seen):
if last_seen > (timezone.now() - timedelta(minutes=2)):
2022-02-17 19:50:10 +00:00
return "Active"
2022-02-03 18:06:30 +00:00
elif last_seen > (timezone.now() - timedelta(minutes=10)):
2022-02-17 19:50:10 +00:00
return "Seen recently"
2022-02-03 18:06:30 +00:00
else:
2022-02-17 19:50:10 +00:00
return "Inactive"
2022-02-03 18:06:30 +00:00
2022-02-17 19:50:10 +00:00
@classmethod
def take(cls, order, user, amount=None):
2022-01-10 12:10:32 +00:00
is_penalized, time_out = cls.is_penalized(user)
if is_penalized:
2022-02-17 19:50:10 +00:00
return False, {
"bad_request",
f"You need to wait {time_out} seconds to take an order",
}
2022-01-10 12:10:32 +00:00
else:
if order.has_range:
2022-10-20 09:56:10 +00:00
order.amount = amount
2022-01-10 12:10:32 +00:00
order.taker = user
order.update_status(Order.Status.TAK)
2022-02-17 19:50:10 +00:00
order.expires_at = timezone.now() + timedelta(
2022-10-20 09:56:10 +00:00
seconds=order.t_to_expire(Order.Status.TAK)
)
order.save(update_fields=["amount", "taker", "expires_at"])
order.log(
f"Taken by Robot({user.robot.id},{user.username}) for {order.amount} fiat units"
)
2022-01-10 12:10:32 +00:00
return True, None
2022-01-06 16:54:37 +00:00
def is_buyer(order, user):
is_maker = order.maker == user
is_taker = order.taker == user
2022-02-17 19:50:10 +00:00
return (is_maker and order.type == Order.Types.BUY) or (
2022-10-20 09:56:10 +00:00
is_taker and order.type == Order.Types.SELL
)
2022-01-06 16:54:37 +00:00
def is_seller(order, user):
is_maker = order.maker == user
is_taker = order.taker == user
2022-02-17 19:50:10 +00:00
return (is_maker and order.type == Order.Types.SELL) or (
2022-10-20 09:56:10 +00:00
is_taker and order.type == Order.Types.BUY
)
2022-02-17 19:50:10 +00:00
def calc_sats(amount, exchange_rate, premium):
exchange_rate = float(exchange_rate)
premium_rate = exchange_rate * (1 + float(premium) / 100)
2022-10-20 09:56:10 +00:00
return (float(amount) / premium_rate) * 100 * 1000 * 1000
@classmethod
def satoshis_now(cls, order):
2022-02-17 19:50:10 +00:00
"""checks trade amount in sats"""
2022-01-06 16:54:37 +00:00
if order.is_explicit:
satoshis_now = order.satoshis
else:
amount = order.amount if order.amount is not None else order.max_amount
2022-10-20 09:56:10 +00:00
satoshis_now = cls.calc_sats(
amount, order.currency.exchange_rate, order.premium
)
return int(satoshis_now)
2022-01-10 01:12:58 +00:00
def price_and_premium_now(order):
2022-02-17 19:50:10 +00:00
"""computes order price and premium with current rates"""
exchange_rate = float(order.currency.exchange_rate)
2022-01-10 01:12:58 +00:00
if not order.is_explicit:
premium = order.premium
2022-02-17 19:50:10 +00:00
price = exchange_rate * (1 + float(premium) / 100)
2022-01-10 01:12:58 +00:00
else:
amount = order.amount if not order.has_range else order.max_amount
order_rate = float(amount) / (float(order.satoshis) / 100_000_000)
2022-01-10 01:12:58 +00:00
premium = order_rate / exchange_rate - 1
premium = int(premium * 10_000) / 100 # 2 decimals left
2022-01-10 01:12:58 +00:00
price = order_rate
2022-01-14 21:40:54 +00:00
significant_digits = 5
2022-02-17 19:50:10 +00:00
price = round(
2022-10-20 09:56:10 +00:00
price, significant_digits - int(math.floor(math.log10(abs(price)))) - 1
)
2022-02-17 19:50:10 +00:00
2022-01-10 01:12:58 +00:00
return price, premium
@classmethod
def order_expires(cls, order):
2022-02-17 19:50:10 +00:00
"""General cases when time runs out."""
# Do not change order status if an order in any with
# any of these status is sent to expire here
2022-02-17 19:50:10 +00:00
does_not_expire = [
Order.Status.UCA,
Order.Status.EXP,
Order.Status.TLD,
Order.Status.DIS,
Order.Status.CCA,
Order.Status.PAY,
Order.Status.SUC,
Order.Status.FAI,
Order.Status.MLD,
]
# in any case, if order is_swap and there is an onchain_payment, cancel it.
if order.status not in does_not_expire:
cls.cancel_onchain_payment(order)
if order.status in does_not_expire:
return False
elif order.status == Order.Status.WFB:
order.update_status(Order.Status.EXP)
order.expiry_reason = Order.ExpiryReasons.NMBOND
cls.cancel_bond(order.maker_bond)
order.save(update_fields=["expiry_reason"])
order.log("Order expired while waiting for maker bond")
order.log("Maker bond was cancelled")
return True
2022-02-17 19:50:10 +00:00
elif order.status in [Order.Status.PUB, Order.Status.PAU]:
cls.return_bond(order.maker_bond)
order.update_status(Order.Status.EXP)
order.expiry_reason = Order.ExpiryReasons.NTAKEN
order.save(update_fields=["expiry_reason"])
send_notification.delay(order_id=order.id, message="order_expired_untaken")
order.log("Order expired while public or paused")
order.log("Maker bond was <b>unlocked</b>")
return True
elif order.status == Order.Status.TAK:
cls.cancel_bond(order.taker_bond)
cls.kick_taker(order)
order.log("Order expired while waiting for taker bond")
order.log("Taker bond was cancelled")
return True
elif order.status == Order.Status.WF2:
2022-02-17 19:50:10 +00:00
"""Weird case where an order expires and both participants
did not proceed with the contract. Likely the site was
down or there was a bug. Still bonds must be charged
2022-02-17 19:50:10 +00:00
to avoid service DDOS."""
cls.settle_bond(order.maker_bond)
cls.settle_bond(order.taker_bond)
cls.cancel_escrow(order)
order.update_status(Order.Status.EXP)
order.expiry_reason = Order.ExpiryReasons.NESINV
order.save(update_fields=["expiry_reason"])
order.log(
"Order expired while waiting for both buyer invoice and seller escrow"
)
order.log("Maker bond was <b>settled</b>")
order.log("Taker bond was <b>settled</b>")
return True
elif order.status == Order.Status.WFE:
maker_is_seller = cls.is_seller(order, order.maker)
# If maker is seller, settle the bond and order goes to expired
if maker_is_seller:
cls.settle_bond(order.maker_bond)
cls.return_bond(order.taker_bond)
# If seller is offline the escrow LNpayment does not exist
2022-10-20 09:56:10 +00:00
try:
cls.cancel_escrow(order)
except Exception:
pass
order.update_status(Order.Status.EXP)
order.expiry_reason = Order.ExpiryReasons.NESCRO
order.save(update_fields=["expiry_reason"])
# Reward taker with part of the maker bond
cls.add_slashed_rewards(order, order.maker_bond, order.taker_bond)
order.log("Order expired while waiting for escrow of the maker/seller")
order.log("Maker bond was <b>settled</b>")
order.log("Taker bond was <b>unlocked</b>")
return True
# If maker is buyer, settle the taker's bond order goes back to public
else:
cls.settle_bond(order.taker_bond)
# If seller is offline the escrow LNpayment does not even exist
2022-10-20 09:56:10 +00:00
try:
cls.cancel_escrow(order)
except Exception:
pass
taker_bond = order.taker_bond
cls.publish_order(order)
send_notification.delay(order_id=order.id, message="order_published")
# Reward maker with part of the taker bond
cls.add_slashed_rewards(order, taker_bond, order.maker_bond)
order.log("Order expired while waiting for escrow of the taker/seller")
order.log("Taker bond was <b>settled</b>")
return True
elif order.status == Order.Status.WFI:
# The trade could happen without a buyer invoice. However, this user
# is likely AFK; will probably desert the contract as well.
maker_is_buyer = cls.is_buyer(order, order.maker)
# If maker is buyer, settle the bond and order goes to expired
if maker_is_buyer:
cls.settle_bond(order.maker_bond)
cls.return_bond(order.taker_bond)
cls.return_escrow(order)
order.update_status(Order.Status.EXP)
order.expiry_reason = Order.ExpiryReasons.NINVOI
order.save(update_fields=["expiry_reason"])
# Reward taker with part of the maker bond
cls.add_slashed_rewards(order, order.maker_bond, order.taker_bond)
order.log("Order expired while waiting for invoice of the maker/buyer")
order.log("Maker bond was <b>settled</b>")
order.log("Taker bond was <b>unlocked</b>")
return True
# If maker is seller settle the taker's bond, order goes back to public
else:
cls.settle_bond(order.taker_bond)
cls.return_escrow(order)
taker_bond = order.taker_bond
cls.publish_order(order)
send_notification.delay(order_id=order.id, message="order_published")
# Reward maker with part of the taker bond
cls.add_slashed_rewards(order, taker_bond, order.maker_bond)
order.log("Order expired while waiting for invoice of the taker/buyer")
order.log("Taker bond was <b>settled</b>")
return True
2022-02-17 19:50:10 +00:00
2022-01-19 20:55:24 +00:00
elif order.status in [Order.Status.CHA, Order.Status.FSE]:
# Another weird case. The time to confirm 'fiat sent or received' expired. Yet no dispute
2022-02-17 19:50:10 +00:00
# was opened. Hint: a seller-scammer could persuade a buyer to not click "fiat
# sent", we assume this is a dispute case by default.
cls.open_dispute(order)
order.log(
"Order expired during chat and a dispute was opened automatically"
)
return True
2022-01-06 16:54:37 +00:00
@classmethod
def kick_taker(cls, order):
2022-02-17 19:50:10 +00:00
"""The taker did not lock the taker_bond. Now he has to go"""
# Add a time out to the taker
if order.taker:
robot = order.taker.robot
robot.penalty_expiration = timezone.now() + timedelta(
2022-10-20 09:56:10 +00:00
seconds=PENALTY_TIMEOUT
)
robot.save(update_fields=["penalty_expiration"])
# Make order public again
cls.publish_order(order)
order.log("Taker was kicked out of the order")
return True
@classmethod
def automatic_dispute_resolution(cls, order):
"""Simple case where a dispute can be solved with a
priori knowledge. For example, a dispute that opens
at expiration on an order where one of the participants
never sent a message on the chat and never marked 'fiat
sent'. By solving the dispute automatically before
flagging it as dispute, we avoid having to settle the
bonds"""
# If fiat has been marked as sent, automatic dispute
# resolution is not possible.
2023-05-09 13:21:40 +00:00
if order.is_fiat_sent and not order.reverted_fiat_sent:
return False
# If the order has not entered dispute due to time expire
# (a user triggered it), automatic dispute resolution is
# not possible.
if order.expires_at >= timezone.now():
return False
num_messages_taker = len(
Message.objects.filter(order=order, sender=order.taker)
)
num_messages_maker = len(
Message.objects.filter(order=order, sender=order.maker)
)
if num_messages_maker == num_messages_taker == 0:
cls.return_escrow(order)
cls.settle_bond(order.maker_bond)
cls.settle_bond(order.taker_bond)
order.update_status(Order.Status.DIS)
order.log("Maker bond was <b>settled</b>")
order.log("Taker bond was <b>settled</b>")
order.log(
"No robot wrote in the chat, the dispute cannot be solved automatically"
)
elif num_messages_maker == 0:
cls.return_escrow(order)
cls.settle_bond(order.maker_bond)
cls.return_bond(order.taker_bond)
cls.add_slashed_rewards(order, order.maker_bond, order.taker_bond)
order.update_status(Order.Status.MLD)
order.log("Maker bond was <b>settled</b>")
order.log("Taker bond was <b>unlocked</b>")
order.log(
"<b>The dispute was solved automatically:</b> 'Maker lost dispute', the maker did not write in the chat"
)
2023-05-09 13:21:40 +00:00
elif num_messages_taker == 0:
cls.return_escrow(order)
2023-05-12 18:29:19 +00:00
cls.settle_bond(order.taker_bond)
cls.return_bond(order.maker_bond)
cls.add_slashed_rewards(order, order.taker_bond, order.maker_bond)
order.update_status(Order.Status.TLD)
order.log("Maker bond was <b>unlocked</b>")
order.log("Taker bond was <b>settled</b>")
order.log(
"<b>The dispute was solved automatically:</b> 'Taker lost dispute', the maker did not write in the chat"
)
else:
return False
order.is_disputed = True
order.expires_at = timezone.now() + timedelta(
seconds=order.t_to_expire(Order.Status.DIS)
)
order.save(update_fields=["is_disputed", "expires_at"])
send_notification.delay(order_id=order.id, message="dispute_opened")
return True
@classmethod
def open_dispute(cls, order, user=None):
2022-10-20 09:56:10 +00:00
# Always settle escrow and bonds during a dispute. Disputes
# can take long to resolve, it might trigger force closure
# for unresolved HTLCs) Dispute winner will have to submit a
# new invoice for value of escrow + bond.
valid_status_open_dispute = [
2022-05-16 06:47:22 +00:00
Order.Status.CHA,
Order.Status.FSE,
]
if order.status not in valid_status_open_dispute:
2022-10-20 09:56:10 +00:00
return False, {
"bad_request": "You cannot open a dispute of this order at this stage"
}
automatically_solved = cls.automatic_dispute_resolution(order)
if automatically_solved:
return True, None
if not order.trade_escrow.status == LNPayment.Status.SETLED:
2022-02-17 19:50:10 +00:00
cls.settle_escrow(order)
cls.settle_bond(order.maker_bond)
cls.settle_bond(order.taker_bond)
2022-02-17 19:50:10 +00:00
order.is_disputed = True
order.update_status(Order.Status.DIS)
2022-02-17 19:50:10 +00:00
order.expires_at = timezone.now() + timedelta(
2022-10-20 09:56:10 +00:00
seconds=order.t_to_expire(Order.Status.DIS)
)
order.save(update_fields=["is_disputed", "expires_at"])
# User could be None if a dispute is open automatically due to time expiration.
if user is not None:
robot = user.robot
robot.num_disputes = robot.num_disputes + 1
if robot.orders_disputes_started is None:
robot.orders_disputes_started = [str(order.id)]
2022-01-20 17:30:29 +00:00
else:
robot.orders_disputes_started = list(
robot.orders_disputes_started
2022-10-20 09:56:10 +00:00
).append(str(order.id))
robot.save(update_fields=["num_disputes", "orders_disputes_started"])
send_notification.delay(order_id=order.id, message="dispute_opened")
order.log(
f"Dispute was opened {f'by Robot({user.robot.id},{user.username})' if user else ''}"
)
order.log("Maker bond was <b>settled</b>")
order.log("Taker bond was <b>settled</b>")
return True, None
def dispute_statement(order, user, statement):
2022-02-17 19:50:10 +00:00
"""Updates the dispute statements"""
2022-01-27 14:40:14 +00:00
if not order.status == Order.Status.DIS:
2022-02-17 19:50:10 +00:00
return False, {
2022-10-20 09:56:10 +00:00
"bad_request": "Only orders in dispute accept dispute statements"
2022-02-17 19:50:10 +00:00
}
if len(statement) > 50_000:
2022-02-17 19:50:10 +00:00
return False, {
"bad_statement": "The statement and chat logs are longer than 50,000 characters"
2022-02-17 19:50:10 +00:00
}
2022-10-20 09:56:10 +00:00
if len(statement) < 100:
return False, {
"bad_statement": "The statement is too short. Make sure to be thorough."
}
if order.maker == user:
order.maker_statement = statement
order.save(update_fields=["maker_statement"])
else:
order.taker_statement = statement
order.save(update_fields=["taker_statement"])
2022-02-17 19:50:10 +00:00
# If both statements are in, move status to wait for dispute resolution
2022-10-20 09:56:10 +00:00
if order.maker_statement not in [None, ""] and order.taker_statement not in [
None,
"",
]:
order.update_status(Order.Status.WFR)
2022-02-17 19:50:10 +00:00
order.expires_at = timezone.now() + timedelta(
2022-10-20 09:56:10 +00:00
seconds=order.t_to_expire(Order.Status.WFR)
)
order.save(update_fields=["status", "expires_at"])
order.log(
f"Dispute statement submitted by Robot({user.robot.id},{user.username}) with length of {len(statement)} chars"
)
return True, None
2022-06-06 20:37:51 +00:00
def compute_swap_fee_rate(balance):
2022-10-20 09:56:10 +00:00
shape = str(config("SWAP_FEE_SHAPE"))
2022-06-06 20:37:51 +00:00
if shape == "linear":
2022-10-20 09:56:10 +00:00
MIN_SWAP_FEE = float(config("MIN_SWAP_FEE"))
MIN_POINT = float(config("MIN_POINT"))
MAX_SWAP_FEE = float(config("MAX_SWAP_FEE"))
MAX_POINT = float(config("MAX_POINT"))
2022-06-11 13:12:09 +00:00
if float(balance.onchain_fraction) > MIN_POINT:
2022-06-06 20:37:51 +00:00
swap_fee_rate = MIN_SWAP_FEE
else:
slope = (MAX_SWAP_FEE - MIN_SWAP_FEE) / (MAX_POINT - MIN_POINT)
2022-10-20 09:56:10 +00:00
swap_fee_rate = (
slope * (balance.onchain_fraction - MAX_POINT) + MAX_SWAP_FEE
)
2022-06-06 20:37:51 +00:00
2022-06-07 22:14:56 +00:00
elif shape == "exponential":
2022-10-20 09:56:10 +00:00
MIN_SWAP_FEE = float(config("MIN_SWAP_FEE"))
MAX_SWAP_FEE = float(config("MAX_SWAP_FEE"))
SWAP_LAMBDA = float(config("SWAP_LAMBDA"))
swap_fee_rate = MIN_SWAP_FEE + (MAX_SWAP_FEE - MIN_SWAP_FEE) * math.exp(
-SWAP_LAMBDA * float(balance.onchain_fraction)
)
2022-06-07 22:14:56 +00:00
2022-06-11 13:12:09 +00:00
return swap_fee_rate * 100
2022-06-06 20:37:51 +00:00
@classmethod
2022-06-11 13:12:09 +00:00
def create_onchain_payment(cls, order, user, preliminary_amount):
2022-10-20 09:56:10 +00:00
"""
2022-06-06 20:37:51 +00:00
Creates an empty OnchainPayment for order.payout_tx.
It sets the fees to be applied to this order if onchain Swap is used.
If the user submits a LN invoice instead. The returned OnchainPayment goes unused.
2022-10-20 09:56:10 +00:00
"""
# Make sure no invoice payout is attached to order
order.payout = None
# Create onchain_payment
2022-06-11 13:12:09 +00:00
onchain_payment = OnchainPayment.objects.create(receiver=user)
2022-10-20 09:56:10 +00:00
2022-06-07 22:14:56 +00:00
# Compute a safer available onchain liquidity: (confirmed_utxos - reserve - pending_outgoing_txs))
# Accounts for already committed outgoing TX for previous users.
confirmed = onchain_payment.balance.onchain_confirmed
Add core-lightning as backend lightning node vendor (#611) * Add CLN node backend image and service (#418) * Add cln service * Add hodlvoice Dockerfile and entrypoint * Add lnnode vendor switch (#431) * Add LNNode vendor switch * Add CLN version to frontend and other fixes * init * first draft * add unsettled_local_balance and unsettled_remote_balance * gen_hold_invoice now takes 3 more variables to build a label for cln * remove unneeded payment_hash from gen_hold_invoice * remove comment * add get_cln_version * first draft of clns follow_send_payment * fix name of get_lnd_version * enable flake8 * flake8 fixes * renaming cln file, class and get_version * remove lnd specific commented code * get_version: add try/except, refactor to top to mimic lnd.py * rename htlc_cltv to htlc_expiry * add clns lookup_invoice_status * refactored double_check_htlc_is_settled to the end to match lnds file * fix generate_rpc * Add sample environmental variables, small fixes * Fix CLN gRPC port * Fix gen_hold_invoice, plus some other tiny fixes (#435) * Fix channel_balance to use int object inside Amount (#438) * Add CLN/LND volume to celery-beat service * Add CLN/LND volume to celery-beat service * Bump CLN to v23.05 * changes for 0.5 and some small fixes * change invoice expiry from absolute to relative duration * add try/except to catch timeout error * fix failure_reason to be ln_payment failure reasons, albeit inaccurate sometimes * refactor follow_send_payment and add pending check to expired case * fix status comments * add send_keysend method * fix wrong state ints in cancel and settle * switch to use hodlinvoicelookup in double_check * move pay command after lnpayment status update * remove loop in follow_send_payment and add error result for edge case * fix typeerror for payment_hash * rework follow_send_payment logic and payment_hash, watch harder if pending * use fully qualified names for status instead of raw int * missed 2 status from prev commit * Always copy the cln-grpc-hodl plugin on start up * Fix ALLOW_SELF_KEYSEND linting error * Fix missing definition of failure_reason --------- Co-authored-by: daywalker90 <admin@noserver4u.de>
2023-05-22 14:56:15 +00:00
# We assume a reserve of 300K Sats (3 times higher than LND's default anchor reserve)
reserve = 300_000
2022-10-20 09:56:10 +00:00
pending_txs = OnchainPayment.objects.filter(
status__in=[OnchainPayment.Status.VALID, OnchainPayment.Status.QUEUE]
2022-10-20 09:56:10 +00:00
).aggregate(Sum("num_satoshis"))["num_satoshis__sum"]
if pending_txs is None:
2022-06-11 13:12:09 +00:00
pending_txs = 0
2022-10-20 09:56:10 +00:00
2022-06-07 22:14:56 +00:00
available_onchain = confirmed - reserve - pending_txs
2022-10-20 09:56:10 +00:00
if (
preliminary_amount > available_onchain
): # Not enough onchain balance to commit for this swap.
2022-06-07 22:14:56 +00:00
return False
suggested_mining_fee_rate = LNNode.estimate_fee(
2023-03-18 10:39:37 +00:00
amount_sats=preliminary_amount,
target_conf=config("SUGGESTED_TARGET_CONF", cast=int, default=2),
)["mining_fee_rate"]
2022-06-11 13:12:09 +00:00
# Hardcap mining fee suggested at 1000 sats/vbyte
if suggested_mining_fee_rate > 1000:
suggested_mining_fee_rate = 1000
2022-06-11 13:12:09 +00:00
onchain_payment.suggested_mining_fee_rate = max(2.05, suggested_mining_fee_rate)
2022-10-20 09:56:10 +00:00
onchain_payment.swap_fee_rate = cls.compute_swap_fee_rate(
onchain_payment.balance
)
2022-06-06 20:37:51 +00:00
onchain_payment.save()
order.payout_tx = onchain_payment
order.save(update_fields=["payout_tx"])
order.log(
f"Empty OnchainPayment({order.payout_tx.id},{order.payout_tx}) was created. Available onchain balance is {available_onchain} Sats"
)
2022-06-07 22:14:56 +00:00
return True
2022-06-06 20:37:51 +00:00
@classmethod
def payout_amount(cls, order, user):
2022-02-17 19:50:10 +00:00
"""Computes buyer invoice amount. Uses order.last_satoshis,
2022-06-06 20:37:51 +00:00
that is the final trade amount set at Taker Bond time
Adds context for onchain swap.
"""
if not cls.is_buyer(order, user):
return False, None
if user == order.maker:
fee_fraction = FEE * MAKER_FEE_SPLIT
elif user == order.taker:
fee_fraction = FEE * (1 - MAKER_FEE_SPLIT)
fee_sats = order.last_satoshis * fee_fraction
2022-06-06 20:37:51 +00:00
context = {}
# context necessary for the user to submit a LN invoice
2022-10-20 09:56:10 +00:00
context["invoice_amount"] = round(
order.last_satoshis - fee_sats
2022-10-20 09:56:10 +00:00
) # Trading fee to buyer is charged here.
2022-06-06 20:37:51 +00:00
# context necessary for the user to submit an onchain address
MIN_SWAP_AMOUNT = config("MIN_SWAP_AMOUNT", cast=int, default=20_000)
MAX_SWAP_AMOUNT = config("MAX_SWAP_AMOUNT", cast=int, default=500_000)
2022-06-06 20:37:51 +00:00
if context["invoice_amount"] < MIN_SWAP_AMOUNT:
context["swap_allowed"] = False
2022-10-20 09:56:10 +00:00
context[
"swap_failure_reason"
2023-03-14 19:54:31 +00:00
] = f"Order amount is smaller than the minimum swap available of {MIN_SWAP_AMOUNT} Sats"
order.log(
f"Onchain payment option was not offered: amount is smaller than the minimum swap available of {MIN_SWAP_AMOUNT} Sats",
level="WARN",
)
2023-03-14 19:54:31 +00:00
return True, context
elif context["invoice_amount"] > MAX_SWAP_AMOUNT:
context["swap_allowed"] = False
context[
"swap_failure_reason"
] = f"Order amount is bigger than the maximum swap available of {MAX_SWAP_AMOUNT} Sats"
order.log(
f"Onchain payment option was not offered: amount is bigger than the maximum swap available of {MAX_SWAP_AMOUNT} Sats",
level="WARN",
)
2022-06-06 20:37:51 +00:00
return True, context
2023-03-14 19:54:31 +00:00
if config("DISABLE_ONCHAIN", cast=bool, default=True):
2022-06-16 15:31:30 +00:00
context["swap_allowed"] = False
context["swap_failure_reason"] = "On-the-fly submarine swaps are disabled"
order.log(
"Onchain payment option was not offered: on-the-fly submarine swaps are disabled"
)
2022-06-16 15:31:30 +00:00
return True, context
if order.payout_tx is None:
2022-06-07 22:14:56 +00:00
# Creates the OnchainPayment object and checks node balance
2022-10-20 09:56:10 +00:00
valid = cls.create_onchain_payment(
order, user, preliminary_amount=context["invoice_amount"]
)
order.log(
f"Suggested mining fee is {order.payout_tx.suggested_mining_fee_rate} Sats/vbyte, the swap fee rate is {order.payout_tx.swap_fee_rate}%"
)
2022-06-07 22:14:56 +00:00
if not valid:
context["swap_allowed"] = False
2022-10-20 09:56:10 +00:00
context[
"swap_failure_reason"
] = "Not enough onchain liquidity available to offer a swap"
order.log(
"Onchain payment option was not offered: onchain liquidity available to offer a swap",
level="WARN",
)
2022-06-07 22:14:56 +00:00
return True, context
2022-06-06 20:37:51 +00:00
context["swap_allowed"] = True
context["suggested_mining_fee_rate"] = order.payout_tx.suggested_mining_fee_rate
context["swap_fee_rate"] = order.payout_tx.swap_fee_rate
2022-06-06 20:37:51 +00:00
return True, context
@classmethod
def escrow_amount(cls, order, user):
"""Computes escrow invoice amount. Uses order.last_satoshis,
2022-10-20 09:56:10 +00:00
that is the final trade amount set at Taker Bond time"""
if user == order.maker:
fee_fraction = FEE * MAKER_FEE_SPLIT
elif user == order.taker:
fee_fraction = FEE * (1 - MAKER_FEE_SPLIT)
2022-10-20 09:56:10 +00:00
fee_sats = order.last_satoshis * fee_fraction
2022-03-05 20:51:16 +00:00
if cls.is_seller(order, user):
2022-10-20 09:56:10 +00:00
escrow_amount = round(
order.last_satoshis + fee_sats
2022-10-20 09:56:10 +00:00
) # Trading fee to seller is charged here.
return True, {"escrow_amount": escrow_amount}
@classmethod
def update_address(cls, order, user, address, mining_fee_rate):
# Empty address?
if not address:
return False, {"bad_address": "You submitted an empty address"}
# only the buyer can post a buyer address
if not cls.is_buyer(order, user):
return False, {
2022-10-20 09:56:10 +00:00
"bad_request": "Only the buyer of this order can provide a payout address."
}
# not the right time to submit
if not (
order.taker_bond.status
== order.maker_bond.status
== LNPayment.Status.LOCKED
) or order.status not in [Order.Status.WFI, Order.Status.WF2]:
order.log(
f"Robot({user.robot.id},{user.username}) attempted to submit an address while the order was in status {order.status}",
level="ERROR",
)
return False, {"bad_request": "You cannot submit an address now."}
# not a valid address
valid, context = validate_onchain_address(address)
if not valid:
order.log(f"The address {address} is not valid", level="WARN")
return False, context
num_satoshis = cls.payout_amount(order, user)[1]["invoice_amount"]
if mining_fee_rate:
# not a valid mining fee
min_mining_fee_rate = LNNode.estimate_fee(
2023-03-18 10:39:37 +00:00
amount_sats=num_satoshis,
target_conf=config("MINIMUM_TARGET_CONF", cast=int, default=24),
)["mining_fee_rate"]
min_mining_fee_rate = max(2, min_mining_fee_rate)
if float(mining_fee_rate) < min_mining_fee_rate:
order.log(
f"The onchain fee {float(mining_fee_rate)} Sats/vbytes proposed by Robot({user.robot.id},{user.username}) is less than the current minimum mining fee {min_mining_fee_rate} Sats",
level="WARN",
)
return False, {
"bad_address": f"The mining fee is too low. Must be higher than {min_mining_fee_rate} Sat/vbyte"
}
2023-05-05 19:44:18 +00:00
elif float(mining_fee_rate) > 500:
order.log(
f"The onchain fee {float(mining_fee_rate)} Sats/vbytes proposed by Robot({user.robot.id},{user.username}) is higher than the absolute maximum mining fee 500 Sats",
level="WARN",
)
return False, {
2023-05-05 19:44:18 +00:00
"bad_address": "The mining fee is too high, must be less than 500 Sats/vbyte"
}
order.payout_tx.mining_fee_rate = float(mining_fee_rate)
2023-05-05 19:44:18 +00:00
# If not mining fee provider use backend's suggested fee rate
else:
order.payout_tx.mining_fee_rate = order.payout_tx.suggested_mining_fee_rate
tx = order.payout_tx
tx.address = address
2023-05-05 19:44:18 +00:00
tx.mining_fee_sats = int(tx.mining_fee_rate * 280)
tx.num_satoshis = num_satoshis
2022-10-20 09:56:10 +00:00
tx.sent_satoshis = int(
float(tx.num_satoshis)
- float(tx.num_satoshis) * float(tx.swap_fee_rate) / 100
- float(tx.mining_fee_sats)
)
2023-05-05 19:44:18 +00:00
if float(tx.sent_satoshis) < 20_000:
order.log(
f"The onchain Sats to be sent ({float(tx.sent_satoshis)}) are below the dust limit of 20,000 Sats",
level="WARN",
)
2023-05-05 19:44:18 +00:00
return False, {
"bad_address": "The amount remaining after subtracting mining fee is close to dust limit."
}
tx.status = OnchainPayment.Status.VALID
tx.save()
order.is_swap = True
order.save(update_fields=["is_swap"])
order.log(
f"Robot({user.robot.id},{user.username}) added an onchain address OnchainPayment({tx.id},{address[:6]}...{address[-4:]}) as payout method. Amount to be sent is {tx.sent_satoshis} Sats, mining fee is {tx.mining_fee_sats} Sats"
)
cls.move_state_updated_payout_method(order)
return True, None
2022-01-06 16:54:37 +00:00
@classmethod
def update_invoice(cls, order, user, invoice, routing_budget_ppm):
2022-05-28 13:05:26 +00:00
# Empty invoice?
if not invoice:
order.log(
f"Robot({user.robot.id},{user.username}) submitted an empty invoice",
level="WARN",
)
2022-10-20 09:56:10 +00:00
return False, {"bad_invoice": "You submitted an empty invoice"}
2022-01-07 19:22:07 +00:00
# only the buyer can post a buyer invoice
if not cls.is_buyer(order, user):
2022-02-17 19:50:10 +00:00
return False, {
2022-10-20 09:56:10 +00:00
"bad_request": "Only the buyer of this order can provide a buyer invoice."
2022-02-17 19:50:10 +00:00
}
2022-01-07 19:22:07 +00:00
if not order.taker_bond:
2022-02-17 19:50:10 +00:00
return False, {"bad_request": "Wait for your order to be taken."}
2022-10-20 09:56:10 +00:00
if (
2022-10-22 14:23:22 +00:00
not (
order.taker_bond.status
== order.maker_bond.status
== LNPayment.Status.LOCKED
)
2022-10-20 09:56:10 +00:00
and not order.status == Order.Status.FAI
):
2022-02-17 19:50:10 +00:00
return False, {
"bad_request": "You cannot submit an invoice while bonds are not locked."
2022-02-17 19:50:10 +00:00
}
if order.status == Order.Status.FAI:
if order.payout.status != LNPayment.Status.EXPIRE:
return False, {
"bad_request": "You can only submit an invoice after expiration or 3 failed attempts"
}
2022-02-17 19:50:10 +00:00
# cancel onchain_payout if existing
cls.cancel_onchain_payment(order)
2022-02-17 19:50:10 +00:00
num_satoshis = cls.payout_amount(order, user)[1]["invoice_amount"]
routing_budget_sats = float(num_satoshis) * (
float(routing_budget_ppm) / 1_000_000
)
num_satoshis = int(num_satoshis - routing_budget_sats)
payout = LNNode.validate_ln_invoice(invoice, num_satoshis, routing_budget_ppm)
2022-02-17 19:50:10 +00:00
if not payout["valid"]:
2022-10-22 14:23:22 +00:00
return False, payout["context"]
2022-01-06 22:39:59 +00:00
order.payout, _ = LNPayment.objects.update_or_create(
2022-02-17 19:50:10 +00:00
concept=LNPayment.Concepts.PAYBUYER,
type=LNPayment.Types.NORM,
sender=User.objects.get(username=ESCROW_USERNAME),
Add core-lightning as backend lightning node vendor (#611) * Add CLN node backend image and service (#418) * Add cln service * Add hodlvoice Dockerfile and entrypoint * Add lnnode vendor switch (#431) * Add LNNode vendor switch * Add CLN version to frontend and other fixes * init * first draft * add unsettled_local_balance and unsettled_remote_balance * gen_hold_invoice now takes 3 more variables to build a label for cln * remove unneeded payment_hash from gen_hold_invoice * remove comment * add get_cln_version * first draft of clns follow_send_payment * fix name of get_lnd_version * enable flake8 * flake8 fixes * renaming cln file, class and get_version * remove lnd specific commented code * get_version: add try/except, refactor to top to mimic lnd.py * rename htlc_cltv to htlc_expiry * add clns lookup_invoice_status * refactored double_check_htlc_is_settled to the end to match lnds file * fix generate_rpc * Add sample environmental variables, small fixes * Fix CLN gRPC port * Fix gen_hold_invoice, plus some other tiny fixes (#435) * Fix channel_balance to use int object inside Amount (#438) * Add CLN/LND volume to celery-beat service * Add CLN/LND volume to celery-beat service * Bump CLN to v23.05 * changes for 0.5 and some small fixes * change invoice expiry from absolute to relative duration * add try/except to catch timeout error * fix failure_reason to be ln_payment failure reasons, albeit inaccurate sometimes * refactor follow_send_payment and add pending check to expired case * fix status comments * add send_keysend method * fix wrong state ints in cancel and settle * switch to use hodlinvoicelookup in double_check * move pay command after lnpayment status update * remove loop in follow_send_payment and add error result for edge case * fix typeerror for payment_hash * rework follow_send_payment logic and payment_hash, watch harder if pending * use fully qualified names for status instead of raw int * missed 2 status from prev commit * Always copy the cln-grpc-hodl plugin on start up * Fix ALLOW_SELF_KEYSEND linting error * Fix missing definition of failure_reason --------- Co-authored-by: daywalker90 <admin@noserver4u.de>
2023-05-22 14:56:15 +00:00
# In case this user has other payouts, update the one related to this order.
order_paid_LN=order,
2022-02-17 19:50:10 +00:00
receiver=user,
routing_budget_ppm=routing_budget_ppm,
routing_budget_sats=routing_budget_sats,
2022-01-06 22:39:59 +00:00
# if there is a LNPayment matching these above, it updates that one with defaults below.
defaults={
2022-10-22 14:23:22 +00:00
"invoice": invoice,
"status": LNPayment.Status.VALIDI,
"num_satoshis": num_satoshis,
"description": payout["description"],
2022-02-17 19:50:10 +00:00
"payment_hash": payout["payment_hash"],
"created_at": payout["created_at"],
"expires_at": payout["expires_at"],
},
)
2022-01-06 22:39:59 +00:00
order.is_swap = False
order.save(update_fields=["payout", "is_swap"])
order.log(
f"Robot({user.robot.id},{user.username}) added the invoice LNPayment({order.payout.payment_hash},{order.payout.payment_hash}) as payout method. Amount to be sent is {order.payout.num_satoshis} Sats, routing budget is {order.payout.routing_budget_sats} Sats ({order.payout.routing_budget_ppm}ppm)"
)
cls.move_state_updated_payout_method(order)
return True, None
@classmethod
2022-10-20 09:56:10 +00:00
def move_state_updated_payout_method(cls, order):
# If the order status is 'Waiting for invoice'. Move forward to 'chat'
2022-02-17 19:50:10 +00:00
if order.status == Order.Status.WFI:
order.update_status(Order.Status.CHA)
2022-02-17 19:50:10 +00:00
order.expires_at = timezone.now() + timedelta(
2022-10-20 09:56:10 +00:00
seconds=order.t_to_expire(Order.Status.CHA)
)
send_notification.delay(order_id=order.id, message="fiat_exchange_starts")
2022-01-06 22:39:59 +00:00
# If the order status is 'Waiting for both'. Move forward to 'waiting for escrow'
2022-06-19 06:09:21 +00:00
elif order.status == Order.Status.WF2:
# If the escrow does not exist, or is not locked move to WFE.
if order.trade_escrow is None:
order.update_status(Order.Status.WFE)
# If the escrow is locked move to Chat.
elif order.trade_escrow.status == LNPayment.Status.LOCKED:
order.update_status(Order.Status.CHA)
2022-02-17 19:50:10 +00:00
order.expires_at = timezone.now() + timedelta(
2022-10-20 09:56:10 +00:00
seconds=order.t_to_expire(Order.Status.CHA)
)
send_notification.delay(
order_id=order.id, message="fiat_exchange_starts"
)
2022-01-06 22:39:59 +00:00
else:
order.update_status(Order.Status.WFE)
2022-02-17 19:50:10 +00:00
# If the order status is 'Failed Routing'. Retry payment.
2022-06-19 06:09:21 +00:00
elif order.status == Order.Status.FAI:
2022-10-20 09:56:10 +00:00
if LNNode.double_check_htlc_is_settled(order.trade_escrow.payment_hash):
order.update_status(Order.Status.PAY)
order.payout.status = LNPayment.Status.FLIGHT
order.payout.routing_attempts = 0
order.payout.save(update_fields=["status", "routing_attempts"])
2022-10-20 09:56:10 +00:00
order.save(update_fields=["expires_at"])
return True
2022-01-06 20:33:40 +00:00
2022-01-10 12:10:32 +00:00
def is_penalized(user):
2022-02-17 19:50:10 +00:00
"""Checks if a user that is not participant of orders
has a limit on taking or making a order"""
if user.robot.penalty_expiration:
if user.robot.penalty_expiration > timezone.now():
time_out = (user.robot.penalty_expiration - timezone.now()).seconds
2022-01-10 12:10:32 +00:00
return True, time_out
return False, None
2022-01-06 20:33:40 +00:00
@classmethod
2022-01-07 19:22:07 +00:00
def cancel_order(cls, order, user, state=None):
2022-01-27 14:40:14 +00:00
# Do not change order status if an is in order
# any of these status
2022-02-17 19:50:10 +00:00
do_not_cancel = [
Order.Status.UCA,
Order.Status.EXP,
Order.Status.TLD,
Order.Status.DIS,
Order.Status.CCA,
Order.Status.PAY,
Order.Status.SUC,
Order.Status.FAI,
Order.Status.MLD,
]
if order.status in do_not_cancel:
2022-02-17 19:50:10 +00:00
return False, {"bad_request": "You cannot cancel this order"}
# 1) When maker cancels before bond
# The order never shows up on the book and order
# status becomes "cancelled"
2022-01-06 22:39:59 +00:00
if order.status == Order.Status.WFB and order.maker == user:
cls.cancel_bond(order.maker_bond)
order.update_status(Order.Status.UCA)
order.log("Order expired while waiting for maker bond")
order.log("Maker bond was cancelled")
return True, None
2022-01-06 22:39:59 +00:00
# 2.a) When maker cancels after bond
#
# The order disapears from book and goes to cancelled. If strict, maker is charged the bond
# to prevent DDOS on the LN node and order book. If not strict, maker is returned
# the bond (more user friendly).
2022-10-20 09:56:10 +00:00
elif (
order.status in [Order.Status.PUB, Order.Status.PAU] and order.maker == user
):
# Return the maker bond (Maker gets returned the bond for cancelling public order)
2022-10-20 09:56:10 +00:00
if cls.return_bond(order.maker_bond):
order.update_status(Order.Status.UCA)
send_notification.delay(
order_id=order.id, message="public_order_cancelled"
)
order.log("Order cancelled by maker while public or paused")
order.log("Maker bond was <b>unlocked</b>")
return True, None
# 2.b) When maker cancels after bond and before taker bond is locked
#
# The order dissapears from book and goes to cancelled.
# The bond maker bond is returned.
elif order.status == Order.Status.TAK and order.maker == user:
# Return the maker bond (Maker gets returned the bond for cancelling public order)
2022-10-20 09:56:10 +00:00
if cls.return_bond(order.maker_bond):
cls.cancel_bond(order.taker_bond)
order.update_status(Order.Status.UCA)
send_notification.delay(
order_id=order.id, message="public_order_cancelled"
)
order.log("Order cancelled by maker before the taker locked the bond")
order.log("Maker bond was <b>unlocked</b>")
order.log("Taker bond was <b>cancelled</b>")
return True, None
2022-01-06 20:33:40 +00:00
# 3) When taker cancels before bond
# The order goes back to the book as public.
# LNPayment "order.taker_bond" is deleted()
2022-01-10 12:10:32 +00:00
elif order.status == Order.Status.TAK and order.taker == user:
# adds a timeout penalty
cls.cancel_bond(order.taker_bond)
2022-01-14 14:19:25 +00:00
cls.kick_taker(order)
order.log("Taker cancelled before locking the bond")
return True, None
2022-01-06 20:33:40 +00:00
# 4) When taker or maker cancel after bond (before escrow)
#
# The order goes into cancelled status if maker cancels.
# The order goes into the public book if taker cancels.
# In both cases there is a small fee.
2022-02-17 19:50:10 +00:00
# 4.a) When maker cancel after bond (before escrow)
# The order into cancelled status if maker cancels.
2022-10-20 09:56:10 +00:00
elif (
order.status in [Order.Status.WF2, Order.Status.WFE] and order.maker == user
):
# cancel onchain payment if existing
cls.cancel_onchain_payment(order)
2022-02-17 19:50:10 +00:00
# Settle the maker bond (Maker loses the bond for canceling an ongoing trade)
valid = cls.settle_bond(order.maker_bond)
2022-02-17 19:50:10 +00:00
cls.return_bond(order.taker_bond) # returns taker bond
cls.cancel_escrow(order)
if valid:
order.update_status(Order.Status.UCA)
# Reward taker with part of the maker bond
cls.add_slashed_rewards(order, order.maker_bond, order.taker_bond)
order.log("Maker cancelled before escrow was locked")
order.log("Maker bond was <b>settled</b>")
order.log("Taker bond was <b>unlocked</b>")
return True, None
# 4.b) When taker cancel after bond (before escrow)
# The order into cancelled status if mtker cancels.
2022-10-20 09:56:10 +00:00
elif (
order.status in [Order.Status.WF2, Order.Status.WFE] and order.taker == user
):
# cancel onchain payment if existing
cls.cancel_onchain_payment(order)
# Settle the maker bond (Maker loses the bond for canceling an ongoing trade)
valid = cls.settle_bond(order.taker_bond)
if valid:
taker_bond = order.taker_bond
cls.publish_order(order)
send_notification.delay(order_id=order.id, message="order_published")
# Reward maker with part of the taker bond
cls.add_slashed_rewards(order, taker_bond, order.maker_bond)
order.log("Taker cancelled before escrow was locked")
order.log("Taker bond was <b>settled</b>")
order.log("Maker bond was <b>unlocked</b>")
return True, None
# 5) When trade collateral has been posted (after escrow)
#
# Always goes to CCA status. Collaboration is needed.
# When a user asks for cancel, 'order.m/t/aker_asked_cancel' goes True.
# When the second user asks for cancel. Order is totally cancelled.
# Must have a small cost for both parties to prevent node DDOS.
2022-10-20 09:56:10 +00:00
elif order.status in [Order.Status.WFI, Order.Status.CHA]:
2022-01-23 19:02:25 +00:00
# if the maker had asked, and now the taker does: cancel order, return everything
if order.maker_asked_cancel and user == order.taker:
cls.collaborative_cancel(order)
order.log(
f"Taker Robot({user.robot.id},{user.username}) accepted the collaborative cancellation"
)
2022-01-23 19:02:25 +00:00
return True, None
2022-02-17 19:50:10 +00:00
2022-01-23 19:02:25 +00:00
# if the taker had asked, and now the maker does: cancel order, return everything
elif order.taker_asked_cancel and user == order.maker:
cls.collaborative_cancel(order)
order.log(
f"Maker Robot({user.robot.id},{user.username}) accepted the collaborative cancellation"
)
2022-01-23 19:02:25 +00:00
return True, None
# Otherwise just make true the asked for cancel flags
elif user == order.taker:
order.taker_asked_cancel = True
order.save(update_fields=["taker_asked_cancel"])
order.log(
f"Taker Robot({user.robot.id},{user.username}) asked for collaborative cancellation"
)
2022-01-23 19:02:25 +00:00
return True, None
2022-02-17 19:50:10 +00:00
2022-01-23 19:02:25 +00:00
elif user == order.maker:
order.maker_asked_cancel = True
order.save(update_fields=["maker_asked_cancel"])
order.log(
f"Maker Robot({user.robot.id},{user.username}) asked for collaborative cancellation"
)
2022-01-23 19:02:25 +00:00
return True, None
2022-01-06 22:39:59 +00:00
else:
order.log(
f"Cancel request was sent by Robot({user.robot.id},{user.username}) on an invalid status {order.status}: <i>{Order.Status(order.status).label}</i>"
)
2022-02-17 19:50:10 +00:00
return False, {"bad_request": "You cannot cancel this order"}
2022-01-06 20:33:40 +00:00
2022-01-23 19:02:25 +00:00
@classmethod
def collaborative_cancel(cls, order):
if order.status not in [Order.Status.WFI, Order.Status.CHA]:
return
# cancel onchain payment if existing
cls.cancel_onchain_payment(order)
2022-01-23 19:02:25 +00:00
cls.return_bond(order.maker_bond)
cls.return_bond(order.taker_bond)
cls.return_escrow(order)
order.update_status(Order.Status.CCA)
send_notification.delay(order_id=order.id, message="collaborative_cancelled")
order.log("Order was collaboratively cancelled")
order.log("Maker bond was <b>unlocked</b>")
order.log("Taker bond was <b>unlocked</b>")
order.log("Trade escrow was <b>unlocked</b>")
2022-01-23 19:02:25 +00:00
return
@classmethod
def publish_order(cls, order):
order.status = Order.Status.PUB
2022-02-17 19:50:10 +00:00
order.expires_at = order.created_at + timedelta(
2022-10-20 09:56:10 +00:00
seconds=order.t_to_expire(Order.Status.PUB)
)
if order.has_range:
order.amount = None
order.last_satoshis = cls.satoshis_now(order)
order.last_satoshis_time = timezone.now()
# clear fields in case of re-publishing after expiry
order.taker = None
order.taker_bond = None
order.trade_escrow = None
order.payout = None
order.payout_tx = None
order.save() # update all fields
order.log(f"Order({order.id},{str(order)}) is public in the order book")
return
2022-07-21 13:19:47 +00:00
def compute_cltv_expiry_blocks(order, invoice_concept):
2022-10-20 09:56:10 +00:00
"""Computes timelock CLTV expiry of the last hop in blocks for hodl invoices
2022-07-21 13:19:47 +00:00
invoice_concepts (str): maker_bond, taker_bond, trade_escrow
2022-10-20 09:56:10 +00:00
"""
2022-07-21 13:19:47 +00:00
# Every invoice_concept must be locked by at least the fiat exchange duration
# Every invoice must also be locked for deposit_time (order.escrow_duration or WFE status)
2022-07-21 13:19:47 +00:00
cltv_expiry_secs = order.t_to_expire(Order.Status.CHA)
cltv_expiry_secs += order.t_to_expire(Order.Status.WFE)
2022-07-21 13:19:47 +00:00
# Maker bond must also be locked for the full public duration plus the taker bond locking time
if invoice_concept == "maker_bond":
cltv_expiry_secs += order.t_to_expire(Order.Status.PUB)
cltv_expiry_secs += order.t_to_expire(Order.Status.TAK)
# Add a safety marging by multiplying by the maxium expected mining network speed up
safe_cltv_expiry_secs = cltv_expiry_secs * MAX_MINING_NETWORK_SPEEDUP_EXPECTED
# Convert to blocks using assummed average block time (~8 mins/block)
cltv_expiry_blocks = int(safe_cltv_expiry_secs / (BLOCK_TIME * 60))
return cltv_expiry_blocks
2022-01-06 16:54:37 +00:00
@classmethod
2022-01-09 20:05:19 +00:00
def gen_maker_hold_invoice(cls, order, user):
# Do not gen and cancel if order is older than expiry time
2022-01-06 16:54:37 +00:00
if order.expires_at < timezone.now():
cls.order_expires(order)
2022-02-17 19:50:10 +00:00
return False, {
2022-10-20 09:56:10 +00:00
"bad_request": "Invoice expired. You did not confirm publishing the order in time. Make a new order."
2022-02-17 19:50:10 +00:00
}
2022-01-06 16:54:37 +00:00
# Return the previous invoice if there was one and is still unpaid
2022-01-06 16:54:37 +00:00
if order.maker_bond:
return True, {
"bond_invoice": order.maker_bond.invoice,
"bond_satoshis": order.maker_bond.num_satoshis,
}
2022-01-06 16:54:37 +00:00
# If there was no maker_bond object yet, generates one
order.last_satoshis = cls.satoshis_now(order)
order.last_satoshis_time = timezone.now()
2022-10-20 09:56:10 +00:00
bond_satoshis = int(order.last_satoshis * order.bond_size / 100)
if user.robot.wants_stealth:
description = f"This payment WILL FREEZE IN YOUR WALLET, check on the website if it was successful. It will automatically return unless you cheat or cancel unilaterally. Payment reference: {order.reference}"
else:
description = f"RoboSats - Publishing '{str(order)}' - Maker bond - This payment WILL FREEZE IN YOUR WALLET, check on the website if it was successful. It will automatically return unless you cheat or cancel unilaterally."
2022-01-06 20:33:40 +00:00
2022-01-09 20:05:19 +00:00
# Gen hold Invoice
2022-02-08 10:05:22 +00:00
try:
2022-02-17 19:50:10 +00:00
hold_payment = LNNode.gen_hold_invoice(
bond_satoshis,
description,
2022-03-18 21:21:13 +00:00
invoice_expiry=order.t_to_expire(Order.Status.WFB),
2022-10-20 09:56:10 +00:00
cltv_expiry_blocks=cls.compute_cltv_expiry_blocks(order, "maker_bond"),
Add core-lightning as backend lightning node vendor (#611) * Add CLN node backend image and service (#418) * Add cln service * Add hodlvoice Dockerfile and entrypoint * Add lnnode vendor switch (#431) * Add LNNode vendor switch * Add CLN version to frontend and other fixes * init * first draft * add unsettled_local_balance and unsettled_remote_balance * gen_hold_invoice now takes 3 more variables to build a label for cln * remove unneeded payment_hash from gen_hold_invoice * remove comment * add get_cln_version * first draft of clns follow_send_payment * fix name of get_lnd_version * enable flake8 * flake8 fixes * renaming cln file, class and get_version * remove lnd specific commented code * get_version: add try/except, refactor to top to mimic lnd.py * rename htlc_cltv to htlc_expiry * add clns lookup_invoice_status * refactored double_check_htlc_is_settled to the end to match lnds file * fix generate_rpc * Add sample environmental variables, small fixes * Fix CLN gRPC port * Fix gen_hold_invoice, plus some other tiny fixes (#435) * Fix channel_balance to use int object inside Amount (#438) * Add CLN/LND volume to celery-beat service * Add CLN/LND volume to celery-beat service * Bump CLN to v23.05 * changes for 0.5 and some small fixes * change invoice expiry from absolute to relative duration * add try/except to catch timeout error * fix failure_reason to be ln_payment failure reasons, albeit inaccurate sometimes * refactor follow_send_payment and add pending check to expired case * fix status comments * add send_keysend method * fix wrong state ints in cancel and settle * switch to use hodlinvoicelookup in double_check * move pay command after lnpayment status update * remove loop in follow_send_payment and add error result for edge case * fix typeerror for payment_hash * rework follow_send_payment logic and payment_hash, watch harder if pending * use fully qualified names for status instead of raw int * missed 2 status from prev commit * Always copy the cln-grpc-hodl plugin on start up * Fix ALLOW_SELF_KEYSEND linting error * Fix missing definition of failure_reason --------- Co-authored-by: daywalker90 <admin@noserver4u.de>
2023-05-22 14:56:15 +00:00
order_id=order.id,
lnpayment_concept=LNPayment.Concepts.MAKEBOND.label,
time=int(timezone.now().timestamp()),
2022-02-17 19:50:10 +00:00
)
2022-02-08 10:05:22 +00:00
except Exception as e:
print(str(e))
2022-02-17 19:50:10 +00:00
if "failed to connect to all addresses" in str(e):
return False, {
2022-10-20 09:56:10 +00:00
"bad_request": "The Lightning Network Daemon (LND) is down. Write in the Telegram group to make sure the staff is aware."
2022-02-17 19:50:10 +00:00
}
2022-07-21 13:19:47 +00:00
elif "wallet locked" in str(e):
2022-02-17 19:50:10 +00:00
return False, {
2022-10-20 09:56:10 +00:00
"bad_request": "This is weird, RoboSats' lightning wallet is locked. Check in the Telegram group, maybe the staff has died."
2022-02-17 19:50:10 +00:00
}
2022-01-06 16:54:37 +00:00
order.maker_bond = LNPayment.objects.create(
2022-02-17 19:50:10 +00:00
concept=LNPayment.Concepts.MAKEBOND,
type=LNPayment.Types.HOLD,
sender=user,
receiver=User.objects.get(username=ESCROW_USERNAME),
invoice=hold_payment["invoice"],
preimage=hold_payment["preimage"],
status=LNPayment.Status.INVGEN,
num_satoshis=bond_satoshis,
description=description,
payment_hash=hold_payment["payment_hash"],
created_at=hold_payment["created_at"],
expires_at=hold_payment["expires_at"],
cltv_expiry=hold_payment["cltv_expiry"],
)
2022-01-06 16:54:37 +00:00
order.save(update_fields=["last_satoshis", "last_satoshis_time", "maker_bond"])
order.log(
f"Maker bond LNPayment({order.maker_bond.payment_hash},{str(order.maker_bond)}) was created"
)
2022-02-17 19:50:10 +00:00
return True, {
"bond_invoice": hold_payment["invoice"],
"bond_satoshis": bond_satoshis,
}
2022-01-06 16:54:37 +00:00
@classmethod
def finalize_contract(cls, order):
2022-02-17 19:50:10 +00:00
"""When the taker locks the taker_bond
the contract is final"""
# THE TRADE AMOUNT IS FINAL WITH THE CONFIRMATION OF THE TAKER BOND!
# (This is the last update to "last_satoshis", it becomes the escrow amount next)
order.last_satoshis = cls.satoshis_now(order)
order.last_satoshis_time = timezone.now()
2022-02-17 19:50:10 +00:00
order.taker_bond.status = LNPayment.Status.LOCKED
order.taker_bond.save(update_fields=["status"])
2022-02-17 19:50:10 +00:00
2022-10-20 09:56:10 +00:00
# With the bond confirmation the order is extended 'public_order_duration' hours
order.expires_at = timezone.now() + timedelta(
2022-10-20 09:56:10 +00:00
seconds=order.t_to_expire(Order.Status.WF2)
)
order.update_status(Order.Status.WF2)
order.save(
update_fields=[
"last_satoshis",
"last_satoshis_time",
"expires_at",
]
)
# Both users robots are added one more contract // Unsafe can add more than once.
order.maker.robot.total_contracts += 1
order.taker.robot.total_contracts += 1
order.maker.robot.save(update_fields=["total_contracts"])
order.taker.robot.save(update_fields=["total_contracts"])
2022-10-20 09:56:10 +00:00
2022-03-05 12:19:56 +00:00
# Log a market tick
try:
market_tick = MarketTick.log_a_tick(order)
order.log(
f"New Market Tick logged as MarketTick({market_tick.id},{market_tick})"
)
except Exception:
2022-03-05 12:19:56 +00:00
pass
send_notification.delay(order_id=order.id, message="order_taken_confirmed")
order.log(
f"<b>Contract formalized.</b> Maker: Robot({order.maker.robot},{order.maker.username}). Taker: Robot({order.taker.robot},{order.taker.username}). API median price {order.currency.exchange_rate} {Currency.currency_choices(order.currency.currency).label}/BTC. Premium is {order.premium}. Contract size {order.last_satoshis} Sats"
)
2022-02-17 19:50:10 +00:00
return True
2022-01-06 16:54:37 +00:00
@classmethod
2022-01-09 20:05:19 +00:00
def gen_taker_hold_invoice(cls, order, user):
# Do not gen and kick out the taker if order is older than expiry time
if order.expires_at < timezone.now():
cls.order_expires(order)
2022-02-17 19:50:10 +00:00
return False, {
2022-10-20 09:56:10 +00:00
"bad_request": "Invoice expired. You did not confirm taking the order in time."
2022-02-17 19:50:10 +00:00
}
# Do not gen if a taker invoice exist. Do not return if it is already locked. Return the old one if still waiting.
2022-01-06 20:33:40 +00:00
if order.taker_bond:
return True, {
"bond_invoice": order.taker_bond.invoice,
"bond_satoshis": order.taker_bond.num_satoshis,
}
2022-01-06 16:54:37 +00:00
# If there was no taker_bond object yet, generates one
order.last_satoshis = cls.satoshis_now(order)
order.last_satoshis_time = timezone.now()
2022-10-20 09:56:10 +00:00
bond_satoshis = int(order.last_satoshis * order.bond_size / 100)
2022-02-17 19:50:10 +00:00
pos_text = "Buying" if cls.is_buyer(order, user) else "Selling"
if user.robot.wants_stealth:
description = f"This payment WILL FREEZE IN YOUR WALLET, check on the website if it was successful. It will automatically return unless you cheat or cancel unilaterally. Payment reference: {order.reference}"
else:
description = (
f"RoboSats - Taking 'Order {order.id}' {pos_text} BTC for {str(float(order.amount)) + Currency.currency_dict[str(order.currency.currency)]}"
2022-10-20 09:56:10 +00:00
+ " - Taker bond - This payment WILL FREEZE IN YOUR WALLET, check on the website if it was successful. It will automatically return unless you cheat or cancel unilaterally."
)
2022-01-06 20:33:40 +00:00
2022-01-09 20:05:19 +00:00
# Gen hold Invoice
2022-02-08 10:05:22 +00:00
try:
2022-02-17 19:50:10 +00:00
hold_payment = LNNode.gen_hold_invoice(
bond_satoshis,
description,
2022-03-18 21:21:13 +00:00
invoice_expiry=order.t_to_expire(Order.Status.TAK),
2022-10-20 09:56:10 +00:00
cltv_expiry_blocks=cls.compute_cltv_expiry_blocks(order, "taker_bond"),
Add core-lightning as backend lightning node vendor (#611) * Add CLN node backend image and service (#418) * Add cln service * Add hodlvoice Dockerfile and entrypoint * Add lnnode vendor switch (#431) * Add LNNode vendor switch * Add CLN version to frontend and other fixes * init * first draft * add unsettled_local_balance and unsettled_remote_balance * gen_hold_invoice now takes 3 more variables to build a label for cln * remove unneeded payment_hash from gen_hold_invoice * remove comment * add get_cln_version * first draft of clns follow_send_payment * fix name of get_lnd_version * enable flake8 * flake8 fixes * renaming cln file, class and get_version * remove lnd specific commented code * get_version: add try/except, refactor to top to mimic lnd.py * rename htlc_cltv to htlc_expiry * add clns lookup_invoice_status * refactored double_check_htlc_is_settled to the end to match lnds file * fix generate_rpc * Add sample environmental variables, small fixes * Fix CLN gRPC port * Fix gen_hold_invoice, plus some other tiny fixes (#435) * Fix channel_balance to use int object inside Amount (#438) * Add CLN/LND volume to celery-beat service * Add CLN/LND volume to celery-beat service * Bump CLN to v23.05 * changes for 0.5 and some small fixes * change invoice expiry from absolute to relative duration * add try/except to catch timeout error * fix failure_reason to be ln_payment failure reasons, albeit inaccurate sometimes * refactor follow_send_payment and add pending check to expired case * fix status comments * add send_keysend method * fix wrong state ints in cancel and settle * switch to use hodlinvoicelookup in double_check * move pay command after lnpayment status update * remove loop in follow_send_payment and add error result for edge case * fix typeerror for payment_hash * rework follow_send_payment logic and payment_hash, watch harder if pending * use fully qualified names for status instead of raw int * missed 2 status from prev commit * Always copy the cln-grpc-hodl plugin on start up * Fix ALLOW_SELF_KEYSEND linting error * Fix missing definition of failure_reason --------- Co-authored-by: daywalker90 <admin@noserver4u.de>
2023-05-22 14:56:15 +00:00
order_id=order.id,
lnpayment_concept=LNPayment.Concepts.TAKEBOND.label,
time=int(timezone.now().timestamp()),
2022-02-17 19:50:10 +00:00
)
2022-02-08 10:05:22 +00:00
except Exception as e:
2022-02-17 19:50:10 +00:00
if "status = StatusCode.UNAVAILABLE" in str(e):
return False, {
2022-10-20 09:56:10 +00:00
"bad_request": "The Lightning Network Daemon (LND) is down. Write in the Telegram group to make sure the staff is aware."
2022-02-17 19:50:10 +00:00
}
2022-01-06 20:33:40 +00:00
order.taker_bond = LNPayment.objects.create(
2022-02-17 19:50:10 +00:00
concept=LNPayment.Concepts.TAKEBOND,
type=LNPayment.Types.HOLD,
sender=user,
receiver=User.objects.get(username=ESCROW_USERNAME),
invoice=hold_payment["invoice"],
preimage=hold_payment["preimage"],
status=LNPayment.Status.INVGEN,
num_satoshis=bond_satoshis,
description=description,
payment_hash=hold_payment["payment_hash"],
created_at=hold_payment["created_at"],
expires_at=hold_payment["expires_at"],
cltv_expiry=hold_payment["cltv_expiry"],
)
order.expires_at = timezone.now() + timedelta(
2022-10-20 09:56:10 +00:00
seconds=order.t_to_expire(Order.Status.TAK)
)
order.save(
update_fields=[
"expires_at",
"last_satoshis_time",
"taker_bond",
"expires_at",
]
)
order.log(
f"Taker bond invoice LNPayment({hold_payment['payment_hash']},{str(order.taker_bond)}) was created"
)
2022-02-17 19:50:10 +00:00
return True, {
"bond_invoice": hold_payment["invoice"],
"bond_satoshis": bond_satoshis,
}
def trade_escrow_received(order):
2022-02-17 19:50:10 +00:00
"""Moves the order forward"""
# If status is 'Waiting for both' move to Waiting for invoice
if order.status == Order.Status.WF2:
order.update_status(Order.Status.WFI)
# If status is 'Waiting for invoice' move to Chat
elif order.status == Order.Status.WFE:
order.update_status(Order.Status.CHA)
2022-02-17 19:50:10 +00:00
order.expires_at = timezone.now() + timedelta(
2022-10-20 09:56:10 +00:00
seconds=order.t_to_expire(Order.Status.CHA)
)
order.save(update_fields=["expires_at"])
send_notification.delay(order_id=order.id, message="fiat_exchange_starts")
@classmethod
2022-01-09 20:05:19 +00:00
def gen_escrow_hold_invoice(cls, order, user):
# Do not generate if escrow deposit time has expired
if order.expires_at < timezone.now():
cls.order_expires(order)
2022-02-17 19:50:10 +00:00
return False, {
2022-10-20 09:56:10 +00:00
"bad_request": "Invoice expired. You did not send the escrow in time."
2022-02-17 19:50:10 +00:00
}
# Do not gen if an escrow invoice exist. Do not return if it is already locked. Return the old one if still waiting.
if order.trade_escrow:
return True, {
"escrow_invoice": order.trade_escrow.invoice,
"escrow_satoshis": order.trade_escrow.num_satoshis,
}
# If there was no taker_bond object yet, generate one
2022-10-20 09:56:10 +00:00
escrow_satoshis = cls.escrow_amount(order, user)[1][
"escrow_amount"
] # Amount was fixed when taker bond was locked, fee applied here
order.log(f"Escrow invoice amount is calculated as {escrow_satoshis} Sats")
if user.robot.wants_stealth:
description = f"This payment WILL FREEZE IN YOUR WALLET, check on the website if it was successful. It will automatically return unless you cheat or cancel unilaterally. Payment reference: {order.reference}"
else:
description = f"RoboSats - Escrow amount for '{str(order)}' - It WILL FREEZE IN YOUR WALLET. It will be released to the buyer once you confirm you received the fiat. It will automatically return if buyer does not confirm the payment."
2022-01-09 20:05:19 +00:00
# Gen hold Invoice
2022-02-08 10:05:22 +00:00
try:
2022-02-17 19:50:10 +00:00
hold_payment = LNNode.gen_hold_invoice(
escrow_satoshis,
description,
2022-03-18 21:21:13 +00:00
invoice_expiry=order.t_to_expire(Order.Status.WF2),
2022-10-20 09:56:10 +00:00
cltv_expiry_blocks=cls.compute_cltv_expiry_blocks(
order, "trade_escrow"
),
Add core-lightning as backend lightning node vendor (#611) * Add CLN node backend image and service (#418) * Add cln service * Add hodlvoice Dockerfile and entrypoint * Add lnnode vendor switch (#431) * Add LNNode vendor switch * Add CLN version to frontend and other fixes * init * first draft * add unsettled_local_balance and unsettled_remote_balance * gen_hold_invoice now takes 3 more variables to build a label for cln * remove unneeded payment_hash from gen_hold_invoice * remove comment * add get_cln_version * first draft of clns follow_send_payment * fix name of get_lnd_version * enable flake8 * flake8 fixes * renaming cln file, class and get_version * remove lnd specific commented code * get_version: add try/except, refactor to top to mimic lnd.py * rename htlc_cltv to htlc_expiry * add clns lookup_invoice_status * refactored double_check_htlc_is_settled to the end to match lnds file * fix generate_rpc * Add sample environmental variables, small fixes * Fix CLN gRPC port * Fix gen_hold_invoice, plus some other tiny fixes (#435) * Fix channel_balance to use int object inside Amount (#438) * Add CLN/LND volume to celery-beat service * Add CLN/LND volume to celery-beat service * Bump CLN to v23.05 * changes for 0.5 and some small fixes * change invoice expiry from absolute to relative duration * add try/except to catch timeout error * fix failure_reason to be ln_payment failure reasons, albeit inaccurate sometimes * refactor follow_send_payment and add pending check to expired case * fix status comments * add send_keysend method * fix wrong state ints in cancel and settle * switch to use hodlinvoicelookup in double_check * move pay command after lnpayment status update * remove loop in follow_send_payment and add error result for edge case * fix typeerror for payment_hash * rework follow_send_payment logic and payment_hash, watch harder if pending * use fully qualified names for status instead of raw int * missed 2 status from prev commit * Always copy the cln-grpc-hodl plugin on start up * Fix ALLOW_SELF_KEYSEND linting error * Fix missing definition of failure_reason --------- Co-authored-by: daywalker90 <admin@noserver4u.de>
2023-05-22 14:56:15 +00:00
order_id=order.id,
lnpayment_concept=LNPayment.Concepts.TRESCROW.label,
time=int(timezone.now().timestamp()),
2022-02-17 19:50:10 +00:00
)
2022-02-08 10:05:22 +00:00
except Exception as e:
2022-02-17 19:50:10 +00:00
if "status = StatusCode.UNAVAILABLE" in str(e):
return False, {
2022-10-20 09:56:10 +00:00
"bad_request": "The Lightning Network Daemon (LND) is down. Write in the Telegram group to make sure the staff is aware."
2022-02-17 19:50:10 +00:00
}
2022-02-08 10:05:22 +00:00
2022-01-08 17:19:30 +00:00
order.trade_escrow = LNPayment.objects.create(
2022-02-17 19:50:10 +00:00
concept=LNPayment.Concepts.TRESCROW,
type=LNPayment.Types.HOLD,
sender=user,
receiver=User.objects.get(username=ESCROW_USERNAME),
invoice=hold_payment["invoice"],
preimage=hold_payment["preimage"],
status=LNPayment.Status.INVGEN,
num_satoshis=escrow_satoshis,
description=description,
payment_hash=hold_payment["payment_hash"],
created_at=hold_payment["created_at"],
expires_at=hold_payment["expires_at"],
cltv_expiry=hold_payment["cltv_expiry"],
)
order.save(update_fields=["trade_escrow"])
order.log(
f"Trade escrow invoice LNPayment({hold_payment['payment_hash']},{str(order.trade_escrow)}) was created"
)
2022-02-17 19:50:10 +00:00
return True, {
"escrow_invoice": hold_payment["invoice"],
"escrow_satoshis": escrow_satoshis,
}
def settle_escrow(order):
2022-02-17 19:50:10 +00:00
"""Settles the trade escrow hold invoice"""
if LNNode.settle_hold_invoice(order.trade_escrow.preimage):
order.trade_escrow.status = LNPayment.Status.SETLED
order.trade_escrow.save(update_fields=["status"])
order.log("Trade escrow was <b>settled</b>")
return True
def settle_bond(bond):
2022-02-17 19:50:10 +00:00
"""Settles the bond hold invoice"""
if LNNode.settle_hold_invoice(bond.preimage):
bond.status = LNPayment.Status.SETLED
bond.save(update_fields=["status"])
return True
def return_escrow(order):
2022-02-17 19:50:10 +00:00
"""returns the trade escrow"""
if LNNode.cancel_return_hold_invoice(order.trade_escrow.payment_hash):
order.trade_escrow.status = LNPayment.Status.RETNED
order.trade_escrow.save(update_fields=["status"])
order.log("Trade escrow was <b>unlocked</b>")
return True
def cancel_escrow(order):
2022-02-17 19:50:10 +00:00
"""returns the trade escrow"""
# Same as return escrow, but used when the invoice was never LOCKED
if LNNode.cancel_return_hold_invoice(order.trade_escrow.payment_hash):
order.trade_escrow.status = LNPayment.Status.CANCEL
order.trade_escrow.save(update_fields=["status"])
order.log("Trade escrow was <b>cancelled</b>")
return True
def return_bond(bond):
2022-02-17 19:50:10 +00:00
"""returns a bond"""
if bond is None:
return
try:
LNNode.cancel_return_hold_invoice(bond.payment_hash)
bond.status = LNPayment.Status.RETNED
bond.save(update_fields=["status"])
return True
except Exception as e:
2022-02-17 19:50:10 +00:00
if "invoice already settled" in str(e):
bond.status = LNPayment.Status.SETLED
bond.save(update_fields=["status"])
return True
else:
raise e
def cancel_onchain_payment(order):
2022-10-20 09:56:10 +00:00
"""Cancel onchain_payment if existing"""
if order.payout_tx:
order.payout_tx.status = OnchainPayment.Status.CANCE
order.payout_tx.save(update_fields=["status"])
order.log(
f"Onchain payment OnchainPayment({order.payout_tx.id},{str(order.payout_tx)}) was <b>cancelled</b>"
)
return True
else:
return False
def cancel_bond(bond):
2022-02-17 19:50:10 +00:00
"""cancel a bond"""
# Same as return bond, but used when the invoice was never LOCKED
if bond is None:
return True
try:
LNNode.cancel_return_hold_invoice(bond.payment_hash)
bond.status = LNPayment.Status.CANCEL
bond.save(update_fields=["status"])
return True
except Exception as e:
2022-02-17 19:50:10 +00:00
if "invoice already settled" in str(e):
bond.status = LNPayment.Status.SETLED
bond.save(update_fields=["status"])
return True
else:
raise e
2022-06-16 15:31:30 +00:00
@classmethod
def pay_buyer(cls, order):
2022-10-20 09:56:10 +00:00
"""Pays buyer invoice or onchain address"""
2022-06-16 15:31:30 +00:00
# Pay to buyer invoice
if not order.is_swap:
# Background process "follow_invoices" will try to pay this invoice until success
2022-06-16 15:31:30 +00:00
order.payout.status = LNPayment.Status.FLIGHT
order.payout.save(update_fields=["status"])
order.update_status(Order.Status.PAY)
order.contract_finalization_time = timezone.now()
order.save(update_fields=["contract_finalization_time"])
send_notification.delay(order_id=order.id, message="trade_successful")
order.log("<b>Paying buyer invoice</b>")
2022-06-16 15:31:30 +00:00
return True
# Pay onchain to address
else:
if not order.payout_tx.status == OnchainPayment.Status.VALID:
return False
else:
# Add onchain payment to queue
order.payout_tx.status = OnchainPayment.Status.QUEUE
order.payout_tx.save(update_fields=["status"])
order.update_status(Order.Status.SUC)
order.contract_finalization_time = timezone.now()
order.save(update_fields=["contract_finalization_time"])
send_notification.delay(order_id=order.id, message="trade_successful")
order.log("<b>Paying buyer onchain address</b>")
2022-06-16 15:31:30 +00:00
return True
@classmethod
def confirm_fiat(cls, order, user):
2022-02-17 19:50:10 +00:00
"""If Order is in the CHAT states:
If user is buyer: fiat_sent goes to true.
If User is seller and fiat_sent is true: settle the escrow and pay buyer invoice!
"""
2022-02-17 19:50:10 +00:00
2022-10-20 09:56:10 +00:00
if order.status == Order.Status.CHA or order.status == Order.Status.FSE:
# If buyer mark fiat sent
if cls.is_buyer(order, user):
order.update_status(Order.Status.FSE)
order.is_fiat_sent = True
order.save(update_fields=["is_fiat_sent"])
order.log("Buyer confirmed 'fiat sent'")
# If seller and fiat was sent, SETTLE ESCROW AND PAY BUYER INVOICE
elif cls.is_seller(order, user):
if not order.is_fiat_sent:
2022-02-17 19:50:10 +00:00
return False, {
2022-10-20 09:56:10 +00:00
"bad_request": "You cannot confirm to have received the fiat before it is confirmed to be sent by the buyer."
2022-02-17 19:50:10 +00:00
}
2022-02-17 19:50:10 +00:00
# Make sure the trade escrow is at least as big as the buyer invoice
2022-10-20 09:56:10 +00:00
num_satoshis = (
order.payout_tx.num_satoshis
if order.is_swap
else order.payout.num_satoshis
)
2022-06-16 15:31:30 +00:00
if order.trade_escrow.num_satoshis <= num_satoshis:
2022-02-17 19:50:10 +00:00
return False, {
2022-10-20 09:56:10 +00:00
"bad_request": "Woah, something broke badly. Report in the public channels, or open a Github Issue."
2022-02-17 19:50:10 +00:00
}
2022-10-20 09:56:10 +00:00
2022-06-16 15:31:30 +00:00
# !!! KEY LINE - SETTLES THE TRADE ESCROW !!!
2022-10-20 09:56:10 +00:00
if cls.settle_escrow(order):
order.trade_escrow.status = LNPayment.Status.SETLED
order.trade_escrow.save(update_fields=["status"])
2022-02-17 19:50:10 +00:00
# Double check the escrow is settled.
2022-06-16 15:31:30 +00:00
if LNNode.double_check_htlc_is_settled(order.trade_escrow.payment_hash):
2022-10-20 09:56:10 +00:00
# RETURN THE BONDS
cls.return_bond(order.taker_bond)
cls.return_bond(order.maker_bond)
order.log("Taker bond was <b>unlocked</b>")
order.log("Maker bond was <b>unlocked</b>")
# !!! KEY LINE - PAYS THE BUYER INVOICE !!!
2022-06-16 15:31:30 +00:00
cls.pay_buyer(order)
# Computes coordinator trade revenue
cls.compute_proceeds(order)
return True, None
else:
2022-02-17 19:50:10 +00:00
return False, {
2022-10-20 09:56:10 +00:00
"bad_request": "You cannot confirm the fiat payment at this stage"
2022-02-17 19:50:10 +00:00
}
return True, None
@classmethod
def undo_confirm_fiat_sent(cls, order, user):
"""If Order is in the CHAT states:
If user is buyer: fiat_sent goes to true.
"""
if not cls.is_buyer(order, user):
return False, {
"bad_request": "Only the buyer can undo the fiat sent confirmation."
}
if order.status != Order.Status.FSE:
return False, {
"bad_request": "Only orders in Chat and with fiat sent confirmed can be reverted."
}
order.update_status(Order.Status.CHA)
order.is_fiat_sent = False
order.reverted_fiat_sent = True
order.save(update_fields=["is_fiat_sent", "reverted_fiat_sent"])
order.log(
f"Buyer Robot({user.robot.id},{user.username}) reverted the confirmation of 'fiat sent'"
)
return True, None
2022-10-20 09:56:10 +00:00
def pause_unpause_public_order(order, user):
if not order.maker == user:
return False, {
2022-10-20 09:56:10 +00:00
"bad_request": "You cannot pause or unpause an order you did not make"
}
else:
if order.status == Order.Status.PUB:
order.update_status(Order.Status.PAU)
order.log(
f"Robot({user.robot.id},{user.username}) paused the public order"
)
elif order.status == Order.Status.PAU:
order.update_status(Order.Status.PUB)
order.log(
f"Robot({user.robot.id},{user.username}) made public the paused order"
)
else:
order.log(
f"Robot({user.robot.id},{user.username}) tried to pause/unpause an order that was not public or paused",
level="WARN",
)
return False, {
2022-10-20 09:56:10 +00:00
"bad_request": "You can only pause/unpause an order that is either public or paused"
}
return True, None
@classmethod
def rate_platform(cls, user, rating):
user.robot.platform_rating = rating
user.robot.save(update_fields=["platform_rating"])
return True, None
@classmethod
def add_slashed_rewards(cls, order, slashed_bond, staked_bond):
2022-10-20 09:56:10 +00:00
"""
When a bond is slashed due to overtime, rewards the user that was waiting.
slashed_bond is the bond settled by the robot who forfeits his bond.
staked_bond is the bond that was at stake by the robot who is rewarded.
It may happen that the Sats at stake by the maker are larger than the Sats
at stake by the taker (range amount orders where the taker does not take the
maximum available). In those cases, the change is added back also to the robot
that was slashed (discounted by the forfeited amount).
2022-10-20 09:56:10 +00:00
"""
reward_fraction = config("SLASHED_BOND_REWARD_SPLIT", cast=float, default=0.5)
if staked_bond.num_satoshis < slashed_bond.num_satoshis:
slashed_satoshis = min(slashed_bond.num_satoshis, staked_bond.num_satoshis)
slashed_return = int(slashed_bond.num_satoshis - slashed_satoshis)
else:
slashed_satoshis = slashed_bond.num_satoshis
slashed_return = 0
reward = int(slashed_satoshis * reward_fraction)
rewarded_robot = staked_bond.sender.robot
rewarded_robot.earned_rewards += reward
rewarded_robot.save(update_fields=["earned_rewards"])
if slashed_return > 100:
slashed_robot = slashed_bond.sender.robot
slashed_robot.earned_rewards += slashed_return
slashed_robot.save(update_fields=["earned_rewards"])
new_proceeds = int(slashed_satoshis * (1 - reward_fraction))
order.proceeds += new_proceeds
order.save(update_fields=["proceeds"])
send_devfund_donation.delay(order.id, new_proceeds, "slashed bond")
order.log(
f"Robot({rewarded_robot.id},{rewarded_robot.user.username}) was rewarded {reward} Sats. Robot({slashed_robot.id},{slashed_robot.user.username}) was returned {slashed_return} Sats)"
)
return
@classmethod
def withdraw_rewards(cls, user, invoice):
# only a user with positive withdraw balance can use this
if user.robot.earned_rewards < 1:
return False, {"bad_invoice": "You have not earned rewards"}
num_satoshis = user.robot.earned_rewards
2022-03-09 11:35:50 +00:00
routing_budget_sats = int(
2022-11-28 16:23:37 +00:00
max(
num_satoshis * float(config("PROPORTIONAL_ROUTING_FEE_LIMIT")),
float(config("MIN_FLAT_ROUTING_FEE_LIMIT_REWARD")),
)
) # 1000 ppm or 10 sats
routing_budget_ppm = (routing_budget_sats / float(num_satoshis)) * 1_000_000
2022-11-28 16:23:37 +00:00
reward_payout = LNNode.validate_ln_invoice(
invoice, num_satoshis, routing_budget_ppm
2022-11-28 16:23:37 +00:00
)
if not reward_payout["valid"]:
return False, reward_payout["context"]
2022-03-09 11:35:50 +00:00
try:
lnpayment = LNPayment.objects.create(
2022-10-20 09:56:10 +00:00
concept=LNPayment.Concepts.WITHREWA,
type=LNPayment.Types.NORM,
sender=User.objects.get(username=ESCROW_USERNAME),
status=LNPayment.Status.VALIDI,
2022-03-09 11:35:50 +00:00
receiver=user,
2022-10-20 09:56:10 +00:00
invoice=invoice,
num_satoshis=num_satoshis,
description=reward_payout["description"],
payment_hash=reward_payout["payment_hash"],
created_at=reward_payout["created_at"],
expires_at=reward_payout["expires_at"],
2022-03-09 11:35:50 +00:00
)
# Might fail if payment_hash already exists in DB
except Exception:
2022-03-09 11:35:50 +00:00
return False, {"bad_invoice": "Give me a new invoice"}
user.robot.earned_rewards = 0
user.robot.save(update_fields=["earned_rewards"])
2022-03-09 11:35:50 +00:00
# Pays the invoice.
paid, failure_reason = LNNode.pay_invoice(lnpayment)
2022-10-20 09:56:10 +00:00
if paid:
user.robot.earned_rewards = 0
user.robot.claimed_rewards += num_satoshis
user.robot.save(update_fields=["earned_rewards", "claimed_rewards"])
2022-03-09 11:35:50 +00:00
return True, None
2022-03-09 11:35:50 +00:00
# If fails, adds the rewards again.
2022-10-20 09:56:10 +00:00
else:
user.robot.earned_rewards = num_satoshis
user.robot.save(update_fields=["earned_rewards"])
2022-03-09 11:35:50 +00:00
context = {}
2022-10-20 09:56:10 +00:00
context["bad_invoice"] = failure_reason
2022-03-09 11:35:50 +00:00
return False, context
@classmethod
def compute_proceeds(cls, order):
"""
Computes Coordinator trade proceeds for finished orders.
"""
if order.is_swap:
payout_sats = (
order.payout_tx.sent_satoshis + order.payout_tx.mining_fee_sats
)
new_proceeds = int(order.trade_escrow.num_satoshis - payout_sats)
else:
payout_sats = order.payout.num_satoshis + order.payout.fee
new_proceeds = int(order.trade_escrow.num_satoshis - payout_sats)
order.proceeds += new_proceeds
order.save(update_fields=["proceeds"])
order.log(
f"Order({order.id},{str(order)}) proceedings are incremented by {new_proceeds} Sats, totalling {order.proceeds} Sats"
)
send_devfund_donation.delay(order.id, new_proceeds, "successful order")
2022-07-16 11:15:00 +00:00
@classmethod
def summarize_trade(cls, order, user):
2022-10-20 09:56:10 +00:00
"""
2022-07-16 11:15:00 +00:00
Summarizes a finished order. Returns a dict with
amounts, fees, costs, etc, for buyer and seller.
2022-10-20 09:56:10 +00:00
"""
if order.status not in [Order.Status.SUC, Order.Status.PAY, Order.Status.FAI]:
2022-10-20 09:56:10 +00:00
return False, {"bad_summary": "Order has not finished yet"}
2022-07-16 11:15:00 +00:00
context = {}
2022-10-20 09:56:10 +00:00
users = {"taker": order.taker, "maker": order.maker}
2022-07-16 11:15:00 +00:00
for order_user in users:
summary = {}
2022-10-20 09:56:10 +00:00
summary["trade_fee_percent"] = (
FEE * MAKER_FEE_SPLIT
if order_user == "maker"
else FEE * (1 - MAKER_FEE_SPLIT)
)
summary["bond_size_sats"] = (
order.maker_bond.num_satoshis
if order_user == "maker"
else order.taker_bond.num_satoshis
)
summary["bond_size_percent"] = order.bond_size
summary["is_buyer"] = cls.is_buyer(order, users[order_user])
2022-07-16 11:15:00 +00:00
2022-10-20 09:56:10 +00:00
if summary["is_buyer"]:
summary["sent_fiat"] = order.amount
2022-07-16 11:15:00 +00:00
if order.is_swap:
2022-10-20 09:56:10 +00:00
summary["received_sats"] = order.payout_tx.sent_satoshis
2022-07-16 11:15:00 +00:00
else:
2022-10-20 09:56:10 +00:00
summary["received_sats"] = order.payout.num_satoshis
summary["payment_hash"] = order.payout.payment_hash
summary["preimage"] = order.payout.preimage
2022-10-20 09:56:10 +00:00
summary["trade_fee_sats"] = round(
order.last_satoshis
- summary["received_sats"]
- (order.payout.routing_budget_sats if not order.is_swap else 0)
2022-10-20 09:56:10 +00:00
)
2022-07-16 11:15:00 +00:00
# Only add context for swap costs if the user is the swap recipient. Peer should not know whether it was a swap
if users[order_user] == user and order.is_swap:
2022-10-20 09:56:10 +00:00
summary["is_swap"] = order.is_swap
summary["received_onchain_sats"] = order.payout_tx.sent_satoshis
summary["address"] = order.payout_tx.address
summary["txid"] = order.payout_tx.txid
2022-10-20 09:56:10 +00:00
summary["mining_fee_sats"] = order.payout_tx.mining_fee_sats
summary["swap_fee_sats"] = round(
order.payout_tx.num_satoshis
- order.payout_tx.mining_fee_sats
- order.payout_tx.sent_satoshis
)
summary["swap_fee_percent"] = order.payout_tx.swap_fee_rate
summary["trade_fee_sats"] = round(
order.last_satoshis
- summary["received_sats"]
- summary["mining_fee_sats"]
- summary["swap_fee_sats"]
)
2022-07-16 11:15:00 +00:00
else:
2022-10-20 09:56:10 +00:00
summary["sent_sats"] = order.trade_escrow.num_satoshis
summary["received_fiat"] = order.amount
summary["trade_fee_sats"] = round(
summary["sent_sats"] - order.last_satoshis
)
context[f"{order_user}_summary"] = summary
2022-07-16 11:15:00 +00:00
platform_summary = {}
2022-10-20 09:56:10 +00:00
platform_summary["contract_exchange_rate"] = float(order.amount) / (
float(order.last_satoshis) / 100_000_000
2022-10-20 09:56:10 +00:00
)
if order.last_satoshis_time is not None:
2022-10-20 09:56:10 +00:00
platform_summary["contract_timestamp"] = order.last_satoshis_time
if order.contract_finalization_time is None:
order.contract_finalization_time = timezone.now()
order.save(update_fields=["contract_finalization_time"])
2022-10-20 09:56:10 +00:00
platform_summary["contract_total_time"] = (
order.contract_finalization_time - order.last_satoshis_time
)
2022-07-16 11:15:00 +00:00
if not order.is_swap:
platform_summary["routing_budget_sats"] = order.payout.routing_budget_sats
2022-10-20 09:56:10 +00:00
platform_summary["trade_revenue_sats"] = int(
order.trade_escrow.num_satoshis - order.payout.num_satoshis
2022-10-20 09:56:10 +00:00
)
2022-07-16 11:15:00 +00:00
else:
2022-10-20 09:56:10 +00:00
platform_summary["routing_fee_sats"] = 0
platform_summary["trade_revenue_sats"] = int(
order.trade_escrow.num_satoshis - order.payout_tx.num_satoshis
)
context["platform_summary"] = platform_summary
2022-10-20 09:56:10 +00:00
return True, context