JQuery不同的后代(过滤掉结果集中的所有父项)

时间:2012-04-14 09:48:41

标签: javascript jquery plugins filter

needed a method过滤掉结果集中其他元素的父元素。我试着写一个插件:

jQuery.fn.distinctDescendants = function() {
    var nodes = [];
    var result = this;

    jQuery(result).each(function() {
        var node = jQuery(this).get(0);
        if(jQuery(node).find(result).length == 0) {
            nodes.push(node);
        }
    });

    return nodes;
};

当我在this example page上运行以下命令时:

jQuery('body, textarea').distinctDescendants();

我得到(错误的)结果:

[body.contact-page, textarea, textarea]

这是错误的,因为body是结果中至少一个其他元素的父级(两个textareas)。因此,预期结果将是:

[textarea, textarea]

这里有什么问题?

3 个答案:

答案 0 :(得分:1)

为什么不使用jQuery('body > input')

您可以使用以下(详细)代码来实现您想要的效果;它应该作为插件代码的直接替换。

jQuery.fn.distinctDescendants = function() {
    var nodes = [];
    var parents = [];

    // First, copy over all matched elements to nodes.
    jQuery(this).each(function(index, Element) {
        nodes.push(Element);
    });

    // Then, for each of these nodes, check if it is parent to some element.
    for (var i=0; i<nodes.length; i++) {
        var node_to_check = nodes[i];
        jQuery(this).each(function(index, Element) {

            // Skip self comparisons.
            if (Element == node_to_check) {
                return;
            }

            // Use .tagName to allow .find() to work properly.
            if((jQuery(node_to_check).find(Element.tagName).length > 0)) {
                if (parents.indexOf(node_to_check) < 0) {
                    parents.push(node_to_check);
                }
            }
        });
    }

    // Finally, construct the result.
    var result = [];
    for (var i=0; i<nodes.length; i++) {
        var node_to_check = nodes[i];
        if (parents.indexOf(node_to_check) < 0) {
            result.push(node_to_check);
        }
    }

    return result;
};

答案 1 :(得分:1)

你的方法似乎没问题,但你的例子可能是错的。你说 -

jQuery('body, input').distinctDescendants();

我得到(错误的)结果:

[body.contact-page, textarea, textarea]

如果选择器中没有textarea,你怎么会得到textarea? 使用这种方法也要小心。记住 -

jQuery('div,input')。distinctDescendants();意味着一些输入在正在考虑的div内,一些在外面。虽然结果不可预测,但显然很难猜测。所以大部分时间都尝试使用具有类名或id的选择器。

请告诉我们您的反馈......我觉得功能还可以。

答案 2 :(得分:0)

我认为这是你期待的

jQuery('body, input').filter(function(){if($(this).children().length >0) return false; else return true; })

或者可能相当

jQuery('body, input, textarea').filter(function(){if($(this).children().length >0) return false; else return true; })

这将只返回文本区域(如示例所示)

jQuery('body, textarea').filter(function(){if($(this).children().length >0) return false; else return true; })

<强>更新

所以你想要这样的东西

var elems = 'textarea';

jQuery('body, '+ elems )
      .filter(function(){
           if($(this).find(elems ).length >0) 
               return false; 
           else return true; 
       })

返回

[textarea, textarea]