Welcome to this new series on Angular anti-patterns. I intend to cover one anti-pattern per week for a few weeks, starting with one of the most common ones: Subscribing to an Observable within another Observable subscription. Here’s an example where we get a country and then the currency for that country:
data:image/s3,"s3://crabby-images/bf803/bf803de95c74aa4de76075116edae09bc88f9832" alt=""
Why is this a bad idea? Here are a few reasons:
getCurrencyForCountry()
is never unsubscribed, which can lead to memory leaks.- When the country changes, the Observable that gets the previous country’s currency is not canceled. If that Observable emits again,
this.currency
will get overwritten. - Such nested callbacks are hard to read, and as a result, such code is more challenging to maintain.
Let’s imagine our component template is as follows:
data:image/s3,"s3://crabby-images/33893/33893d050f03ae620fbdef8e2ca1d9c1e594f2b8" alt=""
Then in a scenario where getCurrencyForCountry()
emits updates values every second, our component would end up displaying the following values, which become wrong very quickly:
data:image/s3,"s3://crabby-images/b571a/b571a21875333eae2ea3d706f9b6ba8bf8435317" alt=""
You can take a look at that code here.
The solution to avoid such issues is to use the switchMap
operator as follows:
data:image/s3,"s3://crabby-images/7eaea/7eaea6f37fac356a99c751075a54ef2f6764ea59" alt=""
The above code works fine because switchMap
cancels the previous currency Observable as soon as a new country is emitted from service.getCountries()
. No more memory leaks, and our two Observables are always in sync:
data:image/s3,"s3://crabby-images/5b22e/5b22e705bbcb38cd16ed2bff9f926677a49b5dca" alt=""
Here is a link to that same code example using the switchMap operator.