#!/usr/bin/env python3 import json import logging from pathlib import Path # --------------------------------------------------------------------------- # Config # --------------------------------------------------------------------------- ROOT = Path(__file__).parent.parent.parent SOURCE_DIR = ROOT / "source" / "plans" / "detail" OUTPUT_FILE = ROOT / "data" / "plans.jsonl" PREFIX = "plan" logging.basicConfig(level=logging.INFO, format="%(message)s") log = logging.getLogger(__name__) # --------------------------------------------------------------------------- # Mapper # --------------------------------------------------------------------------- def transform_plan(data: dict) -> dict: """Flatten plan JSON into a ChromaDB-ready format.""" chroma_id = f"{PREFIX}:{data['slug']}" # Searchable text: Title, source, and style title = data.get('title') source = data.get('source') style = data.get('style') site = data.get('site', {}).get('name') summary = f"Rocket Plan: {title}" if source: summary += f" (Source: {source})" summary += f" in {style or 'Standard'} style." if site: summary += f" Hosted on {site}." document = summary # Metadata metadata = { "slug": data["slug"], "title": title, "source": source, "style": style, "site_name": site, "url": data.get("url"), "external_url": data.get("site", {}).get("url") } metadata = {k: v for k, v in metadata.items() if v is not None} return { "id": chroma_id, "document": document, "metadata": metadata } # --------------------------------------------------------------------------- # Main # --------------------------------------------------------------------------- def main(): if not SOURCE_DIR.exists(): log.error(f"Source directory {SOURCE_DIR} not found.") return OUTPUT_FILE.parent.mkdir(parents=True, exist_ok=True) count = 0 with OUTPUT_FILE.open("w", encoding="utf-8") as out: for shard_dir in sorted(SOURCE_DIR.iterdir()): if not shard_dir.is_dir(): continue for file_path in sorted(shard_dir.glob("*.json")): try: with file_path.open("r", encoding="utf-8") as f: raw_data = json.load(f) processed = transform_plan(raw_data) out.write(json.dumps(processed, ensure_ascii=False) + "\n") count += 1 except Exception as e: log.error(f"Error processing {file_path}: {e}") log.info(f"Successfully built {count} records in {OUTPUT_FILE}") if __name__ == "__main__": main()