如何在HTML表上执行实时搜索和过滤

时间:2012-02-03 10:55:50

标签: javascript jquery html

我一直在谷歌搜索和搜索Stack Overflow一段时间,但我无法解决这个问题。

我有一个标准的HTML表格,其中包含水果。像这样:

<table>
   <tr>
      <td>Apple</td>
      <td>Green</td>
   </tr>
   <tr>
      <td>Grapes</td>
      <td>Green</td>
   </tr>
   <tr>
      <td>Orange</td>
      <td>Orange</td>
   </tr>
</table>

在上面我有一个文本框,我想在表中搜索用户类型。因此,如果他们输入Gre,表格中的橙色行会消失,留下Apple和Grapes。如果他们继续并键入Green Gr,Apple行应该消失,只留下葡萄。我希望这很清楚。

并且,如果用户从文本框中删除了部分或全部查询,我希望现在所有与查询匹配的行重新出现。

虽然我知道如何删除jQuery中的表行,但我不清楚如何根据此选择性地进行搜索和删除行。有一个简单的解决方案吗?还是一个插件?

如果有人能指出我正确的方向,那就太棒了。

谢谢。

9 个答案:

答案 0 :(得分:287)

我创建了这些示例。

简单indexOf搜索

var $rows = $('#table tr');
$('#search').keyup(function() {
    var val = $.trim($(this).val()).replace(/ +/g, ' ').toLowerCase();

    $rows.show().filter(function() {
        var text = $(this).text().replace(/\s+/g, ' ').toLowerCase();
        return !~text.indexOf(val);
    }).hide();
});

演示http://jsfiddle.net/7BUmG/2/

正则表达式搜索

使用正则表达式的更高级功能将允许您按行中的任何顺序搜索单词。如果您输入apple greengreen apple

,它的工作方式也相同
var $rows = $('#table tr');
$('#search').keyup(function() {

    var val = '^(?=.*\\b' + $.trim($(this).val()).split(/\s+/).join('\\b)(?=.*\\b') + ').*$',
        reg = RegExp(val, 'i'),
        text;

    $rows.show().filter(function() {
        text = $(this).text().replace(/\s+/g, ' ');
        return !reg.test(text);
    }).hide();
});

演示http://jsfiddle.net/dfsq/7BUmG/1133/

去抖

当您通过搜索多行和多列实现表过滤时,考虑性能和搜索速度/优化非常重要。简单地说你不应该在每次击键时运行搜索功能,这是没有必要的。为了防止过滤太频繁,你应该去除它。上面的代码示例将变为:

$('#search').keyup(debounce(function() {
    var val = $.trim($(this).val()).replace(/ +/g, ' ').toLowerCase();
    // etc...
}, 300));

你可以选择任何去抖动实现,例如来自Lodash _.debounce,或者你可以使用非常简单的东西,就像我在下一个演示中使用的那样(从here去抖动):http://jsfiddle.net/7BUmG/6230/和{ {3}}

答案 1 :(得分:10)

我有一个jquery插件。它也使用jquery-ui。你可以在这里看到一个例子 http://jsfiddle.net/tugrulorhan/fd8KB/1/

$("#searchContainer").gridSearch({
            primaryAction: "search",
            scrollDuration: 0,
            searchBarAtBottom: false,
            customScrollHeight: -35,
            visible: {
                before: true,
                next: true,
                filter: true,
                unfilter: true
            },
            textVisible: {
                before: true,
                next: true,
                filter: true,
                unfilter: true
            },
            minCount: 2
        });

答案 2 :(得分:5)

这是在HTML表格中搜索的最佳解决方案,同时涵盖 所有表格 ,(表格中所有td,tr), 纯javascript 以及 简短

<input id='myInput' onkeyup='searchTable()' type='text'>

<table id='myTable'>
   <tr>
      <td>Apple</td>
      <td>Green</td>
   </tr>
   <tr>
      <td>Grapes</td>
      <td>Green</td>
   </tr>
   <tr>
      <td>Orange</td>
      <td>Orange</td>
   </tr>
</table>

<script>
function searchTable() {
    var input, filter, found, table, tr, td, i, j;
    input = document.getElementById("myInput");
    filter = input.value.toUpperCase();
    table = document.getElementById("myTable");
    tr = table.getElementsByTagName("tr");
    for (i = 0; i < tr.length; i++) {
        td = tr[i].getElementsByTagName("td");
        for (j = 0; j < td.length; j++) {
            if (td[j].innerHTML.toUpperCase().indexOf(filter) > -1) {
                found = true;
            }
        }
        if (found) {
            tr[i].style.display = "";
            found = false;
        } else {
            tr[i].style.display = "none";
        }
    }
}
</script>

答案 3 :(得分:3)

感谢@dfsq提供非常有用的代码!

我做了一些调整,也许其他一些也喜欢他们。我确保你可以在没有严格匹配的情况下搜索多个单词。

示例行:

  • 苹果和梨
  • 苹果和香蕉
  • 苹果和橘子
  • ...

您可以搜索'ap pe',它会识别第一行
您可以搜索“香蕉苹果”,它会识别第二行

<强>演示: http://jsfiddle.net/JeroenSormani/xhpkfwgd/1/

