这是一个非常有趣的问题。我会在我的答案前加上一个观点:我认为你不应该扩展angular.module
来提供一种dialog
方法。这些方法是内置 Angular 提供程序的快捷方式,Angular 团队会不时添加一些方法。由于您可以在不添加方法的情况下访问您正在寻找的功能dialog
,所以我不会。也就是说,下面的代码确实向您展示了一个非常基本的版本是如何工作的(它不会修改 Angular 模块原型,只是模块的单个实例)。
<div ng-app="myApp">
<div ng-controller='MainController'>
<div>
<button ng-click='askName()'>Ask Name</button>
<button ng-click='askNameAgain()'>Ask Name Again</button>
<button ng-click='askAge()'>Ask Age</button>
<button ng-click='askFood()'>Ask Food</button>
</div>
<div>{{lastResponse}}</div>
</div>
</div>
var app = angular.module('myApp', []);
// Provide some basic injectables for testing
app.constant('nameString', 'NAME');
app.constant('ageString', 'AGE');
app.constant('foodString', 'FAVORITE FOOD');
// Create the dialog provider
app.provider('dialog', function($provide, $injector) {
var dialogs = {};
this.register = function(name, configFn) {
// Create a new service
$provide.factory(name, function($window, $q) {
dialogs[name] = function() {
// Get data based on DI injected version of configFn
var data = $injector.invoke(configFn);
// faking async here since prompt is really synchronous
var deferred = $q.defer();
var response = $window.prompt(data.text);
deferred.resolve(response);
return deferred.promise;
};
return dialogs[name];
});
};
// Injecting the service itself gives you a function that
// allows you to access a dialog by name, much like $filter
this.$get = function() {
return function(name) {
return dialogs[name];
};
};
});
// Providing dialog injectables via app.config
app.config(function(dialogProvider) {
dialogProvider.register('askFood', function(foodString) {
return { text: 'What is your ' + foodString + '?' }
});
});
// Alternatively, shortcut to accessing the dialogProvider via app.dialog
app.dialog = function(name, configFn) {
app.config(function(dialogProvider) {
dialogProvider.register(name, configFn);
});
};
app.dialog('askName', function(nameString) {
return { text: 'What is your ' + nameString + '?' }
});
app.dialog('askAge', function(ageString) {
return { text: 'What is your ' + ageString + '?' }
});
app.controller('MainController',
function($scope, askName, askAge, askFood, dialog) {
var setLastResponse = function(result) {
$scope.lastResponse = result;
};
$scope.askName = function() {
askName().then(setLastResponse);
};
$scope.askNameAgain = function() {
// get the dialog through the dialog service
// much like how $filter works
var theDialog = dialog('askName');
theDialog().then(setLastResponse);
};
$scope.askAge = function() {
askAge().then(setLastResponse);
};
$scope.askFood = function() {
askFood().then(setLastResponse);
};
});
这是一个工作示例:http: //jsfiddle.net/BinaryMuse/zj4Jq/
通过利用函数$injector.invoke
内部dialogProvider.register
,您可以提供使用键的能力,例如controller
在configFn
返回的数据中。由于directive
已经有很多这样的工作方式,您可能会从查看AngularJS 源代码中获得很多。