-
Notifications
You must be signed in to change notification settings - Fork 9
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
first blog post about breethe #208
Changes from 1 commit
b9fd427
ce8915d
41a2c9b
f247454
c1b2257
3eac3fb
38d254e
19bec9d
File filter
Filter by extension
Conversations
Jump to
Diff view
Diff view
There are no files selected for viewing
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,204 @@ | ||
--- | ||
layout: article | ||
section: Blog | ||
title: "Building a PWA with Glimmer.js" | ||
author: "Marco Otte-Witte" | ||
github-handle: marcoow | ||
twitter-handle: marcoow | ||
--- | ||
|
||
We recently set out to build a progressive web app with [Glimmer.js](http://glimmerjs.com). Instead of building it with [Ember.js](http://emberjs.com), which is our standard framework of choice, we wanted to see how suitable for prime-time Glimmer.js is and what we'd be able to accomplish with it. To put it short, we are really happy with how building the app went and the result that we were able to achieve. In this series of posts, we will give some insights into how we built the app, why we made particular decisions and what the result looks like. | ||
|
||
<!--break--> | ||
|
||
#### Breethe | ||
|
||
While this project was mostly meant as a technology spike to validate Glimmer's suitability for real projects as well as testing some techniques for running and serving web apps that we had in our minds for some time, we wanted to build something useful and meaningful. What we built is Breethe, a progressive web apps that gives users quick and easy access to air quality data for locations around the world. Pollution and global warming are getting worse rather than better and having easy access to data that shows how bad the situation actually is is the first step for everyone to question their decisions and maybe change a few things that can help improve the situation. | ||
|
||
![Video of the Breethe PWA](/images/posts/2018-07-03-building-a-pwa-with -glimmer-js/breethe-video.gif) | ||
|
||
The application is fully open source and [available on GitHub](https://github.com/simplabs/breethe-client). | ||
|
||
#### Glimmer.js | ||
|
||
Glimmer.js is a thin component library built on top of Ember.js's rendering engine, the Glimmer VM. It is optimized for small file size and maximum runtime performance and thus a great fit for situations where a full-featured framework like Ember.js is not needed and too heavy weight. | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. I think There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. yes probably :) |
||
|
||
Glimmer.js provides functionality for defining, composing and rendering components and keeps the DOM in sync with the component tree's internal state. It uses Ember CLI, the battle-tested command-line interface tool (CLI) from the Ember project, to help create and manage applications. Glimmer.js is written in TypeScript and so are applications built with it. | ||
|
||
As it is built on the Glimmer VM, it uses Handlebars-like syntax for its templates, e.g.: | ||
|
||
```hbs {% raw %} | ||
{{#each measurementLists.first key="@index"}} | ||
<MeasurementRow | ||
@value={{measurement.value}} | ||
@parameter={{measurement.parameter}} | ||
@unit={{measurement.unit}} | ||
/> | ||
{{/each}} | ||
{% endraw %}``` | ||
|
||
These templates then get compiled to opcodes that the Glimmer VM (yes, this is a full-fledged VM that runs inside your JavaScript VM in the browser) processes and translates into DOM operations in the browser. For a detailed overview of how that works and why it results in very small bundle sizes as well as super fast initial and update renders, watch the talk I gave at the Ember.js Munich meetup last year: | ||
|
||
<iframe width="560" height="315" src="https://www.youtube.com/embed/vIRZDCyfOJc?rel=0" frameborder="0" allow="autoplay; encrypted-media" allowfullscreen class="video"></iframe> | ||
|
||
#### Building Breethe with Glimmer.js | ||
|
||
The Breethe app consists of two main screens, the Start page with the search form and the results page that shows the data and an air quality score for a particular location. These two screens are implemented in two components that the app's main component renders depending on the current state of the app. | ||
|
||
![The two main screens of the Breethe PWA](/images/posts/2018-07-03-building-a-pwa-with -glimmer-js/breethe-screens.png) | ||
|
||
As Glimmer.js is a UI component library only and does not include any routing functionality, we used added the Navigo router to set up logic that maps the current route to the corresponding application state and vice versa: | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more.
I'd move the "only" and maybe put it in quotes There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. makes sense 👍 |
||
|
||
```ts | ||
_setupRouting() { | ||
this.router = new Navigo(); | ||
|
||
this.router | ||
.on('/', () => this.mode = MODE_SEARCH) | ||
|
||
.on('/search', () => this.mode = MODE_SEARCH) | ||
|
||
.on('/search/:searchTerm', (params) => { | ||
this.mode = MODE_SEARCH; | ||
this.searchTerm = params.searchTerm; | ||
}) | ||
|
||
.on('/location/:locationId/', (params) => { | ||
this.mode = MODE_RESULTS; | ||
this.searchTerm = params.locationId; | ||
}) | ||
|
||
.resolve(this.appState.route); | ||
} | ||
``` | ||
|
||
First of all, we create a new router instance. Then we map URLs to the corresponding states of the app. The routes `/`, `/search` and `/search/:searchTerm` all map to the `MODE_SEARCH` mode that renders the search form and search results if there are any. The `/location/:locationId` route maps to the `MODE_RESULTS` mode that renders the component that displays a particular location's data and quality score. We use the `mode` property in two tracked properties `isSearchMode` and `isResultsMode`. [Tracked properties](https://glimmerjs.com/guides/tracked-properties) are Glimmer's equivalent to Ember's computed properties and will result in the component being re-rendered when their value changes. | ||
|
||
```ts | ||
@tracked('mode') | ||
get isSearchMode(): boolean { | ||
return this.mode === MODE_SEARCH; | ||
} | ||
|
||
@tracked('mode') | ||
get isResultsMode(): boolean { | ||
return this.mode === MODE_RESULTS; | ||
} | ||
``` | ||
|
||
We can then use these properties in the template to render the respective component for the mode: | ||
|
||
```hbs {% raw %} | ||
{{#if isSearchMode}} | ||
<Search @searchTerm={{searchTerm}}/> | ||
{{else if isResultsMode}} | ||
<Location @locationId={{locationId}} /> | ||
{{/if}} | ||
{% endraw %}``` | ||
|
||
You might notice the `@` prefix of the `searchTerm` and `locationId` properties that are set on the components. This prefix distinguishes properties that are to be passed to the component instance as opposed to attributes that will be applied to the component's root DOM element. | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. you could mention here that this is coming to Ember too, and that there are already polyfills that make this available in older Ember versions There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. that is in fact mentioned below ;) |
||
|
||
The `Search` component renders the `SearchForm` component that implements the text field for the search term and the button to submit the search: | ||
|
||
```hbs {% raw %} | ||
<SearchForm | ||
@term={{searchTerm}} | ||
@onSubmit={{action searchByTerm}} | ||
/> | ||
{% endraw %}``` | ||
|
||
`{% raw %}@onSubmit={{action searchByTerm}}{% endraw %}` assigns the `searchByTerm` method of the `Search` component as an action to the `@onSubmit` property of the `SearchForm` component. Whenever the search form is submitted, the component will invoke the assigned action: | ||
|
||
```ts | ||
submitSearch(event) { | ||
event.preventDefault(); | ||
let search = event.target.value; | ||
this.args.onSubmit(search); | ||
} | ||
``` | ||
|
||
The last line here calls the assigned action and thus invokes the `searchByTerm` method on the `Search` component. That method enables the loading state on the component, loads locations matching the search term, assigns them to its `locations` property and disables the loading state again: | ||
|
||
```ts | ||
async searchByTerm(searchTerm) { | ||
this.loading = true; | ||
let url = `${__ENV_API_HOST__}/api/locations?filter[name]=${searchTerm}`; | ||
let locationsResponse = await fetch(url); | ||
let locationsPayload: { data: Location[] } = await locationsResponse.json(); | ||
this.locations = locationsPayload.data; | ||
this.loading = false; | ||
} | ||
``` | ||
|
||
The `loading` and `locations` properties are tracked properties so that changing them, results in the component to be re-rendered. They are used in the component's template like this: | ||
|
||
```hbs {% raw %} | ||
<div class="results"> | ||
{{#if loading}} | ||
<div class="loader search-loader"></div> | ||
{{else}} | ||
<ul> | ||
{{#each locations key="id" as |location|}} | ||
<li class="result"> | ||
<a href="/location/{{location.id}}" class="result-link" data-navigo> | ||
{{location.label}} | ||
</a> | ||
</li> | ||
{{/each}} | ||
</ul> | ||
{{/if}} | ||
</div> | ||
{% endraw %}``` | ||
|
||
This is just a brief overview of how an application built with Glimmer.js works. We will cover some of these things in more detail in future posts, particularly how we load and manage data with Orbit.js. For a closer look on the inner workings of Breethe, check out the [code on github](https://github.com/simplabs/breethe-client). | ||
|
||
#### From Glimmer.js Ember.js | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. missing "to" There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. 👍 |
||
|
||
Besides making the Glimmer VM available to be used outside of Ember.js and offering a solution for situations where bundle size and load time performance is of crucial importance, Glimmer.js also serves as a testbed for new features and changes that will later make their way into the Ember.js framework. It is not bound to the strong stability guarantees that Ember.js makes and thus a great environment for experimenting with new approaches to existing problems that will usually require a few iterations until the API is stable. | ||
|
||
Some of these new things have already found their way back into Ember.js are (at least in some form): | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. We can also mention the use of node packages that are not addons. It's quite nice that we could use There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more.
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. removed the "are" There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. @jorgelainfiesta: is that something that the Glimmer application pipeline enables somehow? |
||
|
||
* The `@` syntax as shown above that clearly distinguishes properties that are set on a component instance vs. attributes that are set on a component's root DOM element - [this PR](https://github.com/emberjs/ember.js/commit/4bd3d7b882484919682ab0cdb57f81584abc503a) enables the feature flag by default. | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. might be better to link the RFC? |
||
* The possibility to use ES2015 classes instead of Ember.js' own object model - see [this blog post](https://medium.com/build-addepar/es-classes-in-ember-js-63e948e9d78e) for more information. | ||
* Template-only components that do not have a wrapping `<div>` - can be enabled as an [optional feature](https://github.com/emberjs/ember-optional-features). | ||
|
||
Eventually it will be possible to seamlessly use Glimmer.js components in Ember.js applications (see the [quest issue](https://github.com/emberjs/ember.js/issues/16301) for more information). That will also enable "upgrading" Glimmer.js applications to Ember.js once they reach a certain size and complexity and the additional features and concepts that Ember.js provides over Glimmer.js justify a more heavy-weight framework. | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more.
|
||
|
||
#### Testing | ||
|
||
Glimmer.js uses the new testing APIs that are also now available for Ember.js applications. These allow writing concise tests for asserting components render the expected results for a given set of properties and attributes: | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. Should we mention glimmerjs/glimmer.js#14 to avoid causing problems to people who'll try to write tests for Glimmer components? There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. done 👍 |
||
|
||
```js | ||
import { module, test } from 'qunit'; | ||
import hbs from '@glimmer/inline-precompile'; | ||
import { setupRenderingTest } from '@glimmer/test-helpers'; | ||
|
||
module('Component: MeasurementRow', function(hooks) { | ||
setupRenderingTest(hooks); | ||
|
||
test('PPM Case', async function(assert) { | ||
await this.render(hbs` | ||
<MeasurementRow | ||
@value=12 | ||
@parameter=pm25 | ||
@unit=ppm | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. quotes missing here? There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. Hm, this actually seems to work like that in the test but I wonder why 🤔 Would be good to add quotes anyway though 👍 |
||
/> | ||
`); | ||
let label = this.containerElement.querySelector('[data-test-measurement-label]').textContent.trim(); | ||
let value = this.containerElement.querySelector('[data-test-measurement-value]').textContent.trim(); | ||
let unit = this.containerElement.querySelector('[data-test-measurement-unit]').textContent.trim(); | ||
|
||
assert.equal(label, 'PM25', 'Parameter is rendered'); | ||
assert.equal(value, `12`, 'Value is rendered'); | ||
assert.equal(unit, `ppm`, 'Unit is rendered'); | ||
}); | ||
}); | ||
``` | ||
|
||
This test case tests the `MeasurementRow` component by passing a set of properties and asserting that the DOM contains the expected elements with the expected content. The key element to be aware here is the invocation of `setupRenderingTest` which sets this test case up as a rendering test, which for example makes the `this.render` method available. For a more detailed overview of these API see the [talk on the topic](https://www.youtube.com/watch?v=8D-O4cSteRk) that [@TobiasBieniek](https://twitter.com/TobiasBieniek) gave at this year's EmberConf. | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. my talk is entirely unrelated to Glimmer testing though, and underneath it works very different... There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. I'm not meaning to imply the talk is related to Glimmer but only the testing APIs that are also used in Glimmer. Maybe this should be rephrased to make that clearer… There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. yeah, but the testing APIs are not also used in Glimmer. they may look slightly similar, but they are in fact quite different in some regards. There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. removed the reference |
||
|
||
#### Outlook | ||
|
||
In future posts, we will look at some specific aspects of the application in more detail, including service workers and offline functionality, server side rendering (which enables progressive enhancement where JavaScript is not even needed in the browser anymore to be able to use the application) and how we optimized the app's CSS using[css-blocks](http://css-blocks.com). | ||
|
||
Stay tuned 👋 |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
In
progressive web apps that gives users quick
,apps
doesn't need thes
.data that shows how bad the situation actually is is the first step
- maybe needs a comma betweenis
andis
?