如何通过网页将参数传递到 PHP 脚本中?

我调用一个 PHP 脚本每当一个网页加载。但是,PHP 脚本需要运行一个参数(在测试脚本时,我通常通过命令行传递该参数)。

当页面加载时,如何在每次运行脚本时传递这个参数?

237282 次浏览

假设您在命令行中传递的参数如下:

php /path/to/wwwpublic/path/to/script.php arg1 arg2

然后在剧本中读取它们:

<?php
// $argv[0] is '/path/to/wwwpublic/path/to/script.php'
$argument1 = $argv[1];
$argument2 = $argv[2];
?>

当通过 HTTP 传递参数(通过 web 访问脚本)时,你需要做的是使用查询字符串并通过 $_ GET superglobal 访问它们:

转到 http://yourdomain.example/path/to/script.php?argument1=arg1&argument2=arg2

和访问权限:

<?php
$argument1 = $_GET['argument1'];
$argument2 = $_GET['argument2'];
?>

如果你想让脚本运行,不管你从哪里调用它(命令行或从浏览器) ,你会想要像下面这样的东西:

正如 Cthulhu 在评论中指出的那样,测试正在执行的环境的最直接方法是使用 PHP _ SAPI常量。我相应地更新了代码:

<?php
if (PHP_SAPI === 'cli') {
$argument1 = $argv[1];
$argument2 = $argv[2];
}
else {
$argument1 = $_GET['argument1'];
$argument2 = $_GET['argument2'];
}
?>
$argv[0]; // the script name
$argv[1]; // the first parameter
$argv[2]; // the second parameter

如果你想要所有的脚本运行,不管你从哪里调用它(命令行或从浏览器) ,你会想要像下面这样的东西:

<?php
if ($_GET) {
$argument1 = $_GET['argument1'];
$argument2 = $_GET['argument2'];
} else {
$argument1 = $argv[1];
$argument2 = $argv[2];
}
?>

从命令行 chmod 755 /var/www/webroot/index.php调用并使用

/usr/bin/php /var/www/webroot/index.php arg1 arg2

若要从浏览器调用,请使用

http://www.mydomain.example/index.php?argument1=arg1&argument2=arg2