php cli模式下获取参数的方法
php在cli模式下接收参数有两种方法
1.使用argv数组
- 例如:需要执行一个php,并传递三个参数(type=news, is_hot=1, limit=5)
创建test.php
print_r($argv);
在命令行执行
php test.php news 1 5
输出
Array
(
[0] => test.php
[1] => news
[2] => 1
[3] => 5
)
-
可以看到argv[0]为当前执行的php文件名称,而argv[1]~argv[3]则是传递的参数的值
argv[1]等于type的值
argv[2]等于is_hot的值
argv[3]等于limit的值
这样可以根据argv数组来获取传递的参数进行后续的处理操作
注意:在使用argv数组传递参数时,需要注意参数传递的顺序
2.使用getopt方法
- getopt 从命令行参数列表中获取选项
array getopt ( string $options [, array $longopts ] )
- 参数:
-
options
该字符串中的每个字符会被当做选项字符,匹配传入脚本的选项以单个连字符(-)开头。 比如,一个选项字符串 'x' 识别了一个选项 -x。 只允许 a-z、A-Z 和 0-9
-
longopts
选项数组。此数组中的每个元素会被作为选项字符串,匹配了以两个连字符(–)传入到脚本的选项。 例如,长选项元素 'opt' 识别了一个选项 –opt
-
options 可能包含了以下元素:
单独的字符(不接受值)
后面跟随冒号的字符(此选项需要值)
后面跟随两个冒号的字符(此选项的值可选)
选项的值是字符串后的第一个参数。它不介意值之前是否有空格。
-
注意:
传值的分隔符可以使用空格或=
可选项的值不接受空格作为分隔符,只能使用=作为分隔符
-
返回值
此函数会返回选项/参数对,失败时返回 FALSE
选项的解析会终止于找到的第一个非选项,之后的任何东西都会被丢弃
- 使用options实例
$param = getopt('a:b:c:d::e');
print_r($param);
php test.php -a 1 -b 2 -c 3 -d=4 -e 5
Array
(
[a] => 1
[b] => 2
[c] => 3
[d] => 4
[e] =>
)
- 使用longopts实例
$longopt = array(
'type:',
'is_hot:',
'limit::',
'expire'
);
$param = getopt('', $longopt);
print_r($param);
php test.php --type news --is_hot 1 --limit=10 --expire=100
Array
(
[type] => news
[is_hot] => 1
[limit] => 10
[expire] =>
)
- 找到第一非选项,后面忽略实例
$longopt = array(
'type:',
'is_hot:',
'limit::',
'expire'
);
$param = getopt('', $longopt);
print_r($param);
php test.php --type news --is_hots 1 --limit=10 --expire=100
Array
(
[type] => news
)
- 因为is_hots不是选项值(定义的是is_hot),所以从这里开始之后的参数,都被丢弃
正因为来之不易,所以才有了后来的倍加珍惜。