我正在使用angular-seed模板来构建我的应用程序。最初,我将所有 JavaScript 代码放入一个文件中,main.js
. 该文件包含我的模块声明、控制器、指令、过滤器和服务。该应用程序像这样工作得很好,但是随着我的应用程序变得更加复杂,我担心可伸缩性和可维护性。我注意到 angular-seed 模板中的每一个都有单独的文件,因此我尝试将我的代码从单个main.js
文件分发到该问题标题中提到的每个其他文件中,并在angularapp/js
的目录中找到-种子模板。
我的问题是:如何管理依赖项以使应用程序正常工作?此处找到的现有文档在这方面不是很清楚,因为给出的每个示例都显示了一个 JavaScript 源文件。
我所拥有的一个例子是:
应用程序.js
angular.module('myApp',
['myApp.filters',
'myApp.services',
'myApp.controllers']);
控制器.js
angular.module('myApp.controllers', []).
controller('AppCtrl', [function ($scope, $http, $filter, MyService) {
$scope.myService = MyService; // found in services.js
// other functions...
}
]);
过滤器.js
angular.module('myApp.filters', []).
filter('myFilter', [function (MyService) {
return function(value) {
if (MyService.data) { // test to ensure service is loaded
for (var i = 0; i < MyService.data.length; i++) {
// code to return appropriate value from MyService
}
}
}
}]
);
服务.js
angular.module('myApp.services', []).
factory('MyService', function($http) {
var MyService = {};
$http.get('resources/data.json').success(function(response) {
MyService.data = response;
});
return MyService;
}
);
main.js
/* This is the single file I want to separate into the others */
var myApp = angular.module('myApp'), []);
myApp.factory('MyService', function($http) {
// same code as in services.js
}
myApp.filter('myFilter', function(MyService) {
// same code as in filters.js
}
function AppCtrl ($scope, $http, $filter, MyService) {
// same code as in app.js
}
如何管理依赖项?
提前致谢。