表达式 likeElement.getAttribute("id")
和Element.id
返回相同的东西。
当我们需要 HTMLElement 对象的属性时应该使用哪一个?
这些方法是否存在跨浏览器问题,例如getAttribute()
and setAttribute()
?
或者直接访问对象属性与使用这些属性方法对性能有什么影响?
表达式 likeElement.getAttribute("id")
和Element.id
返回相同的东西。
当我们需要 HTMLElement 对象的属性时应该使用哪一个?
这些方法是否存在跨浏览器问题,例如getAttribute()
and setAttribute()
?
或者直接访问对象属性与使用这些属性方法对性能有什么影响?
getAttribute
检索 DOM 元素的属性,同时el.id
检索此 DOM 元素的属性。他们不一样。
大多数时候,DOM 属性与属性同步。
但是,同步不保证相同的值。一个经典的例子是锚元素el.href
之间el.getAttribute('href')
。
例如:
<a href="/" id="hey"></a>
<script>
var a = document.getElementById('hey')
a.getAttribute('href') // "/"
a.href // Full URL except for IE that keeps '/'
</script>
发生这种行为是因为根据W3C, href 属性必须是格式正确的链接。大多数浏览器都遵守这个标准(猜猜谁不遵守?)。
input
的checked
属性还有另一种情况。DOM 属性返回true
或false
而属性返回字符串"checked"
或空字符串。
然后,有些属性只能单向同步。最好的例子是元素的value
属性。input
通过 DOM 属性更改其值不会更改属性(编辑:检查第一条评论以获得更精确的信息)。
由于这些原因,我建议您继续使用 DOM属性,而不是属性,因为它们的行为因浏览器而异。
实际上,只有两种情况需要使用属性:
value
)input
。如果你想要更详细的解释,我强烈建议你阅读这个页面。它只需要您几分钟,但您会对这些信息感到高兴(我在这里总结了这些信息)。
getAttribute('attribute')
通常将属性值作为字符串返回,与页面的 HTML 源代码中的定义完全相同。
但是,element.attribute
可以返回属性的规范化或计算值。例子:
<a href="/foo"></a>
<input type="checkbox" checked>
<input type="checkbox" checked="bleh">
<img src='http://dummyimage.com/64x64/000/fff'>
<img src='http://dummyimage.com/64x64/000/fff' width="50%">
<img src='http://dummyimage.com/32x32/000/fff' style='width: 50px'>
<div style='background: lime;'></div>
除非您有特定的理由不使用,否则请始终使用这些属性。
getAttribute()
并且setAttribute()
在较旧的 IE 中被破坏(以及更高版本中的兼容模式)有一些例外:
<form>
元素的属性我在 SO 上写过几次关于这个主题的文章:
.id
节省函数调用开销。(这是非常小的,但你问。)
试试下面的例子来完全理解这一点。对于以下 DIV
<div class="myclass"></div>
将Element.getAttribute('class')
返回myclass
,但您必须使用Element.className
which 从 DOM 属性中检索它。
这会产生很大影响的一个领域是基于属性的 css 样式。
考虑以下:
const divs = document.querySelectorAll('div');
divs[1].custom = true;
divs[2].setAttribute('custom', true);
div {
border: 1px solid;
margin-bottom: 8px;
}
div[custom] {
background: #36a;
color: #fff;
}
<div>A normal div</div>
<div>A div with a custom property set directly.</div>
<div>A div with a custom attribute set with `setAttribute`</div>
直接设置了自定义属性的 div 不会将值反映到属性中,也不会被我们div[custom]
在 css 中的属性选择器 ( ) 选中。
但是,使用 设置自定义属性的 divsetAttribute
可以使用 css 属性选择器进行选择,并进行相应的样式设置。