How can one get the name and line of a function that called the current one? I would like to have a rudimentary debugging function like this (with npmlog defining log.debug
):
JavaScript
x
6
1
function debug() {
2
var callee, line;
3
/* MAGIC */
4
log.debug(callee + ":" + line, arguments)
5
}
6
When called from another function it would be something like this:
JavaScript
1
6
1
function hello() {
2
debug("world!")
3
}
4
// outputs something like:
5
// "hello:2 'world!'"
6
For clarity, what I want is essentially analogous to this in Python:
JavaScript
1
5
1
import inspect
2
def caller():
3
return inspect.stack()[2][3]
4
// line no from getframeinfo().lineno
5
Is there a Node equivalent to accomplish this?
Advertisement
Answer
Using info from here: Accessing line number in V8 JavaScript (Chrome & Node.js)
you can add some prototypes to provide access to this info from V8:
JavaScript
1
33
33
1
Object.defineProperty(global, '__stack', {
2
get: function() {
3
var orig = Error.prepareStackTrace;
4
Error.prepareStackTrace = function(_, stack) {
5
return stack;
6
};
7
var err = new Error;
8
Error.captureStackTrace(err, arguments.callee);
9
var stack = err.stack;
10
Error.prepareStackTrace = orig;
11
return stack;
12
}
13
});
14
15
Object.defineProperty(global, '__line', {
16
get: function() {
17
return __stack[1].getLineNumber();
18
}
19
});
20
21
Object.defineProperty(global, '__function', {
22
get: function() {
23
return __stack[1].getFunctionName();
24
}
25
});
26
27
function foo() {
28
console.log(__line);
29
console.log(__function);
30
}
31
32
foo()
33
Returns ’28’ and ‘foo’, respectively.