Skip to main content

Declarative CLI argument parser.

Project description

Cappa

Actions Status codecov Documentation Status

Cappa is a declarative command line parsing library, which uses runtime type inspection to infer (default) CLI argument behavior, and provide automatic help text generation and dynamic completion generation.

It supports two different modes of execution:

  • parse: Argparse-like parsing of the arguments into an output structure

  • invoke: Click-like calling of functions based on the selected subcommand

    It also provides a dependency injection system for providing non-argument resources to the invoked commands.

And, a number of different styles of CLI declaration (which can be mixed and matched within a given CLI):

  • Classes: The fields of the class correspond to CLI arguments/subcommands
  • Functions: The arguments of the function correspond to CLI arguments
  • Methods: The class fields correspond to CLI arguments, and the methods correspond to subcommands
  • Imperative Construction: The CLI structure can be manually/imperitavely constructed, rather than being inferred from the input structure

Class Based, parse

from __future__ import annotations
from dataclasses import dataclass, field
from typing import Literal
from typing_extensions import Annotated
import cappa

@dataclass
class Example:
    # Normal types are by default inferred as positional arguments
    positional: str = "optional"

    # Except boolean types, which are inferred as flags
    flag: bool = False

    # Option that only accepts the long name
    option: Annotated[int | None, cappa.Arg(long=True, help="A number")] = None

    # Option accepted many times
    many_options: Annotated[
        list[Literal["one", "two", "three"]], cappa.Arg(short=True)
    ] = field(default_factory=list)

    # Single option, accepting many values
    three_values: Annotated[tuple[str, str, int] | None, cappa.Arg(long=True)] = None

args = cappa.parse(Example, backend=cappa.backend)
print(args)

Produces the following CLI:

help text

With examples of its usage like:

$ python example.py
Example(positional='optional', flag=False, option=None, many_options=[], three_values=None)

$ python example.py foo
Example(positional='foo', flag=False, option=None, many_options=[], three_values=None)

$ python example.py --flag
Example(positional='optional', flag=True, option=None, many_options=[], three_values=None)

$ python example.py --option 4
Example(positional="optional", flag=False, option=4, many_options=[], three_values=None)

$ python example.py -m one -m three
Example(positional='optional', flag=False, option=None, many_options=['one', 'three'], three_values=None)

$ python example.py --three-values a b 4
Example(positional='optional', flag=False, option=None, many_options=[], three_values=('a', 'b', 4))

