angular的指令是模块化很好的一个体现,下面我将只使用指令(不用控制器),结合requirejs,实现模块化开发。
模块化关系图:
传统开发方式
<!--aaa模块--> <div> <h3>this is aaa</h3> <input type="text" ng-model="asd">{{asd}} <button ng-click="submit()">submit</button> </div> <!--bbb模块--> <div> <h3>this is bbb</h3> <ul> <li ng-repeat="el in list">{{el}}</li> </ul> <!--ccc模块--> <div> <h3>this is ccc</h3> </div> </div>
把所有模块写在一起,可读性差,耦合度高,难以维护。
requires+angular模块化开发方式
index.html:
<aaa></aaa> <bbb></bbb>
主页面干干净净。
aaa
aaa模块包括aaa.js和aaa.html
aaa.html
<div> <h3>this is aaa</h3> <input type="text" ng-model="asd">{{asd}} <button ng-click="submit()">submit</button> </div>
aaa.js(引入aaa.html,放入模板中,在link中写业务逻辑,service是用来通信的)
define([‘app‘,‘text!./aaa.html‘],function(app,aaa){ app.directive("aaa", function(service) { return { restrict: ‘AE‘, template: aaa, replace: true, scope:true, link:function(scope,element,attrs){ scope.submit=function() { service.updateName(scope.asd); }; } } }); });
封装在一个文件夹里面,随时调用复用:
require([‘./aaa/aaa‘])即可调用aaa模块;
bbb
bbb模块也是两个文件:
bbb.html
<div> <h3>this is bbb</h3> <ul> <li ng-repeat="el in list">{{el}}</li> </ul> <ccc></ccc> </div>
bbb.js
define([‘app‘,‘text!./bbb.html‘,‘./ccc/ccc‘],function(app,bbb){ app.directive(‘bbb‘,function(service){ return{ restrict:‘AE‘, template:bbb, replace:‘true‘, scope:true, link: function (scope,element,attrs) { scope.list=[1,2,3,4]; scope.$on(‘nameUpdated‘, function() { scope.list.push(service.name); }); } } }); });
bbb可以和aaa模块通过service通信,bbb还包含ccc(看bbb.html里面有个<ccc></ccc>)
ccc
ccc模块也是两个文件:
ccc.html
<div> <h3>this is ccc</h3> </div>
ccc.js
define([‘app‘,‘text!./ccc.html‘],function(app,ccc){ app.directive(‘ccc‘,function(){ return{ restrict:‘AE‘, template:ccc, replace:‘true‘, scope:true, link: function (scope,element,attrs) { } } }); });
三个模块解耦后,很好维护,因为一个文件的代码量不会超过20行,而且还便于复用。可以称为组件式开发。不要小看这个例子,并非玩玩而已,而是真正的工程化开发思路!
最后一起调用(只调用了aaa,bbb,ccc已经在bbb里调用过了),并启动app:
require([‘angular‘,‘./aaa/aaa‘,‘./bbb/bbb‘,‘service‘],function(angular){ angular.bootstrap(document,[‘app‘]); });
最后看下总体目录:
时间: 2024-10-13 20:38:31