SlideShare a Scribd company logo
CREATING LIGHTWEIGHT JS APPS
W/ WEB COMPONENTS AND LIT-HTML
🔥-HTML+
A B O U T M E
{
"name": "Ilia Idakiev",
"experience": [
“Google Developer Expert (GDE)“,
"Developer & Co-founder @ HILLGRAND",
"Lecturer in 'Advanced JS' @ Sofia University",
"Contractor / Consultant",
"Public / Private Courses”
],
"involvedIn": [
"Angular Sofia", "SofiaJS / BeerJS",
]
}
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
SEPARATION OF CONCERNS (SOC)
▸ Design principle for separating a computer program into distinct sections, such
that each section addresses a separate concern. (Modularity)
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
S.O.L.I.D PRINCIPLES OF OBJECT-ORIENTED PROGRAMMING
▸ Single Responsibility Principle
▸ Open / Close Principle
▸ Liskov Substitution Principle
▸ Interface Segregation Principle
▸ Dependency Inversion Principle
http://aspiringcraftsman.com/2011/12/08/solid-javascript-single-responsibility-principle/
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
WEB COMPONENTS
▸ Introduced by Alex Russell (Chrome team @ Google) 

at Fronteers Conference 2011
▸ A set of features currently being added by the W3C to
the HTML and DOM specifications that allow the creation of
reusable widgets or components in web documents and web applications.
▸ The intention behind them is to bring component-based software
engineering to the World Wide Web.
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
WEB COMPONENTS FEATURES:
▸ HTML Templates - an HTML fragment is not rendered, but stored until it is
instantiated via JavaScript.
▸ Shadow DOM - Encapsulated DOM and styling, with composition.
▸ Custom Elements - APIs to define new HTML elements.
▸ HTML Imports - Declarative methods of importing HTML documents into other
documents. (Replaced by ES6 Imports).
DEMOTHE NATIVE WAY
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
DEFINE CUSTOM ELEMENT
(function () {
}());
Create an isolated scope
counter.js
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
(function () {
class Counter extends HTMLElement {
}
}());
DEFINE CUSTOM ELEMENT Create a new class that extends HTMLElement
counter.js
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
(function () {
class Counter extends HTMLElement {
}
customElements.define('hg-counter', Counter);
}());
DEFINE CUSTOM ELEMENT Register the new custom element.
counter.js
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
HTML TEMPLATES
▸ The <template> tag holds its content hidden from the client.
▸ Content inside a <template> tag will be parsed but not rendered.
▸ The content can be visible and rendered later by using JavaScript.
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
WAYS TO CREATE A TEMPLATE
<template id="template">
<h2>Hello World</h2>
</template>
const template =
document.createElement('template');
template.innerHTML =
'<h2>Hello World</h2>';
Using HTML Using JavaScript
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
CREATE TEMPLATE HELPER FUNCTION
function createTemplate(string) {
const template = document.createElement('template');
template.innerHTML = string;
return template;
}
utils.js
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
CREATE THE TEMPLATE
(function () {
const template = createTemplate('<div>Hello World<div>');
class Counter extends HTMLElement {
}
customElements.define('hg-counter', Counter);
}());
Use the create template helper function.
counter.js
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
SHADOW DOM
▸ Isolated DOM - The component's DOM is self-contained
(e.g. document.querySelector() won't return nodes in the component's shadow DOM).
▸ Scoped CSS - CSS defined inside shadow DOM is scoped to it. Style rules
don't leak out and page styles don't bleed in.
▸ Composition - done with the <slot> element.

