This article is a part of my RxJS series, and the previous post is here.
My plan for this morning was to spend 15 min skimming through my RxJS slides and code samples for the upcoming presentation. I did this presentation multiple times, and my code samples published on CodePen just worked. No more.
RxJS 6 was recently released, and my code samples stopped working. I’m not sure if these particular issues were listed somewhere as breaking changes, but I’d like to share my findings with you. I’ve been using the following CDN to get RxJS 6: https://cdnjs.cloudflare.com/ajax/libs/rxjs/6.0.0/rxjs.umd.js.
In the past, you could use the Rx object as in Rx.Observable. No more.
rxjs is the new Rx
For example, my code sample that had Rx.Observable.create() is broken in RxJS 6 complaining that Rx is not defined. The broken code is here.
Say you need to get a hold of the Observable object in RxJS 6. I did it using the JavaScript destructuring syntax:
const { Observable } = rxjs;
Now you can just write Observable.create(). This fixed my broken code sample for Observable.create(), and the working version is here.
The next broken code sample was related to operators. I remember reading that dot-chainable operators shouldn’t be used in RxJS 6. Using pipeable operators is the way to go.
For backward compatibility of your app, you need to add the package rxjs-compat to be able to use dot-chainable operators. After replacing all dot-chainable with pipeable operators, uninstall rxjs-compat.
Here’s the broken code sample that uses dot-chainable operators map and filter.
To fix this code, I used the destructuring syntax again to get the pipeable version of the map and filter operators like this:
const { filter, map } = rxjs.operators;
Basically, I replaced this:
Rx.Observable.from(beers) .filter(beer => beer.price < 8) .map(beer => beer.name + ": $" + beer.price) .subscribe()
with this:
const { from } = rxjs; const { filter, map } = rxjs.operators; from(beers).pipe( filter(beer => beer.price < 8), map(beer => beer.name + ": $" + beer.price) ) .subscribe()
The working version of the code sample that uses pipeable operators map and filter is here.
Disclaimer. These were quick fixes that I came up with. I wouldn’t be surprised if there was a different way to accomplished the same results. If you find one, please let me know. Gotta share, right?
And one more thing. Importing observables like this is not cool anymore:
import {Observable} from "rxjs/observable";
You need to do it like this:
import {Observable} from "rxjs";
For detailed coverage of how to migrate RxJS-related code see this doc.