Skip to content
This repository has been archived by the owner on Dec 17, 2021. It is now read-only.

Latest commit

 

History

History
83 lines (60 loc) · 2.51 KB

appendasync.md

File metadata and controls

83 lines (60 loc) · 2.51 KB

DOM/appendAsync()

This function appends content to an element. It works exactly the same as ParentNode.append() except that when the implied content is undefined, it is converted to an empty string.

The suffix Async differentiates this method from its Sync counterpart - appendSync(). Unlike the Sync counterpart, appendAsync() is a promise-based function that runs in a different flow from that of the calling code. It follows a performance strategy that lets the browser engine decide the most convenient time to honour its call.

Import

import appendAsync from '@web-native-js/play-ui/src/dom/appendAsync.js';

Syntax

let promise = appendAsync(el[, ...content);

Parameters

  • el - HTMLElement: The target DOM element.
  • content - [String|HTMLElement]: The set of content to append. Each could be a plain text, an HTML/XML markup, or even a DOM node.

Return

  • Promise - A Promise that resolves when the operation finally gets executed. The target DOM element is returned when the promise resolves.

Usage

<body></body>
// Append content
appendAsync(document.body, 'Hello', ' ', 'world', '!').then(body => {
    // Do something with body
});

Implementation Note

Technically, DOM operations initiated with appendAsync() are internally batched to a write queue using the Reflow utility. Read operations run first, then write operations. This works to eliminate layout thrashing as discussed in Reflow's documentation.

Notice the order of execution in the following example.

// Append content
appendAsync(document.body, 'Hello', ' ', 'world', '!').then(() => {
    console.log('Append operation');
});

// Get content
htmlAsync(document.body).then(content => {
    console.log('Current content is: ' + content);
});

// ------------
// console
// ------------
Current content is: 
Append operation

The proper way to synchronize with an async function is to move code into its then() block as seen below.

// Append content
appendAsync(document.body, 'Hello', ' ', 'world', '!').then(() => {
    console.log('Append operation');
    // Get content
    htmlAsync(document.body).then(content => {
        console.log('Current content is: ' + content);
    });
});

// ------------
// console
// ------------
Append operation
Current content is: Hello world!