Skip to content

cli

cli

Blueprints CLI - Development and build automation commands.

This module provides a cross-platform command-line interface for common development tasks when working with the Blueprints package.

Commands include environment setup, linting, formatting, type checking, testing, coverage reporting, and documentation serving.

Start by running blueprints --help to see available commands and options.

Do you want to check if your changes are ready for a pull request? Run blueprints check to run all quality checks in sequence.

cli.check

check() -> None

Run all quality checks before making a PR.

Runs lint, format check, type checking, and coverage validation in sequence. This is the recommended command to run before creating a pull request.

Notes

Runs the following checks in order: 1. Lint with Ruff 2. Format check with Ruff 3. Type checking with ty 4. Coverage validation with pytest

Raises:

  • SystemExit

    Exits with non-zero code if any check fails.

Source code in blueprints/cli.py
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
@app.command()
def check() -> None:  # noqa: PLR0915
    """Run all quality checks before making a PR.

    Runs lint, format check, type checking, and coverage validation in sequence.
    This is the recommended command to run before creating a pull request.

    Notes
    -----
    Runs the following checks in order:
    1. Lint with Ruff
    2. Format check with Ruff
    3. Type checking with ty
    4. Coverage validation with pytest

    Raises
    ------
    SystemExit
        Exits with non-zero code if any check fails.
    """
    console.print("[bold cyan]" + "=" * 60 + "[/bold cyan]")
    console.print("[bold cyan]Running comprehensive quality checks...[/bold cyan]")
    console.print("[bold cyan]" + "=" * 60 + "[/bold cyan]")

    checks_passed = []
    checks_failed = []

    # 1. Lint
    console.print("\n[bold blue]1. Linting with Ruff...[/bold blue]")
    try:
        result = subprocess.run(
            args=["uv", "run", "ruff", "check", "."],
            capture_output=False,
            text=True,
            check=False,
        )
        if result.returncode == 0:
            checks_passed.append("Lint")
            console.print("[bold green]Lint: PASSED[/bold green]")
        else:
            checks_failed.append("Lint")
            console.print("[bold red]Lint: FAILED[/bold red]")
    except FileNotFoundError:
        console.print("[bold red]Error: 'uv' not found[/bold red]")
        sys.exit(1)

    # 2. Format check
    console.print("\n[bold blue]2. Checking formatting with Ruff...[/bold blue]")
    result = subprocess.run(
        args=["uv", "run", "ruff", "format", ".", "--check"],
        capture_output=False,
        text=True,
        check=False,
    )
    if result.returncode == 0:
        checks_passed.append("Format")
        console.print("[bold green]Format: PASSED[/bold green]")
    else:
        checks_failed.append("Format")
        console.print("[bold red]Format: FAILED (Use `blueprints formatting` to auto-format files)[/bold red]")

    # 3. Type check
    console.print("\n[bold blue]3. Running type checks with ty...[/bold blue]")
    result = subprocess.run(
        args=["uv", "run", "ty", "check", "blueprints"],
        capture_output=False,
        text=True,
        check=False,
    )
    if result.returncode == 0:
        checks_passed.append("Type Check")
        console.print("[bold green]Type Check: PASSED[/bold green]")
    else:
        checks_failed.append("Type Check")
        console.print("[bold red]Type Check: FAILED[/bold red]")

    # 4. Coverage
    console.print("\n[bold blue]4. Checking code coverage...[/bold blue]")
    exit_code = _run_coverage(ctx_args=[], xml=False, html=True, enforce=True)
    if exit_code == 0:
        checks_passed.append("Coverage")
        console.print("[bold green]Coverage: PASSED[/bold green]")
        console.print("[bold green]HTML report generated in htmlcov/[/bold green]")
    else:
        checks_failed.append("Coverage")
        console.print("[bold red]Coverage: FAILED[/bold red]")

    # Summary
    console.print("\n[bold cyan]" + "=" * 60 + "[/bold cyan]")
    console.print("[bold cyan]Quality Check Summary[/bold cyan]")
    console.print("[bold cyan]" + "=" * 60 + "[/bold cyan]")

    if checks_passed:
        console.print(f"[bold green]Passed ({len(checks_passed)}): {', '.join(checks_passed)}[/bold green]")

    if checks_failed:
        console.print(f"[bold red]Failed ({len(checks_failed)}): {', '.join(checks_failed)}[/bold red]")
        sys.exit(1)
    else:
        console.print("[bold green]All checks passed! Ready for PR.[/bold green]")
        sys.exit(0)

