80

使用 jquery remove 我怎样才能删除除第一个之外的所有跨度标签..

EDIT

 var html = var htm = $("#addin").find(".engagement_data:last-child").find(".keys_values").html();
    html='
       <span style="display:block;" class="k_v">
         <innput type="text" class="e_keys" style="width:65px;" placeholder="key"/>
         <input type="text" class="e_values" style="width:65px;" placeholder="value"/>
       </span>
       <span style="display:block;" class="k_v">
         <input type="text" class="e_keys" style="width:65px;" placeholder="key"/>
         <input type="text" class="e_values" style="width:65px;" placeholder="value"/>
       </span>
';
4

6 回答 6

115

尝试:

$(html).not(':first').remove();

或者更具体地说:

$(html).not('span:first').remove();

要从 DOM 中删除它,而不是html变量,请使用您的选择器:

$('#addin .engagement_data:last-child .keys_values').not('span:first').remove();
于 2013-09-18T14:03:38.717 回答
52

或者,作为替代方案:

$('span').slice(1).remove();

slice()
给定一个表示一组 DOM 元素的 jQuery 对象,.slice() 方法构造一个新的 jQuery 对象,其中包含由 start 和可选的 end 参数指定的元素的子集。

start
类型:整数
一个整数,指示开始选择元素的从 0 开始的位置。如果为负,则表示与集合末尾的偏移量。

来源: https ://api.jquery.com/slice

因此,$('span').slice(1).remove()将选择并删除第一个实例之后的所有元素。

于 2013-09-18T14:13:04.843 回答
11

使用这个选择器:

$('span:not(first-child)')

所以你的代码是这样的:

$('span:not(first-child)').remove();
于 2013-09-18T14:03:25.140 回答
10

以下代码适用于我:

$(html).children().not(':first').remove();
于 2019-10-16T11:54:16.137 回答
7

尝试这个

$('html').not(':first').remove();
于 2013-09-18T14:06:40.233 回答
6

当您在内容中除了您要查找的类型的子元素之外没有其他内容时,上述内容可能适用于特定示例。但是你会遇到更复杂的标记问题:

<ul id="ul-id" class="f-dropdown tiny" data-dropdown-content="">
    <li>
    <div id="warningGradientOuterBarG" class="barberpole">
    <div id="warningGradientFrontBarG" class="warningGradientAnimationG">
        <div class="warningGradientBarLineG"></div>
    </div>
    </div>
    </li>
    <li>foo</li>
    <li>bar</li>
</ul>

var $ul = $('#ul-id')
$ul.not(':first')  //returns nothing
$ul.find(':first') // returns first <li>
$ul.find(':not(:first)') //returns the inner divs as well as the last two li's
$('#ul-id li:not(first-child)')  // this returns all li's
$('#ul-id li:not(:first)')  // this works: returns last two li's
$ul.find('li').slice(1) // this also works and returns the last two li's
$ul.find('li').slice(1).remove()   // and this will remove them
于 2014-10-09T23:11:17.657 回答