var $rows = $('#table tr');
$('#search').keyup(function() {
  var val = $.trim($(this).val()).replace(/ +/g, ' ').toLowerCase().split(' ');

  $rows.hide().filter(function() {
    var text = $(this).text().replace(/\s+/g, ' ').toLowerCase();
    var matchesSearch = true;
    $(val).each(function(index, value) {
      matchesSearch = (!matchesSearch) ? false : ~text.indexOf(value);
    });
    return matchesSearch;
  }).show();
});

答案 4 :(得分:2)

我发现dfsq的回答非常有用。我做了一些适用于我的小修改(我在这里发布它,以防它对别人有用)。

  1. 使用class作为挂钩,而不是使用表格元素tr
  2. 在显示/隐藏父级
  3. 时搜索/比较子class中的文本
  4. $rows文本元素仅存储到数组中一次(并避免计算$rows.length次),从而提高效率。
  5. &#13;
    &#13;
    var $rows = $('.wrapper');
    var rowsTextArray = [];
    
    var i = 0;
    $.each($rows, function() {
      rowsTextArray[i] = $(this).find('.fruit').text().replace(/\s+/g, ' ').toLowerCase();
      i++;
    });
    
    $('#search').keyup(function() {
      var val = $.trim($(this).val()).replace(/ +/g, ' ').toLowerCase();
      $rows.show().filter(function(index) {
        return (rowsTextArray[index].indexOf(val) === -1);
      }).hide();
    });
    &#13;
    span {
      margin-right: 0.2em;
    }
    &#13;
    <input type="text" id="search" placeholder="type to search" />
    
    <div class="wrapper"><span class="number">one</span><span class="fruit">apple</span></div>
    <div class="wrapper"><span class="number">two</span><span class="fruit">banana</span></div>
    <div class="wrapper"><span class="number">three</span><span class="fruit">cherry</span></div>
    <div class="wrapper"><span class="number">four</span><span class="fruit">date</span></div>
    <script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>
    &#13;
    &#13;
    &#13;

答案 5 :(得分:1)

纯Javascript解决方案:

  

适用于所有列和不区分大小写:

function search_table(){
  // Declare variables 
  var input, filter, table, tr, td, i;
  input = document.getElementById("search_field_input");
  filter = input.value.toUpperCase();
  table = document.getElementById("table_id");
  tr = table.getElementsByTagName("tr");

  // Loop through all table rows, and hide those who don't match the search query
  for (i = 0; i < tr.length; i++) {
    td = tr[i].getElementsByTagName("td") ; 
    for(j=0 ; j<td.length ; j++)
    {
      let tdata = td[j] ;
      if (tdata) {
        if (tdata.innerHTML.toUpperCase().indexOf(filter) > -1) {
          tr[i].style.display = "";
          break ; 
        } else {
          tr[i].style.display = "none";
        }
      } 
    }
  }
}

答案 6 :(得分:0)

Datatable JS插件也是html表的accomedate搜索功能的一个很好的替代品

var table = $('#example').DataTable();

// #myInput is a <input type="text"> element
$('#myInput').on( 'keyup', function () {
    table.search( this.value ).draw();
} );

https://datatables.net/examples/basic_init/zero_configuration.html

答案 7 :(得分:0)

你可以使用像这样的原生javascript

<script>
function myFunction() {
  var input, filter, table, tr, td, i;
  input = document.getElementById("myInput");
  filter = input.value.toUpperCase();
  table = document.getElementById("myTable");
  tr = table.getElementsByTagName("tr");
  for (i = 0; i < tr.length; i++) {
    td = tr[i].getElementsByTagName("td")[0];
    if (td) {
      if (td.innerHTML.toUpperCase().indexOf(filter) > -1) {
        tr[i].style.display = "";
      } else {
        tr[i].style.display = "none";
      }
    }       
  }
}
</script>

答案 8 :(得分:-1)

如果可以将html和数据分开,则可以使用外部库,例如数据表或我创建的库。 https://github.com/thehitechpanky/js-bootstrap-tables

该库使用keyup函数重新加载表数据,因此它看起来像搜索一样。

function _addTableDataRows(paramObjectTDR) {
    let { filterNode, limitNode, bodyNode, countNode, paramObject } = paramObjectTDR;
    let { dataRows, functionArray } = paramObject;
    _clearNode(bodyNode);
    if (typeof dataRows === `string`) {
        bodyNode.insertAdjacentHTML(`beforeend`, dataRows);
    } else {
        let filterTerm;
        if (filterNode) {
            filterTerm = filterNode.value.toLowerCase();
        }
        let serialNumber = 0;
        let limitNumber = 0;
        let rowNode;
        dataRows.forEach(currentRow => {
            if (!filterNode || _filterData(filterTerm, currentRow)) {
                serialNumber++;
                if (!limitNode || limitNode.value === `all` || limitNode.value >= serialNumber) {
                    limitNumber++;
                    rowNode = _getNode(`tr`);
                    bodyNode.appendChild(rowNode);
                    _addData(rowNode, serialNumber, currentRow, `td`);
                }
            }
        });
        _clearNode(countNode);
        countNode.insertAdjacentText(`beforeend`, `Showing 1 to ${limitNumber} of ${serialNumber} entries`);
    }
    if (functionArray) {
        functionArray.forEach(currentObject => {
            let { className, eventName, functionName } = currentObject;
            _attachFunctionToClassNodes(className, eventName, functionName);
        });
    }
}