jQuery로 텍스트 노드를 어떻게 선택합니까?


답변:


261

jQuery에는 편리한 기능이 없습니다. contents()하위 노드 만 제공하고 텍스트 노드를 포함하는 을 결합해야합니다 .와 함께 find()모든 하위 요소는 제공하지만 텍스트 노드는 제공하지 않습니다. 내가 생각해 낸 것은 다음과 같습니다.

var getTextNodesIn = function(el) {
    return $(el).find(":not(iframe)").addBack().contents().filter(function() {
        return this.nodeType == 3;
    });
};

getTextNodesIn(el);

참고 : jQuery 1.7 또는 이전 버전을 사용하는 경우 위 코드는 작동하지 않습니다. 이 문제를 해결하려면, 대신 addBack()andSelf(). 1.8 이상에서 andSelf()더 이상 사용되지 않습니다 addBack().

이것은 순수한 DOM 메소드에 비해 다소 비효율적 이며 jQuery의 contents()함수 오버로드에 대한 추악한 해결 방법 을 포함 해야 합니다 (지시 사항에 대한 의견에 @rabidsnail 덕분에) 간단한 재귀 함수를 사용하는 비 jQuery 솔루션입니다. 이 includeWhitespaceNodes매개 변수는 공백 텍스트 노드가 출력에 포함되는지 여부를 제어합니다 (jQuery에서는 자동으로 필터링됩니다).

업데이트 : includeWhitespaceNodes가 잘못된 경우의 버그를 수정했습니다.

function getTextNodesIn(node, includeWhitespaceNodes) {
    var textNodes = [], nonWhitespaceMatcher = /\S/;

    function getTextNodes(node) {
        if (node.nodeType == 3) {
            if (includeWhitespaceNodes || nonWhitespaceMatcher.test(node.nodeValue)) {
                textNodes.push(node);
            }
        } else {
            for (var i = 0, len = node.childNodes.length; i < len; ++i) {
                getTextNodes(node.childNodes[i]);
            }
        }
    }

    getTextNodes(node);
    return textNodes;
}

getTextNodesIn(el);

전달 된 요소가 div의 이름 일 수 있습니까?
crosenblum

@crosenblum : document.getElementById()그것이 의미하는 바라면 먼저 전화 할 수 있습니다.var div = document.getElementById("foo"); var textNodes = getTextNodesIn(div);
Tim Down

jQuery의 버그로 인해 el에 iframe이 있으면 .find ( '*') 대신 .find ( ': not (iframe)')을 사용해야합니다.
bobpoekert

@rabidsnail : .contents()어쨌든 사용 하면 iframe을 통해 검색 할 것이라고 암시합니다. 어떻게 버그가 될 수 있는지 모르겠습니다.
Robin Maben 2012

bugs.jquery.com/ticket/11275 이것이 실제로 버그인지 여부는 논쟁의 여지가있는 것처럼 보이지만 iframe이없는 iframe을 포함하는 노드에서 find ( '*'). contents ()를 호출하면 버그가 아닙니다. dom에 추가되면 정의되지 않은 지점에서 예외가 발생합니다.
bobpoekert

209

Jauco는 의견에 좋은 해결책을 게시 했으므로 여기에 복사하고 있습니다.

$(elem)
  .contents()
  .filter(function() {
    return this.nodeType === 3; //Node.TEXT_NODE
  });

34
실제로 $ (elem) .contents () .filter (function () {return this.nodeType == Node.TEXT_NODE;}); 충분하다
Jauco

37
당신은 불행하게도 this.nodeType == 3를 사용하는 그래서 IE7은 노드 세계를 정의하지 않습니다 stackoverflow.com/questions/1423599/node-textnode-and-ie7
기독교 Oudard에게

17
이것은 OP가 요청 한대로 요소의 자손이 아닌 요소의 직접적인 자식 인 텍스트 노드 만 반환합니까?
Tim Down

7
contents () 메소드는 직계 자식 노드 만 반환하므로 api.jquery.com/contents
minhajul

1
@Jauco, 아뇨, 충분하지 않습니다! as .contents ()는 직계 자식 노드 만 반환합니다.
minhajul

17
$('body').find('*').contents().filter(function () { return this.nodeType === 3; });

6

jQuery.contents()와 함께 사용하여 jQuery.filter모든 하위 텍스트 노드를 찾을 수 있습니다 . 약간의 왜곡으로 손자 텍스트 노드도 찾을 수 있습니다. 재귀가 필요하지 않습니다.

$(function() {
  var $textNodes = $("#test, #test *").contents().filter(function() {
    return this.nodeType === Node.TEXT_NODE;
  });
  /*
   * for testing
   */
  $textNodes.each(function() {
    console.log(this);
  });
});
div { margin-left: 1em; }
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script>

<div id="test">
  child text 1<br>
  child text 2
  <div>
    grandchild text 1
    <div>grand-grandchild text 1</div>
    grandchild text 2
  </div>
  child text 3<br>
  child text 4
</div>

jsFiddle


4