cli.coverage

coverage(
    ctx: Context, xml: bool = False, html: bool = False, enforce: bool = True
) -> None

Run tests and generate coverage reports.

Executes tests with coverage reporting. By default, enforces 100% coverage and displays terminal report. Use --xml and/or --html to generate additional report formats. Use --no-enforce to generate reports without 100% coverage enforcement.

Parameters:

  • ctx (Context) –

    Typer context containing additional arguments to pass to pytest.

  • xml (bool, default: False ) –

    If True, also generate XML coverage report for CI/CD integration.

  • html (bool, default: False ) –

    If True, also generate interactive HTML coverage report in htmlcov/.

  • enforce (bool, default: True ) –

    If False, generate coverage reports without enforcing 100% coverage requirement.

Notes

Additional arguments are passed directly to pytest.

Source code in blueprints/cli.py
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
@app.command(context_settings={"allow_extra_args": True, "ignore_unknown_options": True})
def coverage(
    ctx: typer.Context,
    xml: Annotated[
        bool,
        typer.Option(
            "--xml",
            help="Also generate XML coverage report for CI/CD integration.",
        ),
    ] = False,
    html: Annotated[
        bool,
        typer.Option(
            "--html",
            help="Also generate interactive HTML coverage report in htmlcov/.",
        ),
    ] = False,
    enforce: Annotated[
        bool,
        typer.Option(help="Enforce 100% coverage requirement (enabled by default, use --no-enforce to disable)."),
    ] = True,
) -> None:
    """Run tests and generate coverage reports.

    Executes tests with coverage reporting. By default, enforces 100% coverage
    and displays terminal report. Use --xml and/or --html to generate additional
    report formats. Use --no-enforce to generate reports without 100% coverage enforcement.

    Parameters
    ----------
    ctx : typer.Context
        Typer context containing additional arguments to pass to pytest.
    xml : bool
        If True, also generate XML coverage report for CI/CD integration.
    html : bool
        If True, also generate interactive HTML coverage report in htmlcov/.
    enforce : bool
        If False, generate coverage reports without enforcing 100% coverage requirement.

    Notes
    -----
    Additional arguments are passed directly to pytest.
    """
    console.print("[bold blue]Running tests with coverage...[/bold blue]")

    exit_code = _run_coverage(ctx.args, xml=xml, html=html, enforce=enforce)

    # Print completion messages
    if html:
        console.print("[bold green]HTML report generated in htmlcov/[/bold green]")
    if enforce and exit_code == 0:
        console.print("[bold green]Coverage check passed![/bold green]")

    sys.exit(exit_code)

cli.docs

docs() -> None

Serve documentation locally with live reload.

Starts MkDocs development server with live reload enabled. Documentation will be available at http://localhost:8000

Notes

Press Ctrl+C to stop the server. The browser will automatically refresh when docs are updated.

Raises:

  • SystemExit

    Exits with code returned by mkdocs serve command.

