display.py 36 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970
  1. from __future__ import annotations
  2. import logging
  3. from pathlib import Path
  4. from typing import TYPE_CHECKING
  5. from rich.console import Console
  6. from rich.table import Table
  7. from rich.tree import Tree
  8. if TYPE_CHECKING:
  9. from .exceptions import TemplateRenderError
  10. from .template import Template
  11. logger = logging.getLogger(__name__)
  12. console = Console()
  13. console_err = Console(stderr=True)
  14. class IconManager:
  15. """Centralized icon management system for consistent CLI display.
  16. This class provides standardized icons for file types, status indicators,
  17. and UI elements. Icons use Nerd Font glyphs for consistent display.
  18. Categories:
  19. - File types: .yaml, .j2, .json, .md, etc.
  20. - Status: success, warning, error, info, skipped
  21. - UI elements: folders, config, locks, etc.
  22. """
  23. # File Type Icons
  24. FILE_FOLDER = "\uf07b" #
  25. FILE_DEFAULT = "\uf15b" #
  26. FILE_YAML = "\uf15c" #
  27. FILE_JSON = "\ue60b" #
  28. FILE_MARKDOWN = "\uf48a" #
  29. FILE_JINJA2 = "\ue235" #
  30. FILE_DOCKER = "\uf308" #
  31. FILE_COMPOSE = "\uf308" #
  32. FILE_SHELL = "\uf489" #
  33. FILE_PYTHON = "\ue73c" #
  34. FILE_TEXT = "\uf15c" #
  35. # Status Indicators
  36. STATUS_SUCCESS = "\uf00c" # (check)
  37. STATUS_ERROR = "\uf00d" # (times/x)
  38. STATUS_WARNING = "\uf071" # (exclamation-triangle)
  39. STATUS_INFO = "\uf05a" # (info-circle)
  40. STATUS_SKIPPED = "\uf05e" # (ban/circle-slash)
  41. # UI Elements
  42. UI_CONFIG = "\ue5fc" #
  43. UI_LOCK = "\uf084" #
  44. UI_SETTINGS = "\uf013" #
  45. UI_ARROW_RIGHT = "\uf061" # (arrow-right)
  46. UI_BULLET = "\uf111" # (circle)
  47. UI_LIBRARY_GIT = "\uf418" # (git icon)
  48. UI_LIBRARY_STATIC = "\uf07c" # (folder icon)
  49. @classmethod
  50. def get_file_icon(cls, file_path: str | Path) -> str:
  51. """Get the appropriate icon for a file based on its extension or name.
  52. Args:
  53. file_path: Path to the file (can be string or Path object)
  54. Returns:
  55. Unicode icon character for the file type
  56. Examples:
  57. >>> IconManager.get_file_icon("config.yaml")
  58. '\uf15c'
  59. >>> IconManager.get_file_icon("template.j2")
  60. '\ue235'
  61. """
  62. if isinstance(file_path, str):
  63. file_path = Path(file_path)
  64. file_name = file_path.name.lower()
  65. suffix = file_path.suffix.lower()
  66. # Check for Docker Compose files
  67. compose_names = {
  68. "docker-compose.yml",
  69. "docker-compose.yaml",
  70. "compose.yml",
  71. "compose.yaml",
  72. }
  73. if file_name in compose_names or file_name.startswith("docker-compose"):
  74. return cls.FILE_DOCKER
  75. # Check by extension
  76. extension_map = {
  77. ".yaml": cls.FILE_YAML,
  78. ".yml": cls.FILE_YAML,
  79. ".json": cls.FILE_JSON,
  80. ".md": cls.FILE_MARKDOWN,
  81. ".j2": cls.FILE_JINJA2,
  82. ".sh": cls.FILE_SHELL,
  83. ".py": cls.FILE_PYTHON,
  84. ".txt": cls.FILE_TEXT,
  85. }
  86. return extension_map.get(suffix, cls.FILE_DEFAULT)
  87. @classmethod
  88. def get_status_icon(cls, status: str) -> str:
  89. """Get the appropriate icon for a status indicator.
  90. Args:
  91. status: Status type (success, error, warning, info, skipped)
  92. Returns:
  93. Unicode icon character for the status
  94. Examples:
  95. >>> IconManager.get_status_icon("success")
  96. '✓'
  97. >>> IconManager.get_status_icon("warning")
  98. '⚠'
  99. """
  100. status_map = {
  101. "success": cls.STATUS_SUCCESS,
  102. "error": cls.STATUS_ERROR,
  103. "warning": cls.STATUS_WARNING,
  104. "info": cls.STATUS_INFO,
  105. "skipped": cls.STATUS_SKIPPED,
  106. }
  107. return status_map.get(status.lower(), cls.STATUS_INFO)
  108. @classmethod
  109. def folder(cls) -> str:
  110. """Get the folder icon."""
  111. return cls.FILE_FOLDER
  112. @classmethod
  113. def config(cls) -> str:
  114. """Get the config icon."""
  115. return cls.UI_CONFIG
  116. @classmethod
  117. def lock(cls) -> str:
  118. """Get the lock icon (for sensitive variables)."""
  119. return cls.UI_LOCK
  120. @classmethod
  121. def arrow_right(cls) -> str:
  122. """Get the right arrow icon (for showing transitions/changes)."""
  123. return cls.UI_ARROW_RIGHT
  124. class DisplayManager:
  125. """Handles all rich rendering for the CLI.
  126. This class is responsible for ALL display output in the CLI, including:
  127. - Status messages (success, error, warning, info)
  128. - Tables (templates, summaries, results)
  129. - Trees (file structures, configurations)
  130. - Confirmation dialogs and prompts
  131. - Headers and sections
  132. Design Principles:
  133. - All display logic should go through DisplayManager methods
  134. - IconManager is ONLY used internally by DisplayManager
  135. - External code should never directly call IconManager or console.print
  136. - Consistent formatting across all display types
  137. """
  138. def __init__(self, quiet: bool = False):
  139. """Initialize DisplayManager.
  140. Args:
  141. quiet: If True, suppress all non-error output
  142. """
  143. self.quiet = quiet
  144. def display_templates_table(
  145. self, templates: list, module_name: str, title: str
  146. ) -> None:
  147. """Display a table of templates with library type indicators.
  148. Args:
  149. templates: List of Template objects
  150. module_name: Name of the module
  151. title: Title for the table
  152. """
  153. if not templates:
  154. logger.info(f"No templates found for module '{module_name}'")
  155. return
  156. logger.info(f"Listing {len(templates)} templates for module '{module_name}'")
  157. table = Table(title=title)
  158. table.add_column("ID", style="bold", no_wrap=True)
  159. table.add_column("Name")
  160. table.add_column("Tags")
  161. table.add_column("Version", no_wrap=True)
  162. table.add_column("Schema", no_wrap=True)
  163. table.add_column("Library", no_wrap=True)
  164. for template in templates:
  165. name = template.metadata.name or "Unnamed Template"
  166. tags_list = template.metadata.tags or []
  167. tags = ", ".join(tags_list) if tags_list else "-"
  168. version = (
  169. str(template.metadata.version) if template.metadata.version else ""
  170. )
  171. schema = template.schema_version if hasattr(template, 'schema_version') else "1.0"
  172. # Show library with type indicator and color
  173. library_name = template.metadata.library or ""
  174. library_type = template.metadata.library_type or "git"
  175. if library_type == "static":
  176. # Static libraries: yellow/amber color with folder icon
  177. library_display = (
  178. f"[yellow]{IconManager.UI_LIBRARY_STATIC} {library_name}[/yellow]"
  179. )
  180. else:
  181. # Git libraries: blue color with git icon
  182. library_display = (
  183. f"[blue]{IconManager.UI_LIBRARY_GIT} {library_name}[/blue]"
  184. )
  185. # Display qualified ID if present (e.g., "alloy.default")
  186. display_id = template.id
  187. table.add_row(display_id, name, tags, version, schema, library_display)
  188. console.print(table)
  189. def display_template_details(
  190. self, template: Template, template_id: str
  191. ) -> None:
  192. """Display template information panel and variables table.
  193. Args:
  194. template: Template instance to display
  195. template_id: ID of the template
  196. """
  197. self._display_template_header(template, template_id)
  198. self._display_file_tree(template)
  199. self._display_variables_table(template)
  200. def display_section_header(self, title: str, description: str | None) -> None:
  201. """Display a section header."""
  202. if description:
  203. console.print(
  204. f"\n[bold cyan]{title}[/bold cyan] [dim]- {description}[/dim]"
  205. )
  206. else:
  207. console.print(f"\n[bold cyan]{title}[/bold cyan]")
  208. console.print("─" * 40, style="dim")
  209. def display_validation_error(self, message: str) -> None:
  210. """Display a validation error message."""
  211. self.display_message("error", message)
  212. def display_message(
  213. self, level: str, message: str, context: str | None = None
  214. ) -> None:
  215. """Display a message with consistent formatting.
  216. Args:
  217. level: Message level (error, warning, success, info)
  218. message: The message to display
  219. context: Optional context information
  220. """
  221. # Errors and warnings always go to stderr, even in quiet mode
  222. # Success and info respect quiet mode and go to stdout
  223. if level in ("error", "warning"):
  224. output_console = console_err
  225. should_print = True
  226. else:
  227. output_console = console
  228. should_print = not self.quiet
  229. if not should_print:
  230. return
  231. icon = IconManager.get_status_icon(level)
  232. colors = {
  233. "error": "red",
  234. "warning": "yellow",
  235. "success": "green",
  236. "info": "blue",
  237. }
  238. color = colors.get(level, "white")
  239. # Format message based on context
  240. if context:
  241. text = (
  242. f"{level.capitalize()} in {context}: {message}"
  243. if level == "error" or level == "warning"
  244. else f"{context}: {message}"
  245. )
  246. else:
  247. text = (
  248. f"{level.capitalize()}: {message}"
  249. if level == "error" or level == "warning"
  250. else message
  251. )
  252. output_console.print(f"[{color}]{icon} {text}[/{color}]")
  253. # Log appropriately
  254. log_message = f"{context}: {message}" if context else message
  255. log_methods = {
  256. "error": logger.error,
  257. "warning": logger.warning,
  258. "success": logger.info,
  259. "info": logger.info,
  260. }
  261. log_methods.get(level, logger.info)(log_message)
  262. def display_error(self, message: str, context: str | None = None) -> None:
  263. """Display an error message."""
  264. self.display_message("error", message, context)
  265. def display_warning(self, message: str, context: str | None = None) -> None:
  266. """Display a warning message."""
  267. self.display_message("warning", message, context)
  268. def display_success(self, message: str, context: str | None = None) -> None:
  269. """Display a success message."""
  270. self.display_message("success", message, context)
  271. def display_info(self, message: str, context: str | None = None) -> None:
  272. """Display an informational message."""
  273. self.display_message("info", message, context)
  274. def display_version_incompatibility(
  275. self, template_id: str, required_version: str, current_version: str
  276. ) -> None:
  277. """Display a version incompatibility error with upgrade instructions.
  278. Args:
  279. template_id: ID of the incompatible template
  280. required_version: Minimum CLI version required by template
  281. current_version: Current CLI version
  282. """
  283. console_err.print()
  284. console_err.print(
  285. f"[bold red]{IconManager.STATUS_ERROR} Version Incompatibility[/bold red]"
  286. )
  287. console_err.print()
  288. console_err.print(
  289. f"Template '[cyan]{template_id}[/cyan]' requires CLI version [green]{required_version}[/green] or higher."
  290. )
  291. console_err.print(f"Current CLI version: [yellow]{current_version}[/yellow]")
  292. console_err.print()
  293. console_err.print("[bold]Upgrade Instructions:[/bold]")
  294. console_err.print(
  295. f" {IconManager.UI_ARROW_RIGHT} Run: [cyan]pip install --upgrade boilerplates[/cyan]"
  296. )
  297. console_err.print(
  298. f" {IconManager.UI_ARROW_RIGHT} Or install specific version: [cyan]pip install boilerplates=={required_version}[/cyan]"
  299. )
  300. console_err.print()
  301. logger.error(
  302. f"Template '{template_id}' requires CLI version {required_version}, "
  303. f"current version is {current_version}"
  304. )
  305. def _display_template_header(self, template: Template, template_id: str) -> None:
  306. """Display the header for a template with library information."""
  307. template_name = template.metadata.name or "Unnamed Template"
  308. version = (
  309. str(template.metadata.version)
  310. if template.metadata.version
  311. else "Not specified"
  312. )
  313. schema = template.schema_version if hasattr(template, 'schema_version') else "1.0"
  314. description = template.metadata.description or "No description available"
  315. # Get library information
  316. library_name = template.metadata.library or ""
  317. library_type = template.metadata.library_type or "git"
  318. # Format library display with icon and color
  319. if library_type == "static":
  320. library_display = (
  321. f"[yellow]{IconManager.UI_LIBRARY_STATIC} {library_name}[/yellow]"
  322. )
  323. else:
  324. library_display = (
  325. f"[blue]{IconManager.UI_LIBRARY_GIT} {library_name}[/blue]"
  326. )
  327. console.print(
  328. f"[bold blue]{template_name} ({template_id} - [cyan]{version}[/cyan] - [magenta]schema {schema}[/magenta]) {library_display}[/bold blue]"
  329. )
  330. console.print(description)
  331. def _build_file_tree(
  332. self, root_label: str, files: list, get_file_info: callable
  333. ) -> Tree:
  334. """Build a file tree structure.
  335. Args:
  336. root_label: Label for root node
  337. files: List of files to display
  338. get_file_info: Function that takes a file and returns (path, display_name, color, extra_text)
  339. Returns:
  340. Tree object ready for display
  341. """
  342. file_tree = Tree(root_label)
  343. tree_nodes = {Path("."): file_tree}
  344. for file_item in sorted(files, key=lambda f: get_file_info(f)[0]):
  345. path, display_name, color, extra_text = get_file_info(file_item)
  346. parts = path.parts
  347. current_path = Path(".")
  348. current_node = file_tree
  349. # Build directory structure
  350. for part in parts[:-1]:
  351. current_path = current_path / part
  352. if current_path not in tree_nodes:
  353. new_node = current_node.add(
  354. f"{IconManager.folder()} [white]{part}[/white]"
  355. )
  356. tree_nodes[current_path] = new_node
  357. current_node = tree_nodes[current_path]
  358. # Add file
  359. icon = IconManager.get_file_icon(display_name)
  360. file_label = f"{icon} [{color}]{display_name}[/{color}]"
  361. if extra_text:
  362. file_label += f" {extra_text}"
  363. current_node.add(file_label)
  364. return file_tree
  365. def _display_file_tree(self, template: Template) -> None:
  366. """Display the file structure of a template."""
  367. console.print()
  368. console.print("[bold blue]Template File Structure:[/bold blue]")
  369. def get_template_file_info(template_file):
  370. display_name = (
  371. template_file.output_path.name
  372. if hasattr(template_file, "output_path")
  373. else template_file.relative_path.name
  374. )
  375. return (template_file.relative_path, display_name, "white", None)
  376. file_tree = self._build_file_tree(
  377. f"{IconManager.folder()} [white]{template.id}[/white]",
  378. template.template_files,
  379. get_template_file_info,
  380. )
  381. if file_tree.children:
  382. console.print(file_tree)
  383. def _display_variables_table(
  384. self, template: Template
  385. ) -> None:
  386. """Display a table of variables for a template.
  387. All variables and sections are always shown. Disabled sections/variables
  388. are displayed with dimmed styling.
  389. Args:
  390. template: Template instance
  391. """
  392. if not (template.variables and template.variables.has_sections()):
  393. return
  394. console.print()
  395. console.print("[bold blue]Template Variables:[/bold blue]")
  396. variables_table = Table(show_header=True, header_style="bold blue")
  397. variables_table.add_column("Variable", style="white", no_wrap=True)
  398. variables_table.add_column("Type", style="magenta")
  399. variables_table.add_column("Default", style="green")
  400. variables_table.add_column("Description", style="white")
  401. first_section = True
  402. for section in template.variables.get_sections().values():
  403. if not section.variables:
  404. continue
  405. if not first_section:
  406. variables_table.add_row("", "", "", "", style="bright_black")
  407. first_section = False
  408. # Check if section is enabled AND dependencies are satisfied
  409. is_enabled = section.is_enabled()
  410. dependencies_satisfied = template.variables.is_section_satisfied(
  411. section.key
  412. )
  413. is_dimmed = not (is_enabled and dependencies_satisfied)
  414. # Only show (disabled) if section has no dependencies (dependencies make it obvious)
  415. # Empty list means no dependencies (same as None)
  416. has_dependencies = section.needs and len(section.needs) > 0
  417. disabled_text = (
  418. " (disabled)" if (is_dimmed and not has_dependencies) else ""
  419. )
  420. # For disabled sections, make entire heading bold and dim (don't include colored markup inside)
  421. if is_dimmed:
  422. # Build text without internal markup, then wrap entire thing in bold bright_black (dimmed appearance)
  423. required_part = " (required)" if section.required else ""
  424. header_text = f"[bold bright_black]{section.title}{required_part}{disabled_text}[/bold bright_black]"
  425. else:
  426. # For enabled sections, include the colored markup
  427. required_text = (
  428. " [yellow](required)[/yellow]" if section.required else ""
  429. )
  430. header_text = (
  431. f"[bold]{section.title}{required_text}{disabled_text}[/bold]"
  432. )
  433. variables_table.add_row(header_text, "", "", "")
  434. for var_name, variable in section.variables.items():
  435. # Skip toggle variable in required sections (always enabled, no need to show)
  436. if section.required and section.toggle and var_name == section.toggle:
  437. continue
  438. # Check if variable's needs are satisfied
  439. var_satisfied = template.variables.is_variable_satisfied(var_name)
  440. # Dim the variable if section is dimmed OR variable needs are not satisfied
  441. row_style = "bright_black" if (is_dimmed or not var_satisfied) else None
  442. # Build default value display
  443. # Special case: disabled bool variables show as "original → False"
  444. if (is_dimmed or not var_satisfied) and variable.type == "bool":
  445. # Show that disabled bool variables are forced to False
  446. if hasattr(variable, "_original_disabled") and variable._original_disabled is not False:
  447. orig_val = str(variable._original_disabled)
  448. default_val = f"{orig_val} {IconManager.arrow_right()} False"
  449. else:
  450. default_val = "False"
  451. # If origin is 'config' and original value differs from current, show: original → config_value
  452. # BUT only for enabled variables (don't show arrow for disabled ones)
  453. elif (
  454. not (is_dimmed or not var_satisfied)
  455. and variable.origin == "config"
  456. and hasattr(variable, "_original_stored")
  457. and variable.original_value != variable.value
  458. ):
  459. # Format original value (use same display logic, but shorter)
  460. if variable.sensitive:
  461. orig_display = "********"
  462. elif (
  463. variable.original_value is None or variable.original_value == ""
  464. ):
  465. orig_display = "[dim](none)[/dim]"
  466. else:
  467. orig_val_str = str(variable.original_value)
  468. orig_display = (
  469. orig_val_str[:15] + "..."
  470. if len(orig_val_str) > 15
  471. else orig_val_str
  472. )
  473. # Get current (config) value display (without showing "(none)" since we have the arrow)
  474. config_display = variable.get_display_value(
  475. mask_sensitive=True, max_length=15, show_none=False
  476. )
  477. if (
  478. not config_display
  479. ): # If still empty after show_none=False, show actual value
  480. config_display = (
  481. str(variable.value) if variable.value else "(empty)"
  482. )
  483. # Highlight the arrow and config value in bold yellow to show it's a custom override
  484. default_val = f"{orig_display} [bold yellow]{IconManager.arrow_right()} {config_display}[/bold yellow]"
  485. else:
  486. # Use variable's native get_display_value() method (shows "(none)" for empty)
  487. default_val = variable.get_display_value(
  488. mask_sensitive=True, max_length=30, show_none=True
  489. )
  490. # Add lock icon for sensitive variables
  491. sensitive_icon = f" {IconManager.lock()}" if variable.sensitive else ""
  492. # Add required indicator for required variables
  493. required_indicator = (
  494. " [yellow](required)[/yellow]" if variable.required else ""
  495. )
  496. var_display = f" {var_name}{sensitive_icon}{required_indicator}"
  497. variables_table.add_row(
  498. var_display,
  499. variable.type or "str",
  500. default_val,
  501. variable.description or "",
  502. style=row_style,
  503. )
  504. console.print(variables_table)
  505. def display_file_generation_confirmation(
  506. self,
  507. output_dir: Path,
  508. files: dict[str, str],
  509. existing_files: list[Path] | None = None,
  510. ) -> None:
  511. """Display files to be generated with confirmation prompt."""
  512. console.print()
  513. console.print("[bold]Files to be generated:[/bold]")
  514. def get_file_generation_info(file_path_str):
  515. file_path = Path(file_path_str)
  516. file_name = file_path.parts[-1] if file_path.parts else file_path.name
  517. full_path = output_dir / file_path
  518. if existing_files and full_path in existing_files:
  519. return (file_path, file_name, "yellow", "[red](will overwrite)[/red]")
  520. else:
  521. return (file_path, file_name, "green", None)
  522. file_tree = self._build_file_tree(
  523. f"{IconManager.folder()} [cyan]{output_dir.resolve()}[/cyan]",
  524. files.keys(),
  525. get_file_generation_info,
  526. )
  527. console.print(file_tree)
  528. console.print()
  529. def display_config_tree(
  530. self, spec: dict, module_name: str, show_all: bool = False
  531. ) -> None:
  532. """Display configuration spec as a tree view.
  533. Args:
  534. spec: The configuration spec dictionary
  535. module_name: Name of the module
  536. show_all: If True, show all details including descriptions
  537. """
  538. if not spec:
  539. console.print(
  540. f"[yellow]No configuration found for module '{module_name}'[/yellow]"
  541. )
  542. return
  543. # Create root tree node
  544. tree = Tree(
  545. f"[bold blue]{IconManager.config()} {str.capitalize(module_name)} Configuration[/bold blue]"
  546. )
  547. for section_name, section_data in spec.items():
  548. if not isinstance(section_data, dict):
  549. continue
  550. # Determine if this is a section with variables
  551. # Guard against None from empty YAML sections
  552. section_vars = section_data.get("vars") or {}
  553. section_desc = section_data.get("description", "")
  554. section_required = section_data.get("required", False)
  555. section_toggle = section_data.get("toggle", None)
  556. section_needs = section_data.get("needs", None)
  557. # Build section label
  558. section_label = f"[cyan]{section_name}[/cyan]"
  559. if section_required:
  560. section_label += " [yellow](required)[/yellow]"
  561. if section_toggle:
  562. section_label += f" [dim](toggle: {section_toggle})[/dim]"
  563. if section_needs:
  564. needs_str = (
  565. ", ".join(section_needs)
  566. if isinstance(section_needs, list)
  567. else section_needs
  568. )
  569. section_label += f" [dim](needs: {needs_str})[/dim]"
  570. if show_all and section_desc:
  571. section_label += f"\n [dim]{section_desc}[/dim]"
  572. section_node = tree.add(section_label)
  573. # Add variables
  574. if section_vars:
  575. for var_name, var_data in section_vars.items():
  576. if isinstance(var_data, dict):
  577. var_type = var_data.get("type", "string")
  578. var_default = var_data.get("default", "")
  579. var_desc = var_data.get("description", "")
  580. var_sensitive = var_data.get("sensitive", False)
  581. # Build variable label
  582. var_label = f"[green]{var_name}[/green] [dim]({var_type})[/dim]"
  583. if var_default is not None and var_default != "":
  584. display_val = (
  585. "********" if var_sensitive else str(var_default)
  586. )
  587. if not var_sensitive and len(display_val) > 30:
  588. display_val = display_val[:27] + "..."
  589. var_label += f" = [yellow]{display_val}[/yellow]"
  590. if show_all and var_desc:
  591. var_label += f"\n [dim]{var_desc}[/dim]"
  592. section_node.add(var_label)
  593. else:
  594. # Simple key-value pair
  595. section_node.add(
  596. f"[green]{var_name}[/green] = [yellow]{var_data}[/yellow]"
  597. )
  598. console.print(tree)
  599. def display_next_steps(self, next_steps: str, variable_values: dict) -> None:
  600. """Display next steps after template generation, rendering them as a Jinja2 template.
  601. Args:
  602. next_steps: The next_steps string from template metadata (may contain Jinja2 syntax)
  603. variable_values: Dictionary of variable values to use for rendering
  604. """
  605. if not next_steps:
  606. return
  607. console.print("\n[bold cyan]Next Steps:[/bold cyan]")
  608. try:
  609. from jinja2 import Template as Jinja2Template
  610. next_steps_template = Jinja2Template(next_steps)
  611. rendered_next_steps = next_steps_template.render(variable_values)
  612. console.print(rendered_next_steps)
  613. except Exception as e:
  614. logger.warning(f"Failed to render next_steps as template: {e}")
  615. # Fallback to plain text if rendering fails
  616. console.print(next_steps)
  617. def display_status_table(
  618. self,
  619. title: str,
  620. rows: list[tuple[str, str, bool]],
  621. columns: tuple[str, str] = ("Item", "Status"),
  622. ) -> None:
  623. """Display a status table with success/error indicators.
  624. Args:
  625. title: Table title
  626. rows: List of tuples (name, message, success_bool)
  627. columns: Column headers (name_header, status_header)
  628. """
  629. table = Table(title=title, show_header=True)
  630. table.add_column(columns[0], style="cyan", no_wrap=True)
  631. table.add_column(columns[1])
  632. for name, message, success in rows:
  633. status_style = "green" if success else "red"
  634. status_icon = IconManager.get_status_icon("success" if success else "error")
  635. table.add_row(
  636. name, f"[{status_style}]{status_icon} {message}[/{status_style}]"
  637. )
  638. console.print(table)
  639. def display_summary_table(self, title: str, items: dict[str, str]) -> None:
  640. """Display a simple two-column summary table.
  641. Args:
  642. title: Table title
  643. items: Dictionary of key-value pairs to display
  644. """
  645. table = Table(title=title, show_header=False, box=None, padding=(0, 2))
  646. table.add_column(style="bold")
  647. table.add_column()
  648. for key, value in items.items():
  649. table.add_row(key, value)
  650. console.print(table)
  651. def display_file_operation_table(self, files: list[tuple[str, int, str]]) -> None:
  652. """Display a table of file operations with sizes and statuses.
  653. Args:
  654. files: List of tuples (file_path, size_bytes, status)
  655. """
  656. table = Table(
  657. show_header=True, header_style="bold cyan", box=None, padding=(0, 1)
  658. )
  659. table.add_column("File", style="white", no_wrap=False)
  660. table.add_column("Size", justify="right", style="dim")
  661. table.add_column("Status", style="yellow")
  662. for file_path, size_bytes, status in files:
  663. # Format size
  664. if size_bytes < 1024:
  665. size_str = f"{size_bytes}B"
  666. elif size_bytes < 1024 * 1024:
  667. size_str = f"{size_bytes / 1024:.1f}KB"
  668. else:
  669. size_str = f"{size_bytes / (1024 * 1024):.1f}MB"
  670. table.add_row(str(file_path), size_str, status)
  671. console.print(table)
  672. def display_heading(
  673. self, text: str, icon_type: str | None = None, style: str = "bold"
  674. ) -> None:
  675. """Display a heading with optional icon.
  676. Args:
  677. text: Heading text
  678. icon_type: Type of icon to display (e.g., 'folder', 'file', 'config')
  679. style: Rich style to apply
  680. """
  681. if icon_type:
  682. icon = self._get_icon_by_type(icon_type)
  683. console.print(f"[{style}]{icon} {text}[/{style}]")
  684. else:
  685. console.print(f"[{style}]{text}[/{style}]")
  686. def display_warning_with_confirmation(
  687. self, message: str, details: list[str] | None = None, default: bool = False
  688. ) -> bool:
  689. """Display a warning message with optional details and get confirmation.
  690. Args:
  691. message: Warning message to display
  692. details: Optional list of detail lines to show
  693. default: Default value for confirmation
  694. Returns:
  695. True if user confirms, False otherwise
  696. """
  697. icon = IconManager.get_status_icon("warning")
  698. console.print(f"\n[yellow]{icon} {message}[/yellow]")
  699. if details:
  700. for detail in details:
  701. console.print(f"[yellow] {detail}[/yellow]")
  702. from rich.prompt import Confirm
  703. return Confirm.ask("Continue?", default=default)
  704. def display_skipped(self, message: str, reason: str | None = None) -> None:
  705. """Display a skipped/disabled message.
  706. Args:
  707. message: The main message to display
  708. reason: Optional reason why it was skipped
  709. """
  710. icon = IconManager.get_status_icon("skipped")
  711. if reason:
  712. console.print(f"\n[dim]{icon} {message} (skipped - {reason})[/dim]")
  713. else:
  714. console.print(f"\n[dim]{icon} {message} (skipped)[/dim]")
  715. def get_lock_icon(self) -> str:
  716. """Get the lock icon for sensitive variables.
  717. Returns:
  718. Lock icon unicode character
  719. """
  720. return IconManager.lock()
  721. def _get_icon_by_type(self, icon_type: str) -> str:
  722. """Get icon by semantic type name.
  723. Args:
  724. icon_type: Type of icon (e.g., 'folder', 'file', 'config', 'lock')
  725. Returns:
  726. Icon unicode character
  727. """
  728. icon_map = {
  729. "folder": IconManager.folder(),
  730. "file": IconManager.FILE_DEFAULT,
  731. "config": IconManager.config(),
  732. "lock": IconManager.lock(),
  733. "arrow": IconManager.arrow_right(),
  734. }
  735. return icon_map.get(icon_type, "")
  736. def display_template_render_error(
  737. self, error: "TemplateRenderError", context: str | None = None
  738. ) -> None:
  739. """Display a detailed template rendering error with context and suggestions.
  740. Args:
  741. error: TemplateRenderError exception with detailed error information
  742. context: Optional context information (e.g., template ID)
  743. """
  744. from rich.panel import Panel
  745. from rich.syntax import Syntax
  746. # Always display errors to stderr
  747. # Display main error header
  748. icon = IconManager.get_status_icon("error")
  749. if context:
  750. console_err.print(
  751. f"\n[red bold]{icon} Template Rendering Error[/red bold] [dim]({context})[/dim]"
  752. )
  753. else:
  754. console_err.print(f"\n[red bold]{icon} Template Rendering Error[/red bold]")
  755. console_err.print()
  756. # Display error message
  757. if error.file_path:
  758. console_err.print(
  759. f"[red]Error in file:[/red] [cyan]{error.file_path}[/cyan]"
  760. )
  761. if error.line_number:
  762. location = f"Line {error.line_number}"
  763. if error.column:
  764. location += f", Column {error.column}"
  765. console_err.print(f"[red]Location:[/red] {location}")
  766. console_err.print(
  767. f"[red]Message:[/red] {str(error.original_error) if error.original_error else str(error)}"
  768. )
  769. console_err.print()
  770. # Display code context if available
  771. if error.context_lines:
  772. console_err.print("[bold cyan]Code Context:[/bold cyan]")
  773. # Build the context text
  774. context_text = "\n".join(error.context_lines)
  775. # Display in a panel with syntax highlighting if possible
  776. file_ext = Path(error.file_path).suffix if error.file_path else ""
  777. if file_ext == ".j2":
  778. # Remove .j2 to get base extension for syntax highlighting
  779. base_name = Path(error.file_path).stem
  780. base_ext = Path(base_name).suffix
  781. lexer = "jinja2" if not base_ext else None
  782. else:
  783. lexer = None
  784. try:
  785. if lexer:
  786. syntax = Syntax(
  787. context_text, lexer, line_numbers=False, theme="monokai"
  788. )
  789. console_err.print(Panel(syntax, border_style="red", padding=(1, 2)))
  790. else:
  791. console_err.print(
  792. Panel(context_text, border_style="red", padding=(1, 2))
  793. )
  794. except Exception:
  795. # Fallback to plain panel if syntax highlighting fails
  796. console_err.print(
  797. Panel(context_text, border_style="red", padding=(1, 2))
  798. )
  799. console_err.print()
  800. # Display suggestions if available
  801. if error.suggestions:
  802. console_err.print("[bold yellow]Suggestions:[/bold yellow]")
  803. for i, suggestion in enumerate(error.suggestions, 1):
  804. bullet = IconManager.UI_BULLET
  805. console_err.print(f" [yellow]{bullet}[/yellow] {suggestion}")
  806. console_err.print()
  807. # Display variable context in debug mode
  808. if error.variable_context:
  809. console_err.print("[bold blue]Available Variables (Debug):[/bold blue]")
  810. var_list = ", ".join(sorted(error.variable_context.keys()))
  811. console_err.print(f"[dim]{var_list}[/dim]")
  812. console_err.print()