没有移除油门的React事件监听器

时间:2017-09-07 18:15:02

标签: javascript reactjs addeventlistener throttling

我的代码看起来像这样:

componentDidMount() {
    window.addEventListener('resize', this.resize);
}

componentWillUnmount() {
    window.removeEventListener('resize', this.resize);
}

resize = () => this.forceUpdate();

这很好用。但后来我尝试添加油门以获得更好的性能

componentDidMount() {
    window.addEventListener('resize', _.throttle(this.resize, 200));
}

componentWillUnmount() {
    window.removeEventListener('resize', this.resize);
}

resize = () => this.forceUpdate();

但是当我在不同视图中调整屏幕大小时,我收到此错误警告:

Warning: forceUpdate(...): Can only update a mounted or mounting component. This usually means you called forceUpdate() on an unmounted component. This is a no-op. Please check the code for the component.

这意味着我没有正确删除监听器。如何删除带油门的监听器?或者我应该把油门放在其他地方吗?

我尝试更新componentWillUnmount喜欢这个:

componentWillUnmount() {
    window.removeEventListener('resize', _.throttle(this.resize, 200));
}

但这也不起作用。

任何想法

1 个答案:

答案 0 :(得分:4)

也许你可以在构造函数中设置限制:

constructor(props) {
   ...
   this.throttledResize = _.throttle(this.resize, 200)
}

componentDidMount() {
    window.addEventListener('resize', this.throttledResize);
}

componentWillUnmount() {
    window.removeEventListener('resize', this.throttledResize);
}

为了详细阐述其工作原理,window.removeEventListener必须查看目标和事件的所有已注册事件侦听器,并对传递给它的事件处理程序执行相等性检查 - 如果找到匹配项,它删除它。这是一个天真的实现:

window.removeEventListener = function(event, handler) {
   // remove the supplied handler from the registered event handlers
   this.eventHandlers[event] = this.eventHandlers[event].filter((evtHandler) => {
       return evtHandler !== handler;
   })
}

_.throttle每次运行时都会返回一个新函数;因此,相等检查将始终失败,您将无法删除事件侦听器(不删除所有事件侦听器)。以下是对等式检查中发生的事情的简单演示:

function foo() {}
function generateFunction() { 
   // just like throttle, this creates a new function each time it is called
   return function() {} 
}

console.log(foo === foo) // true
console.log(generateFunction() === generateFunction()) // false