Skip to main content

python function to command translator

Project description

handofcats

Build Status

A tiny magically Converter that making executable command from plain python function. If the function is type annotated, it is used.

Feature

  • ✨Using plain python function as Console application

    • If you want to treat python function as single-command, as_command() is helpful
    • If you want to treat python function as sub-commands, as_subcommand() is helpful
  • ◀️Escape from dependencies, if dislike this library

  • If you want something like create-react-app's eject, use --expose option

Installing

You can install via pip command, as you know.

$ pip install handofcats

Using plain python function as Console application

as_command()

If you want plain python function to treat as single command, you can attach with as_command decorator. Then it acts as executable command.

greeting.py

from handofcats import as_command

@as_command
def greeting(message: str, is_surprised: bool = False, name: str = "foo") -> None:
    """greeting message"""
    suffix = "!" if is_surprised else ""
    print("{name}: {message}{suffix}".format(name=name, message=message, suffix=suffix))

🚀 It acts as single-command.

$ python greeting.py hello
foo: hello
$ python greeting.py --is-surprised hello
foo: hello!
$ python greeting.py --is-surprised --name=bar bye
bar: bye!

Then, help message is here.

$ python greeting.py -h
usage: greeting [-h] [--is-surprised] [--name NAME] [--expose] [--inplace]
                [--simple]
                [--logging {CRITICAL,FATAL,ERROR,WARN,WARNING,INFO,DEBUG,NOTSET}]
                message

greeting message

positional arguments:
  message               -

optional arguments:
  -h, --help            show this help message and exit
  --is-surprised        - (default: False)
  --name NAME           - (default: foo)
  --expose              dump generated code. with --inplace, eject from handofcats dependency (default: False)
  --inplace             overwrite file (default: False)
  --simple              use minimum expression (default: False)
  --logging {CRITICAL,FATAL,ERROR,WARN,WARNING,INFO,DEBUG,NOTSET}positional arguments:
  message               -

optional arguments:
  -h, --help            show this help message and exit
  --is-surprised        - (default: False)
  --name NAME           - (default: foo)
  --expose              dump generated code. with --inplace, eject from handofcats dependency (default: False)
  --inplace             overwrite file (default: False)
  --simple              use minimum expression (default: False)
  --logging {CRITICAL,FATAL,ERROR,WARN,WARNING,INFO,DEBUG,NOTSET}

( :warning: TODO: detail description )

as_subcommand() and as_subcommand.run()

Sub-command support is also included, so handofcats can be useful, when using plain python functions as sub-commands.

Using as_subcommand decorator, and calling as_subcommand.run(). There is no need to write if __name__ == "__main__".

cli.py

from handofcats import as_subcommand


@as_subcommand
def hello(*, name: str = "world") -> None:
    print(f"hello {name}")


@as_subcommand
def byebye(name: str) -> None:
    print(f"byebye {name}")


# :warning: don't forget this
as_subcommand.run()

🚀 It acts as sub-commands.

$ python cli.py hello
hello world

$ python cli.py hello --name foo
hello foo

$ python cli.py byebye foo
byebye foo

Then, help message is here.

$ python cli.py -h
usage: cli.py [-h] [--expose] [--inplace] [--simple]
              [--logging {CRITICAL,FATAL,ERROR,WARN,WARNING,INFO,DEBUG,NOTSET}]
              {hello,byebye} ...

optional arguments:
  -h, --help            show this help message and exit
  --expose              dump generated code. with --inplace, eject from handofcats dependency (default: False)
  --inplace             overwrite file (default: False)
  --simple              use minimum expression (default: False)
  --logging {CRITICAL,FATAL,ERROR,WARN,WARNING,INFO,DEBUG,NOTSET}

subcommands:
  {hello,byebye}
    hello
    byebye


$ python cli.py hello -h
usage: cli.py hello [-h] [--name NAME]

optional arguments:
  -h, --help   show this help message and exit
  --name NAME  (default: 'world')

Dropping dependencies

If you dislike handofcats, you can drop it.

--expose

No Lock-In: You can “eject” to a custom setup at any time. Run a single-command, and all the configuration and build dependencies will be moved directly into your project, so you can pick up right where you left off.

