Zend Framework 1.9.2+ Примеры Zend_Rest_Route
С появлением Zend_Rest_Route в Zend Framework 1.9 (и его обновлением в 1.9.2) у нас теперь есть стандартизированное решение RESTful для маршрутизации запросов. По состоянию на август 2009 года нет примеров его использования, только базовая документация приведена в справочном руководстве.
Хотя это, возможно, намного проще, чем я предполагаю, я надеялся, что те, кто более компетентен, чем я, могли бы привести некоторые примеры, иллюстрирующие использование Zend_Rest_Controller в сценарии, где:
- Некоторые контроллеры (такие как indexController.php) работают нормально
- Другие работают как службы, основанные на отдыхе (возвращая json)
Похоже, что JSON Action Helper теперь полностью автоматизирует и оптимизирует ответ json на запрос, что делает его использование вместе с Zend_Rest_Route идеальной комбинацией.
2 ответа
Похоже, это было довольно просто. Я собрал шаблон Restful Controller, используя Zend_Rest_Controller Abstract. Просто замените возвращаемые значения no_results на собственный объект php, содержащий данные, которые вы хотите вернуть. Комментарии приветствуются.
<?php
/**
* Restful Controller
*
* @copyright Copyright (c) 2009 ? (http://www.?.com)
*/
class RestfulController extends Zend_Rest_Controller
{
public function init()
{
$config = Zend_Registry::get('config');
$this->db = Zend_Db::factory($config->resources->db);
$this->no_results = array('status' => 'NO_RESULTS');
}
/**
* List
*
* The index action handles index/list requests; it responds with a
* list of the requested resources.
*
* @return json
*/
public function indexAction()
{
// do some processing...
// Send the JSON response:
$this->_helper->json($this->no_results);
}
// 1.9.2 fix
public function listAction() { return $this->_forward('index'); }
/**
* View
*
* The get action handles GET requests and receives an 'id' parameter; it
* responds with the server resource state of the resource identified
* by the 'id' value.
*
* @param integer $id
* @return json
*/
public function getAction()
{
$id = $this->_getParam('id', 0);
// do some processing...
// Send the JSON response:
$this->_helper->json($this->no_results);
}
/**
* Create
*
* The post action handles POST requests; it accepts and digests a
* POSTed resource representation and persists the resource state.
*
* @param integer $id
* @return json
*/
public function postAction()
{
$id = $this->_getParam('id', 0);
$my = $this->_getAllParams();
// do some processing...
// Send the JSON response:
$this->_helper->json($this->no_results);
}
/**
* Update
*
* The put action handles PUT requests and receives an 'id' parameter; it
* updates the server resource state of the resource identified by
* the 'id' value.
*
* @param integer $id
* @return json
*/
public function putAction()
{
$id = $this->_getParam('id', 0);
$my = $this->_getAllParams();
// do some processing...
// Send the JSON response:
$this->_helper->json($this->no_results);
}
/**
* Delete
*
* The delete action handles DELETE requests and receives an 'id'
* parameter; it updates the server resource state of the resource
* identified by the 'id' value.
*
* @param integer $id
* @return json
*/
public function deleteAction()
{
$id = $this->_getParam('id', 0);
// do some processing...
// Send the JSON response:
$this->_helper->json($this->no_results);
}
}
Отличный пост, но я бы подумал Zend_Rest_Controller
перенаправит запрос к правильному действию относительно используемого метода HTTP. Было бы здорово, если бы POST
запросить http://<app URL>/Restful
будет автоматически _forward
в postAction
например.
Ниже я приведу другую стратегию, но, может быть, мне не хватает смысла Zend_Rest_Controller
... Прокомментируйте, пожалуйста.
Моя стратегия:
class RestfulController extends Zend_Rest_Controller
{
public function init()
{
$this->_helper->viewRenderer->setNoRender();
$this->_helper->layout->disableLayout();
}
public function indexAction()
{
if($this->getRequest()->getMethod() === 'POST')
{return $this->_forward('post');}
if($this->getRequest()->getMethod() === 'GET')
{return $this->_forward('get');}
if($this->getRequest()->getMethod() === 'PUT')
{return $this->_forward('put');}
if($this->getRequest()->getMethod() === 'DELETE')
{return $this->_forward('delete');}
$this->_helper->json($listMyCustomObjects);
}
// 1.9.2 fix
public function listAction() { return $this->_forward('index'); }
[the rest of the code with action functions]