28

我正在尝试angular.js了解并努力找出一些记录较少的事情。

考虑一下 - 我在服务器上有一个搜索方法,它接受查询参数并返回搜索结果的集合,并响应 GET /search.json路由(Rails FWIW)。

因此,使用jQuery,示例查询将如下所示:

$.getJSON('/search', { q: "javascript", limit: 10 }, function(resp) {
  // resp is an array of objects: [ { ... }, { ... }, ... ]
});

我正在尝试使用 angular 来实现它,并围绕它是如何工作的。这就是我现在所拥有的:

var app = angular.module('searchApp', ['ngResource']);

app.controller('SearchController', ['$scope', '$resource', function($scope, $resource){

  $scope.search = function() {
    var Search = $resource('/search.json');
    Search.query({ q: "javascript", limit: 10 }, function(resp){
      // I expected resp be the same as before, i.e
      // an array of Resource objects: [ { ... }, { ... }, ... ]
    });
  }
}]);

在视图中:

<body ng-app="searchApp">
  ...
  <div ng-controller="SearchController">
    ...
    <form ng-submit="search()">...</form>
    ...
   </div>
</body>

但是,我不断收到类似TypeError: Object #<Resource> has no method 'push'和的错误$apply already in progress

$resource如果我将初始化更改为以下内容,事情似乎会按预期进行:

var Search = $resource("/search.json?" + $.param({ q: "javascript", limit: 10 }));
Search.query(function(resp){ ... });

$resource初始化一次然后通过请求搜索的更改传递不同的查询参数似乎更直观。我想知道我是否做错了(很可能)或者只是误解了$resource.query将查询参数对象作为第一个参数调用是可行的文档。谢谢。

4

1 回答 1

25

TypeError: Object # has no method 'push' 并且 $apply 已经在进行中

因为您还没有定义名为Search的资源。首先,您需要定义这样的资源。文档: $resource。这是一个示例实现

angular.module('MyService', ['ngResource'])
       .factory('MyResource', ['$resource', function($resource){

    var MyResource = $resource('/api/:action/:query',{
        query:'@query'
    }, { 
        search: {
            method: 'GET',
            params: {
                action: "search",
                query: '@query'
            }
        }
    }); 
    return MyResource;
}]); 

将此模块包含在您的应用程序中并在这样的控制器中使用它

$scope.search_results = MyResource.search({
   query: 'foobar'  
}, function(result){}); 

但是我不确定这是否是您需要的。资源服务与 RESTful 服务器端数据源(即 REST API)进行交互。

也许你只需要一个简单的 http get:

 $http({method: 'GET', url: '/someUrl'}).
  success(function(data, status, headers, config) {
    // this callback will be called asynchronously
    // when the response is available
  }).
  error(function(data, status, headers, config) {
    // called asynchronously if an error occurs
    // or server returns response with an error status.
  });

http://docs.angularjs.org/api/ng.$http

于 2013-05-23T09:39:26.773 回答