动态加载AngularJS控制器

时间:2013-03-06 14:57:49

标签: javascript angularjs

我有一个现有的页面,我需要删除一个带有可以动态加载的控制器的角度应用程序。

这是一个片段,它基于API和我发现的一些相关问题实现了我应该如何完成的最佳猜测:

// Make module Foo
angular.module('Foo', []);
// Bootstrap Foo
var injector = angular.bootstrap($('body'), ['Foo']);
// Make controller Ctrl in module Foo
angular.module('Foo').controller('Ctrl', function() { });
// Load an element that uses controller Ctrl
var ctrl = $('<div ng-controller="Ctrl">').appendTo('body');
// compile the new element
injector.invoke(function($compile, $rootScope) {
    // the linker here throws the exception
    $compile(ctrl)($rootScope);
});

JSFiddle。请注意,这是实际事件链的简化,上面的行之间有各种异步调用和用户输入。

当我尝试运行上面的代码时,$ compile返回的链接器抛出:Argument 'Ctrl' is not a function, got undefined。如果我正确理解了bootstrap,它返回的注入器应该知道Foo模块,对吗?

如果我使用angular.injector(['ng', 'Foo'])创建一个新的注入器,它似乎可以工作,但它会创建一个新的$rootScope,它不再与Foo模块所在的元素相同。自举。

我是否使用正确的功能来执行此操作,或者是否有我错过的内容?我知道这不是以Angular方式进行的,但是我需要添加使用Angular的新组件到没有的旧页面,而且我不知道在引导模块时可能需要的所有组件。 / p>

更新

我已更新fiddle以显示我需要能够在未确定的时间点向页面添加多个控制器。

8 个答案:

答案 0 :(得分:71)

我找到了一个可能的解决方案,在引导之前我不需要了解控制器:

// Make module Foo and store $controllerProvider in a global
var controllerProvider = null;
angular.module('Foo', [], function($controllerProvider) {
    controllerProvider = $controllerProvider;
});
// Bootstrap Foo
angular.bootstrap($('body'), ['Foo']);

// .. time passes ..

// Load javascript file with Ctrl controller
angular.module('Foo').controller('Ctrl', function($scope, $rootScope) {
    $scope.msg = "It works! rootScope is " + $rootScope.$id +
        ", should be " + $('body').scope().$id;
});
// Load html file with content that uses Ctrl controller
$('<div id="ctrl" ng-controller="Ctrl" ng-bind="msg">').appendTo('body');

// Register Ctrl controller manually
// If you can reference the controller function directly, just run:
// $controllerProvider.register(controllerName, controllerFunction);
// Note: I haven't found a way to get $controllerProvider at this stage
//    so I keep a reference from when I ran my module config
function registerController(moduleName, controllerName) {
    // Here I cannot get the controller function directly so I
    // need to loop through the module's _invokeQueue to get it
    var queue = angular.module(moduleName)._invokeQueue;
    for(var i=0;i<queue.length;i++) {
        var call = queue[i];
        if(call[0] == "$controllerProvider" &&
           call[1] == "register" &&
           call[2][0] == controllerName) {
            controllerProvider.register(controllerName, call[2][1]);
        }
    }
}
registerController("Foo", "Ctrl");
// compile the new element
$('body').injector().invoke(function($compile, $rootScope) {
    $compile($('#ctrl'))($rootScope);
    $rootScope.$apply();
});

Fiddle。唯一的问题是你需要存储$controllerProvider并在不应该使用它的地方使用它(在引导程序之后)。在注册之前,似乎没有一种简单的方法来获取用于定义控制器的函数,因此我需要遍历模块的_invokeQueue,这是未记录的。

更新:要注册指令和服务,请分别使用$controllerProvider.register$compileProvider.directive代替$provide.factory。同样,您需要在初始模块配置中保存对这些的引用。

UDPATE 2: Here's a fiddle自动注册加载的所有控制器/指令/服务,而无需单独指定。

