use Paranoid::Args; $rv = parseArgs(@templates, %opts); $rv = parseArgs(@templates, %opts, @args); @errors = Paranoid::Args::listErrors(); Paranoid::Args::clearMemory();
The primary focus of this module is validation, with the secondary focus being preservation of context.
    parseArgs
The following specialized import lists also exist:
    List        Members
    --------------------------------------------------------
    template    PA_DEBUG PA_VERBOSE PA_HELP PA_VERSION
    all         @defaults @template
 
This module also does basic sanity validation of all option templates to ensure correct usage of this module.
./foo.pl -t "tag1" file1 file2
This module supports that model, with the option argument template being '$' for that single string. But what if you wanted to apply different tags to different files with one command execution?
./foo.pl -t "tag1" file1 file2 -t "tag2" file3
In this case it is important to keep each group of payloads that you want to operate on separate. With this module you could instead use an argument template of '$@', which would return each set independently:
  %opt = (
    't' => [
            [ "tag1", [ "file1", "file2" ] ],
            [ "tag2", [ "file3" ] ],
           ],
          );
Notice that we also preserve the context between the '$' and the '@' by putting the '@' arguments in a sublist. With this example that could possible be considered pointless, but we also support templates like '$$@$' which makes this very useful. Now, instead of having to shift or pop off the encapsulating arguments they now have one permanent ordinal index. You also can now just grab the array reference for the '@' portion and iterate over a complete and separate list rather than having to take a splice of the complete argument array.
It's probably just me, but I find that a little easier to track.
This module don't support the hash key/value pairs (i.e., -s foo=one bar=two) or argument type validation (Getopt::* can validate string, integer, and floating point argument types). And while it supports a short & long option it doesn't support innumerable aliases in addition. In short, if it isn't explicitly documented it isn't supported, though it probably is in Getopt::*.
There are a few restrictions meant to eliminate confusion:
$rv = parseArgs(@templates, %opts); $rv = parseArgs(@templates, %opts, @args);
Using the option templates passed as the first reference this function populates the options hash with all of the parsed options found in the passed arguments. The args list reference can be omitted if you wish the function to work off of @ARGV. Please note that this function makes a working copy of the array, so no alterations will be made to it.
If any options and/or arguments fail to match the option template, or if an option is found with no template, a text message is pushed into an errors array and the function will return a boolean false.
When the options hash is populated extracted arguments to the options are stored in both long and short form as the keys, assuming they were defined in the template. Otherwise it will use whatever form of option was defined.
Any arguments not associated with an option are stored in the options hash in a list associated with the key PAYLOAD.
@errors = Paranoid::Args::listErrors();
If you need a list of everything that was found wrong during a parseArgs run, from template errors to command-line argument validation failures, you can get all of the messages form listErrors. Please note that we show it fully qualified because it is not exported.
Each time parseArgs is invoked this array is reset.
Paranoid::Args::clearMemory();
If the existence of a (most likely) lightly populated array bothers you, you may use this function to empty all internal data structures of their contents. Like listErrors this function is not exported.
  {
    Short         => 'v',
    Long          => 'verbose',
    Template      => '$',
    CountShort    => 1,
    Multiple      => 1,
    CanBundle     => 1,
    ExclusiveOf   => [],
    AccompaniedBy => [],
  }
This template provides extraction of verbose options in the following (and similar) forms:
-vvvvv --verbose 5 --verbose=5
If CountShort was instead false you'd have to say '-v 5' instead of '-vvvvv'.
When the parseArgs function is called the options hash passed to it would be populated with:
  %opts = (
    'v'        => 5,
    'verbose'  => 5,
    );
The redundancy is intentional. Regardless of whether you look up the short or the long name you will be able to retrieve the cumulative value.
The particulars of all key/value pairs in a template are documented below.
NOTES: The default template is as follows:
        {
            Short         => undef,
            Long          => undef,
            Template      => '',
            Multiple      => 0, 
            ExclusiveOf   => [],
            AccompaniedBy => [],
            CanBundle     => 0,
            CountShort    => 0,
            Value         => undef,
         };
