新答案:
我想出了一个似乎运作良好的模式。它解决了你所有的顾虑:这是我想出的缩小版:
首先我们需要我们自己的控制器。如果未定义,此控制器将拥有一个服务,通过它代理对服务的任何操作请求:
abstract class App_Rest_Controller extends Zend_Controller_Action
{
/**
* @var App_Rest_Service_Abstract
*/
protected $_service;
public function __call($methodName, $args)
{
if ('Action' == substr($methodName, -6)) {
$action = substr($methodName, 0, strlen($methodName) - 6);
return $this->_service()->$action();
}
return parent::__call($methodName, $args);
}
}
现在是服务时间。我们扩展 Action Helper Abstract 以便:
- 我们可以直接访问请求对象
- 我们可以轻松地从任何控制器调用服务
这将在应用程序和数据的实际存储之间发挥作用。
abstract class App_Rest_Service_Abstract extends Zend_Controller_Action_Helper_Abstract
{
/*
* @var App_Rest_Storage_Interface
*/
protected $_storage;
public function __call($methodName, $args)
{
if (!method_exists($this->getStorage(), $methodName)) {
throw new App_Rest_Service_Exception(sprintf('The storage does not have the method "%s"', $methodName));
}
switch ($methodName) {
case 'get':
case 'put':
case 'delete':
//if id param isnot set, throw an exception
if (FALSE === ($id = $this->getRequest()->getParam('id', FALSE))) {
throw new App_Rest_Service_Exception(sprintf('Method "%s" expects an id param, none provided', $methodName));
}
$iterator = $this->getStorage()->$methodName($id, $this->getRequest()->getParams());
break;
case 'index':
case 'post':
default:
//if index, post or not a tradition RESTful request, the function must expect the first and only argument to be an array
$iterator = $this->getStorage()->$methodName($this->getRequest()->getParams());
break;
}
return $this->_getResult($iterator);
}
protected function _getResult($iterator)
{ /*
* write your own, in my case i make a paginator and then
* either return it or send data via the json helper
*
/*
}
现在是界面。这将完成存储、修改和返回数据的实际工作。将它用作接口的美妙之处在于,无论模型层使用什么,您都可以轻松实现它。我创建了一个抽象存储,它只有一个 Zend_Form(用于验证)和一个 Zend_Db_Table 用于实际数据。但您也可以在任何对象上实现它。
interface App_Rest_Storage_Interface extends Zend_Validate_Interface
{
public function index(array $params = NULL);
public function get($id, array $params = NULL);
public function post(array $params);
public function put($id, array $params);
public function delete($id, array $params);
}
现在在您的站点内的任何地方运行。假设您有一个“客户”服务。在任何控制器内部都非常简单
$customer = $this->_helper->helper->customers->get(1);
其他任何地方(例如视图助手):
Zend_Controller_Action_HelperBroker::getStaticHelper('customers')->get(1)
我希望这有帮助。它对我来说效果很好。