答案 1 :(得分:17)

bootstrap()将为您调用AngularJS编译器,就像ng-app。

一样
// Make module Foo
angular.module('Foo', []);
// Make controller Ctrl in module Foo
angular.module('Foo').controller('Ctrl', function($scope) { 
    $scope.name = 'DeathCarrot' });
// Load an element that uses controller Ctrl
$('<div ng-controller="Ctrl">{{name}}</div>').appendTo('body');
// Bootstrap with Foo
angular.bootstrap($('body'), ['Foo']);

Fiddle

答案 2 :(得分:7)

我建议你看看ocLazyLoad library,它在运行时注册模块(或现有模块上的控制器,服务等),并使用requireJs或其他类似的库加载它们。

答案 3 :(得分:2)

我还需要在angularJs上下文之外的javascript函数中添加多个视图并在运行时将它们绑定到控制器,所以这就是我想出的:

<div id="mController" ng-controller="mainController">
</div>

<div id="ee">
  2nd controller's view should be rendred here
</div>

现在调用setCnt()函数将注入并编译html,它将链接到第二个控制器:

var app = angular.module('app', []);

function setCnt() {
  // Injecting the view's html
  var e1 = angular.element(document.getElementById("ee"));
  e1.html('<div ng-controller="ctl2">my name: {{name}}</div>');

  // Compile controller 2 html
  var mController = angular.element(document.getElementById("mController"));
  mController.scope().activateView(e1);
}

app.controller("mainController", function($scope, $compile) {
  $scope.name = "this is name 1";

  $scope.activateView = function(ele) {
    $compile(ele.contents())($scope);
    $scope.$apply();
  };
});

app.controller("ctl2", function($scope) {
  $scope.name = "this is name 2";
});

这是一个测试它的示例:http://refork.com/x4bc

希望这会有所帮助。

答案 4 :(得分:1)

我刚刚改进了Jussi-Kosunen编写的功能,所以所有的东西都可以通过一次调用来完成。

function registerController(moduleName, controllerName, template, container) {
    // Load html file with content that uses Ctrl controller
    $(template).appendTo(container);
    // Here I cannot get the controller function directly so I
    // need to loop through the module's _invokeQueue to get it
    var queue = angular.module(moduleName)._invokeQueue;
    for(var i=0;i<queue.length;i++) {
        var call = queue[i];
        if(call[0] == "$controllerProvider" &&
            call[1] == "register" &&
            call[2][0] == controllerName) {
                controllerProvider.register(controllerName, call[2][1]);
            }
        }

        angular.injector(['ng', 'Foo']).invoke(function($compile, $rootScope) {
            $compile($('#ctrl'+controllerName))($rootScope);
            $rootScope.$apply();
        });
}

通过这种方式,您可以从任何地方加载模板,并以编程方式实现控制器,甚至嵌套。

这是一个将控制器加载到另一个控制器中的工作示例: http://plnkr.co/edit/x3G38bi7iqtXKSDE09pN

答案 5 :(得分:1)

为什么不使用config和ui-router?

它在运行时加载,您无需在html代码中显示控制器

例如以下内容

