是否存在“元素呈现”事件?

我需要准确地测量我的 web 应用程序中文本的尺寸,我通过创建一个元素(使用相关的 CSS 类) ,设置其 innerHTML,然后使用 appendChild将其添加到容器中来实现这一点。

执行此操作之后,在呈现元素之前有一个等待时间,可以读取元素的 offsetWidth以查找文本的宽度。

目前,我使用 setTimeout(processText, 100)等待渲染完成。

有没有什么我可以听的回调,或者一个更可靠的方法来告诉我什么时候我创建的元素已经被呈现了?

83650 次浏览

There is currently no DOM event indicating that an element has been fully rendered (eg. attached CSS applied and drawn). This can make some DOM manipulation code return wrong or random results (like getting the height of an element).

Using setTimeout to give the browser some overhead for rendering is the simplest way. Using

setTimeout(function(){}, 0)

is perhaps the most practically accurate, as it puts your code at the end of the active browser event queue without any more delay - in other words your code is queued right after the render operation (and all other operations happening at the time).

This blog post By Swizec Teller, suggests using requestAnimationFrame, and checking for the size of the element.

function try_do_some_stuff() {
if (!$("#element").size()) {
window.requestAnimationFrame(try_do_some_stuff);
} else {
$("#element").do_some_stuff();
}
};

in practice it only ever retries once. Because no matter what, by the next render frame, whether it comes in a 60th of a second, or a minute, the element will have been rendered.

You actually need to wait yet a bit after to get the after render time. requestAnimationFrame fires before the next paint. So requestAnimationFrame(()=>setTimeout(onrender, 0)) is right after the element has been rendered.

when you make for example

var clonedForm = $('#empty_form_to_clone').clone(true)[0];


var newForm = $(clonedForm).html().replace(/__prefix__/g, next_index_id_form);


// next_index_id_form is just a integer

What am I doing here?
I clone a element already rendered and change the html to be rendered.

Next i append that text to a container.

$('#container_id').append(newForm);

The problem comes when i want to add a event handler to a button inside newForm, WELL, just use ready event.

$(clonedForm).ready(function(event){
addEventHandlerToFormButton();
})

I hope this help you.

PS: Sorry for my English.

The accepted answer is from 2014 and is now outdated. A setTimeout may work, but it's not the cleanest and it doesn't necessarily guarantee that the element has been added to the DOM.

As of 2018, a MutationObserver is what you should use to detect when an element has been added to the DOM. MutationObservers are now widely supported across all modern browsers (Chrome 26+, Firefox 14+, IE11, Edge, Opera 15+, etc).

When an element has been added to the DOM, you will be able to retrieve its actual dimensions.

Here's a simple example of how you can use a MutationObserver to listen for when an element is added to the DOM.

For brevity, I'm using jQuery syntax to build the node and insert it into the DOM.

var myElement = $("<div>hello world</div>")[0];


var observer = new MutationObserver(function(mutations) {
if (document.contains(myElement)) {
console.log("It's in the DOM!");
observer.disconnect();
}
});


observer.observe(document, {attributes: false, childList: true, characterData: false, subtree:true});


$("body").append(myElement); // console.log: It's in the DOM!

The observer event handler will trigger whenever any node is added or removed from the document. Inside the handler, we then perform a contains check to determine if myElement is now in the document.

You don't need to iterate over each MutationRecord stored in mutations because you can perform the document.contains check directly upon myElement.

To improve performance, replace document with the specific element that will contain myElement in the DOM.

The MutationObserver is probably the best approach, but here's a simple alternative that may work

I had some javascript that built the HTML for a large table and set the innerHTML of a div to the generated HTML. If I fetched Date() immediately after setting the innerHTML, I found that the timestamp was for a time prior to the table being completely rendered. I wanted to know how long the rendering was taking (meaning I needed to check Date() after the rendering was done). I found I could do this by setting the innerHTML of the div and then (in the same script) calling the click method of some button on the page. The click handler would get executed only after the HTML was fully rendered, not just after the innerHTML property of div got set. I verified this by comparing the Date() value generated by the click handler to the Date() value retrieved by the script that was setting the innerHTML property of the div.

Hope someone finds this useful

suppose your element has classname class="test" The following function continue test if change has occured if it does, run the function

        function addResizeListener(elem, fun) {
let id;
let style = getComputedStyle(elem);
let wid = style.width;
let hei = style.height;
id = requestAnimationFrame(test)
function test() {
let newStyle = getComputedStyle(elem);
if (wid !== newStyle.width ||
hei !== newStyle.height) {
fun();
wid = newStyle.width;
hei = newStyle.height;
}
id = requestAnimationFrame(test);
}
}
let test = document.querySelector('.test');
addResizeListener(test,function () {
console.log("I changed!!")
});

According to @Elliot B.'s answer, I made a plan that suits me.

const callback = () => {
const el = document.querySelector('#a');
if (el) {
observer.disconnect();
el.addEventListener('click', () => {});
}
};


const observer = new MutationObserver(callback);
observer.observe(document.body, { subtree: true, childList: true });

In my case solutions like setTimeout or MutationObserver weren't totaly realiable. Instead I used the ResizeObserver. According to MDN:

Implementations should, if they follow the specification, invoke resize events before paint and after layout.

So basically the observer always fires after layout, thus we should be able to get the correct dimensions of the observed element. As a bonus the observer already returns the dimensions of the element. Therefore we don't even need to call something like offsetWidth (even though it should work too)

const myElement = document.createElement("div");
myElement.textContent = "test string";


const resizeObserver = new ResizeObserver(entries => {
const lastEntry = entries.pop();


// alternatively use contentBoxSize here
// Note: older versions of Firefox (<= 91) provided a single size object instead of an array of sizes
// https://bugzilla.mozilla.org/show_bug.cgi?id=1689645
const width = lastEntry.borderBoxSize?.inlineSize ?? lastEntry.borderBoxSize[0].inlineSize;
const height = lastEntry.borderBoxSize?.blockSize ?? lastEntry.borderBoxSize[0].blockSize;


resizeObserver.disconnect();


console.log("width:", width, "height:", height);
});


resizeObserver.observe(myElement);


document.body.append(myElement);

This can also we wrapped in a handy async function like this:

function appendAwaitLayout(parent, element) {
return new Promise((resolve, reject) => {
const resizeObserver = new ResizeObserver((entries) => {
resizeObserver.disconnect();
resolve(entries);
});


resizeObserver.observe(element);


parent.append(element);
});
}


// call it like this
appendAwaitLayout(document.body, document.createElement("div")).then((entries) => {
console.log(entries)
// do stuff here ...
});