AsyncPipe - Angular
O AsyncPipe
O AsyncPipe
Observable
Promise
AsyncPipe
AsyncPipe
Observable
Promise
Vamos utilizar o AsyncPipe
AppComponent
import { Component } from "@angular/core";
import { AsyncPipe } from "@angular/common";
import { Observable, interval } from "rxjs";
import { map } from "rxjs/operators";
@Component({
selector: "my-app",
standalone: true,
imports: [AsyncPipe],
template: `<p>Modelo: {{ phone | async }}</p>
<button (click)="showPhones()">Ver Modelos</button>`
})
export class AppComponent {
phones = ["iPhone 15 Pro", "Xiaomi 14 Pro", "Infinix NOTE 30", "Samsung Galaxy A24", "Realme C53"];
phone: Observable<string> | undefined;
constructor() { this.showPhones(); }
showPhones() {
this.phone = interval(500).pipe(map((i: number) => this.phones[i]));
}
}
Neste exemplo, a cada 500 milissegundos, um novo item da lista phones

Benefícios do AsyncPipe
O componente não precisa se inscrever manualmente para receber dados assíncronos, processá-los ou cancelar a inscrição ao ser destruído. O AsyncPipe
Como o AsyncPipe
helloapp/ ├── src/ │ ├── app/ │ │ ├── http.service.ts │ ├── assets/ │ │ ├── users.json │ ├── main.ts ├── angular.json ├── package-lock.json ├── package.json └── tsconfig.json
No arquivo http.service.ts
import { Injectable } from "@angular/core";
import { HttpClient } from "@angular/common/http";
@Injectable()
export class HttpService {
constructor(private http: HttpClient) {}
getUsers() {
return this.http.get("assets/users.json");
}
}
Para armazenar os dados, criamos o arquivo users.json
src/assets
[{
"name": "Bob",
"age": 49
}, {
"name": "Tom",
"age": 39
}, {
"name": "Alice",
"age": 34
}]
No arquivo app.component.ts
import { Component, OnInit } from "@angular/core";
import { AsyncPipe, CommonModule } from "@angular/common";
import { Observable } from "rxjs";
import { HttpService } from "./http.service";
@Component({
selector: "my-app",
standalone: true,
imports: [AsyncPipe, CommonModule],
template: `<ul>
<li *ngFor="let user of users | async">{{ user.name }} ({{ user.age }})</li>
</ul>`,
providers: [HttpService]
})
export class AppComponent implements OnInit {
users: Observable<Object> | undefined;
constructor(private httpService: HttpService) {}
ngOnInit() {
this.users = this.httpService.getUsers();
}
}
Novamente, o carregamento dos dados é iniciado no método ngOnInit()
AsyncPipe
<li *ngFor="let user of users | async">{{ user.name }} ({{ user.age }})</li>
Assim que os dados são recebidos, eles são imediatamente exibidos na página web.
