Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Angular 2, best practice to load data from a server one time and share results to components [duplicate]

What is the best practice to store (and share) initial values in an Angular 2 application using a service? I have a service that loads much data from a server as resources,configurations and other that are array and objects. I do not want to load this data each time I load a component or when I route to a view, I just want to use these objects and array already loaded when the application starts, and optionally reload if needed. The question is where is the right place to store this values and how to share across components that use the service? Thanks.

like image 914
Massimo Magliani Avatar asked Mar 14 '16 16:03

Massimo Magliani


2 Answers

Gunter is completely right regarding shared services!

Here are some more details for an HTTP that relies on observables and cached data for next calls:

export class SharedService {   constructor(private http:Http) {   }    getData() {     if (this.cachedData) {       return Observable.of(this.cachedData);     } else {       return this.http.get(...)             .map(res => res.json())             .do((data) => {               this.cachedData = data;             });     }   } } 
like image 141
Thierry Templier Avatar answered Oct 15 '22 10:10

Thierry Templier


You have to think about shared service and make sure only single instance is shared among components.

shared service and shared object demo

Note:
don't forget to register service in bootstrap function. Observe code deeply. you will get what you want. Routing part is not demonstrated. Surf plunk for further implementation

service.ts

import {Component, Injectable,Input,Output,EventEmitter} from 'angular2/core' import {Router} from 'angular2/router'; import {Http} from 'angular2/http';   export interface Info {    name:string; }  @Injectable() export class NameService {    constructor(http:Http;router:Router)   {     this.http=http;     // you can call server resource from here and store it down to any variable.    }    info: Info = { name : "Jack" };   change(){     this.info.name = "Jane"; // this.info is shared among components.    } }  
like image 34
Nikhil Shah Avatar answered Oct 15 '22 08:10

Nikhil Shah