js-jQuery对象与dom对象-------判断 (二)

判断JQUERY对象


当我们在用jquery的each做循环遍历的时候常常会使用到this,而有时候我们不知道this所指的到底是什么,因为要使用jquery的方法 前提此对象必须是jquery对象。


另外要判断一个javascript的对象是什么类型,可以使用typeof,
但是typeof只能判断出js的基础对象(string,boolean,number,object)

判断一个对象是否为jquery对象可以用 obj instanceof jQuery

var obj = $("div");
if(obj instanceof jQuery){
alert("这是一个jQuery对象");
}else{
alert("这是一个其它对象")
} 

$(".otherWeek").each(function(){
console.info(this instanceof jQuery); //false
console.info($(this) instanceof jQuery); //true
}) 

判断DOM对象

我们在写js代码时有时需要判断某个对象是不是DOM对象,然后再进行后续的操作,这里我给出一种兼容各大浏览器,同时又算是比较稳妥的一种方法。

要判断一个对象是否DOM对象,首先想到的无非就是它是否具有DOM对象的各种属性或特征,比如是否有nodeType属性,有tagName属性,等等。判断的特征越多,也就越可靠,因为毕竟我们自定义的js对象也可以有那些属性。还有其他方法吗?

在DOM Level2标准中定义了一个HTMLElement对象,它规定所有的DOM对象都是HTMLElement的实例,所以我们可以利用这点来判断一个对象是不是DOM对象:如果该对象是HTMLElement的实例,则它肯定是一个DOM对象。在不支持HTMLElement的浏览器中我们则还是使用特征检测法。


function isDomObject(obj){
	var isDOM = ( typeof HTMLElement === 'object' ) ?  
            function(obj){  
                return obj instanceof HTMLElement;  
            } :  
            function(obj){  
                return obj && typeof obj === 'object' && obj.nodeType === 1 && typeof obj.nodeName === 'string';  
            }; 
       return isDOM;
	
}
function isJqueryObject(obj){
	return obj instanceof jQuery;
}
function getJqueryObject(obj){
	obj = typeof obj =="string" ? $("#"+obj) : obj;
	if(isDomObject(obj)){
		return  $(obj); 
	}else if(isJqueryObject(obj)){
		return obj;
	}
	return null;
}
function getDomObject(obj){
	obj = typeof obj =="string" ? document.getElementById(obj) : obj;
	if(isDomObject(obj)){
		return  obj; 
	}else if(isJqueryObject(obj)){
		return obj.get(0);
	}
	return null;
}






你可能感兴趣的:(JS)