Jquery - 在视口中选择具有类名的图像

时间:2014-04-05 08:14:56

标签: jquery html scroll

我有一个带图片的网页。当我滚动到图像时,我想让它们动画。我这样做。

$.fn.is_on_screen = function(){
    var win = $(window);
    var viewport = {
        top : win.scrollTop(),
        left : win.scrollLeft()
    };
    viewport.right = viewport.left + win.width();
    viewport.bottom = viewport.top + win.height();

    var bounds = this.offset();
    bounds.right = bounds.left + this.outerWidth();
    bounds.bottom = bounds.top + this.outerHeight();

    return (!(viewport.right < bounds.left || viewport.left > bounds.right || viewport.bottom < bounds.top || viewport.top > bounds.bottom));
};


$(window).scroll(function(){

                   if( $('.effect').is_on_screen()){
                        $('.effect').addClass('animated bounceIn');
                   } 
                });

但是,具有类“.effect”(不在视口中)的其他图像也是动画的。是否有任何想法只将addClass添加到视口中当前具有名为“.effect”的类的图像?

我试过这个但没有工作:

$(window).scroll(function(){

                       if( $('.effect').is_on_screen()){
                            $('.effect', this).addClass('animated bounceIn');
                       } 
                    });

1 个答案:

答案 0 :(得分:2)

您可以尝试以下方法。首先,将所选元素添加到列表中并保持其当前可见性。

var settings = {
  throttle: 300
};
var elements = [];

$.fn.viewport = function (options) {
  $.extend(settings, options);

  elements = this;

  return elements.each(function () {
    $(this).data('visible', $(this).visible());
  });
};

要检查元素在视口中是否可见,可以使用getBoundingClientRect方法返回元素相对于视口的坐标。

$.fn.visible = function () {
  var rect = this[0].getBoundingClientRect();
  var $window = $(window);

  return (
       rect.top <= $window.height()
    && rect.right >= 0
    && rect.bottom >= 0
    && rect.left <= $window.width()
  );
};

现在,您需要根据滚动位置自动跟踪元素可见性。但是,scroll等高频事件每秒会发射数十次。通过使用setTimeout限制实际页面更新的数量,可以提高性能。

var timer;

$(window).on('scroll', function (event) {
  if (!timer) {
    timer = setTimeout(function () {
      $.each(elements, function () {
        var visible = $(this).visible();

        if (visible) {
          if (!$(this).data('visible')) {
            $(this).data('visible', visible);
            $(this).trigger('enter', event);
          }
        } else if ($(this).data('visible')) {
          $(this).data('visible', visible);
          $(this).trigger('leave', event);
        }
      });

      timer = null;
    }, settings.throttle);
  }
});

用法示例:

$('div').viewport().on({
  enter: function () {
    $(this).addClass('visible');
  },
  leave: function () {
    $(this).removeClass('visible');
  }
});

在此处查看实时示例:http://jsfiddle.net/cdog/KYJ4h/