diff --git a/Makefile b/Makefile
index 80ae00c20..6b2fdeb7e 100644
--- a/Makefile
+++ b/Makefile
@@ -36,6 +36,10 @@ test:
poetry run pytest
test-real-wallet:
+ BOLTZ_NETWORK="regtest" \
+ BOLTZ_URL="http://127.0.0.1:9001" \
+ BOLTZ_MEMPOOL_SPACE_URL="http://127.0.0.1:8080" \
+ BOLTZ_MEMPOOL_SPACE_URL_WS="ws://127.0.0.1:8080" \
LNBITS_DATA_FOLDER="./tests/data" \
PYTHONUNBUFFERED=1 \
DEBUG=true \
diff --git a/lnbits/app.py b/lnbits/app.py
index fb750eb32..f612c32c3 100644
--- a/lnbits/app.py
+++ b/lnbits/app.py
@@ -122,10 +122,10 @@ def check_funding_source(app: FastAPI) -> None:
f"The backend for {WALLET.__class__.__name__} isn't working properly: '{error_message}'",
RuntimeWarning,
)
- logger.info("Retrying connection to backend in 5 seconds...")
- await asyncio.sleep(5)
except:
pass
+ logger.info("Retrying connection to backend in 5 seconds...")
+ await asyncio.sleep(5)
signal.signal(signal.SIGINT, original_sigint_handler)
logger.info(
f"✔️ Backend {WALLET.__class__.__name__} connected and with a balance of {balance} msat."
diff --git a/lnbits/core/crud.py b/lnbits/core/crud.py
index f150270a8..cba41f602 100644
--- a/lnbits/core/crud.py
+++ b/lnbits/core/crud.py
@@ -365,6 +365,11 @@ async def create_payment(
webhook: Optional[str] = None,
conn: Optional[Connection] = None,
) -> Payment:
+
+ # todo: add this when tests are fixed
+ # previous_payment = await get_wallet_payment(wallet_id, payment_hash, conn=conn)
+ # assert previous_payment is None, "Payment already exists"
+
await (conn or db).execute(
"""
INSERT INTO apipayments
@@ -404,6 +409,40 @@ async def update_payment_status(
)
+async def update_payment_details(
+ checking_id: str,
+ pending: Optional[bool] = None,
+ fee: Optional[int] = None,
+ preimage: Optional[str] = None,
+ new_checking_id: Optional[str] = None,
+ conn: Optional[Connection] = None,
+) -> None:
+
+ set_clause: List[str] = []
+ set_variables: List[Any] = []
+
+ if new_checking_id is not None:
+ set_clause.append("checking_id = ?")
+ set_variables.append(new_checking_id)
+ if pending is not None:
+ set_clause.append("pending = ?")
+ set_variables.append(pending)
+ if fee is not None:
+ set_clause.append("fee = ?")
+ set_variables.append(fee)
+ if preimage is not None:
+ set_clause.append("preimage = ?")
+ set_variables.append(preimage)
+
+ set_variables.append(checking_id)
+
+ await (conn or db).execute(
+ f"UPDATE apipayments SET {', '.join(set_clause)} WHERE checking_id = ?",
+ tuple(set_variables),
+ )
+ return
+
+
async def delete_payment(checking_id: str, conn: Optional[Connection] = None) -> None:
await (conn or db).execute(
"DELETE FROM apipayments WHERE checking_id = ?", (checking_id,)
diff --git a/lnbits/core/models.py b/lnbits/core/models.py
index c019d941d..4dc15bbc9 100644
--- a/lnbits/core/models.py
+++ b/lnbits/core/models.py
@@ -11,6 +11,7 @@ from pydantic import BaseModel
from lnbits.helpers import url_for
from lnbits.settings import WALLET
+from lnbits.wallets.base import PaymentStatus
class Wallet(BaseModel):
@@ -128,8 +129,16 @@ class Payment(BaseModel):
@property
def is_uncheckable(self) -> bool:
- return self.checking_id.startswith("temp_") or self.checking_id.startswith(
- "internal_"
+ return self.checking_id.startswith("internal_")
+
+ async def update_status(self, status: PaymentStatus) -> None:
+ from .crud import update_payment_details
+
+ await update_payment_details(
+ checking_id=self.checking_id,
+ pending=status.pending,
+ fee=status.fee_msat,
+ preimage=status.preimage,
)
async def set_pending(self, pending: bool) -> None:
@@ -137,9 +146,9 @@ class Payment(BaseModel):
await update_payment_status(self.checking_id, pending)
- async def check_pending(self) -> None:
+ async def check_status(self) -> PaymentStatus:
if self.is_uncheckable:
- return
+ return PaymentStatus(None)
logger.debug(
f"Checking {'outgoing' if self.is_out else 'incoming'} pending payment {self.checking_id}"
@@ -153,7 +162,7 @@ class Payment(BaseModel):
logger.debug(f"Status: {status}")
if self.is_out and status.failed:
- logger.info(
+ logger.warning(
f"Deleting outgoing failed payment {self.checking_id}: {status}"
)
await self.delete()
@@ -161,7 +170,8 @@ class Payment(BaseModel):
logger.info(
f"Marking '{'in' if self.is_in else 'out'}' {self.checking_id} as not pending anymore: {status}"
)
- await self.set_pending(status.pending)
+ await self.update_status(status)
+ return status
async def delete(self) -> None:
from .crud import delete_payment
diff --git a/lnbits/core/services.py b/lnbits/core/services.py
index 90f621862..a6e0b43a3 100644
--- a/lnbits/core/services.py
+++ b/lnbits/core/services.py
@@ -31,8 +31,10 @@ from .crud import (
delete_payment,
get_wallet,
get_wallet_payment,
+ update_payment_details,
update_payment_status,
)
+from .models import Payment
try:
from typing import TypedDict # type: ignore
@@ -101,11 +103,20 @@ async def pay_invoice(
description: str = "",
conn: Optional[Connection] = None,
) -> str:
+ """
+ Pay a Lightning invoice.
+ First, we create a temporary payment in the database with fees set to the reserve fee.
+ We then check whether the balance of the payer would go negative.
+ We then attempt to pay the invoice through the backend.
+ If the payment is successful, we update the payment in the database with the payment details.
+ If the payment is unsuccessful, we delete the temporary payment.
+ If the payment is still in flight, we hope that some other process will regularly check for the payment.
+ """
invoice = bolt11.decode(payment_request)
fee_reserve_msat = fee_reserve(invoice.amount_msat)
async with (db.reuse_conn(conn) if conn else db.connect()) as conn:
- temp_id = f"temp_{urlsafe_short_hash()}"
- internal_id = f"internal_{urlsafe_short_hash()}"
+ temp_id = invoice.payment_hash
+ internal_id = f"internal_{invoice.payment_hash}"
if invoice.amount_msat == 0:
raise ValueError("Amountless invoices not supported.")
@@ -185,30 +196,41 @@ async def pay_invoice(
payment: PaymentResponse = await WALLET.pay_invoice(
payment_request, fee_reserve_msat
)
+
+ if payment.checking_id and payment.checking_id != temp_id:
+ logger.warning(
+ f"backend sent unexpected checking_id (expected: {temp_id} got: {payment.checking_id})"
+ )
+
logger.debug(f"backend: pay_invoice finished {temp_id}")
- if payment.ok and payment.checking_id:
- logger.debug(f"creating final payment {payment.checking_id}")
+ if payment.checking_id and payment.ok != False:
+ # payment.ok can be True (paid) or None (pending)!
+ logger.debug(f"updating payment {temp_id}")
async with db.connect() as conn:
- await create_payment(
- checking_id=payment.checking_id,
+ await update_payment_details(
+ checking_id=temp_id,
+ pending=payment.ok != True,
fee=payment.fee_msat,
preimage=payment.preimage,
- pending=payment.ok == None,
+ new_checking_id=payment.checking_id,
conn=conn,
- **payment_kwargs,
)
- logger.debug(f"deleting temporary payment {temp_id}")
- await delete_payment(temp_id, conn=conn)
- else:
- logger.debug(f"backend payment failed")
+ logger.debug(f"payment successful {payment.checking_id}")
+ elif payment.checking_id is None and payment.ok == False:
+ # payment failed
+ logger.warning(f"backend sent payment failure")
async with db.connect() as conn:
logger.debug(f"deleting temporary payment {temp_id}")
await delete_payment(temp_id, conn=conn)
raise PaymentFailure(
- payment.error_message
- or "Payment failed, but backend didn't give us an error message."
+ f"payment failed: {payment.error_message}"
+ or "payment failed, but backend didn't give us an error message"
)
- logger.debug(f"payment successful {payment.checking_id}")
+ else:
+ logger.warning(
+ f"didn't receive checking_id from backend, payment may be stuck in database: {temp_id}"
+ )
+
return invoice.payment_hash
@@ -344,23 +366,16 @@ async def perform_lnurlauth(
async def check_transaction_status(
wallet_id: str, payment_hash: str, conn: Optional[Connection] = None
) -> PaymentStatus:
- payment = await get_wallet_payment(wallet_id, payment_hash, conn=conn)
+ payment: Optional[Payment] = await get_wallet_payment(
+ wallet_id, payment_hash, conn=conn
+ )
if not payment:
return PaymentStatus(None)
- if payment.is_out:
- status = await WALLET.get_payment_status(payment.checking_id)
- else:
- status = await WALLET.get_invoice_status(payment.checking_id)
if not payment.pending:
- return status
- if payment.is_out and status.failed:
- logger.info(f"deleting outgoing failed payment {payment.checking_id}: {status}")
- await payment.delete()
- elif not status.pending:
- logger.info(
- f"marking '{'in' if payment.is_in else 'out'}' {payment.checking_id} as not pending anymore: {status}"
- )
- await payment.set_pending(status.pending)
+ # note: before, we still checked the status of the payment again
+ return PaymentStatus(True)
+
+ status: PaymentStatus = await payment.check_status()
return status
diff --git a/lnbits/core/views/api.py b/lnbits/core/views/api.py
index d764d3d2b..830cc16a8 100644
--- a/lnbits/core/views/api.py
+++ b/lnbits/core/views/api.py
@@ -378,7 +378,7 @@ async def subscribe(request: Request, wallet: Wallet):
while True:
payment: Payment = await payment_queue.get()
if payment.wallet_id == this_wallet_id:
- logger.debug("payment receieved", payment)
+ logger.debug("payment received", payment)
await send_queue.put(("payment-received", payment))
asyncio.create_task(payment_received())
@@ -402,6 +402,10 @@ async def subscribe(request: Request, wallet: Wallet):
async def api_payments_sse(
request: Request, wallet: WalletTypeInfo = Depends(get_key_type)
):
+ if wallet is None or wallet.wallet is None:
+ raise HTTPException(
+ status_code=HTTPStatus.NOT_FOUND, detail="Wallet does not exist."
+ )
return EventSourceResponse(
subscribe(request, wallet.wallet), ping=20, media_type="text/event-stream"
)
@@ -436,7 +440,7 @@ async def api_payment(payment_hash, X_Api_Key: Optional[str] = Header(None)):
return {"paid": True, "preimage": payment.preimage}
try:
- await payment.check_pending()
+ await payment.check_status()
except Exception:
if wallet and wallet.id == payment.wallet_id:
return {"paid": False, "details": payment}
diff --git a/lnbits/extensions/boltz/README.md b/lnbits/extensions/boltz/README.md
new file mode 100644
index 000000000..28289b73a
--- /dev/null
+++ b/lnbits/extensions/boltz/README.md
@@ -0,0 +1,40 @@
+# Swap on [Boltz](https://boltz.exchange)
+providing **trustless** and **account-free** swap services since **2018.**
+move **IN** and **OUT** of the **lightning network** and remain in control of your bitcoin, at all times.
+* [Lightning Node](https://amboss.space/node/026165850492521f4ac8abd9bd8088123446d126f648ca35e60f88177dc149ceb2)
+* [Documentation](https://docs.boltz.exchange/en/latest/)
+* [Discord](https://discord.gg/d6EK85KK)
+* [Twitter](https://twitter.com/Boltzhq)
+
+# usage
+This extension lets you create swaps, reverse swaps and in the case of failure refund your onchain funds.
+
+## create normal swap
+1. click on "Swap (IN)" button to open following dialog, select a wallet, choose a proper amount in the min-max range and choose a onchain address to do your refund to if the swap fails after you already commited onchain funds.
+---
+![create swap](https://imgur.com/OyOh3Nm.png)
+---
+2. after you confirm your inputs, following dialog with the QR code for the onchain transaction, onchain- address and amount, will pop up.
+---
+![pay onchain tx](https://imgur.com/r2UhwCY.png)
+---
+3. after you pay this onchain address with the correct amount, boltz will see it and will pay your invoice and the sats will appear on your wallet.
+
+if anything goes wrong when boltz is trying to pay your invoice, the swap will fail and you will need to refund your onchain funds after the timeout block height hit. (if boltz can pay the invoice, it wont be able to redeem your onchain funds either).
+
+## create reverse swap
+1. click on "Swap (OUT)" button to open following dialog, select a wallet, choose a proper amount in the min-max range and choose a onchain address to receive your funds to. Instant settlement: means that LNbits will create the onchain claim transaction if it sees the boltz lockup transaction in the mempool, but it is not confirmed yet. it is advised to leave this checked because it is faster and the longer is takes to settle, the higher the chances are that the lightning invoice expires and the swap fails.
+---
+![reverse swap](https://imgur.com/UEAPpbs.png)
+---
+if this swap fails, boltz is doing the onchain refunding, because they have to commit onchain funds.
+
+# refund locked onchain funds from a normal swap
+if for some reason the normal swap fails and you already paid onchain, you can easily refund your btc.
+this can happen if boltz is not able to pay your lightning invoice after you locked up your funds.
+in case that happens, there is a info icon in the Swap (In) List which opens following dialog.
+---
+![refund](https://imgur.com/pN81ltf.png)
+----
+if the timeout block height is exceeded you can either press refund and lnbits will do the refunding to the address you specified when creating the swap. Or download the refundfile so you can manually refund your onchain directly on the boltz.exchange website.
+if you think there is something wrong and/or you are unsure, you can ask for help either in LNbits telegram or in Boltz [Discord](https://discord.gg/d6EK85KK)
diff --git a/lnbits/extensions/boltz/__init__.py b/lnbits/extensions/boltz/__init__.py
new file mode 100644
index 000000000..7eb2e5a70
--- /dev/null
+++ b/lnbits/extensions/boltz/__init__.py
@@ -0,0 +1,26 @@
+import asyncio
+
+from fastapi import APIRouter
+
+from lnbits.db import Database
+from lnbits.helpers import template_renderer
+from lnbits.tasks import catch_everything_and_restart
+
+db = Database("ext_boltz")
+
+boltz_ext: APIRouter = APIRouter(prefix="/boltz", tags=["boltz"])
+
+
+def boltz_renderer():
+ return template_renderer(["lnbits/extensions/boltz/templates"])
+
+
+from .tasks import check_for_pending_swaps, wait_for_paid_invoices
+from .views import * # noqa
+from .views_api import * # noqa
+
+
+def boltz_start():
+ loop = asyncio.get_event_loop()
+ loop.create_task(check_for_pending_swaps())
+ loop.create_task(catch_everything_and_restart(wait_for_paid_invoices))
diff --git a/lnbits/extensions/boltz/boltz.py b/lnbits/extensions/boltz/boltz.py
new file mode 100644
index 000000000..4e5fecd00
--- /dev/null
+++ b/lnbits/extensions/boltz/boltz.py
@@ -0,0 +1,424 @@
+import asyncio
+import os
+from binascii import hexlify, unhexlify
+from hashlib import sha256
+from typing import Awaitable, Union
+
+import httpx
+from embit import ec, script
+from embit.networks import NETWORKS
+from embit.transaction import SIGHASH, Transaction, TransactionInput, TransactionOutput
+from loguru import logger
+
+from lnbits.core.services import create_invoice, pay_invoice
+from lnbits.helpers import urlsafe_short_hash
+from lnbits.settings import BOLTZ_NETWORK, BOLTZ_URL
+
+from .crud import update_swap_status
+from .mempool import (
+ get_fee_estimation,
+ get_mempool_blockheight,
+ get_mempool_fees,
+ get_mempool_tx,
+ get_mempool_tx_from_txs,
+ send_onchain_tx,
+ wait_for_websocket_message,
+)
+from .models import (
+ CreateReverseSubmarineSwap,
+ CreateSubmarineSwap,
+ ReverseSubmarineSwap,
+ SubmarineSwap,
+ SwapStatus,
+)
+from .utils import check_balance, get_timestamp, req_wrap
+
+net = NETWORKS[BOLTZ_NETWORK]
+logger.debug(f"BOLTZ_URL: {BOLTZ_URL}")
+logger.debug(f"Bitcoin Network: {net['name']}")
+
+
+async def create_swap(data: CreateSubmarineSwap) -> SubmarineSwap:
+ if not check_boltz_limits(data.amount):
+ msg = f"Boltz - swap not in boltz limits"
+ logger.warning(msg)
+ raise Exception(msg)
+
+ swap_id = urlsafe_short_hash()
+ try:
+ payment_hash, payment_request = await create_invoice(
+ wallet_id=data.wallet,
+ amount=data.amount,
+ memo=f"swap of {data.amount} sats on boltz.exchange",
+ extra={"tag": "boltz", "swap_id": swap_id},
+ )
+ except Exception as exc:
+ msg = f"Boltz - create_invoice failed {str(exc)}"
+ logger.error(msg)
+ raise
+
+ refund_privkey = ec.PrivateKey(os.urandom(32), True, net)
+ refund_pubkey_hex = hexlify(refund_privkey.sec()).decode("UTF-8")
+
+ res = req_wrap(
+ "post",
+ f"{BOLTZ_URL}/createswap",
+ json={
+ "type": "submarine",
+ "pairId": "BTC/BTC",
+ "orderSide": "sell",
+ "refundPublicKey": refund_pubkey_hex,
+ "invoice": payment_request,
+ "referralId": "lnbits",
+ },
+ headers={"Content-Type": "application/json"},
+ )
+ res = res.json()
+ logger.info(
+ f"Boltz - created normal swap, boltz_id: {res['id']}. wallet: {data.wallet}"
+ )
+ return SubmarineSwap(
+ id=swap_id,
+ time=get_timestamp(),
+ wallet=data.wallet,
+ amount=data.amount,
+ payment_hash=payment_hash,
+ refund_privkey=refund_privkey.wif(net),
+ refund_address=data.refund_address,
+ boltz_id=res["id"],
+ status="pending",
+ address=res["address"],
+ expected_amount=res["expectedAmount"],
+ timeout_block_height=res["timeoutBlockHeight"],
+ bip21=res["bip21"],
+ redeem_script=res["redeemScript"],
+ )
+
+
+"""
+explanation taken from electrum
+send on Lightning, receive on-chain
+- User generates preimage, RHASH. Sends RHASH to server.
+- Server creates an LN invoice for RHASH.
+- User pays LN invoice - except server needs to hold the HTLC as preimage is unknown.
+- Server creates on-chain output locked to RHASH.
+- User spends on-chain output, revealing preimage.
+- Server fulfills HTLC using preimage.
+Note: expected_onchain_amount_sat is BEFORE deducting the on-chain claim tx fee.
+"""
+
+
+async def create_reverse_swap(
+ data: CreateReverseSubmarineSwap,
+) -> [ReverseSubmarineSwap, asyncio.Task]:
+ if not check_boltz_limits(data.amount):
+ msg = f"Boltz - reverse swap not in boltz limits"
+ logger.warning(msg)
+ raise Exception(msg)
+
+ swap_id = urlsafe_short_hash()
+
+ if not await check_balance(data):
+ logger.error(f"Boltz - reverse swap, insufficient balance.")
+ return False
+
+ claim_privkey = ec.PrivateKey(os.urandom(32), True, net)
+ claim_pubkey_hex = hexlify(claim_privkey.sec()).decode("UTF-8")
+ preimage = os.urandom(32)
+ preimage_hash = sha256(preimage).hexdigest()
+
+ res = req_wrap(
+ "post",
+ f"{BOLTZ_URL}/createswap",
+ json={
+ "type": "reversesubmarine",
+ "pairId": "BTC/BTC",
+ "orderSide": "buy",
+ "invoiceAmount": data.amount,
+ "preimageHash": preimage_hash,
+ "claimPublicKey": claim_pubkey_hex,
+ "referralId": "lnbits",
+ },
+ headers={"Content-Type": "application/json"},
+ )
+ res = res.json()
+
+ logger.info(
+ f"Boltz - created reverse swap, boltz_id: {res['id']}. wallet: {data.wallet}"
+ )
+
+ swap = ReverseSubmarineSwap(
+ id=swap_id,
+ amount=data.amount,
+ wallet=data.wallet,
+ onchain_address=data.onchain_address,
+ instant_settlement=data.instant_settlement,
+ claim_privkey=claim_privkey.wif(net),
+ preimage=preimage.hex(),
+ status="pending",
+ boltz_id=res["id"],
+ timeout_block_height=res["timeoutBlockHeight"],
+ lockup_address=res["lockupAddress"],
+ onchain_amount=res["onchainAmount"],
+ redeem_script=res["redeemScript"],
+ invoice=res["invoice"],
+ time=get_timestamp(),
+ )
+ logger.debug(f"Boltz - waiting for onchain tx, reverse swap_id: {swap.id}")
+ task = create_task_log_exception(
+ swap.id, wait_for_onchain_tx(swap, swap_websocket_callback_initial)
+ )
+ return swap, task
+
+
+def start_onchain_listener(swap: ReverseSubmarineSwap) -> asyncio.Task:
+ return create_task_log_exception(
+ swap.id, wait_for_onchain_tx(swap, swap_websocket_callback_restart)
+ )
+
+
+async def start_confirmation_listener(
+ swap: ReverseSubmarineSwap, mempool_lockup_tx
+) -> asyncio.Task:
+ logger.debug(f"Boltz - reverse swap, waiting for confirmation...")
+
+ tx, txid, *_ = mempool_lockup_tx
+
+ confirmed = await wait_for_websocket_message({"track-tx": txid}, "txConfirmed")
+ if confirmed:
+ logger.debug(f"Boltz - reverse swap lockup transaction confirmed! claiming...")
+ await create_claim_tx(swap, mempool_lockup_tx)
+ else:
+ logger.debug(f"Boltz - reverse swap lockup transaction still not confirmed.")
+
+
+def create_task_log_exception(swap_id: str, awaitable: Awaitable) -> asyncio.Task:
+ async def _log_exception(awaitable):
+ try:
+ return await awaitable
+ except Exception as e:
+ logger.error(f"Boltz - reverse swap failed!: {swap_id} - {e}")
+ await update_swap_status(swap_id, "failed")
+
+ return asyncio.create_task(_log_exception(awaitable))
+
+
+async def swap_websocket_callback_initial(swap):
+ wstask = asyncio.create_task(
+ wait_for_websocket_message(
+ {"track-address": swap.lockup_address}, "address-transactions"
+ )
+ )
+ logger.debug(
+ f"Boltz - created task, waiting on mempool websocket for address: {swap.lockup_address}"
+ )
+
+ # create_task is used because pay_invoice is stuck as long as boltz does not
+ # see the onchain claim tx and it ends up in deadlock
+ task: asyncio.Task = create_task_log_exception(
+ swap.id,
+ pay_invoice(
+ wallet_id=swap.wallet,
+ payment_request=swap.invoice,
+ description=f"reverse swap for {swap.amount} sats on boltz.exchange",
+ extra={"tag": "boltz", "swap_id": swap.id, "reverse": True},
+ ),
+ )
+ logger.debug(f"Boltz - task pay_invoice created, reverse swap_id: {swap.id}")
+
+ done, pending = await asyncio.wait(
+ [task, wstask], return_when=asyncio.FIRST_COMPLETED
+ )
+ message = done.pop().result()
+
+ # pay_invoice already failed, do not wait for onchain tx anymore
+ if message is None:
+ logger.debug(f"Boltz - pay_invoice already failed cancel websocket task.")
+ wstask.cancel()
+ raise
+
+ return task, message
+
+
+async def swap_websocket_callback_restart(swap):
+ logger.debug(f"Boltz - swap_websocket_callback_restart called...")
+ message = await wait_for_websocket_message(
+ {"track-address": swap.lockup_address}, "address-transactions"
+ )
+ return None, message
+
+
+async def wait_for_onchain_tx(swap: ReverseSubmarineSwap, callback):
+ task, txs = await callback(swap)
+ mempool_lockup_tx = get_mempool_tx_from_txs(txs, swap.lockup_address)
+ if mempool_lockup_tx:
+ tx, txid, *_ = mempool_lockup_tx
+ if swap.instant_settlement or tx["status"]["confirmed"]:
+ logger.debug(
+ f"Boltz - reverse swap instant settlement, claiming immediatly..."
+ )
+ await create_claim_tx(swap, mempool_lockup_tx)
+ else:
+ await start_confirmation_listener(swap, mempool_lockup_tx)
+ try:
+ if task:
+ await task
+ except:
+ logger.error(
+ f"Boltz - could not await pay_invoice task, but sent onchain. should never happen!"
+ )
+ else:
+ logger.error(f"Boltz - mempool lockup tx not found.")
+
+
+async def create_claim_tx(swap: ReverseSubmarineSwap, mempool_lockup_tx):
+ tx = await create_onchain_tx(swap, mempool_lockup_tx)
+ await send_onchain_tx(tx)
+ logger.debug(f"Boltz - onchain tx sent, reverse swap completed")
+ await update_swap_status(swap.id, "complete")
+
+
+async def create_refund_tx(swap: SubmarineSwap):
+ mempool_lockup_tx = get_mempool_tx(swap.address)
+ tx = await create_onchain_tx(swap, mempool_lockup_tx)
+ await send_onchain_tx(tx)
+
+
+def check_block_height(block_height: int):
+ current_block_height = get_mempool_blockheight()
+ if current_block_height <= block_height:
+ msg = f"refund not possible, timeout_block_height ({block_height}) is not yet exceeded ({current_block_height})"
+ logger.debug(msg)
+ raise Exception(msg)
+
+
+"""
+a submarine swap consists of 2 onchain tx's a lockup and a redeem tx.
+we create a tx to redeem the funds locked by the onchain lockup tx.
+claim tx for reverse swaps, refund tx for normal swaps they are the same
+onchain redeem tx, the difference between them is the private key, onchain_address,
+input sequence and input script_sig
+"""
+
+
+async def create_onchain_tx(
+ swap: Union[ReverseSubmarineSwap, SubmarineSwap], mempool_lockup_tx
+) -> Transaction:
+ is_refund_tx = type(swap) == SubmarineSwap
+ if is_refund_tx:
+ check_block_height(swap.timeout_block_height)
+ privkey = ec.PrivateKey.from_wif(swap.refund_privkey)
+ onchain_address = swap.refund_address
+ preimage = b""
+ sequence = 0xFFFFFFFE
+ else:
+ privkey = ec.PrivateKey.from_wif(swap.claim_privkey)
+ preimage = unhexlify(swap.preimage)
+ onchain_address = swap.onchain_address
+ sequence = 0xFFFFFFFF
+
+ locktime = swap.timeout_block_height
+ redeem_script = unhexlify(swap.redeem_script)
+
+ fees = get_fee_estimation()
+
+ tx, txid, vout_cnt, vout_amount = mempool_lockup_tx
+
+ script_pubkey = script.address_to_scriptpubkey(onchain_address)
+
+ vin = [TransactionInput(unhexlify(txid), vout_cnt, sequence=sequence)]
+ vout = [TransactionOutput(vout_amount - fees, script_pubkey)]
+ tx = Transaction(vin=vin, vout=vout)
+
+ if is_refund_tx:
+ tx.locktime = locktime
+
+ # TODO: 2 rounds for fee calculation, look at vbytes after signing and do another TX
+ s = script.Script(data=redeem_script)
+ for i, inp in enumerate(vin):
+ if is_refund_tx:
+ rs = bytes([34]) + bytes([0]) + bytes([32]) + sha256(redeem_script).digest()
+ tx.vin[i].script_sig = script.Script(data=rs)
+ h = tx.sighash_segwit(i, s, vout_amount)
+ sig = privkey.sign(h).serialize() + bytes([SIGHASH.ALL])
+ witness_items = [sig, preimage, redeem_script]
+ tx.vin[i].witness = script.Witness(items=witness_items)
+
+ return tx
+
+
+def get_swap_status(swap: Union[SubmarineSwap, ReverseSubmarineSwap]) -> SwapStatus:
+ swap_status = SwapStatus(
+ wallet=swap.wallet,
+ swap_id=swap.id,
+ )
+
+ try:
+ boltz_request = get_boltz_status(swap.boltz_id)
+ swap_status.boltz = boltz_request["status"]
+ except httpx.HTTPStatusError as exc:
+ json = exc.response.json()
+ swap_status.boltz = json["error"]
+ if "could not find" in swap_status.boltz:
+ swap_status.exists = False
+
+ if type(swap) == SubmarineSwap:
+ swap_status.reverse = False
+ swap_status.address = swap.address
+ else:
+ swap_status.reverse = True
+ swap_status.address = swap.lockup_address
+
+ swap_status.block_height = get_mempool_blockheight()
+ swap_status.timeout_block_height = (
+ f"{str(swap.timeout_block_height)} -> current: {str(swap_status.block_height)}"
+ )
+
+ if swap_status.block_height >= swap.timeout_block_height:
+ swap_status.hit_timeout = True
+
+ mempool_tx = get_mempool_tx(swap_status.address)
+ swap_status.lockup = mempool_tx
+ if mempool_tx == None:
+ swap_status.has_lockup = False
+ swap_status.confirmed = False
+ swap_status.mempool = "transaction.unknown"
+ swap_status.message = "lockup tx not in mempool"
+ else:
+ swap_status.has_lockup = True
+ tx, *_ = mempool_tx
+ if tx["status"]["confirmed"] == True:
+ swap_status.mempool = "transaction.confirmed"
+ swap_status.confirmed = True
+ else:
+ swap_status.confirmed = False
+ swap_status.mempool = "transaction.unconfirmed"
+
+ return swap_status
+
+
+def check_boltz_limits(amount):
+ try:
+ pairs = get_boltz_pairs()
+ limits = pairs["pairs"]["BTC/BTC"]["limits"]
+ return amount >= limits["minimal"] and amount <= limits["maximal"]
+ except:
+ return False
+
+
+def get_boltz_pairs():
+ res = req_wrap(
+ "get",
+ f"{BOLTZ_URL}/getpairs",
+ headers={"Content-Type": "application/json"},
+ )
+ return res.json()
+
+
+def get_boltz_status(boltzid):
+ res = req_wrap(
+ "post",
+ f"{BOLTZ_URL}/swapstatus",
+ json={"id": boltzid},
+ )
+ return res.json()
diff --git a/lnbits/extensions/boltz/config.json b/lnbits/extensions/boltz/config.json
new file mode 100644
index 000000000..6a11da2da
--- /dev/null
+++ b/lnbits/extensions/boltz/config.json
@@ -0,0 +1,6 @@
+{
+ "name": "Boltz",
+ "short_description": "Perform onchain/offchain swaps via https://boltz.exchange/",
+ "icon": "swap_horiz",
+ "contributors": ["dni"]
+}
diff --git a/lnbits/extensions/boltz/crud.py b/lnbits/extensions/boltz/crud.py
new file mode 100644
index 000000000..1bb4286dc
--- /dev/null
+++ b/lnbits/extensions/boltz/crud.py
@@ -0,0 +1,225 @@
+from http import HTTPStatus
+from typing import List, Optional, Union
+
+from loguru import logger
+from starlette.exceptions import HTTPException
+
+from . import db
+from .models import (
+ CreateReverseSubmarineSwap,
+ CreateSubmarineSwap,
+ ReverseSubmarineSwap,
+ SubmarineSwap,
+)
+
+"""
+Submarine Swaps
+"""
+
+
+async def get_submarine_swaps(wallet_ids: Union[str, List[str]]) -> List[SubmarineSwap]:
+ if isinstance(wallet_ids, str):
+ wallet_ids = [wallet_ids]
+
+ q = ",".join(["?"] * len(wallet_ids))
+ rows = await db.fetchall(
+ f"SELECT * FROM boltz.submarineswap WHERE wallet IN ({q}) order by time DESC",
+ (*wallet_ids,),
+ )
+
+ return [SubmarineSwap(**row) for row in rows]
+
+
+async def get_pending_submarine_swaps(
+ wallet_ids: Union[str, List[str]]
+) -> List[SubmarineSwap]:
+ if isinstance(wallet_ids, str):
+ wallet_ids = [wallet_ids]
+
+ q = ",".join(["?"] * len(wallet_ids))
+ rows = await db.fetchall(
+ f"SELECT * FROM boltz.submarineswap WHERE wallet IN ({q}) and status='pending' order by time DESC",
+ (*wallet_ids,),
+ )
+ return [SubmarineSwap(**row) for row in rows]
+
+
+async def get_all_pending_submarine_swaps() -> List[SubmarineSwap]:
+ rows = await db.fetchall(
+ f"SELECT * FROM boltz.submarineswap WHERE status='pending' order by time DESC",
+ )
+ return [SubmarineSwap(**row) for row in rows]
+
+
+async def get_submarine_swap(swap_id) -> SubmarineSwap:
+ row = await db.fetchone(
+ "SELECT * FROM boltz.submarineswap WHERE id = ?", (swap_id,)
+ )
+ return SubmarineSwap(**row) if row else None
+
+
+async def create_submarine_swap(swap: SubmarineSwap) -> Optional[SubmarineSwap]:
+
+ await db.execute(
+ """
+ INSERT INTO boltz.submarineswap (
+ id,
+ wallet,
+ payment_hash,
+ status,
+ boltz_id,
+ refund_privkey,
+ refund_address,
+ expected_amount,
+ timeout_block_height,
+ address,
+ bip21,
+ redeem_script,
+ amount
+ )
+ VALUES (?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?)
+ """,
+ (
+ swap.id,
+ swap.wallet,
+ swap.payment_hash,
+ swap.status,
+ swap.boltz_id,
+ swap.refund_privkey,
+ swap.refund_address,
+ swap.expected_amount,
+ swap.timeout_block_height,
+ swap.address,
+ swap.bip21,
+ swap.redeem_script,
+ swap.amount,
+ ),
+ )
+ return await get_submarine_swap(swap.id)
+
+
+async def delete_submarine_swap(swap_id):
+ await db.execute("DELETE FROM boltz.submarineswap WHERE id = ?", (swap_id,))
+
+
+async def get_reverse_submarine_swaps(
+ wallet_ids: Union[str, List[str]]
+) -> List[ReverseSubmarineSwap]:
+ if isinstance(wallet_ids, str):
+ wallet_ids = [wallet_ids]
+
+ q = ",".join(["?"] * len(wallet_ids))
+ rows = await db.fetchall(
+ f"SELECT * FROM boltz.reverse_submarineswap WHERE wallet IN ({q}) order by time DESC",
+ (*wallet_ids,),
+ )
+
+ return [ReverseSubmarineSwap(**row) for row in rows]
+
+
+async def get_pending_reverse_submarine_swaps(
+ wallet_ids: Union[str, List[str]]
+) -> List[ReverseSubmarineSwap]:
+ if isinstance(wallet_ids, str):
+ wallet_ids = [wallet_ids]
+
+ q = ",".join(["?"] * len(wallet_ids))
+ rows = await db.fetchall(
+ f"SELECT * FROM boltz.reverse_submarineswap WHERE wallet IN ({q}) and status='pending' order by time DESC",
+ (*wallet_ids,),
+ )
+
+ return [ReverseSubmarineSwap(**row) for row in rows]
+
+
+async def get_all_pending_reverse_submarine_swaps() -> List[ReverseSubmarineSwap]:
+ rows = await db.fetchall(
+ f"SELECT * FROM boltz.reverse_submarineswap WHERE status='pending' order by time DESC"
+ )
+
+ return [ReverseSubmarineSwap(**row) for row in rows]
+
+
+async def get_reverse_submarine_swap(swap_id) -> SubmarineSwap:
+ row = await db.fetchone(
+ "SELECT * FROM boltz.reverse_submarineswap WHERE id = ?", (swap_id,)
+ )
+ return ReverseSubmarineSwap(**row) if row else None
+
+
+async def create_reverse_submarine_swap(
+ swap: ReverseSubmarineSwap,
+) -> Optional[ReverseSubmarineSwap]:
+
+ await db.execute(
+ """
+ INSERT INTO boltz.reverse_submarineswap (
+ id,
+ wallet,
+ status,
+ boltz_id,
+ instant_settlement,
+ preimage,
+ claim_privkey,
+ lockup_address,
+ invoice,
+ onchain_amount,
+ onchain_address,
+ timeout_block_height,
+ redeem_script,
+ amount
+ )
+ VALUES (?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?)
+ """,
+ (
+ swap.id,
+ swap.wallet,
+ swap.status,
+ swap.boltz_id,
+ swap.instant_settlement,
+ swap.preimage,
+ swap.claim_privkey,
+ swap.lockup_address,
+ swap.invoice,
+ swap.onchain_amount,
+ swap.onchain_address,
+ swap.timeout_block_height,
+ swap.redeem_script,
+ swap.amount,
+ ),
+ )
+ return await get_reverse_submarine_swap(swap.id)
+
+
+async def update_swap_status(swap_id: str, status: str):
+
+ reverse = ""
+ swap = await get_submarine_swap(swap_id)
+ if swap is None:
+ swap = await get_reverse_submarine_swap(swap_id)
+
+ if swap is None:
+ return None
+
+ if type(swap) == SubmarineSwap:
+ await db.execute(
+ "UPDATE boltz.submarineswap SET status='"
+ + status
+ + "' WHERE id='"
+ + swap.id
+ + "'"
+ )
+ if type(swap) == ReverseSubmarineSwap:
+ reverse = "reverse"
+ await db.execute(
+ "UPDATE boltz.reverse_submarineswap SET status='"
+ + status
+ + "' WHERE id='"
+ + swap.id
+ + "'"
+ )
+
+ message = f"Boltz - {reverse} swap status change: {status}. boltz_id: {swap.boltz_id}, wallet: {swap.wallet}"
+ logger.info(message)
+
+ return swap
diff --git a/lnbits/extensions/boltz/mempool.py b/lnbits/extensions/boltz/mempool.py
new file mode 100644
index 000000000..ee3052577
--- /dev/null
+++ b/lnbits/extensions/boltz/mempool.py
@@ -0,0 +1,97 @@
+import asyncio
+import json
+from binascii import hexlify
+
+import httpx
+import websockets
+from embit.transaction import Transaction
+from loguru import logger
+
+from lnbits.settings import BOLTZ_MEMPOOL_SPACE_URL, BOLTZ_MEMPOOL_SPACE_URL_WS
+
+from .utils import req_wrap
+
+logger.debug(f"BOLTZ_MEMPOOL_SPACE_URL: {BOLTZ_MEMPOOL_SPACE_URL}")
+logger.debug(f"BOLTZ_MEMPOOL_SPACE_URL_WS: {BOLTZ_MEMPOOL_SPACE_URL_WS}")
+
+websocket_url = f"{BOLTZ_MEMPOOL_SPACE_URL_WS}/api/v1/ws"
+
+
+async def wait_for_websocket_message(send, message_string):
+ async for websocket in websockets.connect(websocket_url):
+ try:
+ await websocket.send(json.dumps({"action": "want", "data": ["blocks"]}))
+ await websocket.send(json.dumps(send))
+ async for raw in websocket:
+ message = json.loads(raw)
+ if message_string in message:
+ return message.get(message_string)
+ except websockets.ConnectionClosed:
+ continue
+
+
+def get_mempool_tx(address):
+ res = req_wrap(
+ "get",
+ f"{BOLTZ_MEMPOOL_SPACE_URL}/api/address/{address}/txs",
+ headers={"Content-Type": "text/plain"},
+ )
+ txs = res.json()
+ return get_mempool_tx_from_txs(txs, address)
+
+
+def get_mempool_tx_from_txs(txs, address):
+ if len(txs) == 0:
+ return None
+ tx = txid = vout_cnt = vout_amount = None
+ for a_tx in txs:
+ for i, vout in enumerate(a_tx["vout"]):
+ if vout["scriptpubkey_address"] == address:
+ tx = a_tx
+ txid = a_tx["txid"]
+ vout_cnt = i
+ vout_amount = vout["value"]
+ # should never happen
+ if tx == None:
+ raise Exception("mempool tx not found")
+ if txid == None:
+ raise Exception("mempool txid not found")
+ return tx, txid, vout_cnt, vout_amount
+
+
+def get_fee_estimation() -> int:
+ # TODO: hardcoded maximum tx size, in the future we try to get the size of the tx via embit
+ # we need a function like Transaction.vsize()
+ tx_size_vbyte = 200
+ mempool_fees = get_mempool_fees()
+ return mempool_fees * tx_size_vbyte
+
+
+def get_mempool_fees() -> int:
+ res = req_wrap(
+ "get",
+ f"{BOLTZ_MEMPOOL_SPACE_URL}/api/v1/fees/recommended",
+ headers={"Content-Type": "text/plain"},
+ )
+ fees = res.json()
+ return int(fees["economyFee"])
+
+
+def get_mempool_blockheight() -> int:
+ res = req_wrap(
+ "get",
+ f"{BOLTZ_MEMPOOL_SPACE_URL}/api/blocks/tip/height",
+ headers={"Content-Type": "text/plain"},
+ )
+ return int(res.text)
+
+
+async def send_onchain_tx(tx: Transaction):
+ raw = hexlify(tx.serialize())
+ logger.debug(f"Boltz - mempool sending onchain tx...")
+ req_wrap(
+ "post",
+ f"{BOLTZ_MEMPOOL_SPACE_URL}/api/tx",
+ headers={"Content-Type": "text/plain"},
+ content=raw,
+ )
diff --git a/lnbits/extensions/boltz/migrations.py b/lnbits/extensions/boltz/migrations.py
new file mode 100644
index 000000000..e4026dd04
--- /dev/null
+++ b/lnbits/extensions/boltz/migrations.py
@@ -0,0 +1,46 @@
+async def m001_initial(db):
+ await db.execute(
+ """
+ CREATE TABLE boltz.submarineswap (
+ id TEXT PRIMARY KEY,
+ wallet TEXT NOT NULL,
+ payment_hash TEXT NOT NULL,
+ amount INT NOT NULL,
+ status TEXT NOT NULL,
+ boltz_id TEXT NOT NULL,
+ refund_address TEXT NOT NULL,
+ refund_privkey TEXT NOT NULL,
+ expected_amount INT NOT NULL,
+ timeout_block_height INT NOT NULL,
+ address TEXT NOT NULL,
+ bip21 TEXT NOT NULL,
+ redeem_script TEXT NOT NULL,
+ time TIMESTAMP NOT NULL DEFAULT """
+ + db.timestamp_now
+ + """
+ );
+ """
+ )
+ await db.execute(
+ """
+ CREATE TABLE boltz.reverse_submarineswap (
+ id TEXT PRIMARY KEY,
+ wallet TEXT NOT NULL,
+ onchain_address TEXT NOT NULL,
+ amount INT NOT NULL,
+ instant_settlement BOOLEAN NOT NULL,
+ status TEXT NOT NULL,
+ boltz_id TEXT NOT NULL,
+ timeout_block_height INT NOT NULL,
+ redeem_script TEXT NOT NULL,
+ preimage TEXT NOT NULL,
+ claim_privkey TEXT NOT NULL,
+ lockup_address TEXT NOT NULL,
+ invoice TEXT NOT NULL,
+ onchain_amount INT NOT NULL,
+ time TIMESTAMP NOT NULL DEFAULT """
+ + db.timestamp_now
+ + """
+ );
+ """
+ )
diff --git a/lnbits/extensions/boltz/models.py b/lnbits/extensions/boltz/models.py
new file mode 100644
index 000000000..c8ec5646d
--- /dev/null
+++ b/lnbits/extensions/boltz/models.py
@@ -0,0 +1,75 @@
+import json
+from typing import Dict, List, Optional
+
+from fastapi.params import Query
+from pydantic.main import BaseModel
+from sqlalchemy.engine import base # type: ignore
+
+
+class SubmarineSwap(BaseModel):
+ id: str
+ wallet: str
+ amount: int
+ payment_hash: str
+ time: int
+ status: str
+ refund_privkey: str
+ refund_address: str
+ boltz_id: str
+ expected_amount: int
+ timeout_block_height: int
+ address: str
+ bip21: str
+ redeem_script: str
+
+
+class CreateSubmarineSwap(BaseModel):
+ wallet: str = Query(...) # type: ignore
+ refund_address: str = Query(...) # type: ignore
+ amount: int = Query(...) # type: ignore
+
+
+class ReverseSubmarineSwap(BaseModel):
+ id: str
+ wallet: str
+ amount: int
+ onchain_address: str
+ instant_settlement: bool
+ time: int
+ status: str
+ boltz_id: str
+ preimage: str
+ claim_privkey: str
+ lockup_address: str
+ invoice: str
+ onchain_amount: int
+ timeout_block_height: int
+ redeem_script: str
+
+
+class CreateReverseSubmarineSwap(BaseModel):
+ wallet: str = Query(...) # type: ignore
+ amount: int = Query(...) # type: ignore
+ instant_settlement: bool = Query(...) # type: ignore
+ # validate on-address, bcrt1 for regtest addresses
+ onchain_address: str = Query(
+ ..., regex="^(bcrt1|bc1|[13])[a-zA-HJ-NP-Z0-9]{25,39}$"
+ ) # type: ignore
+
+
+class SwapStatus(BaseModel):
+ swap_id: str
+ wallet: str
+ status: str = ""
+ message: str = ""
+ boltz: str = ""
+ mempool: str = ""
+ address: str = ""
+ block_height: int = 0
+ timeout_block_height: str = ""
+ lockup: Optional[dict] = {}
+ has_lockup: bool = False
+ hit_timeout: bool = False
+ confirmed: bool = True
+ exists: bool = True
+ reverse: bool = False
diff --git a/lnbits/extensions/boltz/tasks.py b/lnbits/extensions/boltz/tasks.py
new file mode 100644
index 000000000..d6f72edf9
--- /dev/null
+++ b/lnbits/extensions/boltz/tasks.py
@@ -0,0 +1,153 @@
+import asyncio
+
+import httpx
+from loguru import logger
+
+from lnbits.core.models import Payment
+from lnbits.core.services import check_transaction_status
+from lnbits.tasks import register_invoice_listener
+
+from .boltz import (
+ create_claim_tx,
+ create_refund_tx,
+ get_swap_status,
+ start_confirmation_listener,
+ start_onchain_listener,
+)
+from .crud import (
+ get_all_pending_reverse_submarine_swaps,
+ get_all_pending_submarine_swaps,
+ get_reverse_submarine_swap,
+ get_submarine_swap,
+ update_swap_status,
+)
+
+"""
+testcases for boltz startup
+A. normal swaps
+ 1. test: create -> kill -> start -> startup invoice listeners -> pay onchain funds -> should complete
+ 2. test: create -> kill -> pay onchain funds -> start -> startup check -> should complete
+ 3. test: create -> kill -> mine blocks and hit timeout -> start -> should go timeout/failed
+ 4. test: create -> kill -> pay to less onchain funds -> mine blocks hit timeout -> start lnbits -> should be refunded
+
+B. reverse swaps
+ 1. test: create instant -> kill -> boltz does lockup -> not confirmed -> start lnbits -> should claim/complete
+ 2. test: create instant -> kill -> no lockup -> start lnbits -> should start onchain listener -> boltz does lockup -> should claim/complete (difficult to test)
+ 3. test: create -> kill -> boltz does lockup -> not confirmed -> start lnbits -> should start tx listener -> after confirmation -> should claim/complete
+ 4. test: create -> kill -> boltz does lockup -> confirmed -> start lnbits -> should claim/complete
+ 5. test: create -> kill -> boltz does lockup -> hit timeout -> boltz refunds -> start -> should timeout
+"""
+
+
+async def check_for_pending_swaps():
+ try:
+ swaps = await get_all_pending_submarine_swaps()
+ reverse_swaps = await get_all_pending_reverse_submarine_swaps()
+ if len(swaps) > 0 or len(reverse_swaps) > 0:
+ logger.debug(f"Boltz - startup swap check")
+ except:
+ # database is not created yet, do nothing
+ return
+
+ if len(swaps) > 0:
+ logger.debug(f"Boltz - {len(swaps)} pending swaps")
+ for swap in swaps:
+ try:
+ swap_status = get_swap_status(swap)
+ # should only happen while development when regtest is reset
+ if swap_status.exists is False:
+ logger.warning(f"Boltz - swap: {swap.boltz_id} does not exist.")
+ await update_swap_status(swap.id, "failed")
+ continue
+
+ payment_status = await check_transaction_status(
+ swap.wallet, swap.payment_hash
+ )
+
+ if payment_status.paid:
+ logger.debug(
+ f"Boltz - swap: {swap.boltz_id} got paid while offline."
+ )
+ await update_swap_status(swap.id, "complete")
+ else:
+ if swap_status.hit_timeout:
+ if not swap_status.has_lockup:
+ logger.warning(
+ f"Boltz - swap: {swap.id} hit timeout, but no lockup tx..."
+ )
+ await update_swap_status(swap.id, "timeout")
+ else:
+ logger.debug(f"Boltz - refunding swap: {swap.id}...")
+ await create_refund_tx(swap)
+ await update_swap_status(swap.id, "refunded")
+
+ except Exception as exc:
+ logger.error(f"Boltz - swap: {swap.id} - {str(exc)}")
+
+ if len(reverse_swaps) > 0:
+ logger.debug(f"Boltz - {len(reverse_swaps)} pending reverse swaps")
+ for reverse_swap in reverse_swaps:
+ try:
+ swap_status = get_swap_status(reverse_swap)
+
+ if swap_status.exists is False:
+ logger.debug(
+ f"Boltz - reverse_swap: {reverse_swap.boltz_id} does not exist."
+ )
+ await update_swap_status(reverse_swap.id, "failed")
+ continue
+
+ # if timeout hit, boltz would have already refunded
+ if swap_status.hit_timeout:
+ logger.debug(
+ f"Boltz - reverse_swap: {reverse_swap.boltz_id} timeout."
+ )
+ await update_swap_status(reverse_swap.id, "timeout")
+ continue
+
+ if not swap_status.has_lockup:
+ # start listener for onchain address
+ logger.debug(
+ f"Boltz - reverse_swap: {reverse_swap.boltz_id} restarted onchain address listener."
+ )
+ await start_onchain_listener(reverse_swap)
+ continue
+
+ if reverse_swap.instant_settlement or swap_status.confirmed:
+ await create_claim_tx(reverse_swap, swap_status.lockup)
+ else:
+ logger.debug(
+ f"Boltz - reverse_swap: {reverse_swap.boltz_id} restarted confirmation listener."
+ )
+ await start_confirmation_listener(reverse_swap, swap_status.lockup)
+
+ except Exception as exc:
+ logger.error(f"Boltz - reverse swap: {reverse_swap.id} - {str(exc)}")
+
+
+async def wait_for_paid_invoices():
+ invoice_queue = asyncio.Queue()
+ register_invoice_listener(invoice_queue)
+
+ while True:
+ payment = await invoice_queue.get()
+ await on_invoice_paid(payment)
+
+
+async def on_invoice_paid(payment: Payment) -> None:
+ if "boltz" != payment.extra.get("tag"):
+ # not a boltz invoice
+ return
+
+ await payment.set_pending(False)
+ swap_id = payment.extra.get("swap_id")
+ swap = await get_submarine_swap(swap_id)
+
+ if not swap:
+ logger.error(f"swap_id: {swap_id} not found.")
+ return
+
+ logger.info(
+ f"Boltz - lightning invoice is paid, normal swap completed. swap_id: {swap_id}"
+ )
+ await update_swap_status(swap_id, "complete")
diff --git a/lnbits/extensions/boltz/templates/boltz/_api_docs.html b/lnbits/extensions/boltz/templates/boltz/_api_docs.html
new file mode 100644
index 000000000..eea35ab6a
--- /dev/null
+++ b/lnbits/extensions/boltz/templates/boltz/_api_docs.html
@@ -0,0 +1,236 @@
+
+ Submarine and Reverse Submarine Swaps on LNbits via boltz.exchange
+ API
+ Link :
+ https://boltz.exchange
+
+
+ More details
+
+ Created by,
+ dni
+
+ Boltz.exchange: Do onchain to offchain and vice-versa swaps
+
+
+ GET
+ /boltz/api/v1/swap/reverse
+
+ Returns 200 OK (application/json)
+
+ JSON list of reverse submarine swaps
+ Curl example
+ curl -X GET {{ root_url }}/boltz/api/v1/swap/reverse -H "X-Api-Key:
+ {{ user.wallets[0].adminkey }}"
+
+ POST
+ /boltz/api/v1/swap/reverse
+ Body (application/json)
+ {"wallet": <string>, "onchain_address": <string>,
+ "amount": <integer>, "instant_settlement":
+ <boolean>}
+
+ Returns 200 OK (application/json)
+
+ JSON create a reverse-submarine swaps
+ Curl example
+ curl -X POST {{ root_url }}/boltz/api/v1/swap/reverse -H "X-Api-Key:
+ {{ user.wallets[0].adminkey }}"
+
+ GET /boltz/api/v1/swap
+
+ Returns 200 OK (application/json)
+
+ JSON list of submarine swaps
+ Curl example
+ curl -X GET {{ root_url }}/boltz/api/v1/swap -H "X-Api-Key: {{
+ user.wallets[0].adminkey }}"
+
+ POST /boltz/api/v1/swap
+ Body (application/json)
+ {"wallet": <string>, "refund_address": <string>,
+ "amount": <integer>}
+
+ Returns 200 OK (application/json)
+
+ JSON create a submarine swaps
+ Curl example
+ curl -X POST {{ root_url }}/boltz/api/v1/swap -H "X-Api-Key: {{
+ user.wallets[0].adminkey }}"
+
+ POST
+ /boltz/api/v1/swap/refund/{swap_id}
+
+ Returns 200 OK (application/json)
+
+ JSON submarine swap
+ Curl example
+ curl -X GET {{ root_url }}/boltz/api/v1/swap/refund/{swap_id} -H
+ "X-Api-Key: {{ user.wallets[0].adminkey }}"
+
+ POST
+ /boltz/api/v1/swap/status/{swap_id}
+
+ Returns 200 OK (text/plain)
+
+ swap status
+ Curl example
+ curl -X GET {{ root_url }}/boltz/api/v1/swap/status/{swap_id} -H
+ "X-Api-Key: {{ user.wallets[0].adminkey }}"
+
+ GET
+ /boltz/api/v1/swap/check
+
+ Returns 200 OK (application/json)
+
+ JSON pending swaps
+ Curl example
+ curl -X GET {{ root_url }}/boltz/api/v1/swap/check -H "X-Api-Key: {{
+ user.wallets[0].adminkey }}"
+
+ GET
+ /boltz/api/v1/swap/boltz
+
+ Returns 200 OK (text/plain)
+
+ JSON boltz config
+ Curl example
+ curl -X GET {{ root_url }}/boltz/api/v1/swap/boltz -H "X-Api-Key: {{
+ user.wallets[0].inkey }}"
+
+ GET
+ /boltz/api/v1/swap/mempool
+
+ Returns 200 OK (text/plain)
+
+ mempool url
+ Curl example
+ curl -X GET {{ root_url }}/boltz/api/v1/swap/mempool -H "X-Api-Key:
+ {{ user.wallets[0].inkey }}"
+
+