from fastapi import FastAPI, APIRouter, HTTPException from dotenv import load_dotenv from starlette.middleware.cors import CORSMiddleware from motor.motor_asyncio import AsyncIOMotorClient import os import logging from pathlib import Path from pydantic import BaseModel, Field from typing import List, Optional, Dict, Any import uuid from datetime import datetime from substrateinterface import SubstrateInterface ROOT_DIR = Path(__file__).parent load_dotenv(ROOT_DIR / '.env') # Configure logging FIRST logging.basicConfig( level=logging.INFO, format='%(asctime)s - %(name)s - %(levelname)s - %(message)s' ) logger = logging.getLogger(__name__) # MongoDB connection mongo_url = os.environ['MONGO_URL'] client = AsyncIOMotorClient(mongo_url) db = client[os.environ['DB_NAME']] # Polkadot RPC endpoint (Tunneled Local Node) POLKADOT_RPC = "wss://tired-candies-sniff.loca.lt" # Initialize Substrate connection substrate = None def get_substrate(): global substrate if substrate is None: try: substrate = SubstrateInterface(url=POLKADOT_RPC) logger.info(f"✅ Connected to blockchain: {substrate.chain}, {substrate.name}") except Exception as e: logger.error(f"❌ Failed to connect to blockchain: {e}") substrate = None return substrate # Create the main app without a prefix app = FastAPI() # Create a router with the /api prefix api_router = APIRouter(prefix="/api") # Define Models class StatusCheck(BaseModel): id: str = Field(default_factory=lambda: str(uuid.uuid4())) client_name: str timestamp: datetime = Field(default_factory=datetime.utcnow) class StatusCheckCreate(BaseModel): client_name: str class WalletBalanceRequest(BaseModel): address: str class WalletBalanceResponse(BaseModel): address: str hez: str pez: str transferrable: str reserved: str timestamp: datetime = Field(default_factory=datetime.utcnow) # Add your routes to the router instead of directly to app @api_router.get("/") async def root(): return {"message": "PezkuwiChain Mobile API"} @api_router.post("/status", response_model=StatusCheck) async def create_status_check(input: StatusCheckCreate): status_dict = input.dict() status_obj = StatusCheck(**status_dict) _ = await db.status_checks.insert_one(status_obj.dict()) return status_obj @api_router.get("/status", response_model=List[StatusCheck]) async def get_status_checks(): status_checks = await db.status_checks.find().to_list(1000) return [StatusCheck(**status_check) for status_check in status_checks] # ======================================== # BLOCKCHAIN API ENDPOINTS # ======================================== @api_router.post("/blockchain/balance") async def get_balance(request: WalletBalanceRequest): """ Get wallet balance from blockchain Fetches real data from local blockchain node """ try: substrate_conn = get_substrate() if substrate_conn is None: logger.warning("Blockchain connection not available, using mock data") return WalletBalanceResponse( address=request.address, hez="1000.0000", pez="5000.0000", transferrable="800.0000", reserved="200.0000" ) # Get native token (HEZ) balance account_info = substrate_conn.query('System', 'Account', [request.address]) if account_info.value: # Native balance (HEZ) free_balance = account_info.value['data']['free'] reserved_balance = account_info.value['data']['reserved'] # Convert from planck to HEZ (12 decimals) hez_balance = free_balance / (10 ** 12) reserved_hez = reserved_balance / (10 ** 12) transferrable_hez = hez_balance - reserved_hez logger.info(f"✅ Balance fetched for {request.address[:10]}...") else: logger.warning(f"⚠️ Account not found: {request.address}") hez_balance = 0 reserved_hez = 0 transferrable_hez = 0 # Get PEZ balance (Asset ID: 1) try: pez_account = substrate_conn.query('Assets', 'Account', [1, request.address]) if pez_account.value: pez_balance = pez_account.value['balance'] / (10 ** 12) else: pez_balance = 0 except Exception as e: logger.warning(f"PEZ balance query failed: {e}") pez_balance = 0 return WalletBalanceResponse( address=request.address, hez=f"{hez_balance:.4f}", pez=f"{pez_balance:.4f}", transferrable=f"{transferrable_hez:.4f}", reserved=f"{reserved_hez:.4f}" ) except Exception as e: logger.error(f"Error fetching balance: {e}") raise HTTPException(status_code=500, detail=str(e)) @api_router.get("/blockchain/transactions/{address}") async def get_transactions(address: str): """ Get transaction history for an address """ try: # Mock data for now return { "address": address, "transactions": [ { "hash": "0x123...", "from": address, "to": "5GrwvaEF5zXb26Fz9rc...", "amount": "100.0000", "asset": "HEZ", "timestamp": datetime.utcnow().isoformat(), "status": "success" } ] } except Exception as e: logger.error(f"Error fetching transactions: {e}") raise HTTPException(status_code=500, detail=str(e)) @api_router.get("/citizenship/status/{address}") async def get_citizenship_status(address: str): """ Get citizenship status for an address """ try: # Mock data return { "address": address, "hasApplied": False, "isApproved": False, "hasTiki": False, "tikiNumber": None, "region": None, "nextAction": "APPLY_KYC" } except Exception as e: logger.error(f"Error fetching citizenship status: {e}") raise HTTPException(status_code=500, detail=str(e)) @api_router.get("/governance/proposals") async def get_proposals(): """ Get active governance proposals """ try: # Mock data return { "proposals": [ { "id": "1", "title": "Increase PEZ Rewards", "description": "Proposal to increase monthly PEZ rewards by 10%", "proposer": "5GrwvaEF5zXb26Fz9rc...", "votesYes": 150, "votesNo": 30, "deadline": datetime.utcnow().isoformat(), "status": "active" } ] } except Exception as e: logger.error(f"Error fetching proposals: {e}") raise HTTPException(status_code=500, detail=str(e)) # Include the router in the main app app.include_router(api_router) app.add_middleware( CORSMiddleware, allow_credentials=True, allow_origins=["*"], allow_methods=["*"], allow_headers=["*"], ) @app.on_event("shutdown") async def shutdown_db_client(): client.close()