I want to know if there is a way to check if a javascript function is being called from console of the browser or from source code.
I defined a function that can check if it's from console or from the page but it works only in google chrome, it doesn't work in firefox, I didn't test other browsers
function fromConsole()
{
var Caller = arguments.callee.caller;
while(Caller.caller != null)
Caller = Caller.caller;
return (Caller.toString().indexOf("function (expression, objectGroup,"))!=-1;
}
How this function works
this function looks for the top function that called our function. in google chrome the definition of the top function if its being called from console contains this string function (expression, objectGroup,
in firefox, there is no function
Let me explain to you in details
let's say we have this example
function a()
{
b();
}
function b()
{
return c();
}
function c()
{
console.log(fromConsole());
}
If we call the function a() from the page , it shows in the console false (because the top function is a() ) however, if we call it from console it shows true, because the top function is this "function (expression, objectGroup,...
"
In firefox, the top function is always a() wether you call your function from console or from your page
My question is : is there a way we can know if the function is called from console or not ?
In Chrome the console always calls intermediate JavaScript functions, in Firefox the call comes directly from native code. As a consequence, you can inspect
arguments.callee.caller
in Chrome but in Firefox it will always benull
. Safari behaves the same as Firefox here, so inspecting the caller is really a trick that only works in Chrome.What you can check nevertheless is
Error.stack
property. The following function works in Firefox, Chrome and even Safari:This will walk up the stack until it finds an entry corresponding to the console. This means that
fromConsole()
doesn't need to be called directly, there can be any number of other function calls in between. Still, it can easily be tricked, e.g. by usingsetTimeout()
:Here the caller will be the native timeout handler, nothing pointing to the console any more.
This is a cross-browser way of seeing if it was called from a public (global, called by js console), or a private (your code) context:
The code within the outer function will use the private function, while running
f()
from console will run the public function.For Chrome, you could just check to see if the
keys
function is available. It's part of chrome's Command Line API and only available when the code was executed from the console