Memory leak for javascript setInterval

2020-06-24 05:41发布

Is there any difference between these 2 statements

setInterval(animateImage, 1000);

or 

setInterval('animateImage()', 1000);

Will the second statement be interpreted by the browser js engine is any different way that could cause memory leak or performance issues. Same is the case with the setTimeout() call. The application makes use of 4 timer calls with 1-2 sec intervals.

5条回答
不美不萌又怎样
2楼-- · 2020-06-24 06:04

The biggest difference is that the second statement will cause animateImage() to be evaluated in global scope.

This can lead to problems if

  • animateImage is not in global scope
  • animateImage has to access variables that are not in global scope

E.g. the following will not work:

function foo() {
    var answer = 42;
    function bar() {
        alert(answer);
    }
    setTimeout('bar()', 1000);
}

foo();

Actually there is never a reason to use the second statement, so the question about memory leaks is not relevant anymore ;)

And obviously, passing a direct reference to a function will be 'faster' than evaluating a string.

查看更多
Lonely孤独者°
3楼-- · 2020-06-24 06:10

I don't think so. You want to use callbacks to avoid memory leaks.

查看更多
冷血范
4楼-- · 2020-06-24 06:18

Use the first one. It makes debugging nicer since there's no eval'd code involved, it is faster and cleaner. Eval is evil and it's good to avoid it whenever possible.

In case you ever need to pass an argument, use the following code:

setInterval(function() {
    animateImage(...);
}, 1000);
查看更多
成全新的幸福
5楼-- · 2020-06-24 06:19

The second statement will probably be slightly slower and use more memory, but it wouldn't be significant either way. You should Use the first one regardless, because it's generally best to avoid using eval.

查看更多
够拽才男人
6楼-- · 2020-06-24 06:19

I recommend using it like so:

setInterval(function(param1, param2){animateImage(param1, param2)}, 1000);

to pass parameters instead of passing them at the end

查看更多
登录 后发表回答