Primo override toString
per il tuo oggetto o prototipo:
var Foo = function(){};
Foo.prototype.toString = function(){return 'Pity the Foo';};
var foo = new Foo();
Quindi converti in stringa per vedere la rappresentazione di stringa dell'oggetto:
//using JS implicit type conversion
console.log('' + foo);
Se non ti piace la digitazione extra, puoi creare una funzione che registra le rappresentazioni di stringa dei suoi argomenti nella console:
var puts = function(){
var strings = Array.prototype.map.call(arguments, function(obj){
return '' + obj;
});
console.log.apply(console, strings);
};
Uso:
puts(foo) //logs 'Pity the Foo'
puts(foo, [1,2,3], {a: 2}) //logs 'Pity the Foo 1,2,3 [object Object]'
Aggiornare
E2015 fornisce una sintassi molto più carina per queste cose, ma dovrai usare un transpiler come Babel :
// override `toString`
class Foo {
toString(){
return 'Pity the Foo';
}
}
const foo = new Foo();
// utility function for printing objects using their `toString` methods
const puts = (...any) => console.log(...any.map(String));
puts(foo); // logs 'Pity the Foo'
typeof
).