17

我正在尝试使用 javascript 从 DOM 节点中删除属性:

<div id="foo">Hi there</div>

首先我添加一个属性:

document.getElementById("foo").attributes['contoso'] = "Hello, world!";

然后我删除它:

document.getElementById("foo").removeAttribute("contoso");

除了属性仍然存在。

所以然后我尝试真正删除它:

document.getElementById("foo").attributes['contoso'] = null;

现在它是null,这与它开始时不同,它是undefined

从元素中删除属性的正确方法是什么?

jsFiddle 游乐场

注意:用属性替换属性contosorequired你就会明白我在什么。

状态表

                       foo.attributes.contoso  foo.hasAttribute("contoso")
                       ======================  ===========================
Before setting         undefined               false
After setting          Hello, world!           false
After removing         Hello, world!           false
After really removing  null                    false
4

1 回答 1

22

不要使用attributes集合来处理属性。而是使用setAttributegetAttribute

var foo = document.getElementById("foo");

foo.hasAttribute('contoso'); // false
foo.getAttribute('contoso'); // null

foo.setAttribute('contoso', 'Hello, world!');

foo.hasAttribute('contoso'); // true
foo.getAttribute('contoso'); // 'Hello, world!'

foo.removeAttribute('contoso');

foo.hasAttribute('contoso'); // false
foo.getAttribute('contoso'); // null, 

// It has been removed properly, trying to set it to undefined will end up
// setting it to the string "undefined"
于 2013-09-12T17:49:44.643 回答