标签 php框架 下的文章

自动加载简单考虑的话,需要一个数组存放自动加载目录。
并使用系统函数spl_autoload_register注册自定义的自动加载函数。
自动加载要符合psr规范

<?php

/**
* 自动加载类 
*/
class Loader
{
    // 自动加载搜索目录
    private static $loadPaths = [];

    // 添加自动加载路径
    public static function addAutoLoadPath($path)
    {
        self::$loadPaths[] = $path;
    }

    // 注册自动加载函数
    public static function register()
    {
        spl_autoload_register('self::autoload');
    }

    // 自动加载函数
    public static function autoload($className)
    {
        $className = str_replace(['\\', '_'], DIRECTORY_SEPARATOR, $className);
        foreach (self::$loadPaths as $loadPath) {
            $loadPath = rtrim($loadPath, DIRECTORY_SEPARATOR);
            $path = $loadPath . DIRECTORY_SEPARATOR . $className . '.php';
            if (self::import($path)) {
                break;
            }
        }
    }

    // 包含一个已存在的文件
    public static function import($path)
    {
        return file_exists($path) ? include_once($path) : false;
    }

}

有这个类之后,配合前文中的入口文件,就可以继续了。
接下来我们需要一个路由。

不知道我的步骤对不对 反正就记在这了。

先简单介绍下我的目录规划,以后会有所变动,现在一切从简。

/
---app
    ---Controller
        Home.php
    ---Config
        ---local
            db.php
            ...
    ---Model
    ...
---system
    Loader.php
    Uri.php
    Route.php
    Config.php
---runtime
    ...
index.php

第一步:入口文件;
一件很重要的事情,原因看注释。

<?php
// 修正cli模式下运行目录不同部分系统函数取值不同的问题 比如: getcwd
defined('STDIN') AND chdir(__DIR__);

定义一些必要的常量

<?php
define('APP_FOLDER', 'app');
define('SYSTEM_FOLDER', 'system');

define('ROOT_PATH', __DIR__ . DIRECTORY_SEPARATOR);
define('APP_PATH', ROOT_PATH . APP_FOLDER . DIRECTORY_SEPARATOR);
define('SYSTEM_PATH', ROOT_PATH . SYSTEM_FOLDER . DIRECTORY_SEPARATOR);

然后要手动导入自动加载类,并且添加自动加载路径,注册自动加载函数。
这样之后的类就可以自动加载了。

include SYSTEM_PATH . 'Loader.php';

Loader::addAutoLoadPath(SYSTEM_PATH);
Loader::addAutoLoadPath(APP_PATH);
Loader::register();

下一篇是Loader类的具体实现。