我有一个User.php模型,DbTable / User.php模型和UserMapper.php文件,如Zend文档中所述。
映射器有一个fetchAll(),find($ id),getDbTable(),save()和setDbTable()
如果我想添加以下功能:
要遵循Zend的最佳实践,应该在哪里添加3个功能?它们应该添加到UserMapper.php还是User.php?或者它们属于控制器(UserController)?
对于findByUsername,如何编写一个能够在我的User表中搜索用户名的函数?在我看来,用户名是电子邮件地址和唯一的(在MySQL中定义)。
答案 0 :(得分:3)
您可以在mapper中轻松创建函数recordExists(),并将表和列作为参数传递:
//you can either pass in the table name or have it be a property
public function recordExists($table = null, $column) {
//The table syntax may change depending on the scope
$table = $this->_tableName;
$exists = new Zend_Validate_Db_RecordExists(array(
'table' => $table,
'field' => $column
)):
return $exists;
}
对于findBy()方法我喜欢将3个变量传递给该方法,然后使用fetchAll()返回一个对象数组。这样,如果列返回一行或五十行,我以相同的方式处理输出。
/**
* findByColumn() returns an array of rows selected
* by column name and column value.
* Optional orderBy value, pass $order as string ie 'id ASC'.
*
* @param string $column
* @param string $value
* @param string $order
* @return array returns an array of objects
*/
public function findByColumn($column, $value, $order = NULL) {
$select = $this->_getGateway()->select();
$select->where("$column = ?", $value);
if (!is_null($order)) {
$select->order($order);
}
$result = $this->_getGateway()->fetchAll($select);
$entities = array();
foreach ($result as $row) {
//create objects
$entity = $this->createEntity($row);
$entities[] = $entity;
}
return $entities;
}
至于你的上一个问题,你可以简单地通过获取行然后只保存开关激活一条记录,我假设你设置一个类型类型的标志或布尔值来激活记录。这个可能需要进入具体的UserMapper,因为我发现使用我用来保存记录的方法,基本的save()方法并不总是有效。
//you'll set the activate switch when the user object is instantiated
public function activate(Application_Model_User $user) {
if (!is_null($user->id)) {
$select = $this->_getGateway()->select();
$select->where('id = ?', $user->id);
$row = $this->_getGateway()->fetchRow($select);
$row->activate = $user->activate;
//This is the cool thing about save(), you can change as many or few columns as you need.
$row->save()
return $row;
} else {
//handle error, as we only want to be able to change an existing user.
}
}
这可能比您需要的更多,但我希望它有所帮助。