145

在 AngularJS 中不使用$resource.

$resource很多限制,例如:

  1. 没有使用正确的期货
  2. 不够灵活
4

2 回答 2

230

在某些情况下,与后端交谈时 $resource 可能不合适。这显示了如何在不使用资源的情况下设置类似 $resource 的行为。

angular.module('myApp').factory('Book', function($http) {
  // Book is a class which we can use for retrieving and 
  // updating data on the server
  var Book = function(data) {
    angular.extend(this, data);
  }

  // a static method to retrieve Book by ID
  Book.get = function(id) {
    return $http.get('/Book/' + id).then(function(response) {
      return new Book(response.data);
    });
  };

  // an instance method to create a new Book
  Book.prototype.create = function() {
    var book = this;
    return $http.post('/Book/', book).then(function(response) {
      book.id = response.data.id;
      return book;
    });
  }

  return Book;
});

然后在您的控制器中,您可以:

var AppController = function(Book) {
  // to create a Book
  var book = new Book();
  book.name = 'AngularJS in nutshell';
  book.create();

  // to retrieve a book
  var bookPromise = Book.get(123);
  bookPromise.then(function(b) {
    book = b;
  });
};
于 2012-08-07T16:14:57.217 回答
26

我建议您使用$resource

它可能会在 Angularjs 的下一个版本中支持(url 覆盖)。然后,您将能够像这样编写代码:

// need to register as a serviceName
$resource('/user/:userId', {userId:'@id'}, {
    'customActionName':    {
        url:'/user/someURI'
        method:'GET',
        params: {
            param1: '....',
            param2: '....',
        }
    },
     ....
});

并且返回回调可以像这样在 ctrl 范围内处理。

// ctrl scope
serviceName.customActionName ({
    paramName:'param',
    ...
}, 
function (resp) {
    //handle return callback
}, 
function (error) {
    //handler error callback
});

可能您可以处理更高抽象级别的代码。

于 2013-03-04T02:38:39.620 回答