How to retrieve data using HTTP with Observables in Angular ?
Most applications obtain data from the backend server. They need to make an HTTP GET request. In this article, we’ll look at making an HTTP request and map the result/response in a local array. This array can be used to display or filter the items as we want. The most important thing here is using Observable. Let’s quickly look at Observable first.
Observable is important because it helps to manage asynchronous data (such as data coming from a back-end server). So we can think of Observable as an array where items arrive asynchronously over time. With Observable we need a method in our code that will subscribe to this observable. Observable is used by Angular itself including angular event and angular HTTP client service that is why we’re covering observable here.
Important steps are listed below:
- Create a service using command: ng g s album. Here we’ll create a class AlbumService.
- In AlbumService class create a method, say getAllAlbums(), which will make HTTP GET request using Observable.
- Inject this service into the constructor of any component who wants to use these methods. For example- AlbumListComponent.
- Create a method or use angular life cycle hook in AlbumListComponent class that will subscribe to the observable and then harvest the received response.
Create a service: album.service.ts
javascript
import { Injectable } from '@angular/core' import { HttpClient } from '@angular/common/http' ; import { Observable } from 'rxjs' ; import { catchError, tap, map } from 'rxjs/operators' ; import { IAlbum } from '../model/album' ; @Injectable({ providedIn: 'root' }) export class AlbumService { albums_url: string = constructor(private _http: HttpClient) {} } |
Stored the URL in a variable, album_url. Now we need HttpClient service to make HTTP GET request to that URL, so we’ve to inject it into the constructor. Make sure you import HttpClientModule from @angular/common/http in the corresponding module file.
javascript
@NgModule({ imports: [ BrowserModule, FormsModule, HttpClientModule ], declarations: [ ... ], providers: [ AlbumService ], bootstrap: [ ...] }) export class AppModule { } |
Now create a method getAllAlbums():
javascript
import { Injectable } from '@angular/core' import { HttpClient } from '@angular/common/http' ; import { Observable } from 'rxjs' ; import { catchError, tap, map } from 'rxjs/operators' ; import { IAlbum } from '../model/album' ; @Injectable({ providedIn: 'root' }) export class AlbumService { albums_url: string = constructor(private _http: HttpClient) {} getAllAlbums(): Observable<IAlbum []> { return this ._http.get<IAlbum []>( this .albums_url) .pipe( tap(data => console.log( 'All: ' + JSON.stringify(data))) ); } } |
Notice that, here the data type for Observable is IAlbum list and the return type of get method is also IAlbum list. IAlbum is an interface.
Please Login to comment...