import asyncio import importlib import logging import signal import sys import traceback import warnings from http import HTTPStatus from fastapi import FastAPI, Request from fastapi.exceptions import RequestValidationError from fastapi.middleware.cors import CORSMiddleware from fastapi.middleware.gzip import GZipMiddleware from fastapi.responses import JSONResponse from fastapi.staticfiles import StaticFiles from loguru import logger from lnbits.core.tasks import register_task_listeners from lnbits.settings import WALLET, check_admin_settings, settings from .commands import migrate_databases from .core import core_app from .core.views.generic import core_html_routes from .helpers import ( get_css_vendored, get_js_vendored, get_valid_extensions, template_renderer, url_for_vendored, ) from .requestvars import g from .tasks import ( catch_everything_and_restart, check_pending_payments, internal_invoice_listener, invoice_listener, webhook_handler, ) def create_app() -> FastAPI: configure_logger() app = FastAPI( title="LNbits API", description="API for LNbits, the free and open source bitcoin wallet and accounts system with plugins.", license_info={ "name": "MIT License", "url": "https://raw.githubusercontent.com/lnbits/lnbits-legend/main/LICENSE", }, ) app.mount("/static", StaticFiles(packages=[("lnbits", "static")]), name="static") app.mount( "/core/static", StaticFiles(packages=[("lnbits.core", "static")]), name="core_static", ) app.add_middleware( CORSMiddleware, allow_origins=["*"], allow_methods=["*"], allow_headers=["*"] ) # TODO: why those 2? g().config = settings # g().base_url = f"http://{settings.host}:{settings.port}" app.add_middleware(GZipMiddleware, minimum_size=1000) register_startup(app) register_assets(app) register_routes(app) register_async_tasks(app) register_exception_handlers(app) return app async def check_funding_source() -> None: # original_sigint_handler = signal.getsignal(signal.SIGINT) # def signal_handler(signal, frame): # logger.debug(f"SIGINT received, terminating LNbits.") # sys.exit(1) # signal.signal(signal.SIGINT, signal_handler) while True: try: error_message, balance = await WALLET.status() if not error_message: break logger.error( f"The backend for {WALLET.__class__.__name__} isn't working properly: '{error_message}'", RuntimeWarning, ) 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." ) def register_routes(app: FastAPI) -> None: """Register FastAPI routes / LNbits extensions.""" app.include_router(core_app) app.include_router(core_html_routes) for ext in get_valid_extensions(): try: ext_module = importlib.import_module(f"lnbits.extensions.{ext.code}") ext_route = getattr(ext_module, f"{ext.code}_ext") if hasattr(ext_module, f"{ext.code}_start"): ext_start_func = getattr(ext_module, f"{ext.code}_start") ext_start_func() if hasattr(ext_module, f"{ext.code}_static_files"): ext_statics = getattr(ext_module, f"{ext.code}_static_files") for s in ext_statics: app.mount(s["path"], s["app"], s["name"]) logger.trace(f"adding route for extension {ext_module}") app.include_router(ext_route) except Exception as e: logger.error(str(e)) raise ImportError( f"Please make sure that the extension `{ext.code}` follows conventions." ) def register_startup(app: FastAPI): @app.on_event("startup") async def lnbits_startup(): # 1. wait till migration is done await migrate_databases() # 2. setup admin settings await check_admin_settings() logger.info("Starting LNbits") logger.info(f"Host: {settings.host}") logger.info(f"Port: {settings.port}") logger.info(f"Debug: {settings.debug}") logger.info(f"Site title: {settings.lnbits_site_title}") logger.info(f"Funding source: {settings.lnbits_backend_wallet_class}") logger.info(f"Data folder: {settings.lnbits_data_folder}") logger.info(f"Git version: {settings.lnbits_commit}") db_url = settings.lnbits_database_url database = ( "PostgreSQL" if db_url and db_url.startswith("postgres://") else "CockroachDB" if db_url and db_url.startswith("cockroachdb://") else "SQLite" ) logger.info(f"Database: {database}") logger.info(f"Service fee: {settings.lnbits_service_fee}") # 3. initialize funding source await check_funding_source() def register_assets(app: FastAPI): """Serve each vendored asset separately or a bundle.""" @app.on_event("startup") async def vendored_assets_variable(): if g().config.debug: g().VENDORED_JS = map(url_for_vendored, get_js_vendored()) g().VENDORED_CSS = map(url_for_vendored, get_css_vendored()) else: g().VENDORED_JS = ["/static/bundle.js"] g().VENDORED_CSS = ["/static/bundle.css"] def register_async_tasks(app): @app.route("/wallet/webhook") async def webhook_listener(): return await webhook_handler() @app.on_event("startup") async def listeners(): loop = asyncio.get_event_loop() loop.create_task(catch_everything_and_restart(check_pending_payments)) loop.create_task(catch_everything_and_restart(invoice_listener)) loop.create_task(catch_everything_and_restart(internal_invoice_listener)) await register_task_listeners() # await run_deferred_async() # calle: doesn't do anyting? @app.on_event("shutdown") async def stop_listeners(): pass def register_exception_handlers(app: FastAPI): @app.exception_handler(Exception) async def basic_error(request: Request, err): logger.error("handled error", traceback.format_exc()) logger.error("ERROR:", err) etype, _, tb = sys.exc_info() traceback.print_exception(etype, err, tb) exc = traceback.format_exc() if ( request.headers and "accept" in request.headers and "text/html" in request.headers["accept"] ): return template_renderer().TemplateResponse( "error.html", {"request": request, "err": err} ) return JSONResponse( status_code=HTTPStatus.NO_CONTENT, content={"detail": err}, ) @app.exception_handler(RequestValidationError) async def validation_exception_handler( request: Request, exc: RequestValidationError ): # Only the browser sends "text/html" request # not fail proof, but everything else get's a JSON response if ( request.headers and "accept" in request.headers and "text/html" in request.headers["accept"] ): return template_renderer().TemplateResponse( "error.html", {"request": request, "err": f"{exc.errors()} is not a valid UUID."}, ) return JSONResponse( status_code=HTTPStatus.NO_CONTENT, content={"detail": exc.errors()}, ) def configure_logger() -> None: logger.remove() log_level: str = "DEBUG" if settings.debug else "INFO" formatter = Formatter() logger.add(sys.stderr, level=log_level, format=formatter.format) logging.getLogger("uvicorn").handlers = [InterceptHandler()] logging.getLogger("uvicorn.access").handlers = [InterceptHandler()] class Formatter: def __init__(self): self.padding = 0 self.minimal_fmt: str = "{time:YYYY-MM-DD HH:mm:ss.SS} | {level} | {message}\n" if settings.debug: self.fmt: str = "{time:YYYY-MM-DD HH:mm:ss.SS} | {level: <4} | {name}:{function}:{line} | {message}\n" else: self.fmt: str = self.minimal_fmt def format(self, record): function = "{function}".format(**record) if function == "emit": # uvicorn logs return self.minimal_fmt return self.fmt class InterceptHandler(logging.Handler): def emit(self, record): try: level = logger.level(record.levelname).name except ValueError: level = record.levelno logger.log(level, record.getMessage())