我有这样一个对象:
const myObject = {
"a":"a",
"b":{
"c":"c",
"d":{
"e":"e",
"f":{
"g":"g",
"h":{
"i":"i"
}
}
}
}
};
但是当我尝试使用console.log(myObject)显示它时,我收到这样的输出:
{ a: 'a', b: { c: 'c', d: { e: 'e', f: [Object] } } }
我怎样才能得到完整的对象,包括属性f的内容?
你需要使用util.inspect():
const util = require('util')
console.log(util.inspect(myObject, {showHidden: false, depth: null, colors: true}))
// alternative shortcut
console.log(util.inspect(myObject, false, null, true /* enable colors */))
输出
{ a: 'a', b: { c: 'c', d: { e: 'e', f: { g: 'g', h: { i: 'i' } } } } }
您可以使用JSON。Stringify,并获得一些漂亮的缩进,以及可能更容易记住语法。
console.log(JSON.stringify(myObject, null, 4));
{
"a": "a",
"b": {
"c": "c",
"d": {
"e": "e",
"f": {
"g": "g",
"h": {
"i": "i"
}
}
}
}
}
第三个参数设置缩进级别,因此您可以根据需要进行调整。
如果需要,请在JSON stringify MDN文档中查看更多详细信息。