Answers:
该attributes
属性包含它们全部:
$(this).each(function() {
$.each(this.attributes, function() {
// this.attributes is not a plain object, but an array
// of attribute nodes, which contain both the name and value
if(this.specified) {
console.log(this.name, this.value);
}
});
});
您还可以做的是扩展,.attr
以便可以像调用它一样.attr()
获得所有属性的普通对象:
(function(old) {
$.fn.attr = function() {
if(arguments.length === 0) {
if(this.length === 0) {
return null;
}
var obj = {};
$.each(this[0].attributes, function() {
if(this.specified) {
obj[this.name] = this.value;
}
});
return obj;
}
return old.apply(this, arguments);
};
})($.fn.attr);
用法:
var $div = $("<div data-a='1' id='b'>");
$div.attr(); // { "data-a": "1", "id": "b" }
attributes
集合包含旧版IE中的所有可能属性,而不仅仅是HTML中指定的那些属性。您可以通过使用每个属性specified
属性过滤属性列表来解决此问题。
.attr()
方法来说,这是非常好的功能。奇怪的是jQuery没有包含它。
this[0].attributes
?
attributes
虽然不是数组,但在Chrome中至少是一个NamedNodeMap
,这是一个对象。
这里概述了可以完成的许多方法,供我自己和您自己使用:)这些函数返回属性名称及其值的哈希。
香草JS:
function getAttributes ( node ) {
var i,
attributeNodes = node.attributes,
length = attributeNodes.length,
attrs = {};
for ( i = 0; i < length; i++ ) attrs[attributeNodes[i].name] = attributeNodes[i].value;
return attrs;
}
Vanilla JS与Array.reduce
适用于支持ES 5.1(2011)的浏览器。需要IE9 +,在IE8中不起作用。
function getAttributes ( node ) {
var attributeNodeArray = Array.prototype.slice.call( node.attributes );
return attributeNodeArray.reduce( function ( attrs, attribute ) {
attrs[attribute.name] = attribute.value;
return attrs;
}, {} );
}
jQuery的
该函数需要一个jQuery对象,而不是DOM元素。
function getAttributes ( $node ) {
var attrs = {};
$.each( $node[0].attributes, function ( index, attribute ) {
attrs[attribute.name] = attribute.value;
} );
return attrs;
}
下划线
也适用于lodash。
function getAttributes ( node ) {
return _.reduce( node.attributes, function ( attrs, attribute ) {
attrs[attribute.name] = attribute.value;
return attrs;
}, {} );
}
Lodash
比Underscore版本更简洁,但仅适用于lodash,不适用于Underscore。需要IE9 +,在IE8中有问题。对于@AlJey 表示感谢。
function getAttributes ( node ) {
return _.transform( node.attributes, function ( attrs, attribute ) {
attrs[attribute.name] = attribute.value;
}, {} );
}
测试页
JS Bin上有一个涵盖所有这些功能的实时测试页。该测试包括布尔属性(hidden
)和枚举属性(contenteditable=""
)。
使用javascript函数,可以更轻松地获取NamedArrayFormat中元素的所有属性。
$("#myTestDiv").click(function(){
var attrs = document.getElementById("myTestDiv").attributes;
$.each(attrs,function(i,elem){
$("#attrs").html( $("#attrs").html()+"<br><b>"+elem.name+"</b>:<i>"+elem.value+"</i>");
});
});
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.0/jquery.min.js"></script>
<div id="myTestDiv" ekind="div" etype="text" name="stack">
click This
</div>
<div id="attrs">Attributes are <div>
$().attr()