0

需要一种方法来过滤掉结果集中其他元素的父元素。我试着写一个插件:

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;
};

当我在此示例页面上运行以下命令时:

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

我得到(错误的)结果:

[body.contact-page, textarea, textarea]

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

[textarea, textarea]

这里有什么问题?

4

3 回答 3

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;
};
于 2012-04-14T10:06:22.143 回答
1

你的方法看起来不错,但你的例子可能是错误的。你说 -

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

我得到(错误的)结果:

[body.contact-page, textarea, textarea]

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

jQuery('div, input').distinctDescendants(); 表示一些输入在考虑中的 div 内部,而一些在外部。虽然结果不是不可预测的,但显然很难猜到。所以大多数时候尝试使用具有类名或 id 的选择器。

请让我们知道您的反馈……我觉得功能还可以。

于 2012-04-14T10:50:20.423 回答
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]
于 2012-04-14T10:22:34.497 回答