Reputation: 10059
I got a runtime error as cannot read property listArr of undefined
. I need to reuse that same array in multiple components. That's why I'm using Global array
I have added relevant code.please check it.
Global.ts :
export class Global {
public static listArr: ObservableArray<ListItem> = new ObservableArray<ListItem>();
}
ts file:
Global.listArr.push(data.items.map(item => new ListItem(item.id, item.name, item.marks)));
html file:
<ListView [items]="Global.listArr" > </ListView>
Upvotes: 6
Views: 1004
Reputation: 951
Best I can tell you cannot reference a global variable directly in a template as the template is bound to a component instance. You will have to provide a path through the component to the template to get the global values to render. While creating a service is a great option, you could also create a getter on the component and wrap the global variable.
See a Working Demo
The gist of this is:
export class AppComponent {
get getListArr() {
return Global.listArr;
}
}
export class Global {
public static listArr: string[] = [ 'a', 'b', 'c' ];
}
<!-- in your template get it this way -->
Gloabl static list with getter: {{getListArr}}
Upvotes: 0
Reputation: 34673
You cannot access the class static property directly in your template. You need to create an instance of the property in order to use it.
In this specific case, create an instance in the class referring to Global.listArr
. You can use this variable to push data and for using in the template. This will remain up-to-date for other components as well.
Ts file:
// class variable
globalList: Global.listArr;
// use in some method
this.globalList.push(data.items.map(item => new ListItem(item.id, item.name, item.marks)));
Html:
<ListView [items]="globalList"> </ListView>
Link to working demo.
Upvotes: 4
Reputation: 19622
I would suggest you to go for Shared Services
. Keep the global array in the service mark the service as a provider in app.module i:e your main module
.
Service
import { Injectable } from '@angular/core';
@Injectable()
export class Service{
public static myGloblaList: string[] = [];
constructor(){}
}
add it to providers
array of NgModule
.
Now you can use it in any Component like
constructor(private service : Service){
let globalList = this.service.myGlobalList;// your list
}
The reason i opt for a service is it uses Angular's Dependency Injection and it is the best Angular way to have a global variable and have it shared across Components.
And if you want the component to be auto notified of the changes in the array while push and pop you can make use of Behaviour subject in Services.LINK- question 2
Upvotes: 4