(Slots are placeholders inside your component that users can fill with their own markup).
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
DEFINE CUSTOM ELEMENT
(function () {
const template = createTemplate('<div>Hello World<div>');
class Counter extends HTMLElement {
constructor() {
super();
}
}
customElements.define('hg-counter', Counter);
}());
counter.js
Utilise the class constructor.
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
ATTACH SHADOW DOM
(function () {
const template = createTemplate('<div>Hello World<div>');
class Counter extends HTMLElement {
constructor() {
super();
const shadowRoot = this.attachShadow({ mode: 'open' });
}
}
customElements.define('hg-counter', Counter);
}());
Attach the shadow DOM.
counter.js
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
(function () {
const template = createTemplate('<div>Hello World<div>');
class Counter extends HTMLElement {
constructor() {
super();
const shadowRoot = this.attachShadow({ mode: 'open' });
shadowRoot.appendChild(template.content.cloneNode(true));
}
}
customElements.define('hg-counter', Counter);
}());
CREATE THE TEMPLATE Attach the template contents to the shadow root.
counter.js
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
USE OUR CUSTOM ELEMENT
<body>
<hg-counter></hg-counter>
<script src="./util.js"></script>
<script src="./counter.js"></script>
</body>
index.html
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
EXTEND OUR CUSTOM ELEMENT
index.html
(function () {
const template = createTemplate(`
<div name="value"></div>
<button data-type=“dec">-</button>
<button data-type="inc">+</button>
`);
class Counter extends HTMLElement {
constructor() {
super();
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
EXTEND OUR CUSTOM ELEMENT
index.html
constructor() {
super();
const shadowRoot = this.attachShadow({ mode: 'open' });
shadowRoot.appendChild(template.content.cloneNode(true));
shadowRoot.addEventListener('click', ({ target }) => {
const type = target.getAttribute('data-type');
if (type === 'dec') {
this.counter--;
} else if (type === 'inc') {
this.counter++;
}
});
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
UPDATING THE DOM
utils.js
function updateDOM(root, updates) {
updates.forEach(item => {
root.querySelectorAll(`[name=${item.name}]`).forEach(element =>
element.textContent = item.value
);
});
}
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
EXTEND OUR CUSTOM ELEMENT
index.html
class Counter extends HTMLElement {
set counter(value) {
this._counter = value;
}
get counter() {
return this._counter;
}
constructor() {
super();
const shadowRoot = this.attachShadow({ mode: 'open' });
shadowRoot.appendChild(template.content.cloneNode(true));
this.counter = 0;
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
EXTEND OUR CUSTOM ELEMENT
index.html
class Counter extends HTMLElement {
constructor() {
super();
const shadowRoot = this.attachShadow({ mode: 'open' });
shadowRoot.appendChild(template.content.cloneNode(true));
this.counter = 0;
this._update = () => {
updateDOM(shadowRoot, [{
name: 'value',
value: this.counter
}]);
}
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
EXTEND OUR CUSTOM ELEMENT
index.html
class Counter extends HTMLElement {
set counter(value) {
this._counter = value;
this._update();
}
get counter() {
return this._counter;
}
constructor() {
super();
const shadowRoot = this.attachShadow({ mode: 'open' });
shadowRoot.appendChild(template.content.cloneNode(true));
this.counter = 0;
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
CUSTOM COMPONENT ATTRIBUTES
index.html
<body>
<hg-counter value="10"></hg-counter>
<script src="./util.js"></script>
<script src="./counter.js"></script>
</body>
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
CUSTOM ELEMENTS LIFECYCLE CALLBACKS
▸ connectedCallback - Invoked each time the custom element is appended into a
document-connected element. This will happen each time the node is moved, and
may happen before the element's contents have been fully parsed.
▸ disconnectedCallback - Invoked each time the custom element is disconnected
from the document's DOM.
▸ attributeChangedCallback - Invoked each time one of the custom element's
attributes is added, removed, or changed.
▸ adoptedCallback - Invoked each time the custom element is moved to a new
document.
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
CUSTOM COMPONENT ATTRIBUTES
index.html
class Counter extends HTMLElement {
attributeChangedCallback(name, oldValue, newValue) {
if (name === 'value') {
this.counter = newValue;
}
}
constructor() {
Handle attribute changes
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
CUSTOM COMPONENT ATTRIBUTES
index.html
class Counter extends HTMLElement {
static get observedAttributes() {
return ['value'];
}
attributeChangedCallback(name, oldValue, newValue) {
if (name === 'value') {
this.counter = newValue;
}
}
constructor() {
Define which attributes should be watched
WHAT ABOUT STYLES?
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
CUSTOM COMPONENT STYLES
index.html
Apply scoped styles to our component
(function () {
const template = createTemplate(`
<style>
:host {
display: flex;
}
div[name="value"] {
min-width: 30px;
}
</style>
<div name="value"></div>
<button data-type="dec">-</button>
<button data-type="inc">+</button>
`);
class Counter extends HTMLElement {
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
WEB COMPONENT CSS
▸ :host - selects the shadow host of the shadow DOM
▸ :host() - match only if the selector given as the function's parameter matches
the shadow host.
▸ :host-context() -  match only if the selector given as the function's parameter
matches the shadow host's ancestor(s) in the place it sits inside the DOM
hierarchy.
▸ ::slotted() - represents any element that has been placed into a slot inside an
HTML template
WHAT ABOUT
DISPATCHING EVENTS?
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
CUSTOM EVENTS Dispatching custom event
const test = shadowRoot.getElementById('element-button');
test.addEventListener('click', () => {
this.dispatchEvent(new CustomEvent('toggle', {
detail: {
value: true
}
}))
});
custom-element.js
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
CUSTOM EVENTS Listening for custom event
• CustomEvent {isTrusted: false, detail: {value: true}, type: "toggle", …}
const el = document.getElementById('my-custom-element');
el.addEventListener('toggle', e => {
console.log(e);
});
main.js
Console
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
FURTHER READING
▸ Extending different HTML Elements

(e.g. HTMLButton)
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
BENEFITS OF USING CUSTOM COMPONENTS
▸ Framework agnostic - Written in JavaScript and native to the browser.
▸ Simplifies CSS - Scoped DOM means you can use simple CSS selectors, more
generic id/class names, and not worry about naming conflicts.
• Productivity - Think of apps in chunks of DOM rather than one large (global) page.
▸ Productivity - Think of apps in chunks of DOM rather than one large (global)
page.
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
BROWSER SUPPORT
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
COSTS OF USING CUSTOM COMPONENTS
▸ Template Generation - manually construct the DOM for our templates 

(No JSX features or Structural Directives)
▸ DOM Updates - manually track and handle changes to our DOM

(No Virtual DOM or Change Detection)
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
LIT HTML
▸ Library Developed by the Polymer Team @ GOOGLE
▸ Efficient - lit-html is extremely fast. It uses fast platform features like
HTML <template> elements with native cloning.
▸ Expressive - lit-html gives you the full power of JavaScript and functional programming
patterns.
▸ Extensible - Different dialects of templates can be created with additional features for setting
element properties, declarative event handlers and more.
▸ It can be used standalone for simple tasks, or combined with a framework or component model,
like Web Components, for a full-featured UI development platform.
▸ It has an awesome VSC extension for syntax highlighting and formatting.
TAG FUNCTIONS
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
TAG FUNCTIONS
function myTagFn(str, ...expr) {
console.log(str, expr);
return str.reduce((acc, curr, i) => acc + curr + (expr[i] || ''), '');
}
myTagFn`1+1 equals ${1+1} and 3 + 3 equals ${3+3} ${3+2}`
> (4) ["1+1 equals ", " and 3 + 3 equals ", " ", ""] (3) [2, 6, 5]
> “1+1 equals 2 and 3 + 3 equals 6 5"
Console
DEMOTHE LIT WAY
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
import { html, render } from 'lit-html';
const getTemplate = (context: App) => html`<div>Hello World!</div>`;
export class App extends HTMLElement {
constructor() {
super();
const root = this.attachShadow({ mode: 'closed' });
this.changeHandler = () => {
if (!this.scheduledRender) {
this.scheduledRender = true;
Promise.resolve().then(() => {
this.scheduledRender = false;
render(getTemplate(this), root);
});
}
}
}
connectedCallback() {
this.changeHandler();
}
}
customElements.define('hg-app', App);
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
import { html, render } from 'lit-html';
const getTemplate = (context: App) => html`<div>Hello World!</div>`;
export class App extends HTMLElement {
constructor() {
super();
const root = this.attachShadow({ mode: 'closed' });
this.changeHandler = () => {
if (!this.scheduledRender) {
this.scheduledRender = true;
Promise.resolve().then(() => {
this.scheduledRender = false;
render(getTemplate(this), root);
});
}
}
}
connectedCallback() {
this.changeHandler();
}
}
customElements.define('hg-app', App);
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
import { html, render } from 'lit-html';
const getTemplate = (context: App) => html`<div>Hello World!</div>`;
export class App extends HTMLElement {
constructor() {
super();
const root = this.attachShadow({ mode: 'closed' });
this.changeHandler = () => {
if (!this.scheduledRender) {
this.scheduledRender = true;
Promise.resolve().then(() => {
this.scheduledRender = false;
render(getTemplate(this), root);
});
}
}
}
connectedCallback() {
this.changeHandler();
}
}
customElements.define('hg-app', App);
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
import { html, render } from 'lit-html';
const getTemplate = (context: App) => html`<div>Hello World!</div>`;
export class App extends HTMLElement {
constructor() {
super();
const root = this.attachShadow({ mode: 'closed' });
this.changeHandler = () => {
if (!this.scheduledRender) {
this.scheduledRender = true;
Promise.resolve().then(() => {
this.scheduledRender = false;
render(getTemplate(this), root);
});
}
}
}
connectedCallback() {
this.changeHandler();
}
}
customElements.define('hg-app', App);
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
import { html, render } from 'lit-html';
const getTemplate = (context: App) => html`<div>Hello World!</div>`;
export class App extends HTMLElement {
constructor() {
super();
const root = this.attachShadow({ mode: 'closed' });
this.changeHandler = () => {
if (!this.scheduledRender) {
this.scheduledRender = true;
Promise.resolve().then(() => {
this.scheduledRender = false;
render(getTemplate(this), root);
});
}
}
}
connectedCallback() {
this.changeHandler();
}
}
customElements.define('hg-app', App);
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
import { html, render } from 'lit-html';
const getTemplate = (context: App) => html`<div>Hello World!</div>`;
export class App extends HTMLElement {
constructor() {
super();
const root = this.attachShadow({ mode: 'closed' });
this.changeHandler = () => {
if (!this.scheduledRender) {
this.scheduledRender = true;
Promise.resolve().then(() => {
this.scheduledRender = false;
render(getTemplate(this), root);
});
}
}
}
connectedCallback() {
this.changeHandler();
}
}
customElements.define('hg-app', App);
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
import { html, render } from 'lit-html';
const getTemplate = (context: App) => html`<div>Hello World!</div>`;
export class App extends HTMLElement {
constructor() {
super();
const root = this.attachShadow({ mode: 'closed' });
this.changeHandler = () => {
if (!this.scheduledRender) {
this.scheduledRender = true;
Promise.resolve().then(() => {
this.scheduledRender = false;
render(getTemplate(this), root);
});
}
}
}
connectedCallback() {
this.changeHandler();
}
}
customElements.define('hg-app', App);
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
import { html, render } from 'lit-html';
const getTemplate = (context: App) => html`<div>Hello World!</div>`;
export class App extends HTMLElement {
constructor() {
super();
const root = this.attachShadow({ mode: 'closed' });
this.changeHandler = () => {
if (!this.scheduledRender) {
this.scheduledRender = true;
Promise.resolve().then(() => {
this.scheduledRender = false;
render(getTemplate(this), root);
});
}
}
}
connectedCallback() {
this.changeHandler();
}
}
customElements.define('hg-app', App);
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
import { html, render } from 'lit-html';
const getTemplate = (context: App) => html`<div>Hello World!</div>`;
export class App extends HTMLElement {
constructor() {
super();
const root = this.attachShadow({ mode: 'closed' });
this.changeHandler = () => {
if (!this.scheduledRender) {
this.scheduledRender = true;
Promise.resolve().then(() => {
this.scheduledRender = false;
render(getTemplate(this), root);
});
}
}
}
connectedCallback() {
this.changeHandler();
}
}
customElements.define('hg-app', App);
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
import { html, render } from 'lit-html';
const getTemplate = (context: App) => html`<div>Hello World!</div>`;
export class App extends HTMLElement {
constructor() {
super();
const root = this.attachShadow({ mode: 'closed' });
this.changeHandler = () => {
if (!this.scheduledRender) {
this.scheduledRender = true;
Promise.resolve().then(() => {
this.scheduledRender = false;
render(getTemplate(this), root);
});
}
}
}
connectedCallback() {
this.changeHandler();
}
}
customElements.define('hg-app', App);
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
import { html, render } from 'lit-html';
const getTemplate = (context: App) => html`<div>Hello World!</div>`;
export class App extends HTMLElement {
constructor() {
super();
const root = this.attachShadow({ mode: 'closed' });
this.changeHandler = () => {
if (!this.scheduledRender) {
this.scheduledRender = true;
Promise.resolve().then(() => {
this.scheduledRender = false;
render(getTemplate(this), root);
});
}
}
}
connectedCallback() {
this.changeHandler();
}
}
customElements.define('hg-app', App);
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
import { html, render } from 'lit-html';
const getTemplate = (context: App) => html`<div>Hello World!</div>`;
export class App extends HTMLElement {
constructor() {
super();
const root = this.attachShadow({ mode: 'closed' });
this.changeHandler = () => {
if (!this.scheduledRender) {
this.scheduledRender = true;
Promise.resolve().then(() => {
this.scheduledRender = false;
render(getTemplate(this), root);
});
}
}
}
connectedCallback() {
this.changeHandler();
}
}
customElements.define('hg-app', App);
DEMOINTERPOLATION & EVENT HANDLER BINDING
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
const getTemplate = (context: App) => html`
<div>${context.counter}</div>
<button @click=${context.incrementHandler}>Increment</button>
`;
export class App extends HTMLElement {
counter = 0;
constructor() {
...
}
incrementHandler = () => {
this.counter++;
this.changeHandler();
}
}
customElements.define('hg-app', App);
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
const getTemplate = (context: App) => html`
<div>${context.counter}</div>
<button @click=${context.incrementHandler}>Increment</button>
`;
export class App extends HTMLElement {
counter = 0;
constructor() {
...
}
incrementHandler = () => {
this.counter++;
this.changeHandler();
}
}
customElements.define('hg-app', App);
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
const getTemplate = (context: App) => html`
<div>${context.counter}</div>
<button @click=${context.incrementHandler}>Increment</button>
`;
export class App extends HTMLElement {
counter = 0;
constructor() {
...
}
incrementHandler = () => {
this.counter++;
this.changeHandler();
}
}
customElements.define('hg-app', App);
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
const getTemplate = (context: App) => html`
<div>${context.counter}</div>
<button @click=${context.incrementHandler}>Increment</button>
`;
export class App extends HTMLElement {
counter = 0;
constructor() {
...
}
incrementHandler = () => {
this.counter++;
this.changeHandler();
}
}
customElements.define('hg-app', App);
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
const getTemplate = (context: App) => html`
<div>${context.counter}</div>
<button @click=${context.incrementHandler}>Increment</button>
`;
export class App extends HTMLElement {
counter = 0;
constructor() {
...
}
incrementHandler = () => {
this.counter++;
this.changeHandler();
}
}
customElements.define('hg-app', App);
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
const getTemplate = (context: App) => html`
<div>${context.counter}</div>
<button @click=${context.incrementHandler}>Increment</button>
`;
export class App extends HTMLElement {
counter = 0;
constructor() {
...
}
incrementHandler = () => {
this.counter++;
this.changeHandler();
}
}
customElements.define('hg-app', App);
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
const getTemplate = (context: App) => html`
<div>${context.counter}</div>
<button @click=${context.incrementHandler}>Increment</button>
`;
export class App extends HTMLElement {
counter = 0;
constructor() {
...
}
incrementHandler = () => {
this.counter++;
this.changeHandler();
}
}
customElements.define('hg-app', App);
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
const getTemplate = (context: App) => html`
<div>${context.counter}</div>
<button @click=${context.incrementHandler}>Increment</button>
`;
export class App extends HTMLElement {
counter = 0;
constructor() {
...
}
incrementHandler = () => {
this.counter++;
this.changeHandler();
}
}
customElements.define('hg-app', App);
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
const getTemplate = (context: App) => html`
<div>${context.counter}</div>
<button @click=${context.incrementHandler}>Increment</button>
`;
export class App extends HTMLElement {
counter = 0;
constructor() {
...
}
incrementHandler = () => {
this.counter++;
this.changeHandler();
}
}
customElements.define('hg-app', App);
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
const getTemplate = (context: App) => html`
<div>${context.counter}</div>
<button @click=${context.incrementHandler}>Increment</button>
`;
export class App extends HTMLElement {
counter = 0;
constructor() {
...
}
incrementHandler = () => {
this.counter++;
this.changeHandler();
}
}
customElements.define('hg-app', App);
DEMODATA BINDING
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
const getAppTemplate = (context: App) => html`
<hg-counter .value=${context.counter}></hg-counter>
<button @click=${context.incrementHandler}>Increment</button>
`;
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
const getAppTemplate = (context: App) => html`
<hg-counter .value=${context.counter}></hg-counter>
<button @click=${context.incrementHandler}>Increment</button>
`;
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
const getAppTemplate = (context: App) => html`
<hg-counter .value=${context.counter}></hg-counter>
<button @click=${context.incrementHandler}>Increment</button>
`;
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
const getAppTemplate = (context: App) => html`
<hg-counter .value=${context.counter}></hg-counter>
<button @click=${context.incrementHandler}>Increment</button>
`;
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
const getCounterTemplate = (context: Counter) => html`
<div>${context.value}</div>
`;
export class Counter extends HTMLElement {
_value = 0;
set value(value) {
this._value = value;
this.changeHandler();
}
get value() {
return this._value;
}
constructor() {
super();
const root = this.attachShadow({ mode: 'closed' });
}
}
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
const getCounterTemplate = (context: Counter) => html`
<div>${context.value}</div>
`;
export class Counter extends HTMLElement {
_value = 0;
set value(value) {
this._value = value;
this.changeHandler();
}
get value() {
return this._value;
}
constructor() {
super();
const root = this.attachShadow({ mode: 'closed' });
}
}
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
const getCounterTemplate = (context: Counter) => html`
<div>${context.value}</div>
`;
export class Counter extends HTMLElement {
_value = 0;
set value(value) {
this._value = value;
this.changeHandler();
}
get value() {
return this._value;
}
constructor() {
super();
const root = this.attachShadow({ mode: 'closed' });
}
}
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
const getCounterTemplate = (context: Counter) => html`
<div>${context.value}</div>
`;
export class Counter extends HTMLElement {
_value = 0;
set value(value) {
this._value = value;
this.changeHandler();
}
get value() {
return this._value;
}
constructor() {
super();
const root = this.attachShadow({ mode: 'closed' });
}
}
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
const getCounterTemplate = (context: Counter) => html`
<div>${context.value}</div>
`;
export class Counter extends HTMLElement {
_value = 0;
set value(value) {
this._value = value;
this.changeHandler();
}
get value() {
return this._value;
}
constructor() {
super();
const root = this.attachShadow({ mode: 'closed' });
}
}
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
const getCounterTemplate = (context: Counter) => html`
<div>${context.value}</div>
`;
export class Counter extends HTMLElement {
_value = 0;
set value(value) {
this._value = value;
this.changeHandler();
}
get value() {
return this._value;
}
constructor() {
super();
const root = this.attachShadow({ mode: 'closed' });
...
}
}
CAN WE EXTRACT THE
REPEATING PARTS?
DEMODECORATORS
export function Component(config: { mode?: 'open' | 'closed', selector: string }) {
return function componentDecorator(target) {
const cmp = class extends HTMLElement {
scheduledRender = false;
constructor(...args) {
super();
const root = this.attachShadow({ mode: config.mode || 'closed' });
const targetInstance = new target(...args);
const { constructor, ...prototypeProps } = Object.getOwnPropertyDescriptors(target.prototype);
const props = {
...Object.getOwnPropertyDescriptors(targetInstance),
...prototypeProps
}
Object.defineProperties(this, props);
this.changeHandler = function () {
if (!this.scheduledRender) {
this.scheduledRender = true;
Promise.resolve().then(() => {
this.scheduledRender = false;
if (!this.render) { return; }
render(this.render(), root);
});
}
}
return this;
}
connectedCallback() {
this.changeHandler();
if (this.onConnected) {
this.onConnected();
}
}
};
customElements.define(config.selector, cmp);
return cmp as any;
};
}
function property(target: any, propertyKey: string | symbol) {
let _value;
Object.defineProperty(target, propertyKey, {
set: function (value) {
_value = value;
if (!this.changeHandler) { return; }
this.changeHandler();
},
get: function () {
return _value;
}
})
}
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
@Component({
selector: 'hg-counter'
})
export class Counter {
@property value;
onConnected() {
console.log('Counter connected');
}
render() {
return html`
<div>${this.value}</div>
`;
}
}
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
LIT ELEMENT
▸ A simple base class for creating fast, lightweight web components
https://lit-element.polymer-project.org/
DEMODIRECTIVES
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
LIT HTML DIRECTIVES (1)
▸ Directives are functions that can customize how lit-html renders values.
Template authors can use directives in their templates like other functions
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
LIT HTML DIRECTIVES (2)
▸ The returned function is called each time the part is rendered. The part argument is
a Part object with an API for directly managing the dynamic DOM associated with
expressions. Each type of binding has its own specific Part object:
▸ NodePart for content bindings.
▸ AttributePart for standard attribute bindings.
▸ BooleanAttributePart for boolean attribute bindings.
▸ EventPart for event bindings.
▸ PropertyPart for property bindings.
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
LIT HTML DIRECTIVES (3)
▸ Each of these part types implement a common API:
▸ value. Holds the current value of the part.
▸ setValue. Sets the pending value of the part.
▸ commit. Writes the pending value to the DOM. In most cases this happens
automatically—this method is only required for advanced use cases, like
asynchronous directives.
ASYNCHRONOUS
DIRECTIVES?
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
LIT HTML UNTIL BUILT-IN DIRECTIVE
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
LIT HTML BUILT-IN DIRECTIVES
▸ asyncAppend and asyncReplace
▸ cache
▸ classMap
▸ ifDefined
▸ guard
▸ repeat
▸ styleMap
▸ unsafeHTML
▸ until
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
LIT-HTML & HTML/CSS
▸ Dynamic css class/id and property names
▸ Dynamic css property values
▸ Sharing styles and HTML between the isolated web components (mixins)
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
WEB COMPONENTS + LIT-HTML VS REACT + JSX
▸ React and JSX are not standard and JSX requires a compiler.
▸ React reconciliation is doing diff checking per node so there might be a lot of
unnecessary checks when re-rendering and with lit-html the tag functions
separate static from dynamic parts so checks are very fast.
▸ LIT-HTML is very small ~ 2.5K and Web Components are native.
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
LARGER FRAMEWORKS
▸ StencilJS - a simple library for generating Web Components and
progressive web apps (PWA). 

(built by the Ionic Framework team for its next generation of performant mobile and desktop Web
Components)
▸ Polymer - library for creating web components.

(built by Google and used by YouTube, Netflix, Google Earth and others)
▸ SkateJS - library providing functional abstraction over web
components.
▸ Angular Elements
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
ADDITIONAL RESOURCES
▸ https://custom-elements-everywhere.com - This project runs a suite of tests
against each framework to identify interoperability issues, and highlight
potential fixes already implemented in other frameworks.
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
WEB COMPONENTS SERVER SIDE RENDERING
▸ SkateJS SSR - @skatejs/ssr is a web component server-side
rendering and testing library. (uses undom)
▸ Rendertron - Rendertron is a headless Chrome rendering solution
designed to render & serialise web pages on the fly.
▸ Domino - Server-side DOM implementation based on Mozilla's
dom.js
CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
CONNECT
GitHub > https://github.com/iliaidakiev (/slides/ - list of future and past events)
Twitter > @ilia_idakiev
THANK YOU!

More Related Content

PPTX
Angular JS
PPTX
Getting Started with Angular JS
PPTX
SharePoint Saturday Atlanta 2015
PDF
Building Universal Web Apps with React ForwardJS 2017
DOCX
Adding a view
PPTX
Angular Data Binding
PPTX
React JS .NET
PDF
Data binding w Androidzie
Angular JS
Getting Started with Angular JS
SharePoint Saturday Atlanta 2015
Building Universal Web Apps with React ForwardJS 2017
Adding a view
Angular Data Binding
React JS .NET
Data binding w Androidzie

What's hot (20)

PPTX
Angular js 1.3 presentation for fed nov 2014
PPTX
Understanding angular js
PDF
Getting Started with Combine And SwiftUI
PPTX
React render props
PDF
SwiftUI and Combine All the Things
PPTX
Angular Js Basics
PPTX
Web components
PPT
Dynamic Application Development by NodeJS ,AngularJS with OrientDB
PPTX
Angular js 1.0-fundamentals
PDF
MVVM with SwiftUI and Combine
PPTX
IndexedDB and Push Notifications in Progressive Web Apps
PPTX
Angular js PPT
PPTX
ReactJS for Beginners
PPTX
Angularjs 2
PPTX
The Many Ways to Build Modular JavaScript
PDF
AngularJS Workshop
PPTX
Its time to React.js
PPTX
PPTX
APIs, APIs Everywhere!
Angular js 1.3 presentation for fed nov 2014
Understanding angular js
Getting Started with Combine And SwiftUI
React render props
SwiftUI and Combine All the Things
Angular Js Basics
Web components
Dynamic Application Development by NodeJS ,AngularJS with OrientDB
Angular js 1.0-fundamentals
MVVM with SwiftUI and Combine
IndexedDB and Push Notifications in Progressive Web Apps
Angular js PPT
ReactJS for Beginners
Angularjs 2
The Many Ways to Build Modular JavaScript
AngularJS Workshop
Its time to React.js
APIs, APIs Everywhere!
Ad

Similar to Creating lightweight JS Apps w/ Web Components and lit-html (20)

PDF
Web Components Everywhere
PDF
Building Reusable Custom Elements With Angular
PDF
The Web Components interoperability challenge - Horacio Gonzalez - Codemotion...
PDF
HTML literals, the JSX of the platform
PDF
Webcomponents from 0-100 - with Google's Lit
PPTX
Web component
PDF
Build Reusable Web Components using HTML5 Web cComponents
PDF
Whats next in clientside templating
PDF
Reactive Type safe Webcomponents with skateJS
PDF
Web component driven development
PDF
ENIB 2015-2016 - CAI Web - S01E01- Côté navigateur 3/3 - Web components avec ...
PDF
The future of templating and frameworks
PDF
ENIB 2015 2016 - CAI Web S02E01- Côté Navigateur 3/3 - Web Components avec Po...
PPTX
An Introduction to Web Components
PDF
Whats next in templating
PDF
The Time for Vanilla Web Components has Arrived
PPTX
Magic of web components
PDF
Web components: A simpler and faster react
PDF
Having Fun Building Web Applications (Day 1 Slides)
PDF
Whats next in clientside templating
Web Components Everywhere
Building Reusable Custom Elements With Angular
The Web Components interoperability challenge - Horacio Gonzalez - Codemotion...
HTML literals, the JSX of the platform
Webcomponents from 0-100 - with Google's Lit
Web component
Build Reusable Web Components using HTML5 Web cComponents
Whats next in clientside templating
Reactive Type safe Webcomponents with skateJS
Web component driven development
ENIB 2015-2016 - CAI Web - S01E01- Côté navigateur 3/3 - Web components avec ...
The future of templating and frameworks
ENIB 2015 2016 - CAI Web S02E01- Côté Navigateur 3/3 - Web Components avec Po...
An Introduction to Web Components
Whats next in templating
The Time for Vanilla Web Components has Arrived
Magic of web components
Web components: A simpler and faster react
Having Fun Building Web Applications (Day 1 Slides)
Whats next in clientside templating
Ad

More from Ilia Idakiev (17)

PDF
No more promises lets RxJS 2 Edit
PDF
Enterprise State Management with NGRX/platform
PDF
Deep Dive into Zone.JS
PDF
RxJS Schedulers - Controlling Time
PDF
No More Promises! Let's RxJS!
PDF
Marble Testing RxJS streams
PDF
Deterministic JavaScript Applications
PDF
State management for enterprise angular applications
PDF
Offline progressive web apps with NodeJS and React
PDF
Testing rx js using marbles within angular
PDF
Predictable reactive state management for enterprise apps using NGRX/platform
PDF
Angular server side rendering with NodeJS - In Pursuit Of Speed
PDF
Angular Offline Progressive Web Apps With NodeJS
PDF
Introduction to Offline Progressive Web Applications
PDF
Reflective injection using TypeScript
PDF
Zone.js
PDF
Predictable reactive state management - ngrx
No more promises lets RxJS 2 Edit
Enterprise State Management with NGRX/platform
Deep Dive into Zone.JS
RxJS Schedulers - Controlling Time
No More Promises! Let's RxJS!
Marble Testing RxJS streams
Deterministic JavaScript Applications
State management for enterprise angular applications
Offline progressive web apps with NodeJS and React
Testing rx js using marbles within angular
Predictable reactive state management for enterprise apps using NGRX/platform
Angular server side rendering with NodeJS - In Pursuit Of Speed
Angular Offline Progressive Web Apps With NodeJS
Introduction to Offline Progressive Web Applications
Reflective injection using TypeScript
Zone.js
Predictable reactive state management - ngrx

Recently uploaded (20)

DOCX
The AUB Centre for AI in Media Proposal.docx
PDF
Shreyas Phanse Resume: Experienced Backend Engineer | Java • Spring Boot • Ka...
PPTX
A Presentation on Artificial Intelligence
PDF
Peak of Data & AI Encore- AI for Metadata and Smarter Workflows
PPTX
Understanding_Digital_Forensics_Presentation.pptx
PDF
Dropbox Q2 2025 Financial Results & Investor Presentation
PDF
KodekX | Application Modernization Development
PDF
NewMind AI Weekly Chronicles - August'25 Week I
PPTX
20250228 LYD VKU AI Blended-Learning.pptx
PDF
TokAI - TikTok AI Agent : The First AI Application That Analyzes 10,000+ Vira...
PDF
cuic standard and advanced reporting.pdf
PPTX
PA Analog/Digital System: The Backbone of Modern Surveillance and Communication
PDF
Review of recent advances in non-invasive hemoglobin estimation
PDF
Build a system with the filesystem maintained by OSTree @ COSCUP 2025
PDF
Chapter 3 Spatial Domain Image Processing.pdf
PDF
Electronic commerce courselecture one. Pdf
PDF
Modernizing your data center with Dell and AMD
PDF
Mobile App Security Testing_ A Comprehensive Guide.pdf
PDF
Encapsulation theory and applications.pdf
PDF
Reach Out and Touch Someone: Haptics and Empathic Computing
The AUB Centre for AI in Media Proposal.docx
Shreyas Phanse Resume: Experienced Backend Engineer | Java • Spring Boot • Ka...
A Presentation on Artificial Intelligence
Peak of Data & AI Encore- AI for Metadata and Smarter Workflows
Understanding_Digital_Forensics_Presentation.pptx
Dropbox Q2 2025 Financial Results & Investor Presentation
KodekX | Application Modernization Development
NewMind AI Weekly Chronicles - August'25 Week I
20250228 LYD VKU AI Blended-Learning.pptx
TokAI - TikTok AI Agent : The First AI Application That Analyzes 10,000+ Vira...
cuic standard and advanced reporting.pdf
PA Analog/Digital System: The Backbone of Modern Surveillance and Communication
Review of recent advances in non-invasive hemoglobin estimation
Build a system with the filesystem maintained by OSTree @ COSCUP 2025
Chapter 3 Spatial Domain Image Processing.pdf
Electronic commerce courselecture one. Pdf
Modernizing your data center with Dell and AMD
Mobile App Security Testing_ A Comprehensive Guide.pdf
Encapsulation theory and applications.pdf
Reach Out and Touch Someone: Haptics and Empathic Computing

Creating lightweight JS Apps w/ Web Components and lit-html

  • 1. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML 🔥-HTML+
  • 2. A B O U T M E { "name": "Ilia Idakiev", "experience": [ “Google Developer Expert (GDE)“, "Developer & Co-founder @ HILLGRAND", "Lecturer in 'Advanced JS' @ Sofia University", "Contractor / Consultant", "Public / Private Courses” ], "involvedIn": [ "Angular Sofia", "SofiaJS / BeerJS", ] }
  • 3. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML SEPARATION OF CONCERNS (SOC) ▸ Design principle for separating a computer program into distinct sections, such that each section addresses a separate concern. (Modularity)
  • 4. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML S.O.L.I.D PRINCIPLES OF OBJECT-ORIENTED PROGRAMMING ▸ Single Responsibility Principle ▸ Open / Close Principle ▸ Liskov Substitution Principle ▸ Interface Segregation Principle ▸ Dependency Inversion Principle http://aspiringcraftsman.com/2011/12/08/solid-javascript-single-responsibility-principle/
  • 5. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML WEB COMPONENTS ▸ Introduced by Alex Russell (Chrome team @ Google) 
 at Fronteers Conference 2011 ▸ A set of features currently being added by the W3C to the HTML and DOM specifications that allow the creation of reusable widgets or components in web documents and web applications. ▸ The intention behind them is to bring component-based software engineering to the World Wide Web.
  • 6. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML WEB COMPONENTS FEATURES: ▸ HTML Templates - an HTML fragment is not rendered, but stored until it is instantiated via JavaScript. ▸ Shadow DOM - Encapsulated DOM and styling, with composition. ▸ Custom Elements - APIs to define new HTML elements. ▸ HTML Imports - Declarative methods of importing HTML documents into other documents. (Replaced by ES6 Imports).
  • 8. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML DEFINE CUSTOM ELEMENT (function () { }()); Create an isolated scope counter.js
  • 9. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML (function () { class Counter extends HTMLElement { } }()); DEFINE CUSTOM ELEMENT Create a new class that extends HTMLElement counter.js
  • 10. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML (function () { class Counter extends HTMLElement { } customElements.define('hg-counter', Counter); }()); DEFINE CUSTOM ELEMENT Register the new custom element. counter.js
  • 11. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML HTML TEMPLATES ▸ The <template> tag holds its content hidden from the client. ▸ Content inside a <template> tag will be parsed but not rendered. ▸ The content can be visible and rendered later by using JavaScript.
  • 12. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML WAYS TO CREATE A TEMPLATE <template id="template"> <h2>Hello World</h2> </template> const template = document.createElement('template'); template.innerHTML = '<h2>Hello World</h2>'; Using HTML Using JavaScript
  • 13. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML CREATE TEMPLATE HELPER FUNCTION function createTemplate(string) { const template = document.createElement('template'); template.innerHTML = string; return template; } utils.js
  • 14. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML CREATE THE TEMPLATE (function () { const template = createTemplate('<div>Hello World<div>'); class Counter extends HTMLElement { } customElements.define('hg-counter', Counter); }()); Use the create template helper function. counter.js
  • 15. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML SHADOW DOM ▸ Isolated DOM - The component's DOM is self-contained (e.g. document.querySelector() won't return nodes in the component's shadow DOM). ▸ Scoped CSS - CSS defined inside shadow DOM is scoped to it. Style rules don't leak out and page styles don't bleed in. ▸ Composition - done with the <slot> element.
 (Slots are placeholders inside your component that users can fill with their own markup).
  • 16. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML DEFINE CUSTOM ELEMENT (function () { const template = createTemplate('<div>Hello World<div>'); class Counter extends HTMLElement { constructor() { super(); } } customElements.define('hg-counter', Counter); }()); counter.js Utilise the class constructor.
  • 17. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML ATTACH SHADOW DOM (function () { const template = createTemplate('<div>Hello World<div>'); class Counter extends HTMLElement { constructor() { super(); const shadowRoot = this.attachShadow({ mode: 'open' }); } } customElements.define('hg-counter', Counter); }()); Attach the shadow DOM. counter.js
  • 18. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML (function () { const template = createTemplate('<div>Hello World<div>'); class Counter extends HTMLElement { constructor() { super(); const shadowRoot = this.attachShadow({ mode: 'open' }); shadowRoot.appendChild(template.content.cloneNode(true)); } } customElements.define('hg-counter', Counter); }()); CREATE THE TEMPLATE Attach the template contents to the shadow root. counter.js
  • 19. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML USE OUR CUSTOM ELEMENT <body> <hg-counter></hg-counter> <script src="./util.js"></script> <script src="./counter.js"></script> </body> index.html
  • 20. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML EXTEND OUR CUSTOM ELEMENT index.html (function () { const template = createTemplate(` <div name="value"></div> <button data-type=“dec">-</button> <button data-type="inc">+</button> `); class Counter extends HTMLElement { constructor() { super();
  • 21. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML EXTEND OUR CUSTOM ELEMENT index.html constructor() { super(); const shadowRoot = this.attachShadow({ mode: 'open' }); shadowRoot.appendChild(template.content.cloneNode(true)); shadowRoot.addEventListener('click', ({ target }) => { const type = target.getAttribute('data-type'); if (type === 'dec') { this.counter--; } else if (type === 'inc') { this.counter++; } });
  • 22. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML UPDATING THE DOM utils.js function updateDOM(root, updates) { updates.forEach(item => { root.querySelectorAll(`[name=${item.name}]`).forEach(element => element.textContent = item.value ); }); }
  • 23. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML EXTEND OUR CUSTOM ELEMENT index.html class Counter extends HTMLElement { set counter(value) { this._counter = value; } get counter() { return this._counter; } constructor() { super(); const shadowRoot = this.attachShadow({ mode: 'open' }); shadowRoot.appendChild(template.content.cloneNode(true)); this.counter = 0;
  • 24. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML EXTEND OUR CUSTOM ELEMENT index.html class Counter extends HTMLElement { constructor() { super(); const shadowRoot = this.attachShadow({ mode: 'open' }); shadowRoot.appendChild(template.content.cloneNode(true)); this.counter = 0; this._update = () => { updateDOM(shadowRoot, [{ name: 'value', value: this.counter }]); }
  • 25. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML EXTEND OUR CUSTOM ELEMENT index.html class Counter extends HTMLElement { set counter(value) { this._counter = value; this._update(); } get counter() { return this._counter; } constructor() { super(); const shadowRoot = this.attachShadow({ mode: 'open' }); shadowRoot.appendChild(template.content.cloneNode(true)); this.counter = 0;
  • 26. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML CUSTOM COMPONENT ATTRIBUTES index.html <body> <hg-counter value="10"></hg-counter> <script src="./util.js"></script> <script src="./counter.js"></script> </body>
  • 27. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML CUSTOM ELEMENTS LIFECYCLE CALLBACKS ▸ connectedCallback - Invoked each time the custom element is appended into a document-connected element. This will happen each time the node is moved, and may happen before the element's contents have been fully parsed. ▸ disconnectedCallback - Invoked each time the custom element is disconnected from the document's DOM. ▸ attributeChangedCallback - Invoked each time one of the custom element's attributes is added, removed, or changed. ▸ adoptedCallback - Invoked each time the custom element is moved to a new document.
  • 28. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML CUSTOM COMPONENT ATTRIBUTES index.html class Counter extends HTMLElement { attributeChangedCallback(name, oldValue, newValue) { if (name === 'value') { this.counter = newValue; } } constructor() { Handle attribute changes
  • 29. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML CUSTOM COMPONENT ATTRIBUTES index.html class Counter extends HTMLElement { static get observedAttributes() { return ['value']; } attributeChangedCallback(name, oldValue, newValue) { if (name === 'value') { this.counter = newValue; } } constructor() { Define which attributes should be watched
  • 31. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML CUSTOM COMPONENT STYLES index.html Apply scoped styles to our component (function () { const template = createTemplate(` <style> :host { display: flex; } div[name="value"] { min-width: 30px; } </style> <div name="value"></div> <button data-type="dec">-</button> <button data-type="inc">+</button> `); class Counter extends HTMLElement {
  • 32. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML WEB COMPONENT CSS ▸ :host - selects the shadow host of the shadow DOM ▸ :host() - match only if the selector given as the function's parameter matches the shadow host. ▸ :host-context() -  match only if the selector given as the function's parameter matches the shadow host's ancestor(s) in the place it sits inside the DOM hierarchy. ▸ ::slotted() - represents any element that has been placed into a slot inside an HTML template
  • 34. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML CUSTOM EVENTS Dispatching custom event const test = shadowRoot.getElementById('element-button'); test.addEventListener('click', () => { this.dispatchEvent(new CustomEvent('toggle', { detail: { value: true } })) }); custom-element.js
  • 35. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML CUSTOM EVENTS Listening for custom event • CustomEvent {isTrusted: false, detail: {value: true}, type: "toggle", …} const el = document.getElementById('my-custom-element'); el.addEventListener('toggle', e => { console.log(e); }); main.js Console
  • 36. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML FURTHER READING ▸ Extending different HTML Elements
 (e.g. HTMLButton)
  • 37. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML BENEFITS OF USING CUSTOM COMPONENTS ▸ Framework agnostic - Written in JavaScript and native to the browser. ▸ Simplifies CSS - Scoped DOM means you can use simple CSS selectors, more generic id/class names, and not worry about naming conflicts. • Productivity - Think of apps in chunks of DOM rather than one large (global) page. ▸ Productivity - Think of apps in chunks of DOM rather than one large (global) page.
  • 38. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML BROWSER SUPPORT
  • 39. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML COSTS OF USING CUSTOM COMPONENTS ▸ Template Generation - manually construct the DOM for our templates 
 (No JSX features or Structural Directives) ▸ DOM Updates - manually track and handle changes to our DOM
 (No Virtual DOM or Change Detection)
  • 40. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML LIT HTML ▸ Library Developed by the Polymer Team @ GOOGLE ▸ Efficient - lit-html is extremely fast. It uses fast platform features like HTML <template> elements with native cloning. ▸ Expressive - lit-html gives you the full power of JavaScript and functional programming patterns. ▸ Extensible - Different dialects of templates can be created with additional features for setting element properties, declarative event handlers and more. ▸ It can be used standalone for simple tasks, or combined with a framework or component model, like Web Components, for a full-featured UI development platform. ▸ It has an awesome VSC extension for syntax highlighting and formatting.
  • 42. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML TAG FUNCTIONS function myTagFn(str, ...expr) { console.log(str, expr); return str.reduce((acc, curr, i) => acc + curr + (expr[i] || ''), ''); } myTagFn`1+1 equals ${1+1} and 3 + 3 equals ${3+3} ${3+2}` > (4) ["1+1 equals ", " and 3 + 3 equals ", " ", ""] (3) [2, 6, 5] > “1+1 equals 2 and 3 + 3 equals 6 5" Console
  • 44. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML import { html, render } from 'lit-html'; const getTemplate = (context: App) => html`<div>Hello World!</div>`; export class App extends HTMLElement { constructor() { super(); const root = this.attachShadow({ mode: 'closed' }); this.changeHandler = () => { if (!this.scheduledRender) { this.scheduledRender = true; Promise.resolve().then(() => { this.scheduledRender = false; render(getTemplate(this), root); }); } } } connectedCallback() { this.changeHandler(); } } customElements.define('hg-app', App);
  • 45. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML import { html, render } from 'lit-html'; const getTemplate = (context: App) => html`<div>Hello World!</div>`; export class App extends HTMLElement { constructor() { super(); const root = this.attachShadow({ mode: 'closed' }); this.changeHandler = () => { if (!this.scheduledRender) { this.scheduledRender = true; Promise.resolve().then(() => { this.scheduledRender = false; render(getTemplate(this), root); }); } } } connectedCallback() { this.changeHandler(); } } customElements.define('hg-app', App);
  • 46. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML import { html, render } from 'lit-html'; const getTemplate = (context: App) => html`<div>Hello World!</div>`; export class App extends HTMLElement { constructor() { super(); const root = this.attachShadow({ mode: 'closed' }); this.changeHandler = () => { if (!this.scheduledRender) { this.scheduledRender = true; Promise.resolve().then(() => { this.scheduledRender = false; render(getTemplate(this), root); }); } } } connectedCallback() { this.changeHandler(); } } customElements.define('hg-app', App);
  • 47. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML import { html, render } from 'lit-html'; const getTemplate = (context: App) => html`<div>Hello World!</div>`; export class App extends HTMLElement { constructor() { super(); const root = this.attachShadow({ mode: 'closed' }); this.changeHandler = () => { if (!this.scheduledRender) { this.scheduledRender = true; Promise.resolve().then(() => { this.scheduledRender = false; render(getTemplate(this), root); }); } } } connectedCallback() { this.changeHandler(); } } customElements.define('hg-app', App);
  • 48. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML import { html, render } from 'lit-html'; const getTemplate = (context: App) => html`<div>Hello World!</div>`; export class App extends HTMLElement { constructor() { super(); const root = this.attachShadow({ mode: 'closed' }); this.changeHandler = () => { if (!this.scheduledRender) { this.scheduledRender = true; Promise.resolve().then(() => { this.scheduledRender = false; render(getTemplate(this), root); }); } } } connectedCallback() { this.changeHandler(); } } customElements.define('hg-app', App);
  • 49. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML import { html, render } from 'lit-html'; const getTemplate = (context: App) => html`<div>Hello World!</div>`; export class App extends HTMLElement { constructor() { super(); const root = this.attachShadow({ mode: 'closed' }); this.changeHandler = () => { if (!this.scheduledRender) { this.scheduledRender = true; Promise.resolve().then(() => { this.scheduledRender = false; render(getTemplate(this), root); }); } } } connectedCallback() { this.changeHandler(); } } customElements.define('hg-app', App);
  • 50. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML import { html, render } from 'lit-html'; const getTemplate = (context: App) => html`<div>Hello World!</div>`; export class App extends HTMLElement { constructor() { super(); const root = this.attachShadow({ mode: 'closed' }); this.changeHandler = () => { if (!this.scheduledRender) { this.scheduledRender = true; Promise.resolve().then(() => { this.scheduledRender = false; render(getTemplate(this), root); }); } } } connectedCallback() { this.changeHandler(); } } customElements.define('hg-app', App);
  • 51. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML import { html, render } from 'lit-html'; const getTemplate = (context: App) => html`<div>Hello World!</div>`; export class App extends HTMLElement { constructor() { super(); const root = this.attachShadow({ mode: 'closed' }); this.changeHandler = () => { if (!this.scheduledRender) { this.scheduledRender = true; Promise.resolve().then(() => { this.scheduledRender = false; render(getTemplate(this), root); }); } } } connectedCallback() { this.changeHandler(); } } customElements.define('hg-app', App);
  • 52. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML import { html, render } from 'lit-html'; const getTemplate = (context: App) => html`<div>Hello World!</div>`; export class App extends HTMLElement { constructor() { super(); const root = this.attachShadow({ mode: 'closed' }); this.changeHandler = () => { if (!this.scheduledRender) { this.scheduledRender = true; Promise.resolve().then(() => { this.scheduledRender = false; render(getTemplate(this), root); }); } } } connectedCallback() { this.changeHandler(); } } customElements.define('hg-app', App);
  • 53. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML import { html, render } from 'lit-html'; const getTemplate = (context: App) => html`<div>Hello World!</div>`; export class App extends HTMLElement { constructor() { super(); const root = this.attachShadow({ mode: 'closed' }); this.changeHandler = () => { if (!this.scheduledRender) { this.scheduledRender = true; Promise.resolve().then(() => { this.scheduledRender = false; render(getTemplate(this), root); }); } } } connectedCallback() { this.changeHandler(); } } customElements.define('hg-app', App);
  • 54. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML import { html, render } from 'lit-html'; const getTemplate = (context: App) => html`<div>Hello World!</div>`; export class App extends HTMLElement { constructor() { super(); const root = this.attachShadow({ mode: 'closed' }); this.changeHandler = () => { if (!this.scheduledRender) { this.scheduledRender = true; Promise.resolve().then(() => { this.scheduledRender = false; render(getTemplate(this), root); }); } } } connectedCallback() { this.changeHandler(); } } customElements.define('hg-app', App);
  • 55. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML import { html, render } from 'lit-html'; const getTemplate = (context: App) => html`<div>Hello World!</div>`; export class App extends HTMLElement { constructor() { super(); const root = this.attachShadow({ mode: 'closed' }); this.changeHandler = () => { if (!this.scheduledRender) { this.scheduledRender = true; Promise.resolve().then(() => { this.scheduledRender = false; render(getTemplate(this), root); }); } } } connectedCallback() { this.changeHandler(); } } customElements.define('hg-app', App);
  • 56. DEMOINTERPOLATION & EVENT HANDLER BINDING
  • 57. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML const getTemplate = (context: App) => html` <div>${context.counter}</div> <button @click=${context.incrementHandler}>Increment</button> `; export class App extends HTMLElement { counter = 0; constructor() { ... } incrementHandler = () => { this.counter++; this.changeHandler(); } } customElements.define('hg-app', App);
  • 58. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML const getTemplate = (context: App) => html` <div>${context.counter}</div> <button @click=${context.incrementHandler}>Increment</button> `; export class App extends HTMLElement { counter = 0; constructor() { ... } incrementHandler = () => { this.counter++; this.changeHandler(); } } customElements.define('hg-app', App);
  • 59. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML const getTemplate = (context: App) => html` <div>${context.counter}</div> <button @click=${context.incrementHandler}>Increment</button> `; export class App extends HTMLElement { counter = 0; constructor() { ... } incrementHandler = () => { this.counter++; this.changeHandler(); } } customElements.define('hg-app', App);
  • 60. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML const getTemplate = (context: App) => html` <div>${context.counter}</div> <button @click=${context.incrementHandler}>Increment</button> `; export class App extends HTMLElement { counter = 0; constructor() { ... } incrementHandler = () => { this.counter++; this.changeHandler(); } } customElements.define('hg-app', App);
  • 61. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML const getTemplate = (context: App) => html` <div>${context.counter}</div> <button @click=${context.incrementHandler}>Increment</button> `; export class App extends HTMLElement { counter = 0; constructor() { ... } incrementHandler = () => { this.counter++; this.changeHandler(); } } customElements.define('hg-app', App);
  • 62. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML const getTemplate = (context: App) => html` <div>${context.counter}</div> <button @click=${context.incrementHandler}>Increment</button> `; export class App extends HTMLElement { counter = 0; constructor() { ... } incrementHandler = () => { this.counter++; this.changeHandler(); } } customElements.define('hg-app', App);
  • 63. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML const getTemplate = (context: App) => html` <div>${context.counter}</div> <button @click=${context.incrementHandler}>Increment</button> `; export class App extends HTMLElement { counter = 0; constructor() { ... } incrementHandler = () => { this.counter++; this.changeHandler(); } } customElements.define('hg-app', App);
  • 64. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML const getTemplate = (context: App) => html` <div>${context.counter}</div> <button @click=${context.incrementHandler}>Increment</button> `; export class App extends HTMLElement { counter = 0; constructor() { ... } incrementHandler = () => { this.counter++; this.changeHandler(); } } customElements.define('hg-app', App);
  • 65. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML const getTemplate = (context: App) => html` <div>${context.counter}</div> <button @click=${context.incrementHandler}>Increment</button> `; export class App extends HTMLElement { counter = 0; constructor() { ... } incrementHandler = () => { this.counter++; this.changeHandler(); } } customElements.define('hg-app', App);
  • 66. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML const getTemplate = (context: App) => html` <div>${context.counter}</div> <button @click=${context.incrementHandler}>Increment</button> `; export class App extends HTMLElement { counter = 0; constructor() { ... } incrementHandler = () => { this.counter++; this.changeHandler(); } } customElements.define('hg-app', App);
  • 68. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML const getAppTemplate = (context: App) => html` <hg-counter .value=${context.counter}></hg-counter> <button @click=${context.incrementHandler}>Increment</button> `;
  • 69. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML const getAppTemplate = (context: App) => html` <hg-counter .value=${context.counter}></hg-counter> <button @click=${context.incrementHandler}>Increment</button> `;
  • 70. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML const getAppTemplate = (context: App) => html` <hg-counter .value=${context.counter}></hg-counter> <button @click=${context.incrementHandler}>Increment</button> `;
  • 71. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML const getAppTemplate = (context: App) => html` <hg-counter .value=${context.counter}></hg-counter> <button @click=${context.incrementHandler}>Increment</button> `;
  • 72. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML const getCounterTemplate = (context: Counter) => html` <div>${context.value}</div> `; export class Counter extends HTMLElement { _value = 0; set value(value) { this._value = value; this.changeHandler(); } get value() { return this._value; } constructor() { super(); const root = this.attachShadow({ mode: 'closed' }); } }
  • 73. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML const getCounterTemplate = (context: Counter) => html` <div>${context.value}</div> `; export class Counter extends HTMLElement { _value = 0; set value(value) { this._value = value; this.changeHandler(); } get value() { return this._value; } constructor() { super(); const root = this.attachShadow({ mode: 'closed' }); } }
  • 74. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML const getCounterTemplate = (context: Counter) => html` <div>${context.value}</div> `; export class Counter extends HTMLElement { _value = 0; set value(value) { this._value = value; this.changeHandler(); } get value() { return this._value; } constructor() { super(); const root = this.attachShadow({ mode: 'closed' }); } }
  • 75. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML const getCounterTemplate = (context: Counter) => html` <div>${context.value}</div> `; export class Counter extends HTMLElement { _value = 0; set value(value) { this._value = value; this.changeHandler(); } get value() { return this._value; } constructor() { super(); const root = this.attachShadow({ mode: 'closed' }); } }
  • 76. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML const getCounterTemplate = (context: Counter) => html` <div>${context.value}</div> `; export class Counter extends HTMLElement { _value = 0; set value(value) { this._value = value; this.changeHandler(); } get value() { return this._value; } constructor() { super(); const root = this.attachShadow({ mode: 'closed' }); } }
  • 77. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML const getCounterTemplate = (context: Counter) => html` <div>${context.value}</div> `; export class Counter extends HTMLElement { _value = 0; set value(value) { this._value = value; this.changeHandler(); } get value() { return this._value; } constructor() { super(); const root = this.attachShadow({ mode: 'closed' }); ... } }
  • 78. CAN WE EXTRACT THE REPEATING PARTS?
  • 80. export function Component(config: { mode?: 'open' | 'closed', selector: string }) { return function componentDecorator(target) { const cmp = class extends HTMLElement { scheduledRender = false; constructor(...args) { super(); const root = this.attachShadow({ mode: config.mode || 'closed' }); const targetInstance = new target(...args); const { constructor, ...prototypeProps } = Object.getOwnPropertyDescriptors(target.prototype); const props = { ...Object.getOwnPropertyDescriptors(targetInstance), ...prototypeProps } Object.defineProperties(this, props); this.changeHandler = function () { if (!this.scheduledRender) { this.scheduledRender = true; Promise.resolve().then(() => { this.scheduledRender = false; if (!this.render) { return; } render(this.render(), root); }); } } return this; } connectedCallback() { this.changeHandler(); if (this.onConnected) { this.onConnected(); } } }; customElements.define(config.selector, cmp); return cmp as any; }; }
  • 81. function property(target: any, propertyKey: string | symbol) { let _value; Object.defineProperty(target, propertyKey, { set: function (value) { _value = value; if (!this.changeHandler) { return; } this.changeHandler(); }, get: function () { return _value; } }) }
  • 82. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML @Component({ selector: 'hg-counter' }) export class Counter { @property value; onConnected() { console.log('Counter connected'); } render() { return html` <div>${this.value}</div> `; } }
  • 83. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML LIT ELEMENT ▸ A simple base class for creating fast, lightweight web components https://lit-element.polymer-project.org/
  • 85. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML LIT HTML DIRECTIVES (1) ▸ Directives are functions that can customize how lit-html renders values. Template authors can use directives in their templates like other functions
  • 86. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML LIT HTML DIRECTIVES (2) ▸ The returned function is called each time the part is rendered. The part argument is a Part object with an API for directly managing the dynamic DOM associated with expressions. Each type of binding has its own specific Part object: ▸ NodePart for content bindings. ▸ AttributePart for standard attribute bindings. ▸ BooleanAttributePart for boolean attribute bindings. ▸ EventPart for event bindings. ▸ PropertyPart for property bindings.
  • 87. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML LIT HTML DIRECTIVES (3) ▸ Each of these part types implement a common API: ▸ value. Holds the current value of the part. ▸ setValue. Sets the pending value of the part. ▸ commit. Writes the pending value to the DOM. In most cases this happens automatically—this method is only required for advanced use cases, like asynchronous directives.
  • 89. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
  • 90. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML
  • 91. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML LIT HTML UNTIL BUILT-IN DIRECTIVE
  • 92. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML LIT HTML BUILT-IN DIRECTIVES ▸ asyncAppend and asyncReplace ▸ cache ▸ classMap ▸ ifDefined ▸ guard ▸ repeat ▸ styleMap ▸ unsafeHTML ▸ until
  • 93. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML LIT-HTML & HTML/CSS ▸ Dynamic css class/id and property names ▸ Dynamic css property values ▸ Sharing styles and HTML between the isolated web components (mixins)
  • 94. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML WEB COMPONENTS + LIT-HTML VS REACT + JSX ▸ React and JSX are not standard and JSX requires a compiler. ▸ React reconciliation is doing diff checking per node so there might be a lot of unnecessary checks when re-rendering and with lit-html the tag functions separate static from dynamic parts so checks are very fast. ▸ LIT-HTML is very small ~ 2.5K and Web Components are native.
  • 95. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML LARGER FRAMEWORKS ▸ StencilJS - a simple library for generating Web Components and progressive web apps (PWA). 
 (built by the Ionic Framework team for its next generation of performant mobile and desktop Web Components) ▸ Polymer - library for creating web components.
 (built by Google and used by YouTube, Netflix, Google Earth and others) ▸ SkateJS - library providing functional abstraction over web components. ▸ Angular Elements
  • 96. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML ADDITIONAL RESOURCES ▸ https://custom-elements-everywhere.com - This project runs a suite of tests against each framework to identify interoperability issues, and highlight potential fixes already implemented in other frameworks.
  • 97. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML WEB COMPONENTS SERVER SIDE RENDERING ▸ SkateJS SSR - @skatejs/ssr is a web component server-side rendering and testing library. (uses undom) ▸ Rendertron - Rendertron is a headless Chrome rendering solution designed to render & serialise web pages on the fly. ▸ Domino - Server-side DOM implementation based on Mozilla's dom.js
  • 98. CREATING LIGHTWEIGHT JS APPS W/ WEB COMPONENTS AND LIT-HTML CONNECT GitHub > https://github.com/iliaidakiev (/slides/ - list of future and past events) Twitter > @ilia_idakiev