Click here to Skip to main content
15,861,168 members
Articles / Web Development / HTML

Memory Leakage in Internet Explorer - Revisited

Rate me:
Please Sign up or sign in to vote.
4.86/5 (23 votes)
12 Nov 20059 min read 374.1K   62   31
In this article, we will review JavaScript memory leakage patterns from a slightly different perspective and support it with diagrams and memory utilization graphs.

Introduction

If you are developing client-side re-usable scripting objects, sooner or later, you will find yourself spotting out memory leaks. Chances are that your browser will suck memory like a sponge and you will hardly be able to find a reason why your lovely DHTML navigation's responsiveness decreases severely after visiting a couple of pages within your site.

A Microsoft developer Justing Rogers has described IE leak patterns in his excellent article.

In this article, we will review those patterns from a slightly different perspective and support it with diagrams and memory utilization graphs. We will also introduce several subtler leak scenarios. Before we begin, I strongly recommend you to read that article if you have not already read.

Why Does the Memory Leak?

The problem of memory leakage is not just limited to Internet Explorer. Almost any browser (including but not limited to Mozilla, Netscape and Opera) will leak memory if you provide adequate conditions (and it is not that hard to do so, as we will see shortly). But (in my humble opinion, ymmv, etc.) Internet Explorer is the king of leakers.

Don't get me wrong. I do not belong to the crowd yelling "Hey IE has memory leaks, checkout this new tool [link-to-tool] and see for yourself". Let us discuss how crappy Internet Explorer is and cover up all the flaws in other browsers.

Each browser has its own strengths and weaknesses. For instance, Mozilla consumes too much of memory at initial boot, it is not good in string and array operations; Opera may crash if you write a ridiculously complex DHTML script which confuses its rendering engine.

If you have read my previous article, then you already know that I am a usability, accessibility and standards crack. I love Opera. But that does not mean I am pursuing a holy war against IE. What I want here is to follow up an analytical path and examine various leaking patterns that may not be quite obvious at first glance.

Although we will be focusing on the memory leaking situations in Internet Explorer, this discussion is equally applicable to other browsers.

A Simple Beginning

Let us begin with a simple example:

JavaScript
[Exhibit 1 - Memory leaking insert due to inline script]

<html>
<head>
<script type="text/javascript">
    function LeakMemory(){
        var parentDiv = 
             document.createElement("<div onclick='foo()'>");

        parentDiv.bigString = new Array(1000).join(
                              new Array(2000).join("XXXXX"));
    }
</script>
</head>
<body>
<input type="button" 
       value="Memory Leaking Insert" onclick="LeakMemory()" />
</body>
</html>

The first assignment parentDiv=document.createElement(...); will create a div element and create a temporary scope for it where the scripting object resides. The second assignment parentDiv.bigString=... attaches a large object to parentDiv. When LeakMemory() method is called, a DOM element will be created within the scope of this function, a very large object will be attached to it as a member property and the DOM element will be de-allocated and removed from memory as soon as the function exits, since it is an object created within the local scope of the function.

When you run the example and click the button a few times, your memory graph will probably look like this:

Image 1

Increasing the Frequency

No visible leak, huh? What if we do this a few hundred times instead of twenty, or a few thousand times? Will it be the same? The following code calls the assignment over and over again to accomplish this goal:

JavaScript
[Exhibit 2 - Memory leaking insert (frequency increased) ]

<html>
<head>
<script type="text/javascript">
    function LeakMemory(){
        for(i = 0; i < 5000; i++){
            var parentDiv = 
               document.createElement("<div onClick='foo()'>");
        }
    }
</script>
</head>
<body>
<input type="button" 
       value="Memory Leaking Insert" onclick="LeakMemory()" />
</body>
</html>

And here follows the corresponding graph:

Image 2

The ramp in the memory usage indicates leak in memory. The horizontal line (the last 20 seconds) at the end of the ramp is the memory after refreshing the page and loading another (about:blank) page. This shows that the leak is an actual leak and not a pseudo leak. The memory will not be reclaimed unless the browser window, and other dependant windows if any, are closed.

