ng-book札記——路由

来源:https://www.cnblogs.com/kenwoo/archive/2018/04/22/8906041.html
-Advertisement-
Play Games

路由的作用是分隔應用為不同的區塊,每個區塊基於匹配當前URL的規則。 路由可以分為服務端與客戶端兩種,服務端以Express.js為例: 服務端接收請求並路由至一個控制器(controller),控制器執行指定的操作(action)。 客戶端的路由在概念上與服務端相似,其好處是不需要每次URL地址變 ...


路由的作用是分隔應用為不同的區塊,每個區塊基於匹配當前URL的規則。

路由可以分為服務端與客戶端兩種,服務端以Express.js為例:

var express = require('express');
var router = express.Router();

// define the about route
router.get('/about', function(req, res) {
  res.send('About us');
});

服務端接收請求並路由至一個控制器(controller),控制器執行指定的操作(action)。

客戶端的路由在概念上與服務端相似,其好處是不需要每次URL地址變化都將路由請求發送至服務端。

客戶端路由有兩種實現方式:使用傳統的錨(anchor)標簽與HTML5客戶端路由。第一種方式也被稱為hash-based路由,URL的形式如這般:http://something/#/about。第二種依賴HTML5的history.pushState方法,缺點是老舊的瀏覽器不支持這種方式,以及伺服器也必須支持基於HTML5的路由。Angular官方推薦的是後者。

使用Angular路由的方法,首先要導入相關類庫:

import {
    RouterModule,
    Routes
} from '@angular/router';

再配置路由規則:

const routes: Routes = [
  // basic routes
  { path: '', redirectTo: 'home', pathMatch: 'full' },
  { path: 'home', component: HomeComponent },
  { path: 'about', component: AboutComponent },
  { path: 'contact', component: ContactComponent },
  { path: 'contactus', redirectTo: 'contact' }
]

path指定路由所要處理的URL,component綁定相關的組件,redirectTo重定向至已知的路由。

最後在NgModule中引入RouterModule模塊及預設的路由:

imports: [
  BrowserModule,
  FormsModule,
  HttpModule,
  RouterModule.forRoot(routes), // <-- routes

  // added this for our child module
  ProductsModule
]

Angular預設的路由策略是PathLocationStrategy,即基於HTML5的路由。如果想使用HashLocationStrategy,需要在代碼里額外申明。

providers: [
  { provide: LocationStrategy, useClass: HashLocationStrategy }
]

路由上可以帶參數,通過/route/:param的形式。不過這種情況下需要導入ActivatedRoute。

import { ActivatedRoute } from '@angular/router';
const routes: Routes = [
  { path: 'product/:id', component: ProductComponent }
];
export class ProductComponent {
  id: string;

  constructor(private route: ActivatedRoute) {
    route.params.subscribe(params => { this.id = params['id']; });
  }
}

想在頁面中添加跳轉鏈接的話,可以使用[routerLink]指令:

<div class="page-header">
  <div class="container">
  <h1>Router Sample</h1>
  <div class="navLinks">
    <a [routerLink]="['/home']">Home</a>
    <a [routerLink]="['/about']">About Us</a>
    <a [routerLink]="['/contact']">Contact Us</a>
    |
    <a [routerLink]="['/products']">Products</a>
    <a [routerLink]="['/login']">Login</a>
    <a [routerLink]="['/protected']">Protected</a>
    </div>
  </div>
</div>

而如果想要用模板頁面的話,則需要

<div id="content">
  <div class="container">
    <router-outlet></router-outlet>
  </div>
</div>

頁面中的router-outlet元素即是每個路由綁定的組件所渲染內容的位置。

複雜的頁面可能還會需要用到嵌套路由:

const routes: Routes = [
  //nested
  { path: 'products', 
    component: ProductsComponent,
    chilren: [
     { path: '', redirectTo: 'main', pathMatch: 'full' },
     { path: 'main', component: MainComponent },
     { path: 'more-info', component: MoreInfoComponent },
     { path: ':id', component: ProductComponent },
    ] 
  }
]

路由的建立是經由相對路徑來構成,所以需要有配置其基礎路徑位置的地方,一般這個配置會放在index.html頁面的base元素中。

<!doctype html>
<html>
<head>
  <meta charset="utf-8">
  <title>Routing</title>
  <base href="/">

  <meta name="viewport" content="width=device-width, initial-scale=1">
  <link rel="icon" type="image/x-icon" href="favicon.ico">
</head>
<body>
  <app-root>Loading...</app-root>
</body>
</html>

