先说结论,容器在php中是一组健值对,php容器类通过数组来控制对象的生成,资源的获取,销毁和处理对象和对象的依赖关系。
我是傲娇的代码块:
1 |
|
使用方式
1 |
|
分析
通过上面的代码实例,我们可以看到php注入容器(数组)的三种方式
- 匿名函数方式注册
- 类名方式注册
- 直接传入实例化的对象的注册
然后get方法1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34//获取服务
public function get($name,$params=[]){
//先从实例化的列表中查找
if(isset($this->_instances[$name])){
return $this->_instances[$name];
}
//检测有没有注册该服务
if(!isset($this->_binContainerngs[$name])){
return null;
}
$concrete = $this->_binContainerngs[$name]['class'];//对象具体注册内容
$obj = null;
if($concrete instanceof \Closure){ //匿名函数方式
$obj = call_user_func_array($concrete,$params);
}elseif(is_string($concrete)){ //字符串方式
if(empty($params)){
$obj = new $concrete;
}else{
//带参数的类实例化,使用反射
$class = new \reflectionClass($concrete);
$obj = $class->newInstanceArgs($params);
}
}
//如果是共享服务,则写入_instances列表,下次直接取回
if($this->_binContainerngs[$name]['shared']==true && $ojb){
$this->_instances[$name]=$obj;
}
return $obj;
}
实际上通过分析get方法对这三种注入方式的数组都做了对应的处理
匿名方式
1 | $Container->setShared('a1',function($name=""){ |
1 | if($concrete instanceof \Closure){ //匿名函数方式 |
首先通过$concrete instanceof \Closure来判断是否是匿名函数,然后通过call_user_func_array($concrete,$params)来调用这个函数,匿名方式注册的本身就是一个已经new的方法,自然get的时候就成功调用了这个已经实例化的方法。换句话说,匿名方式写的时候写的就是实例化的方法,容器的数组里面就存在了这个已经new的方法,只要判断是回调函数,就调用到了这个已经实例化的方法。
类名方式注册
1 | $Container->set('a2','A'); |
1 |
|
直接以类名注册的方式比较简单,只要判断是字符串并且参数为空那么对应的get方法就会直接实例化(new)这个方法名,就比如上面的例子,直接就会实例化A这个方法名
带参数的类实例化,使用反射(接口方式)
1 | $Container->set('a3',new A("小唐")); |
1 | //带参数的类实例化,使用反射 |
reflectionClass: ReflectionClass 类报告了一个类的有关信息。
newInstanceArgs: ReflectionClass::newInstanceArgs — 从给出的参数创建一个新的类实例。