Something like create-react-app'seject , runing with --expose option, generationg the code that dropping dependencies of handofcats module.

If you want to eject from the code described above, --expose is helpful, maybe.

$ python greeting.py --expose
import typing as t

def greeting(message: str, is_surprised: bool = False, name: str = "foo") -> None:
    """greeting message"""
    suffix = "!" if is_surprised else ""
    print("{name}: {message}{suffix}".format(name=name, message=message, suffix=suffix))


def main(argv: t.Optional[t.List[str]] = None) -> t.Any:
    import argparse

    parser = argparse.ArgumentParser(prog=greeting.__name__, description=greeting.__doc__, formatter_class=type('_HelpFormatter', (argparse.ArgumentDefaultsHelpFormatter, argparse.RawTextHelpFormatter), {}))
    parser.print_usage = parser.print_help  # type: ignore
    parser.add_argument('message', help='-')
    parser.add_argument('--is-surprised', action='store_true', help='-')
    parser.add_argument('--name', required=False, default='foo', help='-')
    args = parser.parse_args(argv)
    params = vars(args).copy()
    return greeting(**params)


if __name__ == '__main__':
    main()

--expose with --inplace

In addition, running with inplace option, when --expose, overwrite target source code.

For handofcats, eject action is --inplace --exepose.

If you're lazy, you can even skip using decorators

If you're lazy, passing file to handofcats command. After installing this package, you can use the handofcats command.

For example, pass the following file to handofcats command:

sum.py

def sum(x: int, y: int) -> None:
    print(f"{x} + {y} = {x + y}")

It acts as single-command, even not decorated by the decorators introduced earlier.

$ handofcats sum.py:sum 10 20
10 + 20 = 30

$ handofcats sum.py:sum -h
handofcats sum.py:sum -h
usage: sum [-h] [--expose] [--inplace] [--simple]
           [--logging {CRITICAL,FATAL,ERROR,WARN,WARNING,INFO,DEBUG,NOTSET}]
           x y

positional arguments:
  x
  y

optional arguments:
  -h, --help            show this help message and exit
  --expose              dump generated code. with --inplace, eject from handofcats dependency (default: False)
  --inplace             overwrite file (default: False)
  --simple              use minimum expression (default: False)
  --logging {CRITICAL,FATAL,ERROR,WARN,WARNING,INFO,DEBUG,NOTSET}

--expose with handofcats command

Passed in the form <filename>.py, it will be interpreted as a sub-commands. Of course, the --expose option also works.

And passed in the form <filename>.py:<function name>, it will be interpreted as a single-command.

So, plain python function only needed.

cli.py

def hello(*, name: str = "world"):
    print(f"hello {name}")


# FIXME: default arguments (positional arguments)
def byebye(name: str):
    print(f"byebye {name}")


# ignored
def _ignore(name: str):
    print("ignored")
# treated as sub-commands
$ handofcats cli.py --expose
import typing as t

def hello(*, name: str = "world"):
    print(f"hello {name}")


# FIXME: default arguments (positional arguments)
def byebye(name: str):
    print(f"byebye {name}")


# ignored
def ignore(name: str):
    print(f"ignored {name}")


def _ignore(name: str):
    print("of cource, ignored")


def main(argv: t.Optional[t.List[str]] = None) -> t.Any:
    import argparse

    parser = argparse.ArgumentParser(formatter_class=type('_HelpFormatter', (argparse.ArgumentDefaultsHelpFormatter, argparse.RawTextHelpFormatter), {}))
    subparsers = parser.add_subparsers(title='subcommands', dest='subcommand')
    subparsers.required = True

    fn = hello
    sub_parser = subparsers.add_parser(fn.__name__, help=fn.__doc__, formatter_class=parser.formatter_class)
    sub_parser.add_argument('--name', required=False, default='world', help='-')
    sub_parser.set_defaults(subcommand=fn)

    fn = byebye  # type: ignore
    sub_parser = subparsers.add_parser(fn.__name__, help=fn.__doc__, formatter_class=parser.formatter_class)
    sub_parser.add_argument('name', help='-')
    sub_parser.set_defaults(subcommand=fn)

    args = parser.parse_args(argv)
    params = vars(args).copy()
    subcommand = params.pop('subcommand')
    return subcommand(**params)


