📅  最后修改于: 2020-10-27 02:53:48             🧑  作者: Mango
依赖注入是一种软件设计,其中为组件提供了相关性,而不是在组件中对其进行硬编码。它使组件不必查找依赖关系,并使依赖关系可配置。它还有助于使组件可重用,可维护和可测试。
AngularJS提供了一种最高的依赖注入机制。它提供了以下核心组件,它们可以作为依赖项相互注入。
值是一个简单的JavaScript对象,在配置阶段(配置阶段是AngularJS自身启动时),需要将值传递给控制器。
//define a module
var mainApp = angular.module("mainApp", []);
//create a value object as "defaultInput" and pass it a data.
mainApp.value("defaultInput", 5);
...
//inject the value in the controller using its name "defaultInput"
mainApp.controller('CalcController', function($scope, CalcService, defaultInput) {
$scope.number = defaultInput;
$scope.result = CalcService.square($scope.number);
$scope.square = function() {
$scope.result = CalcService.square($scope.number);
}
});
工厂是用于返回值的函数。每当服务或控制器需要时,它都会按需创建值。它通常使用工厂函数来计算并返回值。
//define a module
var mainApp = angular.module("mainApp", []);
//create a factory "MathService" which provides a method multiply to return multiplication of two numbers
mainApp.factory('MathService', function() {
var factory = {};
factory.multiply = function(a, b) {
return a * b
}
return factory;
});
//inject the factory "MathService" in a service to utilize the multiply method of factory.
mainApp.service('CalcService', function(MathService) {
this.square = function(a) {
return MathService.multiply(a,a);
}
});
...
服务是一个单例JavaScript对象,其中包含一组执行某些任务的功能。服务是使用service()函数定义的,然后将其注入到控制器中。
//define a module
var mainApp = angular.module("mainApp", []);
...
//create a service which defines a method square to return square of a number.
mainApp.service('CalcService', function(MathService) {
this.square = function(a) {
return MathService.multiply(a,a);
}
});
//inject the service "CalcService" into the controller
mainApp.controller('CalcController', function($scope, CalcService, defaultInput) {
$scope.number = defaultInput;
$scope.result = CalcService.square($scope.number);
$scope.square = function() {
$scope.result = CalcService.square($scope.number);
}
});
AngularJS内部使用提供程序在配置阶段创建服务,工厂等。以下脚本可用于创建我们之前创建的MathService。 Provider是带有get()方法的特殊工厂方法,用于返回值/服务/工厂。
//define a module
var mainApp = angular.module("mainApp", []);
...
//create a service using provider which defines a method square to return square of a number.
mainApp.config(function($provide) {
$provide.provider('MathService', function() {
this.$get = function() {
var factory = {};
factory.multiply = function(a, b) {
return a * b;
}
return factory;
};
});
});
考虑到在配置阶段无法使用值的事实,常量用于在配置阶段传递值。
mainApp.constant("configParam", "constant value");
以下示例显示了所有上述指令的使用-
AngularJS Dependency Injection
AngularJS Sample Application
Enter a number:
Result: {{result}}
在网络浏览器中打开testAngularJS.htm并查看结果。