サービスをカスタムAngularJSプロバイダーとして設定する
受け入れ答えが言うにもかかわらず、あなたが実際にCANあなたがしようとして何ができますが、まず、あなたを変え...それは構成フェーズ中にサービスとして利用できるように、設定可能なプロバイダとして、それを設定する必要がありService
、プロバイダに以下に示すように。ここでの主な違いは、の値を設定した後、によって返されるpromiseオブジェクトにプロパティをdefer
設定することです。defer.promise
$http.get
プロバイダーサービス:(プロバイダー:サービスレシピ)
app.provider('dbService', function dbServiceProvider() {
//the provider recipe for services require you specify a $get function
this.$get= ['dbhost',function dbServiceFactory(dbhost){
// return the factory as a provider
// that is available during the configuration phase
return new DbService(dbhost);
}]
});
function DbService(dbhost){
var status;
this.setUrl = function(url){
dbhost = url;
}
this.getData = function($http) {
return $http.get(dbhost+'db.php/score/getData')
.success(function(data){
// handle any special stuff here, I would suggest the following:
status = 'ok';
status.data = data;
})
.error(function(message){
status = 'error';
status.message = message;
})
.then(function(){
// now we return an object with data or information about error
// for special handling inside your application configuration
return status;
})
}
}
これで、構成可能なカスタムプロバイダーができました。それを挿入するだけです。ここでの主な違いは、不足している「注射可能なプロバイダー」です。
設定:
app.config(function ($routeProvider) {
$routeProvider
.when('/', {
templateUrl: "partials/editor.html",
controller: "AppCtrl",
resolve: {
dbData: function(DbService, $http) {
/*
*dbServiceProvider returns a dbService instance to your app whenever
* needed, and this instance is setup internally with a promise,
* so you don't need to worry about $q and all that
*/
return DbService('http://dbhost.com').getData();
}
}
})
});
解決済みのデータを appCtrl
app.controller('appCtrl',function(dbData, DbService){
$scope.dbData = dbData;
// You can also create and use another instance of the dbService here...
// to do whatever you programmed it to do, by adding functions inside the
// constructor DbService(), the following assumes you added
// a rmUser(userObj) function in the factory
$scope.removeDbUser = function(user){
DbService.rmUser(user);
}
})
可能な選択肢
次の代替方法は同様のアプローチですが、内で定義を.config
行い、サービスをアプリのコンテキスト内の特定のモジュール内にカプセル化することができます。適切な方法を選択してください。これらすべてのコツをつかむのに役立つ3番目の代替リンクと役立つリンクに関するメモについては、以下も参照してください。
app.config(function($routeProvider, $provide) {
$provide.service('dbService',function(){})
//set up your service inside the module's config.
$routeProvider
.when('/', {
templateUrl: "partials/editor.html",
controller: "AppCtrl",
resolve: {
data:
}
})
});
いくつかの役立つリソース
- John Lindquistは、egghead.ioで5分間の優れた説明とデモンストレーションを行っています。これは無料のレッスンの1つです!私は基本的に彼のデモンストレーション
$http
をこのリクエストのコンテキストで具体的にすることで変更しました
- プロバイダーに関するAngularJS開発者ガイドを見る
- 優れた説明もあります
factory
/ service
/ provider
clevertech.bizでは。
プロバイダーは、.service
メソッドよりも少し多くの構成を提供します。これにより、アプリケーションレベルのプロバイダーとしてより優れていますが、次の$provide
ようにconfigに挿入することで、構成オブジェクト自体にこれをカプセル化することもできます。