When creating your option templates you only need to specify those that differ from the defaults. In addition, there's a few options that are also modified automatically for you. If your template consists of a Short option and has a template of '' then CanBundle is automatically set to true.
If CountShort is enabled then Multiple and CanBundle is set to be true as well. Additionally, if there is a Long option, the Template is set to '$'.
This parameter is set to undef by default.
NOTE: All short option names must be only one character in length and consisting only of alphanumeric characters.
This parameter is set to undef by default.
NOTE: All long option names must be more than one character in length and consisting only of alphanumeric characters and hyphens.
Char Description ======================================================== $ The option will be followed by a mandatory argument @ The option will be followed by one or more arguments '' No additional arguments are expected
For simple boolean options (like '-f') you'd use a zero-length string as the template. The associated value of the option will be either a scalar or a list reference, depending on various parameters in the option template.
If the option has a template of '' then it is assumed that it is a boolean option. The associated value in the options hash would then be a scalar:
# Template: '' # @ARGV: -vvv 'v' => 3
with the scalar denoting the number of times it was used in the arguments. It is the same if the template is '$' but CountShort is true. In that case, the template really only applies to the long option (whose argument would set the initial scalar value), while the short options operate purely as an incrementer. However, since everything is processed serially, you get the following results:
# Template '$', CountShort is true # @ARGV: -vvv --verbose=7 -v --verbose=1 -v 'v' => 2
If the template is '$', but Multiple is false (mandating that the option be used only once) the associated value is again scalar:
# Template: '$' # @ARGV: -v3 'v' => 3
If the template is '$' and Multiple is true then the associated value is an array reference, with the contents of the array being every argument associated with each option invocation:
# Template: '$' # @ARGV: --file foo --file bar 'file' => [ 'foo', 'bar' ]
If the template is two or more '$' or contains '@' anywhere in the template then the associated value is an array reference. The element where '@' would occur would be an array reference to the list containing everything globbed up by the '@':
# Template: '$@' # @ARGV: --chmod 0755 foo bar 'chmod' => [ '0755', [ 'foo', 'bar' ] ]
If Multiple is true, each element would be a reference to each invocation of the option, with the element organized internally as in the previous example:
  # Template: '@'
  # @ARGV:  --add 5 7 2 --add 4 9
  'add'   => [ [ 5, 7, 2 ], [ 4, 9 ] ]
  # Template: '$@$'
  # @ARGV: --perform one two three four --perform five six seven
  'perform' => [ [ 'one', [ 'two', 'three' ], 'four'],
                 [ 'five', [ 'six' ], 'seven' ] ]
NOTE: You cannot use the '@' character if the short option is allowed to be bundled with other options.
This parameter defaults to '' (boolean options).
This parameter defaults to false.
This parameter defaults to an empty list.
This parameter defaults to an empty list.
This parameter defaults to false.
NOTE: if you wish to be able to concatenate a short option and its requisite argument then CanBundle must be set to false.
NOTE: if CanBundle is true and each short option requires a mandatory argument those arguments will be associated with each option in the order in which the options were specified. For example, if 'v' and 'S' each expected a mandatory single argument:
-vuS foo bar
v would be associated with foo, and S with bar. Bundling of short options that use '@' as part of their template is not allowed due to the obvious guaranteed problems which will result.
    {
        Short      => 'D',
        Long       => 'debug',
        CountShort => 1,
    };
 
    {
        Short      => 'v',
        Long       => 'verbose',
        CountShort => 1,
     };
 
    {
        Short => 'h',
        Long  => 'help',
    };
 
    {
        Short => 'V',
        Long  => 'version',
    };
 
  @otemplates = (
      {
        Short       => 'v',
        Long        => 'verbose',
        CountShort  => 1,
      },
      {
        Short       => 'f',
        Long        => 'force',
      },
      {
        Short       => 'h',
        Long        => 'host',
        Multiple    => 1,
        CanBundle   => 1,
        Template    => '$',
      },
    );
  # Process @ARGV:  -vvvfh host1 file1 file2 file3
  if (parseArgs(@templates, %opts )) {
    setVerbosity($opts{'verbose'});
    if ($opts{'force'}) {
      foreach (@{ $opts{'host'} }) {
        if (connectToHost($_)) {
          transferFiles(@{ $opts{'PAYLOAD'} });
        }
      }
    }
  } else {
    foreach (@errors) { warn "$_\n" };
  }
 
This doesn't offer the same range of functionality or flexibility of Getopt::Long.
  a)     the GNU General Public License
         <https://www.gnu.org/licenses/gpl-1.0.html> as published by the 
         Free Software Foundation <http://www.fsf.org/>; either version 1
         <https://www.gnu.org/licenses/gpl-1.0.html>, or any later version
         <https://www.gnu.org/licenses/license-list.html#GNUGPL>, or
  b)     the Artistic License 2.0
         <https://opensource.org/licenses/Artistic-2.0>,
subject to the following additional term: No trademark rights to ``Paranoid'' have been or are conveyed under any of the above licenses. However, ``Paranoid'' may be used fairly to describe this unmodified software, in good faith, but not as a trademark.
(c) 2005 - 2020, Arthur Corliss (corliss@digitalmages.com) (tm) 2008 - 2020, Paranoid Inc. (www.paranoid.com)
Copyright © 1997 - 2019, Arthur Corliss, all rights reserved.