ChatGPT解决这个技术问题 Extra ChatGPT

How to insert an element after another element in JavaScript without using a library?

There's insertBefore() in JavaScript, but how can I insert an element after another element without using jQuery or another library?

if you need the specific case of the very last child node - stackoverflow.com/questions/5173545/…
@AlanLarimer that's great. thanks. do you know when's insertAdjacentElement introduced?
According to MDN it's supported in IE8 and Firefox 48 (2016 August 08). Follow the trail: bugzilla.mozilla.org/show_bug.cgi?id=811259 --> w3.org/Bugs/Public/show_bug.cgi?id=19962 (2016 March 14)

j
johannchopin
referenceNode.parentNode.insertBefore(newNode, referenceNode.nextSibling);

Where referenceNode is the node you want to put newNode after. If referenceNode is the last child within its parent element, that's fine, because referenceNode.nextSibling will be null and insertBefore handles that case by adding to the end of the list.

So:

function insertAfter(newNode, referenceNode) {
    referenceNode.parentNode.insertBefore(newNode, referenceNode.nextSibling);
}

You can test it using the following snippet:

function insertAfter(referenceNode, newNode) { referenceNode.parentNode.insertBefore(newNode, referenceNode.nextSibling); } var el = document.createElement("span"); el.innerHTML = "test"; var div = document.getElementById("foo"); insertAfter(div, el);

Hello


Thanks for a great answer, but isn't it confusing to flip referenceNode and newNode in the arguments list? Why not comply with the insertBefore syntax?
This code snippet doesn't handle if the referenceNode is the last child, in which it should appendChild.
According to MDN if the element is last (and so nextSibling is null) the newNode will be appended as expected
referenceNode.nextElementSibling is a better option to be used
@BhumiSinghal: Wrong. insertBefore() works with text nodes. Why do you want insertAfter() to be different? You should create a separate pair of functions named insertBeforeElement() and insertAfterElement() for that.
A
Armando

Straightforward JavaScript Would Be the Following:

Append Before:

element.parentNode.insertBefore(newElement, element);

Append After:

element.parentNode.insertBefore(newElement, element.nextSibling);

But, Toss Some Prototypes In There For Ease of Use

By building the following prototypes, you will be able to call these function directly from newly created elements.

newElement.appendBefore(element);

newElement.appendAfter(element);

.appendBefore(element) Prototype

Element.prototype.appendBefore = function (element) {
  element.parentNode.insertBefore(this, element);
},false;

.appendAfter(element) Prototype

Element.prototype.appendAfter = function (element) {
  element.parentNode.insertBefore(this, element.nextSibling);
},false;

And, To See It All In Action, Run the Following Code Snippet

/* Adds Element BEFORE NeighborElement */ Element.prototype.appendBefore = function(element) { element.parentNode.insertBefore(this, element); }, false; /* Adds Element AFTER NeighborElement */ Element.prototype.appendAfter = function(element) { element.parentNode.insertBefore(this, element.nextSibling); }, false; /* Typical Creation and Setup A New Orphaned Element Object */ var NewElement = document.createElement('div'); NewElement.innerHTML = 'New Element'; NewElement.id = 'NewElement'; /* Add NewElement BEFORE -OR- AFTER Using the Aforementioned Prototypes */ NewElement.appendAfter(document.getElementById('Neighbor2')); div { text-align: center; } #Neighborhood { color: brown; } #NewElement { color: green; }

Neighbor 1
Neighbor 2
Neighbor 3

Run it on JSFiddle


The extension function names are misleading. It think it should rather be called appendMeBefore and appendMeAfter. I thought it was used like the appendChild() Method, e.g. existingElement.appendAfter(newElement);. See what I mean at this updated jsfiddle.
Append After works, because if element.nextSibling does not have a next sibling, nextSibling is NULL, and then it will append at the end.
I get warnings in jslint: Expected ';' and instead saw ','. }, false;
S
S.Serpooshan

Though insertBefore() is great and referenced by most answers here. For added flexibility, and to be a little more explicit, you can use:

