7

我有一个像这样定义的 AngularJS $resource:

var Menus = $resource('http://cafe.com/api/menus');

和一个 RESTful API。所以当我做一个GETMenus得到这个回来:

<cafe>
  <collection href="http://cafe.com/api/menus" type="menus">
    <template>
      <data name="Name" prompt="Menu name" />
    </template>
    <items>
      <item href="http://cafe.com/api/menus/1">
        <link href="http://cafe.com/api/menus/1/ingredients" rel="ingredients" />
        <data name="Name" prompt="Menu name">Morning</data>
      </item>
      <item href="http://cafe.com/api/menus/2">
        <link href="http://cafe.com/api/menus/2/ingredients" rel="ingredients" />
        <data name="Name" prompt="Menu name">Happy Hour</data>
      </item>
    </items>
  </collection>
</cafe>

问题是,如何删除菜单 2?(鉴于它有自己的超媒体链接http://cafe.com/api/menus/2:)

4

2 回答 2

11

假设您已经从 XML 转到 Angular 管理的 JavaScript 对象数组,您可以使用它来呈现您的对象:

<tr ng-repeat="cafe in cafes">
    <td>{{cafe.name}}</td>
    <td>
        <button class="btn" ng-click="deleteCafe($index, cafe)">Delete</button>
    </td>
</tr>

在你的控制器中你可以这样做:

function ListCtrl($scope, $http, CafeService) {
  CafeService.list(function (cafes) {
    $scope.cafes = cafes;
  });

  $scope.deleteCafe = function (index, cafe) {
    $http.delete(cafe.self).then(function () {
      $scope.cafes.splice(index, 1);
    }, function () {
      // handle error here
    });
  }
}

看,没有客户端创建 URL!:)

更新:修复了 splice 命令中的错误,是splice(index, index),但应该是splice(index, 1)

于 2012-11-22T22:44:39.180 回答
2

如果您的 REST 服务将 JSON 返回到 Angular,并且 JSON 在返回的数据中包含菜单 ID。

var Menu = $resource('http://cafe.com/api/menus/:id', { id: '@id' }); // replace @id with @<the id field in your json object>

// Delete menu 2
Menu.delete({id: 2}, function(){ // Success callback
  // Get all menus, 
  var menus = Menu.query(function() { // Success callback
    // alternative delete syntax:
    var lastMenu = menus.pop();
    lastMenu.$delete();
  });
});
于 2012-11-19T08:33:26.927 回答