diff --git a/experiments/api-viewer/docs/add/index.html b/experiments/api-viewer/docs/add/index.html new file mode 100644 index 00000000..01f14d7f --- /dev/null +++ b/experiments/api-viewer/docs/add/index.html @@ -0,0 +1,166 @@ + +
Description: Add elements to the set of matched elements.
+selectorA string containing a selector expression to match additional elements against.
+elementsone or more elements to add to the set of matched elements.
+htmlAn HTML fragment to add to the set of matched elements.
+selectorA string containing a selector expression to match additional elements against.
+contextAdd some elements rooted against the specified context.
+Given a jQuery object that represents a set of DOM elements, the .add() method constructs a new jQuery object from the union of those elements and the ones passed into the method. The argument to .add() can be pretty much anything that $() accepts, including a jQuery selector expression, references to DOM elements, or an HTML snippet.
Consider a page with a simple list and a paragraph following it:
+<ul> + <li>list item 1</li> + <li>list item 2</li> + <li>list item 3</li> +</ul> +<p>a paragraph</p>+
We can select the list items and then the paragraph by using either a selector or a reference to the DOM element itself as the .add() method's argument:
$('li').add('p').css('background-color', 'red');
+Or:
+$('li').add(document.getElementsByTagName('p')[0])
+ .css('background-color', 'red');
+The result of this call is a red background behind all four elements.
+Using an HTML snippet as the .add() method's argument (as in the third version), we can create additional elements on the fly and add those elements to the matched set of elements. Let's say, for example, that we want to alter the background of the list items along with a newly created paragraph:
$('li').add('<p id="new">new paragraph</p>')
+ .css('background-color', 'red');
+Although the new paragraph has been created and its background color changed, it still does not appear on the page. To place it on the page, we could add one of the insertion methods to the chain.
+As of jQuery 1.4 the results from .add() will always be returned in document order (rather than a simple concatenation).
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { width:60px; height:60px; margin:10px; float:left; }
+ p { clear:left; font-weight:bold; font-size:16px;
+ color:blue; margin:0 10px; padding:2px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div></div>
+
+ <div></div>
+ <div></div>
+ <div></div>
+ <div></div>
+ <div></div>
+
+ <p>Added this... (notice no border)</p>
+<script>
+
+$("div").css("border", "2px solid red")
+ .add("p")
+ .css("background", "yellow");
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p><span>Hello Again</span>
+<script>$("p").add("span").css("background", "yellow");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p>
+<script>$("p").clone().add("<span>Again</span>").appendTo(document.body);</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p><span id="a">Hello Again</span>
+<script>$("p").add(document.getElementById("a")).css("background", "yellow");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p><span id="a">Hello Again</span>
+<script>var collection = $("p");
+// capture the new collection
+collection = collection.add(document.getElementById("a"));
+collection.css("background", "yellow");</script>
+</body>
+</html>
+Description: Adds the specified class(es) to each of the set of matched elements.
+classNameOne or more class names to be added to the class attribute of each matched element.
+function(index, class)A function returning one or more space-separated class names to be added. Receives the index position of the element in the set and the old class value as arguments.
+It's important to note that this method does not replace a class. It simply adds the class, appending it to any which may already be assigned to the elements.
+More than one class may be added at a time, separated by a space, to the set of matched elements, like so:
+$('p').addClass('myClass yourClass');
+This method is often used with .removeClass() to switch elements' classes from one to another, like so:
$('p').removeClass('myClass noClass').addClass('yourClass');
+Here, the myClass and noClass classes are removed from all paragraphs, while yourClass is added.
As of jQuery 1.4, the .addClass() method allows us to set the class name by passing in a function.
$('ul li:last').addClass(function() {
+ return 'item-' + $(this).index();
+});
+Given an unordered list with five <li> elements, this example adds the class "item-4" to the last <li>.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ p { margin: 8px; font-size:16px; }
+ .selected { color:blue; }
+ .highlight { background:yellow; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p>
+ <p>and</p>
+ <p>Goodbye</p>
+<script>$("p:last").addClass("selected");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ p { margin: 8px; font-size:16px; }
+ .selected { color:red; }
+ .highlight { background:yellow; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p>
+ <p>and</p>
+ <p>Goodbye</p>
+<script>$("p:last").addClass("selected highlight");</script>
+</body>
+</html>
+Description: Insert content, specified by the parameter, after each element in the set of matched elements.
+contentAn element, HTML string, or jQuery object to insert after each element in the set of matched elements.
+function(index)A function that returns an HTML string to insert after each element in the set of matched elements.
+The .after() and .insertAfter() methods perform the same task. The major difference is in the syntax-specifically, in the placement of the content and target. With .after(), the selector expression preceding the method is the container after which the content is inserted. With .insertAfter(), on the other hand, the content precedes the method, either as a selector expression or as markup created on the fly, and it is inserted after the target container.
Consider the following HTML:
+<div class="container"> + <h2>Greetings</h2> + <div class="inner">Hello</div> + <div class="inner">Goodbye</div> +</div>+
We can create content and insert it after several elements at once:
+$('.inner').after('<p>Test</p>');
+Each inner <div> element gets this new content:
<div class="container"> + <h2>Greetings</h2> + <div class="inner">Hello</div> + <p>Test</p> + <div class="inner">Goodbye</div> + <p>Test</p> +</div>+
We can also select an element on the page and insert it after another:
+$('.container').after($('h2'));
+If an element selected this way is inserted elsewhere, it will be moved after the target (not cloned):
+<div class="container"> + <div class="inner">Hello</div> + <div class="inner">Goodbye</div> +</div> +<h2>Greetings</h2>+
If there is more than one target element, however, cloned copies of the inserted element will be created for each target after the first.
+As of jQuery 1.4, .before() and .after() will also work on disconnected DOM nodes. For example, given the following code:
$('<div/>').after('<p></p>');
+The result is a jQuery set containing a div and a paragraph, in that order. We can further manipulate that set, even before inserting it in the document.
+$('<div/>').after('<p></p>').addClass('foo')
+ .filter('p').attr('id', 'bar').html('hello')
+.end()
+.appendTo('body');
+This results in the following elements inserted just before the closing </body> tag:
+<div class="foo"></div> +<p class="foo" id="bar">hello</p> ++
As of jQuery 1.4, .after() allows us to pass a function that returns the elements to insert.
$('p').after(function() {
+ return '<div>' + this.className + '</div>';
+});
+This inserts a <div> after each paragraph, containing the class name(s) of each paragraph in turn.
<!DOCTYPE html>
+<html>
+<head>
+ <style>p { background:yellow; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>I would like to say: </p>
+<script>$("p").after("<b>Hello</b>");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>p { background:yellow; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>I would like to say: </p>
+<script>$("p").after( document.createTextNode("Hello") );</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>p { background:yellow; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <b>Hello</b><p>I would like to say: </p>
+<script>$("p").after( $("b") );</script>
+</body>
+</html>
+Description: Register a handler to be called when Ajax requests complete. This is an Ajax Event.
+handler(event, XMLHttpRequest, ajaxOptions)The function to be invoked.
+Whenever an Ajax request completes, jQuery triggers the ajaxComplete event. Any and all handlers that have been registered with the .ajaxComplete() method are executed at this time.
To observe this method in action, we can set up a basic Ajax load request:
+<div class="trigger">Trigger</div> +<div class="result"></div> +<div class="log"></div> ++
We can attach our event handler to any element:
+$('.log').ajaxComplete(function() {
+ $(this).text('Triggered ajaxComplete handler.');
+});
+
+Now, we can make an Ajax request using any jQuery method:
+$('.trigger').click(function() {
+ $('.result').load('ajax/test.html');
+});
+When the user clicks the button and the Ajax request completes, the log message is displayed.
+Note: Because .ajaxComplete() is implemented as a method of jQuery object instances, we can use the this keyword as we do here to refer to the selected elements within the callback function.
All ajaxComplete handlers are invoked, regardless of what Ajax request was completed. If we must differentiate between the requests, we can use the parameters passed to the handler. Each time an ajaxComplete handler is executed, it is passed the event object, the XMLHttpRequest object, and the settings object that was used in the creation of the request. For example, we can restrict our callback to only handling events dealing with a particular URL:
$('.log').ajaxComplete(function(e, xhr, settings) {
+ if (settings.url == 'ajax/test.html') {
+ $(this).text('Triggered ajaxComplete handler.');
+ }
+});
+$("#msg").ajaxComplete(function(event,request, settings){
+ $(this).append("<li>Request Complete.</li>");
+ });
+Description: Register a handler to be called when Ajax requests complete with an error. This is an Ajax Event.
+handler(event, XMLHttpRequest, ajaxOptions, thrownError)The function to be invoked.
+Whenever an Ajax request completes with an error, jQuery triggers the ajaxError event. Any and all handlers that have been registered with the .ajaxError() method are executed at this time.
To observe this method in action, we can set up a basic Ajax load request:
+<div class="trigger">Trigger</div> +<div class="result"></div> +<div class="log"></div>+
We can attach our event handler to any element:
+$('.log').ajaxError(function() {
+ $(this).text('Triggered ajaxError handler.');
+});
+Now, we can make an Ajax request using any jQuery method:
+$('.trigger').click(function() {
+ $('.result').load('ajax/missing.html');
+});
+When the user clicks the button and the Ajax request fails, because the requested file is missing, the log message is displayed.
+Note: Because .ajaxError() is implemented as a method of jQuery object instances, we can use the this keyword as we do here to refer to the selected elements within the callback function.
All ajaxError handlers are invoked, regardless of what Ajax request was completed. If we must differentiate between the requests, we can use the parameters passed to the handler. Each time an ajaxError handler is executed, it is passed the event object, the XMLHttpRequest object, and the settings object that was used in the creation of the request. If the request failed because JavaScript raised an exception, the exception object is passed to the handler as a fourth parameter. For example, we can restrict our callback to only handling events dealing with a particular URL:
$('.log').ajaxError(function(e, xhr, settings, exception) {
+ if (settings.url == 'ajax/missing.html') {
+ $(this).text('Triggered ajaxError handler.');
+ }
+});
+$("#msg").ajaxError(function(event, request, settings){
+ $(this).append("<li>Error requesting page " + settings.url + "</li>");
+ });
+Description:
+handler(event, XMLHttpRequest, ajaxOptions)The function to be invoked.
+Whenever an Ajax request is about to be sent, jQuery triggers the ajaxSend event. Any and all handlers that have been registered with the .ajaxSend() method are executed at this time.
To observe this method in action, we can set up a basic Ajax load request:
+<div class="trigger">Trigger</div> +<div class="result"></div> +<div class="log"></div>+
We can attach our event handler to any element:
+$('.log').ajaxSend(function() {
+ $(this).text('Triggered ajaxSend handler.');
+});
+Now, we can make an Ajax request using any jQuery method:
+$('.trigger').click(function() {
+ $('.result').load('ajax/test.html');
+});
+When the user clicks the button and the Ajax request is about to begin, the log message is displayed.
+Note: Because .ajaxSend() is implemented as a method of jQuery instances, we can use the this keyword as we do here to refer to the selected elements within the callback function.
All ajaxSend handlers are invoked, regardless of what Ajax request is to be sent. If we must differentiate between the requests, we can use the parameters passed to the handler. Each time an ajaxSend handler is executed, it is passed the event object, the XMLHttpRequest object, and the settings object that was used in the creation of the Ajax request. For example, we can restrict our callback to only handling events dealing with a particular URL:
$('.log').ajaxSend(function(e, xhr, settings) {
+ if (settings.url == 'ajax/test.html') {
+ $(this).text('Triggered ajaxSend handler.');
+ }
+});
+$("#msg").ajaxSend(function(evt, request, settings){
+ $(this).append("<li>Starting request at " + settings.url + "</li>");
+ });
+Description: Register a handler to be called when the first Ajax request begins. This is an Ajax Event.
+handler()The function to be invoked.
+Whenever an Ajax request is about to be sent, jQuery checks whether there are any other outstanding Ajax requests. If none are in progress, jQuery triggers the ajaxStart event. Any and all handlers that have been registered with the .ajaxStart() method are executed at this time.
To observe this method in action, we can set up a basic Ajax load request:
+<div class="trigger">Trigger</div> +<div class="result"></div> +<div class="log"></div>+
We can attach our event handler to any element:
+$('.log').ajaxStart(function() {
+ $(this).text('Triggered ajaxStart handler.');
+});
+Now, we can make an Ajax request using any jQuery method:
+$('.trigger').click(function() {
+ $('.result').load('ajax/test.html');
+});
+When the user clicks the button and the Ajax request is sent, the log message is displayed.
+Note: Because .ajaxStart() is implemented as a method of jQuery object instances, we can use the this keyword as we do here to refer to the selected elements within the callback function.
$("#loading").ajaxStart(function(){
+ $(this).show();
+ });
+Description:
+handler()The function to be invoked.
+Whenever an Ajax request completes, jQuery checks whether there are any other outstanding Ajax requests. If none remain, jQuery triggers the ajaxStop event. Any and all handlers that have been registered with the .ajaxStop() method are executed at this time.
To observe this method in action, we can set up a basic Ajax load request:
+<div class="trigger">Trigger</div> +<div class="result"></div> +<div class="log"></div>+
We can attach our event handler to any element:
+$('.log').ajaxStop(function() {
+ $(this).text('Triggered ajaxStop handler.');
+});
+Now, we can make an Ajax request using any jQuery method:
+$('.trigger').click(function() {
+ $('.result').load('ajax/test.html');
+});
+When the user clicks the button and the Ajax request completes, the log message is displayed.
+Because .ajaxStop() is implemented as a method of jQuery object instances, we can use the this keyword as we do here to refer to the selected elements within the callback function.
$("#loading").ajaxStop(function(){
+ $(this).hide();
+ });
+Description:
+handler(event, XMLHttpRequest, ajaxOptions)The function to be invoked.
+Whenever an Ajax request completes successfully, jQuery triggers the ajaxSuccess event. Any and all handlers that have been registered with the .ajaxSuccess() method are executed at this time.
To observe this method in action, we can set up a basic Ajax load request:
+<div class="trigger">Trigger</div> +<div class="result"></div> +<div class="log"></div>+
We can attach our event handler to any element:
+$('.log').ajaxSuccess(function() {
+ $(this).text('Triggered ajaxSuccess handler.');
+});
+Now, we can make an Ajax request using any jQuery method:
+$('.trigger').click(function() {
+ $('.result').load('ajax/test.html');
+});
+When the user clicks the button and the Ajax request completes successfully, the log message is displayed.
+Note: Because .ajaxSuccess() is implemented as a method of jQuery object instances, we can use the this keyword as we do here to refer to the selected elements within the callback function.
All ajaxSuccess handlers are invoked, regardless of what Ajax request was completed. If we must differentiate between the requests, we can use the parameters passed to the handler. Each time an ajaxSuccess handler is executed, it is passed the event object, the XMLHttpRequest object, and the settings object that was used in the creation of the request. For example, we can restrict our callback to only handling events dealing with a particular URL:
$('.log').ajaxSuccess(function(e, xhr, settings) {
+ if (settings.url == 'ajax/test.html') {
+ $(this).text('Triggered ajaxSuccess handler.');
+ }
+});
+$("#msg").ajaxSuccess(function(evt, request, settings){
+ $(this).append("<li>Successful Request!</li>");
+ });
+Description: Selects all elements.
+Caution: The all, or universal, selector is extremely slow, except when used by itself.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ h3 { margin: 0; }
+ div,span,p {
+ width: 80px;
+ height: 40px;
+ float:left;
+ padding: 10px;
+ margin: 10px;
+ background-color: #EEEEEE;
+ }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>DIV</div>
+
+ <span>SPAN</span>
+ <p>P <button>Button</button></p>
+<script>var elementCount = $("*").css("border","3px solid red").length;
+$("body").prepend("<h3>" + elementCount + " elements found</h3>");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ h3 { margin: 0; }
+ div,span,p {
+ width: 80px;
+ height: 40px;
+ float:left;
+ padding: 10px;
+ margin: 10px;
+ background-color: #EEEEEE;
+ }
+ #test {
+ width: auto; height: auto; background-color: transparent;
+ }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div id="test">
+ <div>DIV</div>
+ <span>SPAN</span>
+ <p>P <button>Button</button></p>
+</div>
+<script>
+var elementCount = $("#test").find("*").css("border","3px solid red").length;
+$("body").prepend("<h3>" + elementCount + " elements found</h3>");</script>
+</body>
+</html>
+Description: Add the previous set of elements on the stack to the current set.
+As described in the discussion for .end() above, jQuery objects maintain an internal stack that keeps track of changes to the matched set of elements. When one of the DOM traversal methods is called, the new set of elements is pushed onto the stack. If the previous set of elements is desired as well, .andSelf() can help.
Consider a page with a simple list on it:
++<ul> + <li>list item 1</li> + <li>list item 2</li> + <li class="third-item">list item 3</li> + <li>list item 4</li> + <li>list item 5</li> +</ul> ++
If we begin at the third item, we can find the elements which come after it:
+$('li.third-item').nextAll().andSelf()
+ .css('background-color', 'red');
+
+The result of this call is a red background behind items 3, 4 and 5. First, the initial selector locates item 3, initializing the stack with the set containing just this item. The call to .nextAll() then pushes the set of items 4 and 5 onto the stack. Finally, the .andSelf() invocation merges these two sets together, creating a jQuery object that points to all three items.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p, div { margin:5px; padding:5px; }
+ .border { border: 2px solid red; }
+ .background { background:yellow; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>
+ <p>First Paragraph</p>
+ <p>Second Paragraph</p>
+ </div>
+<script>
+ $("div").find("p").andSelf().addClass("border");
+ $("div").find("p").addClass("background");
+
+</script>
+</body>
+</html>
+Description: Perform a custom animation of a set of CSS properties.
+propertiesA map of CSS properties that the animation will move toward.
+durationA string or number determining how long the animation will run.
+easingA string indicating which easing function to use for the transition.
+callbackA function to call once the animation is complete.
+propertiesA map of CSS properties that the animation will move toward.
+optionsA map of additional options to pass to the method. Supported keys: +
+duration: A string or number determining how long the animation will run.easing: A string indicating which easing function to use for the transition.complete: A function to call once the animation is complete.step: A function to be called after each step of the animation.queue: A Boolean indicating whether to place the animation in the effects queue. If false, the animation will begin immediately.specialEasing: A map of one or more of the CSS properties defined by the properties argument and their corresponding easing functions (added 1.4).The .animate() method allows us to create animation effects on any numeric CSS property. The only required parameter is a map of CSS properties. This map is similar to the one that can be sent to the .css() method, except that the range of properties is more restrictive.
All animated properties should be numeric (except as noted below); properties that are non-numeric cannot be animated using basic jQuery functionality. (For example, width, height, or left can be animated but background-color cannot be.) Property values are treated as a number of pixels unless otherwise specified. The units em and % can be specified where applicable.
In addition to numeric values, each property can take the strings 'show', 'hide', and 'toggle'. These shortcuts allow for custom hiding and showing animations that take into account the display type of the element.
Animated properties can also be relative. If a value is supplied with a leading += or -= sequence of characters, then the target value is computed by adding or subtracting the given number from the current value of the property.
Durations are given in milliseconds; higher values indicate slower animations, not faster ones. The strings 'fast' and 'slow' can be supplied to indicate durations of 200 and 600 milliseconds, respectively.
If supplied, the callback is fired once the animation is complete. This can be useful for stringing different animations together in sequence. The callback is not sent any arguments, but this is set to the DOM element being animated. If multiple elements are animated, it is important to note that the callback is executed once per matched element, not once for the animation as a whole.
We can animate any element, such as a simple image:
+<div id="clickme"> + Click here +</div> +<img id="book" src="book.png" alt="" width="100" height="123" + style="position: relative; left: 10px;" />+
We can animate the opacity, left offset, and height of the image simultaneously:
+$('#clickme').click(function() {
+ $('#book').animate({
+ opacity: 0.25,
+ left: '+=50',
+ height: 'toggle'
+ }, 5000, function() {
+ // Animation complete.
+ });
+});
+
+
+ 
Note that we have specified toggle as the target value of the height property. Since the image was visible before, the animation shrinks the height to 0 to hide it. A second click then reverses this transition:
+
+
The opacity of the image is already at its target value, so this property is not animated by the second click. Since we specified the target value for left as a relative value, the image moves even farther to the right during this second animation.
The position attribute of the element must not be static if we wish to animate the left property as we do in the example.
+The jQuery UI project extends the
.animate()method by allowing some non-numeric styles such as colors to be animated. The project also includes mechanisms for specifying animations through CSS classes rather than individual attributes.
The remaining parameter of .animate() is a string naming an easing function to use. An easing function specifies the speed at which the animation progresses at different points within the animation. The only easing implementations in the jQuery library are the default, called swing, and one that progresses at a constant pace, called linear. More easing functions are available with the use of plug-ins, most notably the jQuery UI suite.
As of jQuery version 1.4, we can set per-property easing functions within a single .animate() call. In the first version of .animate(), each property can take an array as its value: The first member of the array is the CSS property and the second member is an easing function. If a per-property easing function is not defined for a particular property, it uses the value of the .animate() method's optional easing argument. If the easing argument is not defined, the default swing function is used.
We can, for example, simultaneously animate the width and height with the swing easing function and the opacity with the linear easing function:
$('#clickme').click(function() {
+ $('#book').animate({
+ width: ['toggle', 'swing'],
+ height: ['toggle', 'swing'],
+ opacity: 'toggle'
+ }, 5000, 'linear', function() {
+ $(this).after('<div>Animation complete.</div>');
+ });
+});
+In the second version of .animate(), the options map can include the specialEasing property, which is itself a map of CSS properties and their corresponding easing functions. We can simultaneously animate the width using the linear easing function and the height using the easeOutBounce easing function.
$('#clickme').click(function() {
+ $('#book').animate({
+ width: 'toggle',
+ height: 'toggle'
+ }, {
+ duration: 5000,
+ specialEasing: {
+ width: 'linear',
+ height: 'easeOutBounce'
+ },
+ complete: function() {
+ $(this).after('<div>Animation complete.</div>');
+ }
+ });
+});
+As previously noted, a plug-in is required for the easeOutBounce function.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+div {
+background-color:#bca;
+width:100px;
+border:1px solid green;
+}
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button id="go">» Run</button>
+
+<div id="block">Hello!</div>
+<script>
+
+// Using multiple unit types within one animation.
+$("#go").click(function(){
+ $("#block").animate({
+ width: "70%",
+ opacity: 0.4,
+ marginLeft: "0.6in",
+ fontSize: "3em",
+ borderWidth: "10px"
+ }, 1500 );
+});
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+div {
+position:absolute;
+background-color:#abc;
+left:50px;
+width:90px;
+height:90px;
+margin:5px;
+}
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button id="left">«</button> <button id="right">»</button>
+<div class="block"></div>
+
+<script>
+$("#right").click(function(){
+ $(".block").animate({"left": "+=50px"}, "slow");
+});
+
+$("#left").click(function(){
+ $(".block").animate({"left": "-=50px"}, "slow");
+});
+
+</script>
+</body>
+</html>
+$("p").animate({
+ "height": "toggle", "opacity": "toggle"
+
+}, "slow");
+$("p").animate({
+ "left": "50", "opacity": 1
+}, 500);
+
+$("p").animate({
+ "opacity": "show"
+
+}, "slow", "easein");
+<!DOCTYPE html>
+<html>
+<head>
+ <style>div {
+ background-color:#bca;
+ width:200px;
+ height:1.1em;
+ text-align:center;
+ border:2px solid green;
+ margin:3px;
+ font-size:14px;
+}
+button {
+ font-size:14px;
+}
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button id="go1">» Animate Block1</button>
+<button id="go2">» Animate Block2</button>
+<button id="go3">» Animate Both</button>
+
+<button id="go4">» Reset</button>
+<div id="block1">Block1</div>
+<div id="block2">Block2</div>
+<script>
+
+$("#go1").click(function(){
+ $("#block1").animate( { width:"90%" }, { queue:false, duration:3000 } )
+ .animate( { fontSize:"24px" }, 1500 )
+ .animate( { borderRightWidth:"15px" }, 1500);
+});
+
+$("#go2").click(function(){
+ $("#block2").animate( { width:"90%"}, 1000 )
+ .animate( { fontSize:"24px" } , 1000 )
+ .animate( { borderLeftWidth:"15px" }, 1000);
+});
+
+$("#go3").click(function(){
+ $("#go1").add("#go2").click();
+});
+
+$("#go4").click(function(){
+ $("div").css({width:"", fontSize:"", borderWidth:""});
+});
+
+</script>
+</body>
+</html>
+$("p").animate({
+"height": "toggle", "opacity": "toggle"
+
+}, { duration: "slow" });
+$("p").animate({
+left: "50px", opacity: 1
+}, { duration: 500, queue: false });
+$("p").animate({
+"opacity": "show"
+
+}, { "duration": "slow", "easing": "easein" });
+$("p").animate({
+height:200, width:400, opacity: .5
+}, 1000, "linear", function(){alert("all done");} );
+
+
+Description: Select all elements that are in the progress of an animation at the time the selector is run.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { background:yellow; border:1px solid #AAA; width:80px; height:80px; margin:5px; float:left; }
+ div.colored { background:green; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button id="run">Run</button>
+
+ <div></div>
+ <div id="mover"></div>
+ <div></div>
+<script>
+
+ $("#run").click(function(){
+ $("div:animated").toggleClass("colored");
+ });
+ function animateIt() {
+ $("#mover").slideToggle("slow", animateIt);
+ }
+ animateIt();
+</script>
+</body>
+</html>
+Description: Insert content, specified by the parameter, to the end of each element in the set of matched elements.
+contentAn element, HTML string, or jQuery object to insert at the end of each element in the set of matched elements.
+function(index, html)A function that returns an HTML string to insert at the end of each element in the set of matched elements. Receives the index position of the element in the set and the old HTML value of the element as arguments.
+The .append() and .appendTo() methods perform the same task. The major difference is in the syntax-specifically, in the placement of the content and target. With .append(), the selector expression preceding the method is the container into which the content is inserted. With .appendTo(), on the other hand, the content precedes the method, either as a selector expression or as markup created on the fly, and it is inserted into the target container.
Consider the following HTML:
+<h2>Greetings</h2> +<div class="container"> + <div class="inner">Hello</div> + <div class="inner">Goodbye</div> +</div> ++
We can create content and insert it into several elements at once:
+$('.inner').append('<p>Test</p>');
+
+Each inner <div> element gets this new content:
<h2>Greetings</h2> +<div class="container"> + <div class="inner"> + Hello + <p>Test</p> + </div> + <div class="inner"> + Goodbye + <p>Test</p> + </div> +</div> ++
We can also select an element on the page and insert it into another:
+$('.container').append($('h2'));
+
+If an element selected this way is inserted elsewhere, it will be moved into the target (not cloned):
+<div class="container"> + <div class="inner">Hello</div> + <div class="inner">Goodbye</div> + <h2>Greetings</h2> +</div> ++
If there is more than one target element, however, cloned copies of the inserted element will be created for each target after the first.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>p { background:yellow; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>I would like to say: </p>
+<script>$("p").append("<strong>Hello</strong>");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>p { background:yellow; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>I would like to say: </p>
+<script>$("p").append(document.createTextNode("Hello"));</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>p { background:yellow; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <strong>Hello world!!!</strong><p>I would like to say: </p>
+<script>$("p").append( $("strong") );</script>
+</body>
+</html>
+Description: Insert every element in the set of matched elements to the end of the target.
+targetA selector, element, HTML string, or jQuery object; the matched set of elements will be inserted at the end of the element(s) specified by this parameter.
+The .append() and .appendTo() methods perform the same task. The major difference is in the syntax-specifically, in the placement of the content and target. With .append(), the selector expression preceding the method is the container into which the content is inserted. With .appendTo(), on the other hand, the content precedes the method, either as a selector expression or as markup created on the fly, and it is inserted into the target container.
Consider the following HTML:
+<h2>Greetings</h2> +<div class="container"> + <div class="inner">Hello</div> + <div class="inner">Goodbye</div> +</div> ++
We can create content and insert it into several elements at once:
+$('<p>Test</p>').appendTo('.inner');
+
+Each inner <div> element gets this new content:
<h2>Greetings</h2> +<div class="container"> + <div class="inner"> + Hello + <p>Test</p> + </div> + <div class="inner"> + Goodbye + <p>Test</p> + </div> +</div> ++
We can also select an element on the page and insert it into another:
+$('h2').appendTo($('.container'));
+
+If an element selected this way is inserted elsewhere, it will be moved into the target (not cloned):
+<div class="container"> + <div class="inner">Hello</div> + <div class="inner">Goodbye</div> + <h2>Greetings</h2> +</div> ++
If there is more than one target element, however, cloned copies of the inserted element will be created for each target after the first.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>#foo { background:yellow; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <span>I have nothing more to say... </span>
+
+ <div id="foo">FOO! </div>
+<script>$("span").appendTo("#foo"); // check append() examples</script>
+</body>
+</html>
+Description: Get the value of an attribute for the first element in the set of matched elements.
+attributeNameThe name of the attribute to get.
+It's important to note that the .attr() method gets the attribute value for only the first element in the matched set. To get the value for each element individually, we need to rely on a looping construct such as jQuery's .each() method.
Using jQuery's .attr() method to get the value of an element's attribute has two main benefits:
.attr() method reduces such inconsistencies. <!DOCTYPE html>
+<html>
+<head>
+ <style>em { color:blue; font-weight;bold; }
+ div { color:red; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>
+ Once there was a <em title="huge, gigantic">large</em> dinosaur...
+ </p>
+
+ The title of the emphasis is:<div></div>
+<script>var title = $("em").attr("title");
+ $("div").text(title);
+</script>
+</body>
+</html>
+Description: Set one or more attributes for the set of matched elements.
+attributeNameThe name of the attribute to set.
+valueA value to set for the attribute.
+mapA map of attribute-value pairs to set.
+attributeNameThe name of the attribute to set.
+function(index, attr)A function returning the value to set. this is the current element. Receives the index position of the element in the set and the old attribute value as arguments.
The .attr() method is a convenient and powerful way to set the value of attributes—especially when setting multiple attributes or using values returned by a function. Let's consider the following image:
<img id="greatphoto" src="brush-seller.jpg" alt="brush seller" />+
We can change the alt attribute by simply passing the name of the attribute and its new value to the .attr() method:
$('#greatphoto').attr('alt', 'Beijing Brush Seller');
+We can add an attribute the same way:
+$('#greatphoto')
+ .attr('title', 'Photo by Kelly Clark');
+To change the alt attribute and add the title attribute at the same time, we can pass both sets of names and values into the method at once using a map (JavaScript object literal). Each key-value pair in the map adds or modifies an attribute:
$('#greatphoto').attr({
+ alt: 'Beijing Brush Seller',
+ title: 'photo by Kelly Clark'
+});
+When setting multiple attributes, the quotes around attribute names are optional.
+WARNING When setting the 'class' attribute, you must always use quotes!
+By using a function to set attributes, we can compute the value based on other properties of the element. For example, we could concatenate a new value with an existing value:
+$('#greatphoto').attr('title', function() {
+ return this.alt + ' - photo by Kelly Clark'
+});
+This use of a function to compute attribute values can be particularly useful when we modify the attributes of multiple elements at once.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ img { padding:10px; }
+ div { color:red; font-size:24px; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <img />
+ <img />
+ <img />
+
+ <div><B>Attribute of Ajax</B></div>
+<script>$("img").attr({
+ src: "/images/hat.gif",
+ title: "jQuery",
+ alt: "jQuery Logo"
+ });
+ $("div").text($("img").attr("alt"));</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>button { margin:10px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button>0th Button</button>
+ <button>1st Button</button>
+ <button>2nd Button</button>
+<script>$("button:gt(1)").attr("disabled","disabled");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { color:blue; }
+ span { color:red; }
+ b { font-weight:bolder; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>Zero-th <span></span></div>
+ <div>First <span></span></div>
+ <div>Second <span></span></div>
+<script>$("div").attr("id", function (arr) {
+ return "div-id" + arr;
+ })
+ .each(function () {
+ $("span", this).html("(ID = '<b>" + this.id + "</b>')");
+ });</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <img title="hat.gif"/>
+<script>$("img").attr("src", function() {
+ return "/images/" + this.title;
+ });
+</script>
+</body>
+</html>
+Description: Selects elements that have the specified attribute with a value either equal to a given string or starting with that string followed by a hyphen (-).
+This selector was introduced into the CSS specification to handle language attributes.
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+ <a href="example.html" hreflang="en">Some text</a>
+
+ <a href="example.html" hreflang="en-UK">Some other text</a>
+
+<script>$('a[hreflang|=en]').css('border','3px dotted green');</script>
+</body>
+</html>
+Description: Selects elements that have the specified attribute with a value containing the a given substring.
+This is the most generous of the jQuery attribute selectors that match against a value. It will select an element if the selector's string appears anywhere within the element's attribute value. Compare this selector with the Attribute Contains Word selector (e.g. [attr~=word]), which is more appropriate in many cases.
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <input name="man-news" />
+
+ <input name="milkman" />
+ <input name="letterman2" />
+ <input name="newmilk" />
+<script>$("input[name*='man']").val("has man in it!");</script>
+</body>
+</html>
+Description: Selects elements that have the specified attribute with a value containing a given word, delimited by spaces.
+This selector matches the test string against each word in the attribute value, where a "word" is defined as a string delimited by whitespace. The selector matches if the test string is exactly equal to any of the words.
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <input name="man-news" />
+
+ <input name="milk man" />
+ <input name="letterman2" />
+ <input name="newmilk" />
+<script>$("input[name~=man]").val("mr. man is in it!");</script>
+</body>
+</html>
+Description: Selects elements that have the specified attribute with a value ending exactly with a given string.
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <input name="newsletter" />
+
+ <input name="milkman" />
+ <input name="jobletter" />
+<script>$("input[name$='letter']").val("a letter");</script>
+</body>
+</html>
+Description: Selects elements that have the specified attribute with a value exactly equal to a certain value.
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>
+
+ <input type="radio" name="newsletter" value="Hot Fuzz" />
+ <span>name?</span>
+
+ </div>
+ <div>
+ <input type="radio" name="newsletters" value="Cold Fusion" />
+
+ <span>name?</span>
+ </div>
+ <div>
+ <input type="radio" name="accept" value="Evil Plans" />
+
+ <span>name?</span>
+ </div>
+<script>$("input[name='newsletter']").next().text(" is newsletter");</script>
+</body>
+</html>
+Description: Select elements that either don't have the specified attribute, or do have the specified attribute but not with a certain value.
+This selector is equivalent to :not([attr=value]).
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>
+
+ <input type="radio" name="newsletter" value="Hot Fuzz" />
+ <span>name is newsletter</span>
+
+ </div>
+ <div>
+ <input type="radio" value="Cold Fusion" />
+ <span>no name</span>
+
+ </div>
+ <div>
+ <input type="radio" name="accept" value="Evil Plans" />
+
+ <span>name is accept</span>
+ </div>
+<script>$("input[name!=newsletter]").next().append("<b>; not newsletter</b>");</script>
+</body>
+</html>
+Description: Selects elements that have the specified attribute with a value beginning exactly with a given string.
+This selector can be useful for identifying elements in pages produced by server-side frameworks that produce HTML with systematic element IDs. However it will be slower than using a class selector so leverage classes, if you can, to group like elements.
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <input name="newsletter" />
+
+ <input name="milkman" />
+ <input name="newsboy" />
+<script>$("input[name^='news']").val("news here!");</script>
+</body>
+</html>
+Description: Insert content, specified by the parameter, before each element in the set of matched elements.
+contentAn element, HTML string, or jQuery object to insert before each element in the set of matched elements.
+functionA function that returns an HTML string to insert before each element in the set of matched elements.
+The .before() and .insertBefore() methods perform the same task. The major difference is in the syntax-specifically, in the placement of the content and target. With .before(), the selector expression preceding the method is the container before which the content is inserted. With .insertBefore(), on the other hand, the content precedes the method, either as a selector expression or as markup created on the fly, and it is inserted before the target container.
Consider the following HTML:
+<div class="container"> + <h2>Greetings</h2> + <div class="inner">Hello</div> + <div class="inner">Goodbye</div> +</div>+
We can create content and insert it before several elements at once:
+$('.inner').before('<p>Test</p>');
+Each inner <div> element gets this new content:
<div class="container"> + <h2>Greetings</h2> + <p>Test</p> + <div class="inner">Hello</div> + <p>Test</p> + <div class="inner">Goodbye</div> +</div>+
We can also select an element on the page and insert it before another:
+$('.container').before($('h2'));
+If an element selected this way is inserted elsewhere, it will be moved before the target (not cloned):
+<h2>Greetings</h2> +<div class="container"> + <div class="inner">Hello</div> + <div class="inner">Goodbye</div> +</div>+
If there is more than one target element, however, cloned copies of the inserted element will be created for each target after the first.
+In jQuery 1.4, .before() and .after() will also work on disconnected DOM nodes:
$("<div/>").before("<p></p>");
+The result is a jQuery set that contains a paragraph and a div (in that order).
+<!DOCTYPE html>
+<html>
+<head>
+ <style>p { background:yellow; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p> is what I said...</p>
+<script>$("p").before("<b>Hello</b>");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>p { background:yellow; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p> is what I said...</p>
+<script>$("p").before( document.createTextNode("Hello") );</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>p { background:yellow; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p> is what I said...</p><b>Hello</b>
+<script>$("p").before( $("b") );</script>
+</body>
+</html>
+Description: Attach a handler to an event for the elements.
+eventTypeA string containing one or more JavaScript event types, such as "click" or "submit," or custom event names.
+eventDataA map of data that will be passed to the event handler.
+handler(eventObject)A function to execute each time the event is triggered.
+eventsA map of one or more JavaScript event types and functions to execute for them.
+The .bind() method is the primary means of attaching behavior to a document. All JavaScript event types, such as focus, mouseover, and resize, are allowed for eventType.
The jQuery library provides shortcut methods for binding the standard event types, such as .click() for .bind('click'). A description of each can be found in the discussion of its shortcut method: blur, focus, focusin, focusout, load, resize, scroll, unload, click, dblclick, mousedown, mouseup, mousemove, mouseover, mouseout, mouseenter, mouseleave, change, select, submit, keydown, keypress, keyup, error
Any string is legal for eventType; if the string is not the name of a native JavaScript event, then the handler is bound to a custom event. These events are never called by the browser, but may be triggered manually from other JavaScript code using .trigger() or .triggerHandler().
If the eventType string contains a period (.) character, then the event is namespaced. The period character separates the event from its namespace. For example, in the call .bind('click.name', handler), the string click is the event type, and the string name is the namespace. Namespacing allows us to unbind or trigger some events of a type without affecting others. See the discussion of .unbind() for more information.
When an event reaches an element, all handlers bound to that event type for the element are fired. If there are multiple handlers registered, they will always execute in the order in which they were bound. After all handlers have executed, the event continues along the normal event propagation path.
+A basic usage of .bind() is:
+$('#foo').bind('click', function() {
+ alert('User clicked on "foo."');
+});
+
+This code will cause the element with an ID of foo to respond to the click event. When a user clicks inside this element thereafter, the alert will be shown.
Multiple event types can be bound at once by including each one separated by a space:
+
+$('#foo').bind('mouseenter mouseleave', function() {
+ $(this).toggleClass('entered');
+});
+
+The effect of this on <div id="foo"> (when it does not initially have the "entered" class) is to add the "entered" class when the mouse enters the <div> and remove the class when the mouse leaves.
As of jQuery 1.4 we can bind multiple event handlers simultaneously by passing a map of event type/handler pairs:
+
+$('#foo').bind({
+ click: function() {
+ // do something on click
+ },
+ mouseenter: function() {
+ // do something on mouseenter
+ }
+});
+
+The handler parameter takes a callback function, as shown above. Within the handler, the keyword this refers to the DOM element to which the handler is bound. To make use of the element in jQuery, it can be passed to the normal $() function. For example:
$('#foo').bind('click', function() {
+ alert($(this).text());
+});
+
+After this code is executed, when the user clicks inside the element with an ID of foo, its text contents will be shown as an alert.
+
As of jQuery 1.4.2 duplicate event handlers can be bound to an element instead of being discarded. For example:
+function test(){ alert("Hello"); }
+$("button").click( test );
+$("button").click( test );
+The above will generate two alerts when the button is clicked.
+The handler callback function can also take parameters. When the function is called, the JavaScript event object will be passed to the first parameter.
The event object is often unnecessary and the parameter omitted, as sufficient context is usually available when the handler is bound to know exactly what needs to be done when the handler is triggered. However, at times it becomes necessary to gather more information about the user's environment at the time the event was initiated. View the full Event Object.
+Returning false from a handler is equivalent to calling both .preventDefault() and .stopPropagation() on the event object.
Using the event object in a handler looks like this:
+$(document).ready(function() {
+ $('#foo').bind('click', function(event) {
+ alert('The mouse cursor is at ('
+ + event.pageX + ', ' + event.pageY + ')');
+ });
+});
+
+Note the parameter added to the anonymous function. This code will cause a click on the element with ID foo to report the page coordinates of the mouse cursor at the time of the click.
The optional eventData parameter is not commonly used. When provided, this argument allows us to pass additional information to the handler. One handy use of this parameter is to work around issues caused by closures. For example, suppose we have two event handlers that both refer to the same external variable:
var message = 'Spoon!';
+$('#foo').bind('click', function() {
+ alert(message);
+});
+message = 'Not in the face!';
+$('#bar').bind('click', function() {
+ alert(message);
+});
+
+Because the handlers are closures that both have message in their environment, both will display the message Not in the face! when triggered. The variable's value has changed. To sidestep this, we can pass the message in using eventData:
+
var message = 'Spoon!';
+$('#foo').bind('click', {msg: message}, function(event) {
+ alert(event.data.msg);
+});
+message = 'Not in the face!';
+$('#bar').bind('click', {msg: message}, function(event) {
+ alert(event.data.msg);
+});
+
+This time the variable is not referred to directly within the handlers; instead, the variable is passed in by value through eventData, which fixes the value at the time the event is bound. The first handler will now display Spoon! while the second will alert Not in the face!
+
++Note that objects are passed to functions by reference, which further complicates this scenario.
+
If eventData is present, it is the second argument to the .bind() method; if no additional data needs to be sent to the handler, then the callback is passed as the second and final argument.
+See the
.trigger()method reference for a way to pass data to a handler at the time the event happens rather than when the handler is bound.
As of jQuery 1.4 we can no longer attach data (and thus, events) to object, embed, or applet elements because critical errors occur when attaching data to Java applets.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+p { background:yellow; font-weight:bold; cursor:pointer;
+padding:5px; }
+p.over { background: #ccc; }
+span { color:red; }
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Click or double click here.</p>
+<span></span>
+<script>
+$("p").bind("click", function(event){
+var str = "( " + event.pageX + ", " + event.pageY + " )";
+$("span").text("Click happened! " + str);
+});
+$("p").bind("dblclick", function(){
+$("span").text("Double-click happened in " + this.nodeName);
+});
+$("p").bind("mouseenter mouseleave", function(event){
+$(this).toggleClass("over");
+});
+
+</script>
+</body>
+</html>
+$("p").bind("click", function(){
+alert( $(this).text() );
+});
+function handler(event) {
+alert(event.data.foo);
+}
+$("p").bind("click", {foo: "bar"}, handler)
+$("form").bind("submit", function() { return false; })
+$("form").bind("submit", function(event) {
+event.preventDefault();
+});
+$("form").bind("submit", function(event) {
+ event.stopPropagation();
+});
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+p { color:red; }
+span { color:blue; }
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Has an attached custom event.</p>
+<button>Trigger custom event</button>
+<span style="display:none;"></span>
+<script>
+
+$("p").bind("myCustomEvent", function(e, myName, myValue){
+$(this).text(myName + ", hi there!");
+$("span").stop().css("opacity", 1)
+.text("myName = " + myName)
+.fadeIn(30).fadeOut(1000);
+});
+$("button").click(function () {
+$("p").trigger("myCustomEvent", [ "John" ]);
+});
+
+</script>
+</body>
+</html>
+$("div.test").bind({
+ click: function(){
+ $(this).addClass("active");
+ },
+ mouseenter: function(){
+ $(this).addClass("inside");
+ },
+ mouseleave: function(){
+ $(this).removeClass("inside");
+ }
+});
+Description: Bind an event handler to the "blur" JavaScript event, or trigger that event on an element.
+handler(eventObject)A function to execute each time the event is triggered.
+This method is a shortcut for .bind('blur', handler) in the first variation, and .trigger('blur') in the second.
The blur event is sent to an element when it loses focus. Originally, this event was only applicable to form elements, such as <input>. In recent browsers, the domain of the event has been extended to include all element types. An element can lose focus via keyboard commands, such as the Tab key, or by mouse clicks elsewhere on the page.
For example, consider the HTML:
+<form>
+ <input id="target" type="text" value="Field 1" />
+ <input type="text" value="Field 2" />
+</form>
+<div id="other">
+ Trigger the handler
+</div>
+The event handler can be bound to the first input field:
+$('#target').blur(function() {
+ alert('Handler for .blur() called.');
+});
+Now if the first field has the focus and we click elsewhere, or tab away from it, the alert is displayed:
+Handler for .blur() called.
+We can trigger the event when another element is clicked:
+$('#other').click(function() {
+ $('#target').blur();
+});
+After this code executes, clicks on Trigger the handler will also alert the message.
+The blur event does not bubble in Internet Explorer. Therefore, scripts that rely on event delegation with the blur event will not work consistently across browsers.
$("p").blur();
+Description: Selects all button elements and elements of type button.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ textarea { height:45px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <form>
+ <input type="button" value="Input Button"/>
+ <input type="checkbox" />
+
+ <input type="file" />
+ <input type="hidden" />
+ <input type="image" />
+
+ <input type="password" />
+ <input type="radio" />
+ <input type="reset" />
+
+ <input type="submit" />
+ <input type="text" />
+ <select><option>Option<option/></select>
+
+ <textarea></textarea>
+ <button>Button</button>
+ </form>
+ <div>
+ </div>
+<script>
+
+ var input = $(":button").css({background:"yellow", border:"3px red solid"});
+ $("div").text("For this type jQuery found " + input.length + ".")
+ .css("color", "red");
+ $("form").submit(function () { return false; }); // so it won't submit
+
+</script>
+</body>
+</html>
+Description: Bind an event handler to the "change" JavaScript event, or trigger that event on an element.
+handler(eventObject)A function to execute each time the event is triggered.
+This method is a shortcut for .bind('change', handler) in the first variation, and .trigger('change') in the second.
The change event is sent to an element when its value changes. This event is limited to <input> elements, <textarea> boxes and <select> elements. For select boxes, checkboxes, and radio buttons, the event is fired immediately when the user makes a selection with the mouse, but for the other element types the event is deferred until the element loses focus.
For example, consider the HTML:
+<form> + <input class="target" type="text" value="Field 1" /> + <select class="target"> + <option value="option1" selected="selected">Option 1</option> + <option value="option2">Option 2</option> + </select> +</form> +<div id="other"> + Trigger the handler +</div>+
The event handler can be bound to the text input and the select box:
+$('.target').change(function() {
+ alert('Handler for .change() called.');
+});
+Now when the second option is selected from the dropdown, the alert is displayed. It is also displayed if we change the text in the field and then click away. If the field loses focus without the contents having changed, though, the event is not triggered. We can trigger the event manually when another element is clicked:
+$('#other').click(function() {
+ $('.target').change();
+});
+After this code executes, clicks on Trigger the handler will also alert the message. The message will be displayed twice, because the handler has been bound to the change event on both of the form elements.
As of jQuery 1.4 the change event now bubbles, and works identically to all other browsers, in Internet Explorer.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ div { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <select name="sweets" multiple="multiple">
+ <option>Chocolate</option>
+ <option selected="selected">Candy</option>
+
+ <option>Taffy</option>
+ <option selected="selected">Caramel</option>
+ <option>Fudge</option>
+ <option>Cookie</option>
+
+ </select>
+ <div></div>
+<script>
+ $("select").change(function () {
+ var str = "";
+ $("select option:selected").each(function () {
+ str += $(this).text() + " ";
+ });
+ $("div").text(str);
+ })
+ .change();
+</script>
+</body>
+</html>
+$("input[type='text']").change( function() {
+ // check input ($(this).val()) for validity here
+});
+Description: Selects all elements of type checkbox.
+$(':checkbox') is equivalent to $('[type=checkbox]'). As with other pseudo-class selectors (those that begin with a ":") it is recommended to precede it with a tag name or some other selector; otherwise, the universal selector ("*") is implied. In other words, the bare $(':checkbox') is equivalent to $('*:checkbox'), so $('input:checkbox') should be used instead.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ textarea { height:25px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <form>
+ <input type="button" value="Input Button"/>
+ <input type="checkbox" />
+
+ <input type="checkbox" />
+ <input type="file" />
+ <input type="hidden" />
+
+ <input type="image" />
+ <input type="password" />
+ <input type="radio" />
+
+ <input type="reset" />
+ <input type="submit" />
+ <input type="text" />
+
+ <select><option>Option<option/></select>
+ <textarea></textarea>
+ <button>Button</button>
+ </form>
+
+ <div>
+ </div>
+<script>
+
+ var input = $("form input:checkbox").wrap('<span></span>').parent().css({background:"yellow", border:"3px red solid"});
+ $("div").text("For this type jQuery found " + input.length + ".")
+ .css("color", "red");
+ $("form").submit(function () { return false; }); // so it won't submit
+
+</script>
+</body>
+</html>
+Description: Matches all elements that are checked.
+The :checked selector works for checkboxes and radio buttons. For select elements, use the :selected selector.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <form>
+ <input type="checkbox" name="newsletter" checked="checked" value="Hourly" />
+
+ <input type="checkbox" name="newsletter" value="Daily" />
+ <input type="checkbox" name="newsletter" value="Weekly" />
+
+ <input type="checkbox" name="newsletter" checked="checked" value="Monthly" />
+ <input type="checkbox" name="newsletter" value="Yearly" />
+
+ </form>
+ <div></div>
+<script>
+
+ function countChecked() {
+ var n = $("input:checked").length;
+ $("div").text(n + (n <= 1 ? " is" : " are") + " checked!");
+ }
+ countChecked();
+ $(":checkbox").click(countChecked);
+
+</script>
+</body>
+</html>
+<input type="checkbox" name="newsletter" checked="checked" value="Daily" />,
+ <input type="checkbox" name="newsletter" checked="checked" value="Monthly" /> ]
+Description: Selects all direct child elements specified by "child" of elements specified by "parent".
+As a CSS selector, the child combinator is supported by all modern web browsers including Safari, Firefox, Opera, Chrome, and Internet Explorer 7 and above, but notably not by Internet Explorer versions 6 and below. However, in jQuery, this selector (along with all others) works across all supported browsers, including IE6.
+The child combinator (E > F) can be thought of as a more specific form of the descendant combinator (E F) in that it selects only first-level descendants.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+body { font-size:14px; }
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+
+<ul class="topnav">
+ <li>Item 1</li>
+ <li>Item 2
+ <ul><li>Nested item 1</li><li>Nested item 2</li><li>Nested item 3</li></ul>
+ </li>
+ <li>Item 3</li>
+</ul>
+
+<script>$("ul.topnav > li").css("border", "3px double red");</script>
+</body>
+</html>
+Description: Get the children of each element in the set of matched elements, optionally filtered by a selector.
+selectorA string containing a selector expression to match elements against.
+Given a jQuery object that represents a set of DOM elements, the .children() method allows us to search through the immediate children of these elements in the DOM tree and construct a new jQuery object from the matching elements. The .find() and .children() methods are similar, except that the latter only travels a single level down the DOM tree.
The method optionally accepts a selector expression of the same type that we can pass to the $() function. If the selector is supplied, the elements will be filtered by testing whether they match it.
Consider a page with a basic nested list on it:
++<ul class="level-1"> + <li class="item-i">I</li> + <li class="item-ii">II + <ul class="level-2"> + <li class="item-a">A</li> + <li class="item-b">B + <ul class="level-3"> + <li class="item-1">1</li> + <li class="item-2">2</li> + <li class="item-3">3</li> + </ul> + </li> + <li class="item-c">C</li> + </ul> + </li> + <li class="item-iii">III</li> +</ul> ++
If we begin at the level-2 list, we can find its children:
+$('ul.level-2').children().css('background-color', 'red');
+The result of this call is a red background behind items A, B, and C. Since we do not supply a selector expression, all of the children are part of the returned jQuery object. If we had supplied one, only the matching items among these three would be included.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ body { font-size:16px; font-weight:bolder; }
+ div { width:130px; height:82px; margin:10px; float:left;
+ border:1px solid blue; padding:4px; }
+ #container { width:auto; height:105px; margin:0; float:none;
+ border:none; }
+ .hilite { border-color:red; }
+ #results { display:block; color:red; }
+ p { margin:10px; border:1px solid transparent; }
+ span { color:blue; border:1px solid transparent; }
+ input { width:100px; }
+ em { border:1px solid transparent; }
+ a { border:1px solid transparent; }
+ b { border:1px solid transparent; }
+ button { border:1px solid transparent; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div id="container">
+
+ <div>
+ <p>This <span>is the <em>way</em> we</span>
+ write <em>the</em> demo,</p>
+
+ </div>
+ <div>
+ <a href="#"><b>w</b>rit<b>e</b></a> the <span>demo,</span> <button>write
+ the</button> demo,
+ </div>
+
+ <div>
+ This <span>the way we <em>write</em> the <em>demo</em> so</span>
+
+ <input type="text" value="early" /> in
+ </div>
+ <p>
+ <span>t</span>he <span>m</span>orning.
+ <span id="results">Found <span>0</span> children in <span>TAG</span>.</span>
+
+ </p>
+ </div>
+<script>
+
+ $("#container").click(function (e) {
+ $("*").removeClass("hilite");
+ var $kids = $(e.target).children();
+ var len = $kids.addClass("hilite").length;
+
+ $("#results span:first").text(len);
+ $("#results span:last").text(e.target.tagName);
+
+ e.preventDefault();
+ return false;
+ });
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ body { font-size:16px; font-weight:bolder; }
+ span { color:blue; }
+ p { margin:5px 0; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello (this is a paragraph)</p>
+
+ <div><span>Hello Again (this span is a child of the a div)</span></div>
+ <p>And <span>Again</span> (in another paragraph)</p>
+
+ <div>And One Last <span>Time</span> (most text directly in a div)</div>
+<script>$("div").children().css("border-bottom", "3px double red");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ body { font-size:16px; font-weight:bolder; }
+ p { margin:5px 0; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>
+ <span>Hello</span>
+ <p class="selected">Hello Again</p>
+ <div class="selected">And Again</div>
+
+ <p>And One Last Time</p>
+ </div>
+<script>$("div").children(".selected").css("color", "blue");</script>
+</body>
+</html>
+Description: Selects all elements with the given class.
+For class selectors, jQuery uses JavaScript's native getElementsByClassName() function if the browser supports it.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div,span {
+ width: 100px;
+ height: 40px;
+ float:left;
+ padding: 10px;
+ margin: 10px;
+ background-color: #EEEEEE;
+ }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div class="notMe">div class="notMe"</div>
+
+ <div class="myClass">div class="myClass"</div>
+ <span class="myClass">span class="myClass"</span>
+<script>$(".myClass").css("border","3px solid red");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div,span {
+ width: 100px;
+ height: 40px;
+ float:left;
+ padding: 10px;
+ margin: 10px;
+ background-color: #EEEEEE;
+ }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div class=".myclass">div class="notMe"</div>
+
+ <div class="myclass otherclass">div class="myClass"</div>
+ <span class="myclass otherclass">span class="myClass"</span>
+<script>$(".myclass.otherclass").css("border","13px solid red");</script>
+</body>
+</html>
+Description: Remove from the queue all items that have not yet been run.
+queueNameA string containing the name of the queue. Defaults to fx, the standard effects queue.
When the .clearQueue() method is called, all functions on the queue that have not been executed are removed from the queue. When used without an argument, .clearQueue() removes the remaining functions from fx, the standard effects queue. In this way it is similar to .stop(true). However, while the .stop() method is meant to be used only with animations, .clearQueue() can also be used to remove any function that has been added to a generic jQuery queue with the .queue() method.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+div { margin:3px; width:40px; height:40px;
+ position:absolute; left:0px; top:30px;
+ background:green; display:none; }
+div.newcolor { background:blue; }
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button id="start">Start</button>
+<button id="stop">Stop</button>
+<div></div>
+<script>$("#start").click(function () {
+ $("div").show("slow");
+ $("div").animate({left:'+=200'},5000);
+ $("div").queue(function () {
+ $(this).addClass("newcolor");
+ $(this).dequeue();
+ });
+ $("div").animate({left:'-=200'},1500);
+ $("div").queue(function () {
+ $(this).removeClass("newcolor");
+ $(this).dequeue();
+ });
+ $("div").slideUp();
+});
+$("#stop").click(function () {
+ $("div").clearQueue();
+ $("div").stop();
+});</script>
+</body>
+</html>
+Description: Bind an event handler to the "click" JavaScript event, or trigger that event on an element.
+handler(eventObject)A function to execute each time the event is triggered.
+This method is a shortcut for .bind('click', handler) in the first variation, and .trigger('click') in the second.
The click event is sent to an element when the mouse pointer is over the element, and the mouse button is pressed and released. Any HTML element can receive this event.
For example, consider the HTML: +<div id="target"> + Click here +</div> +<div id="other"> + Trigger the handler +</div>+

The event handler can be bound to any <div>:
$('#target').click(function() {
+ alert('Handler for .click() called.');
+});
+Now if we click on this element, the alert is displayed:
+Handler for .click() called.
+We can also trigger the event when a different element is clicked:
+$('#other').click(function() {
+ $('#target').click();
+});
+After this code executes, clicks on Trigger the handler will also alert the message.
+The click event is only triggered after this exact series of events:
This is usually the desired sequence before taking an action. If this is not required, the mousedown or mouseup event may be more suitable.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { color:red; margin:5px; cursor:pointer; }
+ p.hilite { background:yellow; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>First Paragraph</p>
+
+ <p>Second Paragraph</p>
+ <p>Yet one more Paragraph</p>
+<script>
+ $("p").click(function () {
+ $(this).slideUp();
+ });
+ $("p").hover(function () {
+ $(this).addClass("hilite");
+ }, function () {
+ $(this).removeClass("hilite");
+ });
+</script>
+</body>
+</html>
+$("p").click();
+Description: Create a copy of the set of matched elements.
+withDataAndEventsA Boolean indicating whether event handlers should be copied along with the elements. As of jQuery 1.4 element data will be copied as well.
+The .clone() method, when used in conjunction with one of the insertion methods, is a convenient way to duplicate elements on a page. Consider the following HTML:
<div class="container"> + <div class="hello">Hello</div> + <div class="goodbye">Goodbye</div> +</div>+
As shown in the discussion for .append(), normally when we insert an element somewhere in the DOM, it is moved from its old location. So, given the code:
$('.hello').appendTo('.goodbye');
+The resulting DOM structure would be:
+<div class="container"> + <div class="goodbye"> + Goodbye + <div class="hello">Hello</div> + </div> +</div>+
To prevent this and instead create a copy of the element, we could write the following:
+$('.hello').clone().appendTo('.goodbye');
+This would produce:
+<div class="container"> + <div class="hello">Hello</div> + <div class="goodbye"> + Goodbye + <div class="hello">Hello</div> + </div> +</div>+
+Note that when using the
.clone()method, we can modify the cloned elements or their contents before (re-)inserting them into the document.
Normally, any event handlers bound to the original element are not copied to the clone. The optional withDataAndEvents parameter allows us to change this behavior, and to instead make copies of all of the event handlers as well, bound to the new copy of the element. As of jQuery 1.4, all element data (attached by the .data() method) is also copied to the new copy.
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <b>Hello</b><p>, how are you?</p>
+<script>$("b").clone().prependTo("p");</script>
+</body>
+</html>
+<b>Hello</b><p><b>Hello</b>, how are you?</p>
+Description: Get the first element that matches the selector, beginning at the current element and progressing up through the DOM tree.
+selectorA string containing a selector expression to match elements against.
+selectorA string containing a selector expression to match elements against.
+contextA DOM element within which a matching element may be found. If no context is passed in then the context of the jQuery set will be used instead.
+Given a jQuery object that represents a set of DOM elements, the .closest() method allows us to search through these elements and their ancestors in the DOM tree and construct a new jQuery object from the matching elements. The .parents() and .closest() methods are similar in that they both traverse up the DOM tree. The differences between the two, though subtle, are significant:
| .closest() | +.parents() | +
|---|---|
| Begins with the current element | +Begins with the parent element | +
| Travels up the DOM tree until it finds a match for the supplied selector | +Travels up the DOM tree to the document's root element, adding each ancestor element to a temporary collection; it then filters that collection based on a selector if one is supplied | +
| The returned jQuery object contains zero or one element | +The returned jQuery object contains zero, one, or multiple elements | +
+ <ul id="one" class="level-1"> + <li class="item-i">I</li> + <li id="ii" class="item-ii">II + <ul class="level-2"> + <li class="item-a">A</li> + <li class="item-b">B + <ul class="level-3"> + <li class="item-1">1</li> + <li class="item-2">2</li> + <li class="item-3">3</li> + </ul> + </li> + <li class="item-c">C</li> + </ul> + </li> + <li class="item-iii">III</li> +</ul> ++
Suppose we perform a search for <ul> elements starting at item A:
+$('li.item-a').closest('ul')
+ .css('background-color', 'red');
+
+This will change the color of the level-2 <ul>, since it is the first encountered when traveling up the DOM tree.
Suppose we search for an <li> element instead:
$('li.item-a').closest('li')
+ .css('background-color', 'red');
+
+This will change the color of list item A. The .closest() method begins its search with the element itself before progressing up the DOM tree, and stops when item A matches the selector.
We can pass in a DOM element as the context within which to search for the closest element.
+var listItemII = document.getElementById('ii');
+$('li.item-a').closest('ul', listItemII)
+ .css('background-color', 'red');
+$('li.item-a').closest('#one', listItemII)
+ .css('background-color', 'green');
+This will change the color of the level-2 <ul>, because it is both the first <ul> ancestor of list item A and a descendant of list item II. It will not change the color of the level-1 <ul>, however, because it is not a descendant of list item II.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ li { margin: 3px; padding: 3px; background: #EEEEEE; }
+ li.hilight { background: yellow; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <ul>
+<li><b>Click me!</b></li>
+<li>You can also <b>Click me!</b></li>
+</ul>
+<script>
+
+ $(document).bind("click", function (e) {
+ $(e.target).closest("li").toggleClass("hilight");
+ });
+</script>
+</body>
+</html>
+Description: Gets an array of all the elements and selectors matched against the current element up through the DOM tree.
+selectorsAn array of string containing a selector expression to match elements against (can also be a jQuery object).
+contextA DOM element within which a matching element may be found. If no context is passed in then the context of the jQuery set will be used instead.
+This method is primarily meant to be used internally or by plugin authors.
<!DOCTYPE html>
+<html>
+<head>
+ <style></style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <ul><li></li><li></li></ul>
+<script>var close = $("li:first").closest(["ul", "body"]);
+$.each(close, function(i){
+ $("li").eq(i).html( this.selector + ": " + this.elem.nodeName );
+});</script>
+</body>
+</html>
+Description: Select all elements that contain the specified text.
+The matching text can appear directly within the selected element, in any of that element's descendants, or a combination thereof. As with attribute value selectors, text inside the parentheses of :contains() can be written as bare words or surrounded by quotation marks. The text must have matching case to be selected.
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+<div>John Resig</div>
+
+<div>George Martin</div>
+<div>Malcom John Sinclair</div>
+<div>J. Ohn</div>
+
+
+<script>
+$("div:contains('John')").css("text-decoration", "underline");
+ </script>
+</body>
+</html>
+Description: Get the children of each element in the set of matched elements, including text nodes.
+Given a jQuery object that represents a set of DOM elements, the .contents() method allows us to search through the immediate children of these elements in the DOM tree and construct a new jQuery object from the matching elements. The .contents() and .children() methods are similar, except that the former includes text nodes as well as HTML elements in the resulting jQuery object.
The .contents() method can also be used to get the content document of an iframe, if the iframe is on the same domain as the main page.
Consider a simple <div> with a number of text nodes, each of which is separated by two line break elements (<br />):
<div class="container"> + Lorem ipsum dolor sit amet, consectetur adipisicing elit, sed + do eiusmod tempor incididunt ut labore et dolore magna aliqua. + <br /><br /> + Ut enim ad minim veniam, quis nostrud exercitation ullamco + laboris nisi ut aliquip ex ea commodo consequat. + <br /> <br /> + Duis aute irure dolor in reprehenderit in voluptate velit + esse cillum dolore eu fugiat nulla pariatur. +</div> ++
We can employ the .contents() method to help convert this blob of text into three well-formed paragraphs:
+$('.container').contents().filter(function() {
+ return this.nodeType == 3;
+})
+ .wrap('<p></p>')
+.end()
+.filter('br')
+ .remove();
+
+This code first retrieves the contents of <div class="container"> and then filters it for text nodes, which are wrapped in paragraph tags. This is accomplished by testing the .nodeType property of the element. This DOM property holds a numeric code indicating the node's type; text nodes use the code 3. The contents are again filtered, this time for <br /> elements, and these elements are removed.
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello <a href="http://ejohn.org/">John</a>, how are you doing?</p>
+<script>$("p").contents().filter(function(){ return this.nodeType != 1; }).wrap("<b/>");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <iframe src="http://api.jquery.com/" width="80%" height="600" id='frameDemo'></iframe>
+<script>$("#frameDemo").contents().find("a").css("background-color","#BADA55");</script>
+</body>
+</html>
+Description: The DOM node context originally passed to jQuery(); if none was passed then context will likely be the document.
+The .live() method for binding event handlers uses this property to determine the root element to use for its event delegation needs. Plug-ins which perform similar tasks may also find the property useful.
+The value of this property is typically equal to document, as this is the default context for jQuery objects if none is supplied. The context may differ if, for example, the object was created by searching within an <iframe> or XML document.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ body { cursor:pointer; }
+ div { width:50px; height:30px; margin:5px; float:left;
+ background:green; }
+ span { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ Context:<ul></ul>
+<script>$("ul")
+ .append("<li>" + $("ul").context + "</li>")
+ .append("<li>" + $("ul", document.body).context.nodeName + "</li>");
+
+</script>
+</body>
+</html>
+Description: Get the value of a style property for the first element in the set of matched elements.
+propertyNameA CSS property.
+The .css() method is a convenient way to get a style property from the first matched element, especially in light of the different ways browsers access most of those properties (the getComputedStyle() method in standards-based browsers versus the currentStyle and runtimeStyle properties in Internet Explorer) and the different terms browsers use for certain properties. For example, Internet Explorer's DOM implementation refers to the float property as styleFloat, while W3C standards-compliant browsers refer to it as cssFloat. The .css() method accounts for such differences, producing the same result no matter which term we use. For example, an element that is floated left will return the string left for each of the following three lines:
$('div.left').css('float');$('div.left').css('cssFloat');$('div.left').css('styleFloat');Also, jQuery can equally interpret the CSS and DOM formatting of multiple-word properties. For example, jQuery understands and returns the correct value for both .css('background-color') and .css('backgroundColor').
Shorthand CSS properties (e.g. margin, background, border) are not supported. For example, if you want to retrieve the rendered margin, use: $(elem).css('marginTop') and $(elem).css('marginRight'), and so on.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+div { width:60px; height:60px; margin:5px; float:left; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+<span id="result"> </span>
+<div style="background-color:blue;"></div>
+<div style="background-color:rgb(15,99,30);"></div>
+
+<div style="background-color:#123456;"></div>
+<div style="background-color:#f11;"></div>
+<script>
+$("div").click(function () {
+ var color = $(this).css("background-color");
+ $("#result").html("That div is <span style='color:" +
+ color + ";'>" + color + "</span>.");
+});
+
+</script>
+</body>
+</html>
+Description: Set one or more CSS properties for the set of matched elements.
+propertyNameA CSS property name.
+valueA value to set for the property.
+propertyNameA CSS property name.
+function(index, value)A function returning the value to set. Receives the index position of the element in the set and the old value as arguments.
+mapA map of property-value pairs to set.
+As with the .attr() method, the .css() method makes setting properties of elements quick and easy. This method can take either a property name and value as separate parameters, or a single map of key-value pairs (JavaScript object notation).
Also, jQuery can equally interpret the CSS and DOM formatting of multiple-word properties. For example, jQuery understands and returns the correct value for both .css({'background-color': '#ffe', 'border-left': '5px solid #ccc'}) and .css({backgroundColor: '#ffe', borderLeft: '5px solid #ccc'}). Notice that with the DOM notation, quotation marks around the property names are optional, but with CSS notation they're required due to the hyphen in the name.
As with .attr(), .css() allows us to pass a function as the property value:
$('div.example').css('width', function(index) {
+ return index * 50;
+});
+This example sets the widths of the matched elements to incrementally larger values.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { color:blue; width:200px; font-size:14px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+ <p>Just roll the mouse over me.</p>
+
+ <p>Or me to see a color change.</p>
+
+<script>
+ $("p").mouseover(function () {
+ $(this).css("color","red");
+ });
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { color:blue; font-weight:bold; cursor:pointer; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+<p>
+ Once upon a time there was a man
+ who lived in a pizza parlor. This
+ man just loved pizza and ate it all
+ the time. He went on to be the
+ happiest man in the world. The end.
+</p>
+<script>
+ var words = $("p:first").text().split(" ");
+ var text = words.join("</span> <span>");
+ $("p:first").html("<span>" + text + "</span>");
+ $("span").click(function () {
+ $(this).css("background-color","yellow");
+ });
+
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { color:green; }
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+ <p>Move the mouse over a paragraph.</p>
+ <p>Like this one or the one above.</p>
+
+<script>
+ $("p").hover(function () {
+ $(this).css({'background-color' : 'yellow', 'font-weight' : 'bolder'});
+ }, function () {
+ var cssObj = {
+ 'background-color' : '#ddd',
+ 'font-weight' : '',
+ 'color' : 'rgb(0,40,244)'
+ }
+ $(this).css(cssObj);
+ });
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { width: 20px; height: 15px; background-color: #f33; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+ <div>click</div>
+ <div>click</div>
+
+<script>
+ $("div").click(function() {
+ $(this).css({
+ width: function(index, value) {
+ return parseFloat(value) * 1.2;
+ },
+ height: function(index, value) {
+ return parseFloat(value) * 1.2;
+ }
+
+ });
+ });
+</script>
+</body>
+</html>
+Description: Store arbitrary data associated with the matched elements.
+keyA string naming the piece of data to set.
+valueThe new data value; it can be any Javascript type including Array or Object.
+objAn object of key-value pairs of data to set.
+The .data() method allows us to attach data of any type to DOM elements in a way that is safe from circular references and therefore from memory leaks.
We can set several distinct values for a single element and retrieve them later:
+
+$('body').data('foo', 52);
+$('body').data('bar', { myType: 'test', count: 40 });
+
+$('body').data('foo'); // 52
+$('body').data(); // {foo: 52, bar: { myType: 'test', count: 40 }}
+
+Setting an element's data object with .data(obj) replaces all data previously stored with that element. If you are using third-party plugins it may not be advisable to completely replace the element's data object, since plugins may have also set data. Until jQuery 1.4.2, jQuery itself used the .data() method to save information about events that have been bound to the element, using a data item named 'events'.
+$('body').data('foo', 52);
+$('body').data({one: 1, two: 2});
+
+$('body').data('foo'); // undefined
+$('body').data(); // {one: 1, two: 2}
+
+Due to the way browsers interact with plugins and external code, the .data() method cannot be used on <object>, <applet> or <embed> elements.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { color:blue; }
+ span { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>
+ The values stored were
+ <span></span>
+ and
+ <span></span>
+ </div>
+<script>
+$("div").data("test", { first: 16, last: "pizza!" });
+$("span:first").text($("div").data("test").first);
+$("span:last").text($("div").data("test").last);
+</script>
+</body>
+</html>
+Description: Returns value at named data store for the element, as set by data(name, value).
+ +The .data() method allows us to attach data of any type to DOM elements in a way that is safe from circular references and therefore from memory leaks. We can retrieve several distinct values for a single element one at a time, or as a set:
+alert($('body').data('foo'));
+alert($('body').data());
+
+The above lines alert the data values that were set on the body element. If nothing was set on that element, an empty string is returned:
Calling .data() with no parameters retrieves all of the values as a JavaScript object. This object can be safely cached in a variable as long as a new object is not set with .data(obj).
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { margin:5px; background:yellow; }
+ button { margin:5px; font-size:14px; }
+ p { margin:5px; color:blue; }
+ span { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>A div</div>
+ <button>Get "blah" from the div</button>
+ <button>Set "blah" to "hello"</button>
+
+ <button>Set "blah" to 86</button>
+ <button>Remove "blah" from the div</button>
+ <p>The "blah" value of this div is <span>?</span></p>
+<script>
+$("button").click(function(e) {
+ var value;
+
+ switch ($("button").index(this)) {
+ case 0 :
+ value = $("div").data("blah");
+ break;
+ case 1 :
+ $("div").data("blah", "hello");
+ value = "Stored!";
+ break;
+ case 2 :
+ $("div").data("blah", 86);
+ value = "Stored!";
+ break;
+ case 3 :
+ $("div").removeData("blah");
+ value = "Removed!";
+ break;
+ }
+
+ $("span").text("" + value);
+});
+
+</script>
+</body>
+</html>
+Description: Bind an event handler to the "dblclick" JavaScript event, or trigger that event on an element.
+handler(eventObject)A function to execute each time the event is triggered.
+This method is a shortcut for .bind('dblclick', handler) in the first variation, and .trigger('dblclick') in the second.
+The dblclick event is sent to an element when the element is double-clicked. Any HTML element can receive this event.
+For example, consider the HTML:
<div id="target"> + Double-click here +</div> +<div id="other"> + Trigger the handler +</div>+

The event handler can be bound to any <div>:
$('#target').dblclick(function() {
+ alert('Handler for .dblclick() called.');
+});
+Now if we double-click on this element, the alert is displayed:
+Handler for .dblclick() called.
+We can also trigger the event when a different element is clicked:
+$('#other').click(function() {
+ $('#target').dblclick();
+});
+After this code executes, (single) clicks on Trigger the handler will also alert the message.
+The dblclick event is only triggered after this exact series of events:
It is inadvisable to bind handlers to both the click and dblclick events for the same element. The sequence of events triggered varies from browser to browser, with some receiving two click events and others only one. If an interface that reacts differently to single- and double-clicks cannot be avoided, then the dblclick event should be simulated within the click handler. We can achieve this by saving a timestamp in the handler, and then comparing the current time to the saved timestamp on subsequent clicks. If the difference is small enough, we can treat the click as a double-click.
+
$("p").dblclick( function () { alert("Hello World!"); });
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ div { background:blue;
+ color:white;
+ height:100px;
+ width:150px;
+ }
+ div.dbl { background:yellow;color:black; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div></div><span>Double click the block</span>
+<script>
+ var divdbl = $("div:first");
+ divdbl.dblclick(function () {
+ divdbl.toggleClass('dbl');
+ });
+
+</script>
+</body>
+</html>
+Description: Set a timer to delay execution of subsequent items in the queue.
+durationAn integer indicating the number of milliseconds to delay execution of the next item in the queue.
+queueNameA string containing the name of the queue. Defaults to fx, the standard effects queue.
Added to jQuery in version 1.4, the .delay() method allows us to delay the execution of functions that follow it in the queue. It can be used with the standard effects queue or with a custom queue.
Durations are given in milliseconds; higher values indicate slower animations, not faster ones. The strings 'fast' and 'slow' can be supplied to indicate durations of 200 and 600 milliseconds, respectively.
Using the standard effects queue, we can, for example, set an 800-millisecond delay between the .slideUp() and .fadeIn() of <div id="foo">:
$('#foo').slideUp(300).delay(800).fadeIn(400);
+When this statement is executed, the element slides up for 300 milliseconds and then pauses for 800 milliseconds before fading in for 400 milliseconds.
+jQuery.delay() is best for delaying between queued jQuery effects and such, and is not a replacement for JavaScript's native setTimeout function, which may be more appropriate for certain use cases.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+div { width: 60px; height: 60px; float: left; }
+.first { background-color: #3f3; }
+.second { background-color: #33f;}
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+<p><button>Run</button></p>
+<div class="first"></div>
+<div class="second"></div>
+
+<script>
+ $("button").click(function() {
+ $("div.first").slideUp(300).delay(800).fadeIn(400);
+ $("div.second").slideUp(300).fadeIn(400);
+ });
+</script>
+</body>
+</html>
+Description: Attach a handler to one or more events for all elements that match the selector, now or in the future, based on a specific set of root elements.
+selectorA selector to filter the elements that trigger the event.
+eventTypeA string containing one or more space-separated JavaScript event types, such as "click" or "keydown," or custom event names.
+handlerA function to execute at the time the event is triggered.
+selectorA selector to filter the elements that trigger the event.
+eventTypeA string containing one or more space-separated JavaScript event types, such as "click" or "keydown," or custom event names.
+eventDataA map of data that will be passed to the event handler.
+handlerA function to execute at the time the event is triggered.
+Delegate is an alternative to using the .live() method, allowing for each binding of event delegation to specific DOM elements. For example the following delegate code:
+$("table").delegate("td", "hover", function(){
+ $(this).toggleClass("hover");
+});
+Is equivalent to the following code written using .live():
$("table").each(function(){
+ $("td", this).live("hover", function(){
+ $(this).toggleClass("hover");
+ });
+});
+See also the .undelegate() method for a way of removing event handlers added in .delegate().
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { background:yellow; font-weight:bold; cursor:pointer;
+ padding:5px; }
+ p.over { background: #ccc; }
+ span { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Click me!</p>
+
+ <span></span>
+<script>
+ $("body").delegate("p", "click", function(){
+ $(this).after("<p>Another paragraph!</p>");
+ });
+</script>
+</body>
+</html>
+$("body").delegate("p", "click", function(){
+ alert( $(this).text() );
+});
+$("body").delegate("a", "click", function() { return false; })
+$("body").delegate("a", "click", function(event){
+ event.preventDefault();
+});
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { color:red; }
+ span { color:blue; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Has an attached custom event.</p>
+ <button>Trigger custom event</button>
+ <span style="display:none;"></span>
+<script>
+
+ $("body").delegate("p", "myCustomEvent", function(e, myName, myValue){
+ $(this).text("Hi there!");
+ $("span").stop().css("opacity", 1)
+ .text("myName = " + myName)
+ .fadeIn(30).fadeOut(1000);
+ });
+ $("button").click(function () {
+ $("p").trigger("myCustomEvent");
+ });
+
+</script>
+</body>
+</html>
+Description: Execute the next function on the queue for the matched elements.
+queueNameA string containing the name of the queue. Defaults to fx, the standard effects queue.
When .dequeue() is called, the next function on the queue is removed from the queue, and then executed. This function should in turn (directly or indirectly) cause .dequeue() to be called, so that the sequence can continue.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { margin:3px; width:50px; position:absolute;
+ height:50px; left:10px; top:30px;
+ background-color:yellow; }
+ div.red { background-color:red; }
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button>Start</button>
+<div></div>
+<script>
+$("button").click(function () {
+ $("div").animate({left:'+=200px'}, 2000);
+ $("div").animate({top:'0px'}, 600);
+ $("div").queue(function () {
+ $(this).toggleClass("red");
+ $(this).dequeue();
+ });
+ $("div").animate({left:'10px', top:'30px'}, 700);
+});
+</script>
+</body>
+</html>
+Description: Selects all elements that are descendants of a given ancestor.
+A descendant of an element could be a child, grandchild, great-grandchild, and so on, of that element.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ body { font-size:14px; }
+ form { border:2px green solid; padding:2px; margin:0;
+ background:#efe; }
+ div { color:red; }
+ fieldset { margin:1px; padding:3px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <form>
+ <div>Form is surrounded by the green outline</div>
+ <label>Child:</label>
+ <input name="name" />
+
+ <fieldset>
+ <label>Grandchild:</label>
+ <input name="newsletter" />
+ </fieldset>
+
+ </form>
+ Sibling to form: <input name="none" />
+<script>$("form input").css("border", "2px dotted blue");</script>
+</body>
+</html>
+Description: Remove the set of matched elements from the DOM.
+selectorA selector expression that filters the set of matched elements to be removed.
+The .detach() method is the same as .remove(), except that .detach() keeps all jQuery data associated with the removed elements. This method is useful when removed elements are to be reinserted into the DOM at a later time.
<!DOCTYPE html>
+<html>
+<head>
+ <style>p { background:yellow; margin:6px 0; } p.off { background: black; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p>
+ how are
+ <p>you?</p>
+ <button>Attach/detach paragraphs</button>
+<script>
+ $("p").click(function(){
+ $(this).toggleClass("off");
+ });
+ var p;
+ $("button").click(function(){
+ if ( p ) {
+ p.appendTo("body");
+ p = null;
+ } else {
+ p = $("p").detach();
+ }
+ });</script>
+</body>
+</html>
+Description: Remove all event handlers previously attached using .live() from the elements.
+Any handler that has been attached with .live() can be removed with .die(). This method is analogous to calling .unbind() with no arguments, which is used to remove all handlers attached with .bind().
+See the discussions of .live() and .unbind() for further details.
Description: Remove an event handler previously attached using .live() from the elements.
+eventTypeA string containing a JavaScript event type, such as click or keydown.
handlerThe function that is to be no longer executed.
+Any handler that has been attached with .live() can be removed with .die(). This method is analogous to .unbind(), which is used to remove handlers attached with .bind().
+See the discussions of .live() and .unbind() for further details.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+button { margin:5px; }
+button#theone { color:red; background:yellow; }
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button id="theone">Does nothing...</button>
+<button id="bind">Bind Click</button>
+<button id="unbind">Unbind Click</button>
+
+<div style="display:none;">Click!</div>
+<script>
+
+function aClick() {
+ $("div").show().fadeOut("slow");
+}
+$("#bind").click(function () {
+ $("#theone").live("click", aClick)
+ .text("Can Click!");
+});
+$("#unbind").click(function () {
+ $("#theone").die("click", aClick)
+ .text("Does nothing...");
+});
+
+</script>
+</body>
+</html>
+$("p").die()
+$("p").die( "click" )
+var foo = function () {
+// code to handle some kind of event
+};
+
+$("p").live("click", foo); // ... now foo will be called when paragraphs are clicked ...
+
+$("p").die("click", foo); // ... foo will no longer be called.
+Description: Selects all elements that are disabled.
+As with other pseudo-class selectors (those that begin with a ":") it is recommended to precede it with a tag name or some other selector; otherwise, the universal selector ("*") is implied. In other words, the bare $(':disabled') is equivalent to $('*:disabled'), so $('input:disabled') should be used instead.
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <form>
+
+ <input name="email" disabled="disabled" />
+ <input name="id" />
+ </form>
+<script>$("input:disabled").val("this is it");</script>
+</body>
+</html>
+Description: Iterate over a jQuery object, executing a function for each matched element.
+function(index, Element)A function to execute for each matched element.
+The .each() method is designed to make DOM looping constructs concise and less error-prone. When called it iterates over the DOM elements that are part of the jQuery object. Each time the callback runs, it is passed the current loop iteration, beginning from 0. More importantly, the callback is fired in the context of the current DOM element, so the keyword this refers to the element.
Suppose we had a simple unordered list on the page:
+<ul> + <li>foo</li> + <li>bar</li> + </ul> ++
We can select the list items and iterate across them:
+$('li').each(function(index) {
+ alert(index + ': ' + $(this).text());
+ });
+
+A message is thus alerted for each item in the list:
+0: foo
1: bar
We can stop the loop from within the callback function by returning false.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { color:red; text-align:center; cursor:pointer;
+ font-weight:bolder; width:300px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>Click here</div>
+
+ <div>to iterate through</div>
+ <div>these divs.</div>
+<script>
+ $(document.body).click(function () {
+ $("div").each(function (i) {
+ if (this.style.color != "blue") {
+ this.style.color = "blue";
+ } else {
+ this.style.color = "";
+ }
+ });
+ });</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ ul { font-size:18px; margin:0; }
+ span { color:blue; text-decoration:underline; cursor:pointer; }
+ .example { font-style:italic; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ To do list: <span>(click here to change)</span>
+ <ul>
+ <li>Eat</li>
+ <li>Sleep</li>
+
+ <li>Be merry</li>
+ </ul>
+<script>
+ $("span").click(function () {
+ $("li").each(function(){
+ $(this).toggleClass("example");
+ });
+ });
+
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { width:40px; height:40px; margin:5px; float:left;
+ border:2px blue solid; text-align:center; }
+ span { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button>Change colors</button>
+ <span></span>
+ <div></div>
+ <div></div>
+
+ <div></div>
+ <div></div>
+ <div id="stop">Stop here</div>
+ <div></div>
+
+ <div></div>
+ <div></div>
+<script>
+ $("button").click(function () {
+ $("div").each(function (index, domEle) {
+ // domEle == this
+ $(domEle).css("backgroundColor", "yellow");
+ if ($(this).is("#stop")) {
+ $("span").text("Stopped at div index #" + index);
+ return false;
+ }
+ });
+ });
+
+</script>
+</body>
+</html>
+Description: Selects all elements with the given tag name.
+JavaScript's getElementsByTagName() function is called to return the appropriate elements when this expression is used.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div,span {
+ width: 60px;
+ height: 60px;
+ float:left;
+ padding: 10px;
+ margin: 10px;
+ background-color: #EEEEEE;
+ }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>DIV1</div>
+
+ <div>DIV2</div>
+ <span>SPAN</span>
+<script>$("div").css("border","9px solid red");</script>
+</body>
+</html>
+Description: Select all elements that have no children (including text nodes).
+This is the inverse of :parent.
One important thing to note with :empty (and :parent) is that child elements include text nodes.
+The W3C recommends that the <p> element have at least one child node, even if that child is merely text (see http://www.w3.org/TR/html401/struct/text.html#edef-P). Some other elements, on the other hand, are empty (i.e. have no children) by definition: <input>, <img>, <br>, and <hr>, for example.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ td { text-align:center; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <table border="1">
+ <tr><td>TD #0</td><td></td></tr>
+ <tr><td>TD #2</td><td></td></tr>
+
+ <tr><td></td><td>TD#5</td></tr>
+ </table>
+<script>$("td:empty").text("Was empty!").css('background', 'rgb(255,220,200)');</script>
+</body>
+</html>
+Description: Remove all child nodes of the set of matched elements from the DOM.
+This method removes not only child (and other descendant) elements, but also any text within the set of matched elements. This is because, according to the DOM specification, any string of text within an element is considered a child node of that element. Consider the following HTML:
+<div class="container"> + <div class="hello">Hello</div> + <div class="goodbye">Goodbye</div> +</div>+
We can target any element for removal:
+$('.hello').empty();
+This will result in a DOM structure with the Hello text deleted:
<div class="container"> + <div class="hello"></div> + <div class="goodbye">Goodbye</div> +</div>+
If we had any number of nested elements inside <div class="hello">, they would be removed, too. Other jQuery constructs such as data or event handlers are erased as well.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { background:yellow; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>
+ Hello, <span>Person</span> <a href="javascript:;">and person</a>
+ </p>
+
+ <button>Call empty() on above paragraph</button>
+<script>
+ $("button").click(function () {
+ $("p").empty();
+ });
+
+</script>
+</body>
+</html>
+Description: Selects all elements that are enabled.
+As with other pseudo-class selectors (those that begin with a ":") it is recommended to precede it with a tag name or some other selector; otherwise, the universal selector ("*") is implied. In other words, the bare $(':enabled') is equivalent to $('*:enabled'), so $('input:enabled') should be used instead.
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <form>
+
+ <input name="email" disabled="disabled" />
+ <input name="id" />
+ </form>
+<script>$("input:enabled").val("this is it");</script>
+</body>
+</html>
+Description: End the most recent filtering operation in the current chain and return the set of matched elements to its previous state.
+Most of the methods in this chapter operate on a jQuery object and produce a new one, matching a different set of DOM elements. When this happens, it is as if the new set of elements is pushed onto a stack that is maintained inside the object. Each successive filtering method pushes a new element set onto the stack. If we need an older element set, we can use end() to pop the sets back off of the stack.
Suppose we have a couple short lists on a page:
++<ul class="first"> + <li class="foo">list item 1</li> + <li>list item 2</li> + <li class="bar">list item 3</li> +</ul> +<ul class="second"> + <li class="foo">list item 1</li> + <li>list item 2</li> + <li class="bar">list item 3</li> +</ul> ++
The end() method is useful primarily when exploiting jQuery's chaining properties. When not using chaining, we can usually just call up a previous object by variable name, so we don't need to manipulate the stack. With end(), though, we can string all the method calls together:
+$('ul.first').find('.foo').css('background-color', 'red')
+ .end().find('.bar').css('background-color', 'green');
+
+This chain searches for items with the class foo within the first list only and turns their backgrounds red. Then end() returns the object to its state before the call to find(), so the second find() looks for '.bar' inside <ul class="first">, not just inside that list's <li class="foo">, and turns the matching elements' backgrounds green. The net result is that items 1 and 3 of the first list have a colored background, and none of the items from the second list do.
A long jQuery chain can be visualized as a structured code block, with filtering methods providing the openings of nested blocks and end() methods closing them:
+$('ul.first').find('.foo')
+ .css('background-color', 'red')
+.end().find('.bar')
+ .css('background-color', 'green')
+.end();
+
+The last end() is unnecessary, as we are discarding the jQuery object immediately thereafter. However, when the code is written in this form, the end() provides visual symmetry and closure—making the program, at least to the eyes of some developers, more readable.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p, div { margin:1px; padding:1px; font-weight:bold;
+ font-size:16px; }
+ div { color:blue; }
+ b { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>
+ Hi there <span>how</span> are you <span>doing</span>?
+ </p>
+
+ <p>
+ This <span>span</span> is one of
+ several <span>spans</span> in this
+ <span>sentence</span>.
+ </p>
+
+ <div>
+ Tags in jQuery object initially: <b></b>
+ </div>
+ <div>
+ Tags in jQuery object after find: <b></b>
+
+ </div>
+ <div>
+ Tags in jQuery object after end: <b></b>
+ </div>
+<script>
+
+ jQuery.fn.showTags = function (n) {
+ var tags = this.map(function () {
+ return this.tagName;
+ })
+ .get().join(", ");
+ $("b:eq(" + n + ")").text(tags);
+ return this;
+ };
+
+ $("p").showTags(0)
+ .find("span")
+ .showTags(1)
+ .css("background", "yellow")
+ .end()
+ .showTags(2)
+ .css("font-style", "italic");
+
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>p { margin:10px; padding:10px; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p><span>Hello</span>, how are you?</p>
+<script>$("p").find("span").end().css("border", "2px red solid");</script>
+</body>
+</html>
+Description: Select the element at index n within the matched set.
+The index-related selectors (:eq(), :lt(), :gt(), :even, :odd) filter the set of elements that have matched the expressions that precede them. They narrow the set down based on the order of the elements within this matched set. For example, if elements are first selected with a class selector (.myclass) and four elements are returned, these elements are given indices 0 through 3 for the purposes of these selectors.
Note that since JavaScript arrays use 0-based indexing, these selectors reflect that fact. This is why $('.myclass:eq(1)') selects the second element in the document with the class myclass, rather than the first. In contrast, :nth-child(n) uses 1-based indexing to conform to the CSS specification.
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <table border="1">
+ <tr><td>TD #0</td><td>TD #1</td><td>TD #2</td></tr>
+ <tr><td>TD #3</td><td>TD #4</td><td>TD #5</td></tr>
+ <tr><td>TD #6</td><td>TD #7</td><td>TD #8</td></tr>
+</table>
+<script>$("td:eq(2)").css("color", "red");</script>
+</body>
+</html>
+Description: Reduce the set of matched elements to the one at the specified index.
+indexAn integer indicating the 0-based position of the element.
+-indexAn integer indicating the position of the element, counting backwards from the last element in the set.
+Given a jQuery object that represents a set of DOM elements, the .eq() method constructs a new jQuery object from one of the matching elements. The supplied index identifies the position of this element in the set.
Consider a page with a simple list on it:
++ <ul> + <li>list item 1</li> + <li>list item 2</li> + <li>list item 3</li> + <li>list item 4</li> + <li>list item 5</li> + </ul> ++
We can apply this method to the set of list items:
+
+ $('li').eq(2).css('background-color', 'red');
+
+The result of this call is a red background for item 3. Note that the supplied index is zero-based, and refers to the position of the element within the jQuery object, not within the DOM tree.
+If a negative number is provided, this indicates a position starting from the end of the set, rather than the beginning. For example:
+
+ $('li').eq(-2).css('background-color', 'red');
+
+This time list item 4 is turned red, since it is two from the end of the set.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { width:60px; height:60px; margin:10px; float:left;
+ border:2px solid blue; }
+ .blue { background:blue; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div></div>
+ <div></div>
+ <div></div>
+
+ <div></div>
+ <div></div>
+ <div></div>
+<script>
+
+ $("div").eq(2).addClass("blue");
+</script>
+</body>
+</html>
+Description: Bind an event handler to the "error" JavaScript event.
+handler(eventObject)A function to execute when the event is triggered.
+This method is a shortcut for .bind('error', handler).
The error event is sent to elements, such as images, that are referenced by a document and loaded by the browser. It is called if the element was not loaded correctly.
For example, consider a page with a simple image:
+<img src="missing.png" alt="Book" id="book" />+
The event handler can be bound to the image:
+$('#book').error(function() {
+ alert('Handler for .error() called.')
+});
+
+If the image cannot be loaded (for example, because it is not present at the supplied URL), the alert is displayed:
+Handler for .error() called.
+++This event may not be correctly fired when the page is served locally. Since
+errorrelies on normal HTTP status codes, it will generally not be triggered if the URL uses thefile:protocol.
$(window).error(function(msg, url, line){
+ jQuery.post("js_error_log.php", { msg: msg, url: url, line: line });
+});
+$(window).error(function(){
+ return true;
+});
+$("img").error(function(){
+ $(this).hide();
+});
+Description: Selects even elements, zero-indexed. See also odd.
+In particular, note that the 0-based indexing means that, counter-intuitively, :even selects the first element, third element, and so on within the matched set.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ table {
+ background:#eeeeee;
+ }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <table border="1">
+ <tr><td>Row with Index #0</td></tr>
+ <tr><td>Row with Index #1</td></tr>
+
+ <tr><td>Row with Index #2</td></tr>
+ <tr><td>Row with Index #3</td></tr>
+ </table>
+<script>$("tr:even").css("background-color", "#bbbbff");</script>
+</body>
+</html>
+Description: The current DOM element within the event bubbling phase.
+This property will always be equal to the this of the function.
$("p").click(function(event) {
+ alert( event.currentTarget === this ); // true
+});
+Description: Contains the optional data passed to jQuery.fn.bind when the current executing handler was bound.
+$("a").each(function(i) {
+ $(this).bind('click', {index:i}, function(e){
+ alert('my index is ' + e.data.index);
+ });
+});
+Description: Returns whether event.preventDefault() was ever called on this event object.
+$("a").click(function(event){
+ alert( event.isDefaultPrevented() ); // false
+ event.preventDefault();
+ alert( event.isDefaultPrevented() ); // true
+});
+Description: Returns whether event.stopImmediatePropagation() was ever called on this event object.
+This property was introduced in DOM level 3.
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+<script>$("p").click(function(event){
+ alert( event.isImmediatePropagationStopped() );
+ event.stopImmediatePropagation();
+ alert( event.isImmediatePropagationStopped() );
+}); </script>
+</body>
+</html>
+
+Description: Returns whether event.stopPropagation() was ever called on this event object.
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+<script>$("p").click(function(event){
+ alert( event.isPropagationStopped() );
+ event.stopPropagation();
+ alert( event.isPropagationStopped() );
+}); </script>
+</body>
+</html>
+
+Description: The mouse position relative to the left edge of the document.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>body {background-color: #eef; }
+div { padding: 20px; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div id="log"></div>
+<script>$(document).bind('mousemove',function(e){
+ $("#log").text("e.pageX: " + e.pageX + ", e.pageY: " + e.pageY);
+}); </script>
+</body>
+</html>
+Description: The mouse position relative to the top edge of the document.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>body {background-color: #eef; }
+div { padding: 20px; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div id="log"></div>
+<script>$(document).bind('mousemove',function(e){
+ $("#log").text("e.pageX: " + e.pageX + ", e.pageY: " + e.pageY);
+}); </script>
+</body>
+</html>
+Description: If this method is called, the default action of the event will not be triggered.
+For example, clicked anchors will not take the browser to a new URL. We can use event.isDefaultPrevented() to determine if this method has been called by an event handler that was triggered by this event.
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+<a href="http://jquery.com">default click action is prevented</a>
+<div id="log"></div>
+
+<script>
+$("a").click(function(event) {
+ event.preventDefault();
+ $('<div/>')
+ .append('default ' + event.type + ' prevented')
+ .appendTo('#log');
+});
+</script>
+</body>
+</html>
+Description: This attribute contains the last value returned by an event handler that was triggered by this event, unless the value was undefined.
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+<script>$("p").click(function(event) {
+ return "hey"
+});
+$("p").click(function(event) {
+ alert( event.result );
+}); </script>
+</body>
+</html>
+"hey"
+Description: Keeps the rest of the handlers from being executed. +
+This method also stops the bubbling by implicitly calling event.stopPropagation(). Use event.isImmediatePropagationStopped() to know whether this method was ever called (on that event object).
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+p { height: 30px; width: 150px; background-color: #ccf; }
+div {height: 30px; width: 150px; background-color: #cfc; }
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>paragraph</p>
+<div>division</div>
+<script>
+$("p").click(function(event){
+ event.stopImmediatePropagation();
+});
+$("p").click(function(event){
+ // This function won't be executed
+ $(this).css("background-color", "#f00");
+});
+$("div").click(function(event) {
+ // This function will be executed
+ $(this).css("background-color", "#f00");
+});</script>
+</body>
+</html>
+Description: This method prevents the event from bubbling up the DOM tree, preventing any parent handlers from being notified of the event.
+We can use .isPropagationStopped() to determine if this method has been called by an event handler that was triggered by this event.
This method works for custom events triggered with trigger(), as well.
+Note that this will not prevent other handlers on the same element from running. Use the method event.isPropagationStopped() to know whether this method was ever called (on that event object).
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+<script>$("p").click(function(event){
+ event.stopPropagation();
+ // do something
+}); </script>
+</body>
+</html>
+
+Description: The DOM element that initiated the event.
+This can be the element that registered for the event or a child of it. It is often useful to compare event.target to this in order to determine if the event is being handled due to event bubbling. This property is very useful in event delegation, when events bubble.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+span, strong, p {
+ padding: 8px; display: block; border: 1px solid #999; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+<div id="log"></div>
+<div>
+ <p>
+ <strong><span>click</span></strong>
+ </p>
+</div>
+<script>$("body").click(function(event) {
+ $("#log").html("clicked: " + event.target.nodeName);
+}); </script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+<ul>
+ <li>item 1
+ <ul>
+ <li>sub item 1-a</li>
+ <li>sub item 1-b</li>
+ </ul>
+ </li>
+ <li>item 2
+ <ul>
+ <li>sub item 2-a</li>
+ <li>sub item 2-b</li>
+ </ul>
+ </li>
+</ul>
+<script>function handler(event) {
+ var $target = $(event.target);
+ if( $target.is("li") ) {
+ $target.children().toggle();
+ }
+}
+$("ul").click(handler).find("ul").hide();</script>
+</body>
+</html>
+Description: This attribute returns the number of milliseconds since January 1, 1970, when the event is triggered.
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+<script>var last;
+$(document.body).click(function(event) {
+ if( last )
+ alert( "time since last event " + event.timeStamp - last );
+ last = event.timeStamp;
+}); </script>
+</body>
+</html>
+
+Description: For key or button events, this attribute indicates the specific button or key that was pressed.
+event.which normalizes event.keyCode and event.charCode. It is recommended to watch event.which for keyboard key input. For more detail, read about event.charCode on the MDC.
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+<input id="whichkey" value="type something">
+<div id="log"></div>
+<script>$('#whichkey').bind('keydown',function(e){
+ $('#log').html(e.type + ': ' + e.which );
+}); </script>
+</body>
+</html>
+"keydown" 74
+Description: Display the matched elements by fading them to opaque.
+durationA string or number determining how long the animation will run.
+callbackA function to call once the animation is complete.
+The .fadeIn() method animates the opacity of the matched elements.
Durations are given in milliseconds; higher values indicate slower animations, not faster ones. The strings 'fast' and 'slow' can be supplied to indicate durations of 200 and 600 milliseconds, respectively. If any other string is supplied, or if the duration parameter is omitted, the default duration of 400 milliseconds is used.
If supplied, the callback is fired once the animation is complete. This can be useful for stringing different animations together in sequence. The callback is not sent any arguments, but this is set to the DOM element being animated. If multiple elements are animated, it is important to note that the callback is executed once per matched element, not once for the animation as a whole.
We can animate any element, such as a simple image:
+<div id="clickme">
+ Click here
+ </div>
+ <img id="book" src="book.png" alt="" width="100" height="123" />
+ With the element initially hidden, we can show it slowly:
+ $('#clickme').click(function() {
+ $('#book').fadeIn('slow', function() {
+ // Animation complete
+ });
+ });
+
+ 



<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ span { color:red; cursor:pointer; }
+ div { margin:3px; width:80px; display:none;
+ height:80px; float:left; }
+ div#one { background:#f00; }
+ div#two { background:#0f0; }
+ div#three { background:#00f; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <span>Click here...</span>
+
+ <div id="one"></div>
+ <div id="two"></div>
+ <div id="three"></div>
+<script>
+ $(document.body).click(function () {
+ $("div:hidden:first").fadeIn("slow");
+ });
+ </script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { position:relative; width:400px; height:90px; }
+ div { position:absolute; width:400px; height:65px;
+ font-size:36px; text-align:center;
+ color:yellow; background:red;
+ padding-top:25px;
+ top:0; left:0; display:none; }
+ span { display:none; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>
+ Let it be known that the party of the first part
+ and the party of the second part are henceforth
+ and hereto directed to assess the allegations
+ for factual correctness... (<a href="#">click!</a>)
+ <div><span>CENSORED!</span></div>
+
+ </p>
+<script>
+ $("a").click(function () {
+ $("div").fadeIn(3000, function () {
+ $("span").fadeIn(100);
+ });
+ return false;
+ });
+
+ </script>
+</body>
+</html>
+Description: Hide the matched elements by fading them to transparent.
+durationA string or number determining how long the animation will run.
+callbackA function to call once the animation is complete.
+The .fadeOut() method animates the opacity of the matched elements. Once the opacity reaches 0, the display style property is set to none, so the element no longer affects the layout of the page.
Durations are given in milliseconds; higher values indicate slower animations, not faster ones. The strings 'fast' and 'slow' can be supplied to indicate durations of 200 and 600 milliseconds, respectively. If any other string is supplied, or if the duration parameter is omitted, the default duration of 400 milliseconds is used.
If supplied, the callback is fired once the animation is complete. This can be useful for stringing different animations together in sequence. The callback is not sent any arguments, but this is set to the DOM element being animated. If multiple elements are animated, it is important to note that the callback is executed once per matched element, not once for the animation as a whole.
We can animate any element, such as a simple image:
+<div id="clickme"> + Click here +</div> +<img id="book" src="book.png" alt="" width="100" height="123" />+
With the element initially shown, we can hide it slowly:
+$('#clickme').click(function() {
+ $('#book').fadeOut('slow', function() {
+ // Animation complete.
+ });
+});
+
+ 



<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { font-size:150%; cursor:pointer; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>
+ If you click on this paragraph
+ you'll see it just fade away.
+ </p>
+<script>
+ $("p").click(function () {
+ $("p").fadeOut("slow");
+ });
+ </script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ span { cursor:pointer; }
+ span.hilite { background:yellow; }
+ div { display:inline; color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <h3>Find the modifiers - <div></div></h3>
+ <p>
+ If you <span>really</span> want to go outside
+ <span>in the cold</span> then make sure to wear
+ your <span>warm</span> jacket given to you by
+ your <span>favorite</span> teacher.
+ </p>
+<script>
+
+ $("span").click(function () {
+ $(this).fadeOut(1000, function () {
+ $("div").text("'" + $(this).text() + "' has faded!");
+ $(this).remove();
+ });
+ });
+ $("span").hover(function () {
+ $(this).addClass("hilite");
+ }, function () {
+ $(this).removeClass("hilite");
+ });
+
+ </script>
+</body>
+</html>
+Description: Adjust the opacity of the matched elements.
+durationA string or number determining how long the animation will run.
+opacityA number between 0 and 1 denoting the target opacity.
+callbackA function to call once the animation is complete.
+The .fadeTo() method animates the opacity of the matched elements.
Durations are given in milliseconds; higher values indicate slower animations, not faster ones. The strings 'fast' and 'slow' can be supplied to indicate durations of 200 and 600 milliseconds, respectively. If any other string is supplied, the default duration of 400 milliseconds is used. Unlike the other effect methods, .fadeTo() requires that duration be explicitly specified.
If supplied, the callback is fired once the animation is complete. This can be useful for stringing different animations together in sequence. The callback is not sent any arguments, but this is set to the DOM element being animated. If multiple elements are animated, it is important to note that the callback is executed once per matched element, not once for the animation as a whole.
We can animate any element, such as a simple image:
+<div id="clickme">
+ Click here
+ </div>
+ <img id="book" src="book.png" alt="" width="100" height="123" />
+ With the element initially shown, we can dim it slowly:
+ $('#clickme').click(function() {
+ $('#book').fadeTo('slow', 0.5, function() {
+ // Animation complete.
+ });
+ });
+
+
+ 



With duration set to 0, this method just changes the opacity CSS property, so .fadeTo(0, opacity) is the same as .css('opacity', opacity).
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>
+Click this paragraph to see it fade.
+</p>
+
+<p>
+Compare to this one that won't fade.
+</p>
+<script>
+$("p:first").click(function () {
+$(this).fadeTo("slow", 0.33);
+});
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+p { width:80px; margin:0; padding:5px; }
+div { width:40px; height:40px; position:absolute; }
+div#one { top:0; left:0; background:#f00; }
+div#two { top:20px; left:20px; background:#0f0; }
+div#three { top:40px; left:40px; background:#00f; }
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>And this is the library that John built...</p>
+
+<div id="one"></div>
+<div id="two"></div>
+<div id="three"></div>
+<script>
+$("div").click(function () {
+$(this).fadeTo("fast", Math.random());
+});
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+div, p { width:80px; height:40px; top:0; margin:0;
+position:absolute; padding-top:8px; }
+p { background:#fcc; text-align:center; }
+div { background:blue; }
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Wrong</p>
+<div></div>
+<p>Wrong</p>
+<div></div>
+
+<p>Right!</p>
+<div></div>
+<script>
+var getPos = function (n) {
+return (Math.floor(n) * 90) + "px";
+};
+$("p").each(function (n) {
+var r = Math.floor(Math.random() * 3);
+var tmp = $(this).text();
+$(this).text($("p:eq(" + r + ")").text());
+$("p:eq(" + r + ")").text(tmp);
+$(this).css("left", getPos(n));
+});
+$("div").each(function (n) {
+ $(this).css("left", getPos(n));
+ })
+.css("cursor", "pointer")
+.click(function () {
+ $(this).fadeTo(250, 0.25, function () {
+ $(this).css("cursor", "")
+ .prev().css({"font-weight": "bolder",
+ "font-style": "italic"});
+ });
+ });
+
+</script>
+</body>
+</html>
+Description: Selects all elements of type file.
+As with other pseudo-class selectors (those that begin with a ":") it is recommended to precede it with a tag name or some other selector; otherwise, the universal selector ("*") is implied. In other words, the bare $(':file') is equivalent to $('*:file'), so $('input:file') should be used instead.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ textarea { height:45px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <form>
+ <input type="button" value="Input Button"/>
+ <input type="checkbox" />
+
+ <input type="file" />
+ <input type="hidden" />
+ <input type="image" />
+
+ <input type="password" />
+ <input type="radio" />
+ <input type="reset" />
+
+ <input type="submit" />
+ <input type="text" />
+ <select><option>Option<option/></select>
+
+ <textarea></textarea>
+ <button>Button</button>
+ </form>
+ <div>
+ </div>
+<script>
+
+ var input = $("input:file").css({background:"yellow", border:"3px red solid"});
+ $("div").text("For this type jQuery found " + input.length + ".")
+ .css("color", "red");
+ $("form").submit(function () { return false; }); // so it won't submit
+
+</script>
+</body>
+</html>
+Description: Reduce the set of matched elements to those that match the selector or pass the function's test.
+selectorA string containing a selector expression to match elements against.
+function(index)A function used as a test for each element in the set. this is the current DOM element.
Given a jQuery object that represents a set of DOM elements, the .filter() method constructs a new jQuery object from a subset of the matching elements. The supplied selector is tested against each element; all elements matching the selector will be included in the result.
Consider a page with a simple list on it:
+We can apply this method to the set of list items:
+
+ $('li').filter(':even').css('background-color', 'red');
+
+The result of this call is a red background for items 1, 3, and 5, as they match the selector (recall that :even and :odd use 0-based indexing).
The second form of this method allows us to filter elements against a function rather than a selector. For each element, if the function returns true, the element will be included in the filtered set; otherwise, it will be excluded. Suppose we have a somewhat more involved HTML snippet:
+<ul> + <li><strong>list</strong> item 1 - + one strong tag</li> + <li><strong>list</strong> item <strong>2</strong> - + two <span>strong tags</span></li> + <li>list item 3</li> + <li>list item 4</li> + <li>list item 5</li> + <li>list item 6</li> +</ul> ++
We can select the list items, then filter them based on their contents:
+
+$('li').filter(function(index) {
+ return $('strong', this).length == 1;
+}).css('background-color', 'red');
+
+This code will alter the first list item only, as it contains exactly one <strong> tag. Within the filter function, this refers to each DOM element in turn. The parameter passed to the function tells us the index of that DOM element within the set matched by the jQuery object.
We can also take advantage of the index passed through the function, which indicates the 0-based position of the element within the unfiltered set of matched elements:
+$('li').filter(function(index) {
+ return index % 3 == 2;
+}).css('background-color', 'red');
+
+This alteration to the code will cause the third and sixth list items to be highlighted, as it uses the modulus operator (%) to select every item with an index value that, when divided by 3, has a remainder of 2.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { width:60px; height:60px; margin:5px; float:left;
+ border:2px white solid;}
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div></div>
+
+ <div class="middle"></div>
+ <div class="middle"></div>
+ <div class="middle"></div>
+ <div class="middle"></div>
+
+ <div></div>
+<script>
+
+ $("div").css("background", "#c8ebcc")
+ .filter(".middle")
+ .css("border-color", "red");
+</script>
+</body>
+</html>
+$("p").filter(".selected")
+$("p").filter(".selected, :first")
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { width:60px; height:60px; margin:5px; float:left;
+ border:3px white solid; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div id="first"></div>
+ <div id="second"></div>
+ <div id="third"></div>
+
+ <div id="fourth"></div>
+ <div id="fifth"></div>
+ <div id="sixth"></div>
+<script>
+ $("div").css("background", "#b4b0da")
+ .filter(function (index) {
+ return index == 1 || $(this).attr("id") == "fourth";
+ })
+ .css("border", "3px double red");
+
+</script>
+</body>
+</html>
+$("div").filter(function(index) {
+ return $("ol", this).length == 0;
+ });
+Description: Get the descendants of each element in the current set of matched elements, filtered by a selector.
+selectorA string containing a selector expression to match elements against.
+Given a jQuery object that represents a set of DOM elements, the .find() method allows us to search through the descendants of these elements in the DOM tree and construct a new jQuery object from the matching elements. The .find() and .children() methods are similar, except that the latter only travels a single level down the DOM tree.
The method accepts a selector expression of the same type that we can pass to the $() function. The elements will be filtered by testing whether they match this selector.
+Consider a page with a basic nested list on it:
++<ul class="level-1"> + <li class="item-i">I</li> + <li class="item-ii">II + <ul class="level-2"> + <li class="item-a">A</li> + <li class="item-b">B + <ul class="level-3"> + <li class="item-1">1</li> + <li class="item-2">2</li> + <li class="item-3">3</li> + </ul> + </li> + <li class="item-c">C</li> + </ul> + </li> + <li class="item-iii">III</li> +</ul> ++
If we begin at item II, we can find list items within it:
+$('li.item-ii').find('li').css('background-color', 'red');
+The result of this call is a red background on items A, B, 1, 2, 3, and C. Even though item II matches the selector expression, it is not included in the results; only descendants are considered candidates for the match.
+As discussed in “The jQuery Factory Function” section above, selector context is implemented with the .find() method; therefore, $('li.item-ii').find('li') is equivalent to $('li', 'li.item-ii').
.find(). If we need to retrieve all of the descendant elements, we can pass in the universal selector '*' to accomplish this.<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p><span>Hello</span>, how are you?</p>
+
+ <p>Me? I'm <span>good</span>.</p>
+<script>$("p").find("span").css('color','red');</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { font-size:20px; width:200px; cursor:default;
+ color:blue; font-weight:bold; margin:0 10px; }
+ .hilite { background:yellow; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>
+ When the day is short
+ find that which matters to you
+ or stop believing
+ </p>
+<script>
+ var newText = $("p").text().split(" ").join("</span> <span>");
+ newText = "<span>" + newText + "</span>";
+
+ $("p").html(newText)
+ .find('span')
+ .hover(function () { $(this).addClass("hilite"); },
+ function () { $(this).removeClass("hilite"); })
+ .end()
+ .find(":contains('t')")
+ .css({"font-style":"italic", "font-weight":"bolder"});
+
+</script>
+</body>
+</html>
+Description: Selects all elements that are the first child of their parent.
+While :first matches only a single element, the :first-child selector can match more than one: one for each parent. This is equivalent to :nth-child(1).
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ span { color:#008; }
+ span.sogreen { color:green; font-weight: bolder; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>
+ <span>John,</span>
+ <span>Karl,</span>
+ <span>Brandon</span>
+
+ </div>
+ <div>
+ <span>Glen,</span>
+ <span>Tane,</span>
+ <span>Ralph</span>
+
+ </div>
+<script>
+ $("div span:first-child")
+ .css("text-decoration", "underline")
+ .hover(function () {
+ $(this).addClass("sogreen");
+ }, function () {
+ $(this).removeClass("sogreen");
+ });
+
+</script>
+</body>
+</html>
+Description: Selects the first matched element.
+The :first pseudo-class is equivalent to :eq(0). It could also be written as :lt(1). While this matches only a single element, :first-child can match more than one: One for each parent.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ td { color:blue; font-weight:bold; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <table>
+ <tr><td>Row 1</td></tr>
+ <tr><td>Row 2</td></tr>
+
+ <tr><td>Row 3</td></tr>
+ </table>
+<script>$("tr:first").css("font-style", "italic");</script>
+</body>
+</html>
+Description: Reduce the set of matched elements to the first in the set.
+Given a jQuery object that represents a set of DOM elements, the .first() method constructs a new jQuery object from the first matching element.
Consider a page with a simple list on it:
++<ul> + <li>list item 1</li> + <li>list item 2</li> + <li>list item 3</li> + <li>list item 4</li> + <li>list item 5</li> +</ul> ++
We can apply this method to the set of list items:
+$('li').first().css('background-color', 'red');
+The result of this call is a red background for the first item.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>.highlight{background-color: yellow}</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p><span>Look:</span> <span>This is some text in a paragraph.</span> <span>This is a note about it.</span></p>
+<script>$("p span").first().addClass('highlight');</script>
+</body>
+</html>
+Description: Bind an event handler to the "focus" JavaScript event, or trigger that event on an element.
+handler(eventObject)A function to execute each time the event is triggered.
+.bind('focus', handler) in the first variation, and .trigger('focus') in the second.focus event is sent to an element when it gains focus. This event is implicitly applicable to a limited set of elements, such as form elements (<input>, <select>, etc.) and links (<a href>). In recent browser versions, the event can be extended to include all element types by explicitly setting the element's tabindex property. An element can gain focus via keyboard commands, such as the Tab key, or by mouse clicks on the element.For example, consider the HTML:
+<form> + <input id="target" type="text" value="Field 1" /> + <input type="text" value="Field 2" /> +</form> +<div id="other"> + Trigger the handler +</div> ++
The event handler can be bound to the first input field:
+$('#target').focus(function() {
+ alert('Handler for .focus() called.');
+});
+Now if we click on the first field, or tab to it from another field, the alert is displayed:
+Handler for .focus() called.
+We can trigger the event when another element is clicked:
+$('#other').click(function() {
+ $('#target').focus();
+});
+After this code executes, clicks on Trigger the handler will also alert the message.
+The focus event does not bubble in Internet Explorer. Therefore, scripts that rely on event delegation with the focus event will not work consistently across browsers.
+Triggering the focus on hidden elements causes an error in Internet Explorer. Take care to only call
.focus()without parameters on elements that are visible.
<!DOCTYPE html>
+<html>
+<head>
+ <style>span {display:none;}</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p><input type="text" /> <span>focus fire</span></p>
+
+<p><input type="password" /> <span>focus fire</span></p>
+<script>
+ $("input").focus(function () {
+ $(this).next("span").css('display','inline').fadeOut(1000);
+ });
+</script>
+</body>
+</html>
+$("input[type=text]").focus(function(){
+ $(this).blur();
+});
+$(document).ready(function(){
+ $("#login").focus();
+});
+Description: Bind an event handler to the "focusin" JavaScript event.
+handler(eventObject)A function to execute each time the event is triggered.
+This method is a shortcut for .bind('focusin', handler).
The focusin event is sent to an element when it, or any element inside of it, gains focus. This is distinct from the focus event in that it supports detecting the focus event on parent elements.
This event will likely be used together with the focusout event.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>span {display:none;}</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p><input type="text" /> <span>focusin fire</span></p>
+<p><input type="password" /> <span>focusin fire</span></p>
+<script>
+ $("p").focusin(function() {
+ $(this).find("span").css('display','inline').fadeOut(1000);
+ });
+</script>
+</body>
+</html>
+Description: Bind an event handler to the "focusout" JavaScript event.
+handler(eventObject)A function to execute each time the event is triggered.
+This method is a shortcut for .bind('focusout', handler).
The focusout event is sent to an element when it, or any element inside of it, loses focus. This is distinct from the blur event in that it supports detecting the loss of focus from parent elements (in other words, it supports events bubbling).
This event will likely be used together with the focusin event.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>span {display:none;}</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+<p>
+ <input type="text" />
+ <span>focusout fire</span>
+</p>
+<p>
+ <input type="password" />
+ <span>focusout fire</span>
+</p>
+<script>
+$("p").focusout(function() {
+ $(this).find("span").css('display','inline').fadeOut(1000);
+});
+ </script>
+</body>
+</html>
+Description: Retrieve the DOM elements matched by the jQuery object.
+indexA zero-based integer indicating which element to retrieve.
+The .get() method grants us access to the DOM nodes underlying each jQuery object. Suppose we had a simple unordered list on the page:
+<ul> + <li id="foo">foo</li> + <li id="bar">bar</li> +</ul> ++
Without a parameter, .get() returns all of the elements:
alert($('li').get());
+All of the matched DOM nodes are returned by this call, contained in a standard array:
+[<li id="foo">, <li id="bar">]
+With an index specified, .get() will retrieve a single element:
+($('li').get(0));
+Since the index is zero-based, the first list item is returned:
+<li id="foo">
+Each jQuery object also masquerades as an array, so we can use the array dereferencing operator to get at the list item instead:
+alert($('li')[0]);
+However, this syntax lacks some of the additional capabilities of .get(), such as specifying a negative index:
+alert($('li').get(-1));
+A negative index is counted from the end of the matched set, so this example will return the last item in the list:
+<li id="bar">
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ span { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ Reversed - <span></span>
+
+ <div>One</div>
+ <div>Two</div>
+ <div>Three</div>
+<script>
+
+ function disp(divs) {
+ var a = [];
+ for (var i = 0; i < divs.length; i++) {
+ a.push(divs[i].innerHTML);
+ }
+ $("span").text(a.join(" "));
+ }
+
+ disp( $("div").get().reverse() );
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ span { color:red; }
+ div { background:yellow; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <span> </span>
+ <p>In this paragraph is an <span>important</span> section</p>
+
+ <div><input type="text" /></div>
+<script>
+
+ $("*", document.body).click(function (e) {
+ e.stopPropagation();
+ var domEl = $(this).get(0);
+ $("span:first").text("Clicked on - " + domEl.tagName);
+ });
+</script>
+</body>
+</html>
+Description: Select all elements at an index greater than index within the matched set.
+index-related selectors
+The index-related selector expressions (including this "greater than" selector) filter the set of elements that have matched the expressions that precede them. They narrow the set down based on the order of the elements within this matched set. For example, if elements are first selected with a class selector (.myclass) and four elements are returned, these elements are given indices 0 through 3 for the purposes of these selectors.
Note that since JavaScript arrays use 0-based indexing, these selectors reflect that fact. This is why $('.myclass:gt(1)') selects elements after the second element in the document with the class myclass, rather than after the first. In contrast, :nth-child(n) uses 1-based indexing to conform to the CSS specification.
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <table border="1">
+
+ <tr><td>TD #0</td><td>TD #1</td><td>TD #2</td></tr>
+ <tr><td>TD #3</td><td>TD #4</td><td>TD #5</td></tr>
+
+ <tr><td>TD #6</td><td>TD #7</td><td>TD #8</td></tr>
+ </table>
+<script>$("td:gt(4)").css("text-decoration", "line-through");</script>
+</body>
+</html>
+Description: Selects elements that have the specified attribute, with any value.
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>no id</div>
+ <div id="hey">with id</div>
+
+ <div id="there">has an id</div>
+ <div>nope</div>
+<script>
+
+ $("div[id]").one("click", function(){
+ var idString = $(this).text() + " = " + $(this).attr("id");
+ $(this).text(idString);
+ });
+</script>
+</body>
+</html>
+Description: Selects elements which contain at least one element that matches the specified selector.
+The expression $('div:has(p)') matches a <div> if a <p> exists anywhere among its descendants, not just as a direct child.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ .test{ border: 3px inset red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div><p>Hello in a paragraph</p></div>
+
+ <div>Hello again! (with no paragraph)</div>
+<script>$("div:has(p)").addClass("test");</script>
+</body>
+</html>
+Description: Reduce the set of matched elements to those that have a descendant that matches the selector or DOM element.
+selectorA string containing a selector expression to match elements against.
+containedA DOM element to match elements against.
+Given a jQuery object that represents a set of DOM elements, the .has() method constructs a new jQuery object from a subset of the matching elements. The supplied selector is tested against the descendants of the matching elements; the element will be included in the result if any of its descendant elements matches the selector.
Consider a page with a nested list as follows:
++ <ul> + <li>list item 1</li> + <li>list item 2 + <ul> + <li>list item 2-a</li> + <li>list item 2-b</li> + </ul> + </li> + <li>list item 3</li> + <li>list item 4</li> +</ul> ++
We can apply this method to the set of list items as follows:
+$('li').has('ul').css('background-color', 'red');
+The result of this call is a red background for item 2, as it is the only <li> that has a <ul> among its descendants.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ .full { border: 1px solid red; }
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+<ul><li>Does the UL contain an LI?</li></ul>
+
+<script>
+ $("ul").append("<li>" + ($("ul").has("li").length ? "Yes" : "No") + "</li>");
+ $("ul").has("li").addClass("full");
+</script>
+</body>
+</html>
+Description: Determine whether any of the matched elements are assigned the given class.
+classNameThe class name to search for.
+Elements may have more than one class assigned to them. In HTML, this is represented by separating the class names with a space:
+<div id="mydiv" class="foo bar"></div>+
The .hasClass() method will return true if the class is assigned to an element, even if other classes also are. For example, given the HTML above, the following will return true:
$('#mydiv').hasClass('foo')
+as would:
+$('#mydiv').hasClass('bar')
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ p { margin: 8px; font-size:16px; }
+ .selected { color:red; }
+ .highlight { background:yellow; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p>
+ <p class="selected">Goodbye</p>
+ <div id="result1">First paragraph has selected class: </div>
+
+ <div id="result2">Last paragraph has selected class: </div>
+ <div id="result3">Some paragraph has selected class: </div>
+<script>$("div#result1").append($("p:first").hasClass("selected").toString());
+$("div#result2").append($("p:last").hasClass("selected").toString());
+$("div#result3").append($("p").hasClass("selected").toString());</script>
+</body>
+</html>
+Description: Selects all elements that are headers, like h1, h2, h3 and so on.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ body { font-size: 10px; font-family: Arial; }
+ h1, h2 { margin: 3px 0; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <h1>Header 1</h1>
+
+ <p>Contents 1</p>
+ <h2>Header 2</h2>
+ <p>Contents 2</p>
+<script>$(":header").css({ background:'#CCC', color:'blue' });</script>
+</body>
+</html>
+Description: Get the current computed height for the first element in the set of matched elements.
+The difference between .css('height') and .height() is that the latter returns a unit-less pixel value (for example, 400) while the former returns a value with units intact (for example, 400px). The .height() method is recommended when an element's height needs to be used in a mathematical calculation.

This method is also able to find the height of the window and document.
+$(window).height(); // returns height of browser viewport +$(document).height(); // returns height of HTML document+
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ body { background:yellow; }
+ button { font-size:12px; margin:2px; }
+ p { width:150px; border:1px red solid; }
+ div { color:red; font-weight:bold; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button id="getp">Get Paragraph Height</button>
+ <button id="getd">Get Document Height</button>
+ <button id="getw">Get Window Height</button>
+
+ <div> </div>
+ <p>
+ Sample paragraph to test height
+ </p>
+<script>
+ function showHeight(ele, h) {
+ $("div").text("The height for the " + ele +
+ " is " + h + "px.");
+ }
+ $("#getp").click(function () {
+ showHeight("paragraph", $("p").height());
+ });
+ $("#getd").click(function () {
+ showHeight("document", $(document).height());
+ });
+ $("#getw").click(function () {
+ showHeight("window", $(window).height());
+ });
+
+</script>
+</body>
+</html>
+Description: Set the CSS height of every matched element.
+valueAn integer representing the number of pixels, or an integer with an optional unit of measure appended (as a string).
+function(index, height)A function returning the height to set. Receives the index position of the element in the set and the old height as arguments.
+When calling .height(value), the value can be either a string (number and unit) or a number. If only a number is provided for the value, jQuery assumes a pixel unit. If a string is provided, however, any valid CSS measurement may be used for the height (such as 100px, 50%, or auto). Note that in modern browsers, the CSS height property does not include padding, border, or margin.
If no explicit unit was specified (like 'em' or '%') then "px" is concatenated to the value.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>div { width:50px; height:70px; float:left; margin:5px;
+ background:rgb(255,140,0); cursor:pointer; } </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div></div>
+ <div></div>
+
+ <div></div>
+ <div></div>
+ <div></div>
+<script>$("div").one('click', function () {
+ $(this).height(30)
+ .css({cursor:"auto", backgroundColor:"green"});
+ });</script>
+</body>
+</html>
+Description: Hide the matched elements.
+durationA string or number determining how long the animation will run.
+callbackA function to call once the animation is complete.
+With no parameters, the .hide() method is the simplest way to hide an element:
$('.target').hide();
+
+The matched elements will be hidden immediately, with no animation. This is roughly equivalent to calling .css('display', 'none'), except that the value of the display property is saved in jQuery's data cache so that display can later be restored to its initial value. If an element has a display value of inline, then is hidden and shown, it will once again be displayed inline.
When a duration is provided, .hide() becomes an animation method. The .hide() method animates the width, height, and opacity of the matched elements simultaneously. When these properties reach 0, the display style property is set to none to ensure that the element no longer affects the layout of the page.
Durations are given in milliseconds; higher values indicate slower animations, not faster ones. The strings 'fast' and 'slow' can be supplied to indicate durations of 200 and 600 milliseconds, respectively.
If supplied, the callback is fired once the animation is complete. This can be useful for stringing different animations together in sequence. The callback is not sent any arguments, but this is set to the DOM element being animated. If multiple elements are animated, it is important to note that the callback is executed once per matched element, not once for the animation as a whole.
We can animate any element, such as a simple image:
+<div id="clickme">
+ Click here
+</div>
+<img id="book" src="book.png" alt="" width="100" height="123" />
+With the element initially shown, we can hide it slowly:
+$('#clickme').click(function() {
+ $('#book').hide('slow', function() {
+ $.print('Animation complete.');
+ });
+});
+
+ 



<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p>
+ <a href="#">Click to hide me too</a>
+ <p>Here is another paragraph</p>
+<script>
+
+ $("p").hide();
+ $("a").click(function () {
+ $(this).hide();
+ return true;
+ });
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { background:#dad; font-weight:bold; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button>Hide 'em</button>
+
+ <p>Hiya</p>
+ <p>Such interesting text, eh?</p>
+<script>
+ $("button").click(function () {
+ $("p").hide("slow");
+ });
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ span { background:#def3ca; padding:3px; float:left; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button id="hidr">Hide</button>
+ <button id="showr">Show</button>
+ <div>
+
+ <span>Once</span> <span>upon</span> <span>a</span>
+ <span>time</span> <span>there</span> <span>were</span>
+ <span>three</span> <span>programmers...</span>
+
+ </div>
+<script>
+ $("#hidr").click(function () {
+ $("span:last-child").hide("fast", function () {
+ // use callee so don't have to name the function
+ $(this).prev().hide("fast", arguments.callee);
+ });
+ });
+ $("#showr").click(function () {
+ $("span").show(2000);
+ });
+
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { background:#ece023; width:30px;
+ height:40px; margin:2px; float:left; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div></div>
+<script>
+ for (var i = 0; i < 5; i++) {
+ $("<div>").appendTo(document.body);
+ }
+ $("div").click(function () {
+ $(this).hide(2000, function () {
+ $(this).remove();
+ });
+ });
+</script>
+</body>
+</html>
+Description: Bind two handlers to the matched elements, to be executed when the mouse pointer enters and leaves the elements.
+handlerIn(eventObject)A function to execute when the mouse pointer enters the element.
+handlerOut(eventObject)A function to execute when the mouse pointer leaves the element.
+The .hover() method binds handlers for both mouseenter and mouseleave events. We can use it to simply apply behavior to an element during the time the mouse is within the element.
Calling $(selector).hover(handlerIn, handlerOut) is shorthand for:
$(selector).mouseenter(handlerIn).mouseleave(handlerOut);+
See the discussions for .mouseenter() and .mouseleave() for more details.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ ul { margin-left:20px; color:blue; }
+ li { cursor:default; }
+ span { color:red; }
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <ul>
+ <li>Milk</li>
+ <li>Bread</li>
+ <li class='fade'>Chips</li>
+
+ <li class='fade'>Socks</li>
+ </ul>
+<script>
+$("li").hover(
+ function () {
+ $(this).append($("<span> ***</span>"));
+ },
+ function () {
+ $(this).find("span:last").remove();
+ }
+);
+
+
+
+//li with fade class
+$("li.fade").hover(function(){$(this).fadeOut(100);$(this).fadeIn(500);});
+
+</script>
+</body>
+</html>
+$("td").hover(
+ function () {
+ $(this).addClass("hover");
+ },
+ function () {
+ $(this).removeClass("hover");
+ }
+);
+$("td").unbind('mouseenter mouseleave');
+Description: Bind a single handler to the matched elements, to be executed when the mouse pointer enters or leaves the elements.
+handlerInOut(eventObject)A function to execute when the mouse pointer enters or leaves the element.
+The .hover() method, when passed a single function, will execute that handler for both mouseenter and mouseleave events. This allows the user to use jQuery's various toggle methods within the handler.
Calling $(selector).hover(handlerInOut) is shorthand for:
$(selector).bind("mouseenter mouseleave",handlerInOut);
+See the discussions for .mouseenter() and .mouseleave() for more details.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ ul { margin-left:20px; color:blue; }
+ li { cursor:default; }
+ li.active { background:black;color:white; }
+ span { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <ul>
+ <li>Milk</li>
+ <li>White</li>
+ <li>Carrots</li>
+ <li>Orange</li>
+ <li>Broccoli</li>
+ <li>Green</li>
+ </ul>
+<script>
+$("li")
+.filter(":odd")
+.hide()
+ .end()
+.filter(":even")
+.hover(
+ function () {
+ $(this).toggleClass("active")
+ .next().stop(true, true).slideToggle();
+ }
+);
+
+
+</script>
+</body>
+</html>
+Description: Get the HTML contents of the first element in the set of matched elements.
+This method is not available on XML documents.
+In an HTML document, we can use .html() to get the contents of any element. If the selector expression matches more than one element, only the first one's HTML content is returned. Consider this code:
$('div.demo-container').html();
+In order for the following <div>'s content to be retrieved, it would have to be the first one with class="demo-container" in the document:
<div class="demo-container"> + <div class="demo-box">Demonstration Box</div> +</div>+
The result would look like this:
+<div class="demo-box">Demonstration Box</div>+
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { margin:8px; font-size:20px; color:blue;
+ cursor:pointer; }
+ b { text-decoration:underline; }
+ button { cursor:pointer; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>
+
+ <b>Click</b> to change the <span id="tag">html</span>
+ </p>
+ <p>
+
+ to a <span id="text">text</span> node.
+ </p>
+ <p>
+ This <button name="nada">button</button> does nothing.
+ </p>
+<script>
+ $("p").click(function () {
+ var htmlStr = $(this).html();
+ $(this).text(htmlStr);
+ });
+</script>
+</body>
+</html>
+Description: Set the HTML contents of each element in the set of matched elements.
+htmlStringA string of HTML to set as the content of each matched element.
+function(index, html)A function returning the HTML content to set. Receives the index position of the element in the set and the old HTML value as arguments.
+The .html() method is not available in XML documents.
When we use .html() to set elements' contents, any contents that were in those elements is completely replaced by the new contents. Consider the following HTML:
<div class="demo-container"> + <div class="demo-box">Demonstration Box</div> +</div>+
We can set the HTML contents of <div class="demo-container"> like so:
$('div.demo-container')
+ .html('<p>All new content. <em>You bet!</em></p>');
+That line of code will replace everything inside <div class="demo-container">:
<div class="demo-container"> + <p>All new content. <em>You bet!</em></p> +</div>+
As of jQuery 1.4, the .html() method allows us to set the HTML content by passing in a function.
$('div.demo-container').html(function() {
+ var emph = '<em>' + $('p').length + ' paragraphs!</em>';
+ return '<p>All new content for ' + emph + '</p>';
+});
+Given a document with six paragraphs, this example will set the HTML of <div class="demo-container"> to <p>All new content for <em>6 paragraphs!</em></p>.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ .red { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <span>Hello</span>
+ <div></div>
+ <div></div>
+ <div></div>
+<script>$("div").html("<span class='red'>Hello <b>Again</b></span>");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { color:blue; font-size:18px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div></div>
+ <div></div>
+ <div></div>
+<script>
+
+ $("div").html("<b>Wow!</b> Such excitement...");
+ $("div b").append(document.createTextNode("!!!"))
+ .css("color", "red");
+
+</script>
+</body>
+</html>
+Description: Selects a single element with the given id attribute.
+For id selectors, jQuery uses the JavaScript function document.getElementById(), which is extremely efficient. When another selector is attached to the id selector, such as h2#pageTitle, jQuery performs an additional check before identifying the element as a match.
Each id value must be used only once within a document. If more than one element has been assigned the same ID, queries that use that ID will only select the first matched element in the DOM. This behavior should not be relied on, however; a document with more than one element using the same ID is invalid.
If the id contains characters like periods or colons you have to escape those characters with backslashes.
++As always, remember that as a developer, your time is typically the most valuable resource. Do not focus on optimization of selector speed unless it is clear that performance needs to be improved.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div {
+ width: 90px;
+ height: 90px;
+ float:left;
+ padding: 5px;
+ margin: 5px;
+ background-color: #EEEEEE;
+ }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div id="notMe"><p>id="notMe"</p></div>
+
+ <div id="myDiv">id="myDiv"</div>
+<script>$("#myDiv").css("border","3px solid red");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div {
+ width: 300px;
+ float:left;
+ padding: 2px;
+ margin: 3px;
+ background-color: #EEEEEE;
+ }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div id="myID.entry[0]">id="myID.entry[0]"</div>
+
+ <div id="myID.entry[1]">id="myID.entry[1]"</div>
+ <div id="myID.entry[2]">id="myID.entry[2]"</div>
+<script>$("#myID\\.entry\\[1\\]").css("border","3px solid red");</script>
+</body>
+</html>
+Description: Selects all elements of type image.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ textarea { height:45px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <form>
+ <input type="button" value="Input Button"/>
+ <input type="checkbox" />
+
+ <input type="file" />
+ <input type="hidden" />
+ <input type="image" />
+
+ <input type="password" />
+ <input type="radio" />
+ <input type="reset" />
+
+ <input type="submit" />
+ <input type="text" />
+ <select><option>Option<option/></select>
+
+ <textarea></textarea>
+ <button>Button</button>
+ </form>
+ <div>
+ </div>
+<script>
+ var input = $("input:image").css({background:"yellow", border:"3px red solid"});
+ $("div").text("For this type jQuery found " + input.length + ".")
+ .css("color", "red");
+ $("form").submit(function () { return false; }); // so it won't submit
+
+</script>
+</body>
+</html>
+Description: Search for a given element from among the matched elements.
+selectorA selector representing a jQuery collection in which to look for an element.
+elementThe DOM element or first element within the jQuery object to look for.
+If no argument is passed to the .index() method, the return value is an integer indicating the position of the first element within the jQuery object relative to its sibling elements.
If .index() is called on a collection of elements and a DOM element or jQuery object is passed in, .index() returns an integer indicating the position of the passed element relative to the original collection.
If a selector string is passed as an argument, .index() returns an integer indicating the position of the original element relative to the elements matched by the selector. If the element is not found, .index() will return -1.
The complementary operation to .get(), which accepts an index and returns a DOM node, .index() can take a DOM node and returns an index. Suppose we have a simple unordered list on the page:
+<ul> + <li id="foo">foo</li> + <li id="bar">bar</li> + <li id="baz">baz</li> +</ul> ++
If we retrieve one of the three list items (for example, through a DOM function or as the context to an event handler), .index() can search for this list item within the set of matched elements:
+var listItem = document.getElementById('bar');
+alert('Index: ' + $('li').index(listItem));
+We get back the zero-based position of the list item:
+
+Index: 1
+Similarly, if we retrieve a jQuery object consisting of one of the three list items, .index() will search for that list item:
+var listItem = $('#bar');
+alert('Index: ' + $('li').index(listItem));
+
+We get back the zero-based position of the list item:
+Index: 1
+Note that if the jQuery collection used as the .index() method's argument contains more than one element, the first element within the matched set of elements will be used.
+var listItems = $('li:gt(0)');
+alert('Index: ' + $('li').index(listItems));
+
+We get back the zero-based position of the first list item within the matched set:
+Index: 1
+If we use a string as the .index() method's argument, it is interpreted as a jQuery selector string. The first element among the object's matched elements which also matches this selector is located.
+var listItem = $('#bar');
+alert('Index: ' + listItem.index('li'));
+
+We get back the zero-based position of the list item:
+Index: 1
+If we omit the argument, .index() will return the position of the first element within the set of matched elements in relation to its siblings:
alert('Index: ' + $('#bar').index();
+Again, we get back the zero-based position of the list item:
+Index: 1
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+div { background:yellow; margin:5px; }
+span { color:red; }
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <span>Click a div!</span>
+<div>First div</div>
+<div>Second div</div>
+<div>Third div</div>
+<script>
+$("div").click(function () {
+ // this is the dom element clicked
+ var index = $("div").index(this);
+ $("span").text("That was div index #" + index);
+});
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>div { font-weight: bold; color: #090; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <ul>
+ <li id="foo">foo</li>
+ <li id="bar">bar</li>
+ <li id="baz">baz</li>
+</ul>
+<div></div>
+<script>var listItem = $('#bar');
+ $('div').html( 'Index: ' + $('li').index(listItem) );</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>div { font-weight: bold; color: #090; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <ul>
+ <li id="foo">foo</li>
+ <li id="bar">bar</li>
+ <li id="baz">baz</li>
+</ul>
+<div></div>
+<script>var listItems = $('li:gt(0)');
+$('div').html( 'Index: ' + $('li').index(listItems) );
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>div { font-weight: bold; color: #090; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <ul>
+ <li id="foo">foo</li>
+ <li id="bar">bar</li>
+ <li id="baz">baz</li>
+</ul>
+<div></div>
+<script>$('div').html('Index: ' + $('#bar').index('li') );</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>div { font-weight: bold; color: #090; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <ul>
+ <li id="foo">foo</li>
+ <li id="bar">bar</li>
+ <li id="baz">baz</li>
+</ul>
+<div></div>
+<script>var barIndex = $('#bar').index();
+$('div').html( 'Index: ' + barIndex );</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>div { font-weight: bold; color: #090; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <ul>
+ <li id="foo">foo</li>
+ <li id="bar">bar</li>
+ <li id="baz">baz</li>
+</ul>
+<div></div>
+<script>var foobar = $("li").index( $('#foobar') );
+$('div').html('Index: ' + foobar);</script>
+</body>
+</html>
+Description: Get the current computed height for the first element in the set of matched elements, including padding but not border.
+This method returns the height of the element, including top and bottom padding, in pixels.
+This method is not applicable to window and document objects; for these, use .height() instead.

<!DOCTYPE html>
+<html>
+<head>
+ <style>p { margin:10px;padding:5px;border:2px solid #666; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p><p></p>
+<script>var p = $("p:first");
+$("p:last").text( "innerHeight:" + p.innerHeight() );</script>
+</body>
+</html>
+Description: Get the current computed width for the first element in the set of matched elements, including padding but not border.
+This method returns the width of the element, including left and right padding, in pixels.
+This method is not applicable to window and document objects; for these, use .width() instead.

<!DOCTYPE html>
+<html>
+<head>
+ <style>p { margin:10px;padding:5px;border:2px solid #666; } </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p><p></p>
+<script>var p = $("p:first");
+$("p:last").text( "innerWidth:" + p.innerWidth() );</script>
+</body>
+</html>
+Description: Selects all input, textarea, select and button elements.
+The :input selector basically selects all form controls.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ textarea { height:25px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <form>
+ <input type="button" value="Input Button"/>
+ <input type="checkbox" />
+
+ <input type="file" />
+ <input type="hidden" />
+ <input type="image" />
+
+ <input type="password" />
+ <input type="radio" />
+ <input type="reset" />
+
+ <input type="submit" />
+ <input type="text" />
+ <select><option>Option</option></select>
+
+ <textarea></textarea>
+ <button>Button</button>
+ </form>
+ <div id="messages">
+ </div>
+<script>
+
+ var allInputs = $(":input");
+ var formChildren = $("form > *");
+ $("#messages").text("Found " + allInputs.length + " inputs and the form has " +
+ formChildren.length + " children.");
+
+ // so it won't submit
+ $("form").submit(function () { return false; });
+
+</script>
+</body>
+</html>
+Description: Insert every element in the set of matched elements after the target.
+targetA selector, element, HTML string, or jQuery object; the matched set of elements will be inserted after the element(s) specified by this parameter.
+The .after() and .insertAfter() methods perform the same task. The major difference is in the syntax-specifically, in the placement of the content and target. With .after(), the selector expression preceding the method is the container after which the content is inserted. With .insertAfter(), on the other hand, the content precedes the method, either as a selector expression or as markup created on the fly, and it is inserted after the target container.
Consider the following HTML:
+<div class="container"> + <h2>Greetings</h2> + <div class="inner">Hello</div> + <div class="inner">Goodbye</div> +</div>+
We can create content and insert it after several elements at once:
+$('<p>Test</p>').insertAfter('.inner');
+Each inner <div> element gets this new content:
<div class="container"> + <h2>Greetings</h2> + <div class="inner">Hello</div> + <p>Test</p> + <div class="inner">Goodbye</div> + <p>Test</p> +</div>+
We can also select an element on the page and insert it after another:
+$('h2').insertAfter($('.container'));
+If an element selected this way is inserted elsewhere, it will be moved after the target (not cloned):
+<div class="container"> + <div class="inner">Hello</div> + <div class="inner">Goodbye</div> +</div> +<h2>Greetings</h2>+
If there is more than one target element, however, cloned copies of the inserted element will be created for each target after the first.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>#foo { background:yellow; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p> is what I said... </p><div id="foo">FOO!</div>
+<script>$("p").insertAfter("#foo"); // check after() examples</script>
+</body>
+</html>
+Description: Insert every element in the set of matched elements before the target.
+targetContent after which the selected element(s) is inserted.
+The .before() and .insertBefore() methods perform the same task. The major difference is in the syntax-specifically, in the placement of the content and target. With .before(), the selector expression preceding the method is the container before which the content is inserted. With .insertBefore(), on the other hand, the content precedes the method, either as a selector expression or as markup created on the fly, and it is inserted before the target container.
Consider the following HTML:
+<div class="container"> + <h2>Greetings</h2> + <div class="inner">Hello</div> + <div class="inner">Goodbye</div> +</div>+
We can create content and insert it before several elements at once:
+$('<p>Test</p>').insertBefore('.inner');
+Each inner <div> element gets this new content:
<div class="container"> + <h2>Greetings</h2> + <p>Test</p> + <div class="inner">Hello</div> + <p>Test</p> + <div class="inner">Goodbye</div> +</div>+
We can also select an element on the page and insert it before another:
+$('h2').insertBefore($('.container'));
+If an element selected this way is inserted elsewhere, it will be moved before the target (not cloned):
+<h2>Greetings</h2> +<div class="container"> + <div class="inner">Hello</div> + <div class="inner">Goodbye</div> +</div>+
If there is more than one target element, however, cloned copies of the inserted element will be created for each target after the first.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>#foo { background:yellow; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div id="foo">FOO!</div><p>I would like to say: </p>
+<script>$("p").insertBefore("#foo"); // check before() examples</script>
+</body>
+</html>
+Description: Check the current matched set of elements against a selector and return true if at least one of these elements matches the selector.
+selectorA string containing a selector expression to match elements against.
+Unlike the other filtering and traversal methods, .is() does not create a new jQuery object. Instead, it allows us to test the contents of a jQuery object without modification. This is often useful inside callbacks, such as event handlers.
Suppose we have a list, with two of its items containing a child element:
++<ul> + <li>list <strong>item 1</strong></li> + <li><span>list item 2</span></li> + <li>list item 3</li> +</ul> ++
We can attach a click handler to the <ul> element, and then limit the code to be triggered only when a list item itself, not one of its children, is clicked:
+$('ul').click(function(event) {
+ if ($(event.target).is('li') ) {
+ $(event.target).css('background-color', 'red');
+ }
+});
+Now, when the user clicks on the word list in the first item or anywhere in the third item, the clicked list item will be given a red background. However, when the user clicks on item 1 in the first item or anywhere in the second item, nothing will occur, because in those cases the target of the event would be <strong> or <span>, respectively.
+
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { width:60px; height:60px; margin:5px; float:left;
+ border:4px outset; background:green; text-align:center;
+ font-weight:bolder; cursor:pointer; }
+ .blue { background:blue; }
+ .red { background:red; }
+ span { color:white; font-size:16px; }
+ p { color:red; font-weight:bolder; background:yellow;
+ margin:3px; clear:left; display:none; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div></div>
+ <div class="blue"></div>
+ <div></div>
+ <div class="red"></div>
+
+ <div><br/><span>Peter</span></div>
+ <div class="blue"></div>
+ <p> </p>
+<script>
+ $("div").one('click', function () {
+ if ($(this).is(":first-child")) {
+ $("p").text("It's the first div.");
+ } else if ($(this).is(".blue,.red")) {
+ $("p").text("It's a blue or red div.");
+ } else if ($(this).is(":contains('Peter')")) {
+ $("p").text("It's Peter!");
+ } else {
+ $("p").html("It's nothing <em>special</em>.");
+ }
+ $("p").hide().slideDown("slow");
+ $(this).css({"border-style": "inset", cursor:"default"});
+ });
+
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>div { color:red; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <form><input type="checkbox" /></form>
+
+ <div></div>
+<script>
+
+ var isFormParent = $("input[type='checkbox']").parent().is("form")
+ $("div").text("isFormParent = " + isFormParent);
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>div { color:red; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <form><p><input type="checkbox" /></p></form>
+
+ <div></div>
+<script>
+ var isFormParent = $("input[type='checkbox']").parent().is("form")
+ $("div").text("isFormParent = " + isFormParent);
+</script>
+</body>
+</html>
+Description: Perform an asynchronous HTTP (Ajax) request.
+settingsA set of key/value pairs that configure the Ajax request. All options are optional. A default can be set for any option with $.ajaxSetup().
+ +The $.ajax() function underlies all Ajax requests sent by jQuery. It is often unnecessary to directly call this function, as several higher-level alternatives like $.get() and .load() are available and are easier to use. If less common options are required, though, $.ajax() can be used more flexibly.
At its simplest, the $.ajax() function can be called with no arguments:
$.ajax();+
Note: Default settings can be set globally by using the $.ajaxSetup() function.
This example, using no options, loads the contents of the current page, but does nothing with the result. To use the result, we can implement one of the callback functions.
+The beforeSend, error, dataFilter, success and complete options all take callback functions that are invoked at the appropriate times:
beforeSend is called before the request is sent, and is passed the XMLHttpRequest object as a parameter.error is called if the request fails. It is passed the XMLHttpRequest object, a string indicating the error type, and an exception object if applicable.dataFilter is called on success. It is passed the returned data and the value of dataType, and must return the (possibly altered) data to pass on to success.success is called if the request succeeds. It is passed the returned data, a string containing the success code, and the XMLHttpRequest object.complete is called when the request finishes, whether in failure or success. It is passed the XMLHttpRequest object, as well as a string containing the success or error code.To make use of the returned HTML, we can implement a success handler:
$.ajax({
+ url: 'ajax/test.html',
+ success: function(data) {
+ $('.result').html(data);
+ alert('Load was performed.');
+ }
+});
+Such a simple example would generally be better served by using .load() or $.get().
The $.ajax() function relies on the server to provide information about the retrieved data. If the server reports the return data as XML, the result can be traversed using normal XML methods or jQuery's selectors. If another type is detected, such as HTML in the example above, the data is treated as text.
Different data handling can be achieved by using the dataType option. Besides plain xml, the dataType can be html, json, jsonp, script, or text.
The text and xml types return the data with no processing. The data is simply passed on to the success handler, either through the responseText or responseHTML property of the XMLHttpRequest object, respectively.
Note: We must ensure that the MIME type reported by the web server matches our choice of dataType. In particular, XML must be declared by the server as text/xml or application/xml for consistent results.
If html is specified, any embedded JavaScript inside the retrieved data is executed before the HTML is returned as a string. Similarly, script will execute the JavaScript that is pulled back from the server, then return the script itself as textual data.
The json type parses the fetched data file as a JavaScript object and returns the constructed object as the result data. To do so, it uses JSON.parse() when the browser supports it; otherwise it uses a Function constructor. JSON data is convenient for communicating structured data in a way that is concise and easy for JavaScript to parse. If the fetched data file exists on a remote server, the jsonp type can be used instead. This type will cause a query string parameter of callback=? to be appended to the URL; the server should prepend the JSON data with the callback name to form a valid JSONP response. If a specific parameter name is desired instead of callback, it can be specified with the jsonp option to $.ajax().
Note: JSONP is an extension of the JSON format, requiring some server-side code to detect and handle the query string parameter. More information about it can be found in the original post detailing its use.
+When data is retrieved from remote servers (which is only possible using the script or jsonp data types), the operation is performed using a <script> tag rather than an XMLHttpRequest object. In this case, no XMLHttpRequest object is returned from $.ajax(), nor is one passed to the handler functions such as beforeSend.
By default, Ajax requests are sent using the GET HTTP method. If the POST method is required, the method can be specified by setting a value for the type option. This option affects how the contents of the data option are sent to the server.
The data option can contain either a query string of the form key1=value1&key2=value2, or a map of the form {key1: 'value1', key2: 'value2'}. If the latter form is used, the data is converted into a query string before it is sent. This processing can be circumvented by setting processData to false. The processing might be undesirable if we wish to send an XML object to the server; in this case, we would also want to change the contentType option from application/x-www-form-urlencoded to a more appropriate MIME type.
The global option prevents handlers registered using .ajaxSend(), .ajaxError(), and similar methods from firing when this request would trigger them. This can be useful to, for example, suppress a loading indicator that was implemented with .ajaxSend() if the requests are frequent and brief. See the descriptions of these methods below for more details.
If the server performs HTTP authentication before providing a response, the user name and password pair can be sent via the username and password options.
Ajax requests are time-limited, so errors can be caught and handled to provide a better user experience. Request timeouts are usually either left at their default or set as a global default using $.ajaxSetup() rather than being overridden for specific requests with the timeout option.
By default, requests are always issued, but the browser may serve results out of its cache. To disallow use of the cached results, set cache to false. To cause the request to report failure if the asset has not been modified since the last request, set ifModified to true.
The scriptCharset allows the character set to be explicitly specified for requests that use a <script> tag (that is, a type of script or jsonp). This is useful if the script and host page have differing character sets.
The first letter in Ajax stands for "asynchronous," meaning that the operation occurs in parallel and the order of completion is not guaranteed. The async option to $.ajax() defaults to true, indicating that code execution can continue after the request is made. Setting this option to false (and thus making the call no longer asynchronous) is strongly discouraged, as it can cause the browser to become unresponsive.
The $.ajax() function returns the XMLHttpRequest object that it creates. Normally jQuery handles the creation of this object internally, but a custom function for manufacturing one can be specified using the xhr option. The returned object can generally be discarded, but does provide a lower-level interface for observing and manipulating the request. In particular, calling .abort() on the object will halt the request before it completes.
$.ajax({
+ type: "GET",
+ url: "test.js",
+ dataType: "script"
+ });
+$.ajax({
+ type: "POST",
+ url: "some.php",
+ data: "name=John&location=Boston",
+ success: function(msg){
+ alert( "Data Saved: " + msg );
+ }
+ });
+$.ajax({
+ url: "test.html",
+ cache: false,
+ success: function(html){
+ $("#results").append(html);
+ }
+});
+var html = $.ajax({
+ url: "some.php",
+ async: false
+ }).responseText;
+var xmlDocument = [create xml document];
+ $.ajax({
+ url: "page.php",
+ processData: false,
+ data: xmlDocument,
+ success: handleResponse
+ });
+bodyContent = $.ajax({
+ url: "script.php",
+ global: false,
+ type: "POST",
+ data: ({id : this.getAttribute('id')}),
+ dataType: "html",
+ success: function(msg){
+ alert(msg);
+ }
+ }
+).responseText;
+Description: Set default values for future Ajax requests.
+optionsA set of key/value pairs that configure the default Ajax request. All options are optional.
+For details on the settings available for $.ajaxSetup(), see $.ajax().
All subsequent Ajax calls using any function will use the new settings, unless overridden by the individual calls, until the next invocation of $.ajaxSetup().
For example, we could set a default for the URL parameter before pinging the server repeatedly:
+$.ajaxSetup({
+ url: 'ping.php',
+});
+Now each time an Ajax request is made, this URL will be used automatically:
+
+$.ajax({
+ data: {'name': 'Tim'},
+});
++Note: Global callback functions should be set with their respective global Ajax event handler methods-
.ajaxStart(),.ajaxStop(),.ajaxComplete(),.ajaxError(),.ajaxSuccess(),.ajaxSend()-rather than within thesettingsobject for$.ajaxSetup().
$.ajaxSetup({
+ url: "/xmlhttp/",
+ global: false,
+ type: "POST"
+
+ });
+ $.ajax({ data: myData });
+Description: Deprecated in jQuery 1.3 (see jQuery.support). States if the current page, in the user's browser, is being rendered using the W3C CSS Box Model.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ p { color:blue; margin:20px; }
+ span { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>
+ </p>
+<script>
+
+ $("p").html("The box model for this iframe is: <span>" +
+ jQuery.boxModel + "</span>");
+</script>
+</body>
+</html>
+$.boxModel
+false
+Description: We recommend against using this property, please try to use feature detection instead (see jQuery.support). Contains flags for the useragent, read from navigator.userAgent. While jQuery.browser will not be removed from future versions of jQuery, every effort to use jQuery.support and proper feature detection should be made.
+The $.browser property allows us to detect which web browser is accessing the page, as reported by the browser itself. It contains flags for each of the four most prevalent browser classes (Internet Explorer, Mozilla, Webkit, and Opera) as well as version information.
Available flags are:
+This property is available immediately. It is therefore safe to use it to determine whether or not to call $(document).ready().
+The $.browser property is deprecated in jQuery 1.3, but there are no immediate plans to remove it.
Because $.browser uses navigator.userAgent to determine the platform, it is vulnerable to spoofing by the user or misrepresentation by the browser itself. It is always best to avoid browser-specific code entirely where possible. The $.support property is available for detection of support for particular features rather than relying on $.browser.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { color:green; font-weight:bolder; margin:3px 0 0 10px; }
+ div { color:blue; margin-left:20px; font-size:14px; }
+ span { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Browser info:</p>
+<script>
+ jQuery.each(jQuery.browser, function(i, val) {
+ $("<div>" + i + " : <span>" + val + "</span>")
+ .appendTo(document.body);
+ });</script>
+</body>
+</html>
+$.browser.msie
+if ($.browser.webkit) {
+ alert("this is webkit!");
+ }
+jQuery.each(jQuery.browser, function(i, val) {
+ if(i=="mozilla" && jQuery.browser.version.substr(0,3)=="1.9")
+ alert("Do stuff for firefox 3")
+ });
+jQuery.each(jQuery.browser, function(i) {
+ if($.browser.msie){
+ $("#div ul li").css("display","inline");
+ }else{
+ $("#div ul li").css("display","inline-table");
+ }
+ });
+Description: The version number of the rendering engine for the user's browser.
+Here are some typical results:
+Note that IE8 claims to be 7 in Compatibility View.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { color:blue; margin:20px; }
+ span { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>
+ </p>
+<script>
+
+ $("p").html("The browser version is: <span>" +
+ jQuery.browser.version + "</span>");
+</script>
+</body>
+</html>
+if ( $.browser.msie ) {
+ alert( $.browser.version );
+}
+
+if (jQuery.browser.msie) {
+ alert(parseInt(jQuery.browser.version));
+}
+
+Description: Check to see if a DOM node is within another DOM node.
+containerThe DOM element that may contain the other element.
+containedThe DOM node that may be contained by the other element.
+jQuery.contains(document.documentElement, document.body); // true
+jQuery.contains(document.body, document.documentElement); // false
+Description: Store arbitrary data associated with the specified element.
+elementThe DOM element to associate with the data.
+keyA string naming the piece of data to set.
+valueThe new data value.
+Note: This is a low-level method; you should probably use .data() instead.
The jQuery.data() method allows us to attach data of any type to DOM elements in a way that is safe from circular references and therefore from memory leaks. We can set several distinct values for a single element and retrieve them later:
jQuery.data(document.body, 'foo', 52); + jQuery.data(document.body, 'bar', 'test');+
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { color:blue; }
+ span { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>
+ The values stored were
+ <span></span>
+ and
+ <span></span>
+ </div>
+<script>var div = $("div")[0];
+ jQuery.data(div, "test", { first: 16, last: "pizza!" });
+ $("span:first").text(jQuery.data(div, "test").first);
+ $("span:last").text(jQuery.data(div, "test").last);</script>
+</body>
+</html>
+Description: Returns value at named data store for the element, as set by jQuery.data(element, name, value), or the full data store for the element.
+elementThe DOM element to query for the data.
+keyName of the data stored.
+elementThe DOM element to query for the data.
+Note: This is a low-level method; you should probably use .data() instead.
The jQuery.data() method allows us to attach data of any type to DOM elements in a way that is safe from circular references and therefore from memory leaks. We can retrieve several distinct values for a single element one at a time, or as a set:
alert(jQuery.data( document.body, 'foo' ); +alert(jQuery.data( document.body ));+
The above lines alert the data values that were set on the body element. If nothing was set on that element, an empty string is returned.
Calling jQuery.data(element) retrieves all of the element's associated values as a JavaScript object. Note that jQuery itself uses this method to store data for internal use, such as event handlers, so do not assume that it contains only data that your own code has stored.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+div { margin:5px; background:yellow; }
+button { margin:5px; font-size:14px; }
+p { margin:5px; color:blue; }
+span { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>A div</div>
+<button>Get "blah" from the div</button>
+<button>Set "blah" to "hello"</button>
+
+<button>Set "blah" to 86</button>
+<button>Remove "blah" from the div</button>
+<p>The "blah" value of this div is <span>?</span></p>
+<script>
+$("button").click(function(e) {
+ var value, div = $("div")[0];
+
+ switch ($("button").index(this)) {
+ case 0 :
+ value = jQuery.data(div, "blah");
+ break;
+ case 1 :
+ jQuery.data(div, "blah", "hello");
+ value = "Stored!";
+ break;
+ case 2 :
+ jQuery.data(div, "blah", 86);
+ value = "Stored!";
+ break;
+ case 3 :
+ jQuery.removeData(div, "blah");
+ value = "Removed!";
+ break;
+ }
+
+ $("span").text("" + value);
+});
+
+</script>
+</body>
+</html>
+Description: Execute the next function on the queue for the matched element.
+elementA DOM element from which to remove and execute a queued function.
+queueNameA string containing the name of the queue. Defaults to fx, the standard effects queue.
Note: This is a low-level method, you should probably use .dequeue() instead.
When jQuery.dequeue() is called, the next function on the queue is removed from the queue, and then executed. This function should in turn (directly or indirectly) cause jQuery.dequeue() to be called, so that the sequence can continue.
<!DOCTYPE html>
+<html>
+<head>
+ <style>div { margin:3px; width:50px; position:absolute;
+ height:50px; left:10px; top:30px;
+ background-color:yellow; }
+ div.red { background-color:red; } </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button>Start</button> <div></div>
+<script>$("button").click(function () {
+ $("div").animate({left:'+=200px'}, 2000);
+ $("div").animate({top:'0px'}, 600);
+ $("div").queue(function () {
+ $(this).toggleClass("red");
+ $.dequeue( this );
+ });
+ $("div").animate({left:'10px', top:'30px'}, 700);
+ });</script>
+</body>
+</html>
+Description: A generic iterator function, which can be used to seamlessly iterate over both objects and arrays. Arrays and array-like objects with a length property (such as a function's arguments object) are iterated by numeric index, from 0 to length-1. Other objects are iterated via their named properties. +
+collectionThe object or array to iterate over.
+callback(indexInArray, valueOfElement)The function that will be executed on every object.
+The $.each() function is not the same as .each(), which is used to iterate, exclusively, over a jQuery object. The $.each() function can be used to iterate over any collection, whether it is a map (JavaScript object) or an array. In the case of an array, the callback is passed an array index and a corresponding array value each time. (The value can also be accessed through the this keyword.)
$.each([52, 97], function(index, value) {
+ alert(index + ': ' + value);
+});
+
+This produces two messages:
+
+ 0: 52
1: 97
+
If a map is used as the collection, the callback is passed a key-value pair each time:
+var map = {
+ 'flammable': 'inflammable',
+ 'duh': 'no duh'
+};
+$.each(map, function(key, value) {
+ alert(key + ': ' + value);
+});
+Once again, this produces two messages:
+
+ flammable: inflammable
duh: no duh
+
We can break the $.each() loop at a particular iteration by making the callback function return false. Returning non-false is the same as a continue statement in a for loop; it will skip immediately to the next iteration.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { color:blue; }
+ div#five { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+ <div id="one"></div>
+ <div id="two"></div>
+ <div id="three"></div>
+ <div id="four"></div>
+ <div id="five"></div>
+<script>
+ var arr = [ "one", "two", "three", "four", "five" ];
+ var obj = { one:1, two:2, three:3, four:4, five:5 };
+
+ jQuery.each(arr, function() {
+ $("#" + this).text("Mine is " + this + ".");
+ return (this != "three"); // will stop running after "three"
+ });
+
+ jQuery.each(obj, function(i, val) {
+ $("#" + i).append(document.createTextNode(" - " + val));
+ });
+</script>
+</body>
+</html>
+$.each( ['a','b','c'], function(i, l){
+ alert( "Index #" + i + ": " + l );
+ });
+$.each( { name: "John", lang: "JS" }, function(k, v){
+ alert( "Key: " + k + ", Value: " + v );
+ });
+Description: Takes a string and throws an exception containing it.
+messageThe message to send out.
+This method exists primarily for plugin developers who wish to override it and provide a better display (or more information) for the error messages.
jQuery.error = console.error;
+Description: Merge the contents of two or more objects together into the first object.
+target An object that will receive the new properties if additional objects are passed in or that will extend the jQuery namespace if it is the sole argument.
+object1An object containing additional properties to merge in.
+objectNAdditional objects containing properties to merge in.
+deepIf true, the merge becomes recursive (aka. deep copy).
+targetThe object to extend. It will receive the new properties.
+object1An object containing additional properties to merge in.
+objectNAdditional objects containing properties to merge in.
+When we supply two or more objects to $.extend(), properties from all of the objects are added to the target object.
If only one argument is supplied to $.extend(), this means the target argument was omitted. In this case, the jQuery object itself is assumed to be the target. By doing this, we can add new functions to the jQuery namespace. This can be useful for plugin authors wishing to add new methods to JQuery.
Keep in mind that the target object (first argument) will be modified, and will also be returned from $.extend(). If, however, we want to preserve both of the original objects, we can do so by passing an empty object as the target:
var object = $.extend({}, object1, object2);
+The merge performed by $.extend() is not recursive by default; if a property of the first object is itself an object or array, it will be completely overwritten by a property with the same key in the second object. The values are not merged. This can be seen in the example below by examining the value of banana. However, by passing true for the first function argument, objects will be recursively merged.
Undefined properties are not copied. However, properties inherited from the object's prototype will be copied over.
+
+var object1 = {
+ apple: 0,
+ banana: {weight: 52, price: 100},
+ cherry: 97
+};
+var object2 = {
+ banana: {price: 200},
+ durian: 100
+};
+
+$.extend(object1, object2);
+
+object1 === {apple: 0, banana: {price: 200}, cherry: 97, durian: 100}
+
+var object1 = {
+ apple: 0,
+ banana: {weight: 52, price: 100},
+ cherry: 97
+};
+var object2 = {
+ banana: {price: 200},
+ durian: 100
+};
+
+$.extend(true, object1, object2);
+
+object1 === {apple: 0, banana: {weight: 52, price: 200}, cherry: 97, durian: 100}
+var settings = { validate: false, limit: 5, name: "foo" };
+var options = { validate: true, name: "bar" };
+jQuery.extend(settings, options);
+settings == { validate: true, limit: 5, name: "bar" }
+var empty = {}
+var defaults = { validate: false, limit: 5, name: "foo" };
+var options = { validate: true, name: "bar" };
+var settings = $.extend(empty, defaults, options);
+settings == { validate: true, limit: 5, name: "bar" }
+empty == { validate: true, limit: 5, name: "bar" }
+Description: Globally disable all animations.
+When this property is set to true, all animation methods will immediately set elements to their final state when called, rather than displaying an effect. This may be desirable for a couple reasons:
Animations can be turned back on by setting the property to false.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { width:50px; height:30px; margin:5px; float:left;
+ background:green; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p><input type="button" value="Run"/> <button>Toggle fx</button></p>
+<div></div>
+<script>
+var toggleFx = function() {
+ $.fx.off = !$.fx.off;
+};
+toggleFx();
+
+$("button").click(toggleFx)
+
+$("input").click(function(){
+ $("div").toggle("slow");
+});
+ </script>
+</body>
+</html>
+Description: Load data from the server using a HTTP GET request.
+urlA string containing the URL to which the request is sent.
+dataA map or string that is sent to the server with the request.
+callback(data, textStatus, XMLHttpRequest)A callback function that is executed if the request succeeds.
+dataTypeThe type of data expected from the server.
+This is a shorthand Ajax function, which is equivalent to:
+$.ajax({
+ url: url,
+ data: data,
+ success: success,
+ dataType: dataType
+});
+
+The success callback function is passed the returned data, which will be an XML root element, text string, JavaScript file, or JSON object, depending on the MIME type of the response. It is also passed the text status of the response.
As of jQuery 1.4, the success callback function is also passed the XMLHttpRequest object.
Most implementations will specify a success handler:
+$.get('ajax/test.html', function(data) {
+ $('.result').html(data);
+ alert('Load was performed.');
+});
+
+This example fetches the requested HTML snippet and inserts it on the page.
+$.get("test.php");
+$.get("test.php", { name: "John", time: "2pm" } );
+$.get("test.php", { 'choices[]': ["Jon", "Susan"]} );
+$.get("test.php", function(data){
+ alert("Data Loaded: " + data);
+ });
+$.get("test.cgi", { name: "John", time: "2pm" },
+ function(data){
+ alert("Data Loaded: " + data);
+ });
+Description: Load JSON-encoded data from the server using a GET HTTP request.
+urlA string containing the URL to which the request is sent.
+dataA map or string that is sent to the server with the request.
+callback(data, textStatus)A callback function that is executed if the request succeeds.
+This is a shorthand Ajax function, which is equivalent to:
+$.ajax({
+ url: url,
+ dataType: 'json',
+ data: data,
+ success: success
+});
+
+The callback is passed the returned data, which will be a JavaScript object or array as defined by the JSON structure and parsed using the $.parseJSON() method.
Note: For details on the JSON format, see http://json.org/.
+Most implementations will specify a success handler:
+$.getJSON('ajax/test.json', function(data) {
+ $('.result').html('<p>' + data.foo + '</p>'
+ + '<p>' + data.baz[1] + '</p>');
+});
+
+This example, of course, relies on the structure of the JSON file:
+{
+ "foo": "The quick brown fox jumps over the lazy dog.",
+ "bar": "ABCDEFG",
+ "baz": [52, 97]
+}
+
+Using this structure, the example inserts the first string and second number from the file onto the page.
+If there is a syntax error in the JSON file, the request will usually fail silently. Avoid frequent hand-editing of JSON data for this reason.
+If the specified URL is on a remote server, the request is treated as JSONP instead. See the discussion of the jsonp data type in $.ajax() for more details.
<!DOCTYPE html>
+<html>
+<head>
+ <style>img{ height: 100px; float: left; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div id="images">
+
+</div>
+<script>$.getJSON("http://api.flickr.com/services/feeds/photos_public.gne?tags=cat&tagmode=any&format=json&jsoncallback=?",
+ function(data){
+ $.each(data.items, function(i,item){
+ $("<img/>").attr("src", item.media.m).appendTo("#images");
+ if ( i == 3 ) return false;
+ });
+ });</script>
+</body>
+</html>
+$.getJSON("test.js", function(json){
+ alert("JSON Data: " + json.users[3].name);
+ });
+$.getJSON("test.js", { name: "John", time: "2pm" }, function(json){
+ alert("JSON Data: " + json.users[3].name);
+ });
+
+
+var id=$("#id").attr("value");
+$.getJSON("pages.php",{id:id},dates);
+
+function dates(datos) {
+
+ $("#list").html("Name:"+datos[1].name+"<br>"+"Last Name:"+datos[1].lastname+"<br>"+"Address:"+datos[1].address);
+}
+
+
+Description: Load a JavaScript file from the server using a GET HTTP request, then execute it.
+urlA string containing the URL to which the request is sent.
+success(data, textStatus)A callback function that is executed if the request succeeds.
+This is a shorthand Ajax function, which is equivalent to:
+$.ajax({
+ url: url,
+ dataType: 'script',
+ success: success
+});
+
+The callback is passed the returned JavaScript file. This is generally not useful as the script will already have run at this point.
+The script is executed in the global context, so it can refer to other variables and use jQuery functions. Included scripts should have some impact on the current page:
+$('.result').html('<p>Lorem ipsum dolor sit amet.</p>');
+The script can then be included and run by referencing the file name:
+$.getScript('ajax/test.js', function() {
+ alert('Load was performed.');
+});
+<!DOCTYPE html>
+<html>
+<head>
+ <style>.block {
+ background-color: blue;
+ width: 150px;
+ height: 70px;
+ margin: 10px;
+}</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button id="go">» Run</button>
+
+<div class="block"></div>
+
+<script>$.getScript("http://dev.jquery.com/view/trunk/plugins/color/jquery.color.js", function(){
+ $("#go").click(function(){
+ $(".block").animate( { backgroundColor: 'pink' }, 1000)
+ .animate( { backgroundColor: 'blue' }, 1000);
+ });
+});</script>
+</body>
+</html>
+$.getScript("test.js");
+$.getScript("test.js", function(){
+ alert("Script loaded and executed.");
+ });
+Description: Execute some JavaScript code globally.
+codeThe JavaScript code to execute.
+This method behaves differently from using a normal JavaScript eval() in that it's executed within the global context (which is important for loading external scripts dynamically).
function test(){
+ jQuery.globalEval("var newVar = true;")
+}
+test();
+// newVar === true
+Description: Finds the elements of an array which satisfy a filter function. The original array is not affected.
+arrayThe array to search through.
+function(elementOfArray, indexInArray)The function to process each item against. The first argument to the function is the item, and the second argument is the index. The function should return a Boolean value. this will be the global window object.
invertIf "invert" is false, or not provided, then the function returns an array consisting of all elements for which "callback" returns true. If "invert" is true, then the function returns an array consisting of all elements for which "callback" returns false.
+The $.grep() method removes items from an array as necessary so that all remaining items pass a provided test. The test is a function that is passed an array item and the index of the item within the array. Only if the test returns true will the item be in the result array.
The filter function will be passed two arguments: the current array item and its index. The filter function must return 'true' to include the item in the result array.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { color:blue; }
+ p { color:green; margin:0; }
+ span { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div></div>
+ <p></p>
+ <span></span>
+
+<script>
+var arr = [ 1, 9, 3, 8, 6, 1, 5, 9, 4, 7, 3, 8, 6, 9, 1 ];
+$("div").text(arr.join(", "));
+
+arr = jQuery.grep(arr, function(n, i){
+ return (n != 5 && i > 4);
+});
+$("p").text(arr.join(", "));
+
+arr = jQuery.grep(arr, function (a) { return a != 9; });
+$("span").text(arr.join(", "));
+
+</script>
+</body>
+</html>
+$.grep( [0,1,2], function(n,i){
+ return n > 0;
+ });
+[1, 2]
+$.grep( [0,1,2], function(n,i){
+ return n > 0;
+},true);
+[0]
+Description: Search for a specified value within an array and return its index (or -1 if not found).
+valueThe value to search for.
+arrayAn array through which to search.
+The $.inArray() method is similar to JavaScript's native .indexOf() method in that it returns -1 when it doesn't find a match. If the first element within the array matches value, $.inArray() returns 0.
Because JavaScript treats 0 as loosely equal to false (i.e. 0 == false, but 0 !== false), if we're checking for the presence of value within array, we need to check if it's not equal to (or greater than) -1.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { color:blue; }
+ span { color:red; }
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+<div>"John" found at <span></span></div>
+<div>4 found at <span></span></div>
+<div>"Karl" not found, so <span></span></div>
+<script>var arr = [ 4, "Pete", 8, "John" ];
+
+$("span:eq(0)").text(jQuery.inArray("John", arr));
+$("span:eq(1)").text(jQuery.inArray(4, arr));
+$("span:eq(2)").text(jQuery.inArray("Karl", arr));
+
+</script>
+</body>
+</html>
+Description: Determine whether the argument is an array.
+objObject to test whether or not it is an array.
+$.isArray() returns a Boolean indicating whether the object is a JavaScript array (not an array-like object, such as a jQuery object).
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ Is [] an Array? <b></b>
+<script>$("b").append( "" + $.isArray([]) );</script>
+</body>
+</html>
+Description: Check to see if an object is empty (contains no properties).
+objectThe object that will be checked to see if it's empty.
+As of jQuery 1.4 this method checks both properties on the object itself and properties inherited from prototypes (in that it doesn't use hasOwnProperty).
jQuery.isEmptyObject({}) // true
+jQuery.isEmptyObject({ foo: "bar" }) // false
+Description: Determine if the argument passed is a Javascript function object.
+Note: As of jQuery 1.3, functions provided by the browser like alert() and DOM element methods like getAttribute() are not guaranteed to be detected as functions in browsers such as Internet Explorer.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { color:blue; margin:2px; font-size:14px; }
+ span { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+ <div>jQuery.isFunction(objs[0]) = <span></span></div>
+
+ <div>jQuery.isFunction(objs[1]) = <span></span></div>
+ <div>jQuery.isFunction(objs[2]) = <span></span></div>
+ <div>jQuery.isFunction(objs[3]) = <span></span></div>
+
+ <div>jQuery.isFunction(objs[4]) = <span></span></div>
+
+<script>
+ function stub() {
+ }
+ var objs = [
+ function () {},
+ { x:15, y:20 },
+ null,
+ stub,
+ "function"
+ ];
+
+ jQuery.each(objs, function (i) {
+ var isFunc = jQuery.isFunction(objs[i]);
+ $("span").eq(i).text(isFunc);
+ });
+</script>
+</body>
+</html>
+$.isFunction(function(){});
+true
+Description: Check to see if an object is a plain object (created using "{}" or "new Object").
+objectThe object that will be checked to see if it's a plain object.
+jQuery.isPlainObject({}) // true
+jQuery.isPlainObject("test") // false
+Description: Check to see if a DOM node is within an XML document (or is an XML document).
+nodeThe DOM node that will be checked to see if it's in an XML document.
+jQuery.isXMLDoc(document) // false
+jQuery.isXMLDoc(document.body) // false
+Description: Convert an array-like object into a true JavaScript array.
+objAny object to turn into a native Array.
+Many methods, both in jQuery and in JavaScript in general, return objects that are array-like. For example, the jQuery factory function $() returns a jQuery object that has many of the properties of an array (a length, the [] array access operator, etc.), but is not exactly the same as an array and lacks some of an array's built-in methods (such as .pop() and .reverse()).
Note that after the conversion, any special features the object had (such as the jQuery methods in our example) will no longer be present. The object is now a plain array.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>First</div>
+ <div>Second</div>
+ <div>Third</div>
+
+ <div>Fourth</div>
+<script>
+ var elems = document.getElementsByTagName("div"); // returns a nodeList
+ var arr = jQuery.makeArray(elems);
+ arr.reverse(); // use an Array method on list of dom elements
+ $(arr).appendTo(document.body);
+</script>
+</body>
+</html>
+
+ var obj = $('li');
+ var arr = $.makeArray(obj);
+
+(typeof obj === 'object' && obj.jquery) === true;
+jQuery.isArray(arr) === true;
+
+Description: Translate all items in an array or array-like object to another array of items.
+arrayThe Array to translate.
+callback(elementOfArray, indexInArray)The function to process each item against. The first argument to the function is the list item, the second argument is the index in array The function can return any value. this will be the global window object.
The $.map() method applies a function to each item in an array, collecting the results into a new array.
+The translation function that is provided to this method is called for each item in the array and is passed two arguments: The item to be translated, and the index within the array.
+The function can return:
+null, to remove the itemMap can iterate through Array-like objects, like a jQuery object, that have a length property.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { color:blue; }
+ p { color:green; margin:0; }
+ span { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div></div>
+ <p></p>
+ <span></span>
+
+<script>
+
+ var arr = [ "a", "b", "c", "d", "e" ];
+ $("div").text(arr.join(", "));
+
+ arr = jQuery.map(arr, function(n, i){
+ return (n.toUpperCase() + i);
+ });
+ $("p").text(arr.join(", "));
+
+ arr = jQuery.map(arr, function (a) { return a + a; });
+ $("span").text(arr.join(", "));
+
+</script>
+</body>
+</html>
+$.map( [0,1,2], function(n){
+ return n + 4;
+ });
+[4, 5, 6]
+$.map( [0,1,2], function(n){
+ return n > 0 ? n + 1 : null;
+ });
+[2, 3]
+$.map( [0,1,2], function(n){
+ return [ n, n + 1 ];
+ });
+[0, 1, 1, 2, 2, 3]
+$.map( [0,1,2,3], function (a) { return a * a; } );
+[0, 1, 4, 9]
+$.map( [0, 1, 52, 97], function (a) { return (a > 50 ? a - 45 : null); } );
+[7, 52]
+var array = [0, 1, 52, 97];
+array = $.map(array, function(a, index) {
+ return [a - 45, index];
+});
+[-45, 0, -44, 1, 7, 2, 52, 3]
+Description: Merge the contents of two arrays together into the first array.
+firstThe first array to merge, the elements of second added.
+secondThe second array to merge into the first, unaltered.
+The $.merge() operation forms an array that contains all elements from the two arrays. The orders of items in the arrays are preserved, with items from the second array appended. The $.merge() function is destructive. It alters the first parameter to add the items from the second.
If you need the original first array, make a copy of it before calling $.merge(). Fortunately, $.merge() itself can be used for this duplication:
var newArray = $.merge([], oldArray);+
This shortcut creates a new, empty array and merges the contents of oldArray into it, effectively cloning the array.
+The arguments should be true Javascript Array objects; use $.makeArray if they are not.
$.merge( [0,1,2], [2,3,4] )
+[0,1,2,2,3,4]
+$.merge( [3,2,1], [4,3,2] )
+[3,2,1,4,3,2]
+var first = ['a','b','c'];
+var second = ['d','e','f'];
+$.merge( $.merge([],first), second);
+
+["a","b","c","d","e","f"]
+Description: Relinquish jQuery's control of the $ variable.
+removeAllA Boolean indicating whether to remove all jQuery variables from the global scope (including jQuery itself).
+Many JavaScript libraries use $ as a function or variable name, just as jQuery does. In jQuery's case, $ is just an alias for jQuery, so all functionality is available without using $. If we need to use another JavaScript library alongside jQuery, we can return control of $ back to the other library with a call to $.noConflict():
+<script type="text/javascript" src="other_lib.js"></script> +<script type="text/javascript" src="jquery.js"></script> +<script type="text/javascript"> + $.noConflict(); + // Code that uses other library's $ can follow here. +</script> ++
This technique is especially effective in conjunction with the .ready() method's ability to alias the jQuery object, as within callback passed to .ready() we can use $ if we wish without fear of conflicts later:
+
+<script type="text/javascript" src="other_lib.js"></script>
+<script type="text/javascript" src="jquery.js"></script>
+<script type="text/javascript">
+ $.noConflict();
+ jQuery(document).ready(function($) {
+ // Code that uses jQuery's $ can follow here.
+ });
+ // Code that uses other library's $ can follow here.
+</script>
+
+If necessary, we can free up the jQuery name as well by passing true as an argument to the method. This is rarely necessary, and if we must do this (for example, if we need to use multiple versions of the jQuery library on the same page), we need to consider that most plug-ins rely on the presence of the jQuery variable and may not operate correctly in this situation.
jQuery.noConflict();
+// Do something with jQuery
+jQuery("div p").hide();
+// Do something with another library's $()
+$("content").style.display = 'none';
+jQuery.noConflict();
+(function($) {
+ $(function() {
+ // more code using $ as alias to jQuery
+ });
+})(jQuery);
+// other code using $ as an alias to the other library
+jQuery.noConflict()(function(){
+ // code using jQuery
+});
+// other code using $ as an alias to the other library
+var j = jQuery.noConflict();
+// Do something with jQuery
+j("div p").hide();
+// Do something with another library's $()
+$("content").style.display = 'none';
+var dom = {};
+dom.query = jQuery.noConflict(true);
+// Do something with the new jQuery
+dom.query("div p").hide();
+// Do something with another library's $()
+$("content").style.display = 'none';
+// Do something with another version of jQuery
+jQuery("div > p").hide();
+Description: An empty function.
+You can use this empty function when you wish to pass around a function that will do nothing.
+This is useful for plugin authors who offer optional callbacks; in the case that no callback is given, something like jQuery.noop could execute.
Description: Create a serialized representation of an array or object, suitable for use in a URL query string or Ajax request.
+objAn array or object to serialize.
+objAn array or object to serialize.
+traditionalA Boolean indicating whether to perform a traditional "shallow" serialization.
+This function is used internally to convert form element values into a serialized string representation (See .serialize() for more information).
+As of jQuery 1.3, the return value of a function is used instead of the function as a String.
+As of jQuery 1.4, the $.param() method serializes deep objects recursively to accommodate modern scripting languages and frameworks such as PHP and Ruby on Rails. You can disable this functionality globally by setting jQuery.ajaxSettings.traditional = true;.
Note: Because some frameworks have limited ability to parse serialized arrays, we should exercise caution when passing an obj argument that contains objects or arrays nested within another array.
In jQuery 1.4 HTML5 input elements are serialized, as well.
+We can display a query string representation of an object and a URI-decoded version of the same as follows:
+var myObject = {
+ a: {
+ one: 1,
+ two: 2,
+ three: 3
+ },
+ b: [1,2,3]
+};
+var recursiveEncoded = $.param(myObject);
+var recursiveDecoded = decodeURIComponent($.param(myObject));
+
+alert(recursiveEncoded);
+alert(recursiveDecoded);
+
+The values of recursiveEncoded and recursiveDecoded are alerted as follows:
a%5Bone%5D=1&a%5Btwo%5D=2&a%5Bthree%5D=3&b%5B%5D=1&b%5B%5D=2&b%5B%5D=3
a[one]=1&a[two]=2&a[three]=3&b[]=1&b[]=2&b[]=3
To emulate the behavior of $.param() prior to jQuery 1.4, we can set the traditional argument to true:
var myObject = {
+ a: {
+ one: 1,
+ two: 2,
+ three: 3
+ },
+ b: [1,2,3]
+};
+var shallowEncoded = $.param(myObject, true);
+var shallowDecoded = decodeURIComponent(shallowEncoded);
+
+alert(shallowEncoded);
+alert(shallowDecoded);
+
+The values of shallowEncoded and shallowDecoded are alerted as follows:
a=%5Bobject+Object%5D&b=1&b=2&b=3
a=[object+Object]&b=1&b=2&b=3
<!DOCTYPE html>
+<html>
+<head>
+ <style>div { color:red; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div id="results"></div>
+<script>
+
+ var params = { width:1680, height:1050 };
+ var str = jQuery.param(params);
+ $("#results").text(str);
+</script>
+</body>
+</html>
+
+// <=1.3.2:
+$.param({ a: [2,3,4] }) // "a=2&a=3&a=4"
+// >=1.4:
+$.param({ a: [2,3,4] }) // "a[]=2&a[]=3&a[]=4"
+
+// <=1.3.2:
+$.param({ a: { b:1,c:2 }, d: [3,4,{ e:5 }] }) // "a=[object+Object]&d=3&d=4&d=[object+Object]"
+// >=1.4:
+$.param({ a: { b:1,c:2 }, d: [3,4,{ e:5 }] }) // "a[b]=1&a[c]=2&d[]=3&d[]=4&d[2][e]=5"
+
+
+Description: Takes a well-formed JSON string and returns the resulting JavaScript object.
+jsonThe JSON string to parse.
+Passing in a malformed JSON string will result in an exception being thrown. For example, the following are all malformed JSON strings:
+{test: 1} (test does not have double quotes around it).{'test': 1} ('test' is using single quotes instead of double quotes).Additionally if you pass in nothing, an empty string, null, or undefined, 'null' will be returned from parseJSON. Where the browser provides a native implementation of JSON.parse, jQuery uses it to parse the string. For details on the JSON format, see http://json.org/.
+
var obj = jQuery.parseJSON('{"name":"John"}');
+alert( obj.name === "John" );
+Description: Load data from the server using a HTTP POST request.
+urlA string containing the URL to which the request is sent.
+dataA map or string that is sent to the server with the request.
+success(data, textStatus, XMLHttpRequest)A callback function that is executed if the request succeeds.
+dataTypeThe type of data expected from the server.
+This is a shorthand Ajax function, which is equivalent to:
+$.ajax({
+ type: 'POST',
+ url: url,
+ data: data,
+ success: success
+ dataType: dataType
+});
+
+The success callback function is passed the returned data, which will be an XML root element or a text string depending on the MIME type of the response. It is also passed the text status of the response.
As of jQuery 1.4, the success callback function is also passed the XMLHttpRequest object.
Most implementations will specify a success handler:
+$.post('ajax/test.html', function(data) {
+ $('.result').html(data);
+});
+
+This example fetches the requested HTML snippet and inserts it on the page.
+Pages fetched with POST are never cached, so the cache and ifModified options in jQuery.ajaxSetup() have no effect on these requests.
$.post("test.php");
+$.post("test.php", { name: "John", time: "2pm" } );
+$.post("test.php", { 'choices[]': ["Jon", "Susan"] });
+$.post("test.php", $("#testform").serialize());
+$.post("test.php", function(data){
+ alert("Data Loaded: " + data);
+ });
+$.post("test.php", { name: "John", time: "2pm" },
+ function(data){
+ alert("Data Loaded: " + data);
+ });
+$.post("test.php", { name: "John", time: "2pm" },
+ function(data){
+ process(data);
+ }, "xml");
+$.post("test.php", { "func": "getNameAndTime" },
+ function(data){
+ alert(data.name); // John
+ console.log(data.time); // 2pm
+ }, "json");
+Description: Takes a function and returns a new one that will always have a particular context.
+functionThe function whose context will be changed.
+contextThe object to which the context (`this`) of the function should be set.
+contextThe object to which the context of the function should be set.
+nameThe name of the function whose context will be changed (should be a property of the 'context' object.
+This method is most useful for attaching event handlers to an element where the context is pointing back to a different object. Additionally, jQuery makes sure that even if you bind the function returned from jQuery.proxy() it will still unbind the correct function, if passed the original.
var obj = {
+ name: "John",
+ test: function() {
+ alert( this.name );
+ $("#test").unbind("click", obj.test);
+ }
+};
+
+$("#test").click( jQuery.proxy( obj, "test" ) );
+
+// This also works:
+// $("#test").click( jQuery.proxy( obj.test, obj ) );
+Description: Add a collection of DOM elements onto the jQuery stack.
+elementsAn array of elements to push onto the stack and make into a new jQuery object.
+elementsAn array of elements to push onto the stack and make into a new jQuery object.
+nameThe name of a jQuery method that generated the array of elements.
+argumentsThe arguments that were passed in to the jQuery method (for serialization).
+jQuery([])
+ .pushStack( document.getElementsByTagName("div") )
+ .remove()
+ .end();
+Description: Show the queue of functions to be executed on the matched element.
+elementA DOM element to inspect for an attached queue.
+queueNameA string containing the name of the queue. Defaults to fx, the standard effects queue.
Note: This is a low-level method, you should probably use .queue() instead.
<!DOCTYPE html>
+<html>
+<head>
+ <style>div { margin:3px; width:40px; height:40px;
+ position:absolute; left:0px; top:30px;
+ background:green; display:none; }
+ div.newcolor { background:blue; }
+ span { color:red; } </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button id="show">Show Length of Queue</button>
+ <span></span>
+ <div></div>
+<script>$("#show").click(function () {
+ var n = jQuery.queue( $("div")[0], "fx" );
+ $("span").text("Queue length is: " + n.length);
+ });
+ function runIt() {
+ $("div").show("slow");
+ $("div").animate({left:'+=200'},2000);
+ $("div").slideToggle(1000);
+ $("div").slideToggle("fast");
+ $("div").animate({left:'-=200'},1500);
+ $("div").hide("slow");
+ $("div").show(1200);
+ $("div").slideUp("normal", runIt);
+ }
+ runIt();</script>
+</body>
+</html>
+Description: Manipulate the queue of functions to be executed on the matched element.
+elementA DOM element where the array of queued functions is attached.
+queueNameA string containing the name of the queue. Defaults to fx, the standard effects queue.
newQueueAn array of functions to replace the current queue contents.
+elementA DOM element on which to add a queued function.
+queueNameA string containing the name of the queue. Defaults to fx, the standard effects queue.
callback()The new function to add to the queue.
+Note: This is a low-level method, you should probably use .queue() instead.
Every element can have one or more queues of functions attached to it by jQuery. In most applications, only one queue (called fx) is used. Queues allow a sequence of actions to be called on an element asynchronously, without halting program execution.
The jQuery.queue() method allows us to directly manipulate this queue of functions. Calling jQuery.queue() with a callback is particularly useful; it allows us to place a new function at the end of the queue.
Note that when adding a function with jQuery.queue(), we should ensure that jQuery.dequeue() is eventually called so that the next function in line executes.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { margin:3px; width:40px; height:40px;
+ position:absolute; left:0px; top:30px;
+ background:green; display:none; }
+ div.newcolor { background:blue; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ Click here...
+ <div></div>
+<script>
+ $(document.body).click(function () {
+ $("div").show("slow");
+ $("div").animate({left:'+=200'},2000);
+ jQuery.queue( $("div")[0], "fx", function () {
+ $(this).addClass("newcolor");
+ jQuery.dequeue( this );
+ });
+ $("div").animate({left:'-=200'},500);
+ jQuery.queue( $("div")[0], "fx", function () {
+ $(this).removeClass("newcolor");
+ jQuery.dequeue( this );
+ });
+ $("div").slideUp();
+ });</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { margin:3px; width:40px; height:40px;
+ position:absolute; left:0px; top:30px;
+ background:green; display:none; }
+ div.newcolor { background:blue; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+ <button id="start">Start</button>
+ <button id="stop">Stop</button>
+ <div></div>
+<script>
+ $("#start").click(function () {
+ $("div").show("slow");
+ $("div").animate({left:'+=200'},5000);
+ jQuery.queue( $("div")[0], "fx", function () {
+ $(this).addClass("newcolor");
+ jQuery.dequeue( this );
+ });
+ $("div").animate({left:'-=200'},1500);
+ jQuery.queue( $("div")[0], "fx", function () {
+ $(this).removeClass("newcolor");
+ jQuery.dequeue( this );
+ });
+ $("div").slideUp();
+ });
+ $("#stop").click(function () {
+ jQuery.queue( $("div")[0], "fx", [] );
+ $("div").stop();
+ });
+</script>
+</body>
+</html>
+Description: Remove a previously-stored piece of data.
+elementA DOM element from which to remove data.
+nameA string naming the piece of data to remove.
+Note: This is a low-level method, you should probably use .removeData() instead.
The jQuery.removeData() method allows us to remove values that were previously set using jQuery.data(). When called with the name of a key, jQuery.removeData() deletes that particular value; when called with no arguments, all values are removed.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { margin:2px; color:blue; }
+ span { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>value1 before creation: <span></span></div>
+ <div>value1 after creation: <span></span></div>
+ <div>value1 after removal: <span></span></div>
+ <div>value2 after removal: <span></span></div>
+<script>
+var div = $("div")[0];
+$("span:eq(0)").text("" + $("div").data("test1"));
+jQuery.data(div, "test1", "VALUE-1");
+jQuery.data(div, "test2", "VALUE-2");
+$("span:eq(1)").text("" + jQuery.data(div, "test1"));
+jQuery.removeData(div, "test1");
+$("span:eq(2)").text("" + jQuery.data(div, "test1"));
+$("span:eq(3)").text("" + jQuery.data(div, "test2"));</script>
+</body>
+</html>
+Description: A collection of properties that represent the presence of different browser features or bugs.
+Rather than using $.browser to detect the current user agent and alter the page presentation based on which browser is running, it is a good practice to perform feature detection. This means that prior to executing code which relies on a browser feature, we test to ensure that the feature works properly. To make this process simpler, jQuery performs many such tests and makes the results available to us as properties of the jQuery.support object.
The values of all the support properties are determined using feature detection (and do not use any form of browser sniffing).
+++Following are a few resources that explain how feature detection works:
+ +
While jQuery includes a number of properties, developers should feel free to add their own as their needs dictate. Many of the jQuery.support properties are rather low-level, so they are most useful for plugin and jQuery core development, rather than general day-to-day development.
The tests included in jQuery.support are as follows:
boxModel: Is equal to true if the page is rendering according to the W3C CSS Box Model (is currently false in IE 6 and 7 when they are in Quirks Mode). This property is null until document ready occurs.cssFloat: Is equal to true if the name of the property containing the CSS float value is .cssFloat, as defined in the CSS Spec. (It is currently false in IE, it uses styleFloat instead).hrefNormalized: Is equal to true if the .getAttribute() method retrieves the href attribute of elements unchanged, rather than normalizing it to a fully-qualified URL. (It is currently false in IE, the URLs are normalized).
+
+htmlSerialize: Is equal to true if the browser is able to serialize/insert <link> elements using the .innerHTML property of elements. (is currently false in IE).
+leadingWhitespace: Is equal to true if the browser inserts content with .innerHTML exactly as provided—specifically, if leading whitespace characters are preserved. (It is currently false in IE 6-8).
+noCloneEvent: Is equal to true if cloned DOM elements are created without event handlers (that is, if the event handlers on the source element are not cloned). (It is currently false in IE).
+objectAll: Is equal to true if the .getElementsByTagName() method returns all descendant elements when called with a wildcard argument ('*'). (It is currently false in IE 7 and IE 8).
+opacity: Is equal to true if a browser can properly interpret the opacity style property. (It is currently false in IE, it uses alpha filters instead).
+scriptEval: Is equal to true if inline scripts are automatically evaluated and executed when inserted to the document using standard DOM manipulation methods, such as appendChild() and createTextNode(). (It is currently false in IE, it uses .text to insert executable scripts).
+style: Is equal to true if inline styles for an element can be accessed through the DOM attribute called style, as required by the DOM Level 2 specification. In this case, .getAttribute('style') can retrieve this value; in Internet Explorer, .cssText is used for this purpose.
+tbody: Is equal to true if an empty <table> element can exist without a <tbody> element. According to the HTML specification, this sub-element is optional, so the property should be true in a fully-compliant browser. If false, we must account for the possibility of the browser injecting <tbody> tags implicitly. (It is currently false in IE, which automatically inserts tbody if it is not present in a string assigned to innerHTML).
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { color:blue; margin:20px; }
+ span { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>
+ </p>
+<script>
+
+ $("p").html("This frame uses the W3C box model: <span>" +
+ jQuery.support.boxModel + "</span>");
+
+</script>
+</body>
+</html>
+jQuery.support.boxModel
+false
+Description: Remove the whitespace from the beginning and end of a string.
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button>Show Trim Example</button>
+<script>
+
+ $("button").click(function () {
+ var str = " lots of spaces before and after ";
+ alert("'" + str + "'");
+
+ str = jQuery.trim(str);
+ alert("'" + str + "' - no longer");
+ });
+
+</script>
+</body>
+</html>
+$.trim(" hello, how are you? ");
+"hello, how are you?"
+Description: Sorts an array of DOM elements, in place, with the duplicates removed. Note that this only works on arrays of DOM elements, not strings or numbers.
+arrayThe Array of DOM elements.
+The $.unique() function searches through an array of objects, sorting the array, and removing any duplicate nodes. This function only works on plain JavaScript arrays of DOM elements, and is chiefly used internally by jQuery.
As of jQuery 1.4 the results will always be returned in document order.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { color:blue; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>There are 6 divs in this document.</div>
+ <div></div>
+ <div class="dup"></div>
+ <div class="dup"></div>
+
+ <div class="dup"></div>
+ <div></div>
+<script>
+
+ var divs = $("div").get(); // unique() must take a native array
+
+ // add 3 elements of class dup too (they are divs)
+ divs = divs.concat($(".dup").get());
+ $("div:eq(1)").text("Pre-unique there are " + divs.length + " elements.");
+
+ divs = jQuery.unique(divs);
+ $("div:eq(2)").text("Post-unique there are " + divs.length + " elements.")
+ .css("color", "red");
+
+</script>
+</body>
+</html>
+Description: Accepts a string containing a CSS selector which is then used to match a set of elements.
+selectorA string containing a selector expression
+contextA DOM Element, Document, or jQuery to use as context
+elementA DOM element to wrap in a jQuery object.
+elementArrayAn array containing a set of DOM elements to wrap in a jQuery object.
+jQuery objectAn existing jQuery object to clone.
+In the first formulation listed above, jQuery() — which can also be written as $() — searches through the DOM for any elements that match the provided selector and creates a new jQuery object that references these elements:
$('div.foo');
+By default, selectors perform their searches within the DOM starting at the document root. However, an alternate context can be given for the search by using the optional second parameter to the $() function. For example, if within a callback function we wish to do a search for an element, we can restrict that search:
+$('div.foo').click(function() {
+ $('span', this).addClass('bar');
+});
+
+Since we've restricted the span selector to the context of this, only spans within the clicked element will get the additional class.
Internally, selector context is implemented with the .find() method, so $('span', this) is equivalent to $(this).find('span').
The second and third formulations of this function allow us to create a jQuery object using a DOM element or elements that we have already found in some other way. A common use of this facility is to call jQuery methods on an element that has been passed to a callback function through the keyword this:
+$('div.foo').click(function() {
+ $(this).slideUp();
+});
+
+This example causes elements to be hidden with a sliding animation when clicked. Because the handler receives the clicked item in the this keyword as a bare DOM element, the element must be wrapped in a jQuery object before we can call jQuery methods on it.
When XML data is returned from an Ajax call, we can use the $() function to wrap it in a jQuery object that we can easily work with. Once this is done, we can retrieve individual elements of the XML structure using .find() and other DOM traversal methods.
When a jQuery object is passed as a parameter to the $() function, a clone of the object is created. This new jQuery object references the same DOM elements as the initial one.
As of jQuery 1.4, if you pass no arguments in to the jQuery() method, an empty jQuery set will be returned. In previous versions of jQuery, a set containing the document node would be returned.
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>one</p> <div><p>two</p></div> <p>three</p>
+<script>$("div > p").css("border", "1px solid gray");</script>
+</body>
+</html>
+[ <p>two</p> ]
+$("input:radio", document.forms[0]);
+$("div", xml.responseXML);
+$(document.body).css( "background", "black" );
+$(myForm.elements).hide()
+Description: Creates DOM elements on the fly from the provided string of raw HTML.
+htmlA string of HTML to create on the fly. Note that this parses HTML, not XML.
+ownerDocumentA document in which the new elements will be created
+htmlA string defining a single, standalone, HTML element (e.g. <div/> or <div>).
+propsAttributes, events, and methods to call on the newly-created element.
+If a string is passed as the parameter to $(), jQuery examines the string to see if it looks like HTML (i.e., it has <tag ... > somewhere within the string). If not, the string is interpreted as a selector expression, as explained above. But if the string appears to be an HTML snippet, jQuery attempts to create new DOM elements as described by the HTML. Then a jQuery object is created and returned that refers to these elements. We can perform any of the usual jQuery methods on this object:
$('<p id="test">My <em>new</em> text</p>').appendTo('body');
+When the HTML is more complex than a single tag without attributes, as it is in the above example, the actual creation of the elements is handled by the browser's innerHTML mechanism. Specifically, jQuery creates a new <div> element and sets the innerHTML property of the element to the HTML snippet that was passed in. When the parameter has a single tag, such as $('<img />') or $('<a></a>'), jQuery creates the element using the native JavaScript createElement() function.
To ensure cross-platform compatibility, the snippet must be well-formed. Tags that can contain other elements should be paired with a closing tag:
+$('<a href="http://jquery.com"></a>');
+Alternatively, jQuery allows XML-like tag syntax (with or without a space before the slash):
+$('<a/>');
+Tags that cannot contain elements may be quick-closed or not:
+$('<img />');
+$('<input>');
+
+As of jQuery 1.4, we can pass a map of properties to the second argument. This argument accepts a superset of properties that can be passed to the .attr() method. Furthermore, any event type can be passed in, and the following jQuery methods can be called: val, css, html, text, data, width, height, or offset.
+$("<div><p>Hello</p></div>").appendTo("body")
+$("<div/>", {
+ "class": "test",
+ text: "Click me!",
+ click: function(){
+ $(this).toggleClass("test");
+ }
+}).appendTo("body");
+
+$("<input>", {
+ type: "text",
+ val: "Test",
+ focusin: function() {
+ $(this).addClass("active");
+ },
+ focusout: function() {
+ $(this).removeClass("active");
+ }
+}).appendTo("form");
+Description: Binds a function to be executed when the DOM has finished loading.
+callbackThe function to execute when the DOM is ready.
+This function behaves just like $(document).ready(), in that it should be used to wrap other $() operations on your page that depend on the DOM being ready. While this function is, technically, chainable, there really isn't much use for chaining against it.
$(function(){
+ // Document is ready
+});
+jQuery(function($) {
+ // Your code using failsafe $ alias here...
+});
+Description: Bind an event handler to the "keydown" JavaScript event, or trigger that event on an element.
+handler(eventObject)A function to execute each time the event is triggered.
+This method is a shortcut for .bind('keydown', handler) in the first variation, and .trigger('keydown') in the second.
The keydown event is sent to an element when the user first presses a key on the keyboard. It can be attached to any element, but the event is only sent to the element that has the focus. Focusable elements can vary between browsers, but form elements can always get focus so are reasonable candidates for this event type.
For example, consider the HTML:
+<form> + <input id="target" type="text" value="Hello there" /> +</form> +<div id="other"> + Trigger the handler +</div>+
The event handler can be bound to the input field:
+$('#target').keydown(function() {
+ alert('Handler for .keydown() called.');
+});
+Now when the insertion point is inside the field and a key is pressed, the alert is displayed:
+Handler for .keydown() called.
+We can trigger the event manually when another element is clicked:
+$('#other').click(function() {
+ $('#target').keydown();
+});
+After this code executes, clicks on Trigger the handler will also alert the message.
+If key presses anywhere need to be caught (for example, to implement global shortcut keys on a page), it is useful to attach this behavior to the document object. Because of event bubbling, all key presses will make their way up the DOM to the document object unless explicitly stopped.
To determine which key was pressed, we can examine the event object that is passed to the handler function. While browsers use differing properties to store this information, jQuery normalizes the .which property so we can reliably use it to retrieve the key code. This code corresponds to a key on the keyboard, including codes for special keys such as arrows. For catching actual text entry, .keypress() may be a better choice.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+fieldset { margin-bottom: 1em; }
+input { display: block; margin-bottom: .25em; }
+#print-output {
+ width: 100%;
+}
+.print-output-line {
+ white-space: pre;
+ padding: 5px;
+ font-family: monaco, monospace;
+ font-size: .7em;
+}
+
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <form>
+ <fieldset>
+ <label for="target">Type Something:</label>
+ <input id="target" type="text" />
+ </fieldset>
+</form>
+<button id="other">
+ Trigger the handler
+</button>
+<script type="text/javascript" src="/scripts/events.js"></script>
+<script>
+var xTriggered = 0;
+$('#target').keydown(function(event) {
+ if (event.keyCode == '13') {
+ event.preventDefault();
+ }
+ xTriggered++;
+ var msg = 'Handler for .keydown() called ' + xTriggered + ' time(s).';
+ $.print(msg, 'html');
+ $.print(event);
+});
+
+$('#other').click(function() {
+ $('#target').keydown();
+});</script>
+</body>
+</html>
+Description: Bind an event handler to the "keypress" JavaScript event, or trigger that event on an element.
+handler(eventObject)A function to execute each time the event is triggered.
+This method is a shortcut for .bind('keypress', handler) in the first variation, and .trigger('keypress') in the second.
The keypress event is sent to an element when the browser registers keyboard input. This is similar to the keydown event, except in the case of key repeats. If the user presses and holds a key, a keydown event is triggered once, but separate keypress events are triggered for each inserted character. In addition, modifier keys (such as Shift) cause keydown events but not keypress events.
A keypress event handler can be attached to any element, but the event is only sent to the element that has the focus. Focusable elements can vary between browsers, but form elements can always get focus so are reasonable candidates for this event type.
For example, consider the HTML:
+<form> + <fieldset> + <input id="target" type="text" value="Hello there" /> + </fieldset> +</form> +<div id="other"> + Trigger the handler +</div>+
The event handler can be bound to the input field:
+$('#target').keypress(function() {
+ alert('Handler for .keypress() called.');
+});
+Now when the insertion point is inside the field and a key is pressed, the alert is displayed:
+Handler for .keypress() called.
+The message repeats if the key is held down. We can trigger the event manually when another element is clicked:
+$('#other').click(function() {
+ $('#target').keypress();
+});
+After this code executes, clicks on Trigger the handler will also alert the message.
+If key presses anywhere need to be caught (for example, to implement global shortcut keys on a page), it is useful to attach this behavior to the document object. Because of event bubbling, all key presses will make their way up the DOM to the document object unless explicitly stopped.
To determine which character was entered, we can examine the event object that is passed to the handler function. While browsers use differing attributes to store this information, jQuery normalizes the .which attribute so we can reliably use it to retrieve the character code.
Note that keydown and keyup provide a code indicating which key is pressed, while keypress indicates which character was entered. For example, a lowercase "a" will be reported as 65 by keydown and keyup, but as 97 by keypress. An uppercase "A" is reported as 65 by all events. Because of this distinction, when catching special keystrokes such as arrow keys, .keydown() or .keyup() is a better choice.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+fieldset { margin-bottom: 1em; }
+input { display: block; margin-bottom: .25em; }
+#print-output {
+ width: 100%;
+}
+.print-output-line {
+ white-space: pre;
+ padding: 5px;
+ font-family: monaco, monospace;
+ font-size: .7em;
+}
+
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <form>
+ <fieldset>
+ <label for="target">Type Something:</label>
+ <input id="target" type="text" />
+ </fieldset>
+</form>
+<button id="other">
+ Trigger the handler
+</button>
+<script type="text/javascript" src="/scripts/events.js"></script>
+<script>
+var xTriggered = 0;
+$('#target').keypress(function(event) {
+ if (event.keyCode == '13') {
+ event.preventDefault();
+ }
+ xTriggered++;
+ var msg = 'Handler for .keypress() called ' + xTriggered + ' time(s).';
+ $.print(msg, 'html');
+ $.print(event);
+});
+
+$('#other').click(function() {
+ $('#target').keypress();
+});</script>
+</body>
+</html>
+Description: Bind an event handler to the "keyup" JavaScript event, or trigger that event on an element.
+handler(eventObject)A function to execute each time the event is triggered.
+This method is a shortcut for .bind('keyup', handler) in the first variation, and .trigger('keyup') in the second.
The keyup event is sent to an element when the user releases a key on the keyboard. It can be attached to any element, but the event is only sent to the element that has the focus. Focusable elements can vary between browsers, but form elements can always get focus so are reasonable candidates for this event type.
For example, consider the HTML:
+<form> + <input id="target" type="text" value="Hello there" /> +</form> +<div id="other"> + Trigger the handler +</div>+
The event handler can be bound to the input field:
+$('#target').keyup(function() {
+ alert('Handler for .keyup() called.');
+});
+
+Now when the insertion point is inside the field and a key is pressed and released, the alert is displayed:
+Handler for .keyup() called.
+We can trigger the event manually when another element is clicked:
+$('#other').click(function() {
+ $('#target').keyup();
+});
+After this code executes, clicks on Trigger the handler will also alert the message.
+If key presses anywhere need to be caught (for example, to implement global shortcut keys on a page), it is useful to attach this behavior to the document object. Because of event bubbling, all key presses will make their way up the DOM to the document object unless explicitly stopped.
To determine which key was pressed, we can examine the event object that is passed to the handler function. While browsers use differing attributes to store this information, jQuery normalizes the .which attribute so we can reliably use it to retrieve the key code. This code corresponds to a key on the keyboard, including codes for special keys such as arrows. For catching actual text entry, .keypress() may be a better choice.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+fieldset { margin-bottom: 1em; }
+input { display: block; margin-bottom: .25em; }
+#print-output {
+ width: 100%;
+}
+.print-output-line {
+ white-space: pre;
+ padding: 5px;
+ font-family: monaco, monospace;
+ font-size: .7em;
+}
+
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <form>
+ <fieldset>
+ <label for="target">Type Something:</label>
+ <input id="target" type="text" />
+ </fieldset>
+</form>
+<button id="other">
+ Trigger the handler
+</button>
+<script type="text/javascript" src="/scripts/events.js"></script>
+<script>
+var xTriggered = 0;
+$('#target').keyup(function(event) {
+ if (event.keyCode == '13') {
+ event.preventDefault();
+ }
+ xTriggered++;
+ var msg = 'Handler for .keyup() called ' + xTriggered + ' time(s).';
+ $.print(msg, 'html');
+ $.print(event);
+});
+
+$('#other').click(function() {
+ $('#target').keyup();
+});</script>
+</body>
+</html>
+Description: Selects all elements that are the last child of their parent.
+While :last matches only a single element, :last-child can match more than one: one for each parent.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ span.solast { text-decoration:line-through; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>
+ <span>John,</span>
+ <span>Karl,</span>
+ <span>Brandon,</span>
+
+ <span>Sam</span>
+ </div>
+ <div>
+ <span>Glen,</span>
+ <span>Tane,</span>
+
+ <span>Ralph,</span>
+ <span>David</span>
+ </div>
+<script>
+ $("div span:last-child")
+ .css({color:"red", fontSize:"80%"})
+ .hover(function () {
+ $(this).addClass("solast");
+ }, function () {
+ $(this).removeClass("solast");
+ });
+
+</script>
+</body>
+</html>
+Description: Selects the last matched element.
+Note that :last selects a single element by filtering the current jQuery collection and matching the last element within it.
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <table>
+
+ <tr><td>First Row</td></tr>
+ <tr><td>Middle Row</td></tr>
+ <tr><td>Last Row</td></tr>
+
+ </table>
+<script>$("tr:last").css({backgroundColor: 'yellow', fontWeight: 'bolder'});</script>
+</body>
+</html>
+Description: Reduce the set of matched elements to the final one in the set.
+Given a jQuery object that represents a set of DOM elements, the .last() method constructs a new jQuery object from the last matching element.
Consider a page with a simple list on it:
++<ul> + <li>list item 1</li> + <li>list item 2</li> + <li>list item 3</li> + <li>list item 4</li> + <li>list item 5</li> +</ul> ++
We can apply this method to the set of list items:
+$('li').last().css('background-color', 'red');
+The result of this call is a red background for the final item.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>.highlight{background-color: yellow}</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p><span>Look:</span> <span>This is some text in a paragraph.</span> <span>This is a note about it.</span></p>
+<script>$("p span").last().addClass('highlight');</script>
+</body>
+</html>
+Description: The number of elements in the jQuery object.
+The number of elements currently matched. The .size() method will return the same value.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ body { cursor:pointer; }
+ div { width:50px; height:30px; margin:5px; float:left;
+ background:green; }
+ span { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <span></span>
+ <div></div>
+<script>$(document.body).click(function () {
+ $(document.body).append($("<div>"));
+ var n = $("div").length;
+ $("span").text("There are " + n + " divs." +
+ "Click to add more.");
+ }).trigger('click'); // trigger the click to start</script>
+</body>
+</html>
+Description: Attach a handler to the event for all elements which match the current selector, now or in the future.
+eventTypeA string containing a JavaScript event type, such as "click" or "keydown." As of jQuery 1.4 the string can contain multiple, space-separated event types or custom event names, as well.
+handlerA function to execute at the time the event is triggered.
+eventTypeA string containing a JavaScript event type, such as "click" or "keydown." As of jQuery 1.4 the string can contain multiple, space-separated event types or custom event names, as well.
+eventDataA map of data that will be passed to the event handler.
+handlerA function to execute at the time the event is triggered.
+This method is a variation on the basic .bind() method for attaching event handlers to elements. When .bind() is called, the elements that the jQuery object refers to get the handler attached; elements that get introduced later do not, so they would require another .bind() call. For instance, consider the HTML:
<body> + <div class="clickme"> + Click here + </div> +</body> ++
We can bind a simple click handler to this element:
+$('.clickme').bind('click', function() {
+ // Bound handler called.
+});
+
+When the element is clicked, the handler is called. However, suppose that after this, another element is added: +
+$('body').append('<div class="clickme">Another target</div>');
+This new element also matches the selector .clickme, but since it was added after the call to .bind(), clicks on it will do nothing.
The .live() method provides an alternative to this behavior. If we bind a click handler to the target element using this method:
$('.clickme').live('click', function() {
+ // Live handler called.
+});
+And then later add a new element:
+$('body').append('<div class="clickme">Another target</div>');
+Then clicks on the new element will also trigger the handler.
+The .live() method is able to affect elements that have not yet been added to the DOM through the use of event delegation: a handler bound to an ancestor element is responsible for events that are triggered on its descendants. The handler passed to .live() is never bound to an element; instead, .live() binds a special handler to the root of the DOM tree. In our example, when the new element is clicked, the following steps occur:
<div> for handling.<div>, so the event bubbles up the DOM tree..live() binds its special handlers by default. click handler bound by .live() executes.target of the event object to see whether it should continue. This test is performed by checking if $(event.target).closest('.clickme') is able to locate a matching element.Because the test in step 5 is not performed until the event occurs, elements can be added at any time and still respond to events.
+See the discussion for .bind() for more information on event binding.
As of jQuery 1.4.1 .live() can accept multiple, space-separated events, similar to the functionality provided in .bind(). For example, we can "live bind" the mouseover and mouseout events at the same time like so:
$('.hoverme').live('mouseover mouseout', function(event) {
+ if (event.type == 'mouseover') {
+ // do something on mouseover
+ } else {
+ // do something on mouseout
+ }
+});
+As of jQuery 1.4, the optional eventData parameter allows us to pass additional information to the handler. One handy use of this parameter is to work around issues caused by closures. See the .bind() method's "Passing Event Data" discussion for more information.
As of jQuery 1.4, live events can be bound to a DOM element "context" rather than to the default document root. To set this context, we use the jQuery() function's second argument, passing in a single DOM element (as opposed to a jQuery collection or a selector).
$('div.clickme', $('#container')[0]).live('click', function() {
+ // Live handler called.
+});
+The live handler in this example is called only when <div class="clickme"> is a descendant of an element with an ID of "container."
The .live() technique is useful, but due to its special approach cannot be simply substituted for .bind() in all cases. Specific differences include:
.live(). Rather, the .live() method should always be called directly after a selector, as in the example above..live(), the handler must return false. Calling .stopPropagation() will not accomplish this..live(): click, dblclick, keydown, keypress, keyup, mousedown, mousemove, mouseout, mouseover, and mouseup.+++
+- As of jQuery 1.4 the
+.live()method supports custom events as well as all JavaScript events. As of jQuery 1.4.1 evenfocusandblurwork with live (mapping to the more appropriate, bubbling, eventsfocusinandfocusout).- As of jQuery 1.4.1 the
+hoverevent can be specified (mapping to "mouseenter mouseleave").
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { background:yellow; font-weight:bold; cursor:pointer;
+ padding:5px; }
+ p.over { background: #ccc; }
+ span { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Click me!</p>
+
+ <span></span>
+<script>
+ $("p").live("click", function(){
+ $(this).after("<p>Another paragraph!</p>");
+ });
+</script>
+</body>
+</html>
+$("p").live("click", function(){
+ alert( $(this).text() );
+});
+$("a").live("click", function() { return false; })
+$("a").live("click", function(event){
+ event.preventDefault();
+});
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { color:red; }
+ span { color:blue; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Has an attached custom event.</p>
+ <button>Trigger custom event</button>
+ <span style="display:none;"></span>
+<script>
+
+ $("p").live("myCustomEvent", function(e, myName, myValue){
+ $(this).text("Hi there!");
+ $("span").stop().css("opacity", 1)
+ .text("myName = " + myName)
+ .fadeIn(30).fadeOut(1000);
+ });
+ $("button").click(function () {
+ $("p").trigger("myCustomEvent");
+ });
+
+</script>
+</body>
+</html>
+Description: Bind an event handler to the "load" JavaScript event.
+handler(eventObject)A function to execute when the event is triggered.
+This method is a shortcut for .bind('load', handler).
The load event is sent to an element when it and all sub-elements have been completely loaded. This event can be sent to any element associated with a URL: images, scripts, frames, iframes, and the body of the document itself.
+It is possible that the load event will not be triggered if the image is loaded from the browser cache. To account for this possibility, we can test the value of the image's
.completeproperty.
For example, consider a page with a simple image:
+<img src="book.png" alt="Book" id="book" />+
The event handler can be bound to the image:
+$('#book').load(function() {
+ // Handler for .load() called.
+});
+As soon as the image has been loaded, the handler is called.
+In general, it is not necessary to wait for all images to be fully loaded. If code can be executed earlier, it is usually best to place it in a handler sent to the .ready() method.
+
+The Ajax module also has a method named
.load(). Which one is fired depends on the set of arguments passed.
$(window).load(function () {
+ // run code
+});
+$('img.userIcon').load(function(){
+ if($(this).height() > 100) {
+ $(this).addClass('bigImg');
+ }
+});
+Description: Load data from the server and place the returned HTML into the matched element.
+urlA string containing the URL to which the request is sent.
+dataA map or string that is sent to the server with the request.
+complete(responseText, textStatus, XMLHttpRequest)A callback function that is executed when the request completes.
+This method is the simplest way to fetch data from the server. It is roughly equivalent to $.get(url, data, success) except that it is a method rather than global function and it has an implicit callback function. When a successful response is detected (i.e. when textStatus is "success" or "notmodified"), .load() sets the HTML contents of the matched element to the returned data. This means that most uses of the method can be quite simple:
$('#result').load('ajax/test.html');
+The provided callback, if any, is executed after this post-processing has been performed:
+$('#result').load('ajax/test.html', function() {
+ alert('Load was performed.');
+});
+In the two examples above, if the current document does not contain an element with an ID of "result," the .load() method is not executed.
The POST method is used if data is provided as an object; otherwise, GET is assumed.
++Note: The event handling suite also has a method named
.load(). Which one is fired depends on the set of arguments passed.
The .load() method, unlike $.get(), allows us to specify a portion of the remote document to be inserted. This is achieved with a special syntax for the url parameter. If one or more space characters are included in the string, the portion of the string following the first space is assumed to be a jQuery selector that determines the content to be loaded.
We could modify the example above to fetch only part of the document:
+$('#result').load('ajax/test.html #container');
+When this method executes, it retrieves the content of ajax/test.html, but then jQuery parses the returned document to find the element with an ID of container. This element, along with its contents, is inserted into the element with an ID of result, and the rest of the retrieved document is discarded.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ body{ font-size: 12px; font-family: Arial; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+<b>Footer navigation:</b>
+<ol id="new-nav"></ol>
+
+<script>
+ $("#new-nav").load("/ #jq-footerNavigation li");
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ body{ font-size: 12px; font-family: Arial; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+<b>Successful Response (should be blank):</b>
+<div id="success"></div>
+<b>Error Response:</b>
+<div id="error"></div>
+
+<script>
+$("#success").load("/not-here.php", function(response, status, xhr) {
+ if (status == "error") {
+ var msg = "Sorry but there was an error: ";
+ $("#error").html(msg + xhr.status + " " + xhr.statusText);
+ }
+});
+ </script>
+</body>
+</html>
+$("#feeds").load("feeds.html");
+<div id="feeds"><b>45</b> feeds found.</div>
+$("#objectID").load("test.php", { 'choices[]': ["Jon", "Susan"] } );
+$("#feeds").load("feeds.php", {limit: 25}, function(){
+alert("The last 25 entries in the feed have been loaded");
+});
+Description: Select all elements at an index less than index within the matched set.
+index-related selectors
+The index-related selectors (including this "less than" selector) filter the set of elements that have matched the expressions that precede them. They narrow the set down based on the order of the elements within this matched set. For example, if elements are first selected with a class selector (.myclass) and four elements are returned, these elements are given indices 0 through 3 for the purposes of these selectors.
Note that since JavaScript arrays use 0-based indexing, these selectors reflect that fact. This is why $('.myclass:lt(1)') selects the first element in the document with the class myclass, rather than selecting no elements. In contrast, :nth-child(n) uses 1-based indexing to conform to the CSS specification.
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <table border="1">
+
+ <tr><td>TD #0</td><td>TD #1</td><td>TD #2</td></tr>
+ <tr><td>TD #3</td><td>TD #4</td><td>TD #5</td></tr>
+
+ <tr><td>TD #6</td><td>TD #7</td><td>TD #8</td></tr>
+</table>
+<script>$("td:lt(4)").css("color", "red");</script>
+</body>
+</html>
+Description: Pass each element in the current matched set through a function, producing a new jQuery object containing the return values.
+callback(index, domElement)A function object that will be invoked for each element in the current set.
+The .map() method is particularly useful for getting or setting the value of a collection of elements. Consider a form with a set of checkboxes in it:
+<form method="post" action=""> + <fieldset> + <div> + <label for="two">2</label> + <input type="checkbox" value="2" id="two" name="number[]"> + </div> + <div> + <label for="four">4</label> + <input type="checkbox" value="4" id="four" name="number[]"> + </div> + <div> + <label for="six">6</label> + <input type="checkbox" value="6" id="six" name="number[]"> + </div> + <div> + <label for="eight">8</label> + <input type="checkbox" value="8" id="eight" name="number[]"> + </div> + </fieldset> +</form> ++
We can get a comma-separated list of checkbox IDs:
$(':checkbox').map(function() {
+ return this.id;
+}).get().join(',');
+The result of this call is the string, "two,four,six,eight".
Within the callback function, this refers to the current DOM element for each iteration.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p><b>Values: </b></p>
+ <form>
+ <input type="text" name="name" value="John"/>
+
+ <input type="text" name="password" value="password"/>
+ <input type="text" name="url" value="http://ejohn.org/"/>
+
+ </form>
+<script>
+ $("p").append( $("input").map(function(){
+ return $(this).val();
+ }).get().join(", ") );
+
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ body { font-size:16px; }
+ ul { float:left; margin:0 30px; color:blue; }
+ #results { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <ul>
+ <li>First</li>
+ <li>Second</li>
+ <li>Third</li>
+
+ <li>Fourth</li>
+ <li>Fifth</li>
+ </ul>
+ <ul id="results">
+
+ </ul>
+<script>
+ var mappedItems = $("li").map(function (index) {
+ var replacement = $("<li>").text($(this).text()).get(0);
+ if (index == 0) {
+ // make the first item all caps
+ $(replacement).text($(replacement).text().toUpperCase());
+ } else if (index == 1 || index == 3) {
+ // delete the second and fourth items
+ replacement = null;
+ } else if (index == 2) {
+ // make two of the third item and add some text
+ replacement = [replacement,$("<li>").get(0)];
+ $(replacement[0]).append("<b> - A</b>");
+ $(replacement[1]).append("Extra <b> - B</b>");
+ }
+
+ // replacement will be an dom element, null,
+ // or an array of dom elements
+ return replacement;
+ });
+ $("#results").append(mappedItems);
+
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+div { width: 40px; float:left; }
+input { clear:left}
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+
+<input type="button" value="equalize div heights">
+
+<div style="background:red; height: 40px; "></div>
+<div style="background:green; height: 70px;"></div>
+<div style="background:blue; height: 50px; "></div>
+
+
+<script>
+$.fn.equalizeHeights = function(){
+ return this.height( Math.max.apply(this, $(this).map(function(i,e){ return $(e).height() }).get() ) )
+}
+$('input').click(function(){
+ $('div').equalizeHeights();
+});
+
+</script>
+</body>
+</html>
+Description: Bind an event handler to the "mousedown" JavaScript event, or trigger that event on an element.
+handler(eventObject)A function to execute each time the event is triggered.
+This method is a shortcut for .bind('mousedown', handler) in the first variation, and .trigger('mousedown') in the second.
The mousedown event is sent to an element when the mouse pointer is over the element, and the mouse button is pressed. Any HTML element can receive this event.
For example, consider the HTML:
+<div id="target"> + Click here +</div> +<div id="other"> + Trigger the handler +</div>+

The event handler can be bound to any <div>:
$('#target').mousedown(function() {
+ alert('Handler for .mousedown() called.');
+});
+Now if we click on this element, the alert is displayed:
+Handler for .mousedown() called.
+We can also trigger the event when a different element is clicked:
+$('#other').click(function() {
+ $('#target').mousedown();
+});
+After this code executes, clicks on Trigger the handler will also alert the message.
+The mousedown event is sent when any mouse button is clicked. To act only on specific buttons, we can use the event object's which property. Not all browsers support this property (Internet Explorer uses button instead), but jQuery normalizes the property so that it is safe to use in any browser. The value of which will be 1 for the left button, 2 for the middle button, or 3 for the right button.
This event is primarily useful for ensuring that the primary button was used to begin a drag operation; if ignored, strange results can occur when the user attempts to use a context menu. While the middle and right buttons can be detected with these properties, this is not reliable. In Opera and Safari, for example, right mouse button clicks are not detectable by default.
+If the user clicks on an element, drags away from it, and releases the button, this is still counted as a mousedown event. This sequence of actions is treated as a "canceling" of the button press in most user interfaces, so it is usually better to use the click event unless we know that the mousedown event is preferable for a particular situation.
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Press mouse and release here.</p>
+
+<script>
+ $("p").mouseup(function(){
+ $(this).append('<span style="color:#F00;">Mouse up.</span>');
+ }).mousedown(function(){
+ $(this).append('<span style="color:#00F;">Mouse down.</span>');
+ });
+
+</script>
+</body>
+</html>
+Description: Bind an event handler to be fired when the mouse enters an element, or trigger that handler on an element.
+handler(eventObject)A function to execute each time the event is triggered.
+This method is a shortcut for .bind('mouseenter', handler) in the first variation, and .trigger('mouseenter') in the second.
The mouseenter JavaScript event is proprietary to Internet Explorer. Because of the event's general utility, jQuery simulates this event so that it can be used regardless of browser. This event sent to an element when the mouse pointer enters the element. Any HTML element can receive this event.
For example, consider the HTML:
+<div id="outer"> + Outer + <div id="inner"> + Inner + </div> +</div> +<div id="other"> + Trigger the handler +</div> +<div id="log"></div>+

The event handler can be bound to any element:
+$('#outer').mouseenter(function() {
+ $('#log').append('<div>Handler for .mouseenter() called.</div>');
+});
+Now when the mouse pointer moves over the Outer <div>, the message is appended to <div id="log">. We can also trigger the event when another element is clicked:
$('#other').click(function() {
+ $('#outer').mouseenter();
+});
+After this code executes, clicks on Trigger the handler will also append the message.
+The mouseenter event differs from mouseover in the way it handles event bubbling. If mouseover were used in this example, then when the mouse pointer moved over the Inner element, the handler would be triggered. This is usually undesirable behavior. The mouseenter event, on the other hand, only triggers its handler when the mouse enters the element it is bound to, not a descendant. So in this example, the handler is triggered when the mouse enters the Outer element, but not the Inner element.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+div.out {
+width:40%;
+height:120px;
+margin:0 15px;
+background-color:#D6EDFC;
+float:left;
+}
+div.in {
+width:60%;
+height:60%;
+background-color:#FFCC00;
+margin:10px auto;
+}
+p {
+line-height:1em;
+margin:0;
+padding:0;
+}
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+<div class="out overout"><p>move your mouse</p><div class="in overout"><p>move your mouse</p><p>0</p></div><p>0</p></div>
+
+<div class="out enterleave"><p>move your mouse</p><div class="in enterleave"><p>move your mouse</p><p>0</p></div><p>0</p></div>
+
+
+<script>
+ var i = 0;
+ $("div.overout").mouseover(function(){
+ $("p:first",this).text("mouse over");
+ $("p:last",this).text(++i);
+ }).mouseout(function(){
+ $("p:first",this).text("mouse out");
+ });
+
+ var n = 0;
+ $("div.enterleave").mouseenter(function(){
+ $("p:first",this).text("mouse enter");
+ $("p:last",this).text(++n);
+ }).mouseleave(function(){
+ $("p:first",this).text("mouse leave");
+ });
+
+</script>
+</body>
+</html>
+Description: Bind an event handler to be fired when the mouse leaves an element, or trigger that handler on an element.
+handler(eventObject)A function to execute each time the event is triggered.
+This method is a shortcut for .bind('mouseleave', handler) in the first variation, and .trigger('mouseleave') in the second.
The mouseleave JavaScript event is proprietary to Internet Explorer. Because of the event's general utility, jQuery simulates this event so that it can be used regardless of browser. This event is sent to an element when the mouse pointer leaves the element. Any HTML element can receive this event.
For example, consider the HTML:
+<div id="outer"> + Outer + <div id="inner"> + Inner + </div> +</div> +<div id="other"> + Trigger the handler +</div> +<div id="log"></div>+

The event handler can be bound to any element:
+$('#outer').mouseleave(function() {
+ $('#log').append('<div>Handler for .mouseleave() called.</div>');
+});
+Now when the mouse pointer moves out of the Outer <div>, the message is appended to <div id="log">. We can also trigger the event when another element is clicked:
$('#other').click(function() {
+ $('#outer').mouseleave();
+});
+After this code executes, clicks on Trigger the handler will also append the message.
+The mouseleave event differs from mouseout in the way it handles event bubbling. If mouseout were used in this example, then when the mouse pointer moved out of the Inner element, the handler would be triggered. This is usually undesirable behavior. The mouseleave event, on the other hand, only triggers its handler when the mouse leaves the element it is bound to, not a descendant. So in this example, the handler is triggered when the mouse leaves the Outer element, but not the Inner element.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+div.out {
+width:40%;
+height:120px;
+margin:0 15px;
+background-color:#D6EDFC;
+float:left;
+}
+div.in {
+width:60%;
+height:60%;
+background-color:#FFCC00;
+margin:10px auto;
+}
+p {
+line-height:1em;
+margin:0;
+padding:0;
+}
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+<div class="out overout"><p>move your mouse</p><div class="in overout"><p>move your mouse</p><p>0</p></div><p>0</p></div>
+
+<div class="out enterleave"><p>move your mouse</p><div class="in enterleave"><p>move your mouse</p><p>0</p></div><p>0</p></div>
+
+
+<script>
+ var i = 0;
+ $("div.overout").mouseover(function(){
+ $("p:first",this).text("mouse over");
+ }).mouseout(function(){
+ $("p:first",this).text("mouse out");
+ $("p:last",this).text(++i);
+ });
+
+ var n = 0;
+ $("div.enterleave").mouseenter(function(){
+ $("p:first",this).text("mouse enter");
+ }).mouseleave(function(){
+ $("p:first",this).text("mouse leave");
+ $("p:last",this).text(++n);
+ });
+
+</script>
+</body>
+</html>
+Description: Bind an event handler to the "mousemove" JavaScript event, or trigger that event on an element.
+handler(eventObject)A function to execute each time the event is triggered.
+This method is a shortcut for .bind('mousemove', handler) in the first variation, and .trigger('mousemove') in the second.
The mousemove event is sent to an element when the mouse pointer moves inside the element. Any HTML element can receive this event.
For example, consider the HTML:
+<div id="target"> + Move here +</div> +<div id="other"> + Trigger the handler +</div> +<div id="log"></div>+

The event handler can be bound to the target:
+$('#target').mousemove(function(event) {
+ var msg = 'Handler for .mousemove() called at ' + event.pageX + ', ' + event.pageY;
+ $('#log').append('<div> + msg + '</div>');
+});
+Now when the mouse pointer moves within the target button, the messages are appended to <div id="log">:
+
+Handler for .mousemove() called at (399, 48)
Handler for .mousemove() called at (398, 46)
Handler for .mousemove() called at (397, 44)
Handler for .mousemove() called at (396, 42)
We can also trigger the event when the second button is clicked:
+$('#other').click(function() {
+ $('#target').mousemove();
+});
+After this code executes, clicks on the Trigger button will also append the message:
+Handler for .mousemove() called at (undefined, undefined)
+When tracking mouse movement, we usually need to know the actual position of the mouse pointer. The event object that is passed to the handler contains some information about the mouse coordinates. Properties such as .clientX, .offsetX, and .pageX are available, but support for them differs between browsers. Fortunately, jQuery normalizes the .pageX and .pageY attributes so that they can be used in all browsers. These attributes provide the X and Y coordinates of the mouse pointer relative to the top-left corner of the page, as illustrated in the example output above.
We need to remember that the mousemove event is triggered whenever the mouse pointer moves, even for a pixel. This means that hundreds of events can be generated over a very small amount of time. If the handler has to do any significant processing, or if multiple handlers for the event exist, this can be a serious performance drain on the browser. It is important, therefore, to optimize mousemove handlers as much as possible, and to unbind them as soon as they are no longer needed.
A common pattern is to bind the mousemove handler from within a mousedown hander, and to unbind it from a corresponding mouseup handler. If implementing this sequence of events, remember that the mouseup event might be sent to a different HTML element than the mousemove event was. To account for this, the mouseup handler should typically be bound to an element high up in the DOM tree, such as <body>.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { width:220px; height:170px; margin;10px; margin-right:50px;
+ background:yellow; border:2px groove; float:right; }
+ p { margin:0; margin-left:10px; color:red; width:220px;
+ height:120px; padding-top:70px;
+ float:left; font-size:14px; }
+ span { display:block; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>
+ Try scrolling too.
+ <span>Move the mouse over the div.</span>
+ <span> </span>
+ </p>
+
+ <div></div>
+<script>
+ $("div").mousemove(function(e){
+ var pageCoords = "( " + e.pageX + ", " + e.pageY + " )";
+ var clientCoords = "( " + e.clientX + ", " + e.clientY + " )";
+ $("span:first").text("( e.pageX, e.pageY ) - " + pageCoords);
+ $("span:last").text("( e.clientX, e.clientY ) - " + clientCoords);
+ });
+
+</script>
+</body>
+</html>
+Description: Bind an event handler to the "mouseout" JavaScript event, or trigger that event on an element.
+handler(eventObject)A function to execute each time the event is triggered.
+This method is a shortcut for .bind('mouseout', handler) in the first variation, and .trigger('mouseout') in the second.
The mouseout event is sent to an element when the mouse pointer leaves the element. Any HTML element can receive this event.
For example, consider the HTML:
+<div id="outer"> + Outer + <div id="inner"> + Inner + </div> +</div> +<div id="other"> + Trigger the handler +</div> +<div id="log"></div>+

The event handler can be bound to any element:
+$('#outer').mouseout(function() {
+ $('#log').append('Handler for .mouseout() called.');
+});
+Now when the mouse pointer moves out of the Outer <div>, the message is appended to <div id="log">. We can also trigger the event when another element is clicked:
$('#other').click(function() {
+ $('#outer').mouseout();
+});
+After this code executes, clicks on Trigger the handler will also append the message.
+This event type can cause many headaches due to event bubbling. For instance, when the mouse pointer moves out of the Inner element in this example, a mouseout event will be sent to that, then trickle up to Outer. This can trigger the bound mouseout handler at inopportune times. See the discussion for .mouseleave() for a useful alternative.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+div.out {
+width:40%;
+height:120px;
+margin:0 15px;
+background-color:#D6EDFC;
+float:left;
+}
+div.in {
+width:60%;
+height:60%;
+background-color:#FFCC00;
+margin:10px auto;
+}
+p {
+line-height:1em;
+margin:0;
+padding:0;
+}
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+<div class="out overout"><p>move your mouse</p><div class="in overout"><p>move your mouse</p><p>0</p></div><p>0</p></div>
+
+<div class="out enterleave"><p>move your mouse</p><div class="in enterleave"><p>move your mouse</p><p>0</p></div><p>0</p></div>
+
+
+<script>
+ var i = 0;
+ $("div.overout").mouseout(function(){
+ $("p:first",this).text("mouse out");
+ $("p:last",this).text(++i);
+ }).mouseover(function(){
+ $("p:first",this).text("mouse over");
+ });
+
+ var n = 0;
+ $("div.enterleave").bind("mouseenter",function(){
+ $("p:first",this).text("mouse enter");
+ }).bind("mouseleave",function(){
+ $("p:first",this).text("mouse leave");
+ $("p:last",this).text(++n);
+ });
+
+</script>
+</body>
+</html>
+Description: Bind an event handler to the "mouseover" JavaScript event, or trigger that event on an element.
+handler(eventObject)A function to execute each time the event is triggered.
+This method is a shortcut for .bind('mouseover', handler) in the first variation, and .trigger('mouseover') in the second.
The mouseover event is sent to an element when the mouse pointer enters the element. Any HTML element can receive this event.
For example, consider the HTML:
+<div id="outer"> + Outer + <div id="inner"> + Inner + </div> +</div> +<div id="other"> + Trigger the handler +</div> +<div id="log"></div>+

The event handler can be bound to any element:
+$('#outer').mouseover(function() {
+ $('#log').append('<div>Handler for .mouseover() called.</div>');
+});
+Now when the mouse pointer moves over the Outer <div>, the message is appended to <div id="log">. We can also trigger the event when another element is clicked:
$('#other').click(function() {
+ $('#outer').mouseover();
+});
+After this code executes, clicks on Trigger the handler will also append the message.
+This event type can cause many headaches due to event bubbling. For instance, when the mouse pointer moves over the Inner element in this example, a mouseover event will be sent to that, then trickle up to Outer. This can trigger our bound mouseover handler at inopportune times. See the discussion for .mouseenter() for a useful alternative.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+div.out {
+width:40%;
+height:120px;
+margin:0 15px;
+background-color:#D6EDFC;
+float:left;
+}
+div.in {
+width:60%;
+height:60%;
+background-color:#FFCC00;
+margin:10px auto;
+}
+p {
+line-height:1em;
+margin:0;
+padding:0;
+}
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+<div class="out overout"><p>move your mouse</p><div class="in overout"><p>move your mouse</p><p>0</p></div><p>0</p></div>
+
+<div class="out enterleave"><p>move your mouse</p><div class="in enterleave"><p>move your mouse</p><p>0</p></div><p>0</p></div>
+
+
+<script>
+ var i = 0;
+ $("div.overout").mouseover(function(){
+ $("p:first",this).text("mouse over");
+ $("p:last",this).text(++i);
+ }).mouseout(function(){
+ $("p:first",this).text("mouse out");
+ });
+
+ var n = 0;
+ $("div.enterleave").bind("mouseenter",function(){
+ $("p:first",this).text("mouse enter");
+ $("p:last",this).text(++n);
+ }).bind("mouseleave",function(){
+ $("p:first",this).text("mouse leave");
+ });
+
+</script>
+</body>
+</html>
+Description: Bind an event handler to the "mouseup" JavaScript event, or trigger that event on an element.
+handler(eventObject)A function to execute each time the event is triggered.
+This method is a shortcut for .bind('mouseup', handler) in the first variation, and .trigger('mouseup') in the second.
The mouseup event is sent to an element when the mouse pointer is over the element, and the mouse button is released. Any HTML element can receive this event.
For example, consider the HTML:
+<div id="target"> + Click here +</div> +<div id="other"> + Trigger the handler +</div> ++

The event handler can be bound to any <div>:
$('#target').mouseup(function() {
+ alert('Handler for .mouseup() called.');
+});
+
+Now if we click on this element, the alert is displayed:
+Handler for .mouseup() called.
+We can also trigger the event when a different element is clicked:
+$('#other').click(function() {
+ $('#target').mouseup();
+});
+After this code executes, clicks on Trigger the handler will also alert the message.
+If the user clicks outside an element, drags onto it, and releases the button, this is still counted as a mouseup event. This sequence of actions is not treated as a button press in most user interfaces, so it is usually better to use the click event unless we know that the mouseup event is preferable for a particular situation.
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Press mouse and release here.</p>
+
+<script>
+ $("p").mouseup(function(){
+ $(this).append('<span style="color:#F00;">Mouse up.</span>');
+ }).mousedown(function(){
+ $(this).append('<span style="color:#00F;">Mouse down.</span>');
+ });
+
+</script>
+</body>
+</html>
+Description: Matches elements that match all of the specified attribute filters.
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <input id="man-news" name="man-news" />
+
+ <input name="milkman" />
+ <input id="letterman" name="new-letterman" />
+ <input name="newmilk" />
+<script>$("input[id][name$='man']").val("only this one");</script>
+</body>
+</html>
+Description: Selects the combined results of all the specified selectors.
+You can specify any number of selectors to combine into a single result. This multiple expression combinator is an efficient way to select disparate elements. The order of the DOM elements in the returned jQuery object may not be identical, as they will be in document order. An alternative to this combinator is the .add() method.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ div,span,p {
+ width: 126px;
+ height: 60px;
+ float:left;
+ padding: 3px;
+ margin: 2px;
+ background-color: #EEEEEE;
+ font-size:14px;
+ }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>div</div>
+
+ <p class="myClass">p class="myClass"</p>
+ <p class="notMyClass">p class="notMyClass"</p>
+ <span>span</span>
+<script>$("div,span,p.myClass").css("border","3px solid red");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ b { color:red; font-size:16px; display:block; clear:left; }
+ div,span,p { width: 40px; height: 40px; float:left;
+ margin: 10px; background-color: blue;
+ padding:3px; color:white;
+ }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <span>span</span>
+
+ <p>p</p>
+ <p>p</p>
+ <div>div</div>
+ <span>span</span>
+
+ <p>p</p>
+ <div>div</div>
+ <b></b>
+<script>
+ var list = $("div,p,span").map(function () {
+ return this.tagName;
+ }).get().join(", ");
+ $("b").append(document.createTextNode(list));
+</script>
+</body>
+</html>
+Description: Selects all next elements matching "next" that are immediately preceded by a sibling "prev".
+One important point to consider with both the next adjacent sibling selector (prev + next) and the general sibling selector (prev ~ siblings) is that the elements on either side of the combinator must share the same parent.
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <form>
+
+ <label>Name:</label>
+ <input name="name" />
+ <fieldset>
+ <label>Newsletter:</label>
+
+ <input name="newsletter" />
+ </fieldset>
+ </form>
+ <input name="none" />
+<script>$("label + input").css("color", "blue").val("Labeled!")</script>
+</body>
+</html>
+Description: Selects all sibling elements that follow after the "prev" element, have the same parent, and match the filtering "siblings" selector.
+The notable difference between (prev + next) and (prev ~ siblings) is their respective reach. While the former reaches only to the immediately following sibling element, the latter extends that reach to all following sibling elements.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ div,span {
+ display:block;
+ width:80px;
+ height:80px;
+ margin:5px;
+ background:#bbffaa;
+ float:left;
+ font-size:14px;
+ }
+ div#small {
+ width:60px;
+ height:25px;
+ font-size:12px;
+ background:#fab;
+ }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>div (doesn't match since before #prev)</div>
+ <span id="prev">span#prev</span>
+ <div>div sibling</div>
+
+ <div>div sibling <div id="small">div niece</div></div>
+ <span>span sibling (not div)</span>
+ <div>div sibling</div>
+<script>$("#prev ~ div").css("border", "3px groove blue");</script>
+</body>
+</html>
+Description: Get the immediately following sibling of each element in the set of matched elements, optionally filtered by a selector.
+selectorA string containing a selector expression to match elements against.
+Given a jQuery object that represents a set of DOM elements, the .next() method allows us to search through the successors of these elements in the DOM tree and construct a new jQuery object from the matching elements.
The method optionally accepts a selector expression of the same type that we can pass to the $() function. If the selector is supplied, the elements will be filtered by testing whether they match it.
Consider a page with a simple list on it:
++<ul> + <li>list item 1</li> + <li>list item 2</li> + <li class="third-item">list item 3</li> + <li>list item 4</li> + <li>list item 5</li> +</ul> ++
If we begin at the third item, we can find the element which comes just after it:
+$('li.third-item').next().css('background-color', 'red');
+The result of this call is a red background behind item 4. Since we do not supply a selector expression, this following element is unequivocally included as part of the object. If we had supplied one, the element would be tested for a match before it was included.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ span { color:blue; font-weight:bold; }
+ button { width:100px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div><button disabled="disabled">First</button> - <span></span></div>
+ <div><button>Second</button> - <span></span></div>
+
+ <div><button disabled="disabled">Third</button> - <span></span></div>
+<script>$("button[disabled]").next().text("this button is disabled");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p>
+
+ <p class="selected">Hello Again</p>
+ <div><span>And Again</span></div>
+<script>$("p").next(".selected").css("background", "yellow");</script>
+</body>
+</html>
+Description: Get all following siblings of each element in the set of matched elements, optionally filtered by a selector.
+selectorA string containing a selector expression to match elements against.
+Given a jQuery object that represents a set of DOM elements, the .nextAll() method allows us to search through the successors of these elements in the DOM tree and construct a new jQuery object from the matching elements.
The method optionally accepts a selector expression of the same type that we can pass to the $() function. If the selector is supplied, the elements will be filtered by testing whether they match it.
Consider a page with a simple list on it:
++<ul> + <li>list item 1</li> + <li>list item 2</li> + <li class="third-item">list item 3</li> + <li>list item 4</li> + <li>list item 5</li> +</ul> ++
If we begin at the third item, we can find the elements which come after it:
+$('li.third-item').nextAll().css('background-color', 'red');
+The result of this call is a red background behind items 4 and 5. Since we do not supply a selector expression, these following elements are unequivocally included as part of the object. If we had supplied one, the elements would be tested for a match before they were included.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ div { width: 80px; height: 80px; background: #abc;
+ border: 2px solid black; margin: 10px; float: left; }
+ div.after { border-color: red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>first</div>
+ <div>sibling<div>child</div></div>
+ <div>sibling</div>
+
+ <div>sibling</div>
+<script>$("div:first").nextAll().addClass("after");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div, p { width: 60px; height: 60px; background: #abc;
+ border: 2px solid black; margin: 10px; float: left; }
+ .after { border-color: red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>p</p>
+
+ <div>div</div>
+ <p>p</p>
+ <p>p</p>
+ <div>div</div>
+
+ <p>p</p>
+ <div>div</div>
+<script>
+ $(":nth-child(1)").nextAll("p").addClass("after");
+</script>
+</body>
+</html>
+Description: Get all following siblings of each element up to but not including the element matched by the selector.
+selectorA string containing a selector expression to indicate where to stop matching following sibling elements.
+Given a jQuery object that represents a set of DOM elements, the .nextUntil() method allows us to search through the successors of these elements in the DOM tree, stopping when it reaches an element matched by the method's argument. The new jQuery object that is returned contains all following siblings up to but not including the one matched by the .nextUntil() selector.
If the selector is not matched or is not supplied, all following siblings will be selected; in these cases it selects the same elements as the .nextAll() method does when no filter selector is provided.
Consider a page with a simple definition list as follows:
++<dl> + <dt>term 1</dt> + <dd>definition 1-a</dd> + <dd>definition 1-b</dd> + <dd>definition 1-c</dd> + <dd>definition 1-d</dd> + + <dt id="term-2">term 2</dt> + <dd>definition 2-a</dd> + <dd>definition 2-b</dd> + <dd>definition 2-c</dd> + + <dt>term 3</dt> + <dd>definition 3-a</dd> + <dd>definition 3-b</dd> +</dl> ++
If we begin at the second term, we can find the elements which come after it until a following <dt>.
$('#term-2').nextUntil('dt').css('background-color', 'red');
+The result of this call is a red background behind definitions 2-a, 2-b, and 2-c.
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <dl>
+ <dt>term 1</dt>
+ <dd>definition 1-a</dd>
+ <dd>definition 1-b</dd>
+ <dd>definition 1-c</dd>
+ <dd>definition 1-d</dd>
+
+ <dt id="term-2">term 2</dt>
+ <dd>definition 2-a</dd>
+ <dd>definition 2-b</dd>
+ <dd>definition 2-c</dd>
+
+ <dt>term 3</dt>
+ <dd>definition 3-a</dd>
+ <dd>definition 3-b</dd>
+</dl>
+<script>
+ $("#term-2").nextUntil("dt")
+ .css("background-color", "red")
+</script>
+</body>
+</html>
+Description: Selects all elements that do not match the given selector.
+All selectors are accepted inside :not(), for example: :not(div a) and :not(div,a).
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>
+ <input type="checkbox" name="a" />
+ <span>Mary</span>
+</div>
+
+<div>
+ <input type="checkbox" name="b" />
+ <span>lcm</span>
+
+</div>
+<div>
+ <input type="checkbox" name="c" checked="checked" />
+
+ <span>Peter</span>
+</div>
+<script>
+ $("input:not(:checked) + span").css("background-color", "yellow");
+ $("input").attr("disabled", "disabled");
+
+</script>
+</body>
+</html>
+Description: Remove elements from the set of matched elements.
+selectorA string containing a selector expression to match elements against.
+elementsOne or more DOM elements to remove from the matched set.
+function(index)A function used as a test for each element in the set. this is the current DOM element.
Given a jQuery object that represents a set of DOM elements, the .not() method constructs a new jQuery object from a subset of the matching elements. The supplied selector is tested against each element; the elements that don't match the selector will be included in the result.
Consider a page with a simple list on it:
++<ul> + <li>list item 1</li> + <li>list item 2</li> + <li>list item 3</li> + <li>list item 4</li> + <li>list item 5</li> +</ul> ++
We can apply this method to the set of list items:
+$('li').not(':even').css('background-color', 'red');
+The result of this call is a red background for items 2 and 4, as they do not match the selector (recall that :even and :odd use 0-based indexing).
+The second version of the .not() method allows us to remove elements from the matched set, assuming we have found those elements previously by some other means. For example, suppose our list had an id applied to one of its items:
+<ul> + <li>list item 1</li> + <li>list item 2</li> + <li id="notli">list item 3</li> + <li>list item 4</li> + <li>list item 5</li> +</ul> ++
We can fetch the third list item using the native JavaScript getElementById() function, then remove it from a jQuery object:
+$('li').not(document.getElementById('notli'))
+ .css('background-color', 'red');
+
+This statement changes the color of items 1, 2, 4, and 5. We could have accomplished the same thing with a simpler jQuery expression, but this technique can be useful when, for example, other libraries provide references to plain DOM nodes.
+As of jQuery 1.4, the .not() method can take a function as its argument in the same way that .filter() does. Elements for which the function returns true are excluded from the filtered set; all other elements are included.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { width:50px; height:50px; margin:10px; float:left;
+ background:yellow; border:2px solid white; }
+ .green { background:#8f8; }
+ .gray { background:#ccc; }
+ #blueone { background:#99f; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div></div>
+ <div id="blueone"></div>
+ <div></div>
+ <div class="green"></div>
+
+ <div class="green"></div>
+ <div class="gray"></div>
+ <div></div>
+<script>
+ $("div").not(".green, #blueone")
+ .css("border-color", "red");
+
+</script>
+</body>
+</html>
+$("p").not( $("#selected")[0] )
+$("p").not("#selected")
+$("p").not($("div p.selected"))
+1, the string even or odd, or an equation ( eg. :nth-child(even), :nth-child(4n) )Description: Selects all elements that are the nth-child of their parent.
+Because jQuery's implementation of :nth-child(n) is strictly derived from the CSS specification, the value of n is "1-indexed", meaning that the counting starts at 1. For all other selector expressions, however, jQuery follows JavaScript's "0-indexed" counting. Therefore, given a single <ul> containing two <li>s, $('li:nth-child(1)') selects the first <li> while $('li:eq(1)') selects the second.
The :nth-child(n) pseudo-class is easily confused with :eq(n), even though the two can result in dramatically different matched elements. With :nth-child(n), all children are counted, regardless of what they are, and the specified element is selected only if it matches the selector attached to the pseudo-class. With :eq(n) only the selector attached to the pseudo-class is counted, not limited to children of any other element, and the nth one is selected.
Further discussion of this unusual usage can be found in the W3C CSS specification.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ div { float:left; }
+ span { color:blue; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div><ul>
+ <li>John</li>
+ <li>Karl</li>
+ <li>Brandon</li>
+
+ </ul></div>
+ <div><ul>
+ <li>Sam</li>
+ </ul></div>
+
+ <div><ul>
+ <li>Glen</li>
+ <li>Tane</li>
+ <li>Ralph</li>
+
+ <li>David</li>
+ </ul></div>
+<script>$("ul li:nth-child(2)").append("<span> - 2nd!</span>");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ button { display:block; font-size:12px; width:100px; }
+ div { float:left; margin:10px; font-size:10px;
+ border:1px solid black; }
+ span { color:blue; font-size:18px; }
+ #inner { color:red; }
+ td { width:50px; text-align:center; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>
+ <button>:nth-child(even)</button>
+ <button>:nth-child(odd)</button>
+ <button>:nth-child(3n)</button>
+
+ <button>:nth-child(2)</button>
+ </div>
+ <div>
+ <button>:nth-child(3n+1)</button>
+ <button>:nth-child(3n+2)</button>
+
+ <button>:even</button>
+ <button>:odd</button>
+ </div>
+ <div><table>
+
+ <tr><td>John</td></tr>
+ <tr><td>Karl</td></tr>
+ <tr><td>Brandon</td></tr>
+
+ <tr><td>Benjamin</td></tr>
+ </table></div>
+ <div><table>
+ <tr><td>Sam</td></tr>
+
+ </table></div>
+ <div><table>
+ <tr><td>Glen</td></tr>
+ <tr><td>Tane</td></tr>
+
+ <tr><td>Ralph</td></tr>
+ <tr><td>David</td></tr>
+ <tr><td>Mike</td></tr>
+
+ <tr><td>Dan</td></tr>
+ </table></div>
+ <span>
+ tr<span id="inner"></span>
+
+ </span>
+<script>
+ $("button").click(function () {
+ var str = $(this).text();
+ $("tr").css("background", "white");
+ $("tr" + str).css("background", "#ff0000");
+ $("#inner").text(str);
+ });
+
+</script>
+</body>
+</html>
+Description: Selects odd elements, zero-indexed. See also even.
+In particular, note that the 0-based indexing means that, counter-intuitively, :odd selects the second element, fourth element, and so on within the matched set.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ table {
+ background:#f3f7f5;
+ }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <table border="1">
+ <tr><td>Row with Index #0</td></tr>
+ <tr><td>Row with Index #1</td></tr>
+
+ <tr><td>Row with Index #2</td></tr>
+ <tr><td>Row with Index #3</td></tr>
+ </table>
+<script>$("tr:odd").css("background-color", "#bbbbff");</script>
+</body>
+</html>
+Description: Get the current coordinates of the first element in the set of matched elements, relative to the document.
+The .offset() method allows us to retrieve the current position of an element relative to the document. Contrast this with .position(), which retrieves the current position relative to the offset parent. When positioning a new element on top of an existing one for global manipulation (in particular, for implementing drag-and-drop), .offset() is the more useful.
.offset() returns an object containing the properties top and left.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+p { margin-left:10px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p><p>2nd Paragraph</p>
+<script>var p = $("p:last");
+var offset = p.offset();
+p.html( "left: " + offset.left + ", top: " + offset.top );</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+p { margin-left:10px; color:blue; width:200px;
+ cursor:pointer; }
+span { color:red; cursor:pointer; }
+div.abs { width:50px; height:50px; position:absolute;
+ left:220px; top:35px; background-color:green;
+ cursor:pointer; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div id="result">Click an element.</div>
+<p>
+ This is the best way to <span>find</span> an offset.
+</p>
+
+<div class="abs">
+</div>
+
+<script>
+$("*", document.body).click(function (e) {
+ var offset = $(this).offset();
+ e.stopPropagation();
+ $("#result").text(this.tagName + " coords ( " + offset.left + ", " +
+ offset.top + " )");
+});
+
+</script>
+</body>
+</html>
+Description: Set the current coordinates of every element in the set of matched elements, relative to the document.
+coordinatesAn object containing the properties top and left, which are integers indicating the new top and left coordinates for the elements.
function(index, coords)A function to return the coordinates to set. Receives the index of the element in the collection as the first argument and the current coordinates as the second argument.
+The .offset() setter method allows us to reposition an element. The element's position is specified relative to the document. If the element's position style property is currently static, it will be set to relative to allow for this repositioning.
<!DOCTYPE html>
+<html>
+<head>
+ <style>p { margin-left:10px; } </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p><p>2nd Paragraph</p>
+<script>$("p:last").offset({ top: 10, left: 30 });</script>
+</body>
+</html>
+Description: Get the closest ancestor element that is positioned.
+Given a jQuery object that represents a set of DOM elements, the .offsetParent() method allows us to search through the ancestors of these elements in the DOM tree and construct a new jQuery object wrapped around the closest positioned ancestor. An element is said to be positioned if it has a CSS position attribute of relative, absolute, or fixed. This information is useful for calculating offsets for performing animations and placing objects on the page.
Consider a page with a basic nested list on it, with a positioned element:
++<ul class="level-1"> + <li class="item-i">I</li> + <li class="item-ii" style="position: relative;">II + <ul class="level-2"> + <li class="item-a">A</li> + <li class="item-b">B + <ul class="level-3"> + <li class="item-1">1</li> + <li class="item-2">2</li> + <li class="item-3">3</li> + </ul> + </li> + <li class="item-c">C</li> + </ul> + </li> + <li class="item-iii">III</li> +</ul> ++
If we begin at item A, we can find its positioned ancestor:
+$('li.item-a').offsetParent().css('background-color', 'red');
+This will change the color of list item II, which is positioned.
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+ <ul class="level-1">
+ <li class="item-i">I</li>
+ <li class="item-ii" style="position: relative;">II
+ <ul class="level-2">
+ <li class="item-a">A</li>
+ <li class="item-b">B
+ <ul class="level-3">
+ <li class="item-1">1</li>
+ <li class="item-2">2</li>
+ <li class="item-3">3</li>
+ </ul>
+ </li>
+ <li class="item-c">C</li>
+ </ul>
+ </li>
+ <li class="item-iii">III</li>
+ </ul>
+
+<script>$('li.item-a').offsetParent().css('background-color', 'red');</script>
+</body>
+</html>
+Description: Attach a handler to an event for the elements. The handler is executed at most once.
+eventTypeA string containing one or more JavaScript event types, such as "click" or "submit," or custom event names.
+eventDataA map of data that will be passed to the event handler.
+handler(eventObject)A function to execute at the time the event is triggered.
+This method is identical to .bind(), except that the handler is unbound after its first invocation. For example:
$('#foo').one('click', function() {
+ alert('This will be displayed only once.');
+});
+
+After the code is executed, a click on the element with ID foo will display the alert. Subsequent clicks will do nothing. This code is equivalent to:
$('#foo').bind('click', function(event) {
+ alert('This will be displayed only once.');
+ $(this).unbind(event);
+});
+
+In other words, explicitly calling .unbind() from within a regularly-bound handler has exactly the same effect.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+div { width:60px; height:60px; margin:5px; float:left;
+background:green; border:10px outset;
+cursor:pointer; }
+p { color:red; margin:0; clear:left; }
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div></div>
+<div></div>
+<div></div>
+<div></div>
+
+<div></div>
+<p>Click a green square...</p>
+<script>
+var n = 0;
+$("div").one("click", function(){
+var index = $("div").index(this);
+$(this).css({ borderStyle:"inset",
+ cursor:"auto" });
+$("p").text("Div at index #" + index + " clicked." +
+ " That's " + ++n + " total clicks.");
+});
+
+</script>
+</body>
+</html>
+$("p").one("click", function(){
+alert( $(this).text() );
+});
+Description: Selects all elements that are the only child of their parent.
+If the parent has other child elements, nothing is matched.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ div { width:100px; height:80px; margin:5px; float:left; background:#b9e }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>
+ <button>Sibling!</button>
+ <button>Sibling!</button>
+ </div>
+
+ <div>
+ <button>Sibling!</button>
+ </div>
+ <div>
+ None
+ </div>
+
+ <div>
+ <button>Sibling!</button>
+ <button>Sibling!</button>
+ <button>Sibling!</button>
+
+ </div>
+ <div>
+ <button>Sibling!</button>
+ </div>
+<script>$("div button:only-child").text("Alone").css("border", "2px blue solid");</script>
+</body>
+</html>
+[ <li>Glen</li> ]
+Description: Get the current computed height for the first element in the set of matched elements, including padding and border.
+includeMarginA Boolean indicating whether to include the element's margin in the calculation.
+If includeMargin is omitted or false, the padding and border are included in the calculation; if true, the margin is also included.
This method is not applicable to window and document objects; for these, use .height() instead.

<!DOCTYPE html>
+<html>
+<head>
+ <style>p { margin:10px;padding:5px;border:2px solid #666; } </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p><p></p>
+<script>var p = $("p:first");
+$("p:last").text( "outerHeight:" + p.outerHeight() + " , outerHeight(true):" + p.outerHeight(true) );</script>
+</body>
+</html>
+Description: Get the current computed width for the first element in the set of matched elements, including padding and border.
+includeMarginA Boolean indicating whether to include the element's margin in the calculation.
+Returns the width of the element, along with left and right padding, border, and optionally margin, in pixels.
+If includeMargin is omitted or false, the padding and border are included in the calculation; if true, the margin is also included.
This method is not applicable to window and document objects; for these, use .width() instead.

<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { margin:10px;padding:5px;border:2px solid #666; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p><p></p>
+<script>var p = $("p:first");
+$("p:last").text( "outerWidth:" + p.outerWidth()+ " , outerWidth(true):" + p.outerWidth(true) );
+
+</script>
+</body>
+</html>
+Description: Select all elements that are the parent of another element, including text nodes.
+This is the inverse of :empty.
One important thing to note regarding the use of :parent (and :empty) is that child elements include text nodes.
The W3C recommends that the <p> element have at least one child node, even if that child is merely text (see http://www.w3.org/TR/html401/struct/text.html#edef-P). Some other elements, on the other hand, are empty (i.e. have no children) by definition: <input>, <img>, <br>, and <hr>, for example.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ td { width:40px; background:green; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <table border="1">
+
+ <tr><td>Value 1</td><td></td></tr>
+ <tr><td>Value 2</td><td></td></tr>
+
+</table>
+<script>$("td:parent").fadeTo(1500, 0.3);</script>
+</body>
+</html>
+Description: Get the parent of each element in the current set of matched elements, optionally filtered by a selector.
+selectorA string containing a selector expression to match elements against.
+Given a jQuery object that represents a set of DOM elements, the .parent() method allows us to search through the parents of these elements in the DOM tree and construct a new jQuery object from the matching elements. The .parents() and .parent() methods are similar, except that the latter only travels a single level up the DOM tree.
The method optionally accepts a selector expression of the same type that we can pass to the $() function. If the selector is supplied, the elements will be filtered by testing whether they match it.
Consider a page with a basic nested list on it:
++<ul class="level-1"> + <li class="item-i">I</li> + <li class="item-ii">II + <ul class="level-2"> + <li class="item-a">A</li> + <li class="item-b">B + <ul class="level-3"> + <li class="item-1">1</li> + <li class="item-2">2</li> + <li class="item-3">3</li> + </ul> + </li> + <li class="item-c">C</li> + </ul> + </li> + <li class="item-iii">III</li> +</ul> ++
If we begin at item A, we can find its parents:
+$('li.item-a').parent().css('background-color', 'red');
+The result of this call is a red background for the level-2 list. Since we do not supply a selector expression, the parent element is unequivocally included as part of the object. If we had supplied one, the element would be tested for a match before it was included.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div,p { margin:10px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>div,
+ <span>span, </span>
+ <b>b </b>
+
+ </div>
+ <p>p,
+ <span>span,
+ <em>em </em>
+ </span>
+ </p>
+
+ <div>div,
+ <strong>strong,
+ <span>span, </span>
+ <em>em,
+ <b>b, </b>
+ </em>
+
+ </strong>
+ <b>b </b>
+ </div>
+<script>
+
+ $("*", document.body).each(function () {
+ var parentTag = $(this).parent().get(0).tagName;
+ $(this).prepend(document.createTextNode(parentTag + " > "));
+ });
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div><p>Hello</p></div>
+
+ <div class="selected"><p>Hello Again</p></div>
+
+<script>$("p").parent(".selected").css("background", "yellow");</script>
+</body>
+</html>
+Description: Get the ancestors of each element in the current set of matched elements, optionally filtered by a selector.
+selectorA string containing a selector expression to match elements against.
+Given a jQuery object that represents a set of DOM elements, the .parents() method allows us to search through the ancestors of these elements in the DOM tree and construct a new jQuery object from the matching elements. The .parents() and .parent() methods are similar, except that the latter only travels a single level up the DOM tree.
The method optionally accepts a selector expression of the same type that we can pass to the $() function. If the selector is supplied, the elements will be filtered by testing whether they match it.
Consider a page with a basic nested list on it:
++<ul class="level-1"> + <li class="item-i">I</li> + <li class="item-ii">II + <ul class="level-2"> + <li class="item-a">A</li> + <li class="item-b">B + <ul class="level-3"> + <li class="item-1">1</li> + <li class="item-2">2</li> + <li class="item-3">3</li> + </ul> + </li> + <li class="item-c">C</li> + </ul> + </li> + <li class="item-iii">III</li> +</ul> ++
If we begin at item A, we can find its ancestors:
+$('li.item-a').parents().css('background-color', 'red');
+The result of this call is a red background for the level-2 list, item II, and the level-1 list (and on up the DOM tree all the way to the <html> element). Since we do not supply a selector expression, all of the ancestors are part of the returned jQuery object. If we had supplied one, only the matching items among these would be included.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ b, span, p, html body {
+ padding: .5em;
+ border: 1px solid;
+ }
+ b { color:blue; }
+ strong { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>
+ <p>
+ <span>
+ <b>My parents are: </b>
+ </span>
+
+ </p>
+ </div>
+<script>
+ var parentEls = $("b").parents()
+ .map(function () {
+ return this.tagName;
+ })
+ .get().join(", ");
+ $("b").append("<strong>" + parentEls + "</strong>");
+
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ p, div, span {margin:2px; padding:1px; }
+ div { border:2px white solid; }
+ span { cursor:pointer; font-size:12px; }
+ .selected { color:blue; }
+ b { color:red; display:block; font-size:14px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>
+ <div>
+ <div><span>Hello</span></div>
+ <span>Hello Again</span>
+
+ </div>
+ <div>
+ <span>And Hello Again</span>
+ </div>
+ </p>
+
+ <b>Click Hellos to toggle their parents.</b>
+<script>
+ function showParents() {
+ $("div").css("border-color", "white");
+ var len = $("span.selected")
+ .parents("div")
+ .css("border", "2px red solid")
+ .length;
+ $("b").text("Unique div parents: " + len);
+ }
+ $("span").click(function () {
+ $(this).toggleClass("selected");
+ showParents();
+ });</script>
+</body>
+</html>
+Description: Get the ancestors of each element in the current set of matched elements, up to but not including the element matched by the selector.
+selectorA string containing a selector expression to indicate where to stop matching ancestor elements.
+Given a jQuery object that represents a set of DOM elements, the .parentsUntil() method traverses through the ancestors of these elements until it reaches an element matched by the selector passed in the method's argument. The resulting jQuery object contains all of the ancestors up to but not including the one matched by the .parentsUntil() selector. Consider a page with a basic nested list as follows:
<ul class="level-1"> + <li class="item-i">I</li> + <li class="item-ii">II + <ul class="level-2"> + <li class="item-a">A</li> + <li class="item-b">B + <ul class="level-3"> + <li class="item-1">1</li> + <li class="item-2">2</li> + <li class="item-3">3</li> + </ul> + </li> + <li class="item-c">C</li> + </ul> + </li> + <li class="item-iii">III</li> +</ul> ++
If we begin at item A, we can find its ancestors up to but not including <ul class="level-1"> as follows:
$('li.item-a').parentsUntil('.level-1')
+ .css('background-color', 'red');
+The result of this call is a red background for the level-2 list and the item II.
+If the .parentsUntil() selector is not matched, or if no selector is supplied, the returned jQuery object contains all of the previous jQuery object's ancestors. For example, let's say we begin at item A again, but this time we use a selector that is not matched by any of its ancestors:
+$('li.item-a').parentsUntil('.not-here')
+ .css('background-color', 'red');
+The result of this call is a red background-color style applied to the level-2 list, the item II, the level-1 list, the <body> element, and the <html> element.
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+<ul class="level-1">
+ <li class="item-i">I</li>
+ <li class="item-ii">II
+ <ul class="level-2">
+ <li class="item-a">A</li>
+ <li class="item-b">B
+ <ul class="level-3">
+ <li class="item-1">1</li>
+ <li class="item-2">2</li>
+ <li class="item-3">3</li>
+ </ul>
+ </li>
+ <li class="item-c">C</li>
+ </ul>
+ </li>
+ <li class="item-iii">III</li>
+</ul>
+<script>
+ $('li.item-a').parentsUntil('.level-1')
+ .css('background-color', 'red');
+</script>
+</body>
+</html>
+Description: Selects all elements of type password.
+$(':password') is equivalent to $('[type=password]'). As with other pseudo-class selectors (those that begin with a ":") it is recommended to precede it with a tag name or some other selector; otherwise, the universal selector ("*") is implied. In other words, the bare $(':password') is equivalent to $('*:password'), so $('input:password') should be used instead.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ textarea { height:45px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <form>
+ <input type="button" value="Input Button"/>
+ <input type="checkbox" />
+
+ <input type="file" />
+ <input type="hidden" />
+ <input type="image" />
+
+ <input type="password" />
+ <input type="radio" />
+ <input type="reset" />
+
+ <input type="submit" />
+ <input type="text" />
+ <select><option>Option<option/></select>
+
+ <textarea></textarea>
+ <button>Button</button>
+ </form>
+ <div>
+ </div>
+<script>
+
+ var input = $("input:password").css({background:"yellow", border:"3px red solid"});
+ $("div").text("For this type jQuery found " + input.length + ".")
+ .css("color", "red");
+ $("form").submit(function () { return false; }); // so it won't submit
+
+</script>
+</body>
+</html>
+Description: Get the current coordinates of the first element in the set of matched elements, relative to the offset parent.
+The .position() method allows us to retrieve the current position of an element relative to the offset parent. Contrast this with .offset(), which retrieves the current position relative to the document. When positioning a new element near another one and within the same containing DOM element, .position() is the more useful.
Returns an object containing the properties top and left.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ div { padding: 15px;}
+ p { margin-left:10px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div><p>Hello</p></div><p></p>
+<script>var p = $("p:first");
+var position = p.position();
+$("p:last").text( "left: " + position.left + ", top: " + position.top );</script>
+</body>
+</html>
+Description: Insert content, specified by the parameter, to the beginning of each element in the set of matched elements.
+contentAn element, HTML string, or jQuery object to insert at the beginning of each element in the set of matched elements.
+function(index, html)A function that returns an HTML string to insert at the beginning of each element in the set of matched elements. Receives the index position of the element in the set and the old HTML value of the element as arguments.
+The .prepend() and .prependTo() methods perform the same task. The major difference is in the syntax-specifically, in the placement of the content and target. With .prepend(), the selector expression preceding the method is the container into which the content is inserted. With .prependTo(), on the other hand, the content precedes the method, either as a selector expression or as markup created on the fly, and it is inserted into the target container.
Consider the following HTML:
+<h2>Greetings</h2> +<div class="container"> + <div class="inner">Hello</div> + <div class="inner">Goodbye</div> +</div>+
We can create content and insert it into several elements at once:
+$('.inner').prepend('<p>Test</p>');
+Each <div class="inner"> element gets this new content:
<h2>Greetings</h2> +<div class="container"> + <div class="inner"> + <p>Test</p> + Hello + </div> + <div class="inner"> + <p>Test</p> + Goodbye + </div> +</div>+
We can also select an element on the page and insert it into another:
+$('.container').prepend($('h2'));
+If an element selected this way is inserted elsewhere, it will be moved into the target (not cloned):
+<div class="container"> + <h2>Greetings</h2> + <div class="inner">Hello</div> + <div class="inner">Goodbye</div> +</div>+
If there is more than one target element, however, cloned copies of the inserted element will be created for each target after the first.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>p { background:yellow; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>there friend!</p>
+
+ <p>amigo!</p>
+<script>$("p").prepend("<b>Hello </b>");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>p { background:yellow; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>is what I'd say</p>
+ <p>is what I said</p>
+<script>$("p").prepend(document.createTextNode("Hello "));</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>p { background:yellow; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p> is what was said.</p><b>Hello</b>
+<script>$("p").prepend( $("b") );</script>
+</body>
+</html>
+Description: Insert every element in the set of matched elements to the beginning of the target.
+targetA selector, element, HTML string, or jQuery object; the matched set of elements will be inserted at the beginning of the element(s) specified by this parameter.
+The .prepend() and .prependTo() methods perform the same task. The major difference is in the syntax-specifically, in the placement of the content and target. With .prepend(), the selector expression preceding the method is the container into which the content is inserted. With .prependTo(), on the other hand, the content precedes the method, either as a selector expression or as markup created on the fly, and it is inserted into the target container.
Consider the following HTML:
+<h2>Greetings</h2> +<div class="container"> + <div class="inner">Hello</div> + <div class="inner">Goodbye</div> +</div>+
We can create content and insert it into several elements at once:
+$('<p>Test</p>').prependTo('.inner');
+Each inner <div> element gets this new content:
<h2>Greetings</h2> +<div class="container"> + <div class="inner"> + <p>Test</p> + Hello + </div> + <div class="inner"> + <p>Test</p> + Goodbye + </div> +</div>+
We can also select an element on the page and insert it into another:
+$('h2').prependTo($('.container'));
+If an element selected this way is inserted elsewhere, it will be moved into the target (not cloned):
+<div class="container"> + <h2>Greetings</h2> + <div class="inner">Hello</div> + <div class="inner">Goodbye</div> +</div>+
If there is more than one target element, however, cloned copies of the inserted element will be created for each target after the first.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>div { background:yellow; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div id="foo">FOO!</div>
+
+ <span>I have something to say... </span>
+<script>$("span").prependTo("#foo"); // check prepend() examples</script>
+</body>
+</html>
+Description: Get the immediately preceding sibling of each element in the set of matched elements, optionally filtered by a selector.
+selectorA string containing a selector expression to match elements against.
+Given a jQuery object that represents a set of DOM elements, the .prev() method allows us to search through the predecessors of these elements in the DOM tree and construct a new jQuery object from the matching elements.
The method optionally accepts a selector expression of the same type that we can pass to the $() function. If the selector is supplied, the elements will be filtered by testing whether they match it.
Consider a page with a simple list on it:
++<ul> + <li>list item 1</li> + <li>list item 2</li> + <li class="third-item">list item 3</li> + <li>list item 4</li> + <li>list item 5</li> +</ul> ++
If we begin at the third item, we can find the element which comes just before it:
+$('li.third-item').prev().css('background-color', 'red');
+The result of this call is a red background behind item 2. Since we do not supply a selector expression, this preceding element is unequivocally included as part of the object. If we had supplied one, the element would be tested for a match before it was included.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { width:40px; height:40px; margin:10px;
+ float:left; border:2px blue solid;
+ padding:2px; }
+ span { font-size:14px; }
+ p { clear:left; margin:10px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div></div>
+ <div></div>
+ <div><span>has child</span></div>
+
+ <div></div>
+ <div></div>
+ <div></div>
+ <div id="start"></div>
+
+ <div></div>
+ <p><button>Go to Prev</button></p>
+<script>
+ var $curr = $("#start");
+ $curr.css("background", "#f99");
+ $("button").click(function () {
+ $curr = $curr.prev();
+ $("div").css("background", "");
+ $curr.css("background", "#f99");
+ });
+
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div><span>Hello</span></div>
+
+ <p class="selected">Hello Again</p>
+ <p>And Again</p>
+<script>$("p").prev(".selected").css("background", "yellow");</script>
+</body>
+</html>
+Description: Get all preceding siblings of each element in the set of matched elements, optionally filtered by a selector.
+selectorA string containing a selector expression to match elements against.
+Given a jQuery object that represents a set of DOM elements, the .prevAll() method allows us to search through the predecessors of these elements in the DOM tree and construct a new jQuery object from the matching elements.
The method optionally accepts a selector expression of the same type that we can pass to the $() function. If the selector is supplied, the elements will be filtered by testing whether they match it.
Consider a page with a simple list on it:
++<ul> + <li>list item 1</li> + <li>list item 2</li> + <li class="third-item">list item 3</li> + <li>list item 4</li> + <li>list item 5</li> +</ul> ++
If we begin at the third item, we can find the elements which come before it:
+$('li.third-item').prevAll().css('background-color', 'red');
+The result of this call is a red background behind items 1 and 2. Since we do not supply a selector expression, these preceding elements are unequivocally included as part of the object. If we had supplied one, the elements would be tested for a match before they were included.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ div { width:70px; height:70px; background:#abc;
+ border:2px solid black; margin:10px; float:left; }
+ div.before { border-color: red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div></div>
+ <div></div>
+ <div></div>
+ <div></div>
+<script>$("div:last").prevAll().addClass("before");</script>
+</body>
+</html>
+Description: Get all preceding siblings of each element up to but not including the element matched by the selector.
+selectorA string containing a selector expression to indicate where to stop matching preceding sibling elements.
+Given a jQuery object that represents a set of DOM elements, the .prevUntil() method allows us to search through the predecessors of these elements in the DOM tree, stopping when it reaches an element matched by the method's argument. The new jQuery object that is returned contains all previous siblings up to but not including the one matched by the .prevUntil() selector.
If the selector is not matched or is not supplied, all previous siblings will be selected; in these cases it selects the same elements as the .prevAll() method does when no filter selector is provided.
Consider a page with a simple definition list as follows:
++<dl> + <dt>term 1</dt> + <dd>definition 1-a</dd> + <dd>definition 1-b</dd> + <dd>definition 1-c</dd> + <dd>definition 1-d</dd> + + <dt id="term-2">term 2</dt> + <dd>definition 2-a</dd> + <dd>definition 2-b</dd> + <dd>definition 2-c</dd> + + <dt>term 3</dt> + <dd>definition 3-a</dd> + <dd>definition 3-b</dd> +</dl> ++
If we begin at the second term, we can find the elements which come after it until a preceding <dt>.
$('#term-2').prevUntil('dt').css('background-color', 'red');
+The result of this call is a red background behind definitions 1-a, 1-b, 1-c, and 1-d.
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <dl>
+ <dt>term 1</dt>
+ <dd>definition 1-a</dd>
+ <dd>definition 1-b</dd>
+ <dd>definition 1-c</dd>
+ <dd>definition 1-d</dd>
+
+ <dt id="term-2">term 2</dt>
+ <dd>definition 2-a</dd>
+ <dd>definition 2-b</dd>
+ <dd>definition 2-c</dd>
+
+ <dt>term 3</dt>
+ <dd>definition 3-a</dd>
+ <dd>definition 3-b</dd>
+</dl>
+<script>
+ $("#term-2").prevUntil("dt")
+ .css("background-color", "red")
+</script>
+</body>
+</html>
+Description: Show the queue of functions to be executed on the matched elements.
+queueNameA string containing the name of the queue. Defaults to fx, the standard effects queue.
<!DOCTYPE html>
+<html>
+<head>
+ <style>div { margin:3px; width:40px; height:40px;
+ position:absolute; left:0px; top:30px;
+ background:green; display:none; }
+ div.newcolor { background:blue; }
+ span { color:red; } </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button id="show">Show Length of Queue</button>
+ <span></span>
+ <div></div>
+<script>$("#show").click(function () {
+ var n = $("div").queue("fx");
+ $("span").text("Queue length is: " + n.length);
+ });
+ function runIt() {
+ $("div").show("slow");
+ $("div").animate({left:'+=200'},2000);
+ $("div").slideToggle(1000);
+ $("div").slideToggle("fast");
+ $("div").animate({left:'-=200'},1500);
+ $("div").hide("slow");
+ $("div").show(1200);
+ $("div").slideUp("normal", runIt);
+ }
+ runIt();</script>
+</body>
+</html>
+Description: Manipulate the queue of functions to be executed on the matched elements.
+queueNameA string containing the name of the queue. Defaults to fx, the standard effects queue.
newQueueAn array of functions to replace the current queue contents.
+queueNameA string containing the name of the queue. Defaults to fx, the standard effects queue.
callback( next )The new function to add to the queue, with a function to call that will dequeue the next item.
+Every element can have one to many queues of functions attached to it by jQuery. In most applications, only one queue (called fx) is used. Queues allow a sequence of actions to be called on an element asynchronously, without halting program execution. The typical example of this is calling multiple animation methods on an element. For example:
$('#foo').slideUp().fadeIn();
+When this statement is executed, the element begins its sliding animation immediately, but the fading transition is placed on the fx queue to be called only once the sliding transition is complete.
The .queue() method allows us to directly manipulate this queue of functions. Calling .queue() with a callback is particularly useful; it allows us to place a new function at the end of the queue.
This feature is similar to providing a callback function with an animation method, but does not require the callback to be given at the time the animation is performed.
+$('#foo').slideUp();
+$('#foo').queue(function() {
+ alert('Animation complete.');
+ $(this).dequeue();
+});
+This is equivalent to:
+$('#foo').slideUp(function() {
+ alert('Animation complete.');
+});
+Note that when adding a function with .queue(), we should ensure that .dequeue() is eventually called so that the next function in line executes.
In jQuery 1.4 the function that's called is passed in another function, as the first argument, that when called automatically dequeues the next item and keeps the queue moving. You would use it like so:
+$("#test").queue(function(next) {
+ // Do some stuff...
+ next();
+});
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { margin:3px; width:40px; height:40px;
+ position:absolute; left:0px; top:30px;
+ background:green; display:none; }
+ div.newcolor { background:blue; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ Click here...
+ <div></div>
+<script>$(document.body).click(function () {
+ $("div").show("slow");
+ $("div").animate({left:'+=200'},2000);
+ $("div").queue(function () {
+ $(this).addClass("newcolor");
+ $(this).dequeue();
+ });
+ $("div").animate({left:'-=200'},500);
+ $("div").queue(function () {
+ $(this).removeClass("newcolor");
+ $(this).dequeue();
+ });
+ $("div").slideUp();
+ });</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { margin:3px; width:40px; height:40px;
+ position:absolute; left:0px; top:30px;
+ background:green; display:none; }
+ div.newcolor { background:blue; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button id="start">Start</button>
+ <button id="stop">Stop</button>
+ <div></div>
+<script>$("#start").click(function () {
+ $("div").show("slow");
+ $("div").animate({left:'+=200'},5000);
+ $("div").queue(function () {
+ $(this).addClass("newcolor");
+ $(this).dequeue();
+ });
+ $("div").animate({left:'-=200'},1500);
+ $("div").queue(function () {
+ $(this).removeClass("newcolor");
+ $(this).dequeue();
+ });
+ $("div").slideUp();
+ });
+ $("#stop").click(function () {
+ $("div").queue("fx", []);
+ $("div").stop();
+ });</script>
+</body>
+</html>
+Description: Selects all elements of type radio.
+$(':radio') is equivalent to $('[type=radio]'). As with other pseudo-class selectors (those that begin with a ":") it is recommended to precede it with a tag name or some other selector; otherwise, the universal selector ("*") is implied. In other words, the bare $(':radio') is equivalent to $('*:radio'), so $('input:radio') should be used instead.
To select a set of associated radio buttons, you might use: $('input[name=gender]:radio')
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ textarea { height:25px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <form>
+ <input type="button" value="Input Button"/>
+ <input type="checkbox" />
+
+ <input type="file" />
+ <input type="hidden" />
+ <input type="image" />
+
+ <input type="password" />
+ <input type="radio" name="asdf" />
+ <input type="radio" name="asdf" />
+
+ <input type="reset" />
+ <input type="submit" />
+ <input type="text" />
+
+ <select><option>Option<option/></select>
+ <textarea></textarea>
+ <button>Button</button>
+ </form>
+
+ <div>
+ </div>
+<script>
+
+ var input = $("form input:radio").wrap('<span></span>').parent().css({background:"yellow", border:"3px red solid"});
+ $("div").text("For this type jQuery found " + input.length + ".")
+ .css("color", "red");
+ $("form").submit(function () { return false; }); // so it won't submit
+
+</script>
+</body>
+</html>
+Description: Specify a function to execute when the DOM is fully loaded.
+handlerA 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. Ifloadmust be used, either do not use.ready()or use jQuery's.load()method to attachloadevent 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.
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.
+});
+<!DOCTYPE html>
+<html>
+<head>
+ <style>p { color:red; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+ <script>
+ $(document).ready(function () {
+ $("p").text("The DOM is now loaded and can be manipulated.");
+});
+ </script>
+
+</head>
+<body>
+ <p>Not loaded yet.</p>
+</body>
+</html>
+Description: Remove the set of matched elements from the DOM.
+selectorA selector expression that filters the set of matched elements to be removed.
+Similar to .empty(), the .remove() method takes elements out of the DOM. We use .remove() when we want to remove the element itself, as well as everything inside it. In addition to the elements themselves, all bound events and jQuery data associated with the elements are removed.
Consider the following HTML:
+<div class="container"> + <div class="hello">Hello</div> + <div class="goodbye">Goodbye</div> +</div>+
We can target any element for removal:
+$('.hello').remove();
+This will result in a DOM structure with the <div> element deleted:
<div class="container"> + <div class="goodbye">Goodbye</div> +</div>+
If we had any number of nested elements inside <div class="hello">, they would be removed, too. Other jQuery constructs such as data or event handlers are erased as well.
We can also include a selector as an optional parameter. For example, we could rewrite the previous DOM removal code as follows:
+$('div').remove('.hello');
+This would result in the same DOM structure:
+<div class="container"> + <div class="goodbye">Goodbye</div> +</div>+
<!DOCTYPE html>
+<html>
+<head>
+ <style>p { background:yellow; margin:6px 0; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p>
+ how are
+ <p>you?</p>
+ <button>Call remove() on paragraphs</button>
+<script>
+ $("button").click(function () {
+ $("p").remove();
+ });
+
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>p { background:yellow; margin:6px 0; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p class="hello">Hello</p>
+ how are
+ <p>you?</p>
+
+ <button>Call remove(":contains('Hello')") on paragraphs</button>
+<script>
+
+ $("button").click(function () {
+ $("p").remove(":contains('Hello')");
+ });
+
+</script>
+</body>
+</html>
+Description: Remove an attribute from each element in the set of matched elements.
+attributeNameAn attribute to remove.
+The .removeAttr() method uses the JavaScript removeAttribute() function, but it has the advantage of being able to be called directly on a jQuery object and it accounts for different attribute naming across browsers.
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button>Enable</button>
+<input type="text" disabled="disabled" value="can't edit this" />
+<script>
+$("button").click(function () {
+ $(this).next().removeAttr("disabled")
+ .focus()
+ .val("editable now");
+});
+</script>
+</body>
+</html>
+Description: Remove a single class, multiple classes, or all classes from each element in the set of matched elements.
+classNameA class name to be removed from the class attribute of each matched element.
+function(index, class)A function returning one or more space-separated class names to be removed. Receives the index position of the element in the set and the old class value as arguments.
+If a class name is included as a parameter, then only that class will be removed from the set of matched elements. If no class names are specified in the parameter, all classes will be removed.
+More than one class may be removed at a time, separated by a space, from the set of matched elements, like so:
+$('p').removeClass('myClass yourClass')
+
+This method is often used with .addClass() to switch elements' classes from one to another, like so:
$('p').removeClass('myClass noClass').addClass('yourClass');
+
+Here, the myClass and noClass classes are removed from all paragraphs, while yourClass is added.
To replace all existing classes with another class, we can use .attr('class', 'newClass') instead.
As of jQuery 1.4, the .removeClass() method allows us to indicate the class to be removed by passing in a function.
$('li:last').removeClass(function() {
+ return $(this).prev().attr('class');
+ });
+This example removes the class name of the penultimate <li> from the last <li>.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ p { margin: 4px; font-size:16px; font-weight:bolder; }
+ .blue { color:blue; }
+ .under { text-decoration:underline; }
+ .highlight { background:yellow; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p class="blue under">Hello</p>
+ <p class="blue under highlight">and</p>
+ <p class="blue under">then</p>
+
+ <p class="blue under">Goodbye</p>
+<script>$("p:even").removeClass("blue");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { margin: 4px; font-size:16px; font-weight:bolder; }
+ .blue { color:blue; }
+ .under { text-decoration:underline; }
+ .highlight { background:yellow; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p class="blue under">Hello</p>
+
+ <p class="blue under highlight">and</p>
+ <p class="blue under">then</p>
+ <p class="blue under">Goodbye</p>
+<script>$("p:odd").removeClass("blue under");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ p { margin: 4px; font-size:16px; font-weight:bolder; }
+ .blue { color:blue; }
+ .under { text-decoration:underline; }
+ .highlight { background:yellow; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p class="blue under">Hello</p>
+ <p class="blue under highlight">and</p>
+ <p class="blue under">then</p>
+
+ <p class="blue under">Goodbye</p>
+<script>$("p:eq(1)").removeClass();</script>
+</body>
+</html>
+Description: Remove a previously-stored piece of data.
+nameA string naming the piece of data to delete.
+The .removeData() method allows us to remove values that were previously set using .data(). When called with the name of a key, .removeData() deletes that particular value; when called with no arguments, all values are removed.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { margin:2px; color:blue; }
+ span { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>value1 before creation: <span></span></div>
+ <div>value1 after creation: <span></span></div>
+ <div>value1 after removal: <span></span></div>
+
+ <div>value2 after removal: <span></span></div>
+<script>
+
+ $("span:eq(0)").text("" + $("div").data("test1"));
+ $("div").data("test1", "VALUE-1");
+ $("div").data("test2", "VALUE-2");
+ $("span:eq(1)").text("" + $("div").data("test1"));
+ $("div").removeData("test1");
+ $("span:eq(2)").text("" + $("div").data("test1"));
+ $("span:eq(3)").text("" + $("div").data("test2"));
+
+</script>
+</body>
+</html>
+Description: Replace each target element with the set of matched elements.
+The .replaceAll() method is corollary to .replaceWith(), but with the source and target reversed. Consider this DOM structure:
<div class="container"> + <div class="inner first">Hello</div> + <div class="inner second">And</div> + <div class="inner third">Goodbye</div> +</div>+
We can create an element, then replace other elements with it:
+$('<h2>New heading</h2>').replaceAll('.inner');
+This causes all of them to be replaced:
+<div class="container"> + <h2>New heading</h2> + <h2>New heading</h2> + <h2>New heading</h2> +</div>+
Or, we could select an element to use as the replacement:
+$('.first').replaceAll('.third');
+This results in the DOM structure:
+<div class="container"> + <div class="inner second">And</div> + <div class="inner first">Hello</div> +</div>+
From this example, we can see that the selected element replaces the target by being moved from its old location, not by being cloned.
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p>
+ <p>cruel</p>
+ <p>World</p>
+<script>$("<b>Paragraph. </b>").replaceAll("p"); // check replaceWith() examples</script>
+</body>
+</html>
+Description: Replace each element in the set of matched elements with the provided new content.
+newContentThe content to insert. May be an HTML string, DOM element, or jQuery object.
+functionA function that returns an HTML string to replace the set of matched elements with.
+The .replaceWith() method allows us to remove content from the DOM and insert new content in its place with a single call. Consider this DOM structure:
<div class="container"> + <div class="inner first">Hello</div> + <div class="inner second">And</div> + <div class="inner third">Goodbye</div> +</div>+
We can replace the second inner <div> with specified HTML:
$('.second').replaceWith('<h2>New heading</h2>');
+This results in the structure:
+<div class="container"> + <div class="inner first">Hello</div> + <h2>New heading</h2> + <div class="inner third">Goodbye</div> +</div>+
We could equally target all inner <div> elements at once:
$('.inner').replaceWith('<h2>New heading</h2>');
+This causes all of them to be replaced:
+<div class="container"> + <h2>New heading</h2> + <h2>New heading</h2> + <h2>New heading</h2> +</div>+
Or, we could select an element to use as the replacement:
+$('.third').replaceWith($('.first'));
+This results in the DOM structure:
+<div class="container"> + <div class="inner second">And</div> + <div class="inner first">Hello</div> +</div>+
From this example, we can see that the selected element replaces the target by being moved from its old location, not by being cloned.
+The .replaceWith() method, like most jQuery methods, returns the jQuery object so that other methods can be chained onto it. However, it must be noted that the
In jQuery 1.4 replaceWith, before, and after will also work on disconnected DOM nodes. For example if you were to do:
+$("").replaceWith("");
+Then you would end up with a jQuery set that contains only a paragraph.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ button { display:block; margin:3px; color:red; width:200px; }
+ div { color:red; border:2px solid blue; width:200px;
+ margin:3px; text-align:center; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button>First</button>
+ <button>Second</button>
+
+ <button>Third</button>
+<script>
+
+ $("button").click(function () {
+ $(this).replaceWith("<div>" + $(this).text() + "</div>");
+ });
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p>
+ <p>cruel</p>
+
+ <p>World</p>
+<script>$("p").replaceWith("<b>Paragraph. </b>");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { border:2px solid blue; margin:3px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p>
+
+ <p>cruel</p>
+ <p>World</p>
+<script>$("p").replaceWith(document.createElement("div"));</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { border:2px solid blue; color:red; margin:3px; }
+ p { border:2px solid red; color:blue; margin:3px; cursor:pointer; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p>
+ <p>cruel</p>
+ <p>World</p>
+
+ <div>Replaced!</div>
+<script>
+ $("p").click(function () {
+ $(this).replaceWith($("div"));
+ });
+
+</script>
+</body>
+</html>
+Description: Selects all elements of type reset.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ textarea { height:45px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <form>
+ <input type="button" value="Input Button"/>
+ <input type="checkbox" />
+
+ <input type="file" />
+ <input type="hidden" />
+ <input type="image" />
+
+ <input type="password" />
+ <input type="radio" />
+ <input type="reset" />
+
+ <input type="submit" />
+ <input type="text" />
+ <select><option>Option<option/></select>
+
+ <textarea></textarea>
+ <button>Button</button>
+ </form>
+ <div>
+ </div>
+<script>
+
+ var input = $("input:reset").css({background:"yellow", border:"3px red solid"});
+ $("div").text("For this type jQuery found " + input.length + ".")
+ .css("color", "red");
+ $("form").submit(function () { return false; }); // so it won't submit
+
+</script>
+</body>
+</html>
+Description: Bind an event handler to the "resize" JavaScript event, or trigger that event on an element.
+handler(eventObject)A function to execute each time the event is triggered.
+This method is a shortcut for .bind('resize', handler) in the first variation, and .trigger('resize') in the second.
The resize event is sent to the window element when the size of the browser window changes:
$(window).resize(function() {
+ $('#log').append('<div>Handler for .resize() called.</div>');
+});
+
+Now whenever the browser window's size is changed, the message is appended to <div id="log"> one or more times, depending on the browser.
+Code in a resize handler should never rely on the number of times the handler is called. Depending on implementation, resize events can be sent continuously as the resizing is in progress (the typical behavior in Internet Explorer and WebKit-based browsers such as Safari and Chrome), or only once at the end of the resize operation (the typical behavior in Firefox).
+$(window).resize(function() {
+ $('body').prepend('<div>' + $(window).width() + '</div>');
+});
+
+Description: Bind an event handler to the "scroll" JavaScript event, or trigger that event on an element.
+handler(eventObject)A function to execute each time the event is triggered.
+This method is a shortcut for .bind('scroll', handler) in the first variation, and .trigger('scroll') in the second.
The scroll event is sent to an element when the user scrolls to a different place in the element. It applies to window objects, but also to scrollable frames and elements with the overflow CSS property set to scroll (or auto when the element's explicit height is less than the height of its contents).
For example, consider the HTML:
+<div id="target" style="overflow: scroll; width: 200px; height: 100px;"> + Lorem ipsum dolor sit amet, consectetur adipisicing elit, + sed do eiusmod tempor incididunt ut labore et dolore magna + aliqua. Ut enim ad minim veniam, quis nostrud exercitation + ullamco laboris nisi ut aliquip ex ea commodo consequat. + Duis aute irure dolor in reprehenderit in voluptate velit + esse cillum dolore eu fugiat nulla pariatur. Excepteur + sint occaecat cupidatat non proident, sunt in culpa qui + officia deserunt mollit anim id est laborum. +</div> +<div id="other"> + Trigger the handler +</div> +<div id="log"></div>+
The style definition is present to make the target element small enough to be scrollable:
+
The scroll event handler can be bound to this element:
$('#target').scroll(function() {
+ $('#log').append('<div>Handler for .scroll() called.</div>');
+});
+Now when the user scrolls the text up or down, one or more messages are appended to <div id="log"></div>:
Handler for .scroll() called.
+We can trigger the event manually when another element is clicked:
+$('#other').click(function() {
+ $('#target').scroll();
+});
+After this code executes, clicks on Trigger the handler will also append the message.
+A scroll event is sent whenever the element's scroll position changes, regardless of the cause. A mouse click or drag on the scroll bar, dragging inside the element, pressing the arrow keys, or using the mouse's scroll wheel could cause this event.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { color:blue; }
+ p { color:green; }
+ span { color:red; display:none; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>Try scrolling the iframe.</div>
+ <p>Paragraph - <span>Scroll happened!</span></p>
+<script>
+ $("p").clone().appendTo(document.body);
+ $("p").clone().appendTo(document.body);
+ $("p").clone().appendTo(document.body);
+ $(window).scroll(function () {
+ $("span").css("display", "inline").fadeOut("slow");
+ });
+
+</script>
+</body>
+</html>
+Description: Get the current horizontal position of the scroll bar for the first element in the set of matched elements.
+The horizontal scroll position is the same as the number of pixels that are hidden from view above the scrollable area. If the scroll bar is at the very left, or if the element is not scrollable, this number will be 0.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { margin:10px;padding:5px;border:2px solid #666; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p><p></p>
+<script>var p = $("p:first");
+ $("p:last").text( "scrollLeft:" + p.scrollLeft() );
+
+ </script>
+</body>
+</html>
+Description: Set the current horizontal position of the scroll bar for each of the set of matched elements.
+valueAn integer indicating the new position to set the scroll bar to.
+The horizontal scroll position is the same as the number of pixels that are hidden from view above the scrollable area. Setting the scrollLeft positions the horizontal scroll of each matched element.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div.demo {
+ background:#CCCCCC none repeat scroll 0 0;
+ border:3px solid #666666;
+ margin:5px;
+ padding:5px;
+ position:relative;
+ width:200px;
+ height:100px;
+ overflow:auto;
+ }
+ p { margin:10px;padding:5px;border:2px solid #666;width:1000px;height:1000px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div class="demo"><h1>lalala</h1><p>Hello</p></div>
+<script>$("div.demo").scrollLeft(300);
+</script>
+</body>
+</html>
+Description: Get the current vertical position of the scroll bar for the first element in the set of matched elements.
+The vertical scroll position is the same as the number of pixels that are hidden from view above the scrollable area. If the scroll bar is at the very top, or if the element is not scrollable, this number will be 0.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { margin:10px;padding:5px;border:2px solid #666; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p><p></p>
+<script>var p = $("p:first");
+$("p:last").text( "scrollTop:" + p.scrollTop() );
+
+</script>
+</body>
+</html>
+Description: Set the current vertical position of the scroll bar for each of the set of matched elements.
+valueAn integer indicating the new position to set the scroll bar to.
+The vertical scroll position is the same as the number of pixels that are hidden from view above the scrollable area. Setting the scrollTop positions the vertical scroll of each matched element.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+div.demo {
+background:#CCCCCC none repeat scroll 0 0;
+border:3px solid #666666;
+margin:5px;
+padding:5px;
+position:relative;
+width:200px;
+height:100px;
+overflow:auto;
+}
+ p { margin:10px;padding:5px;border:2px solid #666;width:1000px;height:1000px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div class="demo"><h1>lalala</h1><p>Hello</p></div>
+<script>$("div.demo").scrollTop(300);
+</script>
+</body>
+</html>
+Description: Bind an event handler to the "select" JavaScript event, or trigger that event on an element.
+handler(eventObject)A function to execute each time the event is triggered.
+This method is a shortcut for .bind('select', handler) in the first variation, and .trigger('select') in the second.
The select event is sent to an element when the user makes a text selection inside it. This event is limited to <input type="text"> fields and <textarea> boxes.
For example, consider the HTML:
+<form> + <input id="target" type="text" value="Hello there" /> +</form> +<div id="other"> + Trigger the handler +</div>+
The event handler can be bound to the text input:
+$('#target').select(function() {
+ alert('Handler for .select() called.');
+});
+Now when any portion of the text is selected, the alert is displayed. Merely setting the location of the insertion point will not trigger the event. We can trigger the event manually when another element is clicked:
+$('#other').click(function() {
+ $('#target').select();
+});
+After this code executes, clicks on the Trigger button will also alert the message:
+Handler for .select() called.
+In addition, the default select action on the field will be fired, so the entire text field will be selected.
+The method for retrieving the current selected text differs from one browser to another. A number of jQuery plug-ins offer cross-platform solutions.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { color:blue; }
+ div { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>
+
+ Click and drag the mouse to select text in the inputs.
+ </p>
+ <input type="text" value="Some text" />
+ <input type="text" value="to test on" />
+
+ <div></div>
+<script>
+ $(":input").select( function () {
+ $("div").text("Something was selected").show().fadeOut(1000);
+ });
+</script>
+</body>
+</html>
+$("input").select();
+Description: Selects all elements that are selected.
+The :selected selector works for <option> elements. It does not work for checkboxes or radio inputs; use :checked for them.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <select name="garden" multiple="multiple">
+
+ <option>Flowers</option>
+ <option selected="selected">Shrubs</option>
+ <option>Trees</option>
+ <option selected="selected">Bushes</option>
+
+ <option>Grass</option>
+ <option>Dirt</option>
+ </select>
+ <div></div>
+<script>
+
+ $("select").change(function () {
+ var str = "";
+ $("select option:selected").each(function () {
+ str += $(this).text() + " ";
+ });
+ $("div").text(str);
+ })
+ .trigger('change');
+</script>
+</body>
+</html>
+Description: A selector representing selector originally passed to jQuery().
+Should be used in conjunction with context to determine the exact query used.
+The .live() method for binding event handlers uses this property to determine how to perform its searches. Plug-ins which perform similar tasks may also find the property useful. This property contains a string representing the matched set of elements, but if DOM traversal methods have been called on the object, the string may not be a valid jQuery selector expression. For this reason, the value of .selector is generally most useful immediately following the original creation of the object. Consequently, the .live() method should only be used in this scenario.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ body { cursor:pointer; }
+ div { width:50px; height:30px; margin:5px; float:left;
+ background:green; }
+ span { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ Some selectors:<ul></ul>
+<script>$("ul")
+ .append("<li>" + $("ul").selector + "</li>")
+ .append("<li>" + $("ul li").selector + "</li>")
+ .append("<li>" + $("div#foo ul:not([class])").selector + "</li>");
+
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ Some selectors:<ul></ul>
+
+<script>
+ $('<div>' + $('ul li.foo').selector + '</div>').appendTo('body'); // "ul li.foo"
+ $('<div>' + $('ul').find('li').filter('.foo').selector + '</div>').appendTo('body'); // "ul li.filter(.foo)"
+</script>
+</body>
+</html>
+Description: Encode a set of form elements as a string for submission.
+The .serialize() method creates a text string in standard URL-encoded notation. It operates on a jQuery object representing a set of form elements. The form elements can be of several types:
<form> + <div><input type="text" name="a" value="1" id="a" /></div> + <div><input type="text" name="b" value="2" id="b" /></div> + <div><input type="hidden" name="c" value="3" id="c" /></div> + <div> + <textarea name="d" rows="8" cols="40">4</textarea> + </div> + <div><select name="e"> + <option value="5" selected="selected">5</option> + <option value="6">6</option> + <option value="7">7</option> + </select></div> + <div> + <input type="checkbox" name="f" value="8" id="f" /> + </div> + <div> + <input type="submit" name="g" value="Submit" id="g" /> + </div> +</form>+
The .serialize() method can act on a jQuery object that has selected individual form elements, such as <input>, <textarea>, and <select>. However, it is typically easier to select the <form> tag itself for serialization:
$('form').submit(function() {
+ alert($(this).serialize());
+ return false;
+});
+This produces a standard-looking query string:
+a=1&b=2&c=3&d=4&e=5+
Note: Only "successful controls" are serialized to the string. No submit button value is serialized since the form was not submitted using a button. For a form element's value to be included in the serialized string, the element must have a name attribute. Data from file select elements is not serialized.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ body, select { font-size:12px; }
+ form { margin:5px; }
+ p { color:red; margin:5px; font-size:14px; }
+ b { color:blue; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+
+<form>
+ <select name="single">
+ <option>Single</option>
+ <option>Single2</option>
+ </select>
+
+<br />
+ <select name="multiple" multiple="multiple">
+ <option selected="selected">Multiple</option>
+ <option>Multiple2</option>
+
+ <option selected="selected">Multiple3</option>
+ </select>
+<br/>
+ <input type="checkbox" name="check" value="check1" id="ch1"/>
+
+ <label for="ch1">check1</label>
+
+ <input type="checkbox" name="check" value="check2" checked="checked" id="ch2"/>
+
+ <label for="ch2">check2</label>
+<br />
+ <input type="radio" name="radio" value="radio1" checked="checked" id="r1"/>
+
+ <label for="r1">radio1</label>
+ <input type="radio" name="radio" value="radio2" id="r2"/>
+
+ <label for="r2">radio2</label>
+ </form>
+ <p><tt id="results"></tt></p>
+<script>
+ function showValues() {
+ var str = $("form").serialize();
+ $("#results").text(str);
+ }
+ $(":checkbox, :radio").click(showValues);
+ $("select").change(showValues);
+ showValues();
+</script>
+</body>
+</html>
+Description: Encode a set of form elements as an array of names and values.
+The .serializeArray() method creates a JavaScript array of objects, ready to be encoded as a JSON string. It operates on a jQuery object representing a set of form elements. The form elements can be of several types:
<form> + <div><input type="text" name="a" value="1" id="a" /></div> + <div><input type="text" name="b" value="2" id="b" /></div> + <div><input type="hidden" name="c" value="3" id="c" /></div> + <div> + <textarea name="d" rows="8" cols="40">4</textarea> + </div> + <div><select name="e"> + <option value="5" selected="selected">5</option> + <option value="6">6</option> + <option value="7">7</option> + </select></div> + <div> + <input type="checkbox" name="f" value="8" id="f" /> + </div> + <div> + <input type="submit" name="g" value="Submit" id="g" /> + </div> +</form>+
The .serializeArray() method can act on a jQuery object that has selected individual form elements, such as <input>, <textarea>, and <select>. However, it is typically easier to select the <form> tag itself for serialization:
$('form').submit(function() {
+ $.print($(this).serializeArray());
+ return false;
+});
+This produces the following data structure:
+[
+ {
+ name: a
+ value: 1
+ },
+ {
+ name: b
+ value: 2
+ },
+ {
+ name: c
+ value: 3
+ },
+ {
+ name: d
+ value: 4
+ },
+ {
+ name: e
+ value: 5
+ }
+]
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ body, select { font-size:14px; }
+ form { margin:5px; }
+ p { color:red; margin:5px; }
+ b { color:blue; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p><b>Results:</b> <span id="results"></span></p>
+
+ <form>
+ <select name="single">
+ <option>Single</option>
+ <option>Single2</option>
+
+ </select>
+ <select name="multiple" multiple="multiple">
+ <option selected="selected">Multiple</option>
+ <option>Multiple2</option>
+
+ <option selected="selected">Multiple3</option>
+ </select><br/>
+ <input type="checkbox" name="check" value="check1" id="ch1"/>
+
+ <label for="ch1">check1</label>
+ <input type="checkbox" name="check" value="check2" checked="checked" id="ch2"/>
+
+ <label for="ch2">check2</label>
+ <input type="radio" name="radio" value="radio1" checked="checked" id="r1"/>
+
+ <label for="r1">radio1</label>
+ <input type="radio" name="radio" value="radio2" id="r2"/>
+
+ <label for="r2">radio2</label>
+ </form>
+<script>
+
+ function showValues() {
+ var fields = $(":input").serializeArray();
+ $("#results").empty();
+ jQuery.each(fields, function(i, field){
+ $("#results").append(field.value + " ");
+ });
+ }
+
+ $(":checkbox, :radio").click(showValues);
+ $("select").change(showValues);
+ showValues();
+</script>
+</body>
+</html>
+Description: Display the matched elements.
+durationA string or number determining how long the animation will run.
+callbackA function to call once the animation is complete.
+With no parameters, the .show() method is the simplest way to display an element:
+
$('.target').show();
+
+The matched elements will be revealed immediately, with no animation. This is roughly equivalent to calling .css('display', 'block'), except that the display property is restored to whatever it was initially. If an element has a display value of inline, then is hidden and shown, it will once again be displayed inline.
When a duration is provided, .show() becomes an animation method. The .show() method animates the width, height, and opacity of the matched elements simultaneously.
Durations are given in milliseconds; higher values indicate slower animations, not faster ones. The strings 'fast' and 'slow' can be supplied to indicate durations of 200 and 600 milliseconds, respectively.
If supplied, the callback is fired once the animation is complete. This can be useful for stringing different animations together in sequence. The callback is not sent any arguments, but this is set to the DOM element being animated. If multiple elements are animated, it is important to note that the callback is executed once per matched element, not once for the animation as a whole.
We can animate any element, such as a simple image:
+<div id="clickme">
+ Click here
+</div>
+<img id="book" src="book.png" alt="" width="100" height="123" />
+With the element initially hidden, we can show it slowly:
+$('#clickme').click(function() {
+ $('#book').show('slow', function() {
+ // Animation complete.
+ });
+});
+
+ 



<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { background:yellow; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button>Show it</button>
+
+ <p style="display: none">Hello 2</p>
+<script>
+ $("button").click(function () {
+ $("p").show("slow");
+ });
+ </script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { background:#def3ca; margin:3px; width:80px;
+ display:none; float:left; text-align:center; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+ <button id="showr">Show</button>
+ <button id="hidr">Hide</button>
+ <div>Hello 3,</div>
+
+ <div>how</div>
+ <div>are</div>
+ <div>you?</div>
+<script>
+$("#showr").click(function () {
+ $("div:eq(0)").show("fast", function () {
+ /* use callee so don't have to name the function */
+ $(this).next("div").show("fast", arguments.callee);
+ });
+});
+$("#hidr").click(function () {
+ $("div").hide(2000);
+});
+
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ span { display:none; }
+ div { display:none; }
+ p { font-weight:bold; background-color:#fcd; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button>Do it!</button>
+ <span>Are you sure? (type 'yes' if you are) </span>
+ <div>
+ <form>
+ <input type="text" value="as;ldkfjalsdf"/>
+ </form>
+ </div>
+ <p style="display:none;">I'm hidden...</p>
+
+<script>
+function doIt() {
+ $("span,div").show("normal");
+}
+/* can pass in function name */
+$("button").click(doIt);
+
+$("form").submit(function () {
+ if ($("input").val() == "yes") {
+ $("p").show(4000, function () {
+ $(this).text("Ok, DONE! (now showing)");
+ });
+ }
+ $("span,div").hide("normal");
+ /* to stop the submit */
+ return false;
+});
+</script>
+</body>
+</html>
+Description: Get the siblings of each element in the set of matched elements, optionally filtered by a selector.
+selectorA string containing a selector expression to match elements against.
+Given a jQuery object that represents a set of DOM elements, the .siblings() method allows us to search through the siblings of these elements in the DOM tree and construct a new jQuery object from the matching elements.
The method optionally accepts a selector expression of the same type that we can pass to the $() function. If the selector is supplied, the elements will be filtered by testing whether they match it.
Consider a page with a simple list on it:
++<ul> + <li>list item 1</li> + <li>list item 2</li> + <li class="third-item">list item 3</li> + <li>list item 4</li> + <li>list item 5</li> +</ul> ++
If we begin at the third item, we can find its siblings:
+$('li.third-item').siblings().css('background-color', 'red');
+The result of this call is a red background behind items 1, 2, 4, and 5. Since we do not supply a selector expression, all of the siblings are part of the object. If we had supplied one, only the matching items among these four would be included.
+The original element is not included among the siblings, which is important to remember when we wish to find all elements at a particular level of the DOM tree.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ ul { float:left; margin:5px; font-size:16px; font-weight:bold; }
+ p { color:blue; margin:10px 20px; font-size:16px; padding:5px;
+ font-weight:bolder; }
+ .hilite { background:yellow; }
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <ul>
+ <li>One</li>
+
+ <li>Two</li>
+ <li class="hilite">Three</li>
+ <li>Four</li>
+ </ul>
+
+ <ul>
+ <li>Five</li>
+ <li>Six</li>
+ <li>Seven</li>
+
+ </ul>
+ <ul>
+ <li>Eight</li>
+ <li class="hilite">Nine</li>
+
+ <li>Ten</li>
+ <li class="hilite">Eleven</li>
+ </ul>
+ <p>Unique siblings: <b></b></p>
+<script>
+
+ var len = $(".hilite").siblings()
+ .css("color", "red")
+ .length;
+ $("b").text(len);
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div><span>Hello</span></div>
+
+ <p class="selected">Hello Again</p>
+ <p>And Again</p>
+<script>$("p").siblings(".selected").css("background", "yellow");</script>
+</body>
+</html>
+Description: Return the number of DOM elements matched by the jQuery object.
++<ul> + <li>foo</li> + <li>bar</li> +</ul> ++
We can determine the number of list items by calling .size():
alert('Size: ' + $('li').size());
+This will alert the count of items:
+Size: 2
+The .length property is a slightly faster way to get this information.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>body { cursor:pointer; }
+ div { width:50px; height:30px; margin:5px; float:left; background:blue; }
+ span { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <span></span>
+
+ <div></div>
+<script>$(document.body).click(function () { $(document.body).append($("<div>"));
+var n = $("div").size();
+$("span").text("There are " + n + " divs." + "Click to add more.");}).click(); // trigger the click to start</script>
+</body>
+</html>
+Description: Reduce the set of matched elements to a subset specified by a range of indices.
+startAn integer indicating the 0-based position after which the elements are selected. If negative, it indicates an offset from the end of the set.
+endAn integer indicating the 0-based position before which the elements stop being selected. If negative, it indicates an offset from the end of the set. If omitted, the range continues until the end of the set.
+Given a jQuery object that represents a set of DOM elements, the .slice() method constructs a new jQuery object from a subset of the matching elements. The supplied start index identifies the position of one of the elements in the set; if end is omitted, all elements after this one will be included in the result.
Consider a page with a simple list on it:
++<ul> + <li>list item 1</li> + <li>list item 2</li> + <li>list item 3</li> + <li>list item 4</li> + <li>list item 5</li> +</ul> ++
We can apply this method to the set of list items:
+$('li').slice(2).css('background-color', 'red');
+The result of this call is a red background for items 3, 4, and 5. Note that the supplied index is zero-based, and refers to the position of elements within the jQuery object, not within the DOM tree.
+The end parameter allows us to limit the selected range even further. For example:
+$('li').slice(2, 4).css('background-color', 'red');
+Now only items 3 and 4 are selected. The index is once again zero-based; the range extends up to but not including the specified index.
+The jQuery .slice() method is patterned after the JavaScript .slice() method for arrays. One of the features that it mimics is the ability for negative numbers to be passed as either the start or end parameter. If a negative number is provided, this indicates a position starting from the end of the set, rather than the beginning. For example:
$('li').slice(-2, -1).css('background-color', 'red');
+This time only list item 4 is turned red, since it is the only item in the range between two from the end (-2) and one from the end (-1).
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { width:40px; height:40px; margin:10px; float:left;
+ border:2px solid blue; }
+ span { color:red; font-weight:bold; }
+ button { margin:5px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p><button>Turn slice yellow</button>
+ <span>Click the button!</span></p>
+ <div></div>
+ <div></div>
+
+ <div></div>
+ <div></div>
+ <div></div>
+ <div></div>
+ <div></div>
+
+ <div></div>
+ <div></div>
+<script>
+
+ function colorEm() {
+ var $div = $("div");
+ var start = Math.floor(Math.random() *
+ $div.length);
+ var end = Math.floor(Math.random() *
+ ($div.length - start)) +
+ start + 1;
+ if (end == $div.length) end = undefined;
+ $div.css("background", "");
+ if (end)
+ $div.slice(start, end).css("background", "yellow");
+ else
+ $div.slice(start).css("background", "yellow");
+
+ $("span").text('$("div").slice(' + start +
+ (end ? ', ' + end : '') +
+ ').css("background", "yellow");');
+ }
+
+ $("button").click(colorEm);
+
+</script>
+</body>
+</html>
+$("p").slice(0, 1).wrapInner("<b></b>");
+$("p").slice(0, 2).wrapInner("<b></b>");
+$("p").slice(1, 2).wrapInner("<b></b>");
+$("p").slice(1).wrapInner("<b></b>");
+$("p").slice(-1).wrapInner("<b></b>");
+Description: Display the matched elements with a sliding motion.
+durationA string or number determining how long the animation will run.
+callbackA function to call once the animation is complete.
+The .slideDown() method animates the height of the matched elements. This causes lower parts of the page to slide down, making way for the revealed items.
Durations are given in milliseconds; higher values indicate slower animations, not faster ones. The strings 'fast' and 'slow' can be supplied to indicate durations of 200 and 600 milliseconds, respectively. If any other string is supplied, or if the duration parameter is omitted, the default duration of 400 milliseconds is used.
If supplied, the callback is fired once the animation is complete. This can be useful for stringing different animations together in sequence. The callback is not sent any arguments, but this is set to the DOM element being animated. If multiple elements are animated, it is important to note that the callback is executed once per matched element, not once for the animation as a whole.
We can animate any element, such as a simple image:
+<div id="clickme"> + Click here +</div> +<img id="book" src="book.png" alt="" width="100" height="123" />+
With the element initially hidden, we can show it slowly:
+$('#clickme').click(function() {
+ $('#book').slideDown('slow', function() {
+ // Animation complete.
+ });
+});
+
+



<!DOCTYPE html>
+<html>
+<head>
+ <style>
+div { background:#de9a44; margin:3px; width:80px;
+height:40px; display:none; float:left; }
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ Click me!
+<div></div>
+<div></div>
+<div></div>
+<script>
+$(document.body).click(function () {
+if ($("div:first").is(":hidden")) {
+$("div").slideDown("slow");
+} else {
+$("div").hide();
+}
+});
+
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+div { background:#cfd; margin:3px; width:50px;
+text-align:center; float:left; cursor:pointer;
+border:2px outset black; font-weight:bolder; }
+input { display:none; width:120px; float:left;
+margin:10px; }
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>Push!</div>
+<input type="text" />
+<input type="text" class="middle" />
+
+<input type="text" />
+<script>
+$("div").click(function () {
+$(this).css({ borderStyle:"inset", cursor:"wait" });
+$("input").slideDown(1000,function(){
+$(this).css("border", "2px red inset")
+.filter(".middle")
+ .css("background", "yellow")
+ .focus();
+$("div").css("visibility", "hidden");
+});
+});
+
+</script>
+</body>
+</html>
+Description: Display or hide the matched elements with a sliding motion.
+durationA string or number determining how long the animation will run.
+callbackA function to call once the animation is complete.
+The .slideToggle() method animates the height of the matched elements. This causes lower parts of the page to slide up or down, appearing to reveal or conceal the items. If the element is initially displayed, it will be hidden; if hidden, it will be shown. The display property is saved and restored as needed. If an element has a display value of inline, then is hidden and shown, it will once again be displayed inline. When the height reaches 0 after a hiding animation, the display style property is set to none to ensure that the element no longer affects the layout of the page.
Durations are given in milliseconds; higher values indicate slower animations, not faster ones. The strings 'fast' and 'slow' can be supplied to indicate durations of 200 and 600 milliseconds, respectively.
If supplied, the callback is fired once the animation is complete. This can be useful for stringing different animations together in sequence. The callback is not sent any arguments, but this is set to the DOM element being animated. If multiple elements are animated, it is important to note that the callback is executed once per matched element, not once for the animation as a whole.
We can animate any element, such as a simple image:
+<div id="clickme"> + Click here +</div> +<img id="book" src="book.png" alt="" width="100" height="123" />+
We will cause .slideToggle() to be called when another element is clicked:
$('#clickme').click(function() {
+ $('#book').slideToggle('slow', function() {
+ // Animation complete.
+ });
+});
+
+With the element initially shown, we can hide it slowly with the first click:
+
+ 



A second click will show the element once again:
+
+ 



<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { width:400px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button>Toggle</button>
+
+ <p>
+ This is the paragraph to end all paragraphs. You
+ should feel <em>lucky</em> to have seen such a paragraph in
+ your life. Congratulations!
+ </p>
+<script>
+ $("button").click(function () {
+ $("p").slideToggle("slow");
+ });
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { background:#b977d1; margin:3px; width:60px;
+ height:60px; float:left; }
+ div.still { background:#345; width:5px; }
+ div.hider { display:none; }
+ span { color:red; }
+ p { clear: left; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div></div>
+<div class="still"></div>
+<div style="display:none;">
+</div><div class="still"></div>
+<div></div>
+<div class="still"></div>
+<div class="hider"></div>
+<div class="still"></div>
+<div class="hider"></div>
+<div class="still"></div>
+<div></div>
+<p><button id="aa">Toggle</button> There have been <span>0</span> toggled divs.</p>
+<script>
+ $("#aa").click(function () {
+ $("div:not(.still)").slideToggle("slow", function () {
+ var n = parseInt($("span").text(), 10);
+ $("span").text(n + 1);
+ });
+ });
+
+</script>
+</body>
+</html>
+Description: Hide the matched elements with a sliding motion.
+durationA string or number determining how long the animation will run.
+callbackA function to call once the animation is complete.
+The .slideUp() method animates the height of the matched elements. This causes lower parts of the page to slide up, appearing to conceal the items. Once the height reaches 0, the display style property is set to none to ensure that the element no longer affects the layout of the page.
Durations are given in milliseconds; higher values indicate slower animations, not faster ones. The strings 'fast' and 'slow' can be supplied to indicate durations of 200 and 600 milliseconds, respectively. If any other string is supplied, or if the duration parameter is omitted, the default duration of 400 milliseconds is used.
If supplied, the callback is fired once the animation is complete. This can be useful for stringing different animations together in sequence. The callback is not sent any arguments, but this is set to the DOM element being animated. If multiple elements are animated, it is important to note that the callback is executed once per matched element, not once for the animation as a whole.
We can animate any element, such as a simple image:
+<div id="clickme"> + Click here +</div> +<img id="book" src="book.png" alt="" width="100" height="123" />+
With the element initially shown, we can hide it slowly:
+$('#clickme').click(function() {
+ $('#book').slideUp('slow', function() {
+ // Animation complete.
+ });
+});
+
+
+ 



<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { background:#3d9a44; margin:3px; width:80px;
+ height:40px; float:left; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ Click me!
+ <div></div>
+ <div></div>
+ <div></div>
+ <div></div>
+
+ <div></div>
+<script>
+ $(document.body).click(function () {
+ if ($("div:first").is(":hidden")) {
+ $("div").show("slow");
+ } else {
+ $("div").slideUp();
+ }
+ });
+
+ </script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { margin:2px; }
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>
+ <button>Hide One</button>
+ <input type="text" value="One" />
+
+</div>
+<div>
+ <button>Hide Two</button>
+ <input type="text" value="Two" />
+
+</div>
+<div>
+ <button>Hide Three</button>
+ <input type="text" value="Three" />
+
+</div>
+<div id="msg"></div>
+<script>
+ $("button").click(function () {
+ $(this).parent().slideUp("slow", function () {
+ $("#msg").text($("button", this).text() + " has completed.");
+ });
+ });
+
+</script>
+</body>
+</html>
+Description: Stop the currently-running animation on the matched elements.
+clearQueueA Boolean indicating whether to remove queued animation as well. Defaults to false.
jumpToEndA Boolean indicating whether to complete the current animation immediately. Defaults to false.
When .stop() is called on an element, the currently-running animation (if any) is immediately stopped. If, for instance, an element is being hidden with .slideUp() when .stop() is called, the element will now still be displayed, but will be a fraction of its previous height. Callback functions are not called.
If more than one animation method is called on the same element, the later animations are placed in the effects queue for the element. These animations will not begin until the first one completes. When .stop() is called, the next animation in the queue begins immediately. If the clearQueue parameter is provided with a value of true, then the rest of the animations in the queue are removed and never run.
If the jumpToEnd property is provided with a value of true, the current animation stops, but the element is immediately given its target values for each CSS property. In our above .slideUp() example, the element would be immediately hidden. The callback function is then immediately called, if provided.
The usefulness of the .stop() method is evident when we need to animate an element on mouseenter and mouseleave:
<div id="hoverme"> + Hover me + <img id="hoverme" src="book.png" alt="" width="100" height="123" /> +</div>+
We can create a nice fade effect without the common problem of multiple queued animations by adding .stop(true, true) to the chain:
$('#hoverme-stop-2').hover(function() {
+ $(this).find('img').stop(true, true).fadeOut();
+}, function() {
+ $(this).find('img').stop(true, true).fadeIn();
+});
++Animations may be stopped globally by setting the property
$.fx.offtotrue. When this is done, all animation methods will immediately set elements to their final state when called, rather than displaying an effect.
<!DOCTYPE html>
+<html>
+<head>
+ <style>div {
+position: absolute;
+background-color: #abc;
+left: 0px;
+top:30px;
+width: 60px;
+height: 60px;
+margin: 5px;
+}
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button id="go">Go</button>
+<button id="stop">STOP!</button>
+<button id="back">Back</button>
+<div class="block"></div>
+<script>
+// Start animation
+$("#go").click(function(){
+$(".block").animate({left: '+=100px'}, 2000);
+});
+
+// Stop animation when button is clicked
+$("#stop").click(function(){
+$(".block").stop();
+});
+
+// Start animation in the opposite direction
+$("#back").click(function(){
+$(".block").animate({left: '-=100px'}, 2000);
+});
+
+</script>
+</body>
+</html>
+Description: Selects all elements of type submit.
+The :submit selector typically applies to button or input elements. Note that some browsers treat <button> element as type="default" implicitly while others (such as Internet Explorer) do not.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ textarea { height:45px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+
+<table>
+<form>
+<table id="exampleTable" border="1" cellpadding="10" align="center">
+
+ <tr>
+ <th>
+ Element Type
+ </th>
+ <th>
+ Element
+ </th>
+
+ </tr
+ <tr>
+ <td>
+ <input type="button" value="Input Button"/>
+ </td>
+
+ </tr>
+ <tr>
+ <td>
+ <input type="checkbox" />
+ </td>
+
+ </tr>
+ <tr>
+ <td>
+ <input type="file" />
+ </td>
+
+ </tr>
+ <tr>
+ <td>
+ <input type="hidden" />
+ </td>
+
+ </tr>
+ <tr>
+ <td>
+ <input type="image" />
+ </td>
+
+ </tr>
+ <tr>
+ <td>
+ <input type="password" />
+ </td>
+
+ </tr>
+ <tr>
+ <td>
+ <input type="radio" />
+ </td>
+
+ </tr>
+ <tr>
+ <td>
+ <input type="reset" />
+ </td>
+
+ </tr>
+ <tr>
+ <td>
+ <input type="submit" />
+ </td>
+
+ </tr>
+ <tr>
+ <td>
+ <input type="text" />
+ </td>
+
+ </tr>
+ <tr>
+ <td>
+ <select><option>Option</option></select>
+ </td>
+
+ </tr>
+ <tr>
+ <td>
+ <textarea></textarea>
+ </td>
+ </tr>
+
+ <tr>
+ <td>
+ <button>Button</button>
+ </td>
+ </tr>
+ <tr>
+ <td>
+ <button type="submit">Button type="submit"</button>
+ </td>
+ </tr>
+
+</table>
+</form>
+<div id="result"></div>
+
+<script>
+ var submitEl = $("td :submit")
+ .parent('td')
+ .css({background:"yellow", border:"3px red solid"})
+ .end();
+
+ $('#result').text('jQuery matched ' + submitEl.length + ' elements.');
+
+ // so it won't submit
+ $("form").submit(function () { return false; });
+
+ // Extra JS to make the HTML easier to edit (None of this is relevant to the ':submit' selector
+ $('#exampleTable').find('td').each(function(i, el) {
+ var inputEl = $(el).children(),
+ inputType = inputEl.attr('type') ? ' type="' + inputEl.attr('type') + '"' : '';
+ $(el).before('<td>' + inputEl[0].nodeName + inputType + '</td>');
+ })
+
+
+</script>
+</body>
+</html>
+Description: Bind an event handler to the "submit" JavaScript event, or trigger that event on an element.
+handler(eventObject)A function to execute each time the event is triggered.
+This method is a shortcut for .bind('submit', handler) in the first variation, and .trigger('submit') in the second.
The submit event is sent to an element when the user is attempting to submit a form. It can only be attached to <form> elements. Forms can be submitted either by clicking an explicit <input type="submit">, <input type="image">, or <button type="submit">, or by pressing Enter when certain form element has focus.
+Depending on the browser, the Enter key may only cause a form submission if the form has exactly one text field, or only when there is a submit button present. The interface should not rely on a particular behavior for this key unless the issue is forced by observing the keypress event for presses of the Enter key.
For example, consider the HTML:
+<form id="target" action="destination.html"> + <input type="text" value="Hello there" /> + <input type="submit" value="Go" /> +</form> +<div id="other"> + Trigger the handler +</div>+
The event handler can be bound to the form:
+$('#target').submit(function() {
+ alert('Handler for .submit() called.');
+ return false;
+});
+Now when the form is submitted, the message is alerted. This happens prior to the actual submission, so we can cancel the submit action by calling .preventDefault() on the event object or by returning false from our handler. We can trigger the event manually when another element is clicked:
$('#other').click(function() {
+ $('#target').submit();
+});
+After this code executes, clicks on Trigger the handler will also display the message. In addition, the default submit action on the form will be fired, so the form will be submitted.
The JavaScript submit event does not bubble in Internet Explorer. However, scripts that rely on event delegation with the submit event will work consistently across browsers as of jQuery 1.4, which has normalized the event's behavior.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ p { margin:0; color:blue; }
+ div,p { margin-left:10px; }
+ span { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Type 'correct' to validate.</p>
+ <form action="javascript:alert('success!');">
+ <div>
+ <input type="text" />
+
+ <input type="submit" />
+ </div>
+ </form>
+ <span></span>
+<script>
+
+ $("form").submit(function() {
+ if ($("input:first").val() == "correct") {
+ $("span").text("Validated...").show();
+ return true;
+ }
+ $("span").text("Not valid!").show().fadeOut(1000);
+ return false;
+ });
+</script>
+</body>
+</html>
+$("form").submit( function () {
+ return this.some_flag_variable;
+} );
+$("form:first").submit();
+Description: Selects all elements of type text.
+$(':text') is equivalent to $('[type=text]') and thus selects all <input type="text"> elements. As with other pseudo-class selectors (those that begin with a ":") it is recommended to precede it with a tag name or some other selector; otherwise, the universal selector ("*") is implied. In other words, the bare $(':text') is equivalent to $('*:text'), so $('input:text') should be used instead.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ textarea { height:25px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <form>
+ <input type="button" value="Input Button"/>
+ <input type="checkbox" />
+
+ <input type="file" />
+ <input type="hidden" />
+ <input type="image" />
+
+ <input type="password" />
+ <input type="radio" />
+ <input type="reset" />
+
+ <input type="submit" />
+ <input type="text" />
+ <select><option>Option</option></select>
+
+ <textarea></textarea>
+ <button>Button</button>
+ </form>
+ <div>
+ </div>
+<script>
+
+ var input = $("form input:text").css({background:"yellow", border:"3px red solid"});
+ $("div").text("For this type jQuery found " + input.length + ".")
+ .css("color", "red");
+ $("form").submit(function () { return false; }); // so it won't submit
+
+</script>
+</body>
+</html>
+Description: Get the combined text contents of each element in the set of matched elements, including their descendants.
+Unlike the .html() method, .text() can be used in both XML and HTML documents. The result of the .text() method is a string containing the combined text of all matched elements. (Due to variations in the HTML parsers in different browsers, the text returned may vary in newlines and other white space.) Consider the following HTML:
<div class="demo-container"> + <div class="demo-box">Demonstration Box</div> + <ul> + <li>list item 1</li> + <li>list <strong>item</strong> 2</li> + </ul> + </div> ++
The code $('div.demo-container').text() would produce the following result:
+ Demonstration Box list item 1 list item 2
+
The .text() method cannot be used on input elements. For input field text, use the .val() method.
As of jQuery 1.4, the .text() method returns the value of text and CDATA nodes as well as element nodes.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { color:blue; margin:8px; }
+ b { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p><b>Test</b> Paragraph.</p>
+
+ <p></p>
+<script>
+ var str = $("p:first").text();
+ $("p:last").html(str);
+</script>
+</body>
+</html>
+Description: Set the content of each element in the set of matched elements to the specified text.
+textStringA string of text to set as the content of each matched element.
+function(index, text)A function returning the text content to set. Receives the index position of the element in the set and the old text value as arguments.
+Unlike the .html() method, .text() can be used in both XML and HTML documents.
We need to be aware that this method escapes the string provided as necessary so that it will render correctly in HTML. To do so, it calls the DOM method .createTextNode(), which replaces special characters with their HTML entity equivalents (such as < for <). Consider the following HTML:
<div class="demo-container"> + <div class="demo-box">Demonstration Box</div> + <ul> + <li>list item 1</li> + <li>list <strong>item</strong> 2</li> + </ul> +</div> ++
The code $('div.demo-container').text('<p>This is a test.</p>'); will produce the following DOM output:
<div class="demo-container"> +<p>This is a test.</p> +</div>+
It will appear on a rendered page as though the tags were exposed, like this:
+<p>This is a test</p>+
The .text() method cannot be used on input elements. For input field text, use the .val() method.
As of jQuery 1.4, the .text() method allows us to set the text content by passing in a function.
$('ul li').text(function(index) {
+ return 'item number ' + (index + 1);
+});
+Given an unordered list with three <li> elements, this example will produce the following DOM output:
<ul> + <li>item number 1</li> + <li>item number 2</li> + <li>item number 3</li> +</ul> ++
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ p { color:blue; margin:8px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Test Paragraph.</p>
+<script>$("p").text("<b>Some</b> new text.");</script>
+</body>
+</html>
+Description: Retrieve all the DOM elements contained in the jQuery set, as an array.
+.toArray() returns all of the elements in the jQuery set:
alert($('li').toArray());
+All of the matched DOM nodes are returned by this call, contained in a standard array:
+[<li id="foo">, <li id="bar">]
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ span { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ Reversed - <span></span>
+
+ <div>One</div>
+ <div>Two</div>
+ <div>Three</div>
+<script>
+
+ function disp(divs) {
+ var a = [];
+ for (var i = 0; i < divs.length; i++) {
+ a.push(divs[i].innerHTML);
+ }
+ $("span").text(a.join(" "));
+ }
+
+ disp( $("div").toArray().reverse() );
+</script>
+</body>
+</html>
+Description: Bind two or more handlers to the matched elements, to be executed on alternate clicks.
+handler(eventObject)A function to execute every even time the element is clicked.
+handler(eventObject)A function to execute every odd time the element is clicked.
+handler(eventObject)Additional handlers to cycle through after clicks.
+The .toggle() method binds a handler for the click event, so the rules outlined for the triggering of click apply here as well.
For example, consider the HTML: +<div id="target"> + Click here +</div>+

Event handlers can then be bound to the <div>:
$('#target').toggle(function() {
+ alert('First handler for .toggle() called.');
+}, function() {
+ alert('Second handler for .toggle() called.');
+});
+As the element is clicked repeatedly, the messages alternate:
+
+ First handler for .toggle() called.
Second handler for .toggle() called.
First handler for .toggle() called.
Second handler for .toggle() called.
First handler for .toggle() called.
+
If more than two handlers are provided, .toggle() will cycle among all of them. For example, if there are three handlers, then the first handler will be called on the first click, the fourth click, the seventh click, and so on.
The .toggle() method is provided for convenience. It is relatively straightforward to implement the same behavior by hand, and this can be necessary if the assumptions built into .toggle() prove limiting. For example, .toggle() is not guaranteed to work correctly if applied twice to the same element. Since .toggle() internally uses a click handler to do its work, we must unbind click to remove a behavior attached with .toggle(), so other click handlers can be caught in the crossfire. The implementation also calls .preventDefault() on the event, so links will not be followed and buttons will not be clicked if .toggle() has been called on the element.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ ul { margin:10px; list-style:inside circle; font-weight:bold; }
+ li { cursor:pointer; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <ul>
+ <li>Go to the store</li>
+ <li>Pick up dinner</li>
+ <li>Debug crash</li>
+
+ <li>Take a jog</li>
+ </ul>
+<script>
+ $("li").toggle(
+ function () {
+ $(this).css({"list-style-type":"disc", "color":"blue"});
+ },
+ function () {
+ $(this).css({"list-style-type":"disc", "color":"red"});
+ },
+ function () {
+ $(this).css({"list-style-type":"", "color":""});
+ }
+ );
+
+</script>
+</body>
+</html>
+$("td").toggle(
+ function () {
+ $(this).addClass("selected");
+ },
+ function () {
+ $(this).removeClass("selected");
+ }
+);
+Description: Display or hide the matched elements.
+durationA string or number determining how long the animation will run.
+callbackA function to call once the animation is complete.
+showOrHideA Boolean indicating whether to show or hide the elements.
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button>Toggle</button>
+<p>Hello</p>
+<p style="display: none">Good Bye</p>
+<script>
+
+$("button").click(function () {
+$("p").toggle();
+});
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+p { background:#dad;
+font-weight:bold;
+font-size:16px; }
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button>Toggle 'em</button>
+
+<p>Hiya</p>
+<p>Such interesting text, eh?</p>
+<script>
+$("button").click(function () {
+$("p").toggle("slow");
+});
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button>Toggle</button>
+<p>Hello</p>
+<p style="display: none">Good Bye</p>
+<script>
+
+var flip = 0;
+$("button").click(function () {
+$("p").toggle( flip++ % 2 == 0 );
+});
+</script>
+</body>
+</html>
+Description: Add or remove one or more classes from each element in the set of matched elements, depending on either the class's presence or the value of the switch argument.
+classNameOne or more class names (separated by spaces) to be toggled for each element in the matched set.
+classNameOne or more class names (separated by spaces) to be toggled for each element in the matched set.
+switchA boolean value to determine whether the class should be added or removed.
+function(index, class)A function that returns class names to be toggled in the class attribute of each element in the matched set. Receives the index position of the element in the set and the old class value as arguments.
+switchA boolean value to determine whether the class should be added or removed.
+This method takes one or more class names as its parameter. In the first version, if an element in the matched set of elements already has the class, then it is removed; if an element does not have the class, then it is added. For example, we can apply .toggleClass() to a simple <div>:
<div class="tumble">Some text.</div> ++
The first time we apply $('div.tumble').toggleClass('bounce'), we get the following:
<div class="tumble bounce">Some text.</div> ++
The second time we apply $('div.tumble').toggleClass('bounce'), the <div> class is returned to the single tumble value:
<div class="tumble">Some text.</div>+
Applying .toggleClass('bounce spin') to the same <div> alternates between <div class="tumble bounce spin"> and <div class="tumble">.
The second version of .toggleClass() uses the second parameter for determining whether the class should be added or removed. If this parameter's value is true, then the class is added; if false, the class is removed. In essence, the statement:
$('#foo').toggleClass(className, addOrRemove);
+is equivalent to:
+if (addOrRemove) {
+ $('#foo').addClass(className);
+ }
+ else {
+ $('#foo').removeClass(className);
+ }
+
+As of jQuery 1.4, the .toggleClass() method allows us to indicate the class name to be toggled by passing in a function.
$('div.foo').toggleClass(function() {
+ if ($(this).parent().is('.bar')) {
+ return 'happy';
+ } else {
+ return 'sad';
+ }
+});
+This example will toggle the happy class for <div class="foo"> elements if their parent element has a class of bar; otherwise, it will toggle the sad class.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ p { margin: 4px; font-size:16px; font-weight:bolder;
+ cursor:pointer; }
+ .blue { color:blue; }
+ .highlight { background:yellow; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p class="blue">Click to toggle</p>
+ <p class="blue highlight">highlight</p>
+ <p class="blue">on these</p>
+ <p class="blue">paragraphs</p>
+<script>
+ $("p").click(function () {
+ $(this).toggleClass("highlight");
+ });
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { margin: 4px; font-size:16px; font-weight:bolder;
+ cursor:pointer; }
+ .blue { color:blue; }
+ .highlight { background:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p class="blue">Click to toggle (<span>clicks: 0</span>)</p>
+ <p class="blue highlight">highlight (<span>clicks: 0</span>)</p>
+ <p class="blue">on these (<span>clicks: 0</span>)</p>
+
+ <p class="blue">paragraphs (<span>clicks: 0</span>)</p>
+<script>
+var count = 0;
+$("p").each(function() {
+ var $thisParagraph = $(this);
+ var count = 0;
+ $thisParagraph.click(function() {
+ count++;
+ $thisParagraph.find("span").text('clicks: ' + count);
+ $thisParagraph.toggleClass("highlight", count % 3 == 0);
+ });
+});
+
+</script>
+</body>
+</html>
+Description: Execute all handlers and behaviors attached to the matched elements for the given event type.
+eventTypeA string containing a JavaScript event type, such as click or submit.
extraParametersAn array of additional parameters to pass along to the event handler.
+Any event handlers attached with .bind() or one of its shortcut methods are triggered when the corresponding event occurs. They can be fired manually, however, with the .trigger() method. A call to .trigger() executes the handlers in the same order they would be if the event were triggered naturally by the user:
$('#foo').bind('click', function() {
+ alert($(this).text());
+ });
+ $('#foo').trigger('click');
+While .trigger() simulates an event activation, complete with a synthesized event object, it does not perfectly replicate a naturally-occurring event.
When we define a custom event type using the .bind() method, the second argument to .trigger() can become useful. For example, suppose we have bound a handler for the custom event to our element instead of the built-in click event as we did above:
$('#foo').bind('custom', function(event, param1, param2) {
+ alert(param1 + "\n" + param2);
+});
+$('#foo').trigger('custom', ['Custom', 'Event']);
+
+The event object is always passed as the first parameter to an event handler, but if additional parameters are specified during a .trigger() call as they are here, these parameters will be passed along to the handler as well.
Note the difference between the extra parameters we're passing here and the eventData parameter to the .bind() method. Both are mechanisms for passing information to an event handler, but the extraParameters argument to .trigger() allows information to be determined at the time the event is triggered, while the eventData argument to .bind() requires the information to be already computed at the time the handler is bound.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+button { margin:10px; }
+div { color:blue; font-weight:bold; }
+span { color:red; }
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button>Button #1</button>
+<button>Button #2</button>
+<div><span>0</span> button #1 clicks.</div>
+
+<div><span>0</span> button #2 clicks.</div>
+<script>
+$("button:first").click(function () {
+update($("span:first"));
+});
+$("button:last").click(function () {
+$("button:first").trigger('click');
+
+update($("span:last"));
+});
+
+function update(j) {
+var n = parseInt(j.text(), 10);
+j.text(n + 1);
+}
+</script>
+</body>
+</html>
+$("form:first").trigger("submit")
+var event = jQuery.Event("submit");
+$("form:first").trigger(event);
+if ( event.isDefaultPrevented() ) {
+// Perform an action...
+}
+$("p").click( function (event, a, b) {
+// when a normal click fires, a and b are undefined
+// for a trigger like below a refers to "foo" and b refers to "bar"
+
+} ).trigger("click", ["foo", "bar"]);
+var event = jQuery.Event("logged");
+event.user = "foo";
+event.pass = "bar";
+$("body").trigger(event);
+$("body").trigger({
+type:"logged",
+user:"foo",
+pass:"bar"
+
+});
+Description: Execute all handlers attached to an element for an event.
+eventTypeA string containing a JavaScript event type, such as click or submit.
extraParametersAn array of additional parameters to pass along to the event handler.
+The .triggerHandler() method behaves similarly to .trigger(), with the following exceptions:
.triggerHandler() method does not cause the default behavior of an event to occur (such as a form submission)..trigger() will operate on all elements matched by the jQuery object, .triggerHandler() only affects the first matched element..triggerHandler() do not bubble up the DOM hierarchy; if they are not handled by the target element directly, they do nothing..triggerHandler() returns whatever value was returned by the last handler it caused to be executed. If no handlers are triggered, it returns undefined
+For more information on this method, see the discussion for .trigger().
<!DOCTYPE html>
+<html>
+<head>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button id="old">.trigger("focus")</button>
+<button id="new">.triggerHandler("focus")</button><br/><br/>
+
+<input type="text" value="To Be Focused"/>
+<script>
+
+$("#old").click(function(){
+$("input").trigger("focus");
+});
+$("#new").click(function(){
+$("input").triggerHandler("focus");
+});
+$("input").focus(function(){
+$("<span>Focused!</span>").appendTo("body").fadeOut(1000);
+});
+
+</script>
+</body>
+</html>
+Description: Remove a previously-attached event handler from the elements.
+eventTypeA string containing a JavaScript event type, such as click or submit.
handler(eventObject)The function that is to be no longer executed.
+eventA JavaScript event object as passed to an event handler.
+Any handler that has been attached with .bind() can be removed with .unbind(). In the simplest case, with no arguments, .unbind() removes all handlers attached to the elements:
$('#foo').unbind();
+This version removes the handlers regardless of type. To be more precise, we can pass an event type:
+$('#foo').unbind('click');
+By specifying the click event type, only handlers for that event type will be unbound. This approach can still have negative ramifications if other scripts might be attaching behaviors to the same element, however. Robust and extensible applications typically demand the two-argument version for this reason:
var handler = function() {
+ alert('The quick brown fox jumps over the lazy dog.');
+};
+$('#foo').bind('click', handler);
+$('#foo').unbind('click', handler);
+
+By naming the handler, we can be assured that no other functions are caught in the crossfire. Note that the following will not work:
+$('#foo').bind('click', function() {
+ alert('The quick brown fox jumps over the lazy dog.');
+});
+
+$('#foo').unbind('click', function() {
+ alert('The quick brown fox jumps over the lazy dog.');
+});
+Even though the two functions are identical in content, they are created separately and so JavaScript is free to keep them as distinct function objects. To unbind a particular handler, we need a reference to that function and not a different one that happens to do the same thing.
+Instead of maintaining references to handlers in order to unbind them, we can namespace the events and use this capability to narrow the scope of our unbinding actions. As shown in the discussion for the .bind() method, namespaces are defined by using a period (.) character when binding a handler:
$('#foo').bind('click.myEvents', handler);
+When a handler is bound in this fashion, we can still unbind it the normal way:
+$('#foo').unbind('click');
+However, if we want to avoid affecting other handlers, we can be more specific:
+$('#foo').unbind('click.myEvents');
+If multiple namespaced handlers are bound, we can unbind them at once:
+$('#foo').unbind('click.myEvents.yourEvents');
+This syntax is similar to that used for CSS class selectors; they are not hierarchical. This method call is thus the same as:
+$('#foo').unbind('click.yourEvents.myEvents');
+We can also unbind all of the handlers in a namespace, regardless of event type:
+$('#foo').unbind('.myEvents');
+It is particularly useful to attach namespaces to event bindings when we are developing plug-ins or otherwise writing code that may interact with other event-handling code in the future.
+The second form of the .unbind() method is used when we wish to unbind a handler from within itself. For example, suppose we wish to trigger an event handler only three times:
var timesClicked = 0;
+$('#foo').bind('click', function(event) {
+ alert('The quick brown fox jumps over the lazy dog.');
+ timesClicked++;
+ if (timesClicked >= 3) {
+ $(this).unbind(event);
+ }
+});
+
+The handler in this case must take a parameter, so that we can capture the event object and use it to unbind the handler after the third click. The event object contains the context necessary for .unbind() to know which handler to remove.
+This example is also an illustration of a closure. Since the handler refers to the timesClicked variable, which is defined outside the function, incrementing the variable has an effect even between invocations of the handler.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+button { margin:5px; }
+button#theone { color:red; background:yellow; }
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button id="theone">Does nothing...</button>
+<button id="bind">Bind Click</button>
+<button id="unbind">Unbind Click</button>
+
+<div style="display:none;">Click!</div>
+<script>
+
+function aClick() {
+$("div").show().fadeOut("slow");
+}
+$("#bind").click(function () {
+// could use .bind('click', aClick) instead but for variety...
+$("#theone").click(aClick)
+ .text("Can Click!");
+});
+$("#unbind").click(function () {
+$("#theone").unbind('click', aClick)
+ .text("Does nothing...");
+});
+
+</script>
+</body>
+</html>
+$("p").unbind()
+$("p").unbind( "click" )
+var foo = function () {
+// code to handle some kind of event
+};
+
+$("p").bind("click", foo); // ... now foo will be called when paragraphs are clicked ...
+
+$("p").unbind("click", foo); // ... foo will no longer be called.
+Description: Remove a handler from the event for all elements which match the current selector, now or in the future, based upon a specific set of root elements.
+selectorA selector which will be used to filter the event results.
+eventTypeA string containing a JavaScript event type, such as "click" or "keydown"
+selectorA selector which will be used to filter the event results.
+eventTypeA string containing a JavaScript event type, such as "click" or "keydown"
+handlerA function to execute at the time the event is triggered.
+Undelegate is a way of removing event handlers that have been bound using .delegate(). It works virtually identically to .die() with the addition of a selector filter argument (which is required for delegation to work).
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+button { margin:5px; }
+button#theone { color:red; background:yellow; }
+</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button id="theone">Does nothing...</button>
+<button id="bind">Bind Click</button>
+<button id="unbind">Unbind Click</button>
+<div style="display:none;">Click!</div>
+<script>
+function aClick() {
+ $("div").show().fadeOut("slow");
+}
+$("#bind").click(function () {
+ $("body").delegate("#theone", "click", aClick)
+ .find("#theone").text("Can Click!");
+});
+$("#unbind").click(function () {
+ $("body").undelegate("#theone", "click", aClick)
+ .find("#theone").text("Does nothing...");
+});
+</script>
+</body>
+</html>
+$("p").undelegate()
+$("p").undelegate( "click" )
+var foo = function () {
+// code to handle some kind of event
+};
+
+$("body").delegate("p", "click", foo); // ... now foo will be called when paragraphs are clicked ...
+
+$("body").undelegate("p", "click", foo); // ... foo will no longer be called.
+Description: Bind an event handler to the "unload" JavaScript event.
+handler(eventObject)A function to execute when the event is triggered.
+This method is a shortcut for .bind('unload', handler).
The unload event is sent to the window element when the user navigates away from the page. This could mean one of many things. The user could have clicked on a link to leave the page, or typed in a new URL in the address bar. The forward and back buttons will trigger the event. Closing the browser window will cause the event to be triggered. Even a page reload will first create an unload event.
+The exact handling of the
unloadevent has varied from version to version of browsers. For example, some versions of Firefox trigger the event when a link is followed, but not when the window is closed. In practical usage, behavior should be tested on all supported browsers, and contrasted with the proprietarybeforeunloadevent.
Any unload event handler should be bound to the window object:
$(window).unload(function() {
+ alert('Handler for .unload() called.');
+});
+
+After this code executes, the alert will be displayed whenever the browser leaves the current page.
+It is not possible to cancel the unload event with .preventDefault(). This event is available so that scripts can perform cleanup when the user leaves the page.
+
$(window).unload( function () { alert("Bye now!"); } );
+Description: Remove the parents of the set of matched elements from the DOM, leaving the matched elements in their place.
+The .unwrap() method removes the element's parent. This is effectively the inverse of the .wrap() method. The matched elements (and their siblings, if any) replace their parents within the DOM structure.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { border: 2px solid blue; }
+ p { background:yellow; margin:4px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button>wrap/unwrap</button>
+<p>Hello</p>
+<p>cruel</p>
+<p>World</p>
+<script>
+$("button").toggle(function(){
+ $("p").wrap("<div></div>");
+}, function(){
+ $("p").unwrap();
+});</script>
+</body>
+</html>
+Description: Get the current value of the first element in the set of matched elements.
+The .val() method is primarily used to get the values of form elements. In the case of <select multiple="multiple"> elements, the .val() method returns an array containing each selected option.
For selects and checkboxes, you can also use the :selected and :checked selectors to get at values, for example:
+$('select.foo option:selected').val(); // get the value from a dropdown select
+$('select.foo').val(); // get the value from a dropdown select even easier
+$('input:checkbox:checked').val(); // get the value from a checked checkbox
+$('input:radio[name=bar]:checked').val(); // get the value from a set of radio buttons
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ p { color:red; margin:4px; }
+ b { color:blue; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p></p>
+ <select id="single">
+ <option>Single</option>
+ <option>Single2</option>
+
+ </select>
+ <select id="multiple" multiple="multiple">
+ <option selected="selected">Multiple</option>
+ <option>Multiple2</option>
+
+ <option selected="selected">Multiple3</option>
+ </select>
+<script>
+ function displayVals() {
+ var singleValues = $("#single").val();
+ var multipleValues = $("#multiple").val() || [];
+ $("p").html("<b>Single:</b> " +
+ singleValues +
+ " <b>Multiple:</b> " +
+ multipleValues.join(", "));
+ }
+
+ $("select").change(displayVals);
+ displayVals();
+
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ p { color:blue; margin:8px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <input type="text" value="some text"/>
+ <p></p>
+<script>
+ $("input").keyup(function () {
+ var value = $(this).val();
+ $("p").text(value);
+ }).keyup();
+</script>
+</body>
+</html>
+Description: Set the value of each element in the set of matched elements.
+valueA string of text or an array of strings to set as the value property of each matched element.
+function(index, value)A function returning the value to set.
+This method is typically used to set the values of form fields. For <select multiple="multiple"> elements, multiple <option>s can be selected by passing in an array.
The .val() method allows us to set the value by passing in a function. As of jQuery 1.4, the function is passed two arguments, the current element's index and its current value:
$('input:text.items').val(function(index, value) {
+ return value + ' ' + this.className;
+});
+
+This example appends the string " items" to the text inputs' values.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ button { margin:4px; cursor:pointer; }
+ input { margin:4px; color:blue; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div>
+ <button>Feed</button>
+ <button>the</button>
+
+ <button>Input</button>
+ </div>
+ <input type="text" value="click a button" />
+<script>
+ $("button").click(function () {
+ var text = $(this).text();
+ $("input").val(text);
+ });
+</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ body { color:blue; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <select id="single">
+ <option>Single</option>
+ <option>Single2</option>
+ </select>
+
+ <select id="multiple" multiple="multiple">
+ <option selected="selected">Multiple</option>
+ <option>Multiple2</option>
+
+ <option selected="selected">Multiple3</option>
+ </select><br/>
+ <input type="checkbox" name="checkboxname" value="check1"/> check1
+ <input type="checkbox" name="checkboxname" value="check2"/> check2
+ <input type="radio" name="r" value="radio1"/> radio1
+ <input type="radio" name="r" value="radio2"/> radio2
+<script>
+
+ $("#single").val("Single2");
+ $("#multiple").val(["Multiple2", "Multiple3"]);
+ $("input").val(["check1","check2", "radio1" ]);
+
+</script>
+</body>
+</html>
+Description: Selects all elements that are visible.
+Elements can be considered hidden for several reasons:
+How :visible is calculated was changed in jQuery 1.3.2. The release notes outline the changes in more detail.
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { width:50px; height:40px; margin:5px; border:3px outset green; float:left; }
+ .starthidden { display:none; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button>Show hidden to see they don't change</button>
+ <div></div>
+ <div class="starthidden"></div>
+ <div></div>
+
+ <div></div>
+ <div style="display:none;"></div>
+<script>
+ $("div:visible").click(function () {
+ $(this).css("background", "yellow");
+ });
+ $("button").click(function () {
+ $("div:hidden").show("fast");
+ });
+
+</script>
+</body>
+</html>
+Description: Get the current computed width for the first element in the set of matched elements.
+The difference between .css(width) and .width() is that the latter returns a unit-less pixel value (for example, 400) while the former returns a value with units intact (for example, 400px). The .width() method is recommended when an element's width needs to be used in a mathematical calculation.

This method is also able to find the width of the window and document.
+$(window).width(); // returns width of browser viewport +$(document).width(); // returns width of HTML document+
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ body { background:yellow; }
+ button { font-size:12px; margin:2px; }
+ p { width:150px; border:1px red solid; }
+ div { color:red; font-weight:bold; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <button id="getp">Get Paragraph Width</button>
+ <button id="getd">Get Document Width</button>
+ <button id="getw">Get Window Width</button>
+
+ <div> </div>
+ <p>
+ Sample paragraph to test width
+ </p>
+<script>
+ function showWidth(ele, w) {
+ $("div").text("The width for the " + ele +
+ " is " + w + "px.");
+ }
+ $("#getp").click(function () {
+ showWidth("paragraph", $("p").width());
+ });
+ $("#getd").click(function () {
+ showWidth("document", $(document).width());
+ });
+ $("#getw").click(function () {
+ showWidth("window", $(window).width());
+ });
+
+</script>
+</body>
+</html>
+Description: Set the CSS width of each element in the set of matched elements.
+valueAn integer representing the number of pixels, or an integer along with an optional unit of measure appended (as a string).
+function(index, width)A function returning the width to set. Receives the index position of the element in the set and the old width as arguments.
+When calling .width('value'), the value can be either a string (number and unit) or a number. If only a number is provided for the value, jQuery assumes a pixel unit. If a string is provided, however, any valid CSS measurement may be used for the width (such as 100px, 50%, or auto). Note that in modern browsers, the CSS width property does not include padding, border, or margin.
If no explicit unit was specified (like 'em' or '%') then "px" is concatenated to the value.
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+ div { width:70px; height:50px; float:left; margin:5px;
+ background:red; cursor:pointer; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <div></div>
+ <div>d</div>
+
+ <div>d</div>
+ <div>d</div>
+ <div>d</div>
+<script>
+
+ $("div").one('click', function () {
+ $(this).width(30)
+ .css({cursor:"auto", "background-color":"blue"});
+ });
+</script>
+</body>
+</html>
+Description: Wrap an HTML structure around each element in the set of matched elements.
+wrappingElementAn HTML snippet, selector expression, jQuery object, or DOM element specifying the structure to wrap around the matched elements.
+wrappingFunctionA callback function which generates a structure to wrap around the matched elements.
+The .wrap() function can take any string or object that could be passed to the $() factory function to specify a DOM structure. This structure may be nested several levels deep, but should contain only one inmost element. The structure will be wrapped around each of the elements in the set of matched elements. This method returns the original set of elements for chaining purposes.
Consider the following HTML:
+<div class="container"> + <div class="inner">Hello</div> + <div class="inner">Goodbye</div> +</div>+
Using .wrap(), we can insert an HTML structure around the inner <div> elements like so:
$('.inner').wrap('<div class="new" />');
+The new <div> element is created on the fly and added to the DOM. The result is a new <div> wrapped around each matched element:
<div class="container"> + <div class="new"> + <div class="inner">Hello</div> + </div> + <div class="new"> + <div class="inner">Goodbye</div> + </div> +</div>+
The second version of this method allows us to instead specify a callback function. This callback function will be called once for every matched element; it should return a DOM element, jQuery object, or HTML snippet in which to wrap the corresponding element. For example:
+$('.inner').wrap(function() {
+ return '<div class="' + $(this).text() + '" />';
+});
+This will cause each <div> to have a class corresponding to the text it wraps:
<div class="container"> + <div class="Hello"> + <div class="inner">Hello</div> + </div> + <div class="Goodbye"> + <div class="inner">Goodbye</div> + </div> +</div>+
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ div { border: 2px solid blue; }
+ p { background:yellow; margin:4px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p>
+ <p>cruel</p>
+ <p>World</p>
+<script>$("p").wrap("<div></div>");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ div { border:2px blue solid; margin:2px; padding:2px; }
+ p { background:yellow; margin:2px; padding:2px; }
+ strong { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <span>Span Text</span>
+ <strong>What about me?</strong>
+ <span>Another One</span>
+<script>$("span").wrap("<div><div><p><em><b></b></em></p></div></div>");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ div { border: 2px solid blue; }
+ p { background:yellow; margin:4px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p>
+ <p>cruel</p>
+ <p>World</p>
+<script>$("p").wrap(document.createElement("div"));</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ div { border: 2px solid blue; margin:2px; padding:2px; }
+ .doublediv { border-color:red; }
+ p { background:yellow; margin:4px; font-size:14px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p>
+ <p>cruel</p>
+ <p>World</p>
+ <div class="doublediv"><div></div></div>
+<script>$("p").wrap($(".doublediv"));</script>
+</body>
+</html>
+Description: Wrap an HTML structure around all elements in the set of matched elements.
+wrappingElementAn HTML snippet, selector expression, jQuery object, or DOM element specifying the structure to wrap around the matched elements.
+The .wrapAll() function can take any string or object that could be passed to the $() function to specify a DOM structure. This structure may be nested several levels deep, but should contain only one inmost element. The structure will be wrapped around all of the elements in the set of matched elements, as a single group.
Consider the following HTML:
+<div class="container"> + <div class="inner">Hello</div> + <div class="inner">Goodbye</div> +</div>+
Using .wrapAll(), we can insert an HTML structure around the inner <div> elements like so:
$('.inner').wrapAll('<div class="new" />');
+The new <div> element is created on the fly and added to the DOM. The result is a new <div> wrapped around all matched elements:
<div class="container"> + <div class="new"> + <div class="inner">Hello</div> + <div class="inner">Goodbye</div> + </div> +</div>+
<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ div { border: 2px solid blue; }
+ p { background:yellow; margin:4px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p>
+ <p>cruel</p>
+ <p>World</p>
+<script>$("p").wrapAll("<div></div>");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ div { border:2px blue solid; margin:2px; padding:2px; }
+ p { background:yellow; margin:2px; padding:2px; }
+ strong { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <span>Span Text</span>
+ <strong>What about me?</strong>
+ <span>Another One</span>
+<script>$("span").wrapAll("<div><div><p><em><b></b></em></p></div></div>");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ div { border: 2px solid blue; }
+ p { background:yellow; margin:4px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p>
+ <p>cruel</p>
+ <p>World</p>
+<script>$("p").wrapAll(document.createElement("div"));</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ div { border: 2px solid blue; margin:2px; padding:2px; }
+ .doublediv { border-color:red; }
+ p { background:yellow; margin:4px; font-size:14px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p>
+ <p>cruel</p>
+ <p>World</p>
+ <div class="doublediv"><div></div></div>
+<script>$("p").wrapAll($(".doublediv"));</script>
+</body>
+</html>
+Description: Wrap an HTML structure around the content of each element in the set of matched elements.
+wrappingElementAn HTML snippet, selector expression, jQuery object, or DOM element specifying the structure to wrap around the content of the matched elements.
+wrappingFunctionA callback function which generates a structure to wrap around the content of the matched elements.
+The .wrapInner() function can take any string or object that could be passed to the $() factory function to specify a DOM structure. This structure may be nested several levels deep, but should contain only one inmost element. The structure will be wrapped around the content of each of the elements in the set of matched elements.
Consider the following HTML:
+<div class="container"> + <div class="inner">Hello</div> + <div class="inner">Goodbye</div> +</div>+
Using .wrapInner(), we can insert an HTML structure around the content of each inner <div> elements like so:
$('.inner').wrapInner('<div class="new" />');
+The new <div> element is created on the fly and added to the DOM. The result is a new <div> wrapped around the content of each matched element:
<div class="container"> + <div class="inner"> + <div class="new">Hello</div> + </div> + <div class="inner"> + <div class="new">Goodbye</div> + </div> +</div>+
The second version of this method allows us to instead specify a callback function. This callback function will be called once for every matched element; it should return a DOM element, jQuery object, or HTML snippet in which to wrap the content of the corresponding element. For example:
+$('.inner').wrapInner(function() {
+ return '<div class="' + this.nodeValue + '" />';
+});
+This will cause each <div> to have a class corresponding to the text it wraps:
<div class="container"> + <div class="inner"> + <div class="Hello">Hello</div> + </div> + <div class="inner"> + <div class="Goodbye">Goodbye</div> + </div> +</div>+
<!DOCTYPE html>
+<html>
+<head>
+ <style>p { background:#bbf; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p>
+
+ <p>cruel</p>
+ <p>World</p>
+<script>$("p").wrapInner("<b></b>");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ div { border:2px green solid; margin:2px; padding:2px; }
+ p { background:yellow; margin:2px; padding:2px; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ Plain old text, or is it?
+<script>$("body").wrapInner("<div><div><p><em><b></b></em></p></div></div>");</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>p { background:#9f9; }</style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p>
+
+ <p>cruel</p>
+ <p>World</p>
+<script>$("p").wrapInner(document.createElement("b"));</script>
+</body>
+</html>
+<!DOCTYPE html>
+<html>
+<head>
+ <style>
+
+ p { background:#9f9; }
+ .red { color:red; }
+ </style>
+ <script src="http://code.jquery.com/jquery-latest.js"></script>
+</head>
+<body>
+ <p>Hello</p>
+ <p>cruel</p>
+ <p>World</p>
+<script>$("p").wrapInner($("<span class='red'></span>"));</script>
+</body>
+</html>
+Perform an asynchronous HTTP (Ajax) request.
Register a handler to be called when Ajax requests complete. This is an Ajax Event.
Register a handler to be called when Ajax requests complete with an error. This is an Ajax Event.
Show a message before an Ajax request is sent.
Set default values for future Ajax requests.
Register a handler to be called when the first Ajax request begins. This is an Ajax Event.
Hide a loading message after all the Ajax requests have stopped.
Show a message when an Ajax request completes successfully.
Load data from the server using a HTTP GET request.
Load JSON-encoded data from the server using a GET HTTP request.
Load a JavaScript file from the server using a GET HTTP request, then execute it.
Load data from the server and place the returned HTML into the matched element.
Create a serialized representation of an array or object, suitable for use in a URL query string or Ajax request.
Load data from the server using a HTTP POST request.
Encode a set of form elements as a string for submission.
Encode a set of form elements as an array of names and values.
Adds the specified class(es) to each of the set of matched elements.
Get the value of an attribute for the first element in the set of matched elements.
Determine whether any of the matched elements are assigned the given class.
Get the HTML contents of the first element in the set of matched elements.
Remove an attribute from each element in the set of matched elements.
Remove a single class, multiple classes, or all classes from each element in the set of matched elements.
Get the combined text contents of each element in the set of matched elements, including their descendants.
Add or remove one or more classes from each element in the set of matched elements, depending on either the class's presence or the value of the switch argument.
Get the current value of the first element in the set of matched elements.
Accepts a string containing a CSS selector which is then used to match a set of elements.
Relinquish jQuery's control of the $ variable.
Adds the specified class(es) to each of the set of matched elements.
Get the value of a style property for the first element in the set of matched elements.
Determine whether any of the matched elements are assigned the given class.
Get the current computed height for the first element in the set of matched elements.
Get the current computed height for the first element in the set of matched elements, including padding but not border.
Get the current computed width for the first element in the set of matched elements, including padding but not border.
Get the current coordinates of the first element in the set of matched elements, relative to the document.
Get the current computed height for the first element in the set of matched elements, including padding and border.
Get the current computed width for the first element in the set of matched elements, including padding and border.
Get the current coordinates of the first element in the set of matched elements, relative to the offset parent.
Remove a single class, multiple classes, or all classes from each element in the set of matched elements.
Get the current horizontal position of the scroll bar for the first element in the set of matched elements.
Get the current vertical position of the scroll bar for the first element in the set of matched elements.
Add or remove one or more classes from each element in the set of matched elements, depending on either the class's presence or the value of the switch argument.
Get the current computed width for the first element in the set of matched elements.
Remove from the queue all items that have not yet been run.
Store arbitrary data associated with the matched elements.
Store arbitrary data associated with the specified element.
Execute the next function on the queue for the matched elements.
Execute the next function on the queue for the matched element.
Show the queue of functions to be executed on the matched elements.
Show the queue of functions to be executed on the matched element.
Remove a previously-stored piece of data.
Remove a previously-stored piece of data.
Get the current computed height for the first element in the set of matched elements.
Get the current computed height for the first element in the set of matched elements, including padding but not border.
Get the current computed width for the first element in the set of matched elements, including padding but not border.
Get the current computed height for the first element in the set of matched elements, including padding and border.
Get the current computed width for the first element in the set of matched elements, including padding and border.
Get the current computed width for the first element in the set of matched elements.
Perform a custom animation of a set of CSS properties.
Remove from the queue all items that have not yet been run.
Set a timer to delay execution of subsequent items in the queue.
Execute the next function on the queue for the matched elements.
Display the matched elements by fading them to opaque.
Hide the matched elements by fading them to transparent.
Adjust the opacity of the matched elements.
Globally disable all animations.
Hide the matched elements.
Show the queue of functions to be executed on the matched elements.
Display the matched elements.
Display the matched elements with a sliding motion.
Display or hide the matched elements with a sliding motion.
Hide the matched elements with a sliding motion.
Stop the currently-running animation on the matched elements.
Bind two or more handlers to the matched elements, to be executed on alternate clicks.
Attach a handler to an event for the elements.
Bind an event handler to the "blur" JavaScript event, or trigger that event on an element.
Bind an event handler to the "change" JavaScript event, or trigger that event on an element.
Bind an event handler to the "click" JavaScript event, or trigger that event on an element.
Bind an event handler to the "dblclick" JavaScript event, or trigger that event on an element.
Attach a handler to one or more events for all elements that match the selector, now or in the future, based on a specific set of root elements.
Remove all event handlers previously attached using .live() from the elements.
Bind an event handler to the "error" JavaScript event.
The current DOM element within the event bubbling phase.
Contains the optional data passed to jQuery.fn.bind when the current executing handler was bound.
Returns whether event.preventDefault() was ever called on this event object.
Returns whether event.stopImmediatePropagation() was ever called on this event object.
Returns whether event.stopPropagation() was ever called on this event object.
The mouse position relative to the left edge of the document.
The mouse position relative to the top edge of the document.
If this method is called, the default action of the event will not be triggered.
The other DOM element involved in the event, if any.
This attribute contains the last value returned by an event handler that was triggered by this event, unless the value was undefined.
Prevents other event handlers from being called.
This method prevents the event from bubbling up the DOM tree, preventing any parent handlers from being notified of the event.
The DOM element that initiated the event.
This attribute returns the number of milliseconds since January 1, 1970, when the event is triggered.
Describes the nature of the event.
For key or button events, this attribute indicates the specific button or key that was pressed.
Bind an event handler to the "focus" JavaScript event, or trigger that event on an element.
Bind an event handler to the "focusin" JavaScript event.
Bind an event handler to the "focusout" JavaScript event.
Bind two handlers to the matched elements, to be executed when the mouse pointer enters and leaves the elements.
Bind an event handler to the "keydown" JavaScript event, or trigger that event on an element.
Bind an event handler to the "keypress" JavaScript event, or trigger that event on an element.
Bind an event handler to the "keyup" JavaScript event, or trigger that event on an element.
Attach a handler to the event for all elements which match the current selector, now or in the future.
Bind an event handler to the "load" JavaScript event.
Bind an event handler to the "mousedown" JavaScript event, or trigger that event on an element.
Bind an event handler to be fired when the mouse enters an element, or trigger that handler on an element.
Bind an event handler to be fired when the mouse leaves an element, or trigger that handler on an element.
Bind an event handler to the "mousemove" JavaScript event, or trigger that event on an element.
Bind an event handler to the "mouseout" JavaScript event, or trigger that event on an element.
Bind an event handler to the "mouseover" JavaScript event, or trigger that event on an element.
Bind an event handler to the "mouseup" JavaScript event, or trigger that event on an element.
Attach a handler to an event for the elements. The handler is executed at most once.
Takes a function and returns a new one that will always have a particular context.
Specify a function to execute when the DOM is fully loaded.
Bind an event handler to the "resize" JavaScript event, or trigger that event on an element.
Bind an event handler to the "scroll" JavaScript event, or trigger that event on an element.
Bind an event handler to the "select" JavaScript event, or trigger that event on an element.
Bind an event handler to the "submit" JavaScript event, or trigger that event on an element.
Bind two or more handlers to the matched elements, to be executed on alternate clicks.
Execute all handlers and behaviors attached to the matched elements for the given event type.
Execute all handlers attached to an element for an event.
Remove a previously-attached event handler from the elements.
Remove a handler from the event for all elements which match the current selector, now or in the future, based upon a specific set of root elements.
Bind an event handler to the "unload" JavaScript event.
Bind an event handler to the "blur" JavaScript event, or trigger that event on an element.
Bind an event handler to the "change" JavaScript event, or trigger that event on an element.
Bind an event handler to the "focus" JavaScript event, or trigger that event on an element.
Create a serialized representation of an array or object, suitable for use in a URL query string or Ajax request.
Bind an event handler to the "select" JavaScript event, or trigger that event on an element.
Encode a set of form elements as a string for submission.
Encode a set of form elements as an array of names and values.
Bind an event handler to the "submit" JavaScript event, or trigger that event on an element.
Get the current value of the first element in the set of matched elements.
Adds the specified class(es) to each of the set of matched elements.
Insert content, specified by the parameter, after each element in the set of matched elements.
Insert content, specified by the parameter, to the end of each element in the set of matched elements.
Insert every element in the set of matched elements to the end of the target.
Get the value of an attribute for the first element in the set of matched elements.
Insert content, specified by the parameter, before each element in the set of matched elements.
Create a copy of the set of matched elements.
Get the value of a style property for the first element in the set of matched elements.
Remove the set of matched elements from the DOM.
Remove all child nodes of the set of matched elements from the DOM.
Determine whether any of the matched elements are assigned the given class.
Get the current computed height for the first element in the set of matched elements.
Get the HTML contents of the first element in the set of matched elements.
Get the current computed height for the first element in the set of matched elements, including padding but not border.
Get the current computed width for the first element in the set of matched elements, including padding but not border.
Insert every element in the set of matched elements after the target.
Insert every element in the set of matched elements before the target.
Get the current coordinates of the first element in the set of matched elements, relative to the document.
Get the current computed height for the first element in the set of matched elements, including padding and border.
Get the current computed width for the first element in the set of matched elements, including padding and border.
Get the current coordinates of the first element in the set of matched elements, relative to the offset parent.
Insert content, specified by the parameter, to the beginning of each element in the set of matched elements.
Insert every element in the set of matched elements to the beginning of the target.
Remove the set of matched elements from the DOM.
Remove an attribute from each element in the set of matched elements.
Remove a single class, multiple classes, or all classes from each element in the set of matched elements.
A selector expression indicating which element(s) to replace.
Replace each element in the set of matched elements with the provided new content.
Get the current horizontal position of the scroll bar for the first element in the set of matched elements.
Get the current vertical position of the scroll bar for the first element in the set of matched elements.
Get the combined text contents of each element in the set of matched elements, including their descendants.
Add or remove one or more classes from each element in the set of matched elements, depending on either the class's presence or the value of the switch argument.
Remove the parents of the set of matched elements from the DOM, leaving the matched elements in their place.
Get the current value of the first element in the set of matched elements.
Get the current computed width for the first element in the set of matched elements.
Wrap an HTML structure around each element in the set of matched elements.
Wrap an HTML structure around all elements in the set of matched elements.
Wrap an HTML structure around the content of each element in the set of matched elements.
Store arbitrary data associated with the matched elements.
Iterate over a jQuery object, executing a function for each matched element.
Retrieve the DOM elements matched by the jQuery object.
Search for a given element from among the matched elements.
Relinquish jQuery's control of the $ variable.
Create a serialized representation of an array or object, suitable for use in a URL query string or Ajax request.
Remove a previously-stored piece of data.
Return the number of DOM elements matched by the jQuery object.
Retrieve all the DOM elements contained in the jQuery set, as an array.
Get the current coordinates of the first element in the set of matched elements, relative to the document.
Get the current coordinates of the first element in the set of matched elements, relative to the offset parent.
Get the current horizontal position of the scroll bar for the first element in the set of matched elements.
Get the current vertical position of the scroll bar for the first element in the set of matched elements.
The DOM node context originally passed to jQuery(); if none was passed then context will likely be the document.
Takes a string and throws an exception containing it.
Add a collection of DOM elements onto the jQuery stack.
A selector representing selector originally passed to jQuery().
We recommend against using this property, please try to use feature detection instead (see jQuery.support). Contains flags for the useragent, read from navigator.userAgent. While jQuery.browser will not be removed from future versions of jQuery, every effort to use jQuery.support and proper feature detection should be made.
The DOM node context originally passed to jQuery(); if none was passed then context will likely be the document.
Globally disable all animations.
The number of elements in the jQuery object.
A selector representing selector originally passed to jQuery().
A collection of properties that represent the presence of different browser features or bugs.
Selects all elements.
Select all elements that are in the progress of an animation at the time the selector is run.
Selects elements that have the specified attribute with a value either equal to a given string or starting with that string followed by a hyphen (-).
Selects elements that have the specified attribute with a value containing the a given substring.
Selects elements that have the specified attribute with a value containing a given word, delimited by spaces.
Selects elements that have the specified attribute with a value ending exactly with a given string.
Selects elements that have the specified attribute with a value exactly equal to a certain value.
Select elements that either don't have the specified attribute, or do have the specified attribute but not with a certain value.
Selects elements that have the specified attribute with a value beginning exactly with a given string.
Selects all button elements and elements of type button.
Selects all elements of type checkbox.
Matches all elements that are checked.
Selects all direct child elements specified by "child" of elements specified by "parent".
Selects all elements with the given class.
Select all elements that contain the specified text.
Selects all elements that are descendants of a given ancestor.
Selects all elements that are disabled.
Selects all elements with the given tag name.
Select all elements that have no children (including text nodes).
Selects all elements that are enabled.
Select the element at index n within the matched set.
Selects even elements, zero-indexed. See also odd.
Selects all elements of type file.
Selects all elements that are the first child of their parent.
Selects the first matched element.
Select all elements at an index greater than index within the matched set.
Selects elements that have the specified attribute, with any value.
Selects elements which contain at least one element that matches the specified selector.
Selects all elements that are headers, like h1, h2, h3 and so on.
Selects all elements that are hidden.
Selects a single element with the given id attribute.
Selects all elements of type image.
Selects all input, textarea, select and button elements.
Selects all elements that are the last child of their parent.
Selects the last matched element.
Select all elements at an index less than index within the matched set.
Matches elements that match all of the specified attribute filters.
Selects the combined results of all the specified selectors.
Selects all next elements matching "next" that are immediately preceded by a sibling "prev".
Selects all sibling elements that follow after the "prev" element, have the same parent, and match the filtering "siblings" selector.
Selects all elements that do not match the given selector.
Selects all elements that are the nth-child of their parent.
Selects odd elements, zero-indexed. See also even.
Selects all elements that are the only child of their parent.
Select all elements that are the parent of another element, including text nodes.
Selects all elements of type password.
Selects all elements of type radio.
Selects all elements of type reset.
Selects all elements that are selected.
Selects all elements of type submit.
Selects all elements of type text.
Selects all elements that are visible.
Add elements to the set of matched elements.
Add the previous set of elements on the stack to the current set.
Get the children of each element in the set of matched elements, optionally filtered by a selector.
Get the first element that matches the selector, beginning at the current element and progressing up through the DOM tree.
Get the children of each element in the set of matched elements, including text nodes.
End the most recent filtering operation in the current chain and return the set of matched elements to its previous state.
Reduce the set of matched elements to the one at the specified index.
Reduce the set of matched elements to those that match the selector or pass the function's test.
Get the descendants of each element in the current set of matched elements, filtered by a selector.
Reduce the set of matched elements to the first in the set.
Reduce the set of matched elements to those that have a descendant that matches the selector or DOM element.
Check the current matched set of elements against a selector and return true if at least one of these elements matches the selector.
Reduce the set of matched elements to the final one in the set.
Pass each element in the current matched set through a function, producing a new jQuery object containing the return values.
Get the immediately following sibling of each element in the set of matched elements, optionally filtered by a selector.
Get all following siblings of each element in the set of matched elements, optionally filtered by a selector.
Get all following siblings of each element up to but not including the element matched by the selector.
Remove elements from the set of matched elements.
Get the closest ancestor element that is positioned.
Get the parent of each element in the current set of matched elements, optionally filtered by a selector.
Get the ancestors of each element in the current set of matched elements, optionally filtered by a selector.
Get the ancestors of each element in the current set of matched elements, up to but not including the element matched by the selector.
Get the immediately preceding sibling of each element in the set of matched elements, optionally filtered by a selector.
Get all preceding siblings of each element in the set of matched elements, optionally filtered by a selector.
Get all preceding siblings of each element up to but not including the element matched by the selector.
Get the siblings of each element in the set of matched elements, optionally filtered by a selector.
Reduce the set of matched elements to a subset specified by a range of indices.
Deprecated in jQuery 1.3 (see jQuery.support). States if the current page, in the user's browser, is being rendered using the W3C CSS Box Model.
We recommend against using this property, please try to use feature detection instead (see jQuery.support). Contains flags for the useragent, read from navigator.userAgent. While jQuery.browser will not be removed from future versions of jQuery, every effort to use jQuery.support and proper feature detection should be made.
Remove from the queue all items that have not yet been run.
Check to see if a DOM node is within another DOM node.
Store arbitrary data associated with the specified element.
Execute the next function on the queue for the matched elements.
Execute the next function on the queue for the matched element.
Iterates through the array displaying each number as both a word and numeral
Merge the contents of two or more objects together into the first object.
Execute some JavaScript code globally.
Finds the elements of an array which satisfy a filter function. The original array is not affected.
Search for a specified value within an array and return its index (or -1 if not found).
Determine whether the argument is an array.
Check to see if an object is empty (contains no properties).
Determine if the argument passed is a Javascript function object.
Check to see if an object is a plain object (created using "{}" or "new Object").
Check to see if a DOM node is within an XML document (or is an XML document).
Convert an array-like object into a true JavaScript array.
Translate all items in an array or array-like object to another array of items.
Merge the contents of two arrays together into the first array.
An empty function.
Takes a well-formed JSON string and returns the resulting JavaScript object.
Takes a function and returns a new one that will always have a particular context.
Show the queue of functions to be executed on the matched elements.
Show the queue of functions to be executed on the matched element.
Remove a previously-stored piece of data.
A collection of properties that represent the presence of different browser features or bugs.
Remove the whitespace from the beginning and end of a string.
Sorts an array of DOM elements, in place, with the duplicates removed. Note that this only works on arrays of DOM elements, not strings or numbers.