我希望替换DOM中的元素。
例如,我想要用<a>
代替<span>
元素。
我该怎么做呢?
答案 0 :(得分:190)
<html>
<head>
</head>
<body>
<div>
<a id="myAnchor" href="http://www.stackoverflow.com">StackOverflow</a>
</div>
<script type="text/JavaScript">
var myAnchor = document.getElementById("myAnchor");
var mySpan = document.createElement("span");
mySpan.innerHTML = "replaced anchor!";
myAnchor.parentNode.replaceChild(mySpan, myAnchor);
</script>
</body>
</html>
答案 1 :(得分:63)
var a = A.parentNode.replaceChild(document.createElement("span"), A);
a是被替换的A元素。
答案 2 :(得分:43)
A.replaceWith(span)
- 不需要父母通用表格:
target.replaceWith(element);
比以前的方法更好/更清洁。
对于您的用例:
A.replaceWith(span);
Supported Browsers - 2019年4月90%
答案 3 :(得分:3)
这个问题很老了,但我发现自己正在攻读微软认证,并且在研究书中建议使用:
oldElement.replaceNode(newElement)
我查了一下它似乎只在IE中得到支持。 DOH ..
我以为我只是在这里添加它作为一个有趣的旁注;)
答案 4 :(得分:1)
您可以在创建新元素 (replaceChild
) 后在目标元素的父元素上使用 createElement
:
const newElement = document.createElement(/*...*/);
const target = document.getElementById("my-table");
target.parentNode.replaceChild(newElement, target);
如果新元素的起点是 HTML,则可以在父元素上使用 insertAdjacentHTML
,然后使用 removeChild
(或在元素本身上使用 remove
,在现代环境中):< /p>
const target = document.getElementById("my-table");
target.insertAdjacentHTML("afterend", theHTMLForTheNewElement);
target.parentNode.removeChild(target); // Or: `target.remove()`
答案 5 :(得分:0)
替换LI元素的示例
module FrontendTest exposing (..)
答案 6 :(得分:0)
我遇到了类似的问题,并找到了该线程。替换对我而言不起作用,而对于我的情况,由父母陪伴很难。内部HTML取代了孩子,这也不是我想要的。使用outerHTML完成了工作。希望这对别人有帮助!
currEl = <div>hello</div>
newElem = <span>Goodbye</span>
currEl.outerHTML = newElem
# currEl = <span>Goodbye</span>
答案 7 :(得分:0)
为已经提出的选项提供最简单的解决方案,而无需找到父项:
var parent = document.createElement("div");
var child = parent.appendChild(document.createElement("a"));
var span = document.createElement("span");
// for IE
if("replaceNode" in child)
child.replaceNode(span);
// for other browsers
if("replaceWith" in child)
child.replaceWith(span);
console.log(parent.outerHTML);
答案 8 :(得分:0)
您可以使用HTML Element
替换Node
或Node.replaceWith(newNode)
。
此示例应保留原始节点中的所有属性和子项:
const links = document.querySelectorAll('a')
links.forEach(link => {
const replacement = document.createElement('span')
// copy attributes
for (let i = 0; i < link.attributes.length; i++) {
const attr = link.attributes[i]
replacement.setAttribute(attr.name, attr.value)
}
// copy content
replacement.innerHTML = link.innerHTML
// or you can use appendChild instead
// link.childNodes.forEach(node => replacement.appendChild(node))
link.replaceWith(replacement)
})
如果您具有以下元素:
<a href="#link-1">Link 1</a>
<a href="#link-2">Link 2</a>
<a href="#link-3">Link 3</a>
<a href="#link-4">Link 4</a>
运行上述代码后,您将获得以下元素:
<span href="#link-1">Link 1</span>
<span href="#link-2">Link 2</span>
<span href="#link-3">Link 3</span>
<span href="#link-4">Link 4</span>