每一个facade 对应一个服务提供者类。如何从facade 解析出该类呢?
以
Illuminate\Support\Facades\Route为例。该类内容如下,只有一个方法
class Route extends Facade { /** * Get the registered name of the component. * * @return string */ protected static function getFacadeAccessor() { return 'router'; } }查看基类facade中有一个魔术方法,通过调用魔术方法来解析真正调用的类。如下
public static function __callStatic($method, $args) { $instance = static::getFacadeRoot(); if (! $instance) { throw new RuntimeException('A facade root has not been set.'); } return $instance->$method(...$args); }于是查看getFacadeRoot 函数
public static function getFacadeRoot() { return static::resolveFacadeInstance(static::getFacadeAccessor()); }其中
static::getFacadeAccessor()这个地方比较迷惑了。因为基类中也有了getFacadeAccessor函数,到底是调用子类的方法,还是该类自己的方法。于是引出另一个问题static 与self 的区别
经探究发现static 调用的是子类中的方法(如果子类中含有与父类中相同的方法),self 调用的是本类中的方法。于是代码变成
return static::resolveFacadeInstance('然后查看这个函数resolveFacadeInstance,发现第一次调用类是从绑定的类中获取,第二次从解析过的静态变量中获取。router');
protected static function resolveFacadeInstance($name) { if (is_object($name)) { return $name; } if (isset(static::$resolvedInstance[$name])) { return static::$resolvedInstance[$name]; } return static::$resolvedInstance[$name] = static::$app[$name]; }所以调用facade接口中的方法,其实是调用绑定类的方法。