Open In App

How to Retrieve Data using HTTP with Observables in Angular ?

Last Updated : 19 Oct, 2023
Improve
Improve
Like Article
Like
Save
Share
Report

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 which is why we’re covering observable here. Important steps are listed below:

  • Create a service using the 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 that wants to use these methods. For example- AlbumListComponent.
  • Create a method or use an 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 the HttpClient service to make HTTP GET requests 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 { }


Create a new getAllAlbums() Method

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 the getting method is also IAlbum list. the album is an interface. 

For now, just know that this type-casting is necessary because the returned JSON response should be compatible with the type of IAlbum that we are dealing with. Here pipe and tap are related to Observable and are discussed in great detail in a different article.

Inject This Service and Store the Response in a Local Array

Now let’s create a method in our component code that will subscribe to this Observable.

album-list.component.ts:

Javascript




import { Component, OnInit } from "@angular/core";
import { IAlbum } from "../model/album";
import { AlbumService } from "../service/album.service";
 
@Component({
    selector: "album-list",
    templateUrl: "./album-list.component.html",
    styleUrls: ["album-list.component.css"],
})
export class AlbumListComponent implements OnInit {
    albums: IAlbum[] = [];
    constructor(private _albumService: AlbumService) { }
    ngOnInit() {
        this._albumService.getAllAlbums().subscribe({
            next: (albums) => {
                this.albums = albums;
            },
        });
    }
}


This component wants to display the list of all the albums that are just fetched by the HTTP request. Notice local array albums whose type is also IAlbum. See how imported the AlbumService and injected it into the constructor. Created a separate method also but it’s recommended to fetch the data within the ngOnInit life cycle hook. Subscribing to the required method of AlbumService (there can be other methods also in the same service). Inside the next block local array, this.albums is populated.

Displaying the List in Template/View

Iterate through that array using the ngFor directive.

album-list.component.html:

HTML




<h1>
    Albums list!
</h1>
<ul>
    <li *ngFor="let album of albums">
        <p>Uploaded by User no. : {{album.id}}</p>
        <p>Album name: {{album.title}}</p>
    </li>
</ul>


Output:

 



Like Article
Suggest improvement
Previous
Next
Share your thoughts in the comments

Similar Reads