我是AngularJS的新手,并尝试创建一个MVC应用程序,其中控制器可以连接到相同类型的多个模型。
所以:
我创建了一个连接到测试模型的控制器,以异步获取信息,如下所示:
function TestController($scope, Test)
{
$scope.model = {};
$scope.load : function(id) {
Test.get($scope, id);
}
}
该模型使用 http 协议从服务器检索 (json) 信息。该模型如下所示:
myApp.factory('Test',function($http) {
get : function(variable, id) {
$http({
url: 'api/load/'+id
}).success(function(response) {
variable.model = response;
});
}
});
在那里,"模型"这个名字被硬连接到控制器中。所以没有办法加载第二个测试模型,在控制器中,因为现有的将被覆盖。
如果我更改行:
Test.get($scope, id);
自
Test.get($scope.model, id);
和模型
variable = response;
角度停止的魔力。控制器中的模型未更新。没有 byRef在 Javascript 中。
是否有解决方法,以便可以在一个控制器中多次使用模型?
好吧,您不需要像这样调用服务。首先,$http调用返回的承诺,可以使用"then"回调来处理这些承诺。因此,您可以为类似的调用添加多个不同的回调。在您的情况下:
myApp.factory('Test',function($http) {
get : function(id) {
return $http({
url: 'api/load/'+id
});
}
});
在控制器中:
function TestController($scope, Test) {
$scope.model = {};
$scope.load : function(id) {
Test.get(id).then(function(result) {
$scope.var1 = result;
});
Test.get(id).then(function(result) {
$scope.var2 = result;
});
}
}
另一种方法是这样做:
myApp.factory('Test',function($http) {
get : function(context, variable, id) {
return $http({
url: 'api/load/'+id
}).success(function(result) {
context[variable] = result;
});
}
});
在控制器中:
function TestController($scope, Test) {
$scope.model = {};
$scope.load : function(id) {
Test.get($scope, 'var1', id);
Test.get($scope, 'var2', id);
}
}