私はAngularの工場とサービスの概念を理解しようとしています。コントローラーの下に次のコードがあります
init();
function init(){
$http.post('/services', {
type : 'getSource',
ID : 'TP001'
}).
success(function(data, status) {
updateData(data);
}).
error(function(data, status) {
});
console.log(contentVariable);
};
function updateData(data){
console.log(data);
};
このコードは正常に機能します。しかし、$ httpサービスを工場に移動すると、データをコントローラーに戻すことができません。
studentApp.factory('studentSessionFactory', function($http){
var factory = {};
factory.getSessions = function(){
$http.post('/services', {
type : 'getSource',
ID : 'TP001'
}).
success(function(data, status) {
return data;
}).
error(function(data, status) {
});
};
return factory;
});
studentApp.controller('studentMenu',function($scope, studentSessionFactory){
$scope.variableName = [];
init();
function init(){
$scope.variableName = studentSessionFactory.getSessions();
console.log($scope.variableName);
};
});
$ httpはコントローラの下でも動作するため、ファクトリを使用する利点はありますか
studentSessions
サービスをコントローラーから移動する目的は、懸念の分離を達成することです。サービスの仕事はサーバーと通信する方法を知ることであり、コントローラーの仕事はビューデータとサーバーデータを変換することです。
しかし、非同期ハンドラーと、何が何を返しているのか混乱しています。コントローラは、データが後で受信されたときに何をすべきかをサービスに伝える必要があります...
studentApp.factory('studentSession', function($http){
return {
getSessions: function() {
return $http.post('/services', {
type : 'getSource',
ID : 'TP001'
});
}
};
});
studentApp.controller('studentMenu',function($scope, studentSession){
$scope.variableName = [];
var handleSuccess = function(data, status) {
$scope.variableName = data;
console.log($scope.variableName);
};
studentSession.getSessions().success(handleSuccess);
});
最初の答えは素晴らしいですが、おそらくあなたはこれを理解することができます:
studentApp.factory('studentSessionFactory', function($http){
var factory = {};
factory.getSessions = function(){
return $http.post('/services', {type :'getSource',ID :'TP001'});
};
return factory;
});
次に:
studentApp.controller('studentMenu',function($scope, studentSessionFactory){
$scope.variableName = [];
init();
function init(){
studentSessionFactory.getSessions().success(function(data, status){
$scope.variableName = data;
});
console.log($scope.variableName);
};
});