如何在警告框中检查对象?通常警告对象只会抛出节点名称:
alert(document);
但是我想在警告框中获取对象的属性和方法。如果可能,我该如何实现此功能?或者还有其他建议吗?
特别是,我正在为没有console.log和Firebug的生产环境寻求解决方案。
答案 0 :(得分:189)
使用现代浏览器alert(JSON.stringify(object))
怎么样?
如果是TypeError: Converting circular structure to JSON
,可以选择以下选项:How to serialize DOM node to JSON even if there are circular references?
文档:JSON.stringify()
提供有关格式化或美化输出的信息。
答案 1 :(得分:55)
对象或数组中每个属性的for
- in
循环。您可以使用此属性来获取值并更改它。
注意:私有属性不可用于检查,除非您使用“间谍”;基本上,你覆盖对象并编写一些在对象上下文中执行for-in循环的代码。
看起来像:
for (var property in object) loop();
一些示例代码:
function xinspect(o,i){
if(typeof i=='undefined')i='';
if(i.length>50)return '[MAX ITERATIONS]';
var r=[];
for(var p in o){
var t=typeof o[p];
r.push(i+'"'+p+'" ('+t+') => '+(t=='object' ? 'object:'+xinspect(o[p],i+' ') : o[p]+''));
}
return r.join(i+'\n');
}
// example of use:
alert(xinspect(document));
编辑:前段时间,我编写了自己的检查员,如果您有兴趣,我很乐意与您分享。
编辑2:好吧,无论如何我写了一篇。
答案 2 :(得分:39)
使用console.dir(object)
和Firebug插件
答案 3 :(得分:17)
方法很少:
1. typeof tells you which one of the 6 javascript types is the object.
2. instanceof tells you if the object is an instance of another object.
3. List properties with for(var k in obj)
4. Object.getOwnPropertyNames( anObjectToInspect )
5. Object.getPrototypeOf( anObject )
6. anObject.hasOwnProperty(aProperty)
在控制台上下文中,有时.constructor或.prototype可能很有用:
console.log(anObject.constructor );
console.log(anObject.prototype ) ;
答案 4 :(得分:16)
使用您的控制台:
console.log(object);
或者,如果您正在检查html dom元素,请使用console.dir(object)。例如:
let element = document.getElementById('alertBoxContainer');
console.dir(element);
或者,如果你有一个js对象数组,你可以使用:
console.table(objectArr);
如果要输出大量的console.log(对象),也可以编写
console.log({ objectName1 });
console.log({ objectName2 });
这将帮助您标记写入控制台的对象。
答案 5 :(得分:9)
var str = "";
for(var k in obj)
if (obj.hasOwnProperty(k)) //omit this test if you want to see built-in properties
str += k + " = " + obj[k] + "\n";
alert(str);
答案 6 :(得分:6)
这是克里斯蒂安的出色答案的公然剽窃。我只是让它更具可读性:
/**
* objectInspector digs through a Javascript object
* to display all its properties
*
* @param object - a Javascript object to inspect
* @param result - a string of properties with datatypes
*
* @return result - the concatenated description of all object properties
*/
function objectInspector(object, result) {
if (typeof object != "object")
return "Invalid object";
if (typeof result == "undefined")
result = '';
if (result.length > 50)
return "[RECURSION TOO DEEP. ABORTING.]";
var rows = [];
for (var property in object) {
var datatype = typeof object[property];
var tempDescription = result+'"'+property+'"';
tempDescription += ' ('+datatype+') => ';
if (datatype == "object")
tempDescription += 'object: '+objectInspector(object[property],result+' ');
else
tempDescription += object[property];
rows.push(tempDescription);
}//Close for
return rows.join(result+"\n");
}//End objectInspector
答案 7 :(得分:4)
这是我的对象检查器,更具可读性。因为代码需要很长时间才能写下来,所以您可以在http://etto-aa-js.googlecode.com/svn/trunk/inspector.js
下载代码像这样使用:
document.write(inspect(object));