自动加载文件加载流程:
1)public/index.php中定义需要包含的autoload.php
2)autoload.php定义了框架的开始时间,精确到微秒,然后有require了vendor/autoload.php;
3)vendor/autoload.php:
看注释也知道了这个才是加载的真正的自动加载需要的类文件,并且是由composer提供的,命名也很规范.autoload_real.php;至于那个看着像乱码一样的类名,应该是为了防止类名重复吧,(我猜的);最后返回一个Composer\Autoload\ClassLoader()的实例化对象,里面包含了自动加载需要用到的相关的数据,比如说命名空间对应的目录名等(这些对应关系全部定义在autoload_static.php中,只要符合psr4的)
4)让我们来看下整个composer提供的自动加载的文件目录:
然后我们找到autoload_real.php看看里面的getLoad静态方法:
注入的自动加载函数如下,这个函数只适用于new \Composer\Autoload\ClassLoader();所以在实例化这类后,就注销了
然后利用函数call_user_func()函数运行autoload_static.php文件中的getInitializer()函数;
利用getInitializer方法中的匿名函数,把当前文件中的命名空间和目录名相对于的关系注入到$Loader类的相关属性中;
然后运行$loader->register(true)[\Composer\Autoload\ClassLoader()中的register(true)方法;]
这个函数很简单,就是把ClassLoader类中的loadClass函数注入到自动加载函数队列中,如果无法注入,则抛出异常,默认添加到队列尾部,当前参数为true,所以把loadClass添加到首部;所以说loadClass这个方法才是框架中自动加载的核心代码,
findFileWithExtension方法如下:
private function findFileWithExtension($class, $ext)
{
// PSR-4 lookup,
$logicalPathPsr4 = strtr($class, '\\', DIRECTORY_SEPARATOR) . $ext; //字符串的替换把$class中的\\替换成目录分隔符,这是为了linux和windows之间的相互转换
$first = $class[0]; //获取类名的第一个字母
if (isset($this->prefixLengthsPsr4[$first])) {
$subPath = $class;
while (false !== $lastPos = strrpos($subPath, '\\')) { //查找类名最后一次出现\\的位置
$subPath = substr($subPath, 0, $lastPos); //截取类名\\前的字符
$search = $subPath.'\\';
if (isset($this->prefixDirsPsr4[$search])) {
$pathEnd = DIRECTORY_SEPARATOR . substr($logicalPathPsr4, $lastPos + 1); //获取类名最有出现目录分隔符后面的字符串加上目录分隔符
foreach ($this->prefixDirsPsr4[$search] as $dir) {
if (file_exists($file = $dir . $pathEnd)) {
return $file;
}
}
}
}
}
// PSR-4 fallback dirs
foreach ($this->fallbackDirsPsr4 as $dir) {
if (file_exists($file = $dir . DIRECTORY_SEPARATOR . $logicalPathPsr4)) {
return $file;
}
}
// PSR-0 lookup
if (false !== $pos = strrpos($class, '\\')) {
// namespaced class name
$logicalPathPsr0 = substr($logicalPathPsr4, 0, $pos + 1)
. strtr(substr($logicalPathPsr4, $pos + 1), '_', DIRECTORY_SEPARATOR);
} else {
// PEAR-like class name
$logicalPathPsr0 = strtr($class, '_', DIRECTORY_SEPARATOR) . $ext;
}
if (isset($this->prefixesPsr0[$first])) {
foreach ($this->prefixesPsr0[$first] as $prefix => $dirs) {
if (0 === strpos($class, $prefix)) {
foreach ($dirs as $dir) {
if (file_exists($file = $dir . DIRECTORY_SEPARATOR . $logicalPathPsr0)) {
return $file;
}
}
}
}
}
// PSR-0 fallback dirs
foreach ($this->fallbackDirsPsr0 as $dir) {
if (file_exists($file = $dir . DIRECTORY_SEPARATOR . $logicalPathPsr0)) {
return $file;
}
}
// PSR-0 include paths.
if ($this->useIncludePath && $file = stream_resolve_include_path($logicalPathPsr0)) {
return $file;
}
return false;
}
}
如果new'App\Http\Controllers\HelloController' ; 则传入的参数$class=App\Http\Controllers\HelloController
1))classMap['App\Http\Controllers\HelloControlle'],如果存在则直接返回对应的目录,当前返回了
其实在prefixDirsPsr4[]数组中定义的是跟命名空间对应的目录:例如app\对应的就是app目录下的目录名,然后后面的目录根据命名空间映射,
最后composerRequire9a3e8408bd1c9541184e1697aff8d92e方法去加载系统文件,文件定义在autoload_static.php的静态数组files中
到此,laravel的自动加载核心源码已经分析完毕