我有一个控制器和服务。
服务执行http.get
并在成功时返回true,如果错误则返回false。
但是,在控制器中,它正确接收true
或false,但绑定的html始终显示为true ??
控制器:
app.controller('MyController', function($scope, MyService) {
MyService.getData(function(isLoggedIn, userData) {
var loggedIn = isLoggedIn;
$scope.isLoggedIn = loggedIn;
$scope.myUser = userData;
//$scope.$evalAsync();
//$scope.$apply();
});
});
app.factory('MyService', function($http, $q) {
return {
getData: function(isLoggedIn, userModel) {
$http.get('../assets/data/data.json')
.success(function(data) {
userModel(data);
isLoggedIn(true);
})
.error(function(data, status, headers, config) {
// If 400 or 404 are returned, the user is not signed in.
if (status == 400 || status == 401 || status == 404) {
isLoggedIn(false);
}
});
}
}
});
HTML:
{{isLoggedIn}}
在上文中,{{isLoggedIn}}
始终为真。即使我将http调用修改为:
$http.get('../blah/blah/blah.json')
强迫.error /失败。
我已经尝试了$ scope。$ apply()并且我一直在收到正在进行的摘要周期的错误。帮助!
答案 0 :(得分:1)
我认为你对回调的运作方式感到有些困惑。您服务中的isLoggedIn
参数是您传入的回调函数。您的代码已更正:
app.controller('MyController', function($scope, MyService) {
/*
The function(response) { is your callback function being passed to the service
*/
MyService.getData(function(response) {
var loggedIn = response.isLoggedIn;
$scope.isLoggedIn = loggedIn;
$scope.myUser = response.userModel;
});
});
app.factory('MyService', function($http, $q) {
return {
getData: function(callback) {
$http.get('../assets/data/data.json')
.success(function(data) {
//Execute your callback function and pass what data you need
callback({userModel: data, isLoggedIn: true});
})
.error(function(data, status, headers, config) {
// If 400 or 404 are returned, the user is not signed in.
if (status == 400 || status == 401 || status == 404) {
callback({isLoggedIn: false});
}
});
}
}
});
你应该使用承诺......这里是一个更加重构的版本:
app.controller('MyController', function($scope, MyService) {
MyService.getData().then(function(response) {
var loggedIn = response.isLoggedIn;
$scope.isLoggedIn = loggedIn;
$scope.myUser = response.userModel;
});
});
app.factory('MyService', function($http, $q) {
return {
getData: function() {
return $http.get('../assets/data/data.json')
.then(function(response) {
return {
userModel: response.data,
isLoggedIn: true
};
}, function(data, status, headers, config) {
// If 400 or 404 are returned, the user is not signed in.
if (status == 400 || status == 401 || status == 404) {
return {isLoggedIn: false};
}
});
}
}
});