0

我试图在第二个列表项之后插入一个新的 div。但我也想</ol>在它之前关闭它并在它之后打开一个新<ol>的。

这个:

<ol>
    <li>test 1</li>
    <li>test 2</li>
    <li>test 3</li>
    <li>test 4</li>
</ol>

应该变成这样:

<ol>
    <li>test 1</li>
    <li>test 2</li>
</ol>
<div>NEW DIV</div>
<ol>
    <li>test 3</li>
    <li>test 4</li>
</ol>

jQuery:

var el = $('ol li:eq(1)');

el.after('<div>NEW DIV</div>');

这是我的演示:http: //jsfiddle.net/5hhr2/

有没有办法用 jQuery 做到这一点?

我已经尝试过,after('</ol><div>NEW DIV</div><ol>)但这显然不起作用,因为它已经在这里讨论过:Using .after() to add html closing and open tags

4

5 回答 5

3

尝试

var $lis = $('ol li');
$lis.filter(':lt(2)').unwrap().wrapAll('<ol/>').closest('ol').after('<div>NEW DIV</div>');
$lis.filter(':gt(1)').wrapAll('<ol/>');

小提琴

如果您想链接所有这些,那么:

var $lis = $('ol li');
$lis.filter(':lt(2)') //get all the li's with index less than 2 i.e your number
               .unwrap() //unwrap it
               .wrapAll('<ol/>') //wrap them in ol
               .closest('ol').after('<div>NEW DIV</div>').end().end() //append div next to the ol and go back in the chain to the first list of li's
               .filter(':gt(1)') //filter to get remaining items
               .wrapAll('<ol/>'); //wrap them all in a new ol

小提琴

于 2013-09-28T14:35:41.917 回答
2

您需要创建两个列表并在它们之间插入新的 div。这是通过在原始列表之前和之后添加新列表,然后用新 div 替换原始列表来进行瘦身的众多方法之一:

var list = $('ol'), 
    newList = $('<ol />'), 
    items = list.children(), 
    items1 = items.slice(0,2), 
    items2 = items.slice(2), 
    newDiv = $('<div>NEW DIV</div>');
list
 .before( newList.clone().append( items1 ) )
 .after( newList.clone().append( items2 ))
 .replaceWith( newDiv );

http://jsfiddle.net/5hhr2/12/

或者,甚至更好!创建一个新列表,将其附加在原始列表之后,并将部分列表项移动到其中。然后在原始列表之后附加新的 div。

var list = $('ol'), 
    newList = $('<ol />'), 
    items = list.children(),  
    newDiv = $('<div>NEW DIV</div>');
list.after( 
  newList.append( 
    items.slice(2).remove()
  ))
  .after( newDiv );

http://jsfiddle.net/5hhr2/15/

于 2013-09-28T14:44:02.863 回答
2
var el = $('ol li');
var elSize = el.length;
var html = '<ol>';
el.each(function(i){            
    if(i > 0 && i % 2 == 0 && i < elSize) {
      html += '</ol><div>NEW DIV</div><ol>';                  
    }    
    html += '<li>' + $(this).text() + '</li>';
});
html += '</ol>';
$('body').html(html);

jsfiddle

于 2013-09-28T14:39:18.947 回答
2
var $oldOL = $("ol"),
    $newOL = $("<div><ol></ol><div>NEW DIV</div><ol></ol></div>");

$newOL.children().eq(0).append($oldOL.children().slice(0, 2)).end().eq(2).append($oldOL.children().slice(0, 2));

$oldOL.replaceWith($newOL.children());

这是一个演示:http: //jsfiddle.net/5hhr2/9/

这个想法是创建一组新的列表,它们之间有一个 div,并用新的 HTML 结构替换旧列表。有序列表上的数字现在重新开始,因为有两个<ol />元素。

于 2013-09-28T14:33:56.163 回答
0

试试这个,这将对你有所帮助,这很容易理解,这里我首先找到列表的第二项,然后使用 append 方法在其上添加 div..

$('ol li').eq(1).append('<div>New Div</div>');

小提琴Here

于 2013-09-28T14:39:12.513 回答