Source code in blueprints/cli.py
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
@app.command()
def docs() -> None:
    """Serve documentation locally with live reload.

    Starts MkDocs development server with live reload enabled.
    Documentation will be available at http://localhost:8000

    Notes
    -----
    Press Ctrl+C to stop the server.
    The browser will automatically refresh when docs are updated.

    Raises
    ------
    SystemExit
        Exits with code returned by mkdocs serve command.
    """
    console.print("[bold blue]Starting documentation server...[/bold blue]")
    console.print("[bold green]Documentation available at http://localhost:8000[/bold green]")
    console.print("[bold yellow]Press Ctrl+C to stop the server[/bold yellow]")
    run_command(["uv", "run", "mkdocs", "serve", "--livereload"])

cli.formatting

formatting(ctx: Context) -> None

Format code using Ruff's formatter.

Parameters:

  • ctx (Context) –

    Typer context containing additional arguments to pass to ruff format.

Notes

Additional arguments are passed directly to ruff format. Common examples: - Add --check to only check formatting without making changes; omit it to format files - --line-length 100 : Use specific line length

Source code in blueprints/cli.py
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
@app.command(context_settings={"allow_extra_args": True, "ignore_unknown_options": True})
def formatting(ctx: typer.Context) -> None:
    """Format code using Ruff's formatter.

    Parameters
    ----------
    ctx : typer.Context
        Typer context containing additional arguments to pass to ruff format.

    Notes
    -----
    Additional arguments are passed directly to ruff format. Common examples:
    - Add `--check` to only check formatting without making changes; omit it to format files
    - `--line-length 100` : Use specific line length
    """
    console.print("[bold blue]Formatting code with Ruff...[/bold blue]")
    run_command(["uv", "run", "ruff", "format", ".", *ctx.args])

cli.install

install(ctx: Context) -> None

Sync all dependencies and create venv if needed.

Synchronizes all dependency groups. Creates a virtual environment automatically if it doesn't exist. Equivalent to: make install

Parameters:

  • ctx (Context) –

    Typer context containing additional arguments to pass to uv sync.

Notes

Additional arguments are passed directly to uv sync. Common examples: - --upgrade : Upgrade all packages to latest versions - --python 3.11 : Use specific Python version

Source code in blueprints/cli.py
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
@app.command(context_settings={"allow_extra_args": True, "ignore_unknown_options": True})
def install(ctx: typer.Context) -> None:
    """Sync all dependencies and create venv if needed.

    Synchronizes all dependency groups. Creates a virtual environment
    automatically if it doesn't exist. Equivalent to: make install

    Parameters
    ----------
    ctx : typer.Context
        Typer context containing additional arguments to pass to uv sync.

    Notes
    -----
    Additional arguments are passed directly to uv sync. Common examples:
    - `--upgrade` : Upgrade all packages to latest versions
    - `--python 3.11` : Use specific Python version
    """
    console.print("[bold blue]Installing all dependencies...[/bold blue]")
    run_command(
        cmd=["uv", "sync", "--locked", "--all-groups", *ctx.args],
        success_msg="Environment setup complete!",
    )

cli.lint

lint(ctx: Context) -> None

Lint with Ruff.

Runs Ruff linter to check code style and quality issues. Equivalent to: make lint

Parameters:

  • ctx (Context) –

    Typer context containing additional arguments to pass to ruff check.

Notes

Additional arguments are passed directly to ruff check. Common examples: - --fix : Auto-fix detected issues - --select E501 : Check specific rules - --show-fixes : Show suggested fixes

Source code in blueprints/cli.py
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
@app.command(context_settings={"allow_extra_args": True, "ignore_unknown_options": True})
def lint(ctx: typer.Context) -> None:
    """Lint with Ruff.

    Runs Ruff linter to check code style and quality issues.
    Equivalent to: make lint

    Parameters
    ----------
    ctx : typer.Context
        Typer context containing additional arguments to pass to ruff check.

    Notes
    -----
    Additional arguments are passed directly to ruff check. Common examples:
    - `--fix` : Auto-fix detected issues
    - `--select E501` : Check specific rules
    - `--show-fixes` : Show suggested fixes
    """
    console.print("[bold blue]Running Ruff linter...[/bold blue]")
    run_command(["uv", "run", "ruff", "check", ".", *ctx.args])

