我正在使用同位素(v1)并在an example in a Pen之后创建了一个搜索字段。
然而,最初它可以工作,如果我过滤同位素库,那么搜索字段将停止工作。
我相信搜索功能仍然运行只是不过滤库,我不确定如何解决问题。事实上,我不确定究竟是什么问题,因为没有错误被抛出。
Here is a Fiddle有一个工作示例。
以下是搜索,过滤器和同位素JavaScript:
var $container = $('.isotope'),
qsRegex,
filters = {};
$container.isotope({
itemSelector : '.element',
masonry : {
columnWidth : 120
},
getSortData : {
name : function ( $elem ) {
return $elem.find('.name').text();
}
},
filter: function() {
return qsRegex ? $(this).text().match( qsRegex ) : true;
}
});
function searchFilter() {
qsRegex = new RegExp( $quicksearch.val(), 'gi' );
$container.isotope();
}
// use value of search field to filter
var $quicksearch = $('#quicksearch').keyup( debounce( searchFilter ) );
$('#reset').on( 'click', function() {
$quicksearch.val('');
searchFilter()
});
// store filter for each group
$('#filters').on( 'click', '.button', function() {
var $this = $(this);
// get group key
var $buttonGroup = $this.parents('.button-group');
var filterGroup = $buttonGroup.attr('data-filter-group');
// set filter for group
filters[ filterGroup ] = $this.attr('data-filter');
// combine filters
var filterValue = '';
for ( var prop in filters ) {
filterValue += filters[ prop ];
}
// set filter for Isotope
$container.isotope({ filter: filterValue });
});
// debounce so filtering doesn't happen every millisecond
function debounce( fn, threshold ) {
var timeout;
return function debounced() {
if ( timeout ) {
clearTimeout( timeout );
}
function delayed() {
fn();
timeout = null;
}
setTimeout( delayed, threshold || 100 );
}
}
如何解决问题?
注意:我使用的是jQuery 2.1.1。
答案 0 :(得分:4)
在你的示例中$('#filters').on('click', '.button', function ()
停止搜索功能并重置但放置在#filters div中,所以当你点击它时,搜索引擎也会被停止。
我没有最好的解决方案,但它解决了一些问题:
使用函数调用引擎的想法:
var iso = function() {
//engine here
}
和
$(function () {
iso();
$('.iso').click(function(){
setTimeout(iso, 500);
});
});
没有setTimeout它无法正常工作。
但它没有解决主要问题
查看FIDDLE,您就会理解我的意思
或者你可以在#filters div
之外放置重置和显示所有按钮答案 1 :(得分:4)
我在实施过滤器+搜索功能方面遇到了同样的问题。
我解决了这个问题,将过滤函数传递给搜索函数($container.isotope();
)中的Isotope调用(function searchFilter(){...}
),而不是在初始化Isotope实例时。
所以,在你的代码中它应该是这样的:
// No filter specified when initializing the Isotope instance
$container.isotope({
itemSelector : '.element',
masonry : {
columnWidth : 120
},
getSortData : {
name : function ( $elem ) {
return $elem.find('.name').text();
}
}
});
// Instead, the filter is specified here
function searchFilter() {
qsRegex = new RegExp( $quicksearch.val(), 'gi' );
$container.isotope({
filter: function() {
return qsRegex ? $(this).text().match( qsRegex ) : true;
}
});
}