我有一个对象,我希望在我的组件之间共享一个Angular2应用程序。
以下是第一个组件的来源:
/* app.component.ts */
// ...imports
import {ConfigService} from './config.service';
@Component({
selector: 'my-app',
templateUrl: 'app/templates/app.html',
directives: [Grid],
providers: [ConfigService]
})
export class AppComponent {
public size: number;
public square: number;
constructor(_configService: ConfigService) {
this.size = 16;
this.square = Math.sqrt(this.size);
// Here I call the service to put my data
_configService.setOption('size', this.size);
_configService.setOption('square', this.square);
}
}
和第二个组成部分:
/* grid.component.ts */
// ...imports
import {ConfigService} from './config.service';
@Component({
selector: 'grid',
templateUrl: 'app/templates/grid.html',
providers: [ConfigService]
})
export class Grid {
public config;
public header = [];
constructor(_configService: ConfigService) {
// issue is here, the _configService.getConfig() get an empty object
// but I had filled it just before
this.config = _configService.getConfig();
}
}
最后是我的小服务,ConfigService:
/* config.service.ts */
import {Injectable} from 'angular2/core';
@Injectable()
export class ConfigService {
private config = {};
setOption(option, value) {
this.config[option] = value;
}
getConfig() {
return this.config;
}
}
我的数据没有被共享,在grid.component.ts中,_configService.getConfig()
行返回一个空对象,但它在app.component.ts之前就被填充了。
我阅读了文档和教程,没有任何效果。
我错过了什么?
由于
解决
我的问题是我正在两次注入我的ConfigService。在应用程序的引导程序和我正在使用它的文件中。
我删除了providers
设置并且工作正常!
答案 0 :(得分:28)
您可以在两个组件中定义它。所以服务没有共享。您有AppComponent
组件的一个实例和Grid
组件的另一个实例。
@Component({
selector: 'my-app',
templateUrl: 'app/templates/app.html',
directives: [Grid],
providers: [ConfigService]
})
export class AppComponent {
(...)
}
快速解决方案是删除Grid组件的providers
属性...这样,服务实例将由AppComponent
及其子组件共享。
另一种解决方案是在bootstrap
函数中注册相应的提供程序。在这种情况下,实例将由整个应用程序共享。
bootstrap(AppComponent, [ ConfigService ]);
要理解为什么需要这样做,你需要了解"分层注射器" Angular2的功能。以下链接可能很有用:
答案 1 :(得分:6)
对于最新版本的angular,如果要共享该服务,则无法将其添加到引导功能中。只需将其添加到NgModule提供程序列表中,就像使用普通服务一样,其默认行为将是单例。
自举(AppComponent);
@NgModule({
declarations: [
....
],
imports: [
....
],
providers: [
ConfigService,
....
答案 2 :(得分:4)
不要将ConfigService
添加到您组件的providers
。这导致每个组件的新实例。
将其添加到公共父组件的providers
。如果将其添加到根组件或bootstrap(App, [ConfigService])
,则整个应用程序共享一个实例。