I have a piece of legacy code, which renders a react ponent on the server on every request, which makes it obvious there is a memory leak. I have corner the problem up to this code:
ponentWillMount: function () {
var onLogin = this.props.onLogin || function () {},
onLogout = this.props.onLogout || function () {};
this.on('authChange', function () {
console.log('user authenticated:', this.state.isAuthenticated);
return this.state.isAuthenticated
? onLogin(this.state)
: onLogout(this.state);
}.bind(this));
},
I believe that on every request the this
object is storing a new listener, but I don't get why the this
element is not being marked as garbage when the rendering of the ponent is done.
I have a piece of legacy code, which renders a react ponent on the server on every request, which makes it obvious there is a memory leak. I have corner the problem up to this code:
ponentWillMount: function () {
var onLogin = this.props.onLogin || function () {},
onLogout = this.props.onLogout || function () {};
this.on('authChange', function () {
console.log('user authenticated:', this.state.isAuthenticated);
return this.state.isAuthenticated
? onLogin(this.state)
: onLogout(this.state);
}.bind(this));
},
I believe that on every request the this
object is storing a new listener, but I don't get why the this
element is not being marked as garbage when the rendering of the ponent is done.
2 Answers
Reset to default 8You need to unbind the authChange
handler before the ponent is unmounted. You can do this in ponentWillUnmount
.
Since you're creating the handler function using the first props that are passed in, you should save it to a property so you can unbind it later:
ponentWillMount: function () {
var onLogin = this.props.onLogin || function () {},
onLogout = this.props.onLogout || function () {};
this.authChange = function () {
console.log('user authenticated:', this.state.isAuthenticated);
return this.state.isAuthenticated
? onLogin(this.state)
: onLogout(this.state);
}.bind(this);
this.on('authChange', this.authChange);
},
ponentWillUnmount: function () {
this.off('authChange', this.authChange);
this.authChange = null;
}
Note that when I saw this.on
I thought you might be using jQuery but it's not clear how that would be the case. My answer uses this.off
to detach the event listener but you should use whatever the corresponding method is in your framework.
I would move your function into ponentDidMount
and add cleanup on ponentWillUnmount
Important: ponentWillMount
is called on the server and client, but ponentDidMount
is only called on the client.
If you’re using eventListeners
, setInterval
or other functions that needs to be cleaned, put them in ponentDidMount
. The server will not call ponentWillUnmount
and is usually the cause of memory leaks.