📅  最后修改于: 2020-12-16 05:13:09             🧑  作者: Mango
在Angular 1中,使用了过滤器,后来称为Pipes onwards Angular2。在Angular 7中,它称为管道,用于转换数据。用符号|表示。
{{title | uppercase}}
管道将整数,字符串,数组和日期作为输入,并用|分隔。它按照所需的格式转换数据,并在浏览器中显示该数据。
让我们来看一个使用管道的示例。在这里,我们使用管道以大写和小写形式显示标题文本。
在component.ts文件中定义一个名为“ title”的变量。
import { Component } from '@angular/core';
@Component({
selector: 'app-root',
templateUrl: './app.component.html',
styleUrls: ['./app.component.css']
})
export class AppComponent {
title = 'my-first-app';
}
在component.html文件中使用管道符号:
{{ title | uppercase }}
{{ title | lowercase }}
输出:
运行服务并查看结果。您将看到以下结果。
在这里,您可以看到管道已更改大小写的标题。
Angular 7提供了一些内置管道:
您已经看到了小写和大写示例。现在,让我们来看一些例子,看看其他管道如何工作。
在component.ts文件中定义所需的变量。
component.ts文件:
import { Component } from '@angular/core';
@Component({
selector: 'app-root',
templateUrl: './app.component.html',
styleUrls: ['./app.component.css']
})
export class AppComponent {
title = 'my-first-app';
todaydate = new Date();
jsonval = {name: 'Alex', age: '25', address:{a1: 'Paris', a2: 'France'}};
months = ['Jan', 'Feb', 'Mar', 'April', 'May', 'Jun',
'July', 'Aug', 'Sept', 'Oct', 'Nov', 'Dec'];
}
在component.html文件中使用不同的内置管道符号:
component.html文件:
Uppercase Pipe
{{title | uppercase}}
Lowercase Pipe
{{title | lowercase}}
Currency Pipe
{{6589.23 | currency:"USD"}}
{{6589.23 | currency:"USD":true}} //Boolean true is used to get the sign of the currency.
Date pipe
{{todaydate | date:'d/M/y'}}
{{todaydate | date:'shortTime'}}
Decimal Pipe
{{ 454.78787814 | number: '3.4-4' }} // 3 is for main integer, 4 -4 are for integers to be displayed.
Json Pipe
{{ jsonval | json }}
Percent Pipe
{{00.54565 | percent}}
Slice Pipe
{{months | slice:2:6}}
// here 2 and 6 refers to the start and the end index
输出:
您可以在此处查看所有内置管道的用法:
要创建自定义管道,请创建一个新的ts文件,并根据您要做的工作使用代码。您必须从Angular / Core导入Pipe,PipeTransform。让我们创建一个sqrt自定义管道。
component.ts文件:
import {Pipe, PipeTransform} from '@angular/core';
@Pipe ({
name : 'sqrt'
})
export class SqrtPipe implements PipeTransform {
transform(val : number) : number {
return Math.sqrt(val);
}
}
现在,轮到在app.module.ts中进行更改。创建一个名为SqrtPipe的类。此类将实现PipeTransform。类中定义的transform方法将参数作为数字,并在取平方根后返回数字。
就像我们创建了一个新文件一样,我们需要在app.module.ts中添加相同的文件。
Module.ts文件:
import { BrowserModule } from '@angular/platform-browser';
import { NgModule } from '@angular/core';
import { AppComponent } from './app.component';
import { NewCmpComponent } from './new-cmp/new-cmp.component';
import { ChangeTextDirective } from './change-text.directive';
import { SqrtPipe } from './app.sqrt';
@NgModule({
declarations: [
SqrtPipe,
AppComponent,
NewCmpComponent,
ChangeTextDirective
],
imports: [
BrowserModule
],
providers: [],
bootstrap: [AppComponent]
})
export class AppModule { }
现在,在component.html文件中使用sqrt管道。
component.html文件:
Example of Custom Pipe
Square root of 625 is: {{625 | sqrt}}
Square root of 169 is: {{169 | sqrt}}
输出:
Square root of 625 is: {{625 | sqrt}}
Square root of 169 is: {{169 | sqrt}}