27

好的,所以 PHP 有一个内置的getopt()函数,它返回有关用户提供的程序选项的信息。只是,除非我错过了什么,否则它完全是无聊的!从手册:

选项的解析将在找到的第一个非选项处结束,随后的任何内容都将被丢弃。

所以只返回一个包含有效和解析选项getopt()的数组。您仍然可以通过查看未修改的 来查看整个原始命令行,但是您如何知道该命令行在何处停止解析参数?如果您想将命令行的其余部分视为其他内容(例如,文件名),则必须了解这一点。$argvgetopt()

这是一个例子......

假设我想设置一个脚本来接受以下参数:

Usage: test [OPTION]... [FILE]...

Options:
  -a  something
  -b  something
  -c  something

然后我可能会getopt()这样打电话:

$args = getopt( 'abc' );

而且,如果我这样运行脚本:

$ ./test.php -a -bccc file1 file2 file3

我应该期望有以下数组返回给我:

Array
(
    [a] =>
    [b] =>
    [c] => Array
        (
            [0] =>
            [1] =>
            [2] =>
        )
)

所以问题是这样的:我到底怎么知道三个未解析的非选项FILE参数从$argv[ 3 ]???

4

4 回答 4

5

从 PHP 7.1 开始,getopt支持一个可选的 by-ref 参数,&$optind它包含参数解析停止的索引。这对于将标志与位置参数混合很有用。例如:

user@host:~$ php -r '$i = 0; getopt("a:b:", [], $i); print_r(array_slice($argv, $i));' -- -a 1 -b 2 hello1 hello2
Array
(
    [0] => hello1
    [1] => hello2
)
于 2016-10-18T20:34:44.960 回答
2

没有人说你没有使用 getopt。你可以用任何你喜欢的方式来做:

$arg_a = null; // -a=YOUR_OPTION_A_VALUE
$arg_b = null; // -b=YOUR_OPTION_A_VALUE
$arg_c = null; // -c=YOUR_OPTION_A_VALUE

$arg_file = null;  // -file=YOUR_OPTION_FILE_VALUE

foreach ( $argv as $arg )
{
    unset( $matches );

    if ( preg_match( '/^-a=(.*)$/', $arg, $matches ) )
    {
        $arg_a = $matches[1];
    }
    else if ( preg_match( '/^-b=(.*)$/', $arg, $matches ) )
    {
        $arg_b = $matches[1];
    }
    else if ( preg_match( '/^-c=(.*)$/', $arg, $matches ) )
    {
        $arg_c = $matches[1];
    }
    else if ( preg_match( '/^-file=(.*)$/', $arg, $matches ) )
    {
        $arg_file = $matches[1];
    }
    else
    {
        // all the unrecognized stuff
    }
}//foreach

if ( $arg_a === null )    { /* missing a - do sth here */ }
if ( $arg_b === null )    { /* missing b - do sth here */ }
if ( $arg_c === null )    { /* missing c - do sth here */ }
if ( $arg_file === null ) { /* missing file - do sth here */ }

echo "a=[$arg_a]\n";
echo "b=[$arg_b]\n";
echo "c=[$arg_c]\n";
echo "file=[$arg_file]\n";

我总是那样做,而且效果很好。此外,我可以用它做任何我想做的事情。

于 2013-10-03T13:56:03.517 回答
2

以下可用于获取命令行选项后面的任何参数。它可以在调用 PHP 之前或之后使用,getopt()而不会改变结果:

# $options = getopt('cdeh');

$argx = 0;

while (++$argx < $argc && preg_match('/^-/', $argv[$argx])); # (no loop body)

$arguments = array_slice($argv, $argx);

$arguments现在包含任何主要选项之后的任何参数。或者,如果您不希望将参数放在单独的数组中,那么$argx是第一个实际参数的索引:$argv[$argx].

如果在任何前导选项之后没有参数,则:

  • $arguments是一个空数组[],并且
  • count($arguments) == 0, 和
  • $argx == $argc.
于 2016-04-15T23:55:56.453 回答
0

看一下 GetOptionKit 以摆脱标志解析。

http://github.com/c9s/GetOptionKit

GetOptionKit 可以很容易地集成到您的命令行脚本中。它支持类型约束、值验证等。

于 2016-05-20T12:22:13.267 回答