jQuery过滤

4 javascript jquery filtering

有没有办法使用jQuery过滤多行选择框?

我是jQuery的新手,似乎无法找到最好的方法.

例如,如果我有:

<select size="10">
   <option>abc</option>
   <option>acb</option>
   <option>a</option>
   <option>bca</option>
   <option>bac</option>
   <option>cab</option>
   <option>cba</option>
   ...
</select>
Run Code Online (Sandbox Code Playgroud)

我想基于选择下拉列表过滤此列表:

<select>
   <option value="a">Filter by a</option>
   <option value="b">Filter by b</option>
   <option value="c">Filter by c</option>
</select>
Run Code Online (Sandbox Code Playgroud)

Ian*_*ley 5

这样的事情可能会起到作用(假设你给'过滤器......'选择过滤器的id,过滤/其他选择otherOptions的id ):

$(document).ready(function() {
    $('#filter').change(function() {
        var selectedFilter = $(this).val();
        $('#otherOptions option').show().each(function(i) {
            var $currentOption = $(this);
            if ($currentOption.val().indexOf(selectedFilter) !== 0) {
                $currentOption.hide();
            }
        });
    });
});
Run Code Online (Sandbox Code Playgroud)

更新:正如@Brian Liang在评论中指出的那样,您可能无法将<option>标签设置为display:none.因此,以下内容应该为您提供更好的跨浏览器解决方案:

$(document).ready(function() {
    var allOptions = {};

    $('#otherOptions option').each(function(i) {
        var $currentOption = $(this);
        allOptions[$currentOption.val()] = $currentOption.text();
    });

    $('#filter').change(function() {
        // Reset the filtered select before applying the filter again
        setOptions('#otherOptions', allOptions);
        var selectedFilter = $(this).val();
        var filteredOptions = {};

        $('#otherOptions option').each(function(i) {
            var $currentOption = $(this);

            if ($currentOption.val().indexOf(selectedFilter) === 0) {
                filteredOptions[$currentOption.val()] = $currentOption.text();
            }
        });

        setOptions('#otherOptions', filteredOptions);
    });

    function setOptions(selectId, filteredOptions) {
        var $select = $(selectId);
        $select.html('');

        var options = new Array();
        for (var i in filteredOptions) {
            options.push('<option value="');
            options.push(i);
            options.push('">');
            options.push(filteredOptions[i]);
            options.push('</option>');
        }

        $select.html(options.join(''));
    }

});
Run Code Online (Sandbox Code Playgroud)