我想在视图中显示用户注册的下一个即将发生的事件。
为此,我首先需要检索用户注册的最近事件(及时),然后检索此事件的信息。
用户注册的事件列表是否是动态的,因此我需要连续使用两个Observable的事件信息。
所以我尝试使用concatMap,但我可以看到getEvent函数被调用了11次......我不明白为什么以及如何做得更好。
这是我的控制器
//Controller
nextEvent$: Observable<any>;
constructor(public eventService: EventService) {
console.log('HomePage constructor');
}
ngOnInit(): void {
// Retrieve current user
this.cuid = this.authService.getCurrentUserUid();
this.nextEvent$ = this.eventService.getNextEventForUser(this.cuid);
}
EventService(包含11次调用的getEvent函数)
// EventService
getEvent(id: string, company?: string): FirebaseObjectObservable<any> {
let comp: string;
company ? comp = company : comp = this.authService.getCurrentUserCompany();
console.log('EventService#getEvent - Getting event ', id, ' of company ', comp);
let path = `${comp}/events/${id}`;
return this.af.object(path);
}
getNextEventForUser(uid: string): Observable<any> {
let company = this.authService.getCurrentUserCompany();
let path = `${company}/users/${uid}/events/joined`;
let query = {
orderByChild: 'timestampStarts',
limitToFirst: 1
};
return this.af.list(path, { query: query }).concatMap(event => this.getEvent(event[0].id));
}
最后我的观点
<ion-card class="card-background-image">
<div class="card-background-container">
<ion-img src="sports-img/img-{{ (nextEvent$ | async)?.sport }}.jpg" width="100%" height="170px"></ion-img>
<div class="card-title">{{ (nextEvent$ | async)?.title }}</div>
<div class="card-subtitle">{{ (nextEvent$ | async)?.timestampStarts | date:'fullDate' }} - {{ (nextEvent$ | async)?.timestampStarts | date:'HH:mm' }}</div>
</div>
<ion-item>
<img class="sport-icon" src="sports-icons/icon-{{(nextEvent$ | async)?.sport}}.png" item-left>
<h2>{{(nextEvent$ | async)?.title}}</h2>
<p>{{(nextEvent$ | async)?.sport | hashtag}}</p>
</ion-item>
<ion-item>
<ion-icon name="navigate" isActive="false" item-left small></ion-icon>
<h3>{{(nextEvent$ | async)?.location.main_text}}</h3>
<h3>{{(nextEvent$ | async)?.location.secondary_text}}</h3>
</ion-item>
<ion-item>
<ion-icon name="time" isActive="false" item-left small></ion-icon>
<h3>{{(nextEvent$ | async)?.timestampStarts | date:'HH:mm'}} - {{(nextEvent$ | async)?.timestampEnds | date:'HH:mm'}}</h3>
</ion-item>
</ion-card>
答案 0 :(得分:2)
this.af.list(path, { query: query }).concatMap(event => this.getEvent(event[0].id))
是冷 Observable
。这意味着每次对它执行订阅时,它都会重新执行基础流,这意味着重新调用getEvent
方法。
async
隐式订阅了Observable
,这就是为什么如果你在模板中计算(nextEvent$ | async)
次来电,你会看到11来自哪里。
<强>&安培; tldr; 强> 您需要共享流的订阅:
this.nextEvent$ = this.eventService.getNextEventForUser(this.cuid)
// This shares the underlying subscription between subscribers
.share();
以上内容将在第一次订阅时连接流,但随后将在所有订阅者之间共享该订阅。
答案 1 :(得分:0)
RXJS的concatMap
方法将所有事件展平为一个可观察对象。您可能最好使用switchMap
方法。 switchMap只订阅最新的observable。
所以做这样的事情可能会解决你的问题:
<强>之前:强>
return this.af.list(path, { query: query }).concatMap(event => this.getEvent(event[0].id));
<强>后:强>
return this.af.list(path, { query: query }).switchMap(event => event);