如何在不牺牲依赖注入的情况下简化API?

时间:2015-08-03 04:31:15

标签: php oop dependency-injection

我们说我有一个Rectangle类。要使用它,我会这样做:

$rectangle = new Rectangle( 100, 50, new Color('#ff0000') );

然而,由于这将是一个公共API,我希望尽可能地为最终用户简化它。最好只接受十六进制字符串:

$rectangle = new Rectangle( 100, 50, '#ff0000');

现在的问题是我需要在Rectangle类

中实例化Color对象
class Rectangle {

    protected $width;
    protected $height;
    protected $fillColor;

    function __construct( $width, $height, $fillColor ){
        $this->width = $width;
        $this->height = $height;
        $this->fillColor = new Color( $fillColor );
    }
}

学习依赖注入后,这被认为是不好的。或者是吗?什么是最好的方法?

1 个答案:

答案 0 :(得分:1)

我会使用一个工厂类,它接受一个数组(可能)的参数并返回就绪的实例化Rectangle对象。根据您的设计和API规范,有多种可能性如何做到这一点。

class MyAPIFactory
{
    public function createRectangle($params)
    {
        // do some checks of the params
        $color = new Color($params['color']);
        Rectangle = new Rectangle($params['width'], $params['height'], $color);
        return $color;
    }
}

根据您的需求和设计,您可以选择Factory MethodAbstract Factory。假设您有interface GeometricalShapeclass Rectangle implements GeometricalShape以及class Circle implements GeometricalShape,您可以使用

之类的第一个
class MyApiFactory
{
    public static function createRectangle(array $params) { /*...*/ }
    public static function createCircle(array $params) { /*...*/ }
}

abstract class ShapeFactory
{
    /**
     * @return GeometricalShape
     */
    abstract public function createInstance(array $params);
    abstract protected function checkParams(array &$params);
}

class RectangleFactory extends ShapeFactory
{
    public function createInstance(array $params)
    {
        // ...    
    } 

    protected function checkParams(array &$params)
    {
        if(empty($params['width'])) {
            throw new Exception('Missing width');
        } 
        if (empty($params['height'])) {
            throw new Exception('Missing height');
        }
        // you could even make color optional
        if (empty($params['color'])) {
            $params['color'] = Color::DEFAULT_COLOR;
        }

    }
}