未定义的变量错误,尽管变量已存在于已包含的文件中

时间:2019-04-03 10:30:23

标签: php scope include require

我有一个名为constants.php的PHP脚本。

constants.php:-

<?php
$projectRoot = "path/to/project/folder";
...
?>

然后我还有一个名为lib.php的文件

lib.php:-

<?php
class Utils {
  function doSomething() {
    ...
    // Here we do some processing where we need the $projectRoot variable.
    $a = $projectRoot; //////HERE, I GET THE ERROR MENTIONED BELOW.
    ...
  }
}
?>

然后我还有一个名为index.php的文件,其中包括上述两个文件。

index.php:-

<?php
...
require_once "constants.php";

...

require_once "lib.php";
(new Utils())->doSomething();
...
?>

现在,问题是当我运行index.php时,出现以下错误:

注意:未定义的变量:第19行的/var/www/html/test/lib.php中的projectRootPath

我的问题是,为什么会出现此错误,我该如何解决?

显然,它与作用域有关,但是我已经阅读了includerequire的简单副本,并将包含的代码粘贴到包含该代码的脚本中。所以我很困惑。

1 个答案:

答案 0 :(得分:1)

因为,您正在访问函数作用域中的变量。

函数外部的变量无法在函数内部访问。

您需要将它们作为参数传递,或者需要添加关键字global来访问它。

function doSomething() {
 global $projectRoot;
    ...
    // Here we do some processing where we need the $projectRoot variable.
    $a = $projectRoot; 

根据@RiggsFolly

作为参数传递

require_once "lib.php";
(new Utils())->doSomething($projectRoot);

...

<?php
class Utils {
  function doSomething($projectRoot) {
    ...
    // Here we do some processing where we need the $projectRoot variable.
    $a = $projectRoot; //////HERE, I GET THE ERROR MENTIONED BELOW.
    ...
  }
}
?>