我是AngularJS的新手,我想了解更多有关默认情况下注入的依赖项的信息。在阅读代码时,我注意到有时依赖性是事先明确声明的,有时它们并非如此。例如:
someModule.controller('MyController', ['$scope', 'someService', function($scope, someService) {
// ...
}]);
给出与以下相同的结果:
someModule.controller('MyController', function($scope, someService) {
// ...
});
这是如何工作的? Angular是否假设被注入的模块与参数中的变量命名相同?
另外,奇怪的是,如果您确实指定了要注入的依赖项,则必须指定所有,并且正确的顺序,否则什么都不会工作。例如,这是破解的代码:
someModule.controller('MyController', ['someService', '$scope', function($scope, someService) {
// Won't give us any errors, but also won't load the dependencies properly
}]);
有人可以向我澄清这整个过程是如何运作的?非常感谢!!
答案 0 :(得分:12)
是的,Angular中的依赖注入通过您注册的组件(以及Angular - 用于内部组件)的名称来工作。
下面是一个示例,显示如何使用多个不同的注释注册服务并将其注入控制器。请注意,依赖注入在Angular中的工作方式始终相同,即如果您将某些内容注入控制器,指令或服务中并不重要。
app.service('myService', function () {
// registering a component - in this case a service
// the name is 'myService' and is used to inject this
// service into other components
});
两个在其他组件中使用(注入)此组件,我知道有三种不同的注释:
<强> 1。隐式注释
您可以指定构造函数,该函数将所有依赖项作为参数。是的,名称必须与注册这些组件时的名称相同:
app.controller('MyController', function ($http, myService) {
// ..
});
<强> 2。内联数组注释
或者你可以使用数组表示法,其中最后一个参数是带有所有注入的构造函数(在这种情况下变量名无关紧要)。数组中的其他值必须是与注入的名称匹配的字符串。 Angular可以通过这种方式检测注射剂的顺序并适当地进行检测。
app.controller('MyController', ['$http', 'myService', function ($h, m) {
/* Now here you can use all properties of $http by name of $h & myService by m */
// Example
$h.x="Putting some value"; // $h will be $http for angular app
}]);
第3。 $ inject属性注释
第三个选项是在构造函数上指定$inject
- 属性:
function MyController($http, myService) {
// ..
}
MyController.$inject = ['$http', 'myService'];
app.controller('MyController', MyController);
至少据我所知,最后两个选项可用的原因是由于在缩小JavaScript文件时出现的问题导致重命名参数的名称。然后Angular无法再检测到注射的内容。在后两种情况下,注射剂被定义为弦,在缩小过程中不会被触及。
我建议使用版本2或3,因为版本1不能使用缩小/混淆。我更喜欢版本3,因为从我的观点来看它是最明确的。
您可以在互联网上找到更详细的信息,例如在Angular Developer Guide。
答案 1 :(得分:2)
仅提供不同类型的答案,以说明AngularJS中内嵌/隐式依赖项的工作原理。 Angular在提供的函数上执行toString
并从生成的字符串中解析参数名称。示例:
function foo(bar) {}
foo.toString() === "function foo(bar) {}"
参考: