lnbits-legend/lnbits/core/models.py

231 lines
6.1 KiB
Python
Raw Normal View History

2022-12-02 18:51:52 +01:00
import datetime
import hashlib
2022-07-16 14:23:03 +02:00
import hmac
import json
2022-12-02 18:51:18 +01:00
import time
from sqlite3 import Row
from typing import Callable, Dict, List, Optional
from ecdsa import SECP256k1, SigningKey
from lnurl import encode as lnurl_encode
from loguru import logger
2022-12-27 14:50:42 +01:00
from pydantic import BaseModel
from lnbits.db import Connection
2022-07-16 14:23:03 +02:00
from lnbits.helpers import url_for
2022-10-05 09:46:59 +02:00
from lnbits.settings import get_wallet_class
from lnbits.wallets.base import PaymentStatus
2020-09-28 04:12:55 +02:00
2021-08-20 22:31:01 +02:00
class Wallet(BaseModel):
id: str
name: str
user: str
adminkey: str
inkey: str
balance_msat: int
@property
def balance(self) -> int:
return self.balance_msat // 1000
2021-04-17 23:27:15 +02:00
@property
def withdrawable_balance(self) -> int:
from .services import fee_reserve
return self.balance_msat - fee_reserve(self.balance_msat)
@property
def lnurlwithdraw_full(self) -> str:
2021-10-17 19:33:29 +02:00
url = url_for("/withdraw", external=True, usr=self.user, wal=self.id)
try:
return lnurl_encode(url)
except:
return ""
2021-04-17 23:27:15 +02:00
def lnurlauth_key(self, domain: str) -> SigningKey:
hashing_key = hashlib.sha256(self.id.encode()).digest()
linking_key = hmac.digest(hashing_key, domain.encode(), "sha256")
2020-12-31 18:50:16 +01:00
return SigningKey.from_string(
2021-10-17 19:33:29 +02:00
linking_key, curve=SECP256k1, hashfunc=hashlib.sha256
2020-12-31 18:50:16 +01:00
)
async def get_payment(self, payment_hash: str) -> Optional["Payment"]:
2021-10-22 01:41:30 +02:00
from .crud import get_standalone_payment
2021-10-22 01:41:30 +02:00
return await get_standalone_payment(payment_hash)
class User(BaseModel):
id: str
email: Optional[str] = None
extensions: List[str] = []
wallets: List[Wallet] = []
password: Optional[str] = None
2022-01-31 17:29:42 +01:00
admin: bool = False
super_user: bool = False
@property
def wallet_ids(self) -> List[str]:
return [wallet.id for wallet in self.wallets]
def get_wallet(self, wallet_id: str) -> Optional["Wallet"]:
w = [wallet for wallet in self.wallets if wallet.id == wallet_id]
return w[0] if w else None
2021-08-20 22:31:01 +02:00
class Payment(BaseModel):
checking_id: str
pending: bool
amount: int
fee: int
2021-11-04 13:57:28 +01:00
memo: Optional[str]
time: int
bolt11: str
preimage: str
payment_hash: str
expiry: Optional[float]
extra: Dict = {}
wallet_id: str
2021-08-29 19:38:42 +02:00
webhook: Optional[str]
webhook_status: Optional[int]
@classmethod
def from_row(cls, row: Row):
return cls(
checking_id=row["checking_id"],
payment_hash=row["hash"] or "0" * 64,
bolt11=row["bolt11"] or "",
preimage=row["preimage"] or "0" * 64,
extra=json.loads(row["extra"] or "{}"),
pending=row["pending"],
amount=row["amount"],
fee=row["fee"],
memo=row["memo"],
time=row["time"],
2022-12-02 18:51:18 +01:00
expiry=row["expiry"],
wallet_id=row["wallet"],
webhook=row["webhook"],
webhook_status=row["webhook_status"],
)
@property
def tag(self) -> Optional[str]:
2022-07-19 18:51:35 +02:00
if self.extra is None:
return ""
return self.extra.get("tag")
@property
def msat(self) -> int:
return self.amount
@property
def sat(self) -> int:
2020-04-26 13:28:19 +02:00
return self.amount // 1000
@property
def is_in(self) -> bool:
return self.amount > 0
@property
def is_out(self) -> bool:
return self.amount < 0
2022-12-02 18:51:18 +01:00
@property
def is_expired(self) -> bool:
return self.expiry < time.time() if self.expiry else False
2022-12-02 18:51:18 +01:00
@property
def is_uncheckable(self) -> bool:
return self.checking_id.startswith("internal_")
async def update_status(
self,
status: PaymentStatus,
conn: Optional[Connection] = None,
) -> 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,
conn=conn,
)
async def set_pending(self, pending: bool) -> None:
from .crud import update_payment_status
await update_payment_status(self.checking_id, pending)
async def check_status(
self,
conn: Optional[Connection] = None,
) -> PaymentStatus:
2020-09-28 04:12:55 +02:00
if self.is_uncheckable:
return PaymentStatus(None)
2020-09-28 04:12:55 +02:00
logger.debug(
f"Checking {'outgoing' if self.is_out else 'incoming'} pending payment {self.checking_id}"
)
2022-10-05 09:46:59 +02:00
WALLET = get_wallet_class()
2020-09-28 04:12:55 +02:00
if self.is_out:
status = await WALLET.get_payment_status(self.checking_id)
2020-09-28 04:12:55 +02:00
else:
status = await WALLET.get_invoice_status(self.checking_id)
2020-09-28 04:12:55 +02:00
logger.debug(f"Status: {status}")
2022-12-06 13:21:34 +01:00
if self.is_in and status.pending and self.is_expired and self.expiry:
2022-12-02 18:51:18 +01:00
expiration_date = datetime.datetime.fromtimestamp(self.expiry)
logger.debug(
f"Deleting expired incoming pending payment {self.checking_id}: expired {expiration_date}"
2022-12-02 18:51:18 +01:00
)
await self.delete(conn)
2022-12-06 13:21:34 +01:00
elif self.is_out and status.failed:
logger.warning(
f"Deleting outgoing failed payment {self.checking_id}: {status}"
)
await self.delete(conn)
elif not status.pending:
logger.info(
f"Marking '{'in' if self.is_in else 'out'}' {self.checking_id} as not pending anymore: {status}"
)
await self.update_status(status, conn=conn)
return status
2020-09-28 04:12:55 +02:00
async def delete(self, conn: Optional[Connection] = None) -> None:
from .crud import delete_payment
2020-03-05 20:29:27 +01:00
await delete_payment(self.checking_id, conn=conn)
2021-04-17 23:27:15 +02:00
2021-08-20 22:31:01 +02:00
class BalanceCheck(BaseModel):
2021-04-17 23:27:15 +02:00
wallet: str
service: str
url: str
@classmethod
def from_row(cls, row: Row):
return cls(wallet=row["wallet"], service=row["service"], url=row["url"])
class CoreAppExtra:
register_new_ext_routes: Callable
2023-01-25 08:56:05 +01:00
2023-01-12 16:16:37 +01:00
class TinyURL(BaseModel):
id: str
url: str
endless: bool
wallet: str
time: float
2023-01-12 16:16:37 +01:00
@classmethod
2023-01-23 20:57:49 +01:00
def from_row(cls, row: Row):
2023-01-24 14:30:15 +01:00
return cls(**dict(row))