2

我的网站建立在主干上。它具有基于提要的 UI,这意味着提要中通常会显示大量内容。大约有 30 个事件绑定到每个项目。

向下滚动几页后它变得迟缓。

取消绑定已经滚出的项目,并在它们滚入时再次绑定是否有意义?

  • 如果是这样,一些帮助(示例代码/资源指针会很棒)
  • 有什么导致缓慢的原因吗?
4

1 回答 1

2

很难说缓慢是因为事件处理程序,还是仅仅因为浏览器无法处理页面上大量的 DOM 节点,或者任何其他原因。

这是为不在当前视口中的视图取消委派事件的快速解决方案。它不完全是生产就绪的,但应该可以帮助您测试事件处理程序是否是性能问题的原因。

在这里工作 JSFiddle,还要检查浏览器控制台)

var View = Backbone.View.extend({

  onScroll: function() {

    var wasInView = this.isInView;
    var isInView = this.checkIsInView();

    if(wasInView === true) {
      if(!isInView) {
         this.undelegateEvents(); 
      }
    } 
    else if(wasInView === false) {
      if(isInView) {
        this.delegateEvents();
      }
    }
    else {
      //first pass
      if(!isInView) {
        this.undelegateEvents();
      }
    }

    this.isInView = isInView;
  },

  checkIsInView: function() {
    var $el = this.$el,
        top = $el.offset().top,
        bottom = top + $el.height(),
        windowTop = $(window).scrollTop(),
        windowBottom = windowTop + $(window).height();

    return ((bottom <= windowBottom) && (top >= windowTop));
  },

  render: function () {

    //rendering code here...

    if(!this.lazyScroll) {
      //wait for scroll events to stop before triggering scroll handler
      this.lazyScroll = _.debounce(_.bind(this.onScroll, this), 50);
      $(window).bind('scroll', this.lazyScroll)
               .bind('resize', this.lazyScroll); 
    }

    return this;
  },

  remove: function() {
    if(this.lazyScroll) {
      $(window).unbind('scroll', this.lazyScroll)
               .unbind('resize', this.lazyScroll); 
      delete this.lazyScroll;
    }
    Backbone.View.prototype.remove.apply(this, arguments);
  }
});
于 2013-01-07T16:53:29.503 回答