if __name__ == '__main__':
    main()


# treated as single-command
$ handofcats cli.py:hello --expose
...

experimental

sequences

from typing import List, Optional

def psum(xs: List[int], *, ys: Optional[List[int]] = None):
    # treated as
    # parser.add_argument('xs', nargs='*', type=int)
    # parser.add_argument('--ys', action='append', required=False, type=int)
    ..

choices

from typing_extensions import Literal


DumpFormat = Literal["json", "csv"]   # this: (experimental)


def run(*, format: DumpFormat = "json"):
    # treated as
    # parser.add_argument("--format", defaul="json", choices=("json", "csv"), required=False)
    ...

3.1.2

  • fix falsy default value is treated as None

3.1.1

  • fix --cont option support completely, in handofcats command

3.1.0

  • add --cont option
  • add --simple option, for --expose
  • remove --untyped option, for --expose

3.0.1

  • (README uploading is failed)

3.0.0

  • add sub-commands support
  • some refactoring
  • on --expose, default format is typed code, changes to more mypy friendly output

2.5.0

  • logging option for lazy person
  • run with DEBUG=1 envvar, then logging feature is actuvated, automatically

2.4.3

  • catch up magicalimport 0.8.1

2.4.2

  • Injector with callback option

2.4.1

  • Injector support ignore_arguments and ignore_flags

2.4.0

  • some refactoring
  • use magicalimport for reducing code
  • use fastentrypoint for fast bootstrap time editable installed

2.3.2

  • fix, with Literal Types, detect type is failed

2.3.1

  • fix, choices's type is list, not dict

2.3.0

  • support Literal types
  • fix, error is occured, running with from __future__ import annotations
  • fix, generated code is invalid when positional arguments with "_"
  • fix, unable to use the function named "main"
  • --typed option, with --expose

2.2.0

  • --inplace option, with --expose

2.1.0

  • choices function
  • fix bug that it is not working, importing with physical filepath

Project details


Download files

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

Source Distribution

handofcats-3.1.2.tar.gz (20.4 kB view details)

Uploaded Source

Built Distribution

handofcats-3.1.2-py3-none-any.whl (20.7 kB view details)

Uploaded Python 3

File details

Details for the file handofcats-3.1.2.tar.gz.

File metadata

  • Download URL: handofcats-3.1.2.tar.gz
  • Upload date:
  • Size: 20.4 kB
  • Tags: Source
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/3.1.1 pkginfo/1.5.0.1 requests/2.22.0 setuptools/45.0.0 requests-toolbelt/0.9.1 tqdm/4.41.1 CPython/3.8.1

File hashes

Hashes for handofcats-3.1.2.tar.gz
Algorithm Hash digest
SHA256 73f66167fd8aeb81b1eb10fe7e47458bf966ec7a2332f26eff995f25d98e48fc
MD5 a7d91bf7466597941efc067e6fb4f0fb
BLAKE2b-256 8a2ef72b058d7e5aba71fb0e7fb6e2d23a56e593c6c8fd85001475c32e93ed2d

See more details on using hashes here.

File details

Details for the file handofcats-3.1.2-py3-none-any.whl.

File metadata

  • Download URL: handofcats-3.1.2-py3-none-any.whl
  • Upload date:
  • Size: 20.7 kB
  • Tags: Python 3
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/3.1.1 pkginfo/1.5.0.1 requests/2.22.0 setuptools/45.0.0 requests-toolbelt/0.9.1 tqdm/4.41.1 CPython/3.8.1

File hashes

Hashes for handofcats-3.1.2-py3-none-any.whl
Algorithm Hash digest
SHA256 d7e198cb64ca27772d5c90c7ca5178f3942bc8fc107f6c9fdfb33901f3cb23bb
MD5 3a55ff14d296b04056990c243a66792b
BLAKE2b-256 cece352ebd1ff1775aea2256efc2d70974d7292767cac62b2ba96d4606a8d41c

See more details on using hashes here.

Supported by

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