Angular js从工厂返回未定义的对象

时间:2013-07-29 20:21:01

标签: ajax angularjs factory angularjs-factory

我有一个控制器和工厂定义如下。

myApp.controller('ListController', 
        function($scope, ListFactory) {
    $scope.posts = ListFactory.get();
    console.log($scope.posts);
});

myApp.factory('ListFactory', function($http) {
    return {
        get: function() {
            $http.get('http://example.com/list').then(function(response) {
                if (response.data.error) {
                    return null;
                }
                else {
                    console.log(response.data);
                    return response.data;
                }
            });
        }
    };
});

令我困惑的是,我从控制器获取输出未定义,然后控制台输出的下一行是我工厂的对象列表。我也尝试将控制器更改为

myApp.controller('ListController', 
        function($scope, ListFactory) {
    ListFactory.get().then(function(data) {
        $scope.posts = data;
    });
    console.log($scope.posts);
});

但我收到错误

TypeError: Cannot call method 'then' of undefined

注意:我通过http://www.benlesh.com/2013/02/angularjs-creating-service-with-http.html

找到了有关使用工厂的信息

2 个答案:

答案 0 :(得分:8)

您需要使用回调函数或只需在$http.get...

之前返回
 return $http.get('http://example.com/list').then(function (response) {
     if (response.data.error) {
         return null;
     } else {
         console.log(response.data);
         return response.data;
     }
 });

答案 1 :(得分:2)

$ http.get是异步的,所以当你尝试访问它时(在你的控制器里面)它可能没有数据(因此你得到了未定义的)。

为了解决这个问题,我在从控制器调用工厂方法后使用.then()。那么你的工厂看起来像是:

myApp.factory('ListFactory', function($http) {
    return {
        get: function() {
            $http.get('http://example.com/list');
        }
    };
});

你的控制器:

myApp.controller('ListController', function($scope, ListFactory) {
    ListFactory.get().then(function(response){
        $scope.posts = response.data;
    });
    // You can chain other events if required
});

希望有所帮助