记录生活中的点滴,分享、学习、创新
推断式注入
这种注入方式,需要在保证参数名称与服务名称相同。如果代码要经过压缩等操作,就会导致注入失败。
1 2 3 4 5 6 | app.controller( "myCtrl1" , function ($scope,hello1,hello2){ $scope.hello = function (){ hello1.hello(); hello2.hello(); } }); |
标记式注入
这种注入方式,需要设置一个依赖数组,数组内是依赖的服务名字,在函数参数中,可以随意设置参数名称,但是必须保证顺序的一致性。
1 2 3 4 5 6 7 8 | var myCtrl2 = function ($scope,hello1,hello2){ $scope.hello = function (){ hello1.hello(); hello2.hello(); } } myCtrl2.$injector = [ 'hello1' , 'hello2' ]; app.controller( "myCtrl2" , myCtrl2); |
内联式注入
这种注入方式直接传入两个参数,一个是名字,另一个是一个数组。这个数组的最后一个参数是真正的方法体,其他的都是依赖的目标,但是要保证与方法体的参数顺序一致(与标记注入一样)。
1 2 3 4 5 6 | app.controller( "myCtrl3" ,[ '$scope' , 'hello1' , 'hello2' , function ($scope,hello1,hello2){ $scope.hello = function (){ hello1.hello(); hello2.hello(); } }]); |
$injector常用的方法
在angular中,可以通过angular.injector()获得注入器。
var $injector = angular.injector();
通过$injector.get('serviceName')获得依赖的服务名字
$injector.get('$scope')
通过$injector.annotate('xxx')获得xxx的所有依赖项
$injector.annotate(xxx)
样例代码
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 | <html> <head> <meta http-equiv= "Content-Type" content= "text/html; charset=utf-8" /> </head> <body ng-app= "myApp" > <div ng-controller= "myCtrl1" > <input type= "button" ng-click= "hello()" value= "ctrl1" ></input> </div> <div ng-controller= "myCtrl2" > <input type= "button" ng-click= "hello()" value= "ctrl2" ></input> </div> <div ng-controller= "myCtrl3" > <input type= "button" ng-click= "hello()" value= "ctrl3" ></input> </div> <script type= "text/javascript" > var app = angular.module( "myApp" ,[]); app.factory( "hello1" , function (){ return { hello: function (){ console.log( "hello1 service" ); } } }); app.factory( "hello2" , function (){ return { hello: function (){ console.log( "hello2 service" ); } } }); var $injector = angular.injector(); console.log(angular.equals($injector.get( '$injector' ),$injector)); //true console.log(angular.equals($injector.invoke( function ($injector) { return $injector;}),$injector)); //true //inferred // $injector.invoke(function(serviceA){}); app.controller( "myCtrl1" , function ($scope,hello1,hello2){ $scope.hello = function (){ hello1.hello(); hello2.hello(); } }); //annotated // function explicit(serviceA) {}; // explicit.$inject = ['serviceA']; // $injector.invoke(explicit); var myCtrl2 = function ($scope,hello1,hello2){ $scope.hello = function (){ hello1.hello(); hello2.hello(); } } myCtrl2.$injector = [ 'hello1' , 'hello2' ]; app.controller( "myCtrl2" , myCtrl2); //inline app.controller( "myCtrl3" ,[ '$scope' , 'hello1' , 'hello2' , function ($scope,hello1,hello2){ // app.controller("myCtrl3",['$scope','hello1','hello2',function(a,b,c){ &nb
*
|