# app/api/v1/vendor/info.py """ Vendor information endpoints. This module provides: - Public vendor information lookup (no auth required) - Used by vendor login pages to display vendor details """ import logging from fastapi import APIRouter, Path, Depends from sqlalchemy.orm import Session from sqlalchemy import func from app.core.database import get_db from app.exceptions import VendorNotFoundException from models.schema.vendor import VendorResponse, VendorDetailResponse from models.database.vendor import Vendor router = APIRouter() logger = logging.getLogger(__name__) def _get_vendor_by_code(db: Session, vendor_code: str) -> Vendor: """ Helper to get active vendor by vendor_code. Args: db: Database session vendor_code: Vendor code (case-insensitive) Returns: Vendor object Raises: VendorNotFoundException: If vendor not found or inactive """ vendor = db.query(Vendor).filter( func.upper(Vendor.vendor_code) == vendor_code.upper(), Vendor.is_active == True ).first() if not vendor: logger.warning(f"Vendor not found or inactive: {vendor_code}") raise VendorNotFoundException(vendor_code, identifier_type="code") return vendor @router.get("/{vendor_code}", response_model=VendorDetailResponse) def get_vendor_info( vendor_code: str = Path(..., description="Vendor code"), db: Session = Depends(get_db) ): """ Get public vendor information by vendor code. This endpoint is used by the vendor login page to display vendor info. No authentication required - this is public information. **Use Case:** - Vendor login page loads vendor info to display branding - Shows vendor name, description, logo, etc. **Returns only active vendors** to prevent access to disabled accounts. Args: vendor_code: The vendor's unique code (e.g., 'WIZAMART') db: Database session Returns: VendorResponse: Public vendor information Raises: VendorNotFoundException (404): Vendor not found or inactive """ logger.info(f"Public vendor info request: {vendor_code}") vendor = _get_vendor_by_code(db, vendor_code) logger.info(f"Vendor info retrieved: {vendor.name} ({vendor.vendor_code})") return VendorDetailResponse( # Vendor fields id=vendor.id, vendor_code=vendor.vendor_code, subdomain=vendor.subdomain, name=vendor.name, description=vendor.description, owner_user_id=vendor.owner_user_id, contact_email=vendor.contact_email, contact_phone=vendor.contact_phone, website=vendor.website, business_address=vendor.business_address, tax_number=vendor.tax_number, letzshop_csv_url_fr=vendor.letzshop_csv_url_fr, letzshop_csv_url_en=vendor.letzshop_csv_url_en, letzshop_csv_url_de=vendor.letzshop_csv_url_de, is_active=vendor.is_active, is_verified=vendor.is_verified, created_at=vendor.created_at, updated_at=vendor.updated_at, # Owner details owner_email=vendor.owner.email, owner_username=vendor.owner.username, )