722

I have an HTML string representing an element: '<li>text</li>'. I'd like to append it to an element in the DOM (a ul in my case). How can I do this with Prototype or with DOM methods?

(I know i could do this easily in jQuery, but unfortunately we're not using jQuery.)

Just a student
  • 9,016
  • 2
  • 36
  • 59
Omer Bokhari
  • 50,790
  • 12
  • 41
  • 54

27 Answers27

925

Note: most current browsers support HTML <template> elements, which provide a more reliable way of turning creating elements from strings. See Mark Amery's answer below for details.

For older browsers, and node/jsdom: (which doesn't yet support <template> elements at the time of writing), use the following method. It's the same thing the libraries use to do to get DOM elements from an HTML string (with some extra work for IE to work around bugs with its implementation of innerHTML):

function createElementFromHTML(htmlString) {
  var div = document.createElement('div');
  div.innerHTML = htmlString.trim();

  // Change this to div.childNodes to support multiple top-level nodes
  return div.firstChild; 
}

Note that unlike HTML templates this won't work for some elements that cannot legally be children of a <div>, such as <td>s.

If you're already using a library, I would recommend you stick to the library-approved method of creating elements from HTML strings:

mikemaccana
  • 81,787
  • 73
  • 317
  • 396
Crescent Fresh
  • 107,974
  • 25
  • 151
  • 138
  • 1
    How to set innerHTML to the created div using jQuery without using this unsafe innerHTML assignment (div.innerHTML = "some value") – Shivanshu Goyal Mar 06 '18 at 03:59
  • 22
    The function name `createElementFromHTML ` is misleading since `div.firstChild` returns a `Node` which is not a `HTMLElement` e.g. cannot `node.setAttribute`. To create an `Element` return `div.firstElementChild` from the function instead. – Semmel Apr 03 '18 at 18:22
  • Thank you, the `
    ` wrapping the HTML I added with `.innerHTML` was annoying me. I never thought of using `.firstChild`.
    – Ivan May 17 '18 at 08:19
  • I'm trying to parse a SVG inside the created `div` and and the output is `[object SVGSVGElement]` while the console log gives me the correct DOM element. What am I doing wrong? – ed1nh0 Jun 26 '18 at 13:58
  • 1
    Note, by the way, that this **does not** work for script tags. Script tags added to the DOM using `innerHTML` will not be executed. For those cases, better to go with `var script = document.createElement('script')`, and then use `script.src` or `script.textContent` depending on whether the script is inline. Then, add the script with `document.body.appendChild(script)`. – ethan.roday Jun 27 '18 at 22:33
  • Thank you, @Semmel! – wedi Aug 09 '18 at 09:05
  • 2
    I would use firstElementChild instead of firstChild ( see https://www.w3schools.com/jsref/prop_element_firstelementchild.asp ) , because if there is space in front or end of template, the firstChild would return empty textNode – Chris Panayotoff Nov 12 '18 at 09:46
  • What does `div.firstChild` look like for the example in the question? – mLstudent33 Nov 14 '20 at 01:49
448

HTML 5 introduced the <template> element which can be used for this purpose (as now described in the WhatWG spec and MDN docs).

A <template> element is used to declare fragments of HTML that can be utilized in scripts. The element is represented in the DOM as a HTMLTemplateElement which has a .content property of DocumentFragment type, to provide access to the template's contents. This means that you can convert an HTML string to DOM elements by setting the innerHTML of a <template> element, then reaching into the template's .content property.

Examples:

/**
 * @param {String} HTML representing a single element
 * @return {Element}
 */
function htmlToElement(html) {
    var template = document.createElement('template');
    html = html.trim(); // Never return a text node of whitespace as the result
    template.innerHTML = html;
    return template.content.firstChild;
}

var td = htmlToElement('<td>foo</td>'),
    div = htmlToElement('<div><span>nested</span> <span>stuff</span></div>');

/**
 * @param {String} HTML representing any number of sibling elements
 * @return {NodeList} 
 */
function htmlToElements(html) {
    var template = document.createElement('template');
    template.innerHTML = html;
    return template.content.childNodes;
}

var rows = htmlToElements('<tr><td>foo</td></tr><tr><td>bar</td></tr>');

Note that similar approaches that use a different container element such as a div don't quite work. HTML has restrictions on what element types are allowed to exist inside which other element types; for instance, you can't put a td as a direct child of a div. This causes these elements to vanish if you try to set the innerHTML of a div to contain them. Since <template>s have no such restrictions on their content, this shortcoming doesn't apply when using a template.

However, template is not supported in some old browsers. As of April 2021, Can I use... estimates 96% of users globally are using a browser that supports templates. In particular, no version of Internet Explorer supports them; Microsoft did not implement template support until the release of Edge.

If you're lucky enough to be writing code that's only targeted at users on modern browsers, go ahead and use them right now. Otherwise, you may have to wait a while for users to catch up.

Mark Amery
  • 110,735
  • 57
  • 354
  • 402
  • 2
    This is an effective approach and very clean; however, (at least in Chrome 50) this breaks script tag handling. In other words, using this method to create a script tag and then appending it to the document (body or head) doesn't result in the tag being evaluated and hence prevents the script from being executed. (This may be by design if evaluation happens on attach; I couldn't say for sure.) – shanef22 May 26 '16 at 21:23
  • 2
    LOVELY! you can even query for elements by doing something like: template.content.querySelector("img"); – Roger Gajraj Jun 13 '16 at 06:27
  • I don't see `innerHTML` defined as a property of DOM fragment objects (from ` – Dai Mar 29 '17 at 20:53
  • @Dai indeed not, since there is no such property. You've misread my answer; I set the `innerHTML` of the template itself (which is an `Element`), not its `.content` (which is a `DocumentFragment`). – Mark Amery Sep 21 '17 at 10:55
  • 2
    My 9 year old answer is getting updates from the community as recently as today, and complaints that "it doesn't work". People, please stop. Just use this answer as the way forward. A 9 year old answer to anything browser related is simply irrelevant. – Crescent Fresh Jan 10 '18 at 20:02
  • 2
    There is one problem with it. If you have a tag in there with spaces inside(!) at start or end, they will be removed! Don't get me wrong, this is not about the spaces removed by `html.trim` but by inner parsing of innerHTML setting. In my case it removes important spaces being part of a textNode. :-( – e-motiv Apr 24 '18 at 15:50
151

Use insertAdjacentHTML(). It works with all current browsers, even with IE11.

var mylist = document.getElementById('mylist');
mylist.insertAdjacentHTML('beforeend', '<li>third</li>');
<ul id="mylist">
 <li>first</li>
 <li>second</li>
</ul>
Christian d'Heureuse
  • 3,823
  • 1
  • 29
  • 26
34

No need for any tweak, you got a native API:

const toNodes = html =>
    new DOMParser().parseFromString(html, 'text/html').body.childNodes[0]
Mister Jojo
  • 12,060
  • 3
  • 14
  • 33
math2001
  • 3,415
  • 21
  • 32
  • 14
    This suffers from the same major drawback as the accepted answer - it will mangle HTML like `text`. This is because `DOMParser` is trying to parse a full *HTML document*, and not all elements are valid as root elements of a document. – Mark Amery Dec 21 '17 at 17:46
  • 5
    -1 because this is a duplicate of [an earlier answer](https://stackoverflow.com/a/37702761/1709587) that explicitly pointed out the drawback mentioned in my comment above. – Mark Amery Dec 21 '17 at 17:59
  • @MarkAmery it doesn't matter. this answer and syntax is shaped as what we are used to see today. It's never a bad duplicate if it shows a more modern way to write something. – vdegenne Nov 14 '20 at 12:51
  • Can't this be modified to work with fragments by wrapping in an HTML root element and plucking the firstChild? – Jonathan Jan 26 '21 at 18:11
31

Newer DOM implementations have range.createContextualFragment, which does what you want in a framework-independent way.

It's widely supported. To be sure though, check its compatibility down in the same MDN link, as it will be changing. As of May 2017 this is it:

Feature         Chrome   Edge   Firefox(Gecko)  Internet Explorer   Opera   Safari
Basic support   (Yes)    (Yes)  (Yes)           11                  15.0    9.1.2
Carles Alcolea
  • 7,984
  • 4
  • 30
  • 51
kojiro
  • 67,745
  • 16
  • 115
  • 177
  • 4
    Note that this has similar drawbacks to setting the `innerHTML` of a div; certain elements, like `td`s, will be ignored and not appear in the resulting fragment. – Mark Amery Feb 13 '16 at 15:31
  • "There are reports that desktop Safari did at one point support Range.createContextualFragment(), but it is not supported at least in Safari 9.0 and 9.1." (MDN link in the answer) – akauppi Aug 05 '16 at 12:33
25

For certain html fragments like <td>test</td>, div.innerHTML, DOMParser.parseFromString and range.createContextualFragment (without the right context) solutions mentioned in other answers here, won't create the <td> element.

jQuery.parseHTML() handles them properly (I extracted jQuery 2's parseHTML function into an independent function that can be used in non-jquery codebases).

If you are only supporting Edge 13+, it is simpler to just use the HTML5 template tag:

function parseHTML(html) {
    var t = document.createElement('template');
    t.innerHTML = html;
    return t.content;
}

var documentFragment = parseHTML('<td>Test</td>');
Munawwar
  • 1,394
  • 17
  • 14
17

Heres a simple way to do it:

String.prototype.toDOM=function(){
  var d=document
     ,i
     ,a=d.createElement("div")
     ,b=d.createDocumentFragment();
  a.innerHTML=this;
  while(i=a.firstChild)b.appendChild(i);
  return b;
};

var foo="<img src='//placekitten.com/100/100'>foo<i>bar</i>".toDOM();
document.body.appendChild(foo);
william malo
  • 2,344
  • 2
  • 16
  • 18
  • 5
    @MarkAmery the difference here is that he uses a fragment to allow multiple root element be appended in the DOM, which is an added benefit. If only William did mention that is his answer... – Koen. Mar 23 '16 at 11:32
13

You can create valid DOM nodes from a string using:

document.createRange().createContextualFragment()

The following example adds a button element in the page taking the markup from a string:

let html = '<button type="button">Click Me!</button>';
let fragmentFromString = function (strHTML) {
  return document.createRange().createContextualFragment(strHTML);
}
let fragment = fragmentFromString(html);
document.body.appendChild(fragment);
Carles Alcolea
  • 7,984
  • 4
  • 30
  • 51
GibboK
  • 64,078
  • 128
  • 380
  • 620
  • 6
    Even though this creates a `DocumentFragment` object, it *still* - to my great surprise - suffers from the same defect as the accepted answer: if you do `document.createRange().createContextualFragment('bla')`, you get a fragment that just contains the text 'bla' without the `` element. Or at least, that's what I observe in Chrome 63; I haven't delved into the spec to figure out whether it's the *correct* behavior or not. – Mark Amery Dec 21 '17 at 17:54
9

I am using this method (Works in IE9+), although it will not parse <td> or some other invalid direct childs of body:

function stringToEl(string) {
    var parser = new DOMParser(),
        content = 'text/html',
        DOM = parser.parseFromString(string, content);

    // return element
    return DOM.body.childNodes[0];
}

stringToEl('<li>text</li>'); //OUTPUT: <li>text</li>
usrbowe
  • 437
  • 6
  • 10
8

With Prototype, you can also do:

HTML:

<ul id="mylist"></ul>

JS:

$('mylist').insert('<li>text</li>');
Pablo Borowicz
  • 894
  • 2
  • 9
  • 21
7

Why don't do with native js?

    var s="<span class='text-muted' style='font-size:.75em; position:absolute; bottom:3px; left:30px'>From <strong>Dan's Tools</strong></span>"
    var e=document.createElement('div')
    var r=document.createRange();
    r.selectNodeContents(e)
    var f=r.createContextualFragment(s);
    e.appendChild(f);
    e = e.firstElementChild;
GorvGoyl
  • 27,835
  • 20
  • 141
  • 143
Sam Saarian
  • 709
  • 8
  • 12
5

To enhance furthermore the useful .toDOM() snippet that we can find in different places, we can now safely use backticks (template literals).

So we can have single and double quotes in the foo html declaration.

This behave like heredocs for those familiar with the term.

This can be enhanced furthermore with variables, to make complex templating:

Template literals are enclosed by the back-tick () (grave accent) character instead of double or single quotes. Template literals can contain placeholders. These are indicated by the dollar sign and curly braces (${expression}). The expressions in the placeholders and the text between them get passed to a function. The default function just concatenates the parts into a single string. If there is an expression preceding the template literal (tag here), this is called a "tagged template". In that case, the tag expression (usually a function) gets called with the processed template literal, which you can then manipulate before outputting. To escape a back-tick in a template literal, put a backslash \ before the back-tick.

String.prototype.toDOM=function(){
  var d=document,i
     ,a=d.createElement("div")
     ,b=d.createDocumentFragment()
  a.innerHTML = this
  while(i=a.firstChild)b.appendChild(i)
  return b
}

// Using template litterals
var a = 10, b = 5
var foo=`
<img 
  onclick="alert('The future start today!')"   
  src='//placekitten.com/100/100'>
foo${a + b}
  <i>bar</i>
    <hr>`.toDOM();
document.body.appendChild(foo);
img {cursor: crosshair}

So, why not use directly .innerHTML +=? By doing so, the whole DOM is being recalculated by the browser, it's much slower.

https://caniuse.com/template-literals

NVRM
  • 6,477
  • 1
  • 51
  • 60
  • 2
    Don’t browsers which support template literals also support the ` – Manngo Aug 24 '20 at 02:42
  • Right, `template` is now largely supported. But for fresh html elems (coming from dynamic datas), each time the DOM is modified, the whole DOM is recalculated, with a lot of elements this can hang the browser responsivness. Thus it is more appropriate to build the DOM beforehand, just as using `document. createElement`. About that it's great to test our apps on slow and old machines or smartphones, the difference is more noticable. Many ways to achieve the same thing, that one is just a hack, appears to be efficient with a lot of data, allow to simply build a page from pure js only. – NVRM Aug 24 '20 at 10:10
5

Answer

  • Create a Template
  • Set the Template's innerHTML to your string .trim()
  • Create an Array of Template's children
  • Return children, child, or

function toElement(s='',c,t=document.createElement('template'),l='length'){
t.innerHTML=s.trim();c=[...t.content.childNodes];return c[l]>1?c:c[0]||'';}



console.log(toElement());
console.log(toElement(''));
console.log(toElement('    '));
console.log(toElement('<td>With td</td>'));
console.log(toElement('<tr><td>With t</td></tr>'));
console.log(toElement('<tr><td>foo</td></tr><tr><td>bar</td></tr>'));
console.log(toElement('<div><span>nested</span> <span>stuff</span></div>'));
Monwell Partee
  • 500
  • 6
  • 10
4

I added a Document prototype that creates an element from string:

Document.prototype.createElementFromString = function (str) {
    const element = new DOMParser().parseFromString(str, 'text/html');
    const child = element.documentElement.querySelector('body').firstChild;
    return child;
};
Raza
  • 1,971
  • 2
  • 23
  • 26
  • Note that - as pointed out [elsewhere on this page](https://stackoverflow.com/a/37702761/1709587) - this won't work for `td`s. – Mark Amery Dec 21 '17 at 17:59
4

HTML5 & ES6

<template>

Demo

"use strict";

/**
 *
 * @author xgqfrms
 * @license MIT
 * @copyright xgqfrms
 * @description HTML5 Template
 * @augments
 * @example
 *
 */

/*

<template>
    <h2>Flower</h2>
    <img src="https://www.w3schools.com/tags/img_white_flower.jpg">
</template>


<template>
    <div class="myClass">I like: </div>
</template>

*/

const showContent = () => {
    // let temp = document.getElementsByTagName("template")[0],
    let temp = document.querySelector(`[data-tempalte="tempalte-img"]`),
        clone = temp.content.cloneNode(true);
    document.body.appendChild(clone);
};

const templateGenerator = (datas = [], debug = false) => {
    let result = ``;
    // let temp = document.getElementsByTagName("template")[1],
    let temp = document.querySelector(`[data-tempalte="tempalte-links"]`),
        item = temp.content.querySelector("div");
    for (let i = 0; i < datas.length; i++) {
        let a = document.importNode(item, true);
        a.textContent += datas[i];
        document.body.appendChild(a);
    }
    return result;
};

const arr = ["Audi", "BMW", "Ford", "Honda", "Jaguar", "Nissan"];

if (document.createElement("template").content) {
    console.log("YES! The browser supports the template element");
    templateGenerator(arr);
    setTimeout(() => {
        showContent();
    }, 0);
} else {
    console.error("No! The browser does not support the template element");
}
@charset "UTf-8";

/* test.css */

:root {
    --cololr: #000;
    --default-cololr: #fff;
    --new-cololr: #0f0;
}

[data-class="links"] {
    color: white;
    background-color: DodgerBlue;
    padding: 20px;
    text-align: center;
    margin: 10px;
}
<!DOCTYPE html>
<html lang="zh-Hans">

<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <meta http-equiv="X-UA-Compatible" content="ie=edge">
    <title>Template Test</title>
    <!--[if lt IE 9]>
        <script src="https://cdnjs.cloudflare.com/ajax/libs/html5shiv/3.7.3/html5shiv.js"></script>
    <![endif]-->
</head>

<body>
    <section>
        <h1>Template Test</h1>
    </section>
    <template data-tempalte="tempalte-img">
        <h3>Flower Image</h3>
        <img src="https://www.w3schools.com/tags/img_white_flower.jpg">
    </template>
    <template data-tempalte="tempalte-links">
        <h3>links</h3>
        <div data-class="links">I like: </div>
    </template>
    <!-- js -->
</body>

</html>
Let Me Tink About It
  • 11,866
  • 13
  • 72
  • 169
2

Late but just as a note;

It's possible to add a trivial element to target element as a container and remove it after using.

// Tested on chrome 23.0, firefox 18.0, ie 7-8-9 and opera 12.11.

<div id="div"></div>

<script>
window.onload = function() {
    var foo, targetElement = document.getElementById('div')
    foo = document.createElement('foo')
    foo.innerHTML = '<a href="#" target="_self">Text of A 1.</a> '+
                    '<a href="#" onclick="return !!alert(this.innerHTML)">Text of <b>A 2</b>.</a> '+
                    '<hr size="1" />'
    // Append 'foo' element to target element
    targetElement.appendChild(foo)

    // Add event
    foo.firstChild.onclick = function() { return !!alert(this.target) }

    while (foo.firstChild) {
        // Also removes child nodes from 'foo'
        targetElement.insertBefore(foo.firstChild, foo)
    }
    // Remove 'foo' element from target element
    targetElement.removeChild(foo)
}
</script>
K-Gun
  • 10,121
  • 2
  • 50
  • 56
2

Fastest solution to render DOM from string:

let render = (relEl, tpl, parse = true) => {
  if (!relEl) return;
  const range = document.createRange();
  range.selectNode(relEl);
  const child = range.createContextualFragment(tpl);
  return parse ? relEl.appendChild(child) : {relEl, el};
};

And here u can check performance for DOM manipulation React vs native JS

Now u can simply use:

let element = render(document.body, `
<div style="font-size:120%;line-height:140%">
  <p class="bold">New DOM</p>
</div>
`);

And of course in near future u use references from memory cause var "element" is your new created DOM in your document.

And remember "innerHTML=" is very slow :/

1

Here's my code, and it works:

function parseTableHtml(s) { // s is string
    var div = document.createElement('table');
    div.innerHTML = s;

    var tr = div.getElementsByTagName('tr');
    // ...
}
Wen Qi
  • 617
  • 7
  • 8
0

For the heck of it I thought I'd share this over complicated but yet simple approach I came up with... Maybe someone will find something useful.

/*Creates a new element - By Jamin Szczesny*/
function _new(args){
    ele = document.createElement(args.node);
    delete args.node;
    for(x in args){ 
        if(typeof ele[x]==='string'){
            ele[x] = args[x];
        }else{
            ele.setAttribute(x, args[x]);
        }
    }
    return ele;
}

/*You would 'simply' use it like this*/

$('body')[0].appendChild(_new({
    node:'div',
    id:'my-div',
    style:'position:absolute; left:100px; top:100px;'+
          'width:100px; height:100px; border:2px solid red;'+
          'cursor:pointer; background-color:HoneyDew',
    innerHTML:'My newly created div element!',
    value:'for example only',
    onclick:"alert('yay')"
}));
JxAxMxIxN
  • 1,571
  • 1
  • 16
  • 20
0

I've linked from this article.( Converting HTML string into DOM elements? )

For me, I want to find a way to convert a string into an HTML element. If you also have this need, you can try the following

const frag = document.createRange().createContextualFragment(
`<a href="/link.js">js</a> 
 <a>go</a>
`
) 
const aCollection = frag.querySelectorAll("a")
for (let [key, a] of Object.entries(aCollection)) {
  console.log(a.getAttribute("href"), a.textContent)
}
Carson
  • 1,762
  • 1
  • 10
  • 23
-1
function domify (str) {
  var el = document.createElement('div');
  el.innerHTML = str;

  var frag = document.createDocumentFragment();
  return frag.appendChild(el.removeChild(el.firstChild));
}

var str = "<div class='foo'>foo</div>";
domify(str);
Denim Demon
  • 714
  • 1
  • 9
  • 23
-1

you can use dom parser

const parser = new DOMParser();
const htmlString = "<strong>Beware of the leopard</strong>";
const doc3 = parser.parseFromString(htmlString, "text/html");

Referance

MD SHAYON
  • 2,833
  • 21
  • 18
-2

You can use the following function to convert the text "HTML" to the element

function htmlToElement(html)
{
  var element = document.createElement('div');
  element.innerHTML = html;
  return(element);
}
var html="<li>text and html</li>";
var e=htmlToElement(html);
  • -1; this is the same technique as proposed in the accepted answer and has the same drawbacks - notably, not working for `td`s. – Mark Amery Dec 21 '17 at 18:00
-3

Here is working code for me

I wanted to convert 'Text' string to HTML element

var diva = UWA.createElement('div');
diva.innerHTML = '<a href="http://wwww.example.com">Text</a>';
var aelement = diva.firstChild;
-3

var msg = "test" jQuery.parseHTML(msg)

  • Thank you for this code snippet, which might provide some limited, immediate help. A [proper explanation](https://meta.stackexchange.com/q/114762/349538) would greatly improve its long-term value by showing why this is a good solution to the problem and would make it more useful to future readers with other, similar questions. Please [edit] your answer to add some explanation, including the assumptions you’ve made. – Dwhitz May 22 '19 at 10:31
-4
var jtag = $j.li({ child:'text' }); // Represents: <li>text</li>
var htmlContent = $('mylist').html();
$('mylist').html(htmlContent + jtag.html());

Use jnerator

Berezh
  • 871
  • 8
  • 12
-9

This will work too:

$('<li>').text('hello').appendTo('#mylist');

It feels more like a jquery way with the chained function calls.

jack
  • 671
  • 7
  • 8