我们说我已经声明了这样的命名空间:
<?php
// File kitchen.php
namespace Kitchen;
?>
为什么我仍然必须将该文件包含在我想使用kitchen.php的所有其他文件中 PHP不知道kitchen.php位于Kitchen命名空间吗?
感谢您的回答。
答案 0 :(得分:12)
命名空间使您可以非常轻松地为项目中的任何类创建自动加载器,因为您可以直接在调用中包含类的路径。
伪代码名称空间示例。
<?php
// Simple auto loader translate \rooms\classname() to ./rooms/classname.php
spl_autoload_register(function($class) {
$class = str_replace('\\', '/', $class);
require_once('./' . $class . '.php');
});
// An example class that will load a new room class
class rooms {
function report()
{
echo '<pre>' . print_r($this, true) . '</pre>';
}
function add_room($type)
{
$class = "\\rooms\\" . $type;
$this->{$type} = new $class();
}
}
$rooms = new rooms();
//Add some rooms/classes
$rooms->add_room('bedroom');
$rooms->add_room('bathroom');
$rooms->add_room('kitchen');
然后在./rooms/文件夹中有3个文件:
bedroom.php
bathroom.php
kitchen.php
<?php
namespace rooms;
class kitchen {
function __construct()
{
$this->type = 'Kitchen';
}
//Do something
}
?>
然后报告类加载了哪些类
<?php
$rooms->report();
/*
rooms Object
(
[bedroom] => rooms\bedroom Object
(
[type] => Bedroom
)
[bathroom] => rooms\bathroom Object
(
[type] => Bathroom
)
[kitchen] => rooms\kitchen Object
(
[type] => Kitchen
)
)
*/
?>
希望有所帮助