31

I have the following code:

public obs$: Observable<boolean>
<div *ngIf="(obs$ | async) === true || (obs$ | async) === false">
  {{ (obs$ | async) ? 'yes' : 'no' }}
</div>

It works as intended, but the if looks a little verbose.

The problem is that I cannot simply do <div *ngIf="(obs$ | async)">. If I try that, it will work in the case when the observable did not emit a value yet or if the value is true, but it will not work if the value is false, because the if will evaluate to false and the div is not displayed.

I assume the same issue applies if a falsy value is returned, such as an empty string or 0.

Is there a better, easier way of doing that?

Andreas Gassmann
  • 6,334
  • 7
  • 32
  • 45
  • 3
    You can do `(obs$ | async) !== null` – Sachin Gupta Mar 22 '19 at 09:50
  • 2
    Can you please shed some light on when the `Observable` will not emit a value? – SiddAjmera Mar 22 '19 at 09:51
  • 1
    @SachinGupta Oh wow, it is actually that simple. I tried to compare it to undefined which didn't work and I just gave up. Thanks a lot! If you post an answer I will accept it. – Andreas Gassmann Mar 22 '19 at 09:54
  • @SiddAjmera I'm making an API call to get the value, so it sometimes takes a few seconds to emit a value. – Andreas Gassmann Mar 22 '19 at 09:55
  • 1
    You can also `pipe` the response and return a `false` in the `catchError` operator. That way you'd always be certain that a boolean value is emitted. And you won't have to use an `*ngIf` on the `div` – SiddAjmera Mar 22 '19 at 09:56

4 Answers4

52

Here's a way where you can share the subscription and not have to make any custom pipe:

<ng-container *ngIf="{value: obs$ | async} as context">
    {{context.value}}
</ng-container>

The *ngIf will evaluate to true no matter what (I believe) and then you can do your own tests on the value in the context object.

...would be better if they would just implement *ngLet I think!

The thing I like about this solution is that the resulting value is reusable with only the single use of an async pipe and its still pretty concise (even if it isn't perfect).

WillyC
  • 3,917
  • 6
  • 35
  • 50
17

You can do (obs$ | async) !== null

Sachin Gupta
  • 4,981
  • 3
  • 16
  • 32
1

You can use "!!" to evalulate to boolean. for example *ngIf = "!!(item$ | async)"

0

I think the most elegant way should be creating a custom BoolPipe , and chain it after the async pipe。

@Pipe({name: 'myBool'})
export class MyBoolPipe implements PipeTransform {
  transform(value: boolean, exponent: string): string {
    return !value ? 'yes' : 'no';
  }
}

and init the obj$ in the constructor of your component or service (don't need null check in your HTML template), then chain it with async pipe like this:

<div>{{ obs$ | async | myBool }}</div>
zhimin
  • 2,740
  • 12
  • 22