对我的应用程序使用的各种视图使用单独的样式表的正确/可接受的方法是什么?
目前,我在视图/部分的html顶部放置了一个link元素,但有人告诉我这是一种不好的做法,即使所有现代浏览器都支持它,但我可以理解为什么对此不满意。
另一种可能性是将单独的样式表放在我的index.html中,head但是我希望它仅在以性能名义加载其视图时才加载样式表。
head
这是不好的做法吗,因为样式只有在将css从服务器加载后才会生效,从而导致在慢速浏览器中快速刷新未格式化的内容?尽管我正在本地进行测试,但我还没有目睹这一点。
有没有一种方法可以通过传递给Angular的对象加载CSS $routeProvider.when?
$routeProvider.when
提前致谢!
我知道这个问题现在已经很老了,但是在对这个问题的各种解决方案进行了大量研究之后,我认为我可能已经提出了一个更好的解决方案。
更新1: 自发布此答案以来,我已将所有这些代码添加到我发布到GitHub的简单服务中。
更新2: 如果您需要的只是为路线引入样式表的轻量级解决方案,那么此答案就很好。如果您想要一个更完整的解决方案来管理整个应用程序中的按需样式表,则可能需要检出Door3的AngularCSS项目。它提供了更多细粒度的功能。
如果将来有人感兴趣,这是我想出的:
1.为该<head>元素创建一个自定义指令:
<head>
app.directive('head', ['$rootScope','$compile', function($rootScope, $compile){ return { restrict: 'E', link: function(scope, elem){ var html = '<link rel="stylesheet" ng-repeat="(routeCtrl, cssUrl) in routeStyles" ng-href="{{cssUrl}}" />'; elem.append($compile(html)(scope)); scope.routeStyles = {}; $rootScope.$on('$routeChangeStart', function (e, next, current) { if(current && current.$$route && current.$$route.css){ if(!angular.isArray(current.$$route.css)){ current.$$route.css = [current.$$route.css]; } angular.forEach(current.$$route.css, function(sheet){ delete scope.routeStyles[sheet]; }); } if(next && next.$$route && next.$$route.css){ if(!angular.isArray(next.$$route.css)){ next.$$route.css = [next.$$route.css]; } angular.forEach(next.$$route.css, function(sheet){ scope.routeStyles[sheet] = sheet; }); } }); } }; } ]);
该指令执行以下操作:
$compile
<link/>
scope.routeStyles
ng-repeat``ng-href
<link />
$rootScope
'$routeChangeStart'
$$route
ng-repeat
注意: 这要求您的ng-app属性位于<html>元素上,而不位于上<body>或内<html>。
ng-app
<html>
<body>
2.使用以下命令指定哪些样式表属于哪些路由$routeProvider:
$routeProvider
app.config(['$routeProvider', function($routeProvider){ $routeProvider .when('/some/route/1', { templateUrl: 'partials/partial1.html', controller: 'Partial1Ctrl', css: 'css/partial1.css' }) .when('/some/route/2', { templateUrl: 'partials/partial2.html', controller: 'Partial2Ctrl' }) .when('/some/route/3', { templateUrl: 'partials/partial3.html', controller: 'Partial3Ctrl', css: ['css/partial3_1.css','css/partial3_2.css'] }) }]);
此配置将自定义css属性添加到用于设置每个页面路由的对象。该对象'$routeChangeStart'作为传递给每个事件.$$route。因此,在侦听'$routeChangeStart'事件时,我们可以获取css我们指定的属性,并<link />根据需要添加/删除这些标签。请注意,css在路由上指定属性是完全可选的,因为'/some/route/2'示例中已将其省略。如果路由没有css属性,则该<head>指令将对该路由完全不执行任何操作。还要注意,每个路由甚至可以有多个页面特定的样式表,如上'/some/route/3'例所示,其中的css属性是该路由所需样式表的相对路径的数组。
css
.$$route
'/some/route/2'
'/some/route/3'
3.完成工作 我认为,这两件事设置了所需的一切,并且使用了最干净的代码来完成了它。
希望这对我可能一直在努力解决此问题的其他人有所帮助。