我正在实施自动加载器类,但它无法正常工作。以下是自动加载器类(受this page on php.net启发):
class System
{
public static $loader;
public static function init()
{
if (self::$loader == NULL)
{
self::$loader = new self();
}
return self::$loader;
}
public function __construct()
{
spl_autoload_register(array($this, "autoload"));
}
public function autoload($_class)
{
set_include_path(__DIR__ . "/");
spl_autoload_extensions(".class.php");
spl_autoload($_class);
print get_include_path() . "<br>\n";
print spl_autoload_extensions() . "<br>\n";
print $_class . "<br>\n";
}
}
调用自动加载器的代码在这里:
<?php
error_reporting(-1);
ini_set('display_errors', 'On');
require_once __DIR__ . "/system/System.class.php";
System::init();
$var = new MyClass(); // line 9
print_r($var);
?>
错误消息:
/home/scott/www/system/
.class.php
MyClass
Fatal error: Class 'MyClass' not found in /home/scott/www/index.php on line 9
正在点击自动加载功能,文件MyClass.class.php存在于包含路径中,我可以通过将代码更改为此来验证:
<?php
error_reporting(-1);
ini_set('display_errors', 'On');
require_once __DIR__ . "/system/System.class.php";
require_once __DIR__ . "/system/MyClass.class.php";
System::init();
$var = new MyClass();
print_r($var);
?>
print_r($var);
返回对象,没有错误。
有任何建议或指示吗?
答案 0 :(得分:0)
如doc page for spl_autoload所述,在查找类文件之前,类名称较低。
所以,解决方案1是小写我的文件,这对我来说这不是一个可接受的答案。我有一个名为MyClass的类,我想将它放在一个名为MyClass.class.php的文件中,而不是在myclass.class.php中。
解决方案2根本不使用spl_autoload:
<?php
class System
{
public static $loader;
public static function init()
{
if (self::$loader == NULL)
{
self::$loader = new self();
}
return self::$loader;
}
public function __construct()
{
spl_autoload_register(array($this, "autoload"));
}
public function autoload($_class)
{
require_once __DIR__ . "/" . $_class . ".class.php";
}
}
?>