站長資訊網
最全最豐富的資訊網站

淺析Angular變更檢測中的DOM更新機制

淺析Angular變更檢測中的DOM更新機制

前端(vue)入門到精通課程,老師在線輔導:聯系老師
Apipost = Postman + Swagger + Mock + Jmeter 超好用的API調試工具:點擊使用

變更檢測是Angular中很重要的一部分,也就是模型和視圖之間保持同步。在日常開發過程中,我們無需了解變更檢測,因為Angular都幫我們完成了這一部分工作,讓開發人員更加專注于業務實現,提高開發效率和開發體驗。但是如果想要深入使用框架,或者想要寫出高性能的代碼而不僅僅只是實現了功能,就必須要去了解變更檢測,它可以幫助我們更好的理解框架,調試錯誤,提高性能等。【相關教程推薦:《angular教程》】

Angular的DOM更新機制

我們先來看一個小例子。

淺析Angular變更檢測中的DOM更新機制

當我們點擊按鈕的時候,改變了name屬性,同時DOM自動被更新成新的name值。

那現在有一個問題,如果我改變name的值后,緊接著把DOM中的innerText輸出出來,它會是什么值呢?

import { Component, ViewChild, ElementRef } from '@angular/core';  @Component({   selector: 'my-app',   templateUrl: './app.component.html',   styleUrls: [ './app.component.css' ] }) export class AppComponent  {   name = 'Empty';    @ViewChild('textContainer') textContainer: ElementRef;    normalClick(): void {     this.name = 'Hello Angular';      console.log(this.textContainer.nativeElement.innerText);   } }
登錄后復制

你答對了嗎?

那這兩段代碼中到底發生了什么呢?

如果我們用原生JS來編寫這段代碼,那么點擊按鈕后的視圖肯定不會發生任何變化,而在Angular中卻讓視圖發生了變化,那它為什么會自動把視圖更新了呢?這離不開一個叫做zone.js的庫,簡單來說,它是對發生值改變的事件做了一些處理,這個會在后面的部分詳細講解,這里暫時知道這個就可以了。

如果我不想讓這個庫做這些處理,Angular還為我們提供了禁用zone.js的方法。

可以在main.ts中設置禁用zone.js。

import { enableProdMode } from '@angular/core'; import { platformBrowserDynamic } from '@angular/platform-browser-dynamic';  import { AppModule } from './app/app.module'; import { environment } from './environments/environment';  if (environment.production) {   enableProdMode(); }  platformBrowserDynamic().bootstrapModule(AppModule, {   ngZone: 'noop' })   .catch(err => console.error(err));
登錄后復制

淺析Angular變更檢測中的DOM更新機制

