回答:
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;
}
Array.reduceを使用したVanilla JS
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
この関数は、DOM要素ではなくjQueryオブジェクトを想定しています。
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;
}, {} );
}
ロダッシュ
Underscoreバージョンよりも簡潔ですが、lodashでのみ機能し、Undercoreでは機能しません。IE9 +が必要です。IE8にはバグがあります。@AlJeyに感謝します。
function getAttributes ( node ) {
return _.transform( node.attributes, function ( attrs, attribute ) {
attrs[attribute.name] = attribute.value;
}, {} );
}
テストページ
JS Binには、これらすべての機能をカバーするライブテストページがあります。テストには、ブール属性(hidden
)および列挙属性(contenteditable=""
)が含まれます。
LoDashを使用すると、これを簡単に行うことができます。
_.transform(this.attributes, function (result, item) {
item.specified && (result[item.name] = item.value);
}, {});
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()