提问人:sam67 提问时间:4/2/2021 最后编辑:sam67 更新时间:4/19/2021 访问量:1817
PHP 自动加载类不适用于命名空间
PHP Autoload Classes Is Not Working With Namespaces
问:
我试图编写以下代码,但无法弄清楚为什么它不会在 spl_autoload_register() 中找到带有命名空间的类?
我得到的错误是:
警告:require_once(src/test\StringHelper.php):无法打开 stream:没有这样的文件或目录
自动加载器 .php 文件:
<?php
spl_autoload_register(function($classname){
require_once "src/$classname.php"; // NOT WORKING DYNAMICALLY
// require_once "src/StringHelper.php"; // WORKING WHEN HARD CODED
});
$stringHelper1 = new test\StringHelper(); // Class with namespace defined
echo $stringHelper1->hello() . PHP_EOL; // returns text
src 文件夹中的 StringHelper:.php:
<?php namespace test;
class StringHelper{
function hello(){
echo "hello from string helper";
}
}
如果这有所作为,我也在使用 XAMPP。
答:
3赞
nosurs
4/2/2021
#1
正如评论中已经指出的那样,您需要剥离除类名之外的所有内容,如下所示:
$classname = substr($classname, strrpos($classname, "\\") + 1);
在自动加载函数的上下文中:
spl_autoload_register(function($classname){
$classname = substr($classname, strrpos($classname, "\\") + 1);
require_once "src/{$classname}.php";
});
让我们更进一步,利用自动加载函数始终接收限定的命名空间,而不是相对命名空间:
<?php
namespace Acme;
$foo = new \Acme\Foo(); // Fully qualified namespace
$foo = new Acme\Foo(); // Qualified namespace
$foo = new Foo(); // Relative namespace
在这三个实例中,我们的自动加载函数总是作为参数给出。考虑到这一点,实现将命名空间和任何子命名空间映射到文件系统路径的自动加载器策略是相当容易的 - 特别是当我们在文件系统层次结构中包含顶级命名空间(在本例中)时。Acme\Foo
Acme
例如,在我们的某个项目中给定这两个类......
<?php
namespace Acme;
class Foo {}
福,.php
<?php
namespace Acme\Bar;
class Bar {}
酒吧 .php
...在此文件系统布局中...
my-project
`-- library
`-- Acme
|-- Bar
| `-- Bar.php
`-- Foo.php
...我们可以在命名空间类和它的物理位置之间实现一个简单的映射,如下所示:
<?php
namespace Acme;
const LIBRARY_DIR = __DIR__.'/lib'; // Where our classes reside
/**
* Autoload classes within the current namespace
*/
spl_autoload_register(function($qualified_class_name) {
$filepath = str_replace(
'\\', // Replace all namespace separators...
'/', // ...with their file system equivalents
LIBRARY_DIR."/{$qualified_class_name}.php"
);
if (is_file($filepath)) {
require_once $filepath;
}
});
new Foo();
new Bar\Bar();
另请注意,您可以注册多个自动加载函数,例如,处理不同物理位置中的不同顶级命名空间。但是,在实际项目中,您可能希望熟悉 Composer 的自动加载机制:
- https://getcomposer.org/doc/01-basic-usage.md#autoloading
- https://getcomposer.org/doc/04-schema.md#autoload
- https://getcomposer.org/doc/articles/autoloader-optimization.md
在某些时候,您可能还想看看 PHP 的自动加载规范:
评论
$classname