查看php的版本信息:
#php -v 显示PHP的版本
有如下的php文件,hello.php:
在命令行提示符下运行此程序(调用CLI可执行文件并提供脚本的文件名):
#php phphello.php
输出Hello from the CLI
使用标准的输入和输出
在PHP脚本中使用这三个常量,以接受用户的输入,或显示处理和计算的结果。
例1,
<?php
// ask for input
fwrite(STDOUT, "Enter your name: ");
// get input
$name = trim(fgets(STDIN));
// write input back
fwrite(STDOUT, "Hello, $name!");
?>
Look what happens when you run it:
shell> php hello.php
Enter your name: Joe
Hello, Joe!
以上脚本中,fwrite()函数,首先会向标准的输出设备写一条消息,询问用户的姓名。
然后,它会把从标准输入设备获得的用户输入信息读取到一个PHP变量里,并它把合并成为一个字符串。
然后就用fwrite()把这个字符串打印输出到标准的输出设备上。
使用命令行自变量
在命令行里输入程序参数来更改其运行方式是很常见的做法。你也可以对CLI程序这样做。
PHP CLI带有两个特殊的变量,专门用来达到这个目的:
一个是$argv变量,它通过命令行把传递给PHP脚本的参数保存为单独的数组元素;
另一个是$argc变量,它用来保存$argv数组里元素的个数。
用PHP脚本编写一段读取$argv并处理它所含参数的代码是很简单的。
试试例2中的脚本,观察下其工作方式:
<?php
print_r($argv);
?>
Run this script by passing it some arbitrary values, and check the output:
shell> php phptest.php chocolate 276 "killer tie, dude!"
Array
( [0] => test.php
[1] => chocolate
[2] => 276
[3] => killer tie, dude!
)
从输出结果可以看到:
传递给test.php的值会自动地作为数组元素出现在$argv里。
注意,$argvis的第一个自变量总是脚本自己的名称。
例3,一个稍复杂些的例子:
<?php
// check for all required arguments
// first argument is always name of script!
if ($argc != 4) {
die("Usage: book.php <check-in-date> <num-nights> <room-type> ");
}
// remove first argument
array_shift($argv);
// get and use remaining arguments
$checkin = $argv[0];
$nights = $argv[1];
$type = $argv[2];
echo "You have requested a $type room for $nights nights, checking in on $checkin. Thank you for your order! ";
?>
调用示例:
以上命令行脚本中,首先,检查$argc,以确保自变量的数量符合要求。
然后会从$argv里提取出每一个自变量,把它们打印输出到标准的输出设备上。