10

我有这样的东西。

<div id="firstDiv">
    This is some text
    <span id="firstSpan">First span text</span>
    <span id="secondSpan">Second span text</span>
</div>

我想删除“这是一些文本”并且需要完整的 html 元素。

我尝试使用类似的东西

$("#firstDiv")
    .clone()    //clone the element
    .children() //select all the children
    .remove()   //remove all the children
    .end()  //again go back to selected element
    .text("");

但它没有用。

有没有办法通过.text(""))标签中的自由文本而不是其子标签中的文本来获取(并可能删除?

非常感谢。

4

4 回答 4

7

过滤掉文本节点并移除它们:

$('#firstDiv').contents().filter(function() {
    return this.nodeType===3;
}).remove();

小提琴

要过滤文本本身,您可以执行以下操作:

$('#firstDiv').contents().filter(function() {
    return this.nodeType === 3 && this.nodeValue.trim() === 'This is some text';
}).remove();

并获取文本:

var txt = [];

$('#firstDiv').contents().filter(function() {
    if ( this.nodeType === 3 ) txt.push(this.nodeValue);
    return this.nodeType === 3;
}).remove();
于 2013-07-25T07:32:57.590 回答
2

看看这个小提琴

假设你有这个 html

<parent>
  <child>i want to keep the child</child>
  Some text I want to remove
  <child>i want to keep the child</child>
  <child>i want to keep the child</child>
</parent>

然后你可以像这样删除父级的内部文本:

var child = $('parent').children('child');
$('parent').html(child);

检查this fiddle以获得您的html的解决方案

var child = $('#firstDiv').children('span');
$('#firstDiv').html(child);

PS:请注意,当您删除然后重新创建元素时,该 div 上的任何事件处理程序都将丢失

于 2013-07-25T07:35:05.287 回答
2

当使用 vanilla JS 更简单时,为什么要尝试强制 jQuery 执行此操作:

var div = document.getElementById('firstDiv'),
    i,
    el;

for (i = 0; i< div.childNodes.length; i++) {
    el = div.childNodes[i];
    if (el.nodeType === 3) {
        div.removeChild(el);
    }
}

在这里小提琴:http: //jsfiddle.net/YPKGQ/

于 2013-07-25T07:43:10.850 回答
0

检查一下,不确定它是否完全符合您的要求...注意:我仅在 chrome 中对其进行了测试

http://jsfiddle.net/LgyJ8/

cleartext($('#firstDiv'));

function cleartext(node) {

    var children = $(node).children();
    if(children.length > 0) {

        var newhtml = "";
        children.each(function() {

            cleartext($(this));

            newhtml += $('<div/>').append(this).html();

        });

        $(node).html(newhtml);

    }
}
于 2013-07-25T07:47:21.523 回答