Reputation: 5905
I'm trying to setup a simple way to compare the current username with a profile's username within an Angular service.
Obviously the profile username and the user's username must resolve before I can compare them so how do I return a boolean observable so that I can subscribe to this comparison within components?
This is where I'm at:
public profileId = new Subject<string>; // Observable string source updated from a profile.component (when the URL displays the profile's username)
public profileId$ = this.profileId.asObservable();
public currentUser = this.principal.asObservable().distinctUntilChanged();
public isProfileOwner(): Observable<boolean> { // A function whose declared type is neither 'void' nor 'any' must return a value.
this.currentUser.subscribe(user => {
this.profileId$.subscribe(
profile => {
console.log(profile + ' ' + user.username); // match!
if (profile === user.username) {
return Observable.of(true);
} else {
return Observable.of(false);
}
}
)
})
}
This seems to be the way other SO answers explain to do it but I'm getting [ts] A function whose declared type is neither 'void' nor 'any' must return a value.
I'd like to subscribe to test within components.
this.authService.isProfileOwner().subscribe(
data => {
console.log(data); // should be boolean
}
)
Upvotes: 14
Views: 40268
Reputation: 73337
As noticed from other answer by @user184994, forkJoin
won't work in this case. Instead you can use combineLatest
, and then very similarily like @user184994 have otherwise implemented the service code:
isProfileOwner(): Observable<boolean> {
return Observable.combineLatest(this.currentUser, this.profileId$)
.map(results => {
let user = results[0];
let profile = results[1];
return (user.username === profile)
});
}
Upvotes: 9
Reputation: 18271
I would personally suggest using forkJoin
, to wait for the observables, and flatMap to convert to an Observable<boolean>
return Observable.forkJoin(this.currentUser, this.profileId$).flatMap(
results => {
user = results[0];
profile = results[1];
return Observable.of(profile === user.username)
}
);
Upvotes: 5
Reputation: 1465
This can be achieved through Subject
import { Subject } from 'rxjs';
public isProfileOwner(): Observable<boolean> {
var subject = new Subject<boolean>();
this.currentUser.subscribe(user => {
this.profileId$.subscribe(
profile => {
console.log(profile + ' ' + user.username); // match!
if (profile === user.username) {
subject.next(true);
} else {
subject.next(false);
}
}
)
})
return subject.asObservable();
}
Upvotes: 12