管道

Pipes

每个应用开始的时候差不多都是一些简单任务:获取数据、转换它们,然后把它们显示给用户。 获取数据可能简单到创建一个局部变量就行,也可能复杂到从 WebSocket 中获取数据流。

Every application starts out with what seems like a simple task: get data, transform them, and show them to users. Getting data could be as simple as creating a local variable or as complex as streaming data over a WebSocket.

一旦取到数据,你就可以把它们原始值的 toString 结果直接推入视图中。 但这种做法很少能具备良好的用户体验。 比如,几乎每个人都更喜欢简单的日期格式,例如1988-04-15,而不是服务端传过来的原始字符串格式 —— Fri Apr 15 1988 00:00:00 GMT-0700 (Pacific Daylight Time)

Once data arrives, you could push their raw toString values directly to the view, but that rarely makes for a good user experience. For example, in most use cases, users prefer to see a date in a simple format like April 15, 1988 rather than the raw string format Fri Apr 15 1988 00:00:00 GMT-0700 (Pacific Daylight Time).

显然,有些值最好显示成用户友好的格式。你很快就会发现,在很多不同的应用中,都在重复做出某些相同的变换。 你几乎会把它们看做某种 CSS 样式,事实上,你也确实更喜欢在 HTML 模板中应用它们 —— 就像 CSS 样式一样。

Clearly, some values benefit from a bit of editing. You may notice that you desire many of the same transformations repeatedly, both within and across many applications. You can almost think of them as styles. In fact, you might like to apply them in your HTML templates as you do styles.

通过引入 Angular 管道(一种编写"从显示到值"转换逻辑的途径),你可以把它声明在 HTML 中。

Introducing Angular pipes, a way to write display-value transformations that you can declare in your HTML.

你可以运行在线例子 / 下载范例,在 Stackblitz 中试用并下载本页的代码。

You can run the在线例子 / 下载范例in Stackblitz and download the code from there.

使用管道

Using pipes

管道把数据作为输入,然后转换它,给出期望的输出。 你要把组件的 birthday 属性转换成对人类更友好的日期格式。

A pipe takes in data as input and transforms it to a desired output. In this page, you'll use pipes to transform a component's birthday property into a human-friendly date.

