0

我有一个包含几个 js 文件的包(由打字稿文件生成)

当我在捆绑包上使用缩小时,页面失败。

chrome控制台上的错误:

未捕获的错误:[$injector:modulerr] 无法实例化模块 AppModule,原因是:错误:[$injector:unpr] 未知提供程序:n

我将问题隔离到两个文件之一,app.module 和 app.routes 如下:

应用程序模块:

((): void=> {
    var app = angular.module("AppModule", ['ngRoute', 'ngMessages', 'app.xxx.xxx.xxxModule', 'ngSanitize']);
    app.config(AppModule.Routes.configureRoutes);
})();

app.routes:

/// <reference path="../../../../../scripts/typings/angularjs/angular.d.ts" />
/// <reference path="../../../../../scripts/typings/angularjs/angular-route.d.ts" />
module AppModule {
    declare var staticsDir: string;

    export class Routes {
        static $inject = ["$routeProvider"];
        static configureRoutes($routeProvider: ng.route.IRouteProvider) {
            $routeProvider.when("/xxx", { controller: "Uni.controllers.xxx", templateUrl: staticsDir + "/projects/xxx/xxx/xxx/xxx.html", controllerAs: "xxx" });
            $routeProvider.when("/xxx2", { controller: "Uni.controllers.xxx2", templateUrl: staticsDir + "/projects/xxx2/xxx2/xxx2/xxx2.html", controllerAs: "xxx2" });
        }
    }
}

(忽略 xxx 和模块名称,我已对其进行了清理)

我猜我看到的错误是关于 $routeProvider 的。注入有问题吗?我应该如何安全地注射这个分钟?

4

1 回答 1

2

您要求将 $routeProvider 注入您的静态函数中,这不是最小安全的。static $inject 仅适用于 Routes 类构造函数。所以你可以这样做:

app.config(['$routeProvider', AppModule.Routes.configureRoutes])

或者如果你想充分利用 Angular 的 DI:

    export class Routes {
        static $inject = ["$routeProvider"];

        constructor(private $routeProvider: ng.route.IRouteProvider){
        }
        configureRoutes() {
            this.$routeProvider.when("/xxx", { controller: "Uni.controllers.xxx", templateUrl: staticsDir + "/projects/xxx/xxx/xxx/xxx.html", controllerAs: "xxx" });
            this.$routeProvider.when("/xxx2", { controller: "Uni.controllers.xxx2", templateUrl: staticsDir + "/projects/xxx2/xxx2/xxx2/xxx2.html", controllerAs: "xxx2" });
        }
    ...
    ...
    }

将其注册为提供者本身:

IE。app.provider('myRoutes', Routes);

并将其注入配置块:

app.config(['myRoutes', function(myRoutes){
    myRoutes.configureRoutes();
}]

(或类似的东西)

于 2015-10-08T09:28:27.217 回答