Assume you have a dozen pages that have similar leakage graph. After a few hours, you may want to restart your browser (or even your PC) because it just stops responding. The naughty browser is eating up all your resources. However, this is an extreme case because Windows will increase the virtual memory size as soon as your memory consumption reaches a certain level.

This is not a pretty scenario. Your client/boss will not be very happy, if they discover such a situation in the middle of a product showcase/training/demo.


A careful eye may have caught that there is no bigString in the second example. This means that the leak is merely because of the internal scripting object (i.e., the anonymous script onclick='foo()'). This script was not deallocated properly. This caused memory leak at each iteration. To prove our thesis, let us run a slightly different test case:

JavaScript
[Exhibit 3 - Leak test without inline script attached]

<html>
<head>
<script type="text/javascript">
    function LeakMemory(){
        for(i = 0; i < 50000; i++){
            var parentDiv = 
            document.createElement("div");
        }
    }
</script>
</head>
<body>
<input type="button" 
       value="Memory Leaking Insert" onclick="LeakMemory()" />
</body>
</html>

And here follows the corresponding memory graph:

Image 3

As you can see, we have done fifty thousand iterations instead of 5000, and still the memory usage is flat (i.e., no leaks). The slight ramp is due to some other process in my PC.

Let us change our code in a more standard and somewhat unobtrusive manner (not the correct term here, but can't find a better one) without embedded inline scripts and re-test it.

Introducing the Closure

Here is another piece of code. Instead of appending the script inline, we attach it externally:

JavaScript
[Exhibit 4 - Leak test with a closure]

<html>
<head>
<script type="text/javascript">
    function LeakMemory(){
        var parentDiv = document.createElement("div");
                          parentDiv.onclick=function(){
            foo();
        };

        parentDiv.bigString = 
          new Array(1000).join(new Array(2000).join("XXXXX"));
    }
</script>
</head>
<body>
<input type="button" 
       value="Memory Leaking Insert" onclick="LeakMemory()" />
</body>
</html>

If you don't know what a closure is, there are very good references on the web where you may find it. Closures are very useful patterns; you should learn them and keep them in your knowledge base.

And here is the graph that shows the memory leak. This is somewhat different from the former examples. The anonymous function assigned to parentDiv.onclick is a closure that closes over parentDiv, which creates a circular reference between the JS world and DOM and creates a well-known memory leakage issue:

Image 4

To generate leak in the above scenario, we should click the button, refresh the page, click the button again, refresh the page and so on.

Clicking the button without a subsequent refresh will generate the leak only once. Because, at each click, the onclick event of parentDiv is reassigned and the circular reference over the former closure is broken. Hence at each page load, there is only one closure that cannot be garbage collected due to circular reference. The rest is successfully cleaned up.

More Leakage Patterns

All of the patterns shown below are described in detail in Justing's article. I'm going through them just for the sake of completeness:

JavaScript
[Exhibit 5 - Circular reference because of expando property]

<html>
<head>
<script type="text/javascript">
    var myGlobalObject;

    function SetupLeak(){
        //Here a reference created from the JS World 
        //to the DOM world.
        myGlobalObject=document.getElementById("LeakedDiv");

        //Here DOM refers back to JS World; 
        //hence a circular reference.
        //The memory will leak if not handled properly.
        document.getElementById("LeakedDiv").expandoProperty=
                                               myGlobalObject;
    }
</script>
</head>
<body onload="SetupLeak()">
<div id="LeakedDiv"></div>
</body>
</html>

Here, the global variable myGlobalObject refers to the DOM element LeakDiv; at the same time LeakDiv refers to the global object through its expandoProperty. The situation looks like this:

Image 5

The above pattern will leak due to the circular reference created between a DOM node and a JS element.

Since the JScript garbage collector is a mark and sweep GC, you may think that it would handle circular references. And in fact it does. However, this circular reference is between the DOM and JS worlds. DOM and JS have separate garbage collectors. Therefore, they cannot clean up memory in situations like the above.

Another way to create a circular reference is to encapsulate the DOM element as a property of a global object:

JavaScript
[Exhibit 6 - Circular reference using an Encapsulator pattern]

<html>
<head>
<script type="text/javascript">
function Encapsulator(element){
    //Assign our memeber
    this.elementReference = element;

    // Makea circular reference
    element.expandoProperty = this;
}

function SetupLeak() {
    //This leaks
    new Encapsulator(document.getElementById("LeakedDiv"));
}
</script>
</head>
<body onload="SetupLeak()">
<div id="LeakedDiv"></div>
</body>
</html>

Here is how it looks like:

Image 6

However, the most common usage of closures over DOM nodes is event attachment. The following code will leak:

JavaScript
[Exhibit 7 - Adding an event listener as a closure function]

<html>
<head>
<script type="text/javascript">
window.onload=function(){
    // obj will be gc'ed as soon as 
    // it goes out of scope therefore no leak.
    var obj = document.getElementById("element");
    
    // this creates a closure over "element"
    // and will leak if not handled properly.
    obj.onclick=function(evt){
        ... logic ...
    };
};
</script>
</head>
<body>
<div id="element"></div>
</body>
</html>

Here is a diagram describing the closure which creates a circular reference between the DOM world and the JS world.

Image 7

The above pattern will leak due to closure. Here the closure's global variable obj is referring to the DOM element. In the mean time, the DOM element holds a reference to the entire closure. This generates a circular reference between the DOM and the JS worlds. That is the cause of leakage.

When we remove closure, we see that the leak has gone:

JavaScript
[Exhibit 8- Leak free event registration - No closures were harmed]

<html>
<head>
<script type="text/javascript">
window.onload=function(){
    // obj will be gc'ed as soon as 
    // it goes out of scope therefore no leak.
    var obj = document.getElementById("element");
    obj.onclick=element_click;
};

//HTML DOM object "element" refers to this function
//externally
function element_click(evt){
    ... logic ...
}
</script>
</head>
<body>
<div id="element"></div>
</body>
</html>

Here is the diagram for the above code piece:

Image 8

This pattern will not leak because as soon as the function window.onload finishes execution, the JS object obj will be marked for garbage collection. So there won't be any reference to the DOM node on the JS side.

And last but not the least leak pattern is the "cross-page leak":

JavaScript
[Exhibit 10 - Cross Page Leak]

<html>
<head>
<script type="text/javascript">
function LeakMemory(){
    var hostElement = document.getElementById("hostElement");
    // Do it a lot, look at Task Manager for memory response
    for(i = 0; i < 5000; i++){
        var parentDiv =
        document.createElement("<div onClick='foo()'>");

        var childDiv =
        document.createElement("<div onClick='foo()'>");

        // This will leak a temporary object
        parentDiv.appendChild(childDiv);
        hostElement.appendChild(parentDiv);
        hostElement.removeChild(parentDiv);
        parentDiv.removeChild(childDiv);
        parentDiv = null;
        childDiv = null;
    }
    hostElement = null;
}
</script>
</head>
<body>
<input type="button" 
       value="Memory Leaking Insert" onclick="LeakMemory()" />
<div id="hostElement"></div>
</body>
</html>

Since we observe memory leakage even in Exhibit 1, it is not surprising that this pattern leaks. Here is what happens: When we append childDiv to parentDiv, a temporary scope from childDiv to parentDiv is created which will leak a temporary script object. Note that document.createElement("<div onClick='foo()'>"); is a non-standard method of event attachment.

Simply using the "best practices" is not enough (as Justing has mentioned in his article as well). One should also adhere to standards as much as possible. If not, he may not have a single clue about what went wrong with the code that was working perfectly a few hours ago (which had just crashed unexpectedly).

Anyway, let us re-order our insertion. The code below will not leak:

JavaScript
[Exhibit 11 - DOM insertion re-ordered - no leaks]

<html>
<head>
<script type="text/javascript">
function LeakMemory(){
    var hostElement = document.getElementById("hostElement");
    // Do it a lot, look at Task Manager for memory response
    for(i = 0; i < 5000; i++){
        var parentDiv =
          document.createElement("<div onClick='foo()'>");

        var childDiv =
          document.createElement("<div onClick='foo()'>");

        hostElement.appendChild(parentDiv);
        parentDiv.appendChild(childDiv);
        parentDiv.removeChild(childDiv);
        hostElement.removeChild(parentDiv);

        parentDiv = null;
        childDiv = null;
    }
    hostElement = null;
}
</script>
</head>
<body>
<input type="button" 
       value="Memory Leaking Insert" onclick="LeakMemory()" />
<div id="hostElement"></div>
</body>
</html>

We should keep in mind that, although it is the market leader, IE is not the only browser in the world. And writing IE-specific non-standard code is a bad practice of coding. The counter-argument is true as well. I mean, saying "Mozilla is the best browser so I write Mozila-specific code; I don't care what the heck happens to the rest" is an equally bad attitude. You should enlarge your spectrum as much as possible. As a corollary, you should write standards-compatible code to the highest extent, whenever possible.

Writing, "backwards compatible" code is "out" nowadays. The "in" is writing "forward compatible" (also known as standards compatible) code which will run now and in the future, in current and in future browsers, here and on the moon.

Conclusion

The purpose of this article was to show that not all leakage patterns are easy to find. You may hardly notice some of them, may be due to the small bookkeeping objects that become obvious only after several thousands of iterations. Knowing the internals of a process is an undeniable key to success. Be aware of the leak patterns. Instead of debugging your application in a brute-force manner, look at your code fragments and check whether there is any piece that matches a leakage pattern in your arsenal.

Writing defensive code and taking care of all possible leakage issues is not an over-optimization. To take it simpler, leak-proofness is not a feature the developer may choose to implement or not depending on his mood. It is a requirement for creating a stable, consistent and forward-compatible code. Every web developer should know about it. No excuses, sorry. There are several solutions proposed for leakage issues between a JS closure and a DOM object. Here are a few of them:

However, you should be aware of the fact that there are always unique cases where you may need to craft a solution for yourself. That's it for now. Although the article is not intended to be the "best practices in avoiding memory leakage", I hope it has pointed out some of the interesting issues.

Happy coding!

History

  • 2005-11-12: Article created

License

This article has no explicit license attached to it, but may contain usage terms in the article text or the download files themselves. If in doubt, please contact the author via the discussion board below. A list of licenses authors might use can be found here.


Written By
Web Developer
Turkey Turkey
Volkan is a java enterprise architect who left his full-time senior developer position to venture his ideas and dreams. He codes C# as a hobby, trying to combine the .Net concept with his Java and J2EE know-how. He also works as a freelance web application developer/designer.

Volkan is especially interested in database oriented content management systems, web design and development, web standards, usability and accessibility.

He was born on May '79. He has graduated from one of the most reputable universities of his country (i.e. Bogazici University) in 2003 as a Communication Engineer. He also has earned his Master of Business Administration degree from a second university in 2006.

Comments and Discussions

 
GeneralMy vote of 5 Pin
RusselSSC27-Jan-11 12:33
RusselSSC27-Jan-11 12:33 
Generalmemory leak with asp.net 2.0 Pin
Grapes-R-Fun4-Dec-06 3:47
Grapes-R-Fun4-Dec-06 3:47 
QuestionMemory leakage using Divs in IE Pin
yeluri329-Jun-06 2:39
yeluri329-Jun-06 2:39 
AnswerRe: Memory leakage using Divs in IE Pin
volkan.ozcelik29-Jun-06 3:05
volkan.ozcelik29-Jun-06 3:05 
QuestionHow much is a real leak Pin
Dave Bacher26-Apr-06 12:12
Dave Bacher26-Apr-06 12:12 
AnswerRe: How much is a real leak Pin
volkan.ozcelik26-Apr-06 17:12
volkan.ozcelik26-Apr-06 17:12 
AnswerRe: How much is a real leak Pin
volkan.ozcelik9-Oct-06 12:13
volkan.ozcelik9-Oct-06 12:13 
GeneralDead Link Pin
biggun20-Dec-05 2:55
biggun20-Dec-05 2:55 
GeneralRe: Dead Link Pin
volkan.ozcelik20-Dec-05 4:33
volkan.ozcelik20-Dec-05 4:33 
QuestionMeta Refresh Leak? Pin
mpatton13-Dec-05 11:01
mpatton13-Dec-05 11:01 
AnswerRe: Meta Refresh Leak? Pin
volkan.ozcelik15-Dec-05 8:22
volkan.ozcelik15-Dec-05 8:22 
GeneralRe: Meta Refresh Leak? Pin
mpatton15-Dec-05 9:05
mpatton15-Dec-05 9:05 
Thanks for looking. I could not find any closures, cross references, or DOM issues either. That's what lead me to seek help. That is interesting that it does not occur on your home PC. Are the versions of IE you are running the same? Let's see, I'm using is using 6.0.2800.1106CO with SP1, Q833989, and Q823353 updates. Haven't been able to get my hands on 7.0 Beta to try that.

FYI, the leak also occurs in Netscape, but at a much lower rate. It does not occur at all in Firefox.

The only pattern that I've noticed is the size of the leak depends on the size of the IFRAME. The IFRAME originally had the JavaScript function updateUI() included in a common .js file.

When I removed that reference and included the function directly in the IFRAME page, the size of the leak was smaller. Taking it one step further, I placed the function in the Parent page and then called it from the IFRAME with parent.updateUI("W0", "W0", "text", WinhShift, "", "");.

Yeah, AJAX would be nice, but this is a custom embedded webserver for some Audio/Visual switchers that my company produces. We don't have any server side capabilities. All I get are some custom Server Side Includes to read the most current data values from the server.

Kind regards,

Mark A. Patton
GeneralRe: Meta Refresh Leak? Pin
volkan.ozcelik15-Dec-05 9:14
volkan.ozcelik15-Dec-05 9:14 
GeneralRe: Meta Refresh Leak? Pin
mpatton16-Dec-05 4:48
mpatton16-Dec-05 4:48 
GeneralRe: Meta Refresh Leak? Pin
volkan.ozcelik16-Dec-05 4:59
volkan.ozcelik16-Dec-05 4:59 
GeneralRe: Meta Refresh Leak? Pin
mpatton22-Dec-05 8:34
mpatton22-Dec-05 8:34 
GeneralRe: Meta Refresh Leak? Pin
volkan.ozcelik23-Dec-05 1:58
volkan.ozcelik23-Dec-05 1:58 
QuestionWhat about this leak Pin
Rob_Mayhew30-Nov-05 12:58
Rob_Mayhew30-Nov-05 12:58 
AnswerRe: What about this leak Pin
volkan.ozcelik30-Nov-05 18:32
volkan.ozcelik30-Nov-05 18:32 
GeneralThis is very interesting Pin
kryzchek18-Nov-05 8:15
kryzchek18-Nov-05 8:15 
GeneralRe: This is very interesting Pin
volkan.ozcelik18-Nov-05 8:49
volkan.ozcelik18-Nov-05 8:49 
GeneralRe: This is very interesting Pin
kryzchek18-Nov-05 9:03
kryzchek18-Nov-05 9:03 
GeneralRe: This is very interesting Pin
volkan.ozcelik18-Nov-05 10:08
volkan.ozcelik18-Nov-05 10:08 
GeneralRe: This is very interesting Pin
kryzchek18-Nov-05 10:15
kryzchek18-Nov-05 10:15 
GeneralRe: This is very interesting Pin
volkan.ozcelik18-Nov-05 9:00
volkan.ozcelik18-Nov-05 9:00 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.