353 lines
13 KiB
Python
353 lines
13 KiB
Python
|
|
"""
|
||
|
|
Internal Demo Cloning API for Orders Service
|
||
|
|
Service-to-service endpoint for cloning order and procurement data
|
||
|
|
"""
|
||
|
|
|
||
|
|
from fastapi import APIRouter, Depends, HTTPException, Header
|
||
|
|
from sqlalchemy.ext.asyncio import AsyncSession
|
||
|
|
from sqlalchemy import select
|
||
|
|
import structlog
|
||
|
|
import uuid
|
||
|
|
from datetime import datetime, timezone, timedelta, date
|
||
|
|
from typing import Optional
|
||
|
|
import os
|
||
|
|
from decimal import Decimal
|
||
|
|
|
||
|
|
from app.core.database import get_db
|
||
|
|
from app.models.order import CustomerOrder, OrderItem
|
||
|
|
from app.models.procurement import ProcurementPlan, ProcurementRequirement
|
||
|
|
from app.models.customer import Customer
|
||
|
|
|
||
|
|
logger = structlog.get_logger()
|
||
|
|
router = APIRouter(prefix="/internal/demo", tags=["internal"])
|
||
|
|
|
||
|
|
# Internal API key for service-to-service auth
|
||
|
|
INTERNAL_API_KEY = os.getenv("INTERNAL_API_KEY", "dev-internal-key-change-in-production")
|
||
|
|
|
||
|
|
# Base demo tenant IDs
|
||
|
|
DEMO_TENANT_SAN_PABLO = "a1b2c3d4-e5f6-47a8-b9c0-d1e2f3a4b5c6"
|
||
|
|
DEMO_TENANT_LA_ESPIGA = "b2c3d4e5-f6a7-48b9-c0d1-e2f3a4b5c6d7"
|
||
|
|
|
||
|
|
|
||
|
|
def verify_internal_api_key(x_internal_api_key: Optional[str] = Header(None)):
|
||
|
|
"""Verify internal API key for service-to-service communication"""
|
||
|
|
if x_internal_api_key != INTERNAL_API_KEY:
|
||
|
|
logger.warning("Unauthorized internal API access attempted")
|
||
|
|
raise HTTPException(status_code=403, detail="Invalid internal API key")
|
||
|
|
return True
|
||
|
|
|
||
|
|
|
||
|
|
@router.post("/clone")
|
||
|
|
async def clone_demo_data(
|
||
|
|
base_tenant_id: str,
|
||
|
|
virtual_tenant_id: str,
|
||
|
|
demo_account_type: str,
|
||
|
|
session_id: Optional[str] = None,
|
||
|
|
db: AsyncSession = Depends(get_db),
|
||
|
|
_: bool = Depends(verify_internal_api_key)
|
||
|
|
):
|
||
|
|
"""
|
||
|
|
Clone orders service data for a virtual demo tenant
|
||
|
|
|
||
|
|
Clones:
|
||
|
|
- Customers
|
||
|
|
- Customer orders with line items
|
||
|
|
- Procurement plans with requirements
|
||
|
|
- Adjusts dates to recent timeframe
|
||
|
|
|
||
|
|
Args:
|
||
|
|
base_tenant_id: Template tenant UUID to clone from
|
||
|
|
virtual_tenant_id: Target virtual tenant UUID
|
||
|
|
demo_account_type: Type of demo account
|
||
|
|
session_id: Originating session ID for tracing
|
||
|
|
|
||
|
|
Returns:
|
||
|
|
Cloning status and record counts
|
||
|
|
"""
|
||
|
|
start_time = datetime.now(timezone.utc)
|
||
|
|
|
||
|
|
logger.info(
|
||
|
|
"Starting orders data cloning",
|
||
|
|
base_tenant_id=base_tenant_id,
|
||
|
|
virtual_tenant_id=virtual_tenant_id,
|
||
|
|
demo_account_type=demo_account_type,
|
||
|
|
session_id=session_id
|
||
|
|
)
|
||
|
|
|
||
|
|
try:
|
||
|
|
# Validate UUIDs
|
||
|
|
base_uuid = uuid.UUID(base_tenant_id)
|
||
|
|
virtual_uuid = uuid.UUID(virtual_tenant_id)
|
||
|
|
|
||
|
|
# Track cloning statistics
|
||
|
|
stats = {
|
||
|
|
"customers": 0,
|
||
|
|
"customer_orders": 0,
|
||
|
|
"order_line_items": 0,
|
||
|
|
"procurement_plans": 0,
|
||
|
|
"procurement_requirements": 0
|
||
|
|
}
|
||
|
|
|
||
|
|
# Customer ID mapping (old -> new)
|
||
|
|
customer_id_map = {}
|
||
|
|
|
||
|
|
# Clone Customers
|
||
|
|
result = await db.execute(
|
||
|
|
select(Customer).where(Customer.tenant_id == base_uuid)
|
||
|
|
)
|
||
|
|
base_customers = result.scalars().all()
|
||
|
|
|
||
|
|
logger.info(
|
||
|
|
"Found customers to clone",
|
||
|
|
count=len(base_customers),
|
||
|
|
base_tenant=str(base_uuid)
|
||
|
|
)
|
||
|
|
|
||
|
|
for customer in base_customers:
|
||
|
|
new_customer_id = uuid.uuid4()
|
||
|
|
customer_id_map[customer.id] = new_customer_id
|
||
|
|
|
||
|
|
new_customer = Customer(
|
||
|
|
id=new_customer_id,
|
||
|
|
tenant_id=virtual_uuid,
|
||
|
|
customer_name=customer.customer_name,
|
||
|
|
customer_type=customer.customer_type,
|
||
|
|
business_name=customer.business_name,
|
||
|
|
contact_person=customer.contact_person,
|
||
|
|
email=customer.email,
|
||
|
|
phone=customer.phone,
|
||
|
|
address=customer.address,
|
||
|
|
tax_id=customer.tax_id,
|
||
|
|
credit_limit=customer.credit_limit,
|
||
|
|
payment_terms=customer.payment_terms,
|
||
|
|
discount_percentage=customer.discount_percentage,
|
||
|
|
is_active=customer.is_active,
|
||
|
|
notes=customer.notes,
|
||
|
|
tags=customer.tags,
|
||
|
|
metadata_=customer.metadata_,
|
||
|
|
created_at=datetime.now(timezone.utc),
|
||
|
|
updated_at=datetime.now(timezone.utc)
|
||
|
|
)
|
||
|
|
db.add(new_customer)
|
||
|
|
stats["customers"] += 1
|
||
|
|
|
||
|
|
# Clone Customer Orders with Line Items
|
||
|
|
result = await db.execute(
|
||
|
|
select(CustomerOrder).where(CustomerOrder.tenant_id == base_uuid)
|
||
|
|
)
|
||
|
|
base_orders = result.scalars().all()
|
||
|
|
|
||
|
|
logger.info(
|
||
|
|
"Found customer orders to clone",
|
||
|
|
count=len(base_orders),
|
||
|
|
base_tenant=str(base_uuid)
|
||
|
|
)
|
||
|
|
|
||
|
|
# Calculate date offset
|
||
|
|
if base_orders:
|
||
|
|
max_date = max(order.order_date for order in base_orders)
|
||
|
|
today = datetime.now(timezone.utc)
|
||
|
|
date_offset = today - max_date
|
||
|
|
else:
|
||
|
|
date_offset = timedelta(days=0)
|
||
|
|
|
||
|
|
order_id_map = {}
|
||
|
|
|
||
|
|
for order in base_orders:
|
||
|
|
new_order_id = uuid.uuid4()
|
||
|
|
order_id_map[order.id] = new_order_id
|
||
|
|
|
||
|
|
new_order = CustomerOrder(
|
||
|
|
id=new_order_id,
|
||
|
|
tenant_id=virtual_uuid,
|
||
|
|
order_number=f"ORD-{uuid.uuid4().hex[:8].upper()}", # New order number
|
||
|
|
customer_id=customer_id_map.get(order.customer_id, order.customer_id),
|
||
|
|
status=order.status,
|
||
|
|
order_type=order.order_type,
|
||
|
|
priority=order.priority,
|
||
|
|
order_date=order.order_date + date_offset if order.order_date else None,
|
||
|
|
requested_delivery_date=order.requested_delivery_date + date_offset if order.requested_delivery_date else None,
|
||
|
|
confirmed_delivery_date=order.confirmed_delivery_date + date_offset if order.confirmed_delivery_date else None,
|
||
|
|
actual_delivery_date=order.actual_delivery_date + date_offset if order.actual_delivery_date else None,
|
||
|
|
delivery_method=order.delivery_method,
|
||
|
|
delivery_address=order.delivery_address,
|
||
|
|
delivery_instructions=order.delivery_instructions,
|
||
|
|
delivery_window_start=order.delivery_window_start + date_offset if order.delivery_window_start else None,
|
||
|
|
delivery_window_end=order.delivery_window_end + date_offset if order.delivery_window_end else None,
|
||
|
|
subtotal=order.subtotal,
|
||
|
|
tax_amount=order.tax_amount,
|
||
|
|
discount_amount=order.discount_amount,
|
||
|
|
delivery_fee=order.delivery_fee,
|
||
|
|
total_amount=order.total_amount,
|
||
|
|
payment_status=order.payment_status,
|
||
|
|
payment_method=order.payment_method,
|
||
|
|
notes=order.notes,
|
||
|
|
internal_notes=order.internal_notes,
|
||
|
|
tags=order.tags,
|
||
|
|
metadata_=order.metadata_,
|
||
|
|
created_at=datetime.now(timezone.utc),
|
||
|
|
updated_at=datetime.now(timezone.utc)
|
||
|
|
)
|
||
|
|
db.add(new_order)
|
||
|
|
stats["customer_orders"] += 1
|
||
|
|
|
||
|
|
# Clone Order Items
|
||
|
|
for old_order_id, new_order_id in order_id_map.items():
|
||
|
|
result = await db.execute(
|
||
|
|
select(OrderItem).where(OrderItem.order_id == old_order_id)
|
||
|
|
)
|
||
|
|
order_items = result.scalars().all()
|
||
|
|
|
||
|
|
for item in order_items:
|
||
|
|
new_item = OrderItem(
|
||
|
|
id=uuid.uuid4(),
|
||
|
|
order_id=new_order_id,
|
||
|
|
product_id=item.product_id, # Keep product reference
|
||
|
|
quantity=item.quantity,
|
||
|
|
unit_price=item.unit_price,
|
||
|
|
subtotal=item.subtotal,
|
||
|
|
discount_amount=item.discount_amount,
|
||
|
|
tax_amount=item.tax_amount,
|
||
|
|
total_amount=item.total_amount,
|
||
|
|
notes=item.notes,
|
||
|
|
created_at=datetime.now(timezone.utc),
|
||
|
|
updated_at=datetime.now(timezone.utc)
|
||
|
|
)
|
||
|
|
db.add(new_item)
|
||
|
|
stats["order_line_items"] += 1
|
||
|
|
|
||
|
|
# Clone Procurement Plans with Requirements
|
||
|
|
result = await db.execute(
|
||
|
|
select(ProcurementPlan).where(ProcurementPlan.tenant_id == base_uuid)
|
||
|
|
)
|
||
|
|
base_plans = result.scalars().all()
|
||
|
|
|
||
|
|
logger.info(
|
||
|
|
"Found procurement plans to clone",
|
||
|
|
count=len(base_plans),
|
||
|
|
base_tenant=str(base_uuid)
|
||
|
|
)
|
||
|
|
|
||
|
|
# Calculate date offset for procurement
|
||
|
|
if base_plans:
|
||
|
|
max_plan_date = max(plan.plan_date for plan in base_plans)
|
||
|
|
today_date = date.today()
|
||
|
|
days_diff = (today_date - max_plan_date).days
|
||
|
|
plan_date_offset = timedelta(days=days_diff)
|
||
|
|
else:
|
||
|
|
plan_date_offset = timedelta(days=0)
|
||
|
|
|
||
|
|
plan_id_map = {}
|
||
|
|
|
||
|
|
for plan in base_plans:
|
||
|
|
new_plan_id = uuid.uuid4()
|
||
|
|
plan_id_map[plan.id] = new_plan_id
|
||
|
|
|
||
|
|
new_plan = ProcurementPlan(
|
||
|
|
id=new_plan_id,
|
||
|
|
tenant_id=virtual_uuid,
|
||
|
|
plan_number=f"PROC-{uuid.uuid4().hex[:8].upper()}",
|
||
|
|
plan_date=plan.plan_date + plan_date_offset.days if plan.plan_date else None,
|
||
|
|
plan_period_start=plan.plan_period_start + plan_date_offset.days if plan.plan_period_start else None,
|
||
|
|
plan_period_end=plan.plan_period_end + plan_date_offset.days if plan.plan_period_end else None,
|
||
|
|
planning_horizon_days=plan.planning_horizon_days,
|
||
|
|
status=plan.status,
|
||
|
|
plan_type=plan.plan_type,
|
||
|
|
priority=plan.priority,
|
||
|
|
business_model=plan.business_model,
|
||
|
|
procurement_strategy=plan.procurement_strategy,
|
||
|
|
total_requirements=plan.total_requirements,
|
||
|
|
total_estimated_cost=plan.total_estimated_cost,
|
||
|
|
total_approved_cost=plan.total_approved_cost,
|
||
|
|
cost_variance=plan.cost_variance,
|
||
|
|
notes=plan.notes,
|
||
|
|
created_at=datetime.now(timezone.utc),
|
||
|
|
updated_at=datetime.now(timezone.utc)
|
||
|
|
)
|
||
|
|
db.add(new_plan)
|
||
|
|
stats["procurement_plans"] += 1
|
||
|
|
|
||
|
|
# Clone Procurement Requirements
|
||
|
|
for old_plan_id, new_plan_id in plan_id_map.items():
|
||
|
|
result = await db.execute(
|
||
|
|
select(ProcurementRequirement).where(ProcurementRequirement.procurement_plan_id == old_plan_id)
|
||
|
|
)
|
||
|
|
requirements = result.scalars().all()
|
||
|
|
|
||
|
|
for req in requirements:
|
||
|
|
new_req = ProcurementRequirement(
|
||
|
|
id=uuid.uuid4(),
|
||
|
|
procurement_plan_id=new_plan_id,
|
||
|
|
ingredient_id=req.ingredient_id, # Keep ingredient reference
|
||
|
|
required_quantity=req.required_quantity,
|
||
|
|
unit_of_measure=req.unit_of_measure,
|
||
|
|
estimated_unit_cost=req.estimated_unit_cost,
|
||
|
|
estimated_total_cost=req.estimated_total_cost,
|
||
|
|
required_by_date=req.required_by_date + plan_date_offset.days if req.required_by_date else None,
|
||
|
|
priority=req.priority,
|
||
|
|
source=req.source,
|
||
|
|
notes=req.notes,
|
||
|
|
created_at=datetime.now(timezone.utc),
|
||
|
|
updated_at=datetime.now(timezone.utc)
|
||
|
|
)
|
||
|
|
db.add(new_req)
|
||
|
|
stats["procurement_requirements"] += 1
|
||
|
|
|
||
|
|
# Commit all changes
|
||
|
|
await db.commit()
|
||
|
|
|
||
|
|
total_records = sum(stats.values())
|
||
|
|
duration_ms = int((datetime.now(timezone.utc) - start_time).total_seconds() * 1000)
|
||
|
|
|
||
|
|
logger.info(
|
||
|
|
"Orders data cloning completed",
|
||
|
|
virtual_tenant_id=virtual_tenant_id,
|
||
|
|
total_records=total_records,
|
||
|
|
stats=stats,
|
||
|
|
duration_ms=duration_ms
|
||
|
|
)
|
||
|
|
|
||
|
|
return {
|
||
|
|
"service": "orders",
|
||
|
|
"status": "completed",
|
||
|
|
"records_cloned": total_records,
|
||
|
|
"duration_ms": duration_ms,
|
||
|
|
"details": stats
|
||
|
|
}
|
||
|
|
|
||
|
|
except ValueError as e:
|
||
|
|
logger.error("Invalid UUID format", error=str(e))
|
||
|
|
raise HTTPException(status_code=400, detail=f"Invalid UUID: {str(e)}")
|
||
|
|
|
||
|
|
except Exception as e:
|
||
|
|
logger.error(
|
||
|
|
"Failed to clone orders data",
|
||
|
|
error=str(e),
|
||
|
|
virtual_tenant_id=virtual_tenant_id,
|
||
|
|
exc_info=True
|
||
|
|
)
|
||
|
|
|
||
|
|
# Rollback on error
|
||
|
|
await db.rollback()
|
||
|
|
|
||
|
|
return {
|
||
|
|
"service": "orders",
|
||
|
|
"status": "failed",
|
||
|
|
"records_cloned": 0,
|
||
|
|
"duration_ms": int((datetime.now(timezone.utc) - start_time).total_seconds() * 1000),
|
||
|
|
"error": str(e)
|
||
|
|
}
|
||
|
|
|
||
|
|
|
||
|
|
@router.get("/clone/health")
|
||
|
|
async def clone_health_check(_: bool = Depends(verify_internal_api_key)):
|
||
|
|
"""
|
||
|
|
Health check for internal cloning endpoint
|
||
|
|
Used by orchestrator to verify service availability
|
||
|
|
"""
|
||
|
|
return {
|
||
|
|
"service": "orders",
|
||
|
|
"clone_endpoint": "available",
|
||
|
|
"version": "2.0.0"
|
||
|
|
}
|