CLI Arguments with Multiple ValuesΒΆ
CLI arguments can also receive multiple values.
You can define the type of a CLI argument using typing.List
.
from pathlib import Path
from typing import List
import typer
def main(files: List[Path], celebration: str):
for path in files:
if path.is_file():
print(f"This file exists: {path.name}")
print(celebration)
if __name__ == "__main__":
typer.run(main)
And then you can pass it as many CLI arguments of that type as you want:
Tip
We also declared a final CLI argument celebration
, and it's correctly used even if we pass an arbitrary number of files
first.
Info
A List
can only be used in the last command (if there are subcommands), as this will take anything to the right and assume it's part of the expected CLI arguments.
CLI arguments with tuplesΒΆ
If you want a specific number of values and types, you can use a tuple, and it can even have default values:
from typing import Tuple
import typer
from typing_extensions import Annotated
def main(
names: Annotated[
Tuple[str, str, str], typer.Argument(help="Select 3 characters to play with")
] = ("Harry", "Hermione", "Ron"),
):
for name in names:
print(f"Hello {name}")
if __name__ == "__main__":
typer.run(main)
π€ Other versions and variants
Tip
Prefer to use the Annotated
version if possible.
from typing import Tuple
import typer
def main(
names: Tuple[str, str, str] = typer.Argument(
("Harry", "Hermione", "Ron"), help="Select 3 characters to play with"
),
):
for name in names:
print(f"Hello {name}")
if __name__ == "__main__":
typer.run(main)
Check it: