扫码一下
查看教程更方便
AngularJS 支持单页应用程序,它是通过单个页面上的多个视图来实现的。为此,AngularJS 提供了 ng-view
和 ng-template
指令,以及 $routeProvider
服务。
ng-view 指令只是创建一个占位符,可以根据配置放置相应的视图(HTML 或 ng-template
模板)。
在主模块中定义一个带有 ng-view 的 div。
<div ng-app = "mainApp">
...
<div ng-view></div>
</div>
ng-template 指令用于使用 script 标签来创建 HTML 视图。需要给 script 标签指定一个属性 id
,$routeProvider 使用该 id 将视图与控制器进行映射。
在主模块中定义一个类型为 ng-template 的 script 块。
<div ng-app = "mainApp">
...
<script type = "text/ng-template" id = "addStudent.htm">
<h2> Add Student </h2>
{{message}}
</script>
</div>
$routeProvider 是一个比较关键的服务,它对URL的配置进行设置,将它们映射到相应的 HTML 页面或 ng-template
,并附加一个具有相同功能的控制器。
在主模块中定义一个类型为 ng-template 的 script 块。
<div ng-app = "mainApp">
...
<script type = "text/ng-template" id = "addStudent.htm">
<h2> Add Student </h2>
{{message}}
</script>
</div>
定义一个带有主模块的 script 块并对路由进行配置。
var mainApp = angular.module("mainApp", ['ngRoute']);
mainApp.config(['$routeProvider', function($routeProvider) {
$routeProvider
.when('/addStudent', {
templateUrl: 'addStudent.htm', controller: 'AddStudentController'
})
.when('/viewStudents', {
templateUrl: 'viewStudents.htm', controller: 'ViewStudentsController'
})
.otherwise ({
redirectTo: '/addStudent'
});
}]);
在上面的例子中需要考虑以下几点很重要 -
下面的示例综合了上面所有的指令
<h2>AngularJS Sample Application</h2>
<div ng-app = "mainApp">
<p><a href = "#addStudent">Add Student</a></p>
<p><a href = "#viewStudents">View Students</a></p>
<div ng-view></div>
<script type = "text/ng-template" id = "addStudent.htm">
<h2> Add Student </h2>
{{message}}
</script>
<script type = "text/ng-template" id = "viewStudents.htm">
<h2> View Students </h2>
{{message}}
</script>
</div>
<script>
var mainApp = angular.module("mainApp", ['ngRoute']);
mainApp.config(['$routeProvider', function($routeProvider) {
$routeProvider
.when('/addStudent', {
templateUrl: 'addStudent.htm',
controller: 'AddStudentController'
})
.when('/viewStudents', {
templateUrl: 'viewStudents.htm',
controller: 'ViewStudentsController'
})
.otherwise({
redirectTo: '/addStudent'
});
}]);
mainApp.controller('AddStudentController', function($scope) {
$scope.message = "This page will be used to display add student form";
});
mainApp.controller('ViewStudentsController', function($scope) {
$scope.message = "This page will be used to display all the students";
});
</script>