我有DataMapperFactory
,我认为我正确地做到这一点,有一个但我有一个DomainObjectFactory
也是有意义的,但它似乎毫无意义。就是这样:
namespace libs\factories;
use models as Models;
class DomainObjectFactory {
public function build($name) {
$className = 'Models\\' . $name;
return new className();
}
}
我能看到的唯一优势是我保持new
运算符不会出现在我的代码中。
DomainObjectFactory
还有比此更多的东西吗?
任何帮助都会非常感谢。
答案 0 :(得分:6)
使用工厂有很多主要原因:
在单元测试方面,这是架构中最有用的结构之一。让工厂负责创建实例会使测试时更容易引入模拟。
此外,作为额外的好处,您不再与您使用的类的名称紧密耦合。
在这里,您必须考虑两个方面。首先 - 基于某些条件实例化不同对象的能力 - 在helmbert's answer (+ 1为他) 中已经很好地描述了。
另一种情况是在实例化域对象时,这更复杂。 像这样:
$employees = new EmployeeCollection;
$address = new Location;
$class = $type . `Company`;
$company = new $class( $employee, $address );
在创建HoldingCompany
的实例之前,还有很多工作要做。但这整个过程可以在工厂完成。特别是如果您的域对象工厂充分利用正确实现的DIC(这是非常罕见的,顺便说一句)。
你应该从不在构造函数中进行任何计算。这使得无法测试该代码。构造函数应该只包含简单的变量赋值。
但是这引入了一个问题:有时你需要做几个逻辑操作,然后才能让其他代码结构来处理你的实例化对象。作为初学者,我们通常在构造函数中执行此操作。但现在放在哪里?
这是工厂拯救的地方。
public function create( $name )
{
$instance = new $name;
if ( is_callable($instance, false, 'prepare') )
{
$instance->prepare();
}
return $instance;
}
现在,当您使用$factory->create('foobar')
时,您的对象已完全准备好使用。
答案 1 :(得分:5)
通常,您可以将工厂用于特定实现中的抽象。如果使用new <classname>
运算符,则每次都实例化一个特定的类。如果您希望稍后将此类与其他实现交换,则必须手动更改每个new
语句。
工厂模式允许您从特定类中抽象。有效的最小用例可能是这样的:
interface UserInterface {
public function getName();
}
class UserImplementationA implements UserInterface {
private $name;
public function getName() { return $this->name; }
}
class UserImplementationB implements UserInterface {
public function getName() { return "Fritz"; }
}
class UserFactory {
public function createUser() {
if (/* some condition */) return new UserImplementationA();
else return new UserImplementationB();
}
}
$f = new UserFactory();
$u = $f->createUser(); // At this point, you don't really have to care
// whether $u is an UserImplementationA or
// UserImplementationB, you can just treat it as
// an instance of UserInterface.
当一个用例(很多)变得非常有用时,就是在使用单元测试时。在测试驱动开发中,您经常用模拟对象(实现某个接口的对象,但实际上没有做任何事情)替换类的依赖关系。使用工厂模式,使用模拟类透明地替换特定类很容易。
答案 2 :(得分:1)
public function build($name) {
$className = 'Models\\' . $name;
return new $className();
}
这对你有用。
当您想要为对象设置一些默认属性时,定义对象工厂是一种很好的做法,而且,您不必担心某些类存在于哪个命名空间或目录中。
示例:
public function createButton($name){
require("home/lib/display/Button.php") ;
$button = new Button($name, "some default param") ;
$button->visible = true ;
return $button ;
}
除了保持单词new
之外,您只需通过这些工厂快速制作默认对象。