var config = {

   config: function(){
        mainApp.config(function ($stateProvider, $urlRouterProvider){
            $urlRouterProvider.otherwise("/");
            $stateProvider

            .state('index',{
                views:{
                    'main':{
                        controller: 'PublicController',
                        templateUrl: 'templates/public-index.html'
                    }
                }
            })
            .state('public',{
                url: '/',
                parent: 'index',
                views: {
                    'logo' : {templateUrl:'modules/header/views/logo.html'},
                    'title':{
                        controller: 'HeaderController',
                        templateUrl: 'modules/header/views/title.html'
                    },
                    'topmenu': {
                        controller: 'TopMenuController',
                        templateUrl: 'modules/header/views/topmenu.html'
                    },
                    'apartments': {
                        controller: 'FreeAptController',
                        templateUrl:'modules/free_apt/views/apartments.html'
                    },
                    'appointments': {
                        controller: 'AppointmentsController',
              templateUrl:'modules/appointments/views/frm_appointments.html'
                    },
                }
            })
            .state('inside',{
                views:{
                    'main':{
                        controller: 'InsideController',
                        templateUrl: 'templates/inside-index.html'
                    },
                },
                resolve: {
                    factory:checkRouting
                }
            })
            .state('logged', {
                url:'/inside',
                parent: 'inside',
                views:{        
                    'logo': {templateUrl: 'modules/inside/views/logo.html'},
                    'title':{templateUrl:'modules/inside/views/title.html'},
                    'topmenu': {
                       // controller: 'InsideTopMenuController',
                        templateUrl: 'modules/inside/views/topmenu.html'
                    },
                    'messages': {
                        controller: 'MessagesController',
                        templateUrl: 'modules/inside/modules/messages/views/initial-view-messages.html'
                    },
                    'requests': {
                        //controller: 'RequestsController',
                        //templateUrl: 'modules/inside/modules/requests/views/initial-view-requests.html'
                    },

                }

            })

    });
},

};

答案 6 :(得分:1)

这就是我所做的,真正的2个部分,使用ng-controller及其范围定义函数,然后使用$ controller service来创建动态控制器: -

首先,HTML - 我们需要一个静态控制器,它将实例化一个动态控制器..

<div ng-controller='staticCtrl'>
  <div ng-controller='dynamicCtrl'>
    {{ dynamicStuff }}
  </div>
</div>

静态控制器'staticCtrl'定义一个名为'dynamicCtrl'的作用域成员,调用它来创建动态控制器。 ng-controller将按名称采用预定义的控制器,或者查看同名函数的当前范围。

.controller('staticCtrl', ['$scope', '$controller', function($scope, $controller) {
  $scope.dynamicCtrl = function() {
    var fn = eval('(function ($scope, $rootScope) { alert("I am dynamic, my $scope.$id = " + $scope.$id + ", $rootScope.$id = " + $rootScope.$id); })');
    return $controller(fn, { $scope: $scope.$new() }).constructor;
  }
}])

我们使用eval()来获取一个字符串(我们的动态代码可以来自任何地方),然后是$ controller服务,它将采用预定义的控制器名称(正常情况)或函数构造函数,后跟构造函数参数(我们传入一个新的范围) - Angular将注入(像任何控制器一样)到函数中,我们只需要$ scope和$ rootScope。

答案 7 :(得分:0)

'use strict';

var mainApp = angular.module('mainApp', [
    'ui.router', 
    'ui.bootstrap', 
    'ui.grid',
    'ui.grid.edit',
    'ngAnimate',
    'headerModule', 
    'galleryModule', 
    'appointmentsModule', 
 ]);


(function(){

    var App = {
        setControllers:   mainApp.controller(controllers),
        config:   config.config(),
        factories: {
            authFactory: factories.auth(),
            signupFactory: factories.signup(),
            someRequestFactory: factories.saveSomeRequest(),
        },
        controllers: {
            LoginController: controllers.userLogin(),
            SignupController: controllers.signup(),
            WhateverController: controllers.doWhatever(),
        },
        directives: {
            signup: directives.signup(), // add new user
            openLogin: directives.openLogin(), // opens login window
            closeModal: directives.modalClose(), // close modal window
            ngFileSelect: directives.fileSelect(),
            ngFileDropAvailable: directives.fileDropAvailable(),
            ngFileDrop: directives.fileDrop()
        },
        services: {
           $upload: services.uploadFiles(),
        }
    };
})();

上面的代码只是一个例子。

这样您就不需要将ng-controller="someController"放在网页的任何位置 - 您只需声明<body ng-app="mainApp">

相同的结构可用于模块内的每个模块或模块