B站找到一个Angular的教程,个人感觉讲的清楚明白,分享给大家:B站链接
RxJS快速入门 快速跳转
NgRx 点我
贴一下文档吧
Angular 企业实战开发
1. 概述
Angular 是一个使用 HTML、CSS、TypeScript 构建客户端应用的框架,用来构建单页应用程序。
Angular 是一个重量级的框架,内部集成了大量开箱即用的功能模块。
Angular 为大型应用开发而设计,提供了干净且松耦合的代码组织方式,使应用程序整洁更易于维护。
Angular Angular 中文 Angular CLI
2. 架构预览
2.1 模块
Angular 应用是由一个个模块组成的,此模块指的不是ESModule,而是 NgModule 即 Angular 模块。
NgModule 是一组相关功能的集合,专注于某个应用领域,可以将组件和一组相关代码关联起来,是应用组织代码结构的一种方式。
在 Angular 应用中至少要有一个根模块,用于启动应用程序。
NgModule 可以从其它 NgModule 中导入功能,前提是目标 NgModule 导出了该功能。
NgModule 是由 NgModule 装饰器函数装饰的类。
import { BrowserModule } from'@angular/platform-browser';
import { NgModule } from'@angular/core';
@NgModule({
imports: [
BrowserModule
]
})
export class AppModule { }
2.2 组件
组件用来描述用户界面,它由三部分组成,组件类、组件模板、组件样式,它们可以被集成在组件类文件中,也可以是三个不同的文件。
组件类用来编写和组件直接相关的界面逻辑,在组件类中要关联该组件的组件模板和组件样式。
组件模板用来编写组件的 HTML 结构,通过数据绑定标记将应用中数据和 DOM 进行关联。
组件样式用来编写组件的组件的外观,组件样式可以采用 CSS、LESS、SCSS、Stylus
在 Angular 应用中至少要有一个根组件,用于应用程序的启动。
组件类是由 Component 装饰器函数装饰的类。
import { Component } from"@angular/core"
@Component({
selector: "app-root",
templateUrl: "./app.component.html",
styleUrls: ["./app.component.css"]
})
export class AppComponent {
title="angular-test"
}
NgModule 为组件提供了编译的上下文环境。
import { NgModule } from'@angular/core';
import { AppComponent } from'./app.component';
@NgModule({
declarations: [
AppComponent
],
bootstrap: [AppComponent]
})
export class AppModule { }
2.3 服务
服务用于放置和特定组件无关并希望跨组件共享的数据或逻辑。
服务出现的目的在于解耦组件类中的代码,是组件类中的代码干净整洁。
服务是由 Injectable 装饰器装饰的类。
import { Injectable } from'@angular/core';
@Injectable({})
export class AppService { }
在使用服务时不需要在组件类中通过 new 的方式创建服务实例对象获取服务中提供的方法,以下写法错误,切记切记!!!
import { AppService } from"./AppService"
export class AppComponent {
let appService=new AppService()
}
服务的实例对象由 Angular 框架中内置的依赖注入系统创建和维护。服务是依赖需要被注入到组件中。
在组件中需要通过 constructor 构造函数的参数来获取服务的实例对象。
涉及参数就需要考虑参数的顺序问题,因为在 Angular 应用中会有很多服务,一个组件又不可能会使用到所有服务,如果组件要使用到最后一个服务实例对象,难道要将前面的所有参数都写上吗 ? 这显然不合理。
在组件中获取服务实例对象要结合 TypeScript 类型,写法如下。
import { AppService } from"./AppService"
export class AppComponent {
constructor (
private appService: AppService
) {}
}
Angular 会根据你指定的服务的类型来传递你想要使用的服务实例对象,这样就解决了参数的顺序问题。
在 Angular 中服务被设计为单例模式,这也正是为什么服务可以被用来在组件之间共享数据和逻辑的原因。
<!--3. 快速开始-->
3.1 创建应用
-
安装 angular-cli:npm install @angular/cli -g
-
创建应用:ng new angular-test --minimal --inlineTemplate false
-
--skipGit=true
-
--minimal=true
-
--skip-install
-
--style=css
-
--routing=false
-
--inlineTemplate
-
--inlineStyle
-
--prefix
-
运行应用:ng serve
-
--open=true 应用构建完成后在浏览器中运行
-
--hmr=true 开启热更新
-
hmrWarning=false 禁用热更新警告
-
--port 更改应用运行端口
-
访问应用:localhost:4200
3.2 默认代码解析
3.2.1 main.ts
// enableProdMode 方法调用后将会开启生产模式
import { enableProdMode } from"@angular/core"
// Angular 应用程序的启动在不同的平台上是不一样的
// 在浏览器中启动时需要用到 platformBrowserDynamic 方法, 该方法返回平台实例对象
import { platformBrowserDynamic } from"@angular/platform-browser-dynamic"
// 引入根模块 用于启动应用程序
import { AppModule } from"./app/app.module"
// 引入环境变量对象 { production: false }
import { environment } from"./environments/environment"
// 如果当前为生产环境
if (environment.production) {
// 开启生产模式
enableProdMode()
}
// 启动应用程序
platformBrowserDynamic()
.bootstrapModule(AppModule)
.catch(err=>console.error(err))
3.2.2 environment.ts
// 在执行 `ng build --prod` 时, environment.prod.ts 文件会替换 environment.ts 文件
// 该项配置可以在 angular.json 文件中找到, projects -> angular-test -> architect -> configurations -> production -> fileReplacements
export const environment= {
production: false
}
3.2.3 environment.prod.ts
export const environment= {
production: true
}
3.2.4 app.module.ts
// BrowserModule 提供了启动和运行浏览器应用所必需的服务
// CommonModule 提供各种服务和指令, 例如 ngIf 和 ngFor, 与平台无关
// BrowserModule 导入了 CommonModule, 又重新导出了 CommonModule, 使其所有指令都可用于导入 BrowserModule 的任何模块
import { BrowserModule } from"@angular/platform-browser"
// NgModule: Angular 模块装饰器
import { NgModule } from"@angular/core"
// 根组件
import { AppComponent } from"./app.component"
// 调用 NgModule 装饰器, 告诉 Angular 当前类表示的是 Angular 模块
@NgModule({
// 声明当前模块拥有哪些组件
declarations: [AppComponent],
// 声明当前模块依赖了哪些其他模块
imports: [BrowserModule],
// 声明服务的作用域, 数组中接收服务类, 表示该服务只能在当前模块的组件中使用
providers: [],
// 可引导组件, Angular 会在引导过程中把它加载到 DOM 中
bootstrap: [AppComponent]
})
export class AppModule {}
3.2.5 app.component.ts
import { Component } from"@angular/core"
@Component({
// 指定组件的使用方式, 当前为标记形式
// app-home => <app-home></app-home>
// [app-home] => <div app-home></div>
// .app-home => <div class="app-home"></div>
selector: "app-root",
// 关联组件模板文件
// templateUrl:'组件模板文件路径'
// template:`组件模板字符串`
templateUrl: "./app.component.html",
// 关联组件样式文件
// styleUrls : ['组件样式文件路径']
// styles : [`组件样式`]
styleUrls: ["./app.component.css"]
})
export class AppComponent {}
3.2.6 index.html
<!doctype html>
<htmllang="en">
<head>
<meta charset="utf-8">
<title>AngularTest</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></app-root>
</body>
</html>
3.3 共享模块
共享模块当中放置的是 Angular 应用中模块级别的需要共享的组件或逻辑。
-
创建共享模块: ng g m shared
-
创建共享组件:ng g c shared/components/Layout
-
在共享模块中导出共享组件
@NgModule({
declarations: [LayoutComponent],
exports: [LayoutComponent]
})
export class SharedModule {}
-
在根模块中导入共享模块
@NgModule({
declarations: [AppComponent],
imports: [SharedModule],
bootstrap: [AppComponent]
})
export class AppModule {}
-
在根组件中使用 Layout 组件
@Component({
selector: "app-root",
template: `
<div>App works</div>
<app-layout></app-layout>
`,
styles: []
})
export class AppComponent { }
4. 组件模板
4.1 数据绑定
数据绑定就是将组件类中的数据显示在组件模板中,当组件类中的数据发生变化时会自动被同步到组件模板中(数据驱动 DOM )。
在 Angular 中使用差值表达式进行数据绑定,即 {{ }} 大胡子语法。
<h2>{{message}}</h2>
<h2>{{getInfo()}}</h2>
<h2>{{a == b ? '相等': '不等'}}</h2>
<h2>{{'Hello Angular'}}</h2>
<p[innerHTML]="htmlSnippet"></p><!-- 对数据中的代码进行转义 -->
4.2 属性绑定
4.2.1 普通属性
属性绑定分为两种情况,绑定 DOM 对象属性和绑定HTML标记属性。
-
使用 [属性名称] 为元素绑定 DOM 对象属性。
<img [src]="imgUrl"/>
-
使用 [attr.属性名称] 为元素绑定 HTML 标记属性
<td [attr.colspan]="colSpan"></td>
在大多数情况下,DOM 对象属性和 HTML 标记属性是对应的关系,所以使用第一种情况。但是某些属性只有 HTML 标记存在,DOM 对象中不存在,此时需要使用第二种情况,比如 colspan 属性,在 DOM 对象中就没有,或者自定义 HTML 属性也需要使用第二种情况。
4.2.2 class 属性
<button class="btn btn-primary"[class.active]="isActive">按钮</button>
<div [ngClass]="{'active': true, 'error': true}"></div>
4.2.3 style 属性
<button [style.backgroundColor]="isActive ? 'blue': 'red'">按钮</button>
<button [ngStyle]="{'backgroundColor': 'red'}">按钮</button>
4.3 事件绑定
<button (click)="onSave($event)">按钮</button>
<!-- 当按下回车键抬起的时候执行函数 -->
<input type="text"(keyup.enter)="onKeyUp()"/>
export class AppComponent {
title="test"
onSave(event: Event) {
// this 指向组件类的实例对象
this.title// "test"
}
}
4.4 获取原生 DOM 对象
4.4.1 在组件模板中获取
<input type="text"(keyup.enter)="onKeyUp(username.value)" #username/>
4.4.2 在组件类中获取
使用 ViewChild 装饰器获取一个元素
<p #paragraph>home works!</p>
import { AfterViewInit, ElementRef, ViewChild } from"@angular/core"
export class HomeComponent implements AfterViewInit {
@ViewChild("paragraph") paragraph: ElementRef<HTMLParagraphElement>|undefined
ngAfterViewInit() {
console.log(this.paragraph?.nativeElement)
}
}
使用 ViewChildren 获取一组元素
<ul>
<li #items>a</li>
<li #items>b</li>
<li #items>c</li>
</ul>
import { AfterViewInit, QueryList, ViewChildren } from"@angular/core"
@Component({
selector: "app-home",
templateUrl: "./home.component.html",
styles: []
})
export class HomeComponent implements AfterViewInit {
@ViewChildren("items") items: QueryList<HTMLLIElement>|undefined
ngAfterViewInit() {
console.log(this.items?.toArray())
}
}
4.5 双向数据绑定
数据在组件类和组件模板中双向同步。
Angular 将双向数据绑定功能放在了 @angular/forms 模块中,所以要实现双向数据绑定需要依赖该模块。
import { FormsModule } from"@angular/forms"
@NgModule({
imports: [FormsModule],
})
export class AppModule {}
<input type="text" [(ngModel)]="username"/>
<button (click)="change()">在组件类中更改 username</button>
<div>username: {{ username }}</div>
export class AppComponent {
username: string=""
change() {
this.username="hello Angular"
}
}
4.6 内容投影
<!-- app.component.html -->
<bootstrap-panel>
<div class="heading">
Heading
</div>
<div class="body">
Body
</div>
</bootstrap-panel>
<!-- panel.component.html -->
<div class="panel panel-default">
<div class="panel-heading">
<ng-content select=".heading"></ng-content>
</div>
<div class="panel-body">
<ng-content select=".body"></ng-content>
</div>
</div>
如果只有一个ng-content,不需要select属性。
ng-content在浏览器中会被 <div class="heading"></div> 替代,如果不想要这个额外的div,可以使用ng-container替代这个div。
<!-- app.component.html -->
<bootstrap-panel>
<ng-container class="heading">
Heading
</ng-container>
<ng-container class="body">
Body
</ng-container>
</bootstrap-panel>
4.7 数据绑定容错处理
// app.component.ts
export class AppComponent {
task= {
person: {
name: '张三'
}
}
}
<!-- 方式一 -->
<span *ngIf="task.person">{{ task.person.name }}</span>
<!-- 方式二 -->
<span>{{ task.person?.name }}</span>
4.8 全局样式
/* 第一种方式 在 styles.css 文件中 */
@import"~bootstrap/dist/css/bootstrap.css";
/* ~ 相对node_modules文件夹 */
<!-- 第二种方式 在 index.html 文件中 -->
<link href="https://cdn.jsdelivr.net/npm/bootstrap@3.3.7/dist/css/bootstrap.min.css"rel="stylesheet"/>
// 第三种方式 在 angular.json 文件中
"styles": [
"./node_modules/bootstrap/dist/css/bootstrap.min.css",
"src/styles.css"
]
5. 指令 Directive
指令是 Angular 提供的操作 DOM 的途径。指令分为属性指令和结构指令。
属性指令:修改现有元素的外观或行为,使用 [] 包裹。
结构指令:增加、删除 DOM 节点以修改布局,使用*作为指令前缀
5.1 内置指令
5.1.1 *ngIf
根据条件渲染 DOM 节点或移除 DOM 节点。
<div *ngIf="data.length == 0">没有更多数据</div>
<div *ngIf="data.length > 0; then dataList else noData"></div>
<ng-template #dataList>课程列表</ng-template>
<ng-template #noData>没有更多数据</ng-template>
5.1.2 [hidden]
根据条件显示 DOM 节点或隐藏 DOM 节点 (display)。
<div [hidden]="data.length == 0">课程列表</div>
<div [hidden]="data.length > 0">没有更多数据</div>
5.1.3 *ngFor
遍历数据生成HTML结构
interface List {
id: number
name: string
age: number
}
list: List[] = [
{ id: 1, name: "张三", age: 20 },
{ id: 2, name: "李四", age: 30 }
]
<li
*ngFor="
let item of list;
let i = index;
let isEven = even;
let isOdd = odd;
let isFirst = first;
let isLast = last;
"
>
</li>
<li *ngFor="let item of list; trackBy: identify"></li>
identify(index, item){
returnitem.id;
}
5.2 自定义指令
需求:为元素设置默认背景颜色,鼠标移入时的背景颜色以及移出时的背景颜色。
<div [appHover]="{ bgColor: 'skyblue' }">Hello Angular</div>
import { AfterViewInit, Directive, ElementRef, HostListener, Input } from"@angular/core"
// 接收参的数类型
interface Options {
bgColor?: string
}
@Directive({
selector: "[appHover]"
})
export class HoverDirective implements AfterViewInit {
// 接收参数
@Input("appHover") appHover: Options= {}
// 要操作的 DOM 节点
element: HTMLElement
// 获取要操作的 DOM 节点
constructor(private elementRef: ElementRef) {
this.element=this.elementRef.nativeElement
}
// 组件模板初始完成后设置元素的背景颜色
ngAfterViewInit() {
this.element.style.backgroundColor=this.appHover.bgColor||"skyblue"
}
// 为元素添加鼠标移入事件
@HostListener("mouseenter") enter() {
this.element.style.backgroundColor="pink"
}
// 为元素添加鼠标移出事件
@HostListener("mouseleave") leave() {
this.element.style.backgroundColor="skyblue"
}
}
6. 管道 Pipe
管道的作用是格式化组件模板数据。
6.1 内置管道
-
date 日期格式化
-
currency 货币格式化
-
uppercase 转大写
-
lowercase 转小写
-
json 格式化json 数据
{{ date | date: "yyyy-MM-dd" }}
6.2 自定义管道
需求:指定字符串不能超过规定的长度
// summary.pipe.ts
import { Pipe, PipeTransform } from'@angular/core';
@Pipe({
name: 'summary'
});
export class SummaryPipe implements PipeTransform {
transform (value: string, limit?: number) {
if (!value) return null;
let actualLimit= (limit) ?limit : 50;
return value.substr(0, actualLimit) +'...';
}
}
// app.module.ts
import { SummaryPipe } from'./summary.pipe'
@NgModule({
declarations: [
SummaryPipe
]
});
7. 组件通讯
7.1 向组件内部传递数据
<app-favorite [isFavorite]="true"></app-favorite>
// favorite.component.ts
import { Input } from'@angular/core';
export class FavoriteComponent {
@Input() isFavorite: boolean=false;
}
注意:在属性的外面加 [] 表示绑定动态值,在组件内接收后是布尔类型,不加 [] 表示绑定普通值,在组件内接收后是字符串类型。
<app-favorite [is-Favorite]="true"></app-favorite>
import { Input } from'@angular/core';
export class FavoriteComponent {
@Input("is-Favorite") isFavorite: boolean=false
}
7.2 组件向外部传递数据
需求:在子组件中通过点击按钮将数据传递给父组件
<!-- 子组件模板 -->
<button (click)="onClick()">click</button>
// 子组件类
import { EventEmitter, Output } from"@angular/core"
export class FavoriteComponent {
@Output() change=new EventEmitter()
onClick() {
this.change.emit({ name: "张三" })
}
}
`<!-- 父组件模板 -->
<app-favorite (change)="onChange($event)"></app-favorite>
// 父组件类
export class AppComponent {
onChange(event: { name: string }) {
console.log(event)
}
}
8. 组件生命周期
8.1 挂载阶段
挂载阶段的生命周期函数只在挂载阶段执行一次,数据更新时不再执行。
-
constructor
Angular 在实例化组件类时执行, 可以用来接收 Angular 注入的服务实例对象。
export class ChildComponent {
constructor (privatetest: TestService) {
console.log(this.test) // "test"
}
}
-
ngOnInit
在首次接收到输入属性值后执行,在此处可以执行请求操作。
<app-child name="张三"></app-child>
export class ChildComponent implements OnInit {
@Input("name") name: string=""
ngOnInit() {
console.log(this.name) // "张三"
}
}
-
ngAfterContentInit
当内容投影初始渲染完成后调用。
<app-child>
<div #box>Hello Angular</div>
</app-child>
export class ChildComponent implements AfterContentInit {
@ContentChild("box") box: ElementRef<HTMLDivElement>|undefined
ngAfterContentInit() {
console.log(this.box) // <div>Hello Angular</div>
}
}
-
ngAfterViewInit
当组件视图渲染完成后调用。
<!-- app-child 组件模板 -->
<p #p>app-child works</p>
export class ChildComponent implements AfterViewInit {
@ViewChild("p") p: ElementRef<HTMLParagraphElement>|undefined
ngAfterViewInit () {
console.log(this.p) // <p>app-child works</p>
}
}
8.2 更新阶段
-
ngOnChanges
当输入属性值发生变化时执行,初始设置时也会执行一次,顺序优于 ngOnInit
不论多少输入属性同时变化,钩子函数只会执行一次,变化的值会同时存储在参数中
参数类型为 SimpleChanges,子属性类型为 SimpleChange
对于基本数据类型来说, 只要值发生变化就可以被检测到
对于引用数据类型来说, 可以检测从一个对象变成另一个对象, 但是检测不到同一个对象中属性值的变化,但是不影响组件模板更新数据。
基本数据类型值变化
<app-child [name]="name"[age]="age"></app-child>
<button (click)="change()">change</button>
export class AppComponent {
name: string="张三";
age: number=20
change() {
this.name="李四"
this.age=30
}
}
export class ChildComponent implements OnChanges {
@Input("name") name: string=""
@Input("age") age: number=0
ngOnChanges(changes: SimpleChanges) {
console.log("基本数据类型值变化可以被检测到")
}
}
引用数据类型变化
<app-child [person]="person"></app-child>
<button (click)="change()">change</button>
export class AppComponent {
person= { name: "张三", age: 20 }
change() {
this.person= { name: "李四", age: 30 }
}
}
exportclassChildComponentimplementsOnChanges {
@Input("person") person= { name: "", age: 0 }
ngOnChanges(changes: SimpleChanges) {
console.log("对于引用数据类型, 只能检测到引用地址发生变化, 对象属性变化不能被检测到")
}
}
-
ngDoCheck:主要用于调试,只要输入属性发生变化,不论是基本数据类型还是引用数据类型还是引用数据类型中的属性变化,都会执行。
-
ngAfterContentChecked:内容投影更新完成后执行。
-
ngAfterViewChecked:组件视图更新完成后执行。
8.3 卸载阶段
-
ngOnDestroy
当组件被销毁之前调用, 用于清理操作。
export class HomeComponent implements OnDestroy {
ngOnDestroy() {
console.log("组件被卸载")
}
}
9. 依赖注入
9.1 概述
依赖注入 ( Dependency Injection ) 简称DI,是面向对象编程中的一种设计原则,用来减少代码之间的耦合度。
class MailService {
constructor(APIKEY) {}
}
class EmailSender {
mailService: MailService
constructor() {
this.mailService=newMailService("APIKEY1234567890")
}
sendMail(mail) {
this.mailService.sendMail(mail)
}
}
const emailSender=newEmailSender()
emailSender.sendMail(mail)
EmailSender 类运行时要使用 MailService 类,EmailSender 类依赖 MailService 类,MailService 类是 EmailSender 类的依赖项。
以上写法的耦合度太高,代码并不健壮。如果 MailService 类改变了参数的传递方式,在 EmailSender 类中的写法也要跟着改变。
class EmailSender {
mailService: MailService
constructor(mailService: MailService) {
this.mailService=mailService;
}
}
const mailService=new MailService("APIKEY1234567890")
const emailSender=new EmailSender(mailService)
在实例化 EmailSender 类时将它的依赖项通过 constructor 构造函数参数的形式注入到类的内部,这种写法就是依赖注入。
通过依赖注入降了代码之间的耦合度,增加了代码的可维护性。MailService 类中代码的更改再也不会影响 EmailSender 类。
9.2 DI 框架
Angular 有自己的 DI 框架,它将实现依赖注入的过程隐藏了,对于开发者来说只需使用很简单的代码就可以使用复杂的依赖注入功能。
在 Angular 的 DI 框架中有四个核心概念:
Dependency:组件要依赖的实例对象,服务实例对象
Token:获取服务实例对象的标识
Injector:注入器,负责创建维护服务类的实例对象并向组件中注入服务实例对象。
Provider:配置注入器的对象,指定创建服务实例对象的服务类和获取实例对象的标识。
9.2.1 注入器 Injectors
注入器负责创建服务类实例对象,并将服务类实例对象注入到需要的组件中。
-
创建注入器
import { ReflectiveInjector } from"@angular/core"
// 服务类
classMailService {}
// 创建注入器并传入服务类
const injector=ReflectiveInjector.resolveAndCreate([MailService])
-
获取注入器中的服务类实例对象
const mailService=injector.get(MailService)
-
服务实例对象为单例模式,注入器在创建服务实例后会对其进行缓存
const mailService1=injector.get(MailService)
const mailService2=injector.get(MailService)
console.log(mailService1===mailService2) // true
-
不同的注入器返回不同的服务实例对象
const injector=ReflectiveInjector.resolveAndCreate([MailService])
const childInjector=injector.resolveAndCreateChild([MailService])
const mailService1=injector.get(MailService)
const mailService2=childInjector.get(MailService)
console.log(mailService1===mailService2)
-
服务实例的查找类似函数作用域链,当前级别可以找到就使用当前级别,当前级别找不到去父级中查找
const injector=ReflectiveInjector.resolveAndCreate([MailService])
const childInjector=injector.resolveAndCreateChild([])
const mailService1=injector.get(MailService)
const mailService2=childInjector.get(MailService)
console.log(mailService1===mailService2)
9.2.2 提供者 Provider
-
配置注入器的对象,指定了创建实例对象的服务类和访问服务实例对象的标识。
const injector=ReflectiveInjector.resolveAndCreate([
{ provide: MailService, useClass: MailService }
])
-
访问依赖对象的标识也可以是字符串类型
const injector=ReflectiveInjector.resolveAndCreate([
{ provide: "mail", useClass: MailService }
])
const mailService=injector.get("mail")
-
useValue
const injector=ReflectiveInjector.resolveAndCreate([
{
provide: "Config",
useValue: Object.freeze({
APIKEY: "API1234567890",
APISCRET: "500-400-300"
})
}
])
const Config=injector.get("Config")
将实例对象和外部的引用建立了松耦合关系,外部通过标识获取实例对象,只要标识保持不变,内部代码怎么变都不会影响到外部。
10. 服务 Service
10.1 创建服务
import { Injectable } from'@angular/core';
@Injectable({
providedIn: 'root'
})
export class TestService { }
export class AppComponent {
constructor (privatetestService: TestService) {}
}
10.2 服务的作用域
使用服务可以轻松实现跨模块跨组件共享数据,这取决于服务的作用域。
-
在根注入器中注册服务,所有模块使用同一个服务实例对象。
import { Injectable } from'@angular/core';
@Injectable({
providedIn: 'root'
})
export class CarListService {
}
-
在模块级别注册服务,该模块中的所有组件使用同一个服务实例对象。
import { Injectable } from'@angular/core';
import { CarModule } from'./car.module';
@Injectable({
providedIn: CarModule,
})
export class CarListService {
}
import { CarListService } from'./car-list.service';
@NgModule({
providers: [CarListService],
})
export class CarModule {
}
-
在组件级别注册服务,该组件及其子组件使用同一个服务实例对象。
import { Component } from'@angular/core';
import { CarListService } from'../car-list.service.ts'
@Component({
selector: 'app-car-list',
templateUrl: './car-list.component.html',
providers: [ CarListService ]
})
11. 表单
在 Angular 中,表单有两种类型,分别为模板驱动和模型驱动。
11.1 模板驱动
11.1.1 概述
表单的控制逻辑写在组件模板中,适合简单的表单类型。
11.1.2 快速上手
-
引入依赖模块 FormsModule
import { FormsModule } from"@angular/forms"
@NgModule({
imports: [FormsModule],
})
export class AppModule {}
-
将 DOM 表单转换为 ngForm
<form #f="ngForm" (submit)="onSubmit(f)"></form>
-
声明表单字段为 ngModel
<form #f="ngForm" (submit)="onSubmit(f)">
<input type="text" name="username" ngModel/>
<button>提交</button>
</form>
-
获取表单字段值
import { NgForm } from"@angular/forms"
export class AppComponent {
onSubmit(form: NgForm) {
console.log(form.value)
}
}
-
表单分组
<form #f="ngForm"(submit)="onSubmit(f)">
<div ngModelGroup="user">
<input type="text" name="username" ngModel/>
</div>
<div ngModelGroup="contact">
<input type="text" name="phone" ngModel/>
</div>
<button>提交</button>
</form>
11.1.3 表单验证
-
required 必填字段
-
minlength 字段最小长度
-
maxlength 字段最大长度
-
pattern 验证正则 例如:pattern="\d" 匹配一个数值
<form #f="ngForm"(submit)="onSubmit(f)">
<input type="text" name="username" ngModel required pattern="\d"/>
<button>提交</button>
</form>
export class AppComponent {
onSubmit(form: NgForm) {
// 查看表单整体是否验证通过
console.log(form.valid)
}
}
<!-- 表单整体未通过验证时禁用提交表单 -->
<button type="submit" [disabled]="f.invalid">提交</button>
在组件模板中显示表单项未通过时的错误信息。
<form #f="ngForm" (submit)="onSubmit(f)">
<input #username="ngModel"/>
<div *ngIf="username.touched && !username.valid && username.errors">
<div *ngIf="username.errors.required">请填写用户名</div>
<div *ngIf="username.errors.pattern">不符合正则规则</div>
</div>
</form>
指定表单项未通过验证时的样式。
input.ng-touched.ng-invalid {
border: 2pxsolidred;
}
11.2 模型驱动
11.2.1 概述
表单的控制逻辑写在组件类中,对验证逻辑拥有更多的控制权,适合复杂的表单的类型。
在模型驱动表单中,表单字段需要是 FormControl 类的实例,实例对象可以验证表单字段中的值,值是否被修改过等等
一组表单字段构成整个表单,整个表单需要是 FormGroup 类的实例,它可以对表单进行整体验证。
-
FormControl:表单组中的一个表单项
-
FormGroup:表单组,表单至少是一个 FormGroup
-
FormArray:用于复杂表单,可以动态添加表单项或表单组,在表单验证时,FormArray 中有一项没通过,整体没通过。
11.2.2 快速上手
-
引入 ReactiveFormsModule
import { ReactiveFormsModule } from"@angular/forms"
@NgModule({
imports: [ReactiveFormsModule]
})
export class AppModule {}
-
在组件类中创建 FormGroup 表单控制对象
import { FormControl, FormGroup } from"@angular/forms"
export class AppComponent {
contactForm: FormGroup=new FormGroup({
name: new FormControl(),
phone: new FormControl()
})
}
-
关联组件模板中的表单
<form [formGroup]="contactForm" (submit)="onSubmit()">
<input type="text" formControlName="name"/>
<inputt ype="text" formControlName="phone"/>
<button>提交</button>
</form>
-
获取表单值
export class AppComponent {
onSubmit() {
console.log(this.contactForm.value)
}
}
-
设置表单默认值
contactForm: FormGroup=new FormGroup({
name: new FormControl("默认值"),
phone: new FormControl(15888888888)
})
-
表单分组
contactForm: FormGroup=new FormGroup({
fullName: new FormGroup({
firstName: new FormControl(),
lastName: new FormControl()
}),
phone: newFormControl()
})
onSubmit() {
console.log(this.contactForm.value.name.username)
console.log(this.contactForm.get(["name", "username"])?.value)
}
<form [formGroup]="contactForm" (submit)="onSubmit()">
<div formGroupName="fullName">
<input type="text" formControlName="firstName"/>
<input type="text" formControlName="lastName"/>
</div>
<input type="text" formControlName="phone"/>
<button>提交</button>
</form>
11.2.3 FormArray
需求:在页面中默认显示一组联系方式,通过点击按钮可以添加更多联系方式组。
import { Component, OnInit } from"@angular/core"
import { FormArray, FormControl, FormGroup } from"@angular/forms"
@Component({
selector: "app-root",
templateUrl: "./app.component.html",
styles: []
})
export class AppComponent implements OnInit {
// 表单
contactForm: FormGroup=new FormGroup({
contacts: new FormArray([])
})
getcontacts() {
return this.contactForm.get("contacts") as FormArray
}
// 添加联系方式
addContact() {
// 联系方式
constmyContact: FormGroup=new FormGroup({
name: new FormControl(),
address: new FormControl(),
phone: new FormControl()
})
// 向联系方式数组中添加联系方式
this.contacts.push(myContact)
}
// 删除联系方式
removeContact(i: number) {
this.contacts.removeAt(i)
}
ngOnInit() {
// 添加默认的联系方式
this.addContact()
}
onSubmit() {
console.log(this.contactForm.value)
}
}
<form [formGroup]="contactForm"(submit)="onSubmit()">
<div formArrayName="contacts">
<div
*ngFor="let contact of contacts.controls; let i = index"
[formGroupName]="i"
>
<input type="text"formControlName="name"/>
<input type="text"formControlName="address"/>
<input type="text"formControlName="phone"/>
<button (click)="removeContact(i)">删除联系方式</button>
</div>
</div>
<button (click)="addContact()">添加联系方式</button>
<button>提交</button>
</form>
11.2.4 内置表单验证器
-
使用内置验证器提供的验证规则验证表单字段
import { FormControl, FormGroup, Validators } from"@angular/forms"
contactForm: FormGroup=new FormGroup({
name: new FormControl("默认值", [
Validators.required,
Validators.minLength(2)
])
})
-
获取整体表单是否验证通过
onSubmit() {
console.log(this.contactForm.valid)
}
<!-- 表单整体未验证通过时禁用表单按钮 -->
<button [disabled]="contactForm.invalid">提交</button>
-
在组件模板中显示为验证通过时的错误信息
getname() {
return this.contactForm.get("name")!
}
<form [formGroup]="contactForm"(submit)="onSubmit()">
<input type="text" formControlName="name"/>
<div *ngIf="name.touched && name.invalid && name.errors">
<div *ngIf="name.errors.required">请填写姓名</div>
<div *ngIf="name.errors.maxlength">
姓名长度不能大于
{{ name.errors.maxlength.requiredLength }} 实际填写长度为
{{ name.errors.maxlength.actualLength }}
</div>
</div>
</form>
11.2.5 自定义同步表单验证器
-
自定义验证器的类型是 TypeScript 类
-
类中包含具体的验证方法,验证方法必须为静态方法
-
验证方法有一个参数 control,类型为 AbstractControl。其实就是 FormControl 类的实例对象的类型
-
如果验证成功,返回 null
-
如果验证失败,返回对象,对象中的属性即为验证标识,值为 true,标识该项验证失败
-
验证方法的返回值为 ValidationErrors | null
import { AbstractControl, ValidationErrors } from"@angular/forms"
export class NameValidators {
// 字段值中不能包含空格
static cannotContainSpace(control: AbstractControl): ValidationErrors|null {
// 验证未通过
if (/\s/.test(control.value)) return { cannotContainSpace: true }
// 验证通过
returnnull
}
}
import { NameValidators } from"./Name.validators"
contactForm: FormGroup=newFormGroup({
name: newFormControl("", [
Validators.required,
NameValidators.cannotContainSpace
])
})
<div *ngIf="name.touched && name.invalid && name.errors">
<div *ngIf="name.errors.cannotContainSpace">姓名中不能包含空格</div>
</div>
11.2.6 自定义异步表单验证器
import { AbstractControl, ValidationErrors } from"@angular/forms"
import { Observable } from"rxjs"
export class NameValidators {
static shouldBeUnique(control: AbstractControl): Promise<ValidationErrors|null> {
return new Promise(resolve=> {
if (control.value=="admin") {
resolve({ shouldBeUnique: true })
} else {
resolve(null)
}
})
}
}
contactForm: FormGroup=new FormGroup({
name: new FormControl(
"",
[
Validators.required
],
NameValidators.shouldBeUnique
)
})
<div *ngIf="name.touched && name.invalid && name.errors">
<div *ngIf="name.errors.shouldBeUnique">用户名重复</div>
</div>
<div *ngIf="name.pending">正在检测姓名是否重复</div>
11.2.7 FormBuilder
创建表单的快捷方式。
-
this.fb.control:表单项
-
this.fb.group:表单组,表单至少是一个 FormGroup
-
this.fb.array:用于复杂表单,可以动态添加表单项或表单组,在表单验证时,FormArray 中有一项没通过,整体没通过。
import { FormBuilder, FormGroup, Validators } from"@angular/forms"
export class AppComponent {
contactForm: FormGroup
constructor(privatefb: FormBuilder) {
this.contactForm=this.fb.group({
fullName: this.fb.group({
firstName: ["😝", [Validators.required]],
lastName: [""]
}),
phone: []
})
}
}
11.2.8 练习
-
获取一组复选框中选中的值
<form [formGroup]="form"(submit)="onSubmit()">
<label *ngFor="let item of Data">
<input type="checkbox"[value]="item.value"(change)="onChange($event)"/>
{{ item.name }}
</label>
<button>提交</button>
</form>
import { Component } from"@angular/core"
import { FormArray, FormBuilder, FormGroup } from"@angular/forms"
interfaceData {
name: string
value: string
}
@Component({
selector: "app-checkbox",
templateUrl: "./checkbox.component.html",
styles: []
})
export class Checkbox Component {
Data: Array<Data>= [
{ name: "Pear", value: "pear" },
{ name: "Plum", value: "plum" },
{ name: "Kiwi", value: "kiwi" },
{ name: "Apple", value: "apple" },
{ name: "Lime", value: "lime" }
]
form: FormGroup
constructor(privatefb: FormBuilder) {
this.form=this.fb.group({
checkArray: this.fb.array([])
})
}
onChange(event: Event) {
const target=event.targetasHTMLInputElement
const checked=target.checked
const value=target.value
const checkArray=this.form.get("checkArray") asFormArray
if (checked) {
checkArray.push(this.fb.control(value))
} else {
constindex=checkArray.controls.findIndex(
control=>control.value===value
)
checkArray.removeAt(index)
}
}
onSubmit() {
console.log(this.form.value)
}
}
-
获取单选框中选中的值
export class AppComponent {
form: FormGroup
const ructor(publicfb: FormBuilder) {
this.form=this.fb.group({ gender: "" })
}
onSubmit() {
console.log(this.form.value)
}
}
<form [formGroup]="form"(submit)="onSubmit()">
<input type="radio"value="male"formControlName="gender"/> Male
<input type="radio"value="female"formControlName="gender"/> Female
<button type="submit">Submit</button>
</form>
11.2.9 其他
-
patchValue:设置表单控件的值(可以设置全部,也可以设置其中某一个,其他不受影响)
-
setValue:设置表单控件的值 (设置全部,不能排除任何一个)
-
valueChanges:当表单控件的值发生变化时被触发的事件
-
reset:表单内容置空
12. 路由
12.1 概述
在 Angular 中,路由是以模块为单位的,每个模块都可以有自己的路由。
12.2 快速上手
-
创建页面组件、Layout 组件以及 Navigation 组件,供路由使用
-
创建首页页面组件ng g c pages/home
-
创建关于我们页面组件ng g c pages/about
-
创建布局组件ng g c pages/layout
-
创建导航组件ng g c pages/navigation
-
创建路由规则
// app.module.ts
import { Routes } from"@angular/router"
const routes: Routes= [
{
path: "home",
component: HomeComponent
},
{
path: "about",
component: AboutComponent
}
]
-
引入路由模块并启动
// app.module.ts
import { RouterModule, Routes } from"@angular/router"
@NgModule({
imports: [RouterModule.forRoot(routes, { useHash: true })],
})
export class AppModule {}
-
添加路由插座
<!-- 路由插座即占位组件 匹配到的路由组件将会显示在这个地方 -->
<router-outlet></router-outlet>
-
在导航组件中定义链接
<a routerLink="/home">首页</a>
<a routerLink="/about">关于我们</a>
12.3 匹配规则
12.3.1 重定向
const routes: Routes= [
{
path: "home",
component: HomeComponent
},
{
path: "about",
component: AboutComponent
},
{
path: "",
// 重定向
redirectTo: "home",
// 完全匹配
pathMatch: "full"
}
]
12.3.2 404 页面
const routes: Routes= [
{
path: "home",
component: HomeComponent
},
{
path: "about",
component: AboutComponent
},
{
path: "**",
component: NotFoundComponent
}
]
12.4 路由传参
12.4.1 查询参数
<a routerLink="/about"[queryParams]="{ name: 'kitty' }">关于我们</a>
import { ActivatedRoute } from"@angular/router"
export class AboutComponent implements OnInit {
constructor(privateroute: ActivatedRoute) {}
ngOnInit(): void {
this.route.queryParamMap.subscribe(query=> {
query.get("name")
})
}
}
12.4.2 动态参数
const routes: Routes= [
{
path: "home",
component: HomeComponent
},
{
path: "about/:name",
component: AboutComponent
}
]
<a [routerLink]="['/about', 'zhangsan']">关于我们</a>
import { ActivatedRoute } from"@angular/router"
export class AboutComponent implements OnInit {
constructor(privateroute: ActivatedRoute) {}
ngOnInit(): void {
this.route.paramMap.subscribe(params=> {
params.get("name")
})
}
}
12.5 路由嵌套
路由嵌套指的是如何定义子级路由。
const routes: Routes= [
{
path: "about",
component: AboutComponent,
children: [
{
path: "introduce",
component: IntroduceComponent
},
{
path: "history",
component: HistoryComponent
}
]
}
]
<!-- about.component.html -->
<app-layout>
<p>about works!</p>
<a routerLink="/about/introduce">公司简介</a>
<a routerLink="/about/history">发展历史</a>
<div>
<router-outlet></router-outlet>
</div>
</app-layout>
12.6 命名插座
将子级路由组件显示到不同的路由插座中。
{
path: "about",
component: AboutComponent,
children: [
{
path: "introduce",
component: IntroduceComponent,
outlet: "left"
},
{
path: "history",
component: HistoryComponent,
outlet: "right"
}
]
}
<!-- about.component.html -->
<app-layout>
<p>about works!</p>
<router-outletname="left"></router-outlet>
<router-outletname="right"></router-outlet>
</app-layout>
<a
[routerLink]="[
'/about',
{
outlets: {
left: ['introduce'],
right: ['history']
}
}
]"
>关于我们
</a>
12.7 导航路由
<!-- app.component.html -->
<button (click)="jump()">跳转到发展历史</button>
// app.component.ts
import { Router } from"@angular/router"
export class HomeComponent {
constructor(privaterouter: Router) {}
jump() {
this.router.navigate(["/about/history"], {
queryParams: {
name: "Kitty"
}
})
}
}
12.8 路由模块
将根模块中的路由配置抽象成一个单独的路由模块,称之为根路由模块,然后在根模块中引入根路由模块。
import { NgModule } from"@angular/core"
import { HomeComponent } from"./pages/home/home.component"
import { NotFoundComponent } from"./pages/not-found/not-found.component"
const routes: Routes= [
{
path: "",
component: HomeComponent
},
{
path: "**",
component: NotFoundComponent
}
]
@NgModule({
declarations: [],
imports: [RouterModule.forRoot(routes, { useHash: true })],
// 导出 Angular 路由功能模块,因为在根模块的根组件中使用了 RouterModule 模块中提供的路由插座组件
exports: [RouterModule]
})
exportclassAppRoutingModule {}
import { BrowserModule } from"@angular/platform-browser"
import { NgModule } from"@angular/core"
import { AppComponent } from"./app.component"
import { AppRoutingModule } from"./app-routing.module"
import { HomeComponent } from"./pages/home/home.component"
import { NotFoundComponent } from"./pages/not-found/not-found.component"
@NgModule({
declarations: [AppComponent,HomeComponent, NotFoundComponent],
imports: [BrowserModule, AppRoutingModule],
providers: [],
bootstrap: [AppComponent]
})
exportclassAppModule {}
12.9 路由懒加载
路由懒加载是以模块为单位的。
-
创建用户模块 ng g m user --routing=true 一并创建该模块的路由模块
-
创建登录页面组件 ng g c user/pages/login
-
创建注册页面组件 ng g c user/pages/register
-
配置用户模块的路由规则
import { NgModule } from"@angular/core"
import { Routes, RouterModule } from"@angular/router"
import { LoginComponent } from"./pages/login/login.component"
import { RegisterComponent } from"./pages/register/register.component"
const routes: Routes= [
{
path: "login",
component: LoginComponent
},
{
path: "register",
component: RegisterComponent
}
]
@NgModule({
imports: [RouterModule.forChild(routes)],
exports: [RouterModule]
})
exportclassUserRoutingModule {}
-
将用户路由模块关联到主路由模块
// app-routing.module.ts
const routes: Routes= [
{
path: "user",
loadChildren: () =>import("./user/user.module").then(m=>m.UserModule)
}
]
-
在导航组件中添加访问链接
<a routerLink="/user/login">登录</a>
<a routerLink="/user/register">注册</a>
12.10 路由守卫
路由守卫会告诉路由是否允许导航到请求的路由。
路由守方法可以返回 boolean 或 Observable <boolean> 或 Promise <boolean>,它们在将来的某个时间点解析为布尔值。
12.10.1 CanActivate
检查用户是否可以访问某一个路由。
CanActivate 为接口,路由守卫类要实现该接口,该接口规定类中需要有 canActivate 方法,方法决定是否允许访问目标路由。
路由可以应用多个守卫,所有守卫方法都允许,路由才被允许访问,有一个守卫方法不允许,则路由不允许被访问。
创建路由守卫:ng g guard guards/auth
import { Injectable } from"@angular/core"
import { CanActivate, ActivatedRouteSnapshot, RouterStateSnapshot, UrlTree, Router } from"@angular/router"
import { Observable } from"rxjs"
@Injectable({
providedIn: "root"
})
export class AuthGuard implements CanActivate {
constructor(privaterouter: Router) {}
canActivate(): boolean|UrlTree {
// 用于实现跳转
returnthis.router.createUrlTree(["/user/login"])
// 禁止访问目标路由
returnfalse
// 允许访问目标路由
returntrue
}
}
{
path: "about",
component: AboutComponent,
canActivate: [AuthGuard]
}
12.10.2 CanActivateChild
检查用户是否方可访问某个子路由。
创建路由守卫:ng g guard guards/admin 注意:选择 CanActivateChild,需要将箭头移动到这个选项并且敲击空格确认选择。
import { Injectable } from"@angular/core"
import { CanActivateChild, ActivatedRouteSnapshot, RouterStateSnapshot, UrlTree } from"@angular/router"
import { Observable } from"rxjs"
@Injectable({
providedIn: "root"
})
export class AdminGuard implements CanActivateChild {
canActivateChild(): boolean|UrlTree {
returntrue
}
}
{
path: "about",
component: AboutComponent,
canActivateChild: [AdminGuard],
children: [
{
path: "introduce",
component: IntroduceComponent
}
]
}
12.10.3 CanDeactivate
检查用户是否可以退出路由。比如用户在表单中输入的内容没有保存,用户又要离开路由,此时可以调用该守卫提示用户。
import { Injectable } from"@angular/core"
import {
CanDeactivate,
ActivatedRouteSnapshot,
RouterStateSnapshot,
UrlTree
} from"@angular/router"
import { Observable } from"rxjs"
export interface CanComponentLeave {
canLeave: () =>boolean
}
@Injectable({
providedIn: "root"
})
export class UnsaveGuard implements CanDeactivate<CanComponentLeave> {
canDeactivate(component: CanComponentLeave): boolean {
if (component.canLeave()) {
returntrue
}
returnfalse
}
}
{
path: "",
component: HomeComponent,
canDeactivate: [UnsaveGuard]
}
import { CanComponentLeave } from"src/app/guards/unsave.guard"
export class HomeComponent implements CanComponentLeave {
myForm: FormGroup=newFormGroup({
username: newFormControl()
})
canLeave(): boolean {
if (this.myForm.dirty) {
if (window.confirm("有数据未保存, 确定要离开吗")) {
returntrue
} else {
returnfalse
}
}
returntrue
}
12.10.4 Resolve
允许在进入路由之前先获取数据,待数据获取完成之后再进入路由。
ng g resolver <name>
import { Injectable } from"@angular/core"
import { Resolve } from"@angular/router"
typereturnType=Promise<{ name: string }>
@Injectable({
providedIn: "root"
})
export class ResolveGuard implements Resolve<returnType> {
resolve(): returnType {
return new Promise(function (resolve) {
setTimeout(() => {
resolve({ name: "张三" })
}, 2000)
})
}
}
{
path: "",
component: HomeComponent,
resolve: {
user: ResolveGuard
}
}
export class HomeComponent {
constructor(privateroute: ActivatedRoute) {}
ngOnInit(): void {
console.log(this.route.snapshot.data.user)
}
}
13. RxJS
13.1 概述
13.1.1 什么是 RxJS ?
RxJS 是一个用于处理异步编程的 JavaScript 库,目标是使编写异步和基于回调的代码更容易。
13.1.2 为什么要学习 RxJS ?
就像 Angular 深度集成 TypeScript 一样,Angular 也深度集成了 RxJS。
服务、表单、事件、全局状态管理、异步请求 ...
13.1.3 快速入门
-
可观察对象 ( Observable ) :类比 Promise 对象,内部可以用于执行异步代码,通过调用内部提供的方法将异步代码执行的结果传递到可观察对象外部。
-
观察者 ( Observer ):类比 then 方法中的回调函数,用于接收可观察对象中传递出来数据。
-
订阅 ( subscribe ):类比 then 方法,通过订阅将可观察对象和观察者连接起来,当可观察对象发出数据时,订阅者可以接收到数据。
import { Observable } from"rxjs"
const observable=new Observable(function (observer) {
setTimeout(function () {
observer.next({
name: "张三"
})
}, 2000)
})
const observer= {
next: function (value) {
console.log(value)
}
}
observable.subscribe(observer)
13.2 可观察对象
13.2.1 Observable
-
在 Observable 对象内部可以多次调用 next 方法向外发送数据。
const observable=new Observable(function (observer) {
letindex=0
setInterval(function () {
observer.next(index++)
}, 1000)
})
const observer= {
next: function (value) {
console.log(value)
}
}
observable.subscribe(observer)
-
当所有数据发送完成以后,可以调用 complete 方法终止数据发送。
const observable=new Observable(function (observer) {
let index=0
let timer=setInterval(function () {
observer.next(index++)
if (index===3) {
observer.complete()
clearInterval(timer)
}
}, 1000)
})
const observer= {
next: function (value) {
console.log(value)
},
complete: function () {
console.log("数据发送完成")
}
}
observable.subscribe(observer)
-
当 Observable 内部逻辑发生错误时,可以调用 error 方法将失败信息发送给订阅者,Observable 终止。
import { Observable } from"rxjs"
const observable=new Observable(function (observer) {
let index=0
let timer=setInterval(function () {
observer.next(index++)
if (index===3) {
observer.error("发生错误")
clearInterval(timer)
}
}, 1000)
})
const observer= {
next: function (value) {
console.log(value)
},
error: function (error) {
console.log(error)
}
}
observable.subscribe(observer)
-
可观察对象是惰性的,只有被订阅后才会执行
const observable=newObservable(function () {
console.log("Hello RxJS")
})
// observable.subscribe()
-
可观察对象可以有 n 多订阅者,每次被订阅时都会得到执行
const observable=new Observable(function () {
console.log("Hello RxJS")
})
observable.subscribe()
observable.subscribe()
observable.subscribe()
observable.subscribe()
observable.subscribe()
-
取消订阅
import { interval } from"rxjs"
const obs=interval(1000)
const subscription=obs.subscribe(console.log)
setTimeout(function () {
subscription.unsubscribe()
}, 2000)
13.2.2 Subject
-
用于创建空的可观察对象,在订阅后不会立即执行,next 方法可以在可观察对象外部调用
import { Subject } from"rxjs"
const demoSubject=new Subject()
demoSubject.subscribe({next: function (value) {console.log(value)}})
demoSubject.subscribe({next: function (value) {console.log(value)}})
setTimeout(function () {
demoSubject.next("hahaha")
}, 3000)
13.2.3 BehaviorSubject
拥有 Subject 全部功能,但是在创建 Obervable 对象时可以传入默认值,观察者订阅后可以直接拿到默认值。
import { BehaviorSubject } from"rxjs"
const demoBehavior=newBehaviorSubject("默认值")
demoBehavior.subscribe({next: function (value) {console.log(value)}})
demoBehavior.next("Hello")
13.2.3 ReplaySubject
功能类似 Subject,但有新订阅者时两者处理方式不同,Subject 不会广播历史结果,而 ReplaySubject 会广播所有历史结果。
import { ReplaySubject } from"rxjs"
const rSubject=new ReplaySubject()
rSubject.subscribe(value=> {
console.log(value)
})
rSubject.next("Hello 1")
rSubject.next("Hello 2")
setTimeout(function () {
rSubject.subscribe({next: function (value) {console.log(value)}})
}, 3000)
13.3 辅助方法
13.3.1 range
range(start, length),调用方法后返回 observable 对象,被订阅后会发出指定范围的数值。
import { range } from"rxjs"
range(0, 5).subscribe(n=>console.log(n))
// 0
// 1
// 2
// 3
// 4
方法内部并不是一次发出 length 个数值,而是发送了 length 次,每次发送一个数值,就是说内部调用了 length 次 next 方法。
13.3.2 of
将参数列表作为数据流返回。
of("a", "b", [], {}, true, 20).subscribe(v=>console.log(v))
13.3.3 from
将 Array,Promise, Iterator 转换为 observable 对象。
from(["a", "b", "c"]).subscribe(v=>console.log(v))
// a
// b
// c
import { from } from"rxjs"
functionp() {
returnnewPromise(function (resolve) {
resolve([100, 200])
})
}
from(p()).subscribe(v=>console.log(v))
// [100, 200]
13.3.4 interval、timer
Interval:每隔一段时间发出一个数值,数值递增
import { interval } from"rxjs"
interval(1000).subscribe(n=>console.log(n))
timer:间隔时间过去以后发出数值,行为终止,或间隔时间发出数值后,继续按第二个参数的时间间隔继续发出值
import { timer } from"rxjs"
timer(2000).subscribe(n=>console.log(n))
timer(0, 1000).subscribe(n=>console.log(n))
13.3.5 concat
合并数据流,先让第一个数据流发出值,结束后再让第二个数据流发出值,进行整体合并。
import { concat, range } from"rxjs"
concat(range(1, 5), range(6, 5)).subscribe(console.log)
13.3.6 merge
合并数据流,多个参数一起发出数据流,按照时间线进行交叉合并。
import { merge, fromEvent, interval } from"rxjs"
const clicks=fromEvent(document, "click")
const timer=interval(1000)
merge(clicks, timer).subscribe(console.log)
13.3.7 combineLatest
将两个 Obserable 中最新发出的数据流进行组合成新的数据流,以数组的形式发出。和当前最新的进行组合。
import { combineLatest, timer } from"rxjs"
const firstTimer=timer(0, 1000) // emit 0, 1, 2... after every second, starting from now
const secondTimer=timer(500, 1000) // emit 0, 1, 2... after every second, starting 0,5s from now
combineLatest(firstTimer, secondTimer).subscribe(console.log)
// [0, 0] after 0.5s
// [1, 0] after 1s
// [1, 1] after 1.5s
// [2, 1] after 2s
13.3.8 zip
将多个 Observable 中的数据流进行组合。和将来最新的进行组合。
import { zip, of } from"rxjs"
import { map } from"rxjs/operators"
letage=of(27, 25, 29)
letname=of("Foo", "Bar", "Beer")
letisDev=of(true, true, false)
zip(name, age, isDev)
.pipe(map(([name, age, isDev]) => ({ name, age, isDev })))
.subscribe(console.log)
// { name: 'Foo', age: 27, isDev: true }
// { name: 'Bar', age: 25, isDev: true }
// { name: 'Beer', age: 29, isDev: false }
13.3.9 forkJoin
forkJoin 是 Rx 版本的 Promise.all(),即表示等到所有的 Observable 都完成后,才一次性返回值。
import axios from"axios"
import { forkJoin, from } from"rxjs"
axios.interceptors.response.use(response=>response.data)
forkJoin({
goods: from(axios.get("http://localhost:3005/goods")),
category: from(axios.get("http://localhost:3005/category"))
}).subscribe(console.log)
13.3.10 throwError
返回可观察对象并向订阅者抛出错误。
import { throwError } from"rxjs"
throwError("发生了未知错误").subscribe({ error: console.log })
13.3.11 retry
如果 Observable 对象抛出错误,则该辅助方法会重新订阅 Observable 以获取数据流,参数为重新订阅次数。
import { interval, of, throwError } from"rxjs"
import { mergeMap, retry } from"rxjs/operators"
interval(1000)
.pipe(
mergeMap(val=> {
if (val>2) {
returnthrowError("Error!")
}
returnof(val)
}),
retry(2)
)
.subscribe({
next: console.log,
error: console.log
})
13.3.12 race
接收并同时执行多个可观察对象,只将最快发出的数据流传递给订阅者。
import { race, timer } from"rxjs"
import { mapTo } from"rxjs/operators"
const obs1=timer(1000).pipe(mapTo("fast one"))
const obs2=timer(3000).pipe(mapTo("medium one"))
const obs3=timer(5000).pipe(mapTo("slow one"))
race(obs3, obs1, obs2).subscribe(console.log)
13.3.13 fromEvent
将事件转换为 Observable。
import { fromEvent } from"rxjs"
const btn=document.getElementById("btn")
// 可以将 Observer 简写成一个函数,表示 next
fromEvent(btn, "click").subscribe(e=>console.log(e))
13.4 操作符
-
数据流:从可观察对象内部输出的数据就是数据流,可观察对象内部可以向外部源源不断的输出数据。
-
操作符:用于操作数据流,可以对象数据流进行转换,过滤等等操作。
13.4.1 map、mapTo
map:对数据流进行转换,基于原有值进行转换。
import { interval } from"rxjs"
import { map } from"rxjs/operators"
interval(1000)
.pipe(map(n=>n*2))
.subscribe(n=>console.log(n))
mapTo:对数据流进行转换,不关心原有值,可以直接传入要转换后的值。
import { interval } from"rxjs"
import { mapTo } from"rxjs/operators"
interval(1000)
.pipe(mapTo({ msg: "接收到了数据流" }))
.subscribe(msg=>console.log(msg))
13.4.2 filter
对数据流进行过滤。
import { range } from"rxjs"
import { filter } from"rxjs/operators"
range(1, 10)
.pipe(filter(n=>n%2===0))
.subscribe(even=>console.log(even))
13.4.3 pluck
获取数据流对象中的属性值。
import { interval } from"rxjs"
import { pluck, mapTo } from"rxjs/operators"
interval(1000)
.pipe(
mapTo({ name: "张三", a: { b: "c" } }),
pluck("a", "b")
)
.subscribe(n=>console.log(n))
13.4.4 first
获取数据流中的第一个值或者查找数据流中第一个符合条件的值,类似数组中的 find 方法。获取到值以后终止行为。
import { interval } from"rxjs"
import { first } from"rxjs/operators"
interval(1000)
.pipe(first())
.subscribe(n=>console.log(n))
interval(1000)
.pipe(first(n=>n===3))
.subscribe(n=>console.log(n))
13.4.5 startWith
创建一个新的 observable 对象并将参数值发送出去,然后再发送源 observable 对象发出的值。
在异步编程中提供默认值的时候非常有用。
import { interval } from"rxjs"
import { first } from"rxjs/operators"
interval(1000)
.pipe(first())
.subscribe(n=>console.log(n))
interval(1000)
.pipe(first(n=>n===3))
.subscribe(n=>console.log(n))
13.4.6 every
查看数据流中的每个值是否都符合条件,返回布尔值。类似数组中的 every 方法。
import { range } from"rxjs"
import { every, map } from"rxjs/operators"
range(1, 9)
.pipe(
map(n=>n*2),
every(n=>n%2===0)
)
.subscribe(b=>console.log(b))
13.4.7 delay、delayWhen
delay:对上一环节的操作整体进行延迟,只执行一次。
import { from } from"rxjs"
import { delay, map, tap } from"rxjs/operators"
from([1, 2, 3])
.pipe(
delay(1000),
tap(n=>console.log("已经延迟 1s", n)),
map(n=>n*2),
delay(1000),
tap(() =>console.log("又延迟了 1s"))
)
.subscribe(console.log)
// tap 操作符不会对数据流造成影响, 它被用来执行简单的副作用, 比如输出, 但是复杂的副作用不要在这执行, 比如 Ajax
delayWhen:对上一环节的操作进行延迟,上一环节发出多少数据流,传入的回调函数就会执行多次。
import { range, timer } from"rxjs"
import { delayWhen } from"rxjs/operators"
range(1, 10)
.pipe(
delayWhen(n=> {
console.log(n)
returntimer(n*1000)
})
)
.subscribe(console.log)
13.4.8 take、takeWhile、takeUtil
take:获取数据流中的前几个
import { range } from"rxjs"
import { take } from"rxjs/operators"
range(1, 10).pipe(take(5)).subscribe(console.log)
takeWhile:根据条件从数据源前面开始获取。
import { range } from"rxjs"
import { takeWhile } from"rxjs/operators"
range(1, 10)
.pipe(takeWhile(n=>n<8))
.subscribe(console.log)
takeUntil:接收可观察对象,当可观察对象发出值时,终止主数据源。
import { interval, timer } from"rxjs"
import { takeUntil } from"rxjs/operators"
interval(100)
.pipe(takeUntil(timer(2000)))
.subscribe(console.log)
// 结果少两个数据流的原因:第一次和最后一次,都需要延迟 100 毫秒。
13.4.9 skip、skipWhile、skipUntil
skip:跳过前几个数据流。
import { range } from"rxjs"
import { skip } from"rxjs/operators"
range(1, 10).pipe(skip(5)).subscribe(console.log)
skipWhile:根据条件进行数据流的跳过。
import { range } from"rxjs"
import { skipWhile } from"rxjs/operators"
range(1, 10)
.pipe(skipWhile(n=>n<5))
.subscribe(console.log)
skipUntil:跳过数据源中前多少时间发出的数据流,发送从这个时间以后数据源中发送的数据流。
import { timer, interval } from"rxjs"
import { skipUntil } from"rxjs/operators"
interval(100)
.pipe(skipUntil(timer(2000)))
.subscribe(console.log)
13.4.10 last
获取数据流中的最后一个。
import { range } from"rxjs"
import { last } from"rxjs/operators"
range(1, 10).pipe(last()).subscribe(console.log)
如果数据源不变成完成状态,则没有最后一个。
import { interval } from"rxjs"
import { last, take } from"rxjs/operators"
interval(1000).pipe(take(5), last()).subscribe(console.log)
13.4.11 concatAll、concatMap
concatAll:有时 Observable 发出的又是一个 Obervable,concatAll 的作用就是将新的可观察对象和数据源进行合并。
Observable => [1, 2, 3]
Observable => [Observable, Observable]
import { fromEvent, interval } from"rxjs"
import { map, take, concatAll } from"rxjs/operators"
fromEvent(document, "click")
.pipe(
map(event=>interval(1000).pipe(take(2))),
concatAll()
)
.subscribe(console.log)
import { map, concatAll } from"rxjs/operators"
import { of, interval } from"rxjs"
interval(1000)
.pipe(
map(val=>of(val+10)),
concatAll()
)
.subscribe(console.log)
concatMap:合并可观察对象并处理其发出的数据流。
13.4.13 reduce、scan
reduce: 类似 JavaScript 数组中的 reduce,对数数据进行累计操作。reduce 会等待数据源中的数据流发送完成后再执行,执行时 reduce 内部遍历每一个数据流进行累计操作,操作完成得到结果将结果作为数据流发出。
import { interval } from"rxjs"
import { take, reduce } from"rxjs/operators"
interval(500)
.pipe(
take(5),
reduce((acc, value) =>acc+=value, 0)
)
.subscribe(v=>console.log())
scan:类似 reduce,进行累计操作,但执行时机不同,数据源每次发出数据流 scan 都会执行。reduce 是发送出最终计算的结果,而 scan 是发出每次计算的结果。
import { interval } from"rxjs"
import { take, scan } from"rxjs/operators"
interval(500)
.pipe(
take(5),
scan((acc, value) =>acc+=value, 0)
)
.subscribe(v=>console.log())
13.4.14 mergeAll、mergeMap
mergeAll:交叉合并可观察对象。
import { fromEvent, interval } from"rxjs"
import { map, mergeAll } from"rxjs/operators"
fromEvent(document, "click")
.pipe(
map(() =>interval(1000)),
mergeAll()
)
.subscribe(console.log)
mergeMap:交叉合并可观察对象以后对可观察对象发出的数据流进行转换。
import { of, interval } from"rxjs"
import { mergeMap, map } from"rxjs/operators"
of("a", "b", "c")
.pipe(mergeMap(x=>interval(1000).pipe(map(i=>x+i))))
.subscribe(x=>console.log(x))
13.4.15 throttleTime
节流,可观察对象高频次向外部发出数据流,通过 throttleTime 限制在规定时间内每次只向订阅者传递一次数据流。
import { fromEvent } from"rxjs"
import { throttleTime } from"rxjs/operators"
fromEvent(document, "click")
.pipe(throttleTime(2000))
.subscribe(x=>console.log(x))
13.4.16 debounceTime
防抖,触发高频事件,只响应最后一次。
import { fromEvent } from"rxjs"
import { debounceTime } from"rxjs/operators"
fromEvent(document, "click")
.pipe(debounceTime(1000))
.subscribe(x=>console.log(x))
13.4.17 distinctUntilChanged
检测数据源当前发出的数据流是否和上次发出的相同,如相同,跳过,不相同,发出。
import { of } from"rxjs"
import { distinctUntilChanged } from"rxjs/operators"
of(1, 1, 2, 2, 2, 1, 1, 2, 3, 3, 4)
.pipe(distinctUntilChanged())
.subscribe(x=>console.log(x)) // 1, 2, 1, 2, 3, 4
13.4.18 groupBy
对数据流进行分组。
import { of } from"rxjs"
import { mergeMap, groupBy, toArray } from"rxjs/operators"
of(
{ name: "Sue", age: 25 },
{ name: "Joe", age: 30 },
{ name: "Frank", age: 25 },
{ name: "Sarah", age: 35 }
)
.pipe(
groupBy(person=>person.age),
mergeMap(group=>group.pipe(toArray()))
)
.subscribe(console.log)
// [{name: "Sue", age: 25}, { name: "Frank", age: 25 }]
// [{ name: "Joe", age: 30 }]
// [{ name: "Sarah", age: 35 }]
13.4.19 withLatestFrom
主数据源发出的数据流总是和支数据源中的最新数据流进行结合,返回数组。
import { fromEvent, interval } from"rxjs"
import { withLatestFrom } from"rxjs/operators"
constclicks=fromEvent(document, "click")
consttimer=interval(1000)
clicks.pipe(withLatestFrom(timer)).subscribe(console.log)
13.4.20 switchMap
切换可观察对象。
import { fromEvent, interval } from"rxjs"
import { switchMap } from"rxjs/operators"
fromEvent(document, "click")
.pipe(switchMap(ev=>interval(1000)))
.subscribe(x=>console.log(x))
13.5 练习
13.5.1 元素拖拽
<style>
#box {
width: 200px;
height: 200px;
background: skyblue;
position: absolute;
left: 0;
top: 0;
}
</style>
<divid="box"></div>
// 原生 JavaScript
box.onmousedown=function (event) {
letdistanceX=event.clientX-event.target.offsetLeft
letdistanceY=event.clientY-event.target.offsetTop
document.onmousemove=function (event) {
letpositionX=event.clientX-distanceX
letpositionY=event.clientY-distanceY
box.style.left=positionX+"px"
box.style.top=positionY+"px"
}
box.onmouseup=function () {
document.onmousemove=null
}
}
// RxJS
import { fromEvent } from"rxjs"
import { map, switchMap, takeUntil } from"rxjs/operators"
constbox=document.getElementById("box")
fromEvent(box, "mousedown")
.pipe(
map(event=> ({
distanceX: event.clientX-event.target.offsetLeft,
distanceY: event.clientY-event.target.offsetTop
})),
switchMap(({ distanceX, distanceY }) =>
fromEvent(document, "mousemove").pipe(
map(event=> ({
positionX: event.clientX-distanceX,
positionY: event.clientY-distanceY
})),
takeUntil(fromEvent(document, "mouseup"))
)
)
)
.subscribe(({ positionX, positionY }) => {
box.style.left=positionX+"px"
box.style.top=positionY+"px"
})
13.5.2 搜索
<input id="search"type="text"placeholder="请输入搜索内容..."/>
import { fromEvent, from, throwError } from"rxjs"
import { debounceTime, distinctUntilChanged, map, switchMap, catchError } from"rxjs/operators"
importaxiosfrom"axios"
constsearch=document.getElementById("search")
fromEvent(search, "keyup")
.pipe(
debounceTime(700),
map(event=>event.target.value),
distinctUntilChanged(),
switchMap(keyword=>
from(
axios.get(`https://j1sonplaceholder.typicode.com/posts?q=${keyword}`)
).pipe(
map(response=>response.data),
catchError(error=>throwError(`发生了错误: ${error.message}`))
)
)
)
.subscribe({
next: value=> {
console.log(value)
},
error: error=> {
console.log(error)
}
})
13.5.3 串联请求
先获取token,再根据token获取用户信息
<button id="btn">获取用户信息</button>
import axios from"axios"
import { from, fromEvent } from"rxjs"
import { pluck, concatMap } from"rxjs/operators"
constbutton=document.getElementById("btn")
fromEvent(button, "click")
.pipe(
concatMap(event=>
from(axios.get("http://localhost:3005/token")).pipe(
pluck("data", "token")
)
),
concatMap(token=>
from(axios.get("http://localhost:3005/userInfo")).pipe(pluck("data"))
)
)
.subscribe(console.log)
14. HttpClientModule
该模块用于发送 Http 请求,用于发送请求的方法都返回 Observable 对象。
14.1 快速开始
-
引入 HttpClientModule 模块
// app.module.ts
import { httpClientModule } from'@angular/common/http';
imports: [
httpClientModule
]
-
注入 HttpClient 服务实例对象,用于发送请求
// app.component.ts
import { HttpClient } from'@angular/common/http';
exportclassAppComponent {
constructor(privatehttp: HttpClient) {}
}
-
发送请求
import { HttpClient } from"@angular/common/http"
exportclassAppComponentimplementsOnInit {
constructor(privatehttp: HttpClient) {}
ngOnInit() {
this.getUsers().subscribe(console.log)
}
getUsers() {
returnthis.http.get("https://jsonplaceholder.typicode.com/users")
}
}
14.2 请求方法
this.http.get(url [, options]);
this.http.post(url, data [, options]);
this.http.delete(url [, options]);
this.http.put(url, data [, options]);
this.http.get<Post[]>('/getAllPosts')
.subscribe(response=>console.log(response))
14.3 请求参数
-
HttpParams 类
export declare class HttpParams {
constructor(options?: HttpParamsOptions);
has(param: string): boolean;
get(param: string): string|null;
getAll(param: string): string[] |null;
keys(): string[];
append(param: string, value: string): HttpParams;
set(param: string, value: string): HttpParams;
delete(param: string, value?: string): HttpParams;
toString(): string;
}
-
HttpParamsOptions 接口
declare interface HttpParamsOptions {
fromString?: string;
fromObject?: {
[param: string]: string|ReadonlyArray<string>;
};
encoder?: HttpParameterCodec;
}
-
使用示例
import { HttpParams } from'@angular/common/http';
let params=new HttpParams({ fromObject: {name: "zhangsan", age: "20"}})
params=params.append("sex", "male")
let params=new HttpParams({ fromString: "name=zhangsan&age=20"})
14.4 请求头
请求头字段的创建需要使用 HttpHeaders 类,在类实例对象下面有各种操作请求头的方法。
export declare class HttpHeaders {
constructor(headers?: string| {
[name: string]: string|string[];
});
has(name: string): boolean;
get(name: string): string|null;
keys(): string[];
getAll(name: string): string[] |null;
append(name: string, value: string|string[]): HttpHeaders;
set(name: string, value: string|string[]): HttpHeaders;
delete(name: string, value?: string|string[]): HttpHeaders;
}
let headers=newHttpHeaders({ test: "Hello" })
14.5 响应内容
declare type HttpObserve='body'|'response';
// response 读取完整响应体
// body 读取服务器端返回的数据
this.http.get(
"https://jsonplaceholder.typicode.com/users",
{ observe: "body" }
).subscribe(console.log)
14.6 拦截器
拦截器是 Angular 应用中全局捕获和修改 HTTP 请求和响应的方式。(Token、Error)
拦截器将只拦截使用 HttpClientModule 模块发出的请求。
ng g interceptor <name>
14.6.1 请求拦截
@Injectable()
export class AuthInterceptor implements HttpInterceptor {
constructor() {}
// 拦截方法
intercept(
// unknown 指定请求体 (body) 的类型
request: HttpRequest<unknown>,
next: HttpHandler
// unknown 指定响应内容 (body) 的类型
): Observable<HttpEvent<unknown>> {
// 克隆并修改请求头
const req=request.clone({
setHeaders: {
Authorization: "Bearer xxxxxxx"
}
})
// 通过回调函数将修改后的请求头回传给应用
return next.handle(req)
}
}
14.6.2 响应拦截
@Injectable()
export class AuthInterceptor implements HttpInterceptor {
constructor() {}
// 拦截方法
intercept(
request: HttpRequest<unknown>,
next: HttpHandler
): Observable<any> {
return next.handle(request).pipe(
retry(2),
catchError((error: HttpErrorResponse) =>throwError(error))
)
}
}
14.5.3 拦截器注入
import { AuthInterceptor } from"./auth.interceptor"
import { HTTP_INTERCEPTORS } from"@angular/common/http"
@NgModule({
providers: [
{
provide: HTTP_INTERCEPTORS,
useClass: AuthInterceptor,
multi: true
}
]
})
14.7 Angular Proxy
-
在项目的根目录下创建 proxy.conf.json 文件并加入如下代码
{
"/api/*": {
"target": "http://localhost:3070",
"secure": false,
"changeOrigin": true
}
}
-
/api/*:在应用中发出的以 /api 开头的请求走此代理
-
target:服务器端 URL
-
secure:如果服务器端 URL 的协议是 https,此项需要为 true
-
changeOrigin:如果服务器端不是 localhost, 此项需要为 true
-
指定 proxy 配置文件 (方式一)
"scripts": {
"start": "ng serve --proxy-config proxy.conf.json",
}
-
指定 proxy 配置文件 (方式二)
"serve": {
"options": {
"proxyConfig": "proxy.conf.json"
},
15. NgRx
15.1 概述
NgRx 是 Angular 应用中实现全局状态管理的 Redux 架构解决方案。
-
@ngrx/store:全局状态管理模块
-
@ngrx/effects:处理副作用
-
@ngrx/store-devtools:浏览器调试工具,需要依赖 Redux Devtools Extension
-
@ngrx/schematics:命令行工具,快速生成 NgRx 文件
-
@ngrx/entity:提高开发者在 Reducer 中操作数据的效率
-
@ngrx/router-store:将路由状态同步到全局 Store
15.2 快速开始
-
下载 NgRx
npm install @ngrx/store @ngrx/effects @ngrx/entity @ngrx/router-store @ngrx/store-devtools @ngrx/schematics
-
配置 NgRx CLI
ng config cli.defaultCollection @ngrx/schematics
// angular.json
"cli": {
"defaultCollection": "@ngrx/schematics"
}
-
创建 Store
ng g store State --root --module app.module.ts --statePath store --stateInterface AppState
-
创建 Action
ng g action store/actions/counter --skipTests
import { createAction } from"@ngrx/store"
export const increment=createAction("increment")
export const decrement=createAction("decrement")
-
创建 Reducer
ng g reducer store/reducers/counter --skipTests --reducers=../index.ts
import { createReducer, on } from"@ngrx/store"
import { decrement, increment } from"../actions/counter.actions"
export const counterFeatureKey="counter"
export interfaceState {
count: number
}
export const initialState: State= {
count: 0
}
export const reducer=createReducer(
initialState,
on(increment, state=> ({ count: state.count+1 })),
on(decrement, state=> ({ count: state.count-1 }))
)
-
创建 Selector
ng g selector store/selectors/counter --skipTests
import { createFeatureSelector, createSelector } from"@ngrx/store"
import { counterFeatureKey, State } from"../reducers/counter.reducer"
import { AppState } from".."
export const selectCounter=createFeatureSelector<AppState, State>(counterFeatureKey)
export const selectCount=createSelector(selectCounter, state=>state.count)
-
组件类触发 Action、获取状态
import { select, Store } from"@ngrx/store"
import { Observable } from"rxjs"
import { AppState } from"./store"
import { decrement, increment } from"./store/actions/counter.actions"
import { selectCount } from"./store/selectors/counter.selectors"
export class AppComponent {
count: Observable<number>
constructor(privatestore: Store<AppState>) {
this.count=this.store.pipe(select(selectCount))
}
increment() {
this.store.dispatch(increment())
}
decrement() {
this.store.dispatch(decrement())
}
}
-
组件模板显示状态
<button (click)="increment()">+</button>
<span>{{ count | async }}</span>
<button (click)="decrement()">-</button>
15.3 Action Payload
-
在组件中使用 dispatch 触发 Action 时传递参数,参数最终会被放置在 Action 对象中。
this.store.dispatch(increment({ count: 5 }))
-
在创建 Action Creator 函数时,获取参数并指定参数类型。
import { createAction, props } from"@ngrx/store"
export const increment=createAction("increment", props<{ count: number }>())
export declare function props<Pextendsobject>(): Props<P>;
-
在 Reducer 中通过 Action 对象获取参数。
export const reducer=createReducer(
initialState,
on(increment, (state, action) => ({ count: state.count+action.count }))
)
15.4 MetaReducer
metaReducer 是 Action -> Reducer 之间的钩子,允许开发者对 Action 进行预处理 (在普通 Reducer 函数调用之前调用)。
function debug(reducer: ActionReducer<any>): ActionReducer<any> {
returnfunction (state, action) {
returnreducer(state, action)
}
}
export const metaReducers: MetaReducer<AppState>[] =!environment.production
? [debug]
: []
15.5 Effect
需求:在页面中新增一个按钮,点击按钮后延迟一秒让数值增加。
-
在组件模板中新增一个用于异步数值增加的按钮,按钮被点击后执行 increment_async 方法
<button (click)="increment_async()">async</button>
-
在组件类中新增 increment_async 方法,并在方法中触发执行异步操作的 Action
increment_async() {
this.store.dispatch(increment_async())
}
-
在 Action 文件中新增执行异步操作的 Action
export const increment_async=createAction("increment_async")
-
创建 Effect,接收 Action 并执行副作用,继续触发 Action
ng g effect store/effects/counter --root --module app.module.ts --skipTests
Effect 功能由 @ngrx/effects 模块提供,所以在根模块中需要导入相关的模块依赖
import { Injectable } from"@angular/core"
import { Actions, createEffect, ofType } from"@ngrx/effects"
import { increment, increment_async } from"../actions/counter.actions"
import { mergeMap, map } from"rxjs/operators"
import { timer } from"rxjs"
// createEffect
// 用于创建 Effect, Effect 用于执行副作用.
// 调用方法时传递回调函数, 回调函数中返回 Observable 对象, 对象中要发出副作用执行完成后要触发的 Action 对象
// 回调函数的返回值在 createEffect 方法内部被继续返回, 最终返回值被存储在了 Effect 类的属性中
// NgRx 在实例化 Effect 类后, 会订阅 Effect 类属性, 当副作用执行完成后它会获取到要触发的 Action 对象并触发这个 Action
// Actions
// 当组件触发 Action 时, Effect 需要通过 Actions 服务接收 Action, 所以在 Effect 类中通过 constructor 构造函数参数的方式将 Actions 服务类的实例对象注入到 Effect 类中
// Actions 服务类的实例对象为 Observable 对象, 当有 Action 被触发时, Action 对象本身会作为数据流被发出
// ofType
// 对目标 Action 对象进行过滤.
// 参数为目标 Action 的 Action Creator 函数
// 如果未过滤出目标 Action 对象, 本次不会继续发送数据流
// 如果过滤出目标 Action 对象, 会将 Action 对象作为数据流继续发出
@Injectable()
export class CounterEffects {
constructor(private actions: Actions) {
// this.loadCount.subscribe(console.log)
}
loadCount=createEffect(() => {
return this.actions.pipe(
ofType(increment_async),
mergeMap(() =>timer(1000).pipe(map(() =>increment({ count: 10 }))))
)
})
}
15.6 Entity
15.6.1 概述
Entity 译为实体,实体就是集合中的一条数据。
NgRx 中提供了实体适配器对象,在实体适配器对象下面提供了各种操作集合中实体的方法,目的就是提高开发者操作实体的效率。
15.6.2 核心
-
EntityState:实体类型接口
/*
{
ids: [1, 2],
entities: {
1: { id: 1, title: "Hello Angular" },
2: { id: 2, title: "Hello NgRx" }
}
}
*/
export interface State extends EntityState<Todo> {}
-
createEntityAdapter: 创建实体适配器对象
-
EntityAdapter:实体适配器对象类型接口
export const adapter: EntityAdapter<Todo>=createEntityAdapter<Todo>()
// 获取初始状态 可以传递对象参数 也可以不传
// {ids: [], entities: {}}
export const initialState: State=adapter.getInitialState()
15.6.3 实例方法
https://ngrx.io/guide/entity/adapter#adapter-collection-methods
15.6.4 选择器
// selectTotal 获取数据条数
// selectAll 获取所有数据 以数组形式呈现
// selectEntities 获取实体集合 以字典形式呈现
// selectIds 获取id集合, 以数组形式呈现
const { selectIds, selectEntities, selectAll, selectTotal } =adapter.getSelectors();
exportconstselectTodo=createFeatureSelector<AppState, State>(todoFeatureKey)
exportconstselectTodos=createSelector(selectTodo, selectAll)
15.7 Router Store
15.7.1 同步路由状态
-
引入模块文章来源:https://www.toymoban.com/news/detail-735172.html
import { StoreRouterConnectingModule } from"@ngrx/router-store"
@NgModule({
imports: [
StoreRouterConnectingModule.forRoot()
]
})
export class AppModule {}
-
将路由状态集成到 Store文章来源地址https://www.toymoban.com/news/detail-735172.html
import * as fromRouter from"@ngrx/router-store"
export interface AppState {
router: fromRouter.RouterReducerState
}
export const reducers: ActionReducerMap<AppState>= {
router: fromRouter.routerReducer
}
15.7.2 创建获取路由状态的 Selector
// router.selectors.ts
import { createFeatureSelector } from"@ngrx/store"
import { AppState } from".."
import { RouterReducerState, getSelectors } from"@ngrx/router-store"
const selectRouter=createFeatureSelector<AppState, RouterReducerState>(
"router"
)
export const {
// 获取和当前路由相关的信息 (路由参数、路由配置等)
selectCurrentRoute,
// 获取地址栏中 # 号后面的内容
selectFragment,
// 获取路由查询参数
selectQueryParams,
// 获取具体的某一个查询参数 selectQueryParam('name')
selectQueryParam,
// 获取动态路由参数
selectRouteParams,
// 获取某一个具体的动态路由参数 selectRouteParam('name')
selectRouteParam,
// 获取路由自定义数据
selectRouteData,
// 获取路由的实际访问地址
selectUrl
} =getSelectors(selectRouter)
// home.component.ts
import { select, Store } from"@ngrx/store"
import { AppState } from"src/app/store"
import { selectQueryParams } from"src/app/store/selectors/router.selectors"
export class AboutComponent {
constructor(privatestore: Store<AppState>) {
this.store.pipe(select(selectQueryParams)).subscribe(console.log)
}
}
到了这里,关于Angular终极教程的文章就介绍完了。如果您还想了解更多内容,请在右上角搜索TOY模板网以前的文章或继续浏览下面的相关文章,希望大家以后多多支持TOY模板网!