是否有可能在DOM节点上观察到尚不存在的突变?
示例:
我的应用会在某个时刻创建一个div:<div id="message" data-message-content="foo" data-message-type="bar" />
。
我想要关注这个创作&amp;改变这个div。
var mutationObserver = new MutationObserver(function(mutations){
// Some code to handle the mutation.
});
mutationObserver.observe(
document.querySelector('#message'),
{
attributes: true,
subtree: true,
childList: true,
characterData: false
}
);
);
现在这会返回错误,因为#message
为空(尚未创建div)。
Failed to execute 'observe' on 'MutationObserver': parameter 1 is not of type 'Node'.
一个明显的解决方案是观察body
并检查是否有任何突变是div#Message
的创建,但这似乎是一个坏主意/或可能对性能不利。
答案 0 :(得分:35)
只能观察现有节点。
但不要担心,因为与枚举所有突变添加的节点相比,getElementById的速度非常快,等待元素出现将不会产生任何负担,正如您将在Devtools中看到的那样 - &gt; Profiler面板。
function waitForAddedNode(params) {
new MutationObserver(function(mutations) {
var el = document.getElementById(params.id);
if (el) {
this.disconnect();
params.done(el);
}
}).observe(params.parent || document, {
subtree: !!params.recursive,
childList: true,
});
}
用法:
waitForAddedNode({
id: 'message',
parent: document.querySelector('.container'),
recursive: false,
done: function(el) {
console.log(el);
}
});
始终使用devtools探查器并尝试使观察者回调消耗不到1%的CPU时间。
subtree: false
)for (var i=0 ....)
循环相比,Javascript函数调用是一项昂贵的操作,并且MutationObserver回调可能每次触发100次第二,在复杂的现代页面上,每批突变中有数十,数百或数千addedNodes
。for (v of something)
,除非你进行反编译,结果代码的运行速度与经典的for
循环一样快。