4

我正在尝试为删除 CakePHP 中的书签做一个不显眼的操作。尽管它工作得很好,但我怀疑必须有更好的方法来做到这一点。有人可以指出我正确的方向吗?

function delete($id = null) {
  $ok = $this->Bookmark->delete($id);

  if($this->RequestHandler->isAjax()) {
    $this->autoRender = false;
    $this->autoLayout = false;
    $response = array('status' => 0, 'message' => 'Could not delete bookmark');

    if($ok) {
        $response = array('status' => 1, 'message' => 'Bookmark deleted');
    }

    $this->header('Content-Type: application/json');
    echo json_encode($response);
    exit();
  }
  // Request isn't AJAX, redirect.
  $this->redirect(array('action' => 'index'));
}
4

1 回答 1

3

如果您打算更广泛地使用 AJAX 操作调用,则可能值得走“矫枉过正”的路线,而不是“不雅”的路线。以下方法将您的应用程序配置为非常优雅地处理 AJAX 请求。

在 routes.php 中,添加:

Router::parseExtensions('json');

在 中创建一个新目录,并在新目录json中创建一个app/views/layouts/新布局default.ctp

<?php
    header("Pragma: no-cache");
    header("Cache-Control: no-store, no-cache, max-age=0, must-revalidate");
    header('Content-Type: text/x-json');
    header("X-JSON: ".$content_for_layout);

    echo $content_for_layout;
?>

在 中创建一个新目录,并在新目录json中创建一个app/views/bookmarks/新视图delete.ctp

<?php
    $response = $ok
        ? array( 'status'=>1, 'message'=>__('Bookmark deleted',true))
        : array( 'status'=>0, 'message'=>__('Could not delete bookmark',true));

    echo $javascript->object($response); // Converts an array into a JSON object.
?>

控制器:

class BookmarksController extends AppController()
{
    var $components = array('RequestHandler');

    function beforeFilter()
    {
        parent::beforeFilter();
        $this->RequestHandler->setContent('json', 'text/x-json');
    }
    function delete( $id )
    {
        $ok = $this->Bookmark->del($id);
        $this->set( compact($ok));

        if (! $this->RequestHandler->isAjax())
            $this->redirect(array('action'=>'index'),303,true);
    }
}

在调用 AJAX 的页面上,您可以将 AJAX 请求从 更改/bookmarks/delete/1234/bookmarks/delete/1234.json.

/bookmarks/delete/1234这也使您可以选择使用app/views/bookmarks/delete.ctp视图处理非 AJAX 调用。

您想通过 AJAX 和 JSON 处理的任何进一步操作,您将在app/views/bookmarks/json/目录中添加视图。

于 2010-03-25T17:06:07.763 回答