0

我有一个类似于以下内容的提供程序:

angular.module('myProvider', function(){
  var appUrl = ''
  this.setAppUrl = function(url){
    appUrl = url;
  }
  this.$get = ['$http', function($http){
    return {
      appAction: function(){
        $http.get(appUrl).then(function(response){
          //do stuff
        });
      }
    }
  }]
});

目前,该应用根据使用 grunt ngconstant 作为构建过程的一部分生成的常量在 .config 块中设置 appUrl。

我正在尝试将应用程序更改为通过 $http 从 json 文件加载配置文件。提供者现在看起来像这样:

angular.module('myProvider', function(){
  this.$get = ['$http', function($http){
    return $http.get('path/to/config.json').then(function(response){
      appUrl = response.appUrl;
      return {
        appAction: function(){
          $http.get(appUrl).then(function(response){
            //do stuff
          });
        }
      }
    });
  }]
});

这会从远程源加载配置,但具有返回承诺而不是实际函数的不良副作用。在从提供者返回值之前,我已经尝试(未成功)解决承诺。我不想更改我的应用程序的其余部分以期望返回一个承诺而不是返回一个函数。确保此方法返回函数的最佳方法是什么?

4

1 回答 1

1

无论如何,服务的appAction方法都会返回一个承诺;所以我们保留appUrl: 如果它是非空的,我们用它来检索我们的数据。否则,我们链接承诺:首先检索配置,然后检索真实数据。类似于以下内容:

angular.module('myProvider', function(){
  this.$get = ['$http', function($http){
    var appUrl;

    function retrieveTheRealData() {
      return $http.get(appUrl).then(function(response){
        //do stuff
      });
    }

    return {
      appAction: function() {
        if( appUrl ) {
          return retrieveTheRealData();
        }
        else {
          return $http.get('path/to/config.json').then(function(response){
            appUrl = response.appUrl;
            return retrieveTheRealData();
          });
        }
      }
    };
  }]
});
于 2016-04-05T20:12:28.273 回答