import { Component } from '@angular/core'; @Component({ selector: 'app-hero-birthday', template: `<p>The hero's birthday is {{ birthday | date }}</p>` }) export class HeroBirthdayComponent { birthday = new Date(1988, 3, 15); // April 15, 1988 }
src/app/hero-birthday1.component.ts
      
      import { Component } from '@angular/core';

@Component({
  selector: 'app-hero-birthday',
  template: `<p>The hero's birthday is {{ birthday | date }}</p>`
})
export class HeroBirthdayComponent {
  birthday = new Date(1988, 3, 15); // April 15, 1988
}
    

重点看下组件的模板。

Focus on the component's template.

<p>The hero's birthday is {{ birthday | date }}</p>
src/app/app.component.html
      
      <p>The hero's birthday is {{ birthday | date }}</p>
    

在这个插值表达式中,你让组件的 birthday 值通过管道操作符( | )流动到 右侧的Date 管道函数中。所有管道都会用这种方式工作。

Inside the interpolation expression, you flow the component's birthday value through the pipe operator ( | ) to the Date pipe function on the right. All pipes work this way.

内置的管道

Built-in pipes

Angular 内置了一些管道,比如 DatePipeUpperCasePipeLowerCasePipeCurrencyPipePercentPipe。 它们全都可以直接用在任何模板中。

Angular comes with a stock of pipes such as DatePipe, UpperCasePipe, LowerCasePipe, CurrencyPipe, and PercentPipe. They are all available for use in any template.

要学习更多内置管道的知识,参见API 参考手册,并用“pipe”为关键词对结果进行过滤。

Read more about these and many other built-in pipes in the pipes topics of the API Reference; filter for entries that include the word "pipe".

Angular 没有 FilterPipeOrderByPipe 管道,原因在后面的附录中有解释。

Angular doesn't have a FilterPipe or an OrderByPipe for reasons explained in the Appendix of this page.

对管道进行参数化

Parameterizing a pipe

管道可能接受任何数量的可选参数来对它的输出进行微调。 可以在管道名后面添加一个冒号( : )再跟一个参数值,来为管道添加参数(比如 currency:'EUR')。 如果这个管道可以接受多个参数,那么就用冒号来分隔这些参数值(比如 slice:1:5)。

A pipe can accept any number of optional parameters to fine-tune its output. To add parameters to a pipe, follow the pipe name with a colon ( : ) and then the parameter value (such as currency:'EUR'). If the pipe accepts multiple parameters, separate the values with colons (such as slice:1:5)

修改生日模板,来为这个日期管道提供一个格式化参数。 当格式化完该英雄的 4 月 15 日生日之后,它应该被渲染成04/15/88

Modify the birthday template to give the date pipe a format parameter. After formatting the hero's April 15th birthday, it renders as 04/15/88:

<p>The hero's birthday is {{ birthday | date:"MM/dd/yy" }} </p>
src/app/app.component.html
      
      <p>The hero's birthday is {{ birthday | date:"MM/dd/yy" }} </p>
    

参数值可以是任何有效的模板表达式(参见模板语法中的模板表达式部分),比如字符串字面量或组件的属性。 换句话说,借助属性绑定,你也可以像用绑定来控制生日的值一样,控制生日的显示格式。

The parameter value can be any valid template expression, (see the Template expressions section of the Template Syntax page) such as a string literal or a component property. In other words, you can control the format through a binding the same way you control the birthday value through a binding.

来写第二个组件,它把管道的格式参数绑定到该组件的 format 属性。这里是新组件的模板:

Write a second component that binds the pipe's format parameter to the component's format property. Here's the template for that component:

template: ` <p>The hero's birthday is {{ birthday | date:format }}</p> <button (click)="toggleFormat()">Toggle Format</button> `
src/app/hero-birthday2.component.ts (template)
      
      template: `
  <p>The hero's birthday is {{ birthday | date:format }}</p>
  <button (click)="toggleFormat()">Toggle Format</button>
`
    

你还能在模板中添加一个按钮,并把它的点击事件绑定到组件的 toggleFormat() 方法。 此方法会在短日期格式('shortDate')和长日期格式('fullDate')之间切换组件的 format 属性。

You also added a button to the template and bound its click event to the component's toggleFormat() method. That method toggles the component's format property between a short form ('shortDate') and a longer form ('fullDate').

export class HeroBirthday2Component { birthday = new Date(1988, 3, 15); // April 15, 1988 toggle = true; // start with true == shortDate get format() { return this.toggle ? 'shortDate' : 'fullDate'; } toggleFormat() { this.toggle = !this.toggle; } }
src/app/hero-birthday2.component.ts (class)
      
      export class HeroBirthday2Component {
  birthday = new Date(1988, 3, 15); // April 15, 1988
  toggle = true; // start with true == shortDate

  get format()   { return this.toggle ? 'shortDate' : 'fullDate'; }
  toggleFormat() { this.toggle = !this.toggle; }
}
    

当你点击此按钮的时候,所显示的日期会在“04/15/1988”和“Friday, April 15, 1988”之间切换。

As you click the button, the displayed date alternates between "04/15/1988" and "Friday, April 15, 1988".

Date Format Toggle

要了解更多 DatePipes 的格式选项,请参阅API 文档

Read more about the DatePipe format options in the Date Pipe API Reference page.

链式管道

Chaining pipes

你可以把管道串联在一起,以组合出一些潜在的有用功能。 下面这个例子中,要把 birthday 串联到 DatePipe 管道,然后又串联到 UpperCasePipe,这样就可以把生日显示成大写形式了。 生日被显示成了APR 15, 1988

You can chain pipes together in potentially useful combinations. In the following example, to display the birthday in uppercase, the birthday is chained to the DatePipe and on to the UpperCasePipe. The birthday displays as APR 15, 1988.

The chained hero's birthday is {{ birthday | date | uppercase}}
src/app/app.component.html
      
      The chained hero's birthday is
{{ birthday | date | uppercase}}
    

下面这个显示FRIDAY, APRIL 15, 1988的例子用同样的方式链接了这两个管道,而且同时还给 date 管道传进去一个参数。

This example—which displays FRIDAY, APRIL 15, 1988—chains the same pipes as above, but passes in a parameter to date as well.

The chained hero's birthday is {{ birthday | date:'fullDate' | uppercase}}
src/app/app.component.html
      
      The chained hero's birthday is
{{  birthday | date:'fullDate' | uppercase}}
    

自定义管道

Custom pipes

你还可以写自己的自定义管道。 下面就是一个名叫 ExponentialStrengthPipe 的管道,它可以放大英雄的能力:

You can write your own custom pipes. Here's a custom pipe named ExponentialStrengthPipe that can boost a hero's powers:

import { Pipe, PipeTransform } from '@angular/core'; /* * Raise the value exponentially * Takes an exponent argument that defaults to 1. * Usage: * value | exponentialStrength:exponent * Example: * {{ 2 | exponentialStrength:10 }} * formats to: 1024 */ @Pipe({name: 'exponentialStrength'}) export class ExponentialStrengthPipe implements PipeTransform { transform(value: number, exponent: string): number { let exp = parseFloat(exponent); return Math.pow(value, isNaN(exp) ? 1 : exp); } }
src/app/exponential-strength.pipe.ts
      
      import { Pipe, PipeTransform } from '@angular/core';
/*
 * Raise the value exponentially
 * Takes an exponent argument that defaults to 1.
 * Usage:
 *   value | exponentialStrength:exponent
 * Example:
 *   {{ 2 | exponentialStrength:10 }}
 *   formats to: 1024
*/
@Pipe({name: 'exponentialStrength'})
export class ExponentialStrengthPipe implements PipeTransform {
  transform(value: number, exponent: string): number {
    let exp = parseFloat(exponent);
    return Math.pow(value, isNaN(exp) ? 1 : exp);
  }
}
    

在这个管道的定义中体现了几个关键点:

This pipe definition reveals the following key points:

  • 管道是一个带有“管道元数据(pipe metadata)”装饰器的类。

    A pipe is a class decorated with pipe metadata.

  • 这个管道类实现了 PipeTransform 接口的 transform 方法,该方法接受一个输入值和一些可选参数,并返回转换后的值。

    The pipe class implements the PipeTransform interface's transform method that accepts an input value followed by optional parameters and returns the transformed value.

  • 当每个输入值被传给 transform 方法时,还会带上另一个参数,比如你这个管道就有一个 exponent(放大指数) 参数。

    There will be one additional argument to the transform method for each parameter passed to the pipe. Your pipe has one such parameter: the exponent.

  • 可以通过 @Pipe 装饰器来告诉 Angular:这是一个管道。该装饰器是从 Angular 的 core 库中引入的。

    To tell Angular that this is a pipe, you apply the @Pipe decorator, which you import from the core Angular library.

  • 这个 @Pipe 装饰器允许你定义管道的名字,这个名字会被用在模板表达式中。它必须是一个有效的 JavaScript 标识符。 比如,你这个管道的名字是 exponentialStrength

    The @Pipe decorator allows you to define the pipe name that you'll use within template expressions. It must be a valid JavaScript identifier. Your pipe's name is exponentialStrength.

PipeTransform 接口

The PipeTransform interface

transform 方法是管道的基本要素。 PipeTransform接口中定义了它,并用它指导各种工具和编译器。 理论上说,它是可选的。Angular 不会管它,而是直接查找并执行 transform 方法。

The transform method is essential to a pipe. The PipeTransform interface defines that method and guides both tooling and the compiler. Technically, it's optional; Angular looks for and executes the transform method regardless.

现在,你需要一个组件来演示这个管道。

Now you need a component to demonstrate the pipe.

import { Component } from '@angular/core'; @Component({ selector: 'app-power-booster', template: ` <h2>Power Booster</h2> <p>Super power boost: {{2 | exponentialStrength: 10}}</p> ` }) export class PowerBoosterComponent { }
src/app/power-booster.component.ts
      
      import { Component } from '@angular/core';

@Component({
  selector: 'app-power-booster',
  template: `
    <h2>Power Booster</h2>
    <p>Super power boost: {{2 | exponentialStrength: 10}}</p>
  `
})
export class PowerBoosterComponent { }
    
Power Booster

请注意以下几点:

Note the following:

  • 你使用自定义管道的方式和内置管道完全相同。

    You use your custom pipe the same way you use built-in pipes.

  • 你必须在 AppModuledeclarations 数组中包含这个管道。

    You must include your pipe in the declarations array of the AppModule.

别忘了 `declarations` 数组
Remember the declarations array

你必须手动注册自定义管道。如果忘了,Angular 就会报告一个错误。 在前一个例子中你没有把 DatePipe 列进去,这是因为 Angular 所有的内置管道都已经预注册过了。

You must register custom pipes. If you don't, Angular reports an error. The Angular CLI's generator registers the pipe automatically.

试一下这个在线例子 / 下载范例,并通过修改值和模板中的可选部分来体会其行为。

To probe the behavior in the在线例子 / 下载范例, change the value and optional exponent in the template.

能力倍增计算器

Power Boost Calculator

仅仅升级模板来测试这个自定义管道其实没多大意思。 干脆把这个例子升级为“能力提升计算器”,它可以把该管道和使用 ngModel 的双向数据绑定组合起来。

It's not much fun updating the template to test the custom pipe. Upgrade the example to a "Power Boost Calculator" that combines your pipe and two-way data binding with ngModel.

import { Component } from '@angular/core'; @Component({ selector: 'app-power-boost-calculator', template: ` <h2>Power Boost Calculator</h2> <div>Normal power: <input [(ngModel)]="power"></div> <div>Boost factor: <input [(ngModel)]="factor"></div> <p> Super Hero Power: {{power | exponentialStrength: factor}} </p> ` }) export class PowerBoostCalculatorComponent { power = 5; factor = 1; }
src/app/power-boost-calculator.component.ts
      
      
  1. import { Component } from '@angular/core';
  2.  
  3. @Component({
  4. selector: 'app-power-boost-calculator',
  5. template: `
  6. <h2>Power Boost Calculator</h2>
  7. <div>Normal power: <input [(ngModel)]="power"></div>
  8. <div>Boost factor: <input [(ngModel)]="factor"></div>
  9. <p>
  10. Super Hero Power: {{power | exponentialStrength: factor}}
  11. </p>
  12. `
  13. })
  14. export class PowerBoostCalculatorComponent {
  15. power = 5;
  16. factor = 1;
  17. }
Power Boost Calculator

管道与变更检测

Pipes and change detection

Angular 通过变更检测过程来查找绑定值的更改,并在每一次 JavaScript 事件之后运行:每次按键、鼠标移动、定时器以及服务器的响应。 这可能会让变更检测显得很昂贵,但是 Angular 会尽可能降低变更检测的成本。

Angular looks for changes to data-bound values through a change detection process that runs after every DOM event: every keystroke, mouse move, timer tick, and server response. This could be expensive. Angular strives to lower the cost whenever possible and appropriate.

当使用管道时,Angular 会选用一种更简单、更快速的变更检测算法。

Angular picks a simpler, faster change detection algorithm when you use a pipe.

无管道

No pipe

在下一个例子中,组件使用默认的、激进(昂贵)的变更检测策略来检测和更新 heroes 数组中的每个英雄。下面是它的模板:

In the next example, the component uses the default, aggressive change detection strategy to monitor and update its display of every hero in the heroes array. Here's the template:

New hero: <input type="text" #box (keyup.enter)="addHero(box.value); box.value=''" placeholder="hero name"> <button (click)="reset()">Reset</button> <div *ngFor="let hero of heroes"> {{hero.name}} </div>
src/app/flying-heroes.component.html (v1)
      
      New hero:
  <input type="text" #box
          (keyup.enter)="addHero(box.value); box.value=''"
          placeholder="hero name">
  <button (click)="reset()">Reset</button>
  <div *ngFor="let hero of heroes">
    {{hero.name}}
  </div>
    

和模板相伴的组件类可以提供英雄数组,能把新的英雄添加到数组中,还能重置英雄数组。

The companion component class provides heroes, adds heroes into the array, and can reset the array.

export class FlyingHeroesComponent { heroes: any[] = []; canFly = true; constructor() { this.reset(); } addHero(name: string) { name = name.trim(); if (!name) { return; } let hero = {name, canFly: this.canFly}; this.heroes.push(hero); } reset() { this.heroes = HEROES.slice(); } }
src/app/flying-heroes.component.ts (v1)
      
      export class FlyingHeroesComponent {
  heroes: any[] = [];
  canFly = true;
  constructor() { this.reset(); }

  addHero(name: string) {
    name = name.trim();
    if (!name) { return; }
    let hero = {name, canFly: this.canFly};
    this.heroes.push(hero);
  }

  reset() { this.heroes = HEROES.slice(); }
}
    

你可以添加新的英雄,加完之后,Angular 就会更新显示。 reset 按钮会把 heroes 替换成一个由原来的英雄组成的新数组,重置完之后,Angular 就会更新显示。 如果你提供了删除或修改英雄的能力,Angular 也会检测到那些更改,并更新显示。

You can add heroes and Angular updates the display when you do. If you click the reset button, Angular replaces heroes with a new array of the original heroes and updates the display. If you added the ability to remove or change a hero, Angular would detect those changes and update the display as well.

“会飞的英雄”管道(FlyingHeroesPipe)

FlyingHeroesPipe

*ngFor 重复器中添加一个 FlyingHeroesPipe 管道,这个管道能过滤出所有会飞的英雄。

Add a FlyingHeroesPipe to the *ngFor repeater that filters the list of heroes to just those heroes who can fly.

<div *ngFor="let hero of (heroes | flyingHeroes)"> {{hero.name}} </div>
src/app/flying-heroes.component.html (flyers)
      
      <div *ngFor="let hero of (heroes | flyingHeroes)">
  {{hero.name}}
</div>
    

下面是 FlyingHeroesPipe 的实现,它遵循了以前讲过的那些写自定义管道的模式。

Here's the FlyingHeroesPipe implementation, which follows the pattern for custom pipes described earlier.

import { Pipe, PipeTransform } from '@angular/core'; import { Flyer } from './heroes'; @Pipe({ name: 'flyingHeroes' }) export class FlyingHeroesPipe implements PipeTransform { transform(allHeroes: Flyer[]) { return allHeroes.filter(hero => hero.canFly); } }
src/app/flying-heroes.pipe.ts
      
      import { Pipe, PipeTransform } from '@angular/core';

import { Flyer } from './heroes';

@Pipe({ name: 'flyingHeroes' })
export class FlyingHeroesPipe implements PipeTransform {
  transform(allHeroes: Flyer[]) {
    return allHeroes.filter(hero => hero.canFly);
  }
}
    

当运行在线例子 / 下载范例时,你看到一种奇怪的行为。添加的每个英雄都是会飞行的英雄,但是没有一个被显示出来。

Notice the odd behavior in the在线例子 / 下载范例: when you add flying heroes, none of them are displayed under "Heroes who fly."

虽然你没有得到期望的行为,但 Angular 也没有出错。 这里只是用了另一种变更检测算法 —— 它会忽略对列表及其子项所做的任何更改。

Although you're not getting the behavior you want, Angular isn't broken. It's just using a different change-detection algorithm that ignores changes to the list or any of its items.

注意这里是如何添加新英雄的:

Notice how a hero is added:

this.heroes.push(hero);
src/app/flying-heroes.component.ts
      
      this.heroes.push(hero);
    

当你往 heroes 数组中添加一个新的英雄时,这个数组的引用并没有改变。它还是那个数组。而引用却是 Angular 所关心的一切。 在它看来,这是同一个数组,没有变化,也就不需要更新显示

You add the hero into the heroes array. The reference to the array hasn't changed. It's the same array. That's all Angular cares about. From its perspective, same array, no change, no display update.

要修复它,就要创建一个新数组,把这个英雄追加进去,并把它赋给 heroes。 这次,Angular 检测到数组的引用变化了。它执行了这个管道,并使用这个新数组更新显示,这次它就包括新的飞行英雄了。

To fix that, create an array with the new hero appended and assign that to heroes. This time Angular detects that the array reference has changed. It executes the pipe and updates the display with the new array, which includes the new flying hero.

如果你修改了这个数组,没有管道被执行,也没有显示被更新。 如果你替换了这个数组,管道就会被执行,显示也更新了。 这个飞行英雄的例子用检查框和其它显示内容扩展了原有代码,来帮你体验这些效果。

If you mutate the array, no pipe is invoked and the display isn't updated; if you replace the array, the pipe executes and the display is updated. The Flying Heroes application extends the code with checkbox switches and additional displays to help you experience these effects.

Flying Heroes

直接替换这个数组是通知 Angular 更新显示的一种高效方式。 你该什么时候替换这个数组呢?当数据变化的时候。 在这个玩具级例子中,这是一个简单的规则,因为这里修改数据的唯一途径就是添加新英雄。

Replacing the array is an efficient way to signal Angular to update the display. When do you replace the array? When the data change. That's an easy rule to follow in this example where the only way to change the data is by adding a hero.

更多情况下,你不知道什么时候数据变化了,尤其是在那些有很多种途径改动数据的程序中 —— 可能在程序中很远的地方。 组件就是一个通常无法知道那些改动的例子。此外,它会导致削足适履 —— 扭曲组件的设计来适应管道。 要尽可能保持组件类独立于 HTML。组件不应该关心管道的存在。

More often, you don't know when the data have changed, especially in applications that mutate data in many ways, perhaps in application locations far away. A component in such an application usually can't know about those changes. Moreover, it's unwise to distort the component design to accommodate a pipe. Strive to keep the component class independent of the HTML. The component should be unaware of pipes.

为了过滤出会飞的英雄,考虑使用非纯(impure)管道

For filtering flying heroes, consider an impure pipe.

纯(pure)管道与非纯(impure)管道

Pure and impure pipes

有两类管道:的与非纯的。 默认情况下,管道都是纯的。以前见到的每个管道都是纯的。 通过把它的 pure 标志设置为 false,你可以制作一个非纯管道。你可以像这样让 FlyingHeroesPipe 变成非纯的:

There are two categories of pipes: pure and impure. Pipes are pure by default. Every pipe you've seen so far has been pure. You make a pipe impure by setting its pure flag to false. You could make the FlyingHeroesPipe impure like this:

@Pipe({ name: 'flyingHeroesImpure', pure: false })
src/app/flying-heroes.pipe.ts
      
      @Pipe({
  name: 'flyingHeroesImpure',
  pure: false
})
    

在继续往下走之前,先理解一下非纯之间的区别,从管道开始。

Before doing that, understand the difference between pure and impure, starting with a pure pipe.

纯管道

Pure pipes

Angular 只有在它检测到输入值发生了纯变更时才会执行纯管道纯变更是指对原始类型值(StringNumberBooleanSymbol)的更改, 或者对对象引用(DateArrayFunctionObject)的更改。

Angular executes a pure pipe only when it detects a pure change to the input value. A pure change is either a change to a primitive input value (String, Number, Boolean, Symbol) or a changed object reference (Date, Array, Function, Object).

Angular 会忽略(复合)对象内部的更改。 如果你更改了输入日期(Date)中的月份、往一个输入数组(Array)中添加新值或者更新了一个输入对象(Object)的属性,它都不会调用纯管道。

Angular ignores changes within (composite) objects. It won't call a pure pipe if you change an input month, add to an input array, or update an input object property.

这可能看起来是一种限制,但它保证了速度。 对象引用的检查是非常快的(比递归的深检查要快得多),所以 Angular 可以快速的决定是否应该跳过管道执行和视图更新。

This may seem restrictive but it's also fast. An object reference check is fast—much faster than a deep check for differences—so Angular can quickly determine if it can skip both the pipe execution and a view update.

因此,如果要和变更检测策略打交道,就会更喜欢用纯管道。 如果不能,你就可以转回到非纯管道。

For this reason, a pure pipe is preferable when you can live with the change detection strategy. When you can't, you can use the impure pipe.

或者你也可以完全不用管道。 有时候,使用组件的属性能比用管道更好的达到目的,后面会再讨论这一点。

Or you might not use a pipe at all. It may be better to pursue the pipe's purpose with a property of the component, a point that's discussed later in this page.

非纯管道

Impure pipes

Angular 会在每个组件的变更检测周期中执行非纯管道。 非纯管道可能会被调用很多次,和每个按键或每次鼠标移动一样频繁。

Angular executes an impure pipe during every component change detection cycle. An impure pipe is called often, as often as every keystroke or mouse-move.

要在脑子里绷着这根弦,必须小心翼翼的实现非纯管道。 一个昂贵、迟钝的管道将摧毁用户体验。

With that concern in mind, implement an impure pipe with great care. An expensive, long-running pipe could destroy the user experience.

非纯管道 FlyingHeroesPipe

An impure FlyingHeroesPipe

FlyingHeroesPipe 换成了 FlyingHeroesImpurePipe。 下面是完整的实现:

A flip of the switch turns the FlyingHeroesPipe into a FlyingHeroesImpurePipe. The complete implementation is as follows:

@Pipe({ name: 'flyingHeroesImpure', pure: false }) export class FlyingHeroesImpurePipe extends FlyingHeroesPipe {}import { Pipe, PipeTransform } from '@angular/core'; import { Flyer } from './heroes'; @Pipe({ name: 'flyingHeroes' }) export class FlyingHeroesPipe implements PipeTransform { transform(allHeroes: Flyer[]) { return allHeroes.filter(hero => hero.canFly); } }
      
      @Pipe({
  name: 'flyingHeroesImpure',
  pure: false
})
export class FlyingHeroesImpurePipe extends FlyingHeroesPipe {}
    

你把它从 FlyingHeroesPipe 中继承下来,以证明无需改动内部代码。 唯一的区别是管道元数据中的 pure 标志。

You inherit from FlyingHeroesPipe to prove the point that nothing changed internally. The only difference is the pure flag in the pipe metadata.

这是一个很好地非纯管道候选者,因为它的 transform 函数又小又快。

This is a good candidate for an impure pipe because the transform function is trivial and fast.

return allHeroes.filter(hero => hero.canFly);
src/app/flying-heroes.pipe.ts (filter)
      
      return allHeroes.filter(hero => hero.canFly);
    

你可以从 FlyingHeroesComponent 派生出一个 FlyingHeroesImpureComponent

You can derive a FlyingHeroesImpureComponent from FlyingHeroesComponent.

<div *ngFor="let hero of (heroes | flyingHeroesImpure)"> {{hero.name}} </div>
src/app/flying-heroes-impure.component.html (excerpt)
      
      <div *ngFor="let hero of (heroes | flyingHeroesImpure)">
  {{hero.name}}
</div>
    

唯一的重大改动就是管道。 你可以在在线例子 / 下载范例中确认,当你添加新的英雄甚至修改 heroes 数组时,这个会飞的英雄的显示也跟着更新了。

The only substantive change is the pipe in the template. You can confirm in the在线例子 / 下载范例that the flying heroes display updates as you add heroes, even when you mutate the heroes array.

非纯 AsyncPipe

The impure AsyncPipe

Angular 的 AsyncPipe 是一个有趣的非纯管道的例子。 AsyncPipe 接受一个 PromiseObservable 作为输入,并且自动订阅这个输入,最终返回它们给出的值。

The Angular AsyncPipe is an interesting example of an impure pipe. The AsyncPipe accepts a Promise or Observable as input and subscribes to the input automatically, eventually returning the emitted values.

AsyncPipe 管道是有状态的。 该管道维护着一个所输入的 Observable 的订阅,并且持续从那个 Observable 中发出新到的值。

The AsyncPipe is also stateful. The pipe maintains a subscription to the input Observable and keeps delivering values from that Observable as they arrive.

下面例子使用该 async 管道把一个消息字符串(message$)的 Observable 绑定到视图中。

This next example binds an Observable of message strings (message$) to a view with the async pipe.

import { Component } from '@angular/core'; import { Observable, interval } from 'rxjs'; import { map, take } from 'rxjs/operators'; @Component({ selector: 'app-hero-message', template: ` <h2>Async Hero Message and AsyncPipe</h2> <p>Message: {{ message$ | async }}</p> <button (click)="resend()">Resend</button>`, }) export class HeroAsyncMessageComponent { message$: Observable<string>; private messages = [ 'You are my hero!', 'You are the best hero!', 'Will you be my hero?' ]; constructor() { this.resend(); } resend() { this.message$ = interval(500).pipe( map(i => this.messages[i]), take(this.messages.length) ); } }
src/app/hero-async-message.component.ts
      
      
  1. import { Component } from '@angular/core';
  2.  
  3. import { Observable, interval } from 'rxjs';
  4. import { map, take } from 'rxjs/operators';
  5.  
  6. @Component({
  7. selector: 'app-hero-message',
  8. template: `
  9. <h2>Async Hero Message and AsyncPipe</h2>
  10. <p>Message: {{ message$ | async }}</p>
  11. <button (click)="resend()">Resend</button>`,
  12. })
  13. export class HeroAsyncMessageComponent {
  14. message$: Observable<string>;
  15.  
  16. private messages = [
  17. 'You are my hero!',
  18. 'You are the best hero!',
  19. 'Will you be my hero?'
  20. ];
  21.  
  22. constructor() { this.resend(); }
  23.  
  24. resend() {
  25. this.message$ = interval(500).pipe(
  26. map(i => this.messages[i]),
  27. take(this.messages.length)
  28. );
  29. }
  30. }

这个 Async 管道节省了组件的样板代码。 组件不用订阅这个异步数据源,而且不用在被销毁时取消订阅(如果订阅了而忘了反订阅容易导致隐晦的内存泄露)。

The Async pipe saves boilerplate in the component code. The component doesn't have to subscribe to the async data source, extract the resolved values and expose them for binding, and have to unsubscribe when it's destroyed (a potent source of memory leaks).

一个非纯而且带缓存的管道

An impure caching pipe

来写更多的非纯管道:一个向服务器发起 HTTP 请求的管道。

Write one more impure pipe, a pipe that makes an HTTP request.

时刻记住,非纯管道可能每隔几微秒就会被调用一次。 如果你不小心点,这个管道就会发起一大堆请求“攻击”服务器。

Remember that impure pipes are called every few milliseconds. If you're not careful, this pipe will punish the server with requests.

下面这个管道只有当所请求的 URL 发生变化时才会向服务器发起请求。它会缓存服务器的响应。 代码如下,它使用Angular http客户端来接收数据

In the following code, the pipe only calls the server when the request URL changes and it caches the server response. The code uses the Angular http client to retrieve data:

import { HttpClient } from '@angular/common/http'; import { Pipe, PipeTransform } from '@angular/core'; @Pipe({ name: 'fetch', pure: false }) export class FetchJsonPipe implements PipeTransform { private cachedData: any = null; private cachedUrl = ''; constructor(private http: HttpClient) { } transform(url: string): any { if (url !== this.cachedUrl) { this.cachedData = null; this.cachedUrl = url; this.http.get(url).subscribe(result => this.cachedData = result); } return this.cachedData; } }
src/app/fetch-json.pipe.ts
      
      
  1. import { HttpClient } from '@angular/common/http';
  2. import { Pipe, PipeTransform } from '@angular/core';
  3.  
  4. @Pipe({
  5. name: 'fetch',
  6. pure: false
  7. })
  8. export class FetchJsonPipe implements PipeTransform {
  9. private cachedData: any = null;
  10. private cachedUrl = '';
  11.  
  12. constructor(private http: HttpClient) { }
  13.  
  14. transform(url: string): any {
  15. if (url !== this.cachedUrl) {
  16. this.cachedData = null;
  17. this.cachedUrl = url;
  18. this.http.get(url).subscribe(result => this.cachedData = result);
  19. }
  20.  
  21. return this.cachedData;
  22. }
  23. }

接下来在一个测试挽具组件中演示一下它,该组件的模板中定义了两个使用到此管道的绑定,它们都从 heroes.json 文件中取得英雄数据。

Now demonstrate it in a harness component whose template defines two bindings to this pipe, both requesting the heroes from the heroes.json file.

import { Component } from '@angular/core'; @Component({ selector: 'app-hero-list', template: ` <h2>Heroes from JSON File</h2> <div *ngFor="let hero of ('assets/heroes.json' | fetch) "> {{hero.name}} </div> <p>Heroes as JSON: {{'assets/heroes.json' | fetch | json}} </p>` }) export class HeroListComponent { }
src/app/hero-list.component.ts
      
      
  1. import { Component } from '@angular/core';
  2.  
  3. @Component({
  4. selector: 'app-hero-list',
  5. template: `
  6. <h2>Heroes from JSON File</h2>
  7.  
  8. <div *ngFor="let hero of ('assets/heroes.json' | fetch) ">
  9. {{hero.name}}
  10. </div>
  11.  
  12. <p>Heroes as JSON:
  13. {{'assets/heroes.json' | fetch | json}}
  14. </p>`
  15. })
  16. export class HeroListComponent { }

组件渲染起来是这样的:

The component renders as the following:

Hero List

这个管道上的断点请求数据的过程显示:

A breakpoint on the pipe's request for data shows the following:

  • 每个绑定都有它自己的管道实例。

    Each binding gets its own pipe instance.

  • 每个管道实例都缓存了它自己的 URL 和数据。

    Each pipe instance caches its own URL and data.

  • 每个管道实例都只调用一次服务器。

    Each pipe instance only calls the server once.

JsonPipe

第二个绑定除了用到 FetchPipe 之外还链接了更多管道。 它通过串联上内置管道 JsonPipe 来把英雄数据显示成了 JSON 格式。

In the previous code sample, the second fetch pipe binding demonstrates more pipe chaining. It displays the same hero data in JSON format by chaining through to the built-in JsonPipe.

借助 json 管道进行调试
Debugging with the json pipe

JsonPipe为你诊断数据绑定的某些神秘错误或为做进一步绑定而探查数据时,提供了一个简单途径。

The JsonPipe provides an easy way to diagnosis a mysteriously failing data binding or inspect an object for future binding.

纯管道与纯函数

Pure pipes and pure functions

纯管道使用纯函数。 纯函数是指在处理输入并返回结果时,不会产生任何副作用的函数。 给定相同的输入,它们总是返回相同的输出。

A pure pipe uses pure functions. Pure functions process inputs and return values without detectable side effects. Given the same input, they should always return the same output.

在本章前面讨论的管道都是用纯函数实现的。 内置的 DatePipe 就是一个用纯函数实现的纯管道。 ExponentialStrengthPipe 是如此, FlyingHeroesComponent 也是如此。 不久前你刚看过的 FlyingHeroesImpurePipe 就是一个用纯函数实现的非纯管道

The pipes discussed earlier in this page are implemented with pure functions. The built-in DatePipe is a pure pipe with a pure function implementation. So are the ExponentialStrengthPipe and FlyingHeroesPipe. A few steps back, you reviewed the FlyingHeroesImpurePipe—an impure pipe with a pure function.

但是一个纯管道必须总是用纯函数实现。忽略这个警告将导致失败并带来一大堆这样的控制台错误:表达式在被检查后被变更。

But always implement a pure pipe with a pure function. Otherwise, you'll see many console errors regarding expressions that changed after they were checked.

下一步

Next steps

管道能很好的封装和共享的通用“值-显示”转换逻辑。可以像样式一样使用它们,把它们扔到模板表达式中,以提升视图的表现力和可用性。

Pipes are a great way to encapsulate and share common display-value transformations. Use them like styles, dropping them into your template's expressions to enrich the appeal and usability of your views.

要浏览 Angular 的所有内置管道,请到API 参考手册。 学着写写自定义管道,并贡献给开发社区。

Explore Angular's inventory of built-in pipes in the API Reference. Try writing a custom pipe and perhaps contributing it to the community.

附录:没有 FilterPipe 或者 OrderByPipe

Appendix: No FilterPipe or OrderByPipe

Angular 没有随身发布过滤或列表排序的管道。 熟悉 AngularJS 的开发人员应该知道 filterorderBy 过滤器,但在 Angular 中它们没有等价物。

Angular doesn't provide pipes for filtering or sorting lists. Developers familiar with AngularJS know these as filter and orderBy. There are no equivalents in Angular.

这并不是疏忽。Angular 不想提供这些管道,因为 (a) 它们性能堪忧,以及 (b) 它们会阻止比较激进的代码最小化(minification)。 无论是 filter 还是 orderBy 都需要它的参数引用对象型属性。 你在前面学过,这样的管道必然是非纯管道,并且 Angular 会在几乎每一次变更检测周期中调用非纯管道。

This isn't an oversight. Angular doesn't offer such pipes because they perform poorly and prevent aggressive minification. Both filter and orderBy require parameters that reference object properties. Earlier in this page, you learned that such pipes must be impure and that Angular calls impure pipes in almost every change-detection cycle.

过滤、 特别是排序是昂贵的操作。 当 Angular 每秒调用很多次这类管道函数时,即使是中等规模的列表都可能严重降低用户体验。 在 AngularJS 程序中,filterorderBy 经常被误用,结果连累到 Angular 自身,人们抱怨说它太慢。 从某种意义上,这也不冤:谁叫 AngularJS 把 filterorderBy 作为首发队员呢?是它自己准备了这个性能陷阱。

Filtering and especially sorting are expensive operations. The user experience can degrade severely for even moderate-sized lists when Angular calls these pipe methods many times per second. filter and orderBy have often been abused in AngularJS apps, leading to complaints that Angular itself is slow. That charge is fair in the indirect sense that AngularJS prepared this performance trap by offering filter and orderBy in the first place.

虽然不是很明显,但代码最小化方面也存在风险。想象一个用于英雄列表的排序管道。该列表可能根据英雄原始属性中的 nameplanet 进行排序,就像这样:

The minification hazard is also compelling, if less obvious. Imagine a sorting pipe applied to a list of heroes. The list might be sorted by hero name and planet of origin properties in the following way:

<!-- NOT REAL CODE! --> <div *ngFor="let hero of heroes | orderBy:'name,planet'"></div>
      
      <!-- NOT REAL CODE! -->
<div *ngFor="let hero of heroes | orderBy:'name,planet'"></div>
    

你使用文本字符串来标记出排序字段,期望管道通过索引形式(如 hero['name'])引用属性的值。 不幸的是,激进的代码最小化策略会改变Hero 类的属性名,所以 Hero.nameHero.planet 可能会被变成 Hero.aHero.b。 显然,hero['name'] 是无法正常工作的。

You identify the sort fields by text strings, expecting the pipe to reference a property value by indexing (such as hero['name']). Unfortunately, aggressive minification manipulates the Hero property names so that Hero.name and Hero.planet become something like Hero.a and Hero.b. Clearly hero['name'] doesn't work.

然而有些人可能不想做那么激进的最小化, Angular 作为一个产品不应该拒绝那些想做激进的最小化的人。 所以,Angular 开发组决定随 Angular 一起发布的每样东西,都应该能被安全的最小化。

While some may not care to minify this aggressively, the Angular product shouldn't prevent anyone from minifying aggressively. Therefore, the Angular team decided that everything Angular provides will minify safely.

Angular 开发组和一些有经验的 Angular 开发者强烈建议你:把你的过滤和排序逻辑挪进组件本身。 组件可以对外暴露一个 filteredHeroessortedHeroes 属性,这样它就获得控制权,以决定要用什么频度去执行其它辅助逻辑。 你原本准备实现为管道,并在整个应用中共享的那些功能,都能被改写为一个过滤/排序的服务,并注入到组件中。

The Angular team and many experienced Angular developers strongly recommend moving filtering and sorting logic into the component itself. The component can expose a filteredHeroes or sortedHeroes property and take control over when and how often to execute the supporting logic. Any capabilities that you would have put in a pipe and shared across the app can be written in a filtering/sorting service and injected into the component.

如果你不需要顾虑这些性能和最小化问题,也可以创建自己的管道来实现这些功能(参考FlyingHeroesPipe中的写法)或到社区中去找找。

If these performance and minification considerations don't apply to you, you can always create your own such pipes (similar to the FlyingHeroesPipe) or find them in the community.