Angular2 使用管道Pipe以及自定义管道格式数据

前端之家收集整理的这篇文章主要介绍了Angular2 使用管道Pipe以及自定义管道格式数据前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。

Angular 2 内建管道及分类

  • String -> String

    • UpperCasePipe

    • LowerCasePipe

    • TitleCasePipe

  • Number -> String

    • DecimalPipe

    • PercentPipe

    • CurrencyPipe

  • Object -> String

    • JsonPipe

    • DatePipe

  • Tools

    • SlicePipe

    • AsyncPipe

    • I18nPluralPipe

    • I18nSelectPipe

Angular 2 内建管道使用示例

1.大写转换

<div> <p ngNonBindable>{{ 'Angular' | uppercase }}</p> <p></p> <!-- Output: ANGULAR --> </div> 

2.小写转换

{{ 'Angular' | lowercase }}<!-- Output: angular --> 3.数值格式化

{{ 3.14159265 | number: '1.4-4' }}<!-- Output: 3.1416 --> 4.日期格式化

{{ today | date: 'shortTime' }}<!-- Output: 以当前时间为准,输出格式:10:40 AM --> 5.JavaScript 对象序列化

{{ { name: 'semlinker' } | json }}<!-- Output: { "name": "semlinker" } --> </div> 

管道参数

管道可以接收任意数量的参数,使用方式是在管道名称后面添加 : 和参数值。如 number: '1.4-4' ,若需要传递多个参数则参数之间用冒号隔开,具体示例如下:

{{ 'semlinker' | slice:0:3 }}<!-- Output: sem --> 管道链 
 

我们可以将多个管道连接在一起,组成管道链对数据进行处理。

{{ 'semlinker' | slice:0:3 | uppercase }}<!-- Output: SEM --> 完整示例

import { Component } from '@angular/core'; @Component({ selector: 'my-app',template: ` </div> {{ { name: 'semlinker' } | json }}</div> `,}) export class AppComponent { today = new Date(); } 

自定义管道

自定义管道的步骤:

