- Element: innerHTML property
- Value
- Exceptions
- Usage notes
- Reading the HTML contents of an element
- Replacing the contents of an element
- Operational details
- Appending HTML to an element
- HTML
- JavaScript
- Security considerations
- Examples
- JavaScript
- HTML
- CSS
- Result
- Specifications
- Browser compatibility
- See also
- Found a content problem with this page?
- MDN
- Support
- Our communities
- Developers
- Свойства узлов: тип, тег и содержимое
- Классы DOM-узлов
- Как получить содержимое элемента в JavaScript
Element: innerHTML property
The Element property innerHTML gets or sets the HTML or XML markup contained within the element.
To insert the HTML into the document rather than replace the contents of an element, use the method insertAdjacentHTML() .
Value
A string containing the HTML serialization of the element’s descendants. Setting the value of innerHTML removes all of the element’s descendants and replaces them with nodes constructed by parsing the HTML given in the string htmlString.
Exceptions
Thrown if an attempt was made to set the value of innerHTML using a string which is not properly-formed HTML.
Thrown if an attempt was made to insert the HTML into a node whose parent is a Document .
Usage notes
The innerHTML property can be used to examine the current HTML source of the page, including any changes that have been made since the page was initially loaded.
Reading the HTML contents of an element
Reading innerHTML causes the user agent to serialize the HTML or XML fragment comprised of the element’s descendants. The resulting string is returned.
let contents = myElement.innerHTML;
This lets you look at the HTML markup of the element’s content nodes.
Note: The returned HTML or XML fragment is generated based on the current contents of the element, so the markup and formatting of the returned fragment is likely not to match the original page markup.
Replacing the contents of an element
Setting the value of innerHTML lets you easily replace the existing contents of an element with new content.
Note: This is a security risk if the string to be inserted might contain potentially malicious content. When inserting user-supplied data you should always consider using Element.setHTML() instead, in order to sanitize the content before it is inserted.
For example, you can erase the entire contents of a document by clearing the contents of the document’s body attribute:
This example fetches the document’s current HTML markup and replaces the »
.documentElement.innerHTML = ` $document.documentElement.innerHTML.replace( //g, "<", )> `;
Operational details
What exactly happens when you set value of innerHTML ? Doing so causes the user agent to follow these steps:
- The specified value is parsed as HTML or XML (based on the document type), resulting in a DocumentFragment object representing the new set of DOM nodes for the new elements.
- If the element whose contents are being replaced is a element, then the element’s content attribute is replaced with the new DocumentFragment created in step 1.
- For all other elements, the element’s contents are replaced with the nodes in the new DocumentFragment .
Appending HTML to an element
Setting the value of innerHTML lets you append new contents to the existing one of an element.
HTML
ul id="list"> li>a href="#">Item 1a>li> li>a href="#">Item 2a>li> li>a href="#">Item 3a>li> ul>
JavaScript
Please note that using innerHTML to append HTML elements (e.g. el.innerHTML += «link» ) will result in the removal of any previously set event listeners. That is, after you append any HTML element that way you won’t be able to listen to the previously set event listeners.
Security considerations
It is not uncommon to see innerHTML used to insert text into a web page. There is potential for this to become an attack vector on a site, creating a potential security risk.
let name = "John"; // assuming 'el' is an HTML DOM element el.innerHTML = name; // harmless in this case // … name = ""; el.innerHTML = name; // harmless in this case
Although this may look like a cross-site scripting attack, the result is harmless. HTML specifies that a tag inserted with innerHTML should not execute.
const name = ""; el.innerHTML = name; // shows the alert
For that reason, it is recommended that instead of innerHTML you use:
- Element.setHTML() to sanitize the text before it is inserted into the DOM.
- Node.textContent when inserting plain text, as this inserts it as raw text rather than parsing it as HTML.
Warning: If your project is one that will undergo any form of security review, using innerHTML most likely will result in your code being rejected. For example, if you use innerHTML in a browser extension and submit the extension to addons.mozilla.org, it may be rejected in the review process. Please see Safely inserting external content into a page for alternative methods.
Examples
This example uses innerHTML to create a mechanism for logging messages into a box on a web page.
JavaScript
function log(msg) const logElem = document.querySelector(".log"); const time = new Date(); const timeStr = time.toLocaleTimeString(); logElem.innerHTML += `$timeStr>: $msg>
`; > log("Logging mouse events inside this container…");
The log() function creates the log output by getting the current time from a Date object using toLocaleTimeString() , and building a string with the timestamp and the message text. Then the message is appended to the box with the class «log» .
We add a second method that logs information about MouseEvent based events (such as mousedown , click , and mouseenter ):
function logEvent(event) const msg = `Event $event.type> at $event.clientX>, $event.clientY> `; log(msg); >
Then we use this as the event handler for a number of mouse events on the box that contains our log:
const boxElem = document.querySelector(".box"); boxElem.addEventListener("mousedown", logEvent); boxElem.addEventListener("mouseup", logEvent); boxElem.addEventListener("click", logEvent); boxElem.addEventListener("mouseenter", logEvent); boxElem.addEventListener("mouseleave", logEvent);
HTML
The HTML is quite simple for our example.
div class="box"> div>strong>Log:strong>div> div class="log">div> div>
CSS
The following CSS styles our example content.
.box width: 600px; height: 300px; border: 1px solid black; padding: 2px 4px; overflow-y: scroll; overflow-x: auto; > .log margin-top: 8px; font-family: monospace; >
Result
The resulting content looks like this. You can see output into the log by moving the mouse in and out of the box, clicking in it, and so forth.
Specifications
Browser compatibility
BCD tables only load in the browser
See also
- Node.textContent and HTMLElement.innerText
- Element.insertAdjacentHTML()
- Element.outerHTML
- Element.setHTML
- Parsing HTML or XML into a DOM tree: DOMParser
- Serializing a DOM tree into an XML string: XMLSerializer
Found a content problem with this page?
This page was last modified on Jul 7, 2023 by MDN contributors.
Your blueprint for a better internet.
MDN
Support
Our communities
Developers
Visit Mozilla Corporation’s not-for-profit parent, the Mozilla Foundation.
Portions of this content are ©1998– 2023 by individual mozilla.org contributors. Content available under a Creative Commons license.
Свойства узлов: тип, тег и содержимое
Теперь давайте более внимательно взглянем на DOM-узлы.
В этой главе мы подробнее разберём, что они собой представляют и изучим их основные свойства.
Классы DOM-узлов
Каждый DOM-узел принадлежит соответствующему встроенному классу.
Корнем иерархии является EventTarget, от него наследует Node и остальные DOM-узлы.
На рисунке ниже изображены основные классы:
Существуют следующие классы:
- EventTarget – это корневой «абстрактный» класс для всего. Объекты этого класса никогда не создаются. Он служит основой, благодаря которой все DOM-узлы поддерживают так называемые «события», о которых мы поговорим позже.
- Node – также является «абстрактным» классом, и служит основой для DOM-узлов. Он обеспечивает базовую функциональность: parentNode , nextSibling , childNodes и т.д. (это геттеры). Объекты класса Node никогда не создаются. Но есть определённые классы узлов, которые наследуются от него (и следовательно наследуют функционал Node ).
- Document, по историческим причинам часто наследуется HTMLDocument (хотя последняя спецификация этого не навязывает) – это документ в целом. Глобальный объект document принадлежит именно к этому классу. Он служит точкой входа в DOM.
- CharacterData – «абстрактный» класс. Вот, кем он наследуется:
- Text – класс, соответствующий тексту внутри элементов. Например, Hello в
Hello
.
- Comment – класс для комментариев. Они не отображаются, но каждый комментарий становится членом DOM.
- HTMLInputElement – класс для тега ,
- HTMLBodyElement – класс для тега ,
- HTMLAnchorElement – класс для тега ,
- …и т.д.
Также существует множество других тегов со своими собственными классами, которые могут иметь определенные свойства и методы, в то время как некоторые элементы, такие как , и , не имеют каких-либо определенных свойств, поэтому они являются экземплярами класса HTMLElement .
Таким образом, полный набор свойств и методов данного узла является результатом цепочки наследования.
Рассмотрим DOM-объект для тега . Он принадлежит классу HTMLInputElement.
Он получает свойства и методы из (в порядке наследования):
- HTMLInputElement – этот класс предоставляет специфичные для элементов формы свойства,
- HTMLElement – предоставляет общие для HTML-элементов методы (и геттеры/сеттеры),
- Element – предоставляет типовые методы элемента,
- Node – предоставляет общие свойства DOM-узлов,
- EventTarget – обеспечивает поддержку событий (поговорим о них дальше),
- …и, наконец, он наследует от Object , поэтому доступны также методы «обычного объекта», такие как hasOwnProperty .
Для того, чтобы узнать имя класса DOM-узла, вспомним, что обычно у объекта есть свойство constructor . Оно ссылается на конструктор класса, и в свойстве constructor.name содержится его имя:
Как получить содержимое элемента в JavaScript
Мы уже умеем находить элементы в HTML-документе. Например, так, как описано здесь. Но что с этим делать дальше? Это уже зависит от ваших потребностей. Например, можно получить содержимое элемента для последующего анализа. Как это можно сделать, описано в этой статье.
Как всегда напоминаю, что полный обучающий курс по JavaScript можно найти здесь:
Для примера возьмём код, который мы уже рассматривали, когда изучали способы поиска элементов:
Здесь для получения содержимого элемента мы используем свойство innerHTML , которое есть у каждого объекта типа HTMLElement . Для работы с содержимым есть и другие свойства. Однако они поддерживаются не всеми браузерами, в отличие от innerHTML .
При чтении из этого свойства вы в формате HTML получаете текст, который представляет дочерние узлы элемента.
Здесь надо обратить внимание на то, что в свойстве innerHTML хранится именно HTML-код, а не просто текст. Например:
1-1 1-2 2-1 2-2 Этот код выведет на экран две одинаковых таблицы. Только первая будет выведена статически, а вторая — динамически. А в свойстве innerHTML будет строка:
Но браузер определит эти символы как теги и не отобразит их, а отобразит только содержимое таблицы. Убедиться, что свойство innerHTML хранит именно HTML-код можно по длине строки, или, например, так:
Этот код выведет следующее:
И это доказывает, что свойство innerHTML содержит именно HTML-код, а не просто текст.
Если же вы хотите получить именно текстовое содержимое (без тегов HTML), то используйте свойство innerText вместо innerHTML .
Эта статья — лишь капля в море знаний о JavaScript. Если хотите испить эту чашу до дна, то изучить этот язык, а также jQuery и Ajax можно здесь:
- Text – класс, соответствующий тексту внутри элементов. Например, Hello в