基本的例子
此示例显示使用 controllerAs
语法设置具有 3 条路径的小型应用程序,每条路径都有自己的视图和控制器。
我们在角度 .config
功能配置我们的路由器
- 我们将
$routeProvider
注入.config
- 我们使用路由定义对象在
.when
方法中定义路由名称。 - 我们为
.when
方法提供了一个指定我们的template
或templateUrl
,controller
和controllerAs
的对象
app.js
angular.module('myApp', ['ngRoute'])
.controller('controllerOne', function() {
this.message = 'Hello world from Controller One!';
})
.controller('controllerTwo', function() {
this.message = 'Hello world from Controller Two!';
})
.controller('controllerThree', function() {
this.message = 'Hello world from Controller Three!';
})
.config(function($routeProvider) {
$routeProvider
.when('/one', {
templateUrl: 'view-one.html',
controller: 'controllerOne',
controllerAs: 'ctrlOne'
})
.when('/two', {
templateUrl: 'view-two.html',
controller: 'controllerTwo',
controllerAs: 'ctrlTwo'
})
.when('/three', {
templateUrl: 'view-three.html',
controller: 'controllerThree',
controllerAs: 'ctrlThree'
})
// redirect to here if no other routes match
.otherwise({
redirectTo: '/one'
});
});
然后在我们的 HTML 中,我们使用 <a>
使用 <a>
元素定义我们的导航,路由名称 helloRoute
我们将路由为 <a href="#/helloRoute">My route</a>
我们还提供了一个容器和指令 ng-view
来注入我们的路线。
index.html
<div ng-app="myApp">
<nav>
<!-- links to switch routes -->
<a href="#/one">View One</a>
<a href="#/two">View Two</a>
<a href="#/three">View Three</a>
</nav>
<!-- views will be injected here -->
<div ng-view></div>
<!-- templates can live in normal html files -->
<script type="text/ng-template" id="view-one.html">
<h1>{{ctrlOne.message}}</h1>
</script>
<script type="text/ng-template" id="view-two.html">
<h1>{{ctrlTwo.message}}</h1>
</script>
<script type="text/ng-template" id="view-three.html">
<h1>{{ctrlThree.message}}</h1>
</script>
</div>