當我們禁用zone.js,視圖并未發生更新。到源碼里找一下視圖更新的相關代碼。

 */ class ApplicationRef {     /** @internal */     constructor(_zone, _injector, _exceptionHandler, _initStatus) {         this._zone = _zone;         this._injector = _injector;         this._exceptionHandler = _exceptionHandler;         this._initStatus = _initStatus;         /** @internal */         this._bootstrapListeners = [];         this._views = [];         this._runningTick = false;         this._stable = true;         this._destroyed = false;         this._destroyListeners = [];         /**          * Get a list of component types registered to this application.          * This list is populated even before the component is created.          */         this.componentTypes = [];         /**          * Get a list of components registered to this application.          */         this.components = [];         this._onMicrotaskEmptySubscription = this._zone.onMicrotaskEmpty.subscribe({             next: () => {                 this._zone.run(() => {                     this.tick();                 });             }         });         ...     }  /**      * Invoke this method to explicitly process change detection and its side-effects.      *      * In development mode, `tick()` also performs a second change detection cycle to ensure that no      * further changes are detected. If additional changes are picked up during this second cycle,      * bindings in the app have side-effects that cannot be resolved in a single change detection      * pass.      * In this case, Angular throws an error, since an Angular application can only have one change      * detection pass during which all change detection must complete.      */     tick() {         NG_DEV_MODE && this.warnIfDestroyed();         if (this._runningTick) {             const errorMessage = (typeof ngDevMode === 'undefined' || ngDevMode) ?                 'ApplicationRef.tick is called recursively' :                 '';             throw new RuntimeError(101 /* RuntimeErrorCode.RECURSIVE_APPLICATION_REF_TICK */, errorMessage);         }         try {             this._runningTick = true;             for (let view of this._views) {                 view.detectChanges();             }             if (typeof ngDevMode === 'undefined' || ngDevMode) {                 for (let view of this._views) {                     view.checkNoChanges();                 }             }         }         catch (e) {             // Attention: Don't rethrow as it could cancel subscriptions to Observables!             this._zone.runOutsideAngular(() => this._exceptionHandler.handleError(e));         }         finally {             this._runningTick = false;         }     }  }
登錄后復制

大致解讀一下,這個ApplicationRef是Angular整個應用的實例,在構造函數中,zone(zone庫)的onMicrotaskEmpty(從名字上看是一個清空微任務的一個subject)訂閱了一下。在訂閱里,調用了tick(),那tick里做了什么呢

思考: 上次說了最好訂閱不要放到constructor里去訂閱,這里怎么這么不規范呢?

當然不是,上次我們說的是Angular組件里哪些應該放constructor,哪些應該放ngOnInit里的情況。但這里,ApplicationRef人家是一個service呀,只能將初始化的代碼放constructor

在tick函數里,如果發現這個tick函數正在執行,則會拋出異常,因為這個是整個應用的實例,不能遞歸調用。然后,遍歷了所有個views,然后每個view都執行了detectChanges(),也就是執行了下變更檢測,什么是變更檢測,會在后面詳細講解。緊接著,如果是devMode,再次遍歷所有的views,每個view執行了checkNoChanges(),檢查一下有沒有變化,有變化則會拋錯(后面會詳細說這個問題,暫時跳過)。

那好了,現在也知道怎么能讓它更新了,就是要調用一下ApplicationReftick方法。

import { Component, ViewChild, ElementRef, ApplicationRef } from '@angular/core'; @Component({   selector: 'app-root',   templateUrl: './app.component.html',   styleUrls: ['./app.component.scss'] }) export class AppComponent  {   name = 'Empty';    @ViewChild('textContainer') textContainer: ElementRef = {} as any;    constructor(private app: ApplicationRef){}    normalClick(): void {     this.name = 'Hello Angular';      console.log(this.textContainer.nativeElement.innerText);      this.app.tick();   } }
登錄后復制

果然,可以正常的更新視圖了。

我們來簡單梳理一下,DOM的更新依賴于tick() 的觸發,zone.js幫助開發者無需手動觸發這個操作。好了,現在可以把zone.js啟用了。

那什么是變更檢測呢?繼續期待下一篇哦。

贊(0)
分享到: 更多 (0)
網站地圖   滬ICP備18035694號-2    滬公網安備31011702889846號
亚洲国产精品成人一区| 日韩免费在线视频| 91精品视品在线播放| 欧洲精品视频在线观看| 久久99精品久久久久久9蜜桃 | 日韩电影一区二区| 日韩精品一区二区三区中文版| 国产精品夜间视频香蕉| 亚洲AV无码国产精品色| 久久精品人成免费| 少妇人妻无码精品视频| 久久久久无码精品亚洲日韩| 日本精品不卡视频| 久久99精品国产99久久| 国产伦精品免编号公布| 人人妻久久人人澡人人爽人人精品| 精品无码久久久久久久动漫| 国产精品 猎奇 另类视频| 69堂国产成人精品视频不卡| 一区二区精品久久| 国产91精品黄网在线观看| 丁香六月婷婷精品免费观看| 亚洲国产91精品无码专区| 51午夜精品免费视频| 国产精品玖玖美女张开腿让男人桶爽免费看 | 亚洲国产精品VA在线看黑人| 中文精品无码中文字幕无码专区| 国产亚洲精品影视在线产品| 中文字幕精品视频在线| 亚洲码国产精品高潮在线| 国产精品亚洲片在线观看不卡| 久久精品国产只有精品2020| 亚洲精品V欧洲精品V日韩精品 | 精品无码一区二区三区爱欲九九 | 国产亚洲精品xxx| 热99re久久国超精品首页| 亚洲AV无码国产精品麻豆天美| 久久国产精品99精品国产987| 国产AV国片精品| 99这里只有精品| 91精品久久久久|