AngularJS: 从模块中的函数获取 $http 响应

AngularJS: Get $http response from function in module

如何从模块中的函数获取 $http 的响应?

Angular模块:

// module customServices
var customServices = angular.module("customServices", []);

// object for response
httpResponse = {content:null};

// function sendRequest
function sendRequest(param)
{
  // inject $http
  var initInjector = angular.injector(['ng']);
  var $http = initInjector.get('$http');

  // set header
  $http.defaults.headers.post['Content-Type'] = 'application/x-www-form-urlencoded;charset=utf-8';

  $http({
    // config
    method: 'POST',
    url: 'response.php',
    data: $.param(param),

    // success
    }).success(function (response, status, headers, config) {
      httpResponse.content = response;

    // error
    }).error(function (response, status, headers, config) {
      console.warn("error");

    });
}

// factory - moduleService
customServices.factory("moduleService", function () {

  return {

    // function - members
    members: function(param)
    {
      switch(param.fc)
      {
        // getAll
        case 'getAll':  
          sendRequest({
            service :'members',
            fc      : param.fc,
            id      : param.id
        });
        return httpResponse;
      }

    },

  };

});

控制器:

myApp.controller('main', ['$scope', '$http', 'moduleService', function($scope, $http, moduleService){

  $scope.handleClick = function () {

    var ReturnValue = moduleService.members({
      fc:'getAll',
      id:'123',
    });

    console.log(ReturnValue);

  };

}]);

对象在第一次点击时为空,在第二次点击时其内容是 $http 响应。

但我希望控制器知道 $http 响应何时可用。

我尝试使用$broadcast 和$on,但似乎无法在我的函数中使用$rootScope "sendRequest"。

几件事:

为什么要定义 httpResponse 而不是仅从 sendRequest 函数返回一些内容?

为什么要在 angular 之外定义函数而不是将其作为服务或工厂?

您应该像这样在内部使用 sendRequest 方法创建一个服务:

customServices.factory("yourNameHere", function($http, $q) {

  $http.defaults.headers.post['Content-Type'] = 'application/x-www-form-urlencoded;charset=utf-8';

  return {
    sendRequest: function sendRequest(param) {
      return $http({
          method: 'POST',
          url: 'response.php',
          data: $.param(param),
        })
        .then(function(response) {
         return response;
        })
        .catch(function(response) {
          console.warn("error");
          return $q.reject(response);
        });
    }
  };
});

然后在其他服务中:

customServices.factory("moduleService", function (yourNameHere) {

  return {

    // function - members
    members: function(param)
    {
      switch(param.fc)
      {
        // getAll
        case 'getAll':  
          return yourNameHere.sendRequest({
            service :'members',
            fc      : param.fc,
            id      : param.id
        });
      }

    },

  };

});

现在结果将是一个承诺,因此您可以像这样使用数据:

moduleService.members({
  fc:'getAll',
  id:'123',
})
.then(function(result) {
    console.log(result);
});