1.6 KiB
1.6 KiB
title, tags, author, cover, firstSeen, lastUpdated
| title | tags | author | cover | firstSeen | lastUpdated |
|---|---|---|---|---|---|
| Render DOM element | browser,recursion | chalarangelo | maple-leaf-palette | 2020-05-03T11:55:42+03:00 | 2021-10-13T19:29:39+02:00 |
Renders the given DOM tree in the specified DOM element.
- Destructure the first argument into
typeandprops. Usetypeto determine if the given element is a text element. - Based on the element's
type, use eitherDocument.createTextNode()orDocument.createElement()to create the DOM element. - Use
Object.keys()to add attributes to the DOM element and set event listeners, as necessary. - Use recursion to render
props.children, if any. - Finally, use
Node.appendChild()to append the DOM element to the specifiedcontainer.
const renderElement = ({ type, props = {} }, container) => {
const isTextElement = !type;
const element = isTextElement
? document.createTextNode('')
: document.createElement(type);
const isListener = p => p.startsWith('on');
const isAttribute = p => !isListener(p) && p !== 'children';
Object.keys(props).forEach(p => {
if (isAttribute(p)) element[p] = props[p];
if (!isTextElement && isListener(p))
element.addEventListener(p.toLowerCase().slice(2), props[p]);
});
if (!isTextElement && props.children && props.children.length)
props.children.forEach(childElement =>
renderElement(childElement, element)
);
container.appendChild(element);
};
const myElement = {
type: 'button',
props: {
type: 'button',
className: 'btn',
onClick: () => alert('Clicked'),
children: [{ props: { nodeValue: 'Click me' } }]
}
};
renderElement(myElement, document.body);