最常見的寫法就是<base href="/">

同時還可以在NgModule中以代碼實現,兩者效果等效:

providers: [
  { provide: APP_BASE_HREF, useValue: '/' } // <--- this right here
]

切換路由時可能會有要求額外的處理工作,比如認證。這種場景下,路由的構子可以派上用處。

import { Injectable } from '@angular/core';

@Injectable()
export class AuthService {
  login(user: string, password: string): boolean {
    if (user === 'user' && password === 'password') {
      localStorage.setItem('username', user);
      return true;
    }

    return false;
  }
  
  logout(): any {
    localStorage.removeItem('username');
  }

  getUser(): any {
    return localStorage.getItem('username');
  }

  isLoggedIn(): boolean {
    return this.getUser() !== null;
  }
}  
export const AUTH_PROVIDERS: Array<any> = [
  { provide: AuthService, useClass: AuthService }
];

import { Injectable } from '@angular/core';
import {
  CanActivate,
  ActivatedRouteSnapshot,
  RouterStateSnapshot
} from '@angular/router';
import { Observable } from 'rxjs/Observable';
import { AuthService } from './auth.service';

@Injectable()
export class LoggedInGuard implements CanActivate {
  constructor(private authService: AuthService) {}

  canActivate(
    next: ActivatedRouteSnapshot,
    state: RouterStateSnapshot): Observable<boolean> | Promise<boolean> | boolean {
    const isLoggedIn = this.authService.isLoggedIn();
    console.log('canActivate', isLoggedIn);
    return isLoggedIn;
  }
}
import { AUTH_PROVIDERS } from './auth.service';
import { LoggedInGuard } from './logged-in.guard';

const routes: Routes = [
 {
   path: 'protected',
   component: ProtectedComponent,
   canActivate: [ LoggedInGuard ]
 },
];

上述例子中,當路由至'protected'地址時,'LoggedInGuard'處理類會進入路由調用環路,依據是否已登陸這一信息來決定此次路由是否有效。


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 之前做過一版h5微信聊天移動端,這段時間閑來無事就整理了下之前項目,又重新在原先的那版基礎上升級了下,如是就有了現在的h5仿微信聊天高仿版,新增了微聊、通訊錄、探索、我四個模塊 左右觸摸滑屏切換,聊天頁面優化了多圖預覽、視頻播放,長按菜單UI,聊天底部編輯器重新優化整理(新增多表情),彈窗則用到了自 ...
  • 原文摘自:https://www.cnblogs.com/moqiutao/archive/2015/12/23/5070463.html 總節: 1) 定義字體標準格式: 2)字體轉換網址: http://www.freefontconverter.com/https://everythingfo ...
  • 最近因為工作關係,一直在做node.js的開發,學習了koa框架,orm框架sequelize,以及swagger文檔的配置。但是,最近因為swagger文檔使用了es6的修飾器那麼個東西(在java中被稱作註解),所以,node.js無法編譯項目,所以就需要使用babel對es6進行轉換。因為這篇 ...
  • <!DOCTYPE html><html xmlns="http://www.w3.org/1999/html"><head lang="en"> <meta charset="UTF-8"> <title></title> <link rel="stylesheet" href="../css/r ...
  • var聲明變數的作用域限制在其聲明位置的上下文中 let 聲明的變數只在其聲明的塊或子塊中可用,var的作用域是整個封閉函數 在 ECMAScript 2015 中,let綁定不受變數提升的約束,這意味著let聲明不會被提升到當前執行上下文的頂部。 在塊中的變數初始化之前,引用它將會導致 Refer ...
  • 正則的一些基礎知識 創建正則 通過構造函數 const pattern = new RegExp(pattern,modifiers) pattern: 匹配的字元串形式,可以有變數 modifiers: 匹配的模式,g(全局),i(忽略大小寫),u(多行) 字面量的形式: const patter ...
  • 最近在學習react,然後遇到react中css該怎麼寫這個問題,上知乎上看了好多大牛都說styled-components好用是大勢所趨。 但我自己用了感覺體驗卻很差,我在這裡說說我為啥覺得styled-components不好用。 1.既然用了styled-components,那除了引用全局的 ...
  • HTML內容元素中圖片元素 使用img元素:src屬性:圖片路徑。 alt屬性:圖片無法顯示的時候使用替代文本,title屬性:滑鼠懸停時顯示文本內容。 在同一張圖片上點擊不同的位置鏈接到不同的頁面上 使用map,和area元素(map是area的父元素) 加上id或者name是為瞭解決相容性。 s ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...