In this way, you can turn any dataclass-like object (with some additional annotations, depending on what you're looking for) into a CLI.

You'll note that cappa.parse returns an instance of the class. This API should feel very familiar to argparse, except that you get the fully typed dataclass instance back instead of a raw Namespace.

Class Based, invoke

"invoke" documentation

The "invoke" API is meant to feel more like the experience you get when using click or typer. You can take the same dataclass, but register a function to be called on successful parsing of the command.

from dataclasses import dataclass
import cappa
from typing_extensions import Annotated

def function(example: Example):
    print(example)

@cappa.command(invoke=function)
class Example:  # identical to original class
    positional_arg: str
    boolean_flag: bool
    single_option: Annotated[int | None, cappa.Arg(long=True)]
    multiple_option: Annotated[list[str], cappa.Arg(short=True)]


cappa.invoke(Example)

(Note the lack of the dataclass decorator. You can optionally omit or include it, and it will be automatically inferred).

Alternatively you can make your dataclass callable, as a shorthand for an explicit invoke function:

@dataclass
class Example:
    ...   # identical to original class

    def __call__(self):
       print(self)

Note invoke=function can either be a reference to some callable, or a string module-reference to a function (which will get lazily imported and invoked).

Subcommands

With a single top-level command, the click-like API isn't particularly valuable by comparison. Click's command-centric API is primarily useful when composing a number of nested subcommands, and dispatching to functions based on the selected subcommand.

from __future__ import annotations
from dataclasses import dataclass
import cappa

@dataclass
class Example:
    cmd: cappa.Subcommands[Print | Fail]


@dataclass
class Print:
    loudly: bool

    def __call__(self):  # again, __call__ is shorthand for the above explicit `invoke=` form.
        if self.loudly:
            print("PRINTING!")
        else:
            print("printing!")

def fail():
    raise cappa.Exit(code=self.code)

@cappa.command(invoke=fail)
class Fail:
    code: int

cappa.invoke(Example)

Functions, invoke

Purely function-based CLIs can reduce the ceremony required to define a given CLI command. Such a CLI is exactly equivalent to a CLI defined as a dataclass with the function's arguments as the dataclass's fields.

import cappa
from typing_extensions import Annotated

def function(foo: int, bar: bool, option: Annotated[str, cappa.Arg(long=True)] = "opt"):
    ...


cappa.invoke(function)

There are, however, some downsides to using functions. Namely, that function has no nameable type! As such, a free function can not be easily named as a subcommand option (Subcommand[Foo | Bar]).

You can define a root level function with class-based subcommands, but the reverse is not possible because there is no valid type you can supply in the subcommand union.

Methods, invoke

See also Methods.

from __future__ import annotations
from dataclasses import dataclass
import cappa

@cappa.command
@dataclass
class Example:
    arg: int

    @cappa.command
    def add(self, other: int) -> int:
        """Add two numbers."""
        return self.arg + some_dep

    @cappa.command(help="Subtract two numbers")
    def subtract(self, other: int) -> int:
        return self.arg - other

cappa.invoke(Example)

With methods, the enclosing class corresponds to the parent object CLI arguments, exactly like normal class based definition. Unlike with free functions, (explicitly annotated) methods are able to act as subcommands, who's arguments (similarly to free functions) act as the arguments for the subcommand.

The above example produces a CLI like:

Usage: example ARG {add,subtract} [-h] [--completion COMPLETION]

Arguments
  ARG

Subcommands
  add                        Add two numbers.
  subtract                   Subtract two numbers.

Imperative Construction, parse/invoke

See also Manual Construction.

from dataclasses import dataclass

import cappa

@dataclass
class Foo:
    bar: str
    baz: list[int]

command = cappa.Command(
    Foo,
    arguments=[
        cappa.Arg(field_name="bar"),
        cappa.Arg(field_name="baz", num_args=2),
    ],
    help="Short help.",
    description="Long description.",
)

result = cappa.parse(command, argv=["one", "2", "3"])

All other APIs of cappa amount to scanning the provided input structure, and producing a cappa.Command structure. As such, it's equally possible for users to manually construct the commands themselves.

This could also be used to extend cappa, or design even more alternative interfaces (Cleo is another, fairly different, option that comes to mind).

Inspirations

Credit where credit is due

  • The "Derive" API of the Rust library Clap directly inspired the concept of mapping a type's fields to the shape of the CLI, by inferring the default behavior from introspecting types.

  • Click's easy way of defining large graphs of subcommands and mapping them to functions, inspired the the "invoke" API of Cappa. The actual APIs dont particularly resemble one another, but subcommands directly triggering functions (in contrast to argparse/Clap) is a very nice, and natural seeming feature!

  • FastAPI's Depends system inspired Cappa's dependency injection system. This API is quite natural, and makes it very easy to define a complex system of ad-hoc dependencies without the upfront wiring cost of most DI frameworks.

Project details


Release history Release notifications | RSS feed

Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Source Distribution

cappa-0.31.0.tar.gz (319.9 kB view details)

Uploaded Source

Built Distribution

If you're not sure about the file name format, learn more about wheel file names.

cappa-0.31.0-py3-none-any.whl (68.9 kB view details)

Uploaded Python 3

File details

Details for the file cappa-0.31.0.tar.gz.

File metadata

  • Download URL: cappa-0.31.0.tar.gz
  • Upload date:
  • Size: 319.9 kB
  • Tags: Source
  • Uploaded using Trusted Publishing? Yes
  • Uploaded via: twine/6.1.0 CPython/3.13.7

File hashes

Hashes for cappa-0.31.0.tar.gz
Algorithm Hash digest
SHA256 070ccdefa418c8cad81c282d265196b0a03f2ad0c159a84f7f75b7b24ab0f317
MD5 7f1096b5770ce27eaa903545e5f48554
BLAKE2b-256 e242c63e45ba87862c63d5cdf2146ad1b00c2e9d4da4be08309518d4401cd6ba

See more details on using hashes here.

Provenance

The following attestation bundles were made for cappa-0.31.0.tar.gz:

Publisher: release.yml on DanCardin/cappa

Attestations: Values shown here reflect the state when the release was signed and may no longer be current.

File details

Details for the file cappa-0.31.0-py3-none-any.whl.

File metadata

  • Download URL: cappa-0.31.0-py3-none-any.whl
  • Upload date:
  • Size: 68.9 kB
  • Tags: Python 3
  • Uploaded using Trusted Publishing? Yes
  • Uploaded via: twine/6.1.0 CPython/3.13.7

File hashes

Hashes for cappa-0.31.0-py3-none-any.whl
Algorithm Hash digest
SHA256 e8575e383b42c67c797ec0c15fc7b1debcc7249e42147c294a867baffde9b841
MD5 fe1de0001928f6eb3960f9655d848901
BLAKE2b-256 d82efa028f325e51a37ca22099a628ef30b40fe12b9b3dbdb66b396446696267

See more details on using hashes here.

Provenance

The following attestation bundles were made for cappa-0.31.0-py3-none-any.whl:

Publisher: release.yml on DanCardin/cappa

Attestations: Values shown here reflect the state when the release was signed and may no longer be current.

Supported by

AWS Cloud computing and Security Sponsor Datadog Monitoring Depot Continuous Integration Fastly CDN Google Download Analytics Pingdom Monitoring Sentry Error logging StatusPage Status page