将 HTML 字符串追加到 DOM
2022-08-30 02:01:04
如何追加 HTML 字符串,例如
var str = '<p>Just some <span>text</span> here</p>';
到 与 ID ?<div>
test
(顺便说一句,这是不可接受的。div.innerHTML += str;
如何追加 HTML 字符串,例如
var str = '<p>Just some <span>text</span> here</p>';
到 与 ID ?<div>
test
(顺便说一句,这是不可接受的。div.innerHTML += str;
使用所有当前浏览器都支持的 insertAdjacentHTML
:
div.insertAdjacentHTML( 'beforeend', str );
position 参数将添加到元素内部,位于其最后一个子元素之后。beforeend
AppendChild
(E)在chrome和safari上比其他解决方案快2倍以上,(F)在firefox上速度最快。(B)(不要与(A)混淆)是所有浏览器上的第二快速解决方案,它比E和F方便得多。insertAdjacentHTML
innerHTML=
+=
在 Chrome 75.0.3770 (64 位)、Safari 11.1.0 (13604.5.6)、Firefox 67.0.0 (64 位) 上设置环境 (2019.07.10) MacOs High Sierra 10.13.4
您可以在此处在机器中重放测试
function A() {
container.innerHTML += '<p>A: Just some <span>text</span> here</p>';
}
function B() {
container.innerHTML = '<p>B: Just some <span>text</span> here</p>';
}
function C() {
$('#container').append('<p>C: Just some <span>text</span> here</p>');
}
function D() {
var p = document.createElement("p");
p.innerHTML = 'D: Just some <span>text</span> here';
container.appendChild(p);
}
function E() {
var p = document.createElement("p");
var s = document.createElement("span");
s.appendChild( document.createTextNode("text ") );
p.appendChild( document.createTextNode("E: Just some ") );
p.appendChild( s );
p.appendChild( document.createTextNode(" here") );
container.appendChild(p);
}
function F() {
container.insertAdjacentHTML('beforeend', '<p>F: Just some <span>text</span> here</p>');
}
A();
B();
C();
D();
E();
F();
<script src="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js"></script>
This snippet only for show code used in test (in jsperf.com) - it not perform test itself.
<div id="container"></div>