php spl_autoload_register() 不加载 class

php spl_autoload_register() doesn't load a class

我有一个 index.php 需要 Test1 class 槽 spl_autoload_register()。在 Test1 class 中,Test2 class 需要相同的自动加载,但发生此错误:

Fatal error: DOMDocument::registerNodeClass(): Class Test2 does not exist in...

我试着看看自动加载是否可以写入 $test2 = new Test2(); 并且它运行良好。因此,通过其他测试,我意识到 registerNodeClass() 自动加载不包括 Test2 class 文件。

有没有人可以帮助我?

Test1.php

<?php

namespace Test;

use Test\Test2;

class Test1
{
    function __construct($html)
    {
        $this->dom = new \DOMDocument();
        @$this->dom->loadHTML($html);
        $this->dom->registerNodeClass('DOMElement', 'Test2');
    }
}

?>

Test2.php

<?php

namespace Test;

class Test2 extends \DOMElement
{

//bla, bla, bla...

}

?>

index.php

<?php

require_once('./autoload.php');

use Test\Test1;

$html = 'something';

$test = new Test1($html);

?>

autoload.php(与 Facebook 用于 php-sdk 的相同)

<?php
/**
 * An example of a project-specific implementation.
 * 
 * After registering this autoload function with SPL, the following line
 * would cause the function to attempt to load the \Foo\Bar\Baz\Qux class
 * from /path/to/project/src/Baz/Qux.php:
 * 
 *      new \Foo\Bar\Baz\Qux;
 *      
 * @param string $class The fully-qualified class name.
 * @return void
 */
spl_autoload_register(function ($class) {

    // project-specific namespace prefix
    $prefix = 'Test\';

    // base directory for the namespace prefix
    $base_dir = __DIR__ . '/src/';

    // does the class use the namespace prefix?
    $len = strlen($prefix);
    if (strncmp($prefix, $class, $len) !== 0) {
        // no, move to the next registered autoloader
        return;
    }

    // get the relative class name
    $relative_class = substr($class, $len);

    // replace the namespace prefix with the base directory, replace namespace
    // separators with directory separators in the relative class name, append
    // with .php
    $file = $base_dir . str_replace('\', '/', $relative_class) . '.php';

    // if the file exists, require it
    if (file_exists($file)) {
        require $file;
    }
});
?>

class Test2 在命名空间 Test 内,因此要执行 new Test2(),您必须在命名空间 Test 内,或者您可以指定用于实例化 class.

的完全限定名称(即 new Test\Test2()

当您调用 $this->dom->registerNodeClass('DOMElement', 'Test2'); 时,DOMDocument 做了一些影响:

$extendedClass = 'Test2';
$obj = new $extendedClass();

它找不到 Test2,因为该代码不是从 Test 命名空间调用的。 因此,您需要传递完全限定的 class 名称(带命名空间)。

使用:$this->dom->registerNodeClass('DOMElement', 'Test\Test2');