使用jQuery搜索元素属性值

huus2vyu  于 2022-11-03  发布在  jQuery
关注(0)|答案(4)|浏览(131)

我试图在屏幕上做一个过滤器,通过隐藏不符合要求的内容。
这是我目前的想法,我不知道我做错了什么。
查询:

jQuery('#searchBox').on('keyup change', function() {
    var search = $('#searchBox').val();

    //for each h4       
    $('h4').each(function(){
     var h4id = $(this).attr('id');
        if ($(h4id).contains(search))
            $(this).show();
         else
            $(this).hide
    });

于飞:

<input type="search" name="search" id="searchBox"/>

<h4 id="Adminstrator">Administrator</h4> 
<h4 id="John,Smith">John Smith</h4> 
<h4 id="Jane,Smith">Jane Smith</h4>

(我使用的是jQuery 1.9.1)(因此,如果我开始键入Smith,“Administrator”h4应该会消失。

pftdvrlh

pftdvrlh1#

试试这个:-简单的,但是区分大小写

Demo(第一个字母)

jQuery('#searchBox').on('keyup change', function() {
         var search = $('#searchBox').val();
      $('h4').hide();
      $('h4[id*='+ search + ']').show();

    });

看看这是否有帮助。我不会使用id来存储字符串比较,因为多个人的名字可以相同,你可能最终会有多个h4具有相同的id。所以我在这里使用了data-attribute和jquery数据。

Demo(第一个字母)

jQuery('#searchBox').on('keyup change', function() {
         var search = $('#searchBox').val();
      $('h4').hide().filter(function(_,oj){
       return $(oj).data('key').toLowerCase().indexOf(search.toLowerCase()) > -1;
     //if your are trying to match the text() then do  
     //return $(oj).text().toLowerCase().indexOf(search.toLowerCase()) > -1;
      }).show();
     });

修复您的代码将意味着这一点。没有contains函数和其他几个错别字。
Demo

jQuery('#searchBox').on('keyup change', function() {
    var search = $('#searchBox').val();
  //for each h4       
    $('h4').each(function(){
     var h4id = this.id;

        if (h4id.indexOf(search) > -1)
        //if your are trying to match the text() then do  
        //if ($('#'+h4id).text().indexOf(search) > -1)
            $(this).show();
         else
            $(this).hide();
    });
});
wydwbb8l

wydwbb8l2#

尝试基于正则表达式的解决方案

jQuery('#searchBox').on('keyup change', function() {
    var search = $(this).val();
    var regex = new RegExp(search, 'i');

    //for each h4       
    $('h4').hide().filter(function(){
        return regex.test(this.id)
    }).show();
});

演示:Fiddle

ocebsuys

ocebsuys3#

只需使用jQuery属性选择器,参见here,只需两行代码就足够了。演示:

//for each h4       
var h4id = $(this).attr('id');
$("h4").hide().filter("[id*=" + h4id + "]").show();
vbkedwbf

vbkedwbf4#

.contains不会给予选择器的文本内容。它只会搜索选择器内部的元素。
尝试这种方法..这可以优化很多

jQuery('#searchBox').on('keyup change', function () {
    var search = $('#searchBox').val().toLowerCase();

    $('h4').hide();
    $('h4').each(function () {
        var h4id = $(this).attr('id'),
            $text = $('#'+ h4id).text().toLowerCase();
        if($text.indexOf(search) > -1) 
            $(this).show();
    });

});

确保您的id是唯一的。
其次,您的ID中不应包含**、**


相关问题