@H_404_199@
  • 使用 @Pipe 装饰器定义 Pipe 的 Metadata 信息,如 Pipe 的名称 - 即 name 属性

  • 实现 PipeTransform 接口中定义的 transform 方法

  • 1.1 WelcomePipe 定义

    import { Pipe,PipeTransform } from '@angular/core';
    
    @Pipe({ name: 'welcome' })
    export class WelcomePipe implements PipeTransform {
      transform(value: string): string {
        if(!value) return value;
        if(typeof value !== 'string') {
          throw new Error('Invalid pipe argument for WelcomePipe');
        }
        return "Welcome to " + value;
      }
    }

    1.2 WelcomePipe 使用

    {{ 'semlinker' | welcome }}<!-- Output: Welcome to semlinker --> 当 WelcomePipe 的输入参数,即 value 值为非字符串时,如使用 123,则控制台将会抛出以下异常:

    EXCEPTION: Error in ./AppComponent class AppComponent - inline template:23:9 caused by: Invalid pipe argument for WelcomePipe

    2.1 RepeatPipe 定义

    import {Pipe,PipeTransform} from '@angular/core';
    
    @Pipe({name: 'repeat'})
    export class RepeatPipe implements PipeTransform {
        transform(value: any,times: number) {
            return value.repeat(times);
        }
    }

    2.2 RepeatPipe 使用

    {{ 'lo' | repeat:3 }}<!-- Output: lololo --> 管道分类 
     @H_404_199@ 
      
  • pure 管道:仅当管道输入值变化的时候,才执行转换操作,默认的类型是 pure 类型。(备注:输入值变化是指原始数据类型如:string、number、boolean 等的数值或对象的引用值发生变化)

  • impure 管道:在每次变化检测期间都会执行,如鼠标点击或移动都会执行 impure 管道

  • 管道探秘

    1.Pipe 相关接口与 PipeDecorator

    Pipe 接口定义

    export interface Pipe {
      name: string;
      pure?: @H_502_347@boolean;
    }

    PipeDecorator

    const Pipe: PipeDecorator = <PipeDecorator>makeDecorator('Pipe',{
      name: undefined,pure: true,// 默认是pure
    });

    PipeTransform 接口定义

    interface PipeTransform {
      transform(value: @H_502_347@any,...args: @H_502_347@any[]): @H_502_347@any;
    }

    2.RepeatPipe 详解

    2.2 RepeatPipe 转换为 ES 5 代码片段

    __decorate = (this && this.__decorate) || function (decorators,target,key,desc) {...}; var core_1 = @H_502_347@require('@angular/core'); var RepeatPipe = (function () { function RepeatPipe() { } RepeatPipe.prototype.transform = function (value,times) { if (!value) return; return value.repeat(times); }; RepeatPipe = __decorate([ core_1.Pipe({ name: 'repeat' }),136);">// 调用PipeDecorator返回TypeDecorator函数 __Metadata('design:paramtypes',[]) ],RepeatPipe); return RepeatPipe; }()); __decorate = (return RepeatPipe; }());

    2.3 通过 Reflect API 保存后的对象信息

    2.4 管道解析 - PipeResolver 源码片段

    // @angular/compiler/src/pipe_resolver.ts
    @CompilerInjectable()
    class PipeResolver {
      constructor(private _reflector: ɵReflectorReader = ɵreflector) {}
    
      // 通过内部的ɵReflectorReader对象提供的API读取Metadata信息
      resolve(type: Type<@H_502_347@any>,throwIfNotFound = true): Pipe {
        const Metas = this._reflector.annotations(resolveForwardRef(type));
        if (Metas) {
          // 读取保存的Pipe Metadata 信息
          const annotation = ListWrapper.findLast(Metas,_isPipeMetadata);
          if (annotation) { return annotation; }
        }
        if (throwIfNotFound) {
          new @H_502_347@Error(`No Pipe decorator found on ${stringify(type)}`);
        }
        return null;
      }
    }

    2.5 RepeatPipe 管道的创建与执行

    2.5.1 管道的创建

    // JS has NaN !== NaN looseIdentical(a,b): boolean { return a === b || typeof a === 'number' && typeof b === 'number' && @H_502_347@isNaN(a) && @H_502_347@isNaN(b); } // 用于检测管道的输入值或参数值是否变化,若发生变化则自动调用管道transform转换函数 jit_pureProxy214(fn) { var result; var v0 = UNINITIALIZED; // { toString: function() { return 'CD_INIT_VALUE'} }; var v1 = UNINITIALIZED; return function (p0,p1) { if (!looseIdentical(v0,p0) || !looseIdentical(v1,p1)) { v0 = p0; // p0: "lo" v1 = p1; // p1: 3 // fn: transform(value: any,times: number) { return value.repeat(times); } result = fn(p0,p1); // 调用管道的transform转换函数 } return result; }; } self._pipe_repeat_6 = new jit_RepeatPipe18(); // 创建RepeatPipe对象 self._pipe_repeat_6_0 = jit_pureProxy214( // 代理RepeatPipe中transform函数 self._pipe_repeat_6.transform.bind(self._pipe_repeat_6)); // 代理RepeatPipe中transform函数 self._pipe_repeat_6.transform.bind(self._pipe_repeat_6));

    2.5.2 管道的执行

    在 Angular 执行变化检测时,会自动调用管道中的 transform 方法

    var currVal_100 = jit_inlineInterpolate21(1,'',valUnwrapper.unwrap(
      jit_castByValue22 (self._pipe_repeat_6_0,self._pipe_repeat_6.transform)('lo',3)),'');

    总结

    本文介绍了 Angular 2 中的常用内建管道的用法和管道的分类,同时也介绍了 pure 和 impure 管道的区别。 此外我们通过两个示例展示了如何自定义管道,最后详细分析了 RepeatPipe 管道的工作原理。建议读者更改 RepeatePipe 的 pure 属性为 false,体验一下 impure 管道。

    转载自:https://www.pocketdigi.com/20170209/1563.html

    原文链接:https://www.f2er.com/angularjs/144971.html

    猜你在找的Angularjs相关文章