返回值:jQueryready(handler)
Specify a function to execute when the DOM is fully loaded.
-
1.0 新增ready(handler)
handler (Function) A function to execute after the DOM is ready.
While JavaScript provides the load
event for executing code when a page is rendered, this event does not get triggered until all assets such as images have
been completely received. In most cases, the script can be run as soon as the DOM hierarchy has been fully constructed. The
handler passed to .ready()
is guaranteed to be executed after the DOM is ready, so this is usually the best place to attach all other event handlers
and run other jQuery code. When using scripts that rely on the value of CSS style properties, it's important to reference
external stylesheets or embed style elements before referencing the scripts.
In cases where code relies on loaded assets (for example, if the dimensions of an image are required), the code should be
placed in a handler for the load
event instead.
The
.ready()
method is generally incompatible with the<body onload="">
attribute. Ifload
must be used, either do not use.ready()
or use jQuery's.load()
method to attachload
event handlers to the window or to more specific items, like images.
All three of the following syntaxes are equivalent:
-
$(document).ready(handler)
-
$().ready(handler)
(this is not recommended) -
$(handler)
There is also $(document).bind("ready", handler)
. This behaves similarly to the ready method but with one exception: If the ready event has already fired and you try to .bind("ready")
the bound handler will not be executed.
The .ready()
method can only be called on a jQuery object matching the current document, so the selector can be omitted.
The .ready()
method is typically used with an anonymous function:
$(document).ready(function() { // Handler for .ready() called. });
If .ready()
is called after the DOM has been initialized, the new handler passed in will be executed immediately.
Aliasing the jQuery Namespace
When using another JavaScript library, we may wish to call $.noConflict()
to avoid namespace difficulties. When this function is called, the $
shortcut is no longer available, forcing us to write jQuery
each time we would normally write $
. However, the handler passed to the .ready()
method can take an argument, which is passed the global jQuery
object. This means we can rename the object within the context of our .ready()
handler without affecting other code:
jQuery(document).ready(function($) { // Code using $ as usual goes here. });
示例:
Display a message when the DOM is loaded.
<!DOCTYPE html>
<html>
<head>
<style>p { color:red; }</style>
<script src="jquery.min.js"></script>
</head>
<body>
<p>Not loaded yet.</p>
<script>
$(document).ready(function () {
$("p").text("The DOM is now loaded and can be manipulated.");
});
</script>
</body>
</html>