cli.main

main(ctx: Context, version_flag: bool | None = None) -> None

Blueprints CLI main callback - runs before all commands.

Displays a branded banner, checks for required dependencies (uv), and handles the --version flag. Shows help when no command is given.

Parameters:

  • ctx (Context) –

    Typer context containing command information and invoked subcommand.

  • version_flag (bool, default: None ) –

    If True, displays version information and exits. Activated by --version or -v flags. Default is None.

Raises:

  • Exit

    Exits after displaying version or help when no command is given.

Notes

The banner is terminal-width-aware and adjusts to the current terminal size. The uv dependency check is non-blocking - shows a warning if missing but continues execution.

Source code in blueprints/cli.py
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
@app.callback(invoke_without_command=True)
def main(
    ctx: typer.Context,
    version_flag: Annotated[
        bool | None,
        typer.Option("--version", "-v", help="Show the CLI version."),
    ] = None,
) -> None:
    """Blueprints CLI main callback - runs before all commands.

    Displays a branded banner, checks for required dependencies (uv),
    and handles the --version flag. Shows help when no command is given.

    Parameters
    ----------
    ctx : typer.Context
        Typer context containing command information and invoked subcommand.
    version_flag : bool, optional
        If True, displays version information and exits. Activated by
        --version or -v flags. Default is None.

    Raises
    ------
    typer.Exit
        Exits after displaying version or help when no command is given.

    Notes
    -----
    The banner is terminal-width-aware and adjusts to the current terminal size.
    The uv dependency check is non-blocking - shows a warning if missing but
    continues execution.
    """
    # Check if uv is installed
    if not shutil.which("uv"):
        console.print(
            "[yellow]Warning: 'uv' is not installed.[/yellow]",
        )
        console.print(
            "[yellow]Install it with: pip install uv[/yellow]",
        )
        console.print(
            "[yellow]Or visit: https://github.com/astral-sh/uv[/yellow]",
        )

    # Show banner (terminal-width-aware)
    terminal_width = shutil.get_terminal_size(fallback=(80, 24)).columns

    # Ensure minimum width
    terminal_width = max(terminal_width, 40)

    console.print("=" * terminal_width, style="bold cyan")
    title = f"Blueprints CLI - v{__version__}"
    # Center the title
    padding = max(0, (terminal_width - len(title)) // 2)
    console.print(" " * padding + title, style="bold cyan")
    console.print("=" * terminal_width, style="bold cyan")

    # Handle --version flag
    if version_flag:
        console.print(f"Blueprints CLI version: {__version__}")
        raise typer.Exit()  # noqa:RSE102

    # Show help if no command given
    if ctx.invoked_subcommand is None:
        console.print(ctx.get_help())
        raise typer.Exit()  # noqa:RSE102

cli.run_command

run_command(cmd: list[str], success_msg: str = '') -> NoReturn

Execute a command and exit with its return code.

Runs a subprocess command and exits with the command's return code. Displays success message if provided and command succeeds.

Parameters:

  • cmd (list[str]) –

    Command and arguments as list.

  • success_msg (str, default: '' ) –

    Message to display on success. Default is empty string.

Raises:

  • SystemExit

    Always exits with the command's return code or error code.

Source code in blueprints/cli.py
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
def run_command(cmd: list[str], success_msg: str = "") -> NoReturn:
    """Execute a command and exit with its return code.

    Runs a subprocess command and exits with the command's return code.
    Displays success message if provided and command succeeds.

    Parameters
    ----------
    cmd : list[str]
        Command and arguments as list.
    success_msg : str, optional
        Message to display on success. Default is empty string.

    Raises
    ------
    SystemExit
        Always exits with the command's return code or error code.
    """
    try:
        result = subprocess.run(cmd, check=False, text=True)

        if result.returncode == 0 and success_msg:
            console.print(f"[bold green]{success_msg}[/bold green]")

        sys.exit(result.returncode)

    except FileNotFoundError:
        console.print(f"[bold red]Error: Command not found: {cmd[0]}[/bold red]")
        console.print(f"[yellow]Make sure '{cmd[0]}' is installed and in your PATH[/yellow]")
        sys.exit(1)

    except KeyboardInterrupt:
        console.print("\n[yellow]Interrupted by user[/yellow]")
        sys.exit(130)

cli.test

test(ctx: Context, light: bool = False) -> None

Run tests with pytest.

Executes tests in parallel using pytest with xdist plugin. Use --light flag to skip tests marked as slow for faster iteration during development. Equivalent to: make test (or make test-light with --light flag)

Parameters:

  • ctx (Context) –

    Typer context containing additional arguments to pass to pytest.

  • light (bool, default: False ) –

    If True, exclude tests marked as slow for rapid iteration. Default is False (run all tests).

Notes

Additional arguments are passed directly to pytest. Common examples: - -k pattern : Run tests matching pattern - --verbose : Verbose output - -x : Stop on first failure - --pdb : Drop into debugger on failure

Source code in blueprints/cli.py
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
@app.command(context_settings={"allow_extra_args": True, "ignore_unknown_options": True})
def test(
    ctx: typer.Context,
    light: Annotated[
        bool,
        typer.Option(
            help="Run lightweight tests only, excluding slow tests for rapid iteration.",
        ),
    ] = False,  # noqa: PT028
) -> None:
    """Run tests with pytest.

    Executes tests in parallel using pytest with xdist plugin. Use --light flag
    to skip tests marked as slow for faster iteration during development.
    Equivalent to: make test (or make test-light with --light flag)

    Parameters
    ----------
    ctx : typer.Context
        Typer context containing additional arguments to pass to pytest.
    light : bool
        If True, exclude tests marked as slow for rapid iteration.
        Default is False (run all tests).

    Notes
    -----
    Additional arguments are passed directly to pytest. Common examples:
    - `-k pattern` : Run tests matching pattern
    - `--verbose` : Verbose output
    - `-x` : Stop on first failure
    - `--pdb` : Drop into debugger on failure
    """
    if light:
        console.print("[bold blue]Running lightweight tests...[/bold blue]")
        run_command(
            ["uv", "run", "pytest", "tests/", "-n", "auto", "-m", "not slow", *ctx.args],
        )
    else:
        console.print("[bold blue]Running tests...[/bold blue]")
        run_command(
            ["uv", "run", "pytest", "tests/", "-n", "auto", *ctx.args],
        )

cli.typecheck

typecheck(ctx: Context) -> None

Run static type checks with ty from astral.

Performs static type checking on the blueprints package using ty. Equivalent to: make typecheck

Parameters:

  • ctx (Context) –

    Typer context containing additional arguments to pass to ty.

Notes

Additional arguments are passed directly to ty. Common examples: - --verbose : Increase verbosity of type checking output - --quiet : Reduce output to essential information - See ty --help for the full list of supported options

Source code in blueprints/cli.py
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
@app.command(context_settings={"allow_extra_args": True, "ignore_unknown_options": True})
def typecheck(ctx: typer.Context) -> None:
    """Run static type checks with ty from astral.

    Performs static type checking on the blueprints package using ty.
    Equivalent to: make typecheck

    Parameters
    ----------
    ctx : typer.Context
        Typer context containing additional arguments to pass to ty.

    Notes
    -----
    Additional arguments are passed directly to ty. Common examples:
    - `--verbose` : Increase verbosity of type checking output
    - `--quiet` : Reduce output to essential information
    - See `ty --help` for the full list of supported options
    """
    console.print("[bold blue]Running ty type checker...[/bold blue]")
    run_command(["uv", "run", "ty", "check", "blueprints", *ctx.args])