我想说,策略会有所不同,具体取决于您拥有的配置类型,但您有多种选择:
模块范围的常量
如果你只需要几个常量,你可以使用.value()
,像这样:
var app;
app = angular.module("my.angular.module", []);
app.value("baseUrl", "http://myrestservice.com/api/v1");
//injecting the value
app.controller("MyCtrl", ['baseUrl', function (baseUrl) {
console.log(baseUrl); // => "http://myrestservice.com/api/v1"
}]);
在此处查看更详细的答案。
获取配置/配置服务
我个人喜欢做的是像往常一样通过服务从其他地方获取我的配置。没关系,这是一个远程位置还是只是静态信息。
var app;
app = angular.module("my.angular.config", []);
app.service('Configuration', [function() {
return {
getbaseUrl: function() { return "http://myrestservice.com/api/v1" },
getConfig: function() {
return {
answer: 42,
question: "??"
}
}
}
}]):
编辑:带有外部提取的示例:
var app;
app = angular.module('my.module.config', []);
app.factory('ConfigurationData', ['$http', '$q', function(http, q) {
var deferredConfig = q.defer();
//error handling ommited
http.get('http://remote.local/config.json').success(function(data) {
return deferredConfig.resolve(data);
});
return {
getConfig: function() {
return deferredConfig.promise;
}
};
}]);
使用此服务,您可以将配置注入其他服务,但是,您可能会遇到时间问题,因为您必须先注入并解决服务提供的承诺,然后才能对配置进行任何操作:
var app;
app = angular.module("my.other.module", ['my.module.config']);
app.factory('MyAwesomeService', ['ConfigurationData', function(config) {
config.getConfig().then(function(config) {
//do something with your config.
});
}]);
您可以在这里获得更精细的控制,因为您可以对不同的输入做出反应。同样,这取决于您的用例。如果您需要额外的逻辑来构建配置,您可以在此处使用工厂。
最后,如果您想要更多地控制配置,您可以创建一个
自定义提供程序
提供者可能非常有用,但我认为它们设计起来有点困难。考虑到baseUrl
应用程序运行所需的配置,您可以为需要如下值的服务编写提供程序baseUrl
:
var app;
app = angular.module('my.angular.module', []);
app.provider("RestServiceProvider", function(){
this.baseUrl = 'http://restservice.com';
this.$get = function() {
var baseUrl = this.baseUrl;
return {
getBaseUrl: function() { return this.baseUrl; }
}
};
this.setBaseUrl = function(url) {
this.baseUrl = url;
};
});
这使您可以在应用程序的配置阶段做一些很酷的事情:
app.config(['RestserviceProvider', function(restServiceProvider) {
restServiceProvider.setBaseUrl('http://wwww.myotherrestservice.com');
}]);
您在服务/控制器/等中获取的每个实例。从您注入它的那一刻起,ofRestService
现在将拥有baseUrl
配置阶段的集合。
对于更详细的概述,我建议这个要点。