AngularJS 根据 http 请求的结果设置常量

问题描述 投票:0回答:2

我想根据 HTTP 请求结果的标签设置 module.constant 。

下面是我项目中的演示代码;

code in app.js

(function(){
     var myApp = angular.module('myApp',['ui.router','ui.bootstrap']);

     myApp.contant("API_URL","https://www.helloworld.com/API");

     myApp.run(function($rootScope.$http){
     some code;
     });  
})();

我想根据这样的HTTP请求的结果配置一个特殊的Id;

$http.get(API_URL + "/configTag")
  .then(function success(response){
      var tag = response.data.tag;
      if(tag === 0) {
      myApp.constant("specialID","111111111");
      } else if (tag === 1) {
      myApp.constant("specialID","222222222");
      } else {
      myApp.constant("specialID","333333333");
      }  
  },function error(response){

  }); 

但是我对前端和 AngularJS 很陌生。我不知道如何实现这一点?

angularjs angularjs-module
2个回答
2
投票

简短回答:

$http
服务不能用于创建 Angular 常量。

AngularJS 框架分两个阶段运行:“配置”阶段和“运行”阶段。一旦“运行”阶段开始,就不能再配置提供程序,也不能再添加常量。

$http
服务操作只能在“运行”阶段完成。

但是,服务提供商可以提供恒定的承诺:

app.factory("specialIDpromise", function(API_URL, $http) {
    var promise = $http.get(API_URL + "/configTag")
        .then(function success(response){
            var tag = response.data.tag;
            if(tag === 0) {
                //return to chain data
                return "111111111";
            } else if (tag === 1) {
                return "222222222";
            } else {
                return "333333333";
            };  
        }).catch(function error(response){
            //return converts rejection to success
            return "something";
        });
   //return promise to factory
   return promise;
});

在控制器中使用:

app.controller("myCtrl", function(specialIDpromise) {
    specialIDpromise.then(function(specialID) {
        console.log(specialID);
        //Do other things that depend on specialID
   });
});

config
阶段中的所有操作都需要同步(包括添加常量)。
$http
服务的XHR等异步操作发生在AngularJS应用程序的
run
阶段。


0
投票

可以使用服务器端数据来完成您想要的操作。您必须注入所需的模块,然后运行函数以获取 document.ready 函数中的数据。这是我的做法,但我遇到的唯一问题是服务器是否无法访问;那么应用程序不会被引导。我将此代码放置在 angular.module 代码之外的 app.js 文件中,因为它在那里不起作用,因为应用程序尚未启动。

angular.element(document).ready(function () {
    getConstants();
});

//Get constants from server and manually bootstraps application to the DOM
function getConstants() {    
    var initInjector = angular.injector(["ng"]);
    var $http = initInjector.get("$http");

    $http.get('urlThatRetrievesConstants').then(function (result) {

        /*Below I'm setting the constants on the app module and giving them a 
        name, which will be used to reference in whatever modules you will use it 
        in */

        angular.module('appModuleName').constant('constantsName', result.data);

        /*Here I'm bootstrapping the app*/
        angular.bootstrap(document, ["appModuleName"]);   

    }, function (error) {      
  /*Handle server errors from request*/
    });
}
© www.soinside.com 2019 - 2024. All rights reserved.