views:

4065

answers:

3

I can't seem to figure out a good way to do this, but it seems like it should be simple. I have an element that I want to append a div to. Then I have another element that I want to clone and shove into that intermediate div. Here's what I was hoping to do:

$("#somediv > ul").after("<div id='xxx'></div>").append($("#someotherdiv").clone());

This seems to be close, but not quite there. The problem with this is that the "append" seems to be operating on the original "#somediv > ul" selector. This sort of makes sense, but it's not what I wanted. How can I most efficiently select that intermediate div that I added with the "after" and put my "#someotherdiv" into it?

A: 

How can I most efficiently select that intermediate div that I added with the "after" and put my "#someotherdiv" into it?

@Vincent's solution is probably the fastest way to get the same result. However if for whatever reason you need add the div with after() then need to select it and operate on it you can use

.nextAll( [expr] )

Find all sibling elements after the current element.
Use an optional expression to filter the matched set.

So your js becomes:

$("#somediv > ul")
    .after("<div id='xxx'></div>")
    .nextAll('#xxx')
    .append($("#someotherdiv").clone());
Pat
+5  A: 

use insertAfter():

$("<div id='xxx'></div>").insertAfter("#somediv > ul").append($("#someotherdiv").clone())
Jimmy
+8  A: 

Go the other way around and use insertAfter().

$("<div id='xxx'></div>")
    .append($("#someotherdiv").clone())
    .insertAfter("#somediv > ul")

Try to add your generated DOM nodes to the document only after finishing your work.

Once the nodes are added to the displayed document, the browser starts listening to any change to refresh the view. Doing all the work before adding the nodes to the displayed document does improve browser performance.

Vincent Robert