PHP通过反射实现自动注入参数

现在的框架中都有一个容器, 而容器解决依赖的问题是通过反射来达到的,

首先先说明一下项目文件结构:

/ ROOT_PATH

├─src
│ ├─Controllers
│ │  └─IndexController.php
| ├─Application.php (核心,获得实例)
│ ├─Http.php
│ └─Request.php
│
├─vendor
│ └─autoload.php
│
├─composer.json
└─index.php

而我们要运行IndexController.php,而这个控制器的构造函数需要一个Request类,而Request类构造函数需要一个Http类。


  • IndexController.php

className;
    }

}
  • Application.php

isInstantiable())
            {
                throw new Exception($class . ' 类不可实例化');
            }

            // 查看是否用构造函数
            $rel_method = $rel_class->getConstructor();

            // 没有构造函数的话,就可以直接 new 本类型了
            if (is_null($rel_method))
            {
                return new $class();
            }

            // 有构造函数的话就获取构造函数的参数
            $dependencies = $rel_method->getParameters();

            // 处理,把传入的索引数组变成关联数组, 键为函数参数的名字
            foreach ($parameters as $key => $value)
            {
                if (is_numeric($key))
                {
                    // 删除索引数组, 只留下关联数组
                    unset($parameters[$key]);

                    // 用参数的名字做为键
                    $parameters[$dependencies[$key]->name] = $value;
                }
            }

            // 处理依赖关系
            $actual_parameters = [];

            foreach ($dependencies as $dependenci)
            {
                // 获取对象名字,如果不是对象返回 null
                $class_name = $dependenci->getClass();
                // 获取变量的名字
                $var_name = $dependenci->getName();

                // 如果是对象, 则递归new
                if (array_key_exists($var_name, $parameters))
                {
                    $actual_parameters[] = $parameters[$var_name];
                }
                elseif (is_null($class_name))
                {
                    // null 则不是对象,看有没有默认值, 如果没有就要抛出异常
                    if (! $dependenci->isDefaultValueAvailable())
                    {
                        throw new Exception($var_name . ' 参数没有默认值');
                    }

                    $actual_parameters[] = $dependenci->getDefaultValue();
                }
                else
                {
                    $actual_parameters[] = self::make($class_name->getName());
                }

            }


            // 获得构造函数的数组之后就可以实例化了
            return $rel_class->newInstanceArgs($actual_parameters);
        }

    }
  • Http.php

className = __CLASS__;
    }
}
  • Request.php

className = __CLASS__;

        $this->className = $this->className . '  ->  ' . $http->className;
    }
}
  • index.php


输出:

我是 Waitmoonman\Reflex\Controllers\IndexController 我依赖Waitmoonman\Reflex\Request -> Waitmoonman\Reflex\Http
F:\phpStudy\WWW\reflex\index.php:12:
object(Waitmoonman\Reflex\Controllers\IndexController)[9]

这就是一个完整的反射类动态注入参数的实例。
以上代码可以查看我的git仓库

你可能感兴趣的:(依赖注入,反射,php)