javascriptangulartypescript

How do I use Angular 19 Observer for HTTP Requests?


I am trying to assign data from a GET request to a variable. I understand that an HttpClient GET request returns an Observable<any> that must be subscribed to. The following works, it prints the correct data (a Json object):

this.get("").subscribe(response => {console.log(response)});

However when I try to assign response to a variable:

let raw; //have also tried var as I thought it might be related to scope?
this.get("").subscribe(response => {raw = response});
console.log(raw) //returns undefined

let raw = this.get("").subscribe(response => response); //have also tried => response.data with same result
console.log(raw) //returns a weird object that I assume is the observer?

What is the best way to do this?


Solution

  • Below, code is storing the subscription in raw variable and not the response.

    let raw = this.get("").subscribe(response => response); //have also tried => response.data with same result
    console.log(raw) //returns a weird object that I assume is the observer?
    

    Updated code

    let raw;
    this.get("").subscribe(response => {
      raw = response;
      console.log(raw);
    });
    

    You are getting undefined in console.log because HTTP call is asyncronous in nature and takes time and since console.log is outside subscribe it gets executed before the response is received.