詳解Angular之constructor和ngOnInit差異及適用場景
Angular中根據(jù)適用場景定義了很多生命周期函數(shù),其本質(zhì)上是事件的響應(yīng)函數(shù),其中最常用的就是ngOnInit。但在TypeScript或ES6中還存在著名為constructor的構(gòu)造函數(shù),開發(fā)過程中經(jīng)常會混淆二者,畢竟它們的含義有某些重復(fù)部分,那ngOnInit和constructor之間有什么區(qū)別呢?它們各自的適用場景又是什么呢?
區(qū)別
constructor是ES6引入類的概念后新出現(xiàn)的東東,是類的自身屬性,并不屬于Angular的范疇,所以Angular沒有辦法控制constructor。constructor會在類生成實例時調(diào)用:
import {Component} from '@angular/core';
@Component({
selector: 'hello-world',
templateUrl: 'hello-world.html'
})
class HelloWorld {
constructor() {
console.log('constructor被調(diào)用,但和Angular無關(guān)');
}
}
// 生成類實例,此時會調(diào)用constructor
new HelloWorld();
既然Angular無法控制constructor,那么ngOnInit的出現(xiàn)就不足為奇了,畢竟槍把子得握在自己手里才安全。
ngOnInit的作用根據(jù)官方的說法:
ngOnInit用于在Angular第一次顯示數(shù)據(jù)綁定和設(shè)置指令/組件的輸入屬性之后,初始化指令/組件。
ngOnInit屬于Angular生命周期的一部分,其在第一輪ngOnChanges完成之后調(diào)用,并且只調(diào)用一次:
import {Component, OnInit} from '@angular/core';
@Component({
selector: 'hello-world',
templateUrl: 'hello-world.html'
})
class HelloWorld implements OnInit {
constructor() {
}
ngOnInit() {
console.log('ngOnInit被Angular調(diào)用');
}
}
constructor適用場景
即使Angular定義了ngOnInit,constructor也有其用武之地,其主要作用是注入依賴,特別是在TypeScript開發(fā)Angular工程時,經(jīng)常會遇到類似下面的代碼:
import { Component, ElementRef } from '@angular/core';
@Component({
selector: 'hello-world',
templateUrl: 'hello-world.html'
})
class HelloWorld {
constructor(private elementRef: ElementRef) {
// 在類中就可以使用this.elementRef了
}
}
在constructor中注入的依賴,就可以作為類的屬性被使用了。
ngOnInit適用場景
ngOnInit純粹是通知開發(fā)者組件/指令已經(jīng)被初始化完成了,此時組件/指令上的屬性綁定操作以及輸入操作已經(jīng)完成,也就是說在ngOnInit函數(shù)中我們已經(jīng)能夠操作組件/指令中被傳入的數(shù)據(jù)了:
// hello-world.ts
import { Component, Input, OnInit } from '@angular/core';
@Component({
selector: 'hello-world',
template: `<p>Hello {{name}}!</p>`
})
class HelloWorld implements OnInit {
@Input()
name: string;
constructor() {
// constructor中還不能獲取到組件/指令中被傳入的數(shù)據(jù)
console.log(this.name); // undefined
}
ngOnInit() {
// ngOnInit中已經(jīng)能夠獲取到組件/指令中被傳入的數(shù)據(jù)
console.log(this.name); // 傳入的數(shù)據(jù)
}
}
所以我們可以在ngOnInit中做一些初始化操作。
總結(jié)
開發(fā)中我們經(jīng)常在ngOnInit做一些初始化的工作,而這些工作盡量要避免在constructor中進(jìn)行,constructor中應(yīng)該只進(jìn)行依賴注入而不是進(jìn)行真正的業(yè)務(wù)操作。
以上就是本文的全部內(nèi)容,希望對大家的學(xué)習(xí)有所幫助,也希望大家多多支持腳本之家。
相關(guān)文章
Angular.js回顧ng-app和ng-model使用技巧
這篇文章主要回顧Angular.js中ng-app和ng-model使用技巧,感興趣的小伙伴們可以參考一下2016-04-04
Material(包括Material Icon)在Angular2中的使用詳解
這篇文章主要介紹了Material(包括Material Icon)在Angular2中的使用,需要的朋友可以參考下2018-02-02
使用 Github Actions 自動部署 Angular 應(yīng)用到 Github Pages的方法
這篇文章主要介紹了使用 Github Actions 自動部署 Angular 應(yīng)用到 Github Pages,本文給大家介紹的非常詳細(xì),對大家的學(xué)習(xí)或工作具有一定的參考借鑒價值,需要的朋友可以參考下2020-07-07
angularjs實現(xiàn)多選框分段全選效果實現(xiàn)
這篇文章主要為大家介紹了angularjs實現(xiàn)多選框分段全選效果實現(xiàn)詳解,有需要的朋友可以借鑒參考下,希望能夠有所幫助,祝大家多多進(jìn)步,早日升職加薪2023-06-06

