AngularJS:工厂$ http服务(AngularJS : factory $http ser

2019-09-01 04:37发布

我想了解工厂,服务于角的概念。 我有控制下,下面的代码

init();

    function init(){
        $http.post('/services', { 
            type : 'getSource',
            ID    : 'TP001'
        }).
        success(function(data, status) {
            updateData(data);
        }).
        error(function(data, status) {

        });

        console.log(contentVariable);
    };
    function updateData(data){
        console.log(data);
    };

此代码工作正常。 但是,当我移动$ http服务进入工厂,我不能够回数据返回到控制器。

studentApp.factory('studentSessionFactory', function($http){
    var factory = {};
    factory.getSessions = function(){
        $http.post('/services', { 
            type : 'getSource',
            ID    : 'TP001'
        }).
        success(function(data, status) {
            return data;
        }).
        error(function(data, status) {

        });
    };
    return factory;
});

studentApp.controller('studentMenu',function($scope, studentSessionFactory){
    $scope.variableName = [];
    init();
    function init(){
        $scope.variableName = studentSessionFactory.getSessions();
        console.log($scope.variableName);
    };
});

是否有任何优势,使用的工厂,因为$ HTTP的作品,即使在控制器

Answer 1:

移动你的目的studentSessions服务您的控制器是实现分离关注。 你服务的工作是知道如何与服务器进行交谈,并在控制器的任务是查看数据和服务器数据之间的转换。

但你是在混淆的异步处理程序,什么是返回什么。 该控制器还需要告诉服务时以后收到的数据做什么?

studentApp.factory('studentSession', function($http){
    return {
        getSessions: function() {
            return $http.post('/services', { 
                type : 'getSource',
                ID    : 'TP001'
            });
        }
    };
});

studentApp.controller('studentMenu',function($scope, studentSession){
    $scope.variableName = [];

    var handleSuccess = function(data, status) {
        $scope.variableName = data;
        console.log($scope.variableName);
    };

    studentSession.getSessions().success(handleSuccess);
});


Answer 2:

第一个答案是伟大的,但也许你能明白这一点:

studentApp.factory('studentSessionFactory', function($http){
    var factory = {};

    factory.getSessions = function(){
        return $http.post('/services', {type :'getSource',ID :'TP001'});
    };

    return factory;
});

然后:

studentApp.controller('studentMenu',function($scope, studentSessionFactory){
      $scope.variableName = [];

      init();

      function init(){
          studentSessionFactory.getSessions().success(function(data, status){
              $scope.variableName = data;
          });
          console.log($scope.variableName);
     };
 });


文章来源: AngularJS : factory $http service