Is there a way in javascript to make the runtime use a different object representation in the error messages.
A typical error message
Uncaught TypeError: Object [object Object] has no method 'toggle'
It would be helpful if we can give a better representation to the object than [object Object]
.In other languages you can make it print a better representation of the object by overriding toString()
.
However it looks like overriding toString has no effect in this case.
Is there a way in javascript to make the runtime use a different object representation in the error messages.
A typical error message
Uncaught TypeError: Object [object Object] has no method 'toggle'
It would be helpful if we can give a better representation to the object than [object Object]
.In other languages you can make it print a better representation of the object by overriding toString()
.
However it looks like overriding toString has no effect in this case.
console.log(theObject);
just before the error.
– HMR
Commented
Nov 14, 2013 at 11:29
I would use a try...catch
and throw your own error messages:
var obj = {
name: 'obj',
fn: function () {
return 'hallo';
}
}
function hasMethod(obj, fn) {
try {
if (!obj[fn]) {
var err = obj.name + ' does not have a method ' + fn;
throw new Error(err)
}
} catch (e) {
console.log(e)
}
}
hasMethod(obj, 'moose'); // obj does not have a method moose
Fiddle
The message is browser dependent. Without making any changes other than switching to chrome you get a nicer message that reports the type of object you were using.
This is a limitation of the Object.prototype.toString
method, which is what would seem to be responsible for creating the [object Object]
notation you see in those TypeErrors. Though you can override the toString
prototype for the Object
global, the overridden prototype is not what ends up getting called by the native code in TypeErrors and the like.
Here's a bit more explanation for why that specific notation was chosen and here's why it can't be overridden. Effectively, that error message format is more a part of the Javascript piler and/or implementation than a part of Javascript itself!
If your aim is to convert plain javascript object to string then
JSON.stringify(object)
works absolutely great. Documentation for it is here.
But I see "toggle" in the error message you mentioned, I am assuming it is general JQuery toggle which is performed on DOM objects. In this case JSON.stringify() does not work.
To Convert DOM object to string follow this stackoverflow post
Perhaps you can also try Object.toSource()
(i guess it works only in firefox)
Something like this should work:
Object.prototype.toString = function() {
return '(OBJECT: ' + this.name + ')';
};
foo = { name: 'foo' };
bar = { name: 'bar' };
baz = {}
foo.thing(); // TypeError: Object (OBJECT: foo) has no method 'thing'
bar.thing(); // TypeError: Object (OBJECT: bar) has no method 'thing'
baz.thing(); // TypeError: Object (OBJECT: undefined) has no method 'thing'
(node js)