Skip to main content

Next Level Argument Parser

Project description

Overview

argpi revolutionizes argument parsing in python by introducing a registration based system. This allows users to implement argument parsing in one line of code. Any type of argument can be defined other than the conventional -- and - prefix type arguments. For example, arguments can be of the type argument1 or _argument1 or any keyword you set. There is not restrictions on the short form of the argument. You can have --argument1 as the long form while _arg1 as the shorter form. This brings a lot of flexibility and customization to the users.

Table of Contents

Features

  • argpi's one line implementation and fault finding system helps users maintain readability and reliability in their code.
  • Flexibility and customization while defining arguments.
  • Automatic help text generation.
  • Prep and Exec based argument parsing helps users to create complex argument structures.

Installation

pip install argpi

Usage and Examples

Using argpi is pretty simple. argpi was made keeping in mind the concepts of Object Oriented Programming and therefore, it is recommended to create a class for your argument preparations and executions separately.

What the above statement means is that suppose you have an argument, say, --install which is the base argument for installing something. Now, there are different flag type arguments (meaning, let's say, --install-with-pip or --install-with-conda or --install-with-git, which are used to determine some boolean or case based code execution), or some arguments which take some value (like --install-path which takes a path as an argument). These are termed as prep arguments while --install is the exec argument. Before --install's backend code execution, all preps will be performed. Let us see how we can do this in code.

To begin, we need to import Definition and Pathways classes from argpi module.

from argpi import Definition, Pathways

All the argument definitions are stored in the Definition class. Let us add the definitions from our example above.

def_obj = Definition([
    {
        'name': 'Installation Argument',
        'value': '--install',
        'short': '_i',
        'description': 'Install something\nSyntax: <script_name> --install'
    },
    {
        'name': 'Install with pip',
        'value': '--install-with-pip',
        'short': '_ip',
        'description': 'Install with pip\nSyntax: <script_name> --install-with-pip'
    },
    {
        'name': 'Install with conda',
        'value': '--install-with-conda',
        'short': '_ic',
        'description': 'Install with conda\nSyntax: <script_name> --install-with-conda'
    },
    {
        'name': 'Install path',
        'value': '--install-path',
        'short': '_ip',
        'description': 'Install path\nSyntax: <script_name> --install-path <path>'
    },
])

Once we have our definitions ready, we can use the Pathways class to auto-capture the arguments and register preps and execs.

Now, for our example, --install is the exec argument and the rest are prep arguments. We will create a class for our preparations and executions.

For preparations, we will create a class Configurations and for executions, we will create a class Drivers.

Note: You can name the classes anything you want. Configurations class basically contains information on how a particular method (let's say, for --install) will be executed.
Understand it this way, the method we will define for --install can go several ways. The user may want to use pip or conda or git to install something. This is where the Configurations class will be used.
Configurations class will have methods and attributes which will store our conditional variables such as which installer to use: pip, conda, git etc and the path to install the software.

from typing import Union

class Configurations:
    def __init__(self) -> None:
        # Define your conditionals or variables here
        self.pip: bool = False
        self.conda: bool = False
        self.git: bool = False
        self.path: Union[str, None] = None
    
    def set_pip(self) -> None:
        self.pip = True
    
    def set_conda(self) -> None:
        self.conda = True
    
    def set_git(self) -> None:
        self.git = True
    
    def set_path(self, path: str) -> None:
        self.path = path
class Drivers:
    @staticmethod
    def install(configurations: Configurations) -> None:
        if configurations.pip:
            print(f"Installing with pip to {configurations.path}")
        elif configurations.conda:
            print(f"Installing with conda to {configurations.path}")
        elif configurations.git:
            print(f"Installing with git to {configurations.path}")
        
        # or add your own logic here.

Once we have our classes ready, we can use the Pathways class to auto-capture the arguments and register preps and execs.

# lets create our configurations object
configurations = Configurations()

pathways = PathWays(definition=def_obj)
# Check docstring for more info on the parameters,
# apart from `definition`, there is one other parameter, `skip` which is set to 1 by default.
# This parameter is used to skip the first `n` arguments from sys.argv.

Once we have our Pathways object ready, we can register our preps and execs. All arguments except --install are prep arguments.

While registering, we can provide a function which will be called if the argument is present. The important point to note here is that the arguments that are passed to your provided functions can either be defined by you or can be captured from the command line. This is what makes argpi better than other argument parsing libraries.

The pathways.register function has 2 signatures, where the first one is where you give your own function and own arguments. The second one is where you provide your own function but let argpi capture the values provided to the argument by the user and pass it to the function.

There are 3 ways you can choose to capture values from the command line:

  • Single: This is used when you know that the argument will take only one value and whatever it is, you want to pass it to the function.
  • Till Next: This is used when you know that the argument will take multiple values but you want to stop capturing when the next argument is encountered.
  • Till Last: This is used when you know that the argument will take multiple values and you know for sure this argument will be the last argument passed by the user.

Do not worry, If you are unsure about Till Next and Till Last, just use Till Next and it will automatically detect if the argument is the last argument or not and act accordingly.

pathways.register(
    argument='--install-with-pip',
    function=configurations.set_pip,
    type='PREP',
    arguments=(True,), # we are passing our own arguments to the function
)

pathways.register(
    argument='--install-with-conda',
    function=configurations.set_conda,
    type='PREP',
    arguments=(True,),
)

pathways.register(
    argument='--install-with-git',
    function=configurations.set_git,
    type='PREP',
    arguments=(True,), 
)

pathways.register(
    argument='--install-path',
    function=configurations.set_path,
    type='PREP',
    what_value_expected='Single', # we want one value from the command line
)

Now, let us define the --install argument.

pathways.register(
    argument='--install',
    function=Drivers.install,
    type='EXEC',
    arguments=(configurations,),
)

Once all definitions and registrations are done, we can now orchestrate the pathway preps and executions.

pathways.orchestrate

This will first perform all preps which will set the variables in the Configurations class and then it will perform the execution which will use these variables to execute the code.

Note that the executions will only be performed if the registered argument is present in the command line, else nothing will happen.

Also, the pathways.orchestrate method automatically validates all preparations and executions. It will raise an error if anything fails.

Contributing

Contributions are welcome! Please open an issue or submit a pull request if you have any suggestions or improvements.

License

This project is licensed under the MIT License. See the LICENSE file for details.

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

argpi-1.1.0.tar.gz (14.5 kB view details)

Uploaded Source

Built Distribution

argpi-1.1.0-py3-none-any.whl (14.1 kB view details)

Uploaded Python 3

File details

Details for the file argpi-1.1.0.tar.gz.

File metadata

  • Download URL: argpi-1.1.0.tar.gz
  • Upload date:
  • Size: 14.5 kB
  • Tags: Source
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/5.1.1 CPython/3.13.0

File hashes

Hashes for argpi-1.1.0.tar.gz
Algorithm Hash digest
SHA256 050865479bbe127852c27026f905f54b2ae118b33148c027536f7b85716105f5
MD5 1b522cd19755ff90da587a11bb478efb
BLAKE2b-256 e004604bdbac21868538b3702d4d2e4242b2d511ac2f75d0dc70fd1c15474264

See more details on using hashes here.

File details

Details for the file argpi-1.1.0-py3-none-any.whl.

File metadata

  • Download URL: argpi-1.1.0-py3-none-any.whl
  • Upload date:
  • Size: 14.1 kB
  • Tags: Python 3
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/5.1.1 CPython/3.13.0

File hashes

Hashes for argpi-1.1.0-py3-none-any.whl
Algorithm Hash digest
SHA256 6f790574b83050d8ef719aaa112e92e35ffc40201afee8480f8a74e1f7999c98
MD5 a849b7170c676a0a39c555790e5e7869
BLAKE2b-256 cd70a13ce5eed96dbb506ed7432b4b2daaa1b3997deca98ed0466607eea615bc

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