7

假设我已经声明了一个这样的命名空间:

<?php
// File kitchen.php
namespace Kitchen;
?>

为什么我仍然必须将该文件包含在我想使用 kitchen.php 的所有其他文件中
PHP 不知道 kitchen.php 位于 Kitchen 命名空间中吗?

感谢您的回答。

4

1 回答 1

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
}
?>

然后报告 classes 加载了哪些类

<?php
$rooms->report();
/*
rooms Object
(
    [bedroom] => rooms\bedroom Object
        (
            [type] => Bedroom
        )

    [bathroom] => rooms\bathroom Object
        (
            [type] => Bathroom
        )

    [kitchen] => rooms\kitchen Object
        (
            [type] => Kitchen
        )

)
*/
?>

希望能帮助到你

于 2012-09-27T23:04:52.550 回答