Auto-complete with Angular material and RxJS

This article talks about an efficient way to implement auto-complete feature using Angular concepts. The key components used in this demonstration are as follows:
 

  1. Angular Material (v12) Autocomplete module.
  2. RxJS for action and data binding.
  3. Angular in-memory-web-api for REST services (Refer to in-memory-web-api).   Demo 1   Demo2   Demo 3

Let us now see how we go about it:
 

The UI:

The front-end consists of an angular autocomplete module. The input event taps the user's keystrokes and emits a new value into an action subject.
app.component.html 1
Each key-stroke emits a new value into an action subject declared in the AutocompleteService class.
app.component.ts
 

The Service:

The action BehaviorSubject starts with an empty string. The action$ is an observable built out of this subject.
autocomplete.service.ts 1
 
Every time a new value is emitted into the action stream, it returns an observable from the http GET request. Since this is a higher-order observable (i.e., an observable returning an observable), we make use of one of the higher order functions like switchMap.
autocomplete.service.ts 2
So why switchMap (and not other higher order functions like concatMap or mergeMap)? The reason is: switchMap unsubscribes from the previous observable once a new value is emitted by the parent observable.

What this means is - as soon as the user types in another letter or removes a letter, there is simply no need to subscribe and execute the rest call for the previous values. The user is only interested to see the results of the search according to his/her current input. And switchMap does this automatically, and thus gets rid of unwanted rest calls.

We can also get additional control on when to fire the rest service depending on the length of the user's input. For example, in this demo, I fire the rest call only when the user has entered at least 2 characters. If not, then I return an observable of empty array (using of([])).

 

Back to the Component:

We tap onto the above observable and use async pipe to subscribe to it. Since we are completely using observables, we can also use the OnPush change-detection-strategy.
app.component.html 2
 
And that is all :-)

 
@angular/cli - 12.1.0
@angular/material - 12.1.1
Source: GitHub

 
Cheers!

33