Zend Data Mapper设计

时间:2012-10-10 16:31:03

标签: php zend-framework design-patterns datamapper

我正在使用Zend Framework并遵循将数据层与域层分离的设计模式 在为Data mapper实现方法时会出现问题 所以我实施了save()插入&根据域模型是否包含id属性进行更新,并根据id参数返回记录域对象的find() 但是,如果我需要

  1. 搜索表格中的所有/部分行并返回所有列
  2. 搜索相同的行并返回mysql COUNT值
  3. 我应该直接使用继承Zend_Db_Table_Abstract的类来满足这些需求 我应该为每个需要实施方法吗?

    我对如何划分数据映射器的功能感到困惑,这些功能将满足我的需求和我未来的需求

2 个答案:

答案 0 :(得分:2)

您可以添加单个查找器方法,例如

class PersonMapper
{
    … // other code

    public function findByLastName()
    {
        // … fetch rowset and map them
    }

    public function countByLastName() 
    {
    …

但是,当您需要查询多个列或希望按任意条件处理CRUD时,这将很快失控。你不想要像

这样的方法
 public function findByLastNameAndBirthdayAndMaritalStatus()

简单的解决方案是使用Zend_Db_Table_Select创建查询,然后将这些查询传递给数据映射器以执行和映射它们,例如在您的DataMapper中

public function getSelect()
{
    return $this->personTable->select();
}

public function findBy(Zend_Db_Table_Select $select)
{
    $people = $this->personTable->fetchAll($select);
    // map people to People objects
}

你可以使用Mapper返回并接受PersonQueryBuilder来进一步抽象,这样就隐藏了SQL语义,让你指定你的域对象。虽然这是更多的努力。

另请参阅存储库和规范模式。

答案 1 :(得分:0)

尽管戈登很可能有正确的答案,但我觉得我的品味和需求目前过于复杂。

我为所有域映射器使用了一个基本映射器类,我尽可能多地将功能放入基类中。

我使用了一个find by column方法,它在我的所有映射器中运行得相当不错:

//from abstract class Model_Mapper_Abstract

//The constructor of my base class accepts either a dbtable model
// or the name of a table stored in the concrete mapper tablename property. 
 public function __construct(Zend_Db_Table_Abstract $tableGateway = null)
    {   
        if (is_null($tableGateway)) {   
            $this->tableGateway = new Zend_Db_Table($this->tableName);
        } else {    
            $this->tableGateway = $tableGateway;
        }
    }
/**
 * findByColumn() returns an array of entity objects
 * filtered by column name and column value.
 * Optional orderBy value.
 *
 * @param string $column
 * @param string $value
 * @param string $order optional
 * @return array of entity objects
 */
public function findByColumn($column, $value, $order = null)
    {
        //create select object
        $select = $this->getGateway()->select();
        $select->where("$column = ?", $value);
        //handle order option
        if (!is_null($order)) {
            $select->order($order);
        }
        //get result set from DB
        $result = $this->getGateway()->fetchAll($select);
        //turn DB result into domain objects (entity objects)
        $entities = array();
        foreach ($result as $row) {
            //create entity, handled by concrete mapper classes
            $entity = $this->createEntity($row);
            //assign this entity to identity map for reuse if needed
            $this->setMap($row->id, $entity);
            $entities[] = $entity;
        }
        //return an array of entity objects
        return $entities;
    }

我希望你发现这至少可以作为一个创意发生器。此外,如果您希望在类似于此方法中实现SQL Count()语句,则在构建select()时使用Zend_Db_Expr()会更容易。