허용되는 필터 기능으로 많은 빈 텍스트 노드가 생겼습니다. 공백이 아닌 텍스트 노드 만 선택 nodeValue하려면 다음 filter과 같이 간단한 조건 처럼 함수에 조건을 추가 하십시오 $.trim(this.nodevalue) !== ''.

$('element')
    .contents()
    .filter(function(){
        return this.nodeType === 3 && $.trim(this.nodeValue) !== '';
    });

http://jsfiddle.net/ptp6m97v/

또는 내용이 공백처럼 보이지만 (예 : 부드러운 하이픈 &shy;문자, 줄 바꿈 \n, 탭 등) 이상한 상황을 피하려면 정규식을 사용해보십시오. 예를 들어, \S공백이 아닌 문자와 일치합니다.

$('element')
        .contents()
        .filter(function(){
            return this.nodeType === 3 && /\S/.test(this.nodeValue);
        });

3

모든 자식이 요소 노드 또는 텍스트 노드라고 가정 할 수 있다면 이것이 하나의 솔루션입니다.

모든 자식 텍스트 노드를 jquery 컬렉션으로 가져 오려면 :

$('selector').clone().children().remove().end().contents();

텍스트가 아닌 자식이 제거 된 원본 요소의 복사본을 얻으려면 :

$('selector').clone().children().remove().end();

1
방금 다른 답변에 대한 Tim Down의 의견을 보았습니다. 이 솔루션은 모든 하위 항목이 아닌 직접 하위 항목 만 가져옵니다.
colllin

2

어떤 이유로 든 contents()나를 위해 작동하지 않았으므로 그것이 효과가 없다면 여기에 만든 해결책 jQuery.fn.descendants이 있습니다. 텍스트 노드를 포함하거나 포함하지 않는 옵션으로 생성 했습니다.

용법


텍스트 노드 및 요소 노드를 포함한 모든 자손 가져 오기

jQuery('body').descendants('all');

텍스트 노드 만 반환하는 모든 자손 가져 오기

jQuery('body').descendants(true);

요소 노드 만 반환하는 모든 자손을 가져옵니다.

jQuery('body').descendants();

커피 스크립트 원본 :

jQuery.fn.descendants = ( textNodes ) ->

    # if textNodes is 'all' then textNodes and elementNodes are allowed
    # if textNodes if true then only textNodes will be returned
    # if textNodes is not provided as an argument then only element nodes
    # will be returned

    allowedTypes = if textNodes is 'all' then [1,3] else if textNodes then [3] else [1]

    # nodes we find
    nodes = []


    dig = (node) ->

        # loop through children
        for child in node.childNodes

            # push child to collection if has allowed type
            nodes.push(child) if child.nodeType in allowedTypes

            # dig through child if has children
            dig child if child.childNodes.length


    # loop and dig through nodes in the current
    # jQuery object
    dig node for node in this


    # wrap with jQuery
    return jQuery(nodes)

자바 스크립트 버전에서 삭제

var __indexOf=[].indexOf||function(e){for(var t=0,n=this.length;t<n;t++){if(t in this&&this[t]===e)return t}return-1}; /* indexOf polyfill ends here*/ jQuery.fn.descendants=function(e){var t,n,r,i,s,o;t=e==="all"?[1,3]:e?[3]:[1];i=[];n=function(e){var r,s,o,u,a,f;u=e.childNodes;f=[];for(s=0,o=u.length;s<o;s++){r=u[s];if(a=r.nodeType,__indexOf.call(t,a)>=0){i.push(r)}if(r.childNodes.length){f.push(n(r))}else{f.push(void 0)}}return f};for(s=0,o=this.length;s<o;s++){r=this[s];n(r)}return jQuery(i)}

축소되지 않은 자바 스크립트 버전 : http://pastebin.com/cX3jMfuD

이것은 크로스 브라우저이며 작은 Array.indexOfpolyfill이 코드에 포함되어 있습니다.


1

다음과 같이 할 수도 있습니다 :

var textContents = $(document.getElementById("ElementId").childNodes).filter(function(){
        return this.nodeType == 3;
});

위의 코드는 주어진 요소의 직계 자식 자식 노드에서 textNode를 필터링합니다.


1
...하지만 모든 하위 하위 노드가 아닙니다 (예 : 원래 요소의 하위 인 요소의 하위 인 텍스트 노드).
Tim Down

0

모든 태그를 제거하려면 다음을 시도하십시오

함수:

String.prototype.stripTags=function(){
var rtag=/<.*?[^>]>/g;
return this.replace(rtag,'');
}

용법:

var newText=$('selector').html().stripTags();

0

나를 위해, 평범한 오래된 .contents() 텍스트 노드는 텍스트 노드를 반환하는 것처럼 보였습니다. 선택기에주의하여 텍스트 노드가 될 것임을 알면됩니다.

예를 들어, 이것은 테이블에 TD의 모든 텍스트 내용을 pre태그로 감쌌 으며 아무런 문제가 없었습니다.

jQuery("#resultTable td").content().wrap("<pre/>")

당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.