|
| 1 | +# What Is µhtml And How Does It Work |
| 2 | + |
| 3 | + |
| 4 | + |
| 5 | +A _getting started_ guide with most common questions and answers, covered by live examples. |
| 6 | + |
| 7 | +- - - |
| 8 | + |
| 9 | + |
| 10 | + |
| 11 | +## Use Cases |
| 12 | + |
| 13 | +Every time you use "_vanilla JS_" to deal with the [DOM](https://developer.mozilla.org/en-US/docs/Web/API/Document_Object_Model), you inevitably end up repeating over and over quite verbose code, and always to obtain the same result. |
| 14 | + |
| 15 | +Following a classic `<button>` element with a click handler and some state: |
| 16 | + |
| 17 | +```js |
| 18 | +const buttonState = {disabled: false, text: 'Click Me'}; |
| 19 | +const {disabled, text} = buttonState; |
| 20 | +const {log} = console; |
| 21 | + |
| 22 | +const button = document.createElement('button'); |
| 23 | +button.className = "clickable"; |
| 24 | +button.disabled = disabled; |
| 25 | +button.textContent = text; |
| 26 | +button.addEventListener('click', () => log('clicked')); |
| 27 | + |
| 28 | +document.body.appendChild(button); |
| 29 | +``` |
| 30 | + |
| 31 | +If this code looks familiar to you, it is highly possible your files contain most common helpers all over the place, such as `const create = name => document.createElement(name)` or similar. |
| 32 | + |
| 33 | +All those micro utilities are cool and tiny, but the question is: "_can they be declarative too?_" |
| 34 | + |
| 35 | +Following an example to obtain exact same result via _µhtml_, also [live on codepen](https://codepen.io/WebReflection/pen/jOPLBMm?editors=0010): |
| 36 | + |
| 37 | +```js |
| 38 | +import {render, html} from '//unpkg.com/uhtml?module'; |
| 39 | + |
| 40 | +const buttonState = {disabled: false, text: 'Click Me'}; |
| 41 | +const {disabled, text} = buttonState; |
| 42 | +const {log} = console; |
| 43 | + |
| 44 | +render(document.body, html` |
| 45 | + <button class="clickable" |
| 46 | + onclick=${() => log('clicked')} |
| 47 | + .disabled=${disabled} |
| 48 | + > |
| 49 | + ${text} |
| 50 | + </button> |
| 51 | +`); |
| 52 | +``` |
| 53 | + |
| 54 | +As you can see, with _µhtml_ you can declare UI in a similar way you would do with writing regular _HTML_, but with few extra essential features that makes it create DOM elements fun again: |
| 55 | + |
| 56 | + * event listeners are automatically handled, so that passing even a new function each time is ok, as the previous one, if different, is always removed. No more duplicated listeners by accident 🎉 |
| 57 | + * attributes with a special meaning in the JS world, like `disabled`, which can be directly accessed as _getters_ or _setters_, like we did before via `button.disabled = value`, instead of using a non semantic `button.setAttribute("disabled", "")` to set it disabled, and `button.removeAttribute("disabled")` to enabled it back, can be prefixed with a `.`, as it's done in `.disabled=${value}` |
| 58 | + * any other regular attribute can be used too, abstracting away the tedious `el.setAttribute(...)` dance, with the ability to remove attributes by simply passing `null` or `undefined` instead of an actual value, so that you could write `disabled=${value || null}` if using the `.` prefix is not your cup of tea |
| 59 | + * attributes that start with `on...` will be set as listeners right away, removing any previous listener if different from the one passed along. In this case, the `onclick=${() => ...}` arrow function would be a new listener to re-add each time |
| 60 | + * the content is always safe to pass as _interpolation_ value, and there's no way to inject _HTML_ by accident |
| 61 | + |
| 62 | +Bear in mind, the content can also be another `html` chunk, repeatable in lists too, as the following example, also [live in codepen](https://codepen.io/WebReflection/pen/vYOJxpE?editors=0010) shows: |
| 63 | + |
| 64 | +```js |
| 65 | +const items = [ |
| 66 | + {text: 'Web Development'}, |
| 67 | + {text: 'Is Soo Cool'}, |
| 68 | +]; |
| 69 | + |
| 70 | +render(document.body, html` |
| 71 | + <ul> |
| 72 | + ${items.map( |
| 73 | + ({text}, i) => html`<li class=${'item' + i}>${text}</li>` |
| 74 | + )} |
| 75 | + </ul> |
| 76 | +`); |
| 77 | +``` |
| 78 | + |
| 79 | +As simple as it looks, you might wonder what kind of _magic_ is involved behind the scene, but the good news is that ... |
| 80 | + |
| 81 | + |
| 82 | +#### It's 100% JavaScript Standard: No Tooling Needed 🦄 |
| 83 | + |
| 84 | +The only real _magic_ in _µhtml_ is provided by an ECMAScript 2015 feature, known as [Tagged Templates Literals](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Template_literals#Tagged_templates). |
| 85 | + |
| 86 | +When you prefix any template literal string with a function, without needing to invoke such function, the JavaScript engine executes these simple, but extremely useful, steps: |
| 87 | + |
| 88 | +```js |
| 89 | +const tag = (template, ...values) => { |
| 90 | + // ℹ the function is invoked with these arguments |
| 91 | + // a *unique* array of strings around interpolations |
| 92 | + console.log(`Template: ${template}`); |
| 93 | + // and all the interpolations values a part |
| 94 | + console.log(`Values: ${values}`); |
| 95 | +} |
| 96 | + |
| 97 | +// ⚠ it's tag`...`, not tag()`...` |
| 98 | +tag`This is a ${'template literals'} tagged ${'test'}`; |
| 99 | + |
| 100 | +// Template: "This is a ", " tagged ", "" |
| 101 | +// Values: "template literals", "test" |
| 102 | +``` |
| 103 | + |
| 104 | +The *unique* part of the equation means that any template literal is always the same array, as long as it comes from the same scope, and the very same part of the script, example: |
| 105 | + |
| 106 | +```js |
| 107 | +const set = new WeakSet; |
| 108 | +const tag = template => { |
| 109 | + if (set.has(template)) |
| 110 | + console.log('known template'); |
| 111 | + else { |
| 112 | + set.add(template); |
| 113 | + console.log('new template'); |
| 114 | + } |
| 115 | +}; |
| 116 | + |
| 117 | +const scoped = () => tag`test`; |
| 118 | + |
| 119 | +tag`test`; // new template |
| 120 | +tag`test`; // new template |
| 121 | +scoped(); // new template |
| 122 | +scoped(); // known template |
| 123 | +scoped(); // known template |
| 124 | +tag`test`; // new template |
| 125 | +``` |
| 126 | + |
| 127 | +This is the fundamental concept that enables _µhtml_ to be smart about never parsing more than once the exact same template, and it perfectly suits the "_components as callback_" pattern too: |
| 128 | + |
| 129 | +```js |
| 130 | +// an essential Button component example |
| 131 | +const Button = (text, className) => html` |
| 132 | + <button class=${className}>${text}</button> |
| 133 | +`; |
| 134 | + |
| 135 | +// render as many buttons as needed |
| 136 | +render(document.body, html` |
| 137 | + Let's put some button live: |
| 138 | + ${Button('first', 'first')} <br> |
| 139 | + ${Button('second', '')} <br> |
| 140 | + ${Button('third', 'last')} |
| 141 | +`); |
| 142 | +``` |
| 143 | + |
| 144 | +#### How Does The Parsing Work ? |
| 145 | + |
| 146 | +This part is extremely technical and likely irrelevant for a getting started page, but if you are curious to understand what happens behind the scene,you can find all steps in here. |
| 147 | + |
| 148 | +<details> |
| 149 | + <summary><strong>Internal Parsing Steps</strong></summary> |
| 150 | + |
| 151 | +Taking the essential `Button(text, className)` component example, this is how _µhtml_ operates: |
| 152 | + |
| 153 | + * if the `<button class=${...}>${...}</button>` template is unknown: |
| 154 | + * loop over all template's chunks and perform these checks: |
| 155 | + * if the end of the chunk is `name="`, or `name='`, or `name=`, and there is an opened `<element ...` before: |
| 156 | + * substitute the attribute name with a custom `µhtml${index}="${name}"` |
| 157 | + * if the chunk wasn't an attribute, and the `index` of the loop is not the last one: |
| 158 | + * append an `<!--µhtml${index}-->` comment to the layout |
| 159 | + * otherwise append the chunk as is, it's the closing part |
| 160 | + * normalize all self-closing, [not void](https://developer.mozilla.org/en-US/docs/Glossary/empty_element), elements, so that the resulting joined layout contains `<span></span>` or `<custom-element></custom-element>` instead of `<span />` or `<custom-element />`, which is another handy _µhtml_ feature 😉 |
| 161 | + * le the browser engine parse the final layout through the native [Content Template element](https://developer.mozilla.org/en-US/docs/Web/HTML/Element/template) and traverse it in search of all comments and attributes that are only related to _µhtml_ |
| 162 | + * per each crawled node, using and `index` that goes from _zero_ to the length of passed values, as these are those to map and update in the future: |
| 163 | + * if the node is a _comment_, and its text content is exactly `µhtml${index}`, map recursively the position of that node to retrieve it later on, and move the `index` forward |
| 164 | + * if the node is not a comment: |
| 165 | + * while the node has an attribute named `µhtml${index}`, map the attribute value, which is the original name, and map the node to retrieve it later on, then move the `index` forward |
| 166 | + * if the node is a `style` or a `textarea`, and it contains `<!--µhtml${index}-->`, 'cause these elements cannot have comments in their content, map the node and flag it as "_text content only_", then move the `index` forward |
| 167 | + * if there are no more nodes to crawl, and the `index` haven't reached the loop `length`, throw an error passing the _template_, as something definitively went wrong |
| 168 | + * at this point we have a unique _template_ reference, and a list of nodes to retrieve and manipulate, every time new values are passed along. Per each information, assign to each mapped node the operation to perform whenever new values are passed around: handle _content_, _attributes_, or _text_ only. |
| 169 | + * weakly reference all these information with the _template_, and keep following these steps |
| 170 | + * retrieve the details previously stored regarding this _template_ |
| 171 | + * verify in which part of the rendering stack we are, and relate that stack to the current set of details |
| 172 | + * if the stack is not already known: |
| 173 | + * clone the fragment related to this template |
| 174 | + * retrieve all nodes via the paths previously stored |
| 175 | + * map each update operation to that path |
| 176 | + * relate these information with the current execution stack to avoid repeating this next time, keep going with the next step |
| 177 | + * per each update available for this part of the stack, pass each interpolated value along, so that _content_, _attributes_, or _text content_ previously mapped, can decide what to do with the new value |
| 178 | + * if the new value is the same as it was before, do nothing, otherwise update the attribute, text content, or generic content of the node, using in this latter case `<!--µhtml${index}-->` comment node reference, to keep updates confined _before_ that portion of the tree |
| 179 | + |
| 180 | +As result, each `Button(text, className)` component will simply invoke just two callbacks, where the first one will update its `class` attribute, while the second one will update its `textContent` value, and in both cases, only if different from the previous call. |
| 181 | + |
| 182 | +This might not look super useful for "_one-off_" created elements, but it's a performance game changer when the UI is frequently updated, as in lists, news feeds, chats, games, etc. |
| 183 | + |
| 184 | +I also understand this list of steps might be "_a bit_" overwhelming, but these describe pretty much everything that happens in both [rabbit.js](./esm/rabbit.js) and [rabbit.js](./esm/handlers.js) files, where _rabbit.js_ also takes care of the whole "_execution stack dance_", which enables nested rendered, with smart diff, and through the [µdomdiff](https://github.com/WebReflection/udomdiff#readme) module. |
| 185 | + |
| 186 | +It's also worth mentioning I've been fine-tuning all these steps since the beginning of 2017, so maybe it was unnecessary to describe them all, but "_the nitty-gritty_" at least is now written down somewhere 😅 |
| 187 | + |
| 188 | +</details> |
0 commit comments