The problem is that you are calling a function which in turn calls another function. This happens because of a recursive function with a base case that isn't being met.
Viewing the stack.
Code:
(function a() {
a();
})();
Here is the stack:
data:image/s3,"s3://crabby-images/6c062/6c062c964c3bd39ca78e33c60da8fd75517cb074" alt="Web Inspector"
The call stack grows until it hits a limit. To fix it check your recursive function has a base case that is able to be met.
(function a(x) {
// The following condition
// is the base case.
if ( ! x) {
return;
}
a(--x);
})(10);
I hope this helps.