The insertAdjacentElement() as refElem.insertAdjacentElement(position, newElem) lets you reference any element, and insert the to-be moved element exactly where you want (position can be one of: 'beforebegin', 'afterbegin', 'beforeend', 'afterend') as shown below:

// refElem.insertAdjacentElement('beforebegin', myElem); 
<p id="refElem">
    // refElem.insertAdjacentElement('afterbegin', myElem);
    ... content ...
    // refElem.insertAdjacentElement('beforeend', myElem);
</p>
// refElem.insertAdjacentElement('afterend', myElem); 

Others to consider for similar use cases: insertAdjacentHTML() and insertAdjacentText()

References:

https://developer.mozilla.org/en-US/docs/Web/API/Element/insertAdjacentElement https://developer.mozilla.org/en-US/docs/Web/API/Element/insertAdjacentHTML https://developer.mozilla.org/en-US/docs/Web/API/Element/insertAdjacentText


Should really give this answer some love, it's the modern approach for the 2020s that are quickly approaching.
How come this answer is burried so deep? I shall reward it some points to bring more attention.
A little side note, that it's not working for document fragments.
beforebegin what is it? id? name? you should be more specific...
C
Ciro Santilli Путлер Капут 六四事

insertAdjacentHTML + outerHTML

elementBefore.insertAdjacentHTML('afterEnd', elementAfter.outerHTML)

Upsides:

DRYer: you don't have to store the before node in a variable and use it twice. If you rename the variable, on less occurrence to modify.

golfs better than the insertBefore (break even if the existing node variable name is 3 chars long)

Downsides:

lower browser support since newer: https://caniuse.com/#feat=insert-adjacent

will lose properties of the element such as events because outerHTML converts the element to a string. We need it because insertAdjacentHTML adds content from strings rather than elements.


If you already have the element constructed, you can use .insertAdjacentElement()
As of 2018, browser support looks pretty solid: caniuse.com/#feat=insert-adjacent
This was a nice solution, i suggest eveyone read this xahlee.info/js/js_insert_after.html
M
Mister SirCode

2018 Solution (Bad Practice, go to 2020)

I know this question is Ancient, but for any future users, heres a modified prototype. This is just a polyfill for the .insertAfter function that doesnt exist. This prototype directly adds the function HTMLElement.insertAfter(element); to the HTMLElement Prototype:

// Parent
const el = document.body;
// New Element
const newEl = document.createElement("div");

// Custom Method
Element.prototype.insertAfter = function(new) {
    this.parentNode.insertBefore(new, this.nextSibling);
}

// Insert Before Element
el.insertBefore(newEl)

// Insert After Element
el.insertAfter(newEl);

// Just remember you cant use .insertAfter() or .insertBefore() 
// after either is already called.
// You cant place one element in two places at once.

2019 Solution (Ugly / Outdated, go to 2020)

Don't use prototypes (Like the 2018 Solution). Overwriting the prototype is both dangerous, and low quality. If you want a new method, use Function Overrides Instead. If you want a safe function for commercial projects, just use a default function. its not as pretty but it works:

// Parent
const el = document.body;
// New Element
const newEl = document.createElement("div");

// Function You Need
function insertAfter(el0, el1) {
    el0.parentNode.insertBefore(el1, el0.nextSibling);
}

// Insert Before Element
el.insertBefore(newEl);

// Insert After Element
insertAfter(el, newEl);

// Just remember you cant use insertAfter() or .insertBefore()
// after either is already called.
// You cant place one element in two places at once.

2020 Solution - ChildNode

Current Web Standards for ChildNode: MDN Docs - ChildNode

Its currently in the Living Standards and is safe to use.

For unsupported browsers (Such as IE), use this Polyfill: https://github.com/seznam/JAK/blob/master/lib/polyfills/childNode.js

I realize the polyfill uses Proto Overrides, when I said they were bad practice. They are, especially when they are used blindly, like with my first solution. However, the polyfill on the MDN Documentation uses a form of initialization and execution that is much more reliable and safe compared to just overwriting a prototype.

How to use ChildNode:

// Parent 
const el = document.body;
// New Element
const newEl = document.createElement("div");

// Insert Before Element
el.before(newEl);

// Insert After Element
el.after(newEl);

// Just remember you cant use .after() or .before()
// after either is already called.
// You cant place one element in two places at once.

// Another feature of ChildNode is the .remove() method,
// which deletes the element from the DOM
el.remove();
newEl.remove();

About "2020 solution": before and after are both marked as "experimental" on MDN page: Experimental. Expect behavior to change in the future.
@izogfif Well, Considering its just got into the living standards, that's expected. I highly doubt they will significantly change the behavior of the method to fit a new standard. If they do, I will edit the answer. The only reason that's on the MDN docs is most likely because it was recently added to the Living Standard, so its still "experimental" even though its stable and on the current release
It is working perfectly. Full support except IE.
@Mircea If you want it to work on IE, use the polyfill suggested in my answer. (Though lets be honest here, I doubt anyone really cares for IE anymore, I personally dont support it anymore)
before and after are no longer marked as "experimental" on the MDN page: developer.mozilla.org/en-US/docs/Web/API/Element/before developer.mozilla.org/en-US/docs/Web/API/Element/after
B
Brian Peacock

A quick Google search reveals this script

// create function, it expects 2 values.
function insertAfter(newElement,targetElement) {
    // target is what you want it to go after. Look for this elements parent.
    var parent = targetElement.parentNode;

    // if the parents lastchild is the targetElement...
    if (parent.lastChild == targetElement) {
        // add the newElement after the target element.
        parent.appendChild(newElement);
    } else {
        // else the target has siblings, insert the new element between the target and it's next sibling.
        parent.insertBefore(newElement, targetElement.nextSibling);
    }
}

For anyone who stumbles upon this script, I don't recommend using it. It attempts to solve problems that @karim79's native solution already solves. His script is faster and more efficient - I'd strongly recommend using that script instead of this one.
As a general-rule-of-thumb in JavaScript, the browser can do a task faster than anything you can write. Although the two solutions are functionally the same, my JavaScript solution needs to be read an understood by the browser before it can be used and requires an additional check each time it's executed. The solution offered by karim79 will do all this internally, saving those steps. The difference will be trivial at best, but his solution is the better one.
In other words, it's attempting to solve a problem that doesn't exist. There's nothing inherently wrong about the extra check, but I suppose it's not propagating the best understanding of these methods
Pretty much. I'm leaving the script here because it's the kind of thing I used to write, but the accepted answer is the better one, shows a better understanding of the methods and is faster. There's no reason use this answer instead - I'm not even sure why it still gets upvotes
If targetElement is the last element amongst it's siblings, then targetElement.nextSibling will return null. When node.insertBefore is called with null as it's second argument, then it will add the node at the end of the collection. In other words the if(parent.lastchild == targetElement) { branch is superfluous, because parent.insertBefore(newElement, targetElement.nextSibling); will deal properly with all cases, even though it may appear otherwise at first. Many have already pointed that out in other comments.
g
golopot

The method node.after (doc) inserts a node after another node.

For two DOM nodes node1 and node2,

node1.after(node2) inserts node2 after node1.

This method is not available in older browsers, so usually a polyfill is needed.


This takes a bit of manual work to implement as a functioning insertAfter though, so unfortunately I dont think this would work correctly.
R
Rob Porter

Or you can simply do:

referenceNode.parentNode.insertBefore( newNode, referenceNode )
referenceNode.parentNode.insertBefore( referenceNode, newNode )

I wouldn't have thought of that approach. I'd prefer to use @karim79's more direct answer, but good to keep in mind.
I would no recomment this, but +1 for creativity.
M
Malik Khalil

Step 1. Prepare Elements :

var element = document.getElementById('ElementToAppendAfter');
var newElement = document.createElement('div');
var elementParent = element.parentNode;

Step 2. Append after :

elementParent.insertBefore(newElement, element.nextSibling);

A
Anime no Sekai

You can actually a method called after() in newer version of Chrome, Firefox and Opera. The downside of this method is that Internet Explorer doesn't support it yet.

Example:

// You could create a simple node
var node = document.createElement('p')

// And then get the node where you want to append the created node after
var existingNode = document.getElementById('id_of_the_element')

// Finally you can append the created node to the exisitingNode
existingNode.after(node)

A simple HTML Code to test that is:

Up

Down

As expected, it moves the up element after the down element


P
Payel Dutta

This is the simplest way we can add an element after another one using vanilla javascript

var d1 = document.getElementById('one');
d1.insertAdjacentHTML('afterend', '<div id="two">two</div>');

Reference: https://developer.mozilla.org/en-US/docs/Web/API/Element/insertAdjacentHTML


Not really. This appends to the end or beginning, NOT after another element.
@MartinJames It actually DOES APPEND AFTER another element. There are four possible insertPositions: beforebegin - Inserts element BEFORE the current node beforeend - Appends element to the end of current node. So element becomes the last child of current node afterbegin - Prepends element to the beginning of current node. So element becomes first child of current node afterend - Inserts element AFTER current node. So element becomes the nextSibling of current node
D
Dmytro Dzyubak

insertBefore() method is used like parentNode.insertBefore(). So to imitate this and make a method parentNode.insertAfter() we can write the following code.

JavaScript

Node.prototype.insertAfter = function(newNode, referenceNode) {
    return referenceNode.parentNode.insertBefore(
        newNode, referenceNode.nextSibling); // based on karim79's solution
};

// getting required handles
var refElem = document.getElementById("pTwo");
var parent = refElem.parentNode;

// creating <p>paragraph three</p>
var txt = document.createTextNode("paragraph three");
var paragraph = document.createElement("p");
paragraph.appendChild(txt);

// now we can call it the same way as insertBefore()
parent.insertAfter(paragraph, refElem);

HTML

<div id="divOne">
    <p id="pOne">paragraph one</p>
    <p id="pTwo">paragraph two</p>
</div>

Note, that extending the DOM might not be the right solution for You as stated in this article.

Hovewer, this article was written in 2010 and things might be different now. So decide on Your own.

JavaScript DOM insertAfter() method @ jsfiddle.net


D
Darlesson

Ideally insertAfter should work similar to insertBefore. The code below will perform the following:

If there are no children, the new Node is appended

If there is no reference Node, the new Node is appended

If there is no Node after the reference Node, the new Node is appended

If there the reference Node has a sibling after, then the new Node is inserted before that sibling

Returns the new Node

Extending Node

Node.prototype.insertAfter = function(node, referenceNode) {

    if (node)
        this.insertBefore(node, referenceNode && referenceNode.nextSibling);

    return node;
};

One common example

node.parentNode.insertAfter(newNode, node);

See the code running

// First extend Node.prototype.insertAfter = function(node, referenceNode) { if (node) this.insertBefore(node, referenceNode && referenceNode.nextSibling); return node; }; var referenceNode, newNode; newNode = document.createElement('li') newNode.innerText = 'First new item'; newNode.style.color = '#FF0000'; document.getElementById('no-children').insertAfter(newNode); newNode = document.createElement('li'); newNode.innerText = 'Second new item'; newNode.style.color = '#FF0000'; document.getElementById('no-reference-node').insertAfter(newNode); referenceNode = document.getElementById('no-sibling-after'); newNode = document.createElement('li'); newNode.innerText = 'Third new item'; newNode.style.color = '#FF0000'; referenceNode.parentNode.insertAfter(newNode, referenceNode); referenceNode = document.getElementById('sibling-after'); newNode = document.createElement('li'); newNode.innerText = 'Fourth new item'; newNode.style.color = '#FF0000'; referenceNode.parentNode.insertAfter(newNode, referenceNode);

No children
    No reference node
    • First item
    No sibling after
    • First item
    Sibling after
    • First item
    • Third item


    m
    mindplay.dk

    I know this question has far too many answers already, but none of them met my exact requirements.

    I wanted a function that has the exact opposite behavior of parentNode.insertBefore - that is, it must accept a null referenceNode (which the accepted answer does not) and where insertBefore would insert at the end of the children this one must insert at the start, since otherwise there'd be no way to insert at the start location with this function at all; the same reason insertBefore inserts at the end.

    Since a null referenceNode requires you to locate the parent, we need to know the parent - insertBefore is a method of the parentNode, so it has access to the parent that way; our function doesn't, so we'll need to pass the parent as a parameter.

    The resulting function looks like this:

    function insertAfter(parentNode, newNode, referenceNode) {
      parentNode.insertBefore(
        newNode,
        referenceNode ? referenceNode.nextSibling : parentNode.firstChild
      );
    }
    

    Or (if you must, I don't recommend it) you can of course enhance the Node prototype:

    if (! Node.prototype.insertAfter) {
      Node.prototype.insertAfter = function(newNode, referenceNode) {
        this.insertBefore(
          newNode,
          referenceNode ? referenceNode.nextSibling : this.firstChild
        );
      };
    }
    

    e
    eQ19

    This code is work to insert a link item right after the last existing child to inlining a small css file

    var raf, cb=function(){
        //create newnode
        var link=document.createElement('link');
        link.rel='stylesheet';link.type='text/css';link.href='css/style.css';
    
        //insert after the lastnode
        var nodes=document.getElementsByTagName('link'); //existing nodes
        var lastnode=document.getElementsByTagName('link')[nodes.length-1]; 
        lastnode.parentNode.insertBefore(link, lastnode.nextSibling);
    };
    
    //check before insert
    try {
        raf=requestAnimationFrame||
            mozRequestAnimationFrame||
            webkitRequestAnimationFrame||
            msRequestAnimationFrame;
    }
    catch(err){
        raf=false;
    }
    
    if (raf)raf(cb); else window.addEventListener('load',cb);
    

    D
    Doug LN

    You can use appendChild function to insert after an element.

    Reference: http://www.w3schools.com/jsref/met_node_appendchild.asp


    This solution doesn't work for 2 p tags.. you cannot add a p tag after another p tag with this function ..
    S
    Sami

    Lets handle all the scenarios

     function insertAfter(newNode, referenceNode) {
            if(referenceNode && referenceNode.nextSibling && referenceNode.nextSibling.nodeName == '#text')
                referenceNode = referenceNode.nextSibling;
    
            if(!referenceNode)
                document.body.appendChild(newNode);
            else if(!referenceNode.nextSibling)
                document.body.appendChild(newNode);
            else            
                referenceNode.parentNode.insertBefore(newNode, referenceNode.nextSibling);            
        }
    

    y
    yavuzkavus
    if( !Element.prototype.insertAfter ) {
        Element.prototype.insertAfter = function(item, reference) {
            if( reference.nextSibling )
                reference.parentNode.insertBefore(item, reference.nextSibling);
            else
                reference.parentNode.appendChild(item);
        };
    }
    

    B
    Boiethios

    a robust implementation of insertAfter.

    // source: https://github.com/jserz/domPlus/blob/master/src/insertAfter()/insertAfter.js
    Node.prototype.insertAfter = Node.prototype.insertAfter || function (newNode, referenceNode) {
      function isNode(node) {
        return node instanceof Node;
      }
    
      if(arguments.length < 2){
        throw(new TypeError("Failed to execute 'insertAfter' on 'Node': 2 arguments required, but only "+ arguments.length +" present."));
      }
    
      if(isNode(newNode)){
        if(referenceNode === null || referenceNode === undefined){
          return this.insertBefore(newNode, referenceNode);
        }
    
        if(isNode(referenceNode)){
          return this.insertBefore(newNode, referenceNode.nextSibling);
        }
    
        throw(new TypeError("Failed to execute 'insertAfter' on 'Node': parameter 2 is not of type 'Node'."));
      }
    
      throw(new TypeError("Failed to execute 'insertAfter' on 'Node': parameter 1 is not of type 'Node'."));
    };
    

    Add some explanation with answer for how this answer help OP in fixing current issue
    Run the code above,then you can insert a newNode after the specified referenceNode.