1.4 The function whose scope will be changed. The object to which the scope of the function should be set. 1.4 The object to which the scope of the function should be set. The name of the function whose scope will be changed (should be a property of the 'scope' object. Takes a function and returns a new one that will always have a particular scope.

This method is most useful for attaching event handlers to an element where the scope 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.

Enforce the scope of the function.
Bind an event handler to the "focusout" JavaScript event. 1.4 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.

Watch for a loss of focus to occur within the paragraphs on the page.
Bind an event handler to the "focusin" JavaScript event. 1.4 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.

Watch for a focus to occur within the paragraphs on the page.
1.4 A string containing a selector expression to match elements against. 1.4 A DOM element to match elements against. Reduce the set of matched elements to those that have a descendant that matches the selector or DOM element.

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.

Check if an element is inside another.
1.4 The DOM element that may contain the other element. The DOM node that may be contained by the other element. Check to see if a DOM node is within another DOM node. Check if an element is inside another. 1.4 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.

1.4 An integer indicating the number of milliseconds to delay execution of the next item in the queue. A string containing the name of the queue. Defaults to fx, the standard effects queue. Set a timer to delay execution of subsequent items in the 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. 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.

Animate the hiding and showing of two divs, delaying the first before showing it.
1.4 A string containing a selector expression to indicate where to stop matching ancestor elements. Get the ancestors of each element in the current set of matched elements, up to but not including the element matched by the selector.

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.

Find the ancestors of <li class="item-a"> up to <ul class="level-1"> and give them a red background color.
1.4 A string containing a selector expression to indicate where to stop matching preceding sibling elements. Get all preceding siblings of each element up to but not including the element matched by the selector.

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.

Find the siblings that precede <dt id="term-2"> up to the preceding <dt> and give them a red background color.
1.4 A string containing a selector expression to indicate where to stop matching following sibling elements. Get all following siblings of each element up to but not including the element matched by the selector.

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.

Find the siblings that follow <dt id="term-2"> up to the next <dt> and give them a red background color.
1.3 Returns whether event.stopImmediatePropagation() was ever called on this event object.

This property was introduced in DOM level 3.

Checks whether event.stopImmediatePropagation() was called.
1.3 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).

Prevents other event handlers from being called.
1.3 Returns whether event.stopPropagation() was ever called on this event object. Checks whether event.stopPropagation() was called 1.0 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).

Kill the bubbling on the click event.
1.3 Returns whether event.preventDefault() was ever called on this event object. Checks whether event.preventDefault() was called. 1.0 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.

Cancel the default action (navigation) of the click.
1.2.6 This attribute returns the number of milliseconds since January 1, 1970, when the event is triggered. It can be useful for profiling the performance of certain jQuery functions. Alert the time since click handler last executed. 1.3 This attribute contains the last value returned by an event handler that was triggered by this event, unless the value was undefined. It can be useful for getting previous return values of custom events. Alert previous handler's return value 1.1.3 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.

Log what key was depressed.
1.0.4 The mouse position relative to the top edge of the document. Show the mouse position relative to the left and top edges of the document (within this iframe). body {background-color: #eef; } div { padding: 20px; } 1.0.4 The mouse position relative to the left edge of the document. Show the mouse position relative to the left and top edges of the document (within the iframe). body {background-color: #eef; } div { padding: 20px; } 1.3 The current DOM element within the event bubbling phase.

This property will always be equal to the this of the function.

Alert that currentTarget matches the `this` keyword.
1.1.4 The other DOM element involved in the event, if any.

For mouseout, indicates the element being entered; for mousein, indicates the element being exited.

On mouseout of anchors, alert the element type being entered.
1.1 Contains the optional data passed to jQuery.fn.bind when the current executing handler was bound. The description of the example. 1.0 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.

Display the tag's name on click span, strong, p { padding: 8px; display: block; border: 1px solid #999; } Implements a simple event delegation: The click handler is added to an unordered list, and the children of its li children are hidden. Clicking one of the li children toggles (see toggle()) their children.
1.0 Describes the nature of the event. On all anchor clicks, alert the event type. Globally disable all animations. 1.3

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:

  • jQuery is being used on a low-resource device.
  • Users are encountering accessibility problems with the animations (see the article Turn Off Animation for more information).

Animations can be turned back on by setting the property to false.

Toggle animation on and off
1.0 A function to execute for each matched element. Iterate over a jQuery object, executing a function 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.

Iterates over three divs and sets their color property. If you want to have the jQuery object instead of the regular DOM element, use the $(this) function, for example: You can use 'return' to break out of each() loops early.
1.0 An array of elements to push onto the stack and make into a new jQuery object. 1.3 An array of elements to push onto the stack and make into a new jQuery object. The name of a jQuery method that generated the array of elements. The arguments that were passed in to the jQuery method (for serialization). Add a collection of DOM elements onto the jQuery stack. Add some elements onto the jQuery stack, then pop back off again. 1.0.4 The JavaScript code to execute. Execute some JavaScript code globally.

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).

Execute a script in the global context.
1.1.4 The DOM node that will be checked to see if it's in an XML document. Check to see if a DOM node is within an XML document (or is an XML document). Check an object to see if it's in an XML document. 1.2.3 A string naming the piece of data to delete. Remove a previously-stored piece of data.

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.

Set a data store for 2 names then remove one of them.
1.2.3 The DOM element to associate with the data. A string naming the piece of data to set. The new data value. Store arbitrary data associated with the specified element.

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');
Store then retrieve a value from the div element.
1.2.3 The DOM element to query for the data. Name of the data stored. 1.4 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.

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() with no parameters retrieves all of the values as a JavaScript object.

Get the data named "blah" stored at for an element.
1.3 A string containing the name of the queue. Defaults to fx, the standard effects queue. Execute the next function on the queue for the matched elements.

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.

Use dequeue to end a custom queue function which allows the queue to keep going.
1.3 A string containing the name of the queue. Defaults to fx, the standard effects queue. Show the queue of functions to be executed on the matched elements.

Note: This is a low-level method, you should probably use .queue() instead.

Show the length of the queue.
1.3 A string containing the name of the queue. Defaults to fx, the standard effects queue. An array of functions to replace the current queue contents. 1.3 A string containing the name of the queue. Defaults to fx, the standard effects queue. The new function to add to the queue. Manipulate the queue of functions to be executed on the matched elements.

Note: This is a low-level method, you should probably use .queue() instead.

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 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.

Queue a custom function. Set a queue array to delete the queue.
1.4 A string containing the name of the queue. Defaults to fx, the standard effects queue. Remove from the queue all items that have not yet been run.

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.

Empty the queue.
1.4 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">]

Selects all divs in the document and returns the DOM Elements as an Array, then uses the built-in reverse-method to reverse that array.
1.4 The object that will be checked to see if it's empty. Check to see if an object is empty (contains no properties).

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).

Check an object to see if it's empty.
1.4 The object that will be checked to see if it's an object literal. Check to see if an object is a plain object (created using "{}" or "new Object"). Check an object to see if it's a plain object. 1.0 A function to execute each time the event is triggered. 1.0 Bind an event handler to the "keydown" JavaScript event, or trigger that event on an element.

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.

Show the event object for the keydown handler when a key is pressed in the input. 460
1.4 1.4 A selector representing a jQuery collection in which to look for an element. 1.0 The DOM element or first element within the jQuery object to look for. Search for a given element from among the matched elements.

Return Values

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.

Detail

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

On click, returns the index (based zero) of that div in the page. Returns the index for the element with ID bar. div { font-weight: bold; color: #090; } Returns the index for the first item in the jQuery collection. div { font-weight: bold; color: #090; } Returns the index for the element with ID bar in relation to all <li> elements. div { font-weight: bold; color: #090; } Returns the index for the element with ID bar in relation to its siblings. div { font-weight: bold; color: #090; } Returns -1, as there is no element with ID foobar. div { font-weight: bold; color: #090; }
1.2.3 A string naming the piece of data to delete. Remove a previously-stored piece of data.

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.

Set a data store for 2 names then remove one of them.
1.2.3 A string naming the piece of data to set. The new data value. 1.4 An object of key-value pairs of data to set. Store arbitrary data associated with the matched elements.

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', 'test');

$('body').data('foo'); // 52
$('body').data(); // {foo: 52, bar: test}

If we set an element's data using an object, all data previously stored with that element is overridden. Because this data includes events that have been bound to the element, we should use caution when setting .data() with an object.

$('body').data('foo', 52);
$('body').data({one: 1, two: 2});

$('body').data('foo'); // undefined
$('body').data(); // {one: 1, two: 2}
Store then retrieve a value from the div element.
1.2.3 Name of the data stored. 1.4 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.

Get the data named "blah" stored at for an element.
1.0 A zero-based integer indicating which element to retrieve. Retrieve the DOM elements matched by the jQuery object.

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">

Selects all divs in the document and returns the DOM Elements as an Array, then uses the built-in reverse-method to reverse that array. Gives the tag name of the element clicked on.
1.0 Return the number of DOM elements matched by the jQuery object. Suppose we had a simple unordered list on the page:
<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.

Count the divs. Click to add more.
1.0 A Boolean indicating whether to remove all jQuery variables from the global scope (including jQuery itself). Relinquish jQuery's control of the $ variable.

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.

Maps the original object that was referenced by $ back to $. Reverts the $ alias and then creates and executes a function to provide the $ as a jQuery alias inside the functions scope. Inside the function the original $ object is not available. This works well for most plugins that don't rely on any other library. You can chain the jQuery.noConflict() with the shorthand ready for a compact code. Creates a different alias instead of jQuery to use in the rest of the script. Completely move jQuery to a new namespace in another object.
:selected 1.0 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.

Attaches a change event to the select that gets the text for each selected option and writes them in the div. It then triggers the event for the initial text draw.
:checked 1.0 Matches all elements that are checked.

The :checked selector works for checkboxes and radio buttons. For select elements, use the :selected selector.

Finds all input elements that are checked.
:disabled 1.0 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.

Finds all input elements that are disabled.
:enabled 1.0 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.

Finds all input elements that are enabled.
:file 1.0 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.

Finds all file inputs.
:button 1.0 Selects all button elements and elements of type button. Finds all button inputs. :reset 1.0 Selects all elements of type reset. Finds all reset inputs. :image 1.0 Selects all elements of type image. Finds all image inputs. :submit 1.0 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.

Finds all submit elements that are descendants of a td element. '); }) ]>
:checkbox 1.0 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.

Finds all checkbox inputs.
:radio 1.0 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')

Finds all radio inputs.
:password 1.0 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.

Finds all password inputs.
:text 1.0 Selects all elements of type text.

$(':text') is equivalent to $('[type=text]'). 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.

Finds all text inputs.
:input 1.0 Selects all input, textarea, select and button elements.

The :input selector basically selects all form controls.

Finds all input elements.
:only-child 1.1.4 Selects all elements that are the only child of their parent.

If the parent has other child elements, nothing is matched.

Finds the button with no siblings in each matched div and modifies look.
:last-child 1.1.4 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.

Finds the last span in each matched div and adds some css plus a hover state.
:first-child 1.1.4 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).

Finds the first span in each matched div to underline and add a hover state.
:nth-child(index/even/odd/equation) 1.1.4 The index of each child to match, starting with 1, the string even or odd, or an equation ( eg. :nth-child(even), :nth-child(4n) ) 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.

Finds the second li in each matched ul and notes it. This is a playground to see how the selector works with different strings. Notice that this is different from the :even and :odd which have no regard for parent and just filter the list of elements to every other one. The :nth-child, however, counts the index of the child to its particular parent. In any case, it's easier to see than explain so...
[attribute|=value] 1.0 An attribute name. An attribute value. Quotes are optional. 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.

Finds all links with an hreflang attribute that is english.
[attribute~=value] 1.0 An attribute name. An attribute value. Quotes are optional. 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.

Finds all inputs with a name attribute that contains the word 'man' and sets the value with some text.
[attributeFilter1][attributeFilter2][attributeFilterN] 1.0 An attribute filter. Another attribute filter, reducing the selection even more As many more attribute filters as necessary Matches elements that match all of the specified attribute filters. Finds all inputs that have an id attribute and whose name attribute ends with man and sets the value. [attribute*=value] 1.0 An attribute name. An attribute value. Quotes are optional. 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.

Finds all inputs with a name attribute that contains 'man' and sets the value with some text.
[attribute$=value] 1.0 An attribute name. An attribute value. Quotes are optional. Selects elements that have the specified attribute with a value ending exactly with a given string. Finds all inputs with an attribute name that ends with 'letter' and puts text in them. [attribute^=value] 1.0 An attribute name. An attribute value. Quotes are optional. 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.

Finds all inputs with an attribute name that starts with 'news' and puts text in them.
[attribute!=value] 1.0 An attribute name. An attribute value. Quotes are optional. 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]).

Finds all inputs that don't have the name 'newsletter' and appends text to the span next to it. ; not newsletter");]>
[attribute=value] 1.0 An attribute name. An attribute value. Quotes are optional. Selects elements that have the specified attribute with a value exactly equal to a certain value. Finds all inputs with name 'newsletter' and changes the text of the span next to it. [attribute] 1.0 An attribute name. Selects elements that have the specified attribute, with any value. Bind a single click that adds the div id to its text. :visible 1.0 Selects all elements that are visible.

Elements can be considered hidden for several reasons:

  • They have a display value of none.
  • They are form elements with type="hidden".
  • Their width and height are explicitly set to 0.
  • An ancestor element is hidden, so the element is not shown on the page.

How :visible is calculated was changed in jQuery 1.3.2. The release notes outline the changes in more detail.

Make all visible divs turn yellow on click.
:hidden 1.0 Selects all elements that are hidden.

Elements can be considered hidden for several reasons:

  • They have a display value of none.
  • They are form elements with type="hidden".
  • Their width and height are explicitly set to 0.
  • An ancestor element is hidden, so the element is not shown on the page.

How :hidden is determined was changed in jQuery 1.3.2. An element is assumed to be hidden if it or any of its parents consumes no space in the document. CSS visibility isn't taken into account (therefore $(elem).css('visibiity','hidden').is(':hidden') == false). The release notes outline the changes in more detail.

Shows all hidden divs and counts hidden inputs.
:parent 1.0 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.

Finds all tds with children, including text.
:has(selector) 1.1.4 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.

Any selector. Adds the class "test" to all divs that have a paragraph inside of them.
:empty 1.0 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.

Finds all elements that are empty - they don't have child elements or text.
:contains(text) 1.1.4 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.

A string of text to look for. It's case sensitive. Finds all divs containing "John" and underlines them.
:animated 1.2 Select all elements that are in the progress of an animation at the time the selector is run. Change the color of any div that is animated. :header 1.2 Selects all elements that are headers, like h1, h2, h3 and so on. Adds a background and text color to all the headers on the page. :lt(index) 1.0 Zero-based index. 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.

Finds TDs less than the one with the 4th index (TD#4).
:gt(index) 1.0 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.

Zero-based index. Finds TD #5 and higher. Reminder: the indexing starts at 0.
:eq(index) 1.0 Zero-based index of the element to match. 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.

Finds the third td.
:odd 1.0 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.

Finds odd table rows, matching the second, fourth and so on (index 1, 3, 5 etc.).
:even 1.0 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.

Finds even table rows, matching the first, third and so on (index 0, 2, 4 etc.).
:not(selector) 1.0 A selector with which to filter by. 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).

Finds all inputs that are not checked and highlights the next sibling span. Notice there is no change when clicking the checkboxes since no click events have been linked.
:last 1.0 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.

Finds the last table row.
:first 1.0 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.

Finds the first table row.
prev ~ siblings 1.0 Any valid selector. A selector to filter elements that are the following siblings of the first selector. 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.

Finds all divs that are siblings after the element with #prev as its id. Notice the span isn't selected since it is not a div and the "niece" isn't selected since it is a child of a sibling, not an actual sibling.
prev + next 1.0 Any valid selector. A selector to match the element that is next to the first selector. 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.

Finds all inputs that are next to a label.
parent > child 1.0 Any valid selector. A selector to filter the child elements. 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.

Finds all children of the element with id "main" which is yellow.
ancestor descendant 1.0 Any valid selector. A selector to filter the descendant elements. 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.

Finds all input descendants of forms.
selector1, selector2, selectorN 1.0 Any valid selector. Another valid selector. As many more valid selectors as you like. 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.

Finds the elements that match any of these three selectors. Show the order in the jQuery object.
* 1.0 Selects all elements.

Caution: The all, or universal, selector is extremely slow, except when used by itself.

Finds every element (including head, body, etc) in the document. A common way to select all elements is to find within document.body so elements like head, script, etc are left out.
.class 1.0 A class to search for. An element can have multiple classes; only one of them must match. Selects all elements with the given class.

For class selectors, jQuery uses JavaScript's native getElementsByClassName() function if the browser supports it.

Finds the element with the class "myClass". Finds the element with both "myclass" and "otherclass" classes.
element 1.0 An element to search for. Refers to the tagName of DOM nodes. Selects all elements with the given tag name.

JavaScript's getElementsByTagName() function is called to return the appropriate elements when this expression is used.

Finds every DIV element.
#id 1.0 An ID to search for, specified via the id attribute of an element. 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.

Finds the element with the id "myDiv". Finds the element with the id "myID.entry[1]". See how certain characters must be escaped with backslashes. id="myID.entry[0]"
id="myID.entry[1]"
id="myID.entry[2]"
]>
Bind an event handler to the "scroll" JavaScript event, or trigger that event on an element. 1.0 A function to execute each time the event is triggered. 1.0

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.

To do something when your page is scrolled:
Bind an event handler to the "resize" JavaScript event, or trigger that event on an element. 1.0 A function to execute each time the event is triggered. 1.0

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).

To see the window width while (or after) it is resized , try:
1.2 A string containing the name of the queue. Defaults to fx, the standard effects queue. Execute the next function on the queue for the matched elements.

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.

Use dequeue to end a custom queue function which allows the queue to keep going.
1.2 A string containing the name of the queue. Defaults to fx, the standard effects queue. Show the queue of functions to be executed on the matched elements. Show the length of the queue. 1.2 A string containing the name of the queue. Defaults to fx, the standard effects queue. An array of functions to replace the current queue contents. 1.2 A string containing the name of the queue. Defaults to fx, the standard effects queue. The new function to add to the queue, with a function to call that will dequeue the next item. Manipulate the queue of functions to be executed on the matched elements.

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();
});
Queue a custom function. Set a queue array to delete the queue.
Bind an event handler to the "keyup" JavaScript event, or trigger that event on an element. 1.0 A function to execute each time the event is triggered. 1.0

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.

Show the event object for the keyup handler when a key is released in the input. 460
Bind an event handler to the "keypress" JavaScript event, or trigger that event on an element. 1.0 A function to execute each time the event is triggered. 1.0

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 97 by all events. Because of this distinction, when catching special keystrokes such as arrow keys, .keydown() or .keyup() is a better choice.

Show the event object for the keypress handler when a key is pressed in the input. 460
Bind an event handler to the "submit" JavaScript event, or trigger that event on an element. 1.0 A function to execute each time the event is triggered. 1.0

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.

If you'd like to prevent forms from being submitted unless a flag variable is set, try: If you'd like to prevent forms from being submitted unless a flag variable is set, try: To trigger the submit event on the first form on the page, try:
Bind an event handler to the "select" JavaScript event, or trigger that event on an element. 1.0 A function to execute each time the event is triggered. 1.0

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.

To do something when text in input boxes is selected: To trigger the select event on all input elements, try:
Bind an event handler to the "change" JavaScript event, or trigger that event on an element. 1.0 A function to execute each time the event is triggered. 1.0

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 type="text"> fields, <textarea> boxes and <select> elements. For select boxes, 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.

Attaches a change event to the select that gets the text for each selected option and writes them in the div. It then triggers the event for the initial text draw. To add a validity test to all text input elements:
Bind an event handler to the "blur" JavaScript event, or trigger that event on an element. 1.0 A function to execute each time the event is triggered. 1.0

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.

To trigger the blur event on all paragraphs:
Bind an event handler to the "focus" JavaScript event, or trigger that event on an element. 1.0 A function to execute each time the event is triggered. 1.0
  • This method is a shortcut for .bind('focus', handler) in the first variation, and .trigger('focus') in the second.
  • The 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.
  • Elements with focus are usually highlighted in some way by the browser, for example with a dotted line surrounding the element. The focus is used to determine which element is the first to receive keyboard-related events.

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.

Fire focus. To stop people from writing in text input boxes, try: To focus on a login input box with id 'login' on page startup, try:
Bind an event handler to the "mousemove" JavaScript event, or trigger that event on an element. 1.0 A function to execute each time the event is triggered. 1.0

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>.

Show the mouse coordinates when the mouse is moved over the yellow div. Coordinates are relative to the window, which in this case is the iframe. 300
Bind two handlers to the matched elements, to be executed when the mouse pointer enters and leaves the elements. 1.0 A function to execute when the mouse pointer enters the element. 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.

To add a special style to list items that are being hovered over, try: To add a special style to table cells that are being hovered over, try: To unbind the above example use:
Bind a single handler to the matched elements, to be executed when the mouse pointer enters or leaves the elements. 1.4 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.

Slide the next sibling LI up or down on hover, and toggle a class.
Bind an event handler to be fired when the mouse leaves an element, or trigger that handler on an element. 1.0 A function to execute each time the event is triggered. 1.0

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.

Show number of times mouseout and mouseleave events are triggered. mouseout fires when the pointer moves out of child element as well, while mouseleave fires only when the pointer moves out of the bound element.
Bind an event handler to be fired when the mouse enters an element, or trigger that handler on an element. 1.0 A function to execute each time the event is triggered. 1.0

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.

Show texts when mouseenter and mouseout event triggering. mouseover fires when the pointer moves into the child element as well, while mouseenter fires only when the pointer moves into the bound element.
Bind an event handler to the "mouseout" JavaScript event, or trigger that event on an element. 1.0 A function to execute each time the event is triggered. 1.0

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.

Show the number of times mouseout and mouseleave events are triggered. mouseout fires when the pointer moves out of the child element as well, while mouseleave fires only when the pointer moves out of the bound element.
Bind an event handler to the "mouseover" JavaScript event, or trigger that event on an element. 1.0 A function to execute each time the event is triggered. 1.0

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.

Show the number of times mouseover and mouseenter events are triggered. mouseover fires when the pointer moves into the child element as well, while mouseenter fires only when the pointer moves into the bound element.
Bind an event handler to the "dblclick" JavaScript event, or trigger that event on an element. 1.0 A function to execute each time the event is triggered. 1.0

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:

  • The mouse button is depressed while the pointer is inside the element.
  • The mouse button is released while the pointer is inside the element.
  • The mouse button is depressed again while the pointer is inside the element, within a time window that is system-dependent.
  • The mouse button is released while the pointer is inside the element.

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.

To bind a "Hello World!" alert box the dblclick event on every paragraph on the page: Double click to toggle background color.
Bind an event handler to the "click" JavaScript event, or trigger that event on an element. 1.0 A function to execute each time the event is triggered. 1.0

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:

  • The mouse button is depressed while the pointer is inside the element.
  • The mouse button is released while the pointer is inside the element.

This is usually the desired sequence before taking an action. If this is not required, the mousedown or mouseup event may be more suitable.

To hide paragraphs on a page when they are clicked: To trigger the click event on all of the paragraphs on the page:
Bind an event handler to the "mouseup" JavaScript event, or trigger that event on an element. 1.0 A function to execute each time the event is triggered. 1.0

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.

Show texts when mouseup and mousedown event triggering.
Bind an event handler to the "mousedown" JavaScript event, or trigger that event on an element. 1.0 A function to execute each time the event is triggered. 1.0

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.

Show texts when mouseup and mousedown event triggering.
Bind an event handler to the "error" JavaScript event. 1.0 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 error relies on normal HTTP status codes, it will generally not be triggered if the URL uses the file: protocol.

To keep a server-side log of JavaScript errors, you might want to: To hide JavaScript errors from the user, you can try: To hide the "broken image" icons for your IE users, you can try:
1.0 A function to execute when the event is triggered. Bind an event handler to the "unload" JavaScript event.

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 unload event 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 proprietary beforeunload event.

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.

To display an alert when a page is unloaded:
Bind an event handler to the "load" JavaScript event. 1.0 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 .complete property.

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.

Run a function when the page is fully loaded including graphics. Add the class bigImg to all images with height greater then 100 upon each image load.
Specify a function to execute when the DOM is fully loaded. 1.0 A function to execute after the DOM is ready.

While JavaScript provides the load event for executing code when a page is rendered, this event does not get triggered until all assets such as images have been completely received. In most cases, the script can be run as soon as the DOM hierarchy has been fully constructed. The handler passed to .ready() is guaranteed to be executed after the DOM is ready, so this is usually the best place to attach all other event handlers and run other jQuery code. When using scripts that rely on the value of CSS style properties, it's important to reference external stylesheets or embed style elements before referencing the scripts.

In cases where code relies on loaded assets (for example, if the dimensions of an image are required), the code should be placed in a handler for the load event instead.

The .ready() method is generally incompatible with the <body onload=""> attribute. If load must be used, either do not use .ready() or use jQuery's .load() method to attach load event handlers to the window or to more specific items, like images.

All three of the following syntaxes are equivalent:

  • $(document).ready(handler)
  • $().ready(handler) (this is not recommended)
  • $(handler)

The .ready() method can only be called on a jQuery object matching the current document, so the selector can be omitted.

The .ready() method is typically used with an anonymous function:

$(document).ready(function() {
  // Handler for .ready() called.
});

If .ready() is called after the DOM has been initialized, the new handler passed in will be executed immediately.

Aliasing the jQuery Namespace

When using another JavaScript library, we may wish to call $.noConflict() to avoid namespace difficulties. When this function is called, the $ shortcut is no longer available, forcing us to write jQuery each time we would normally write $. However, the handler passed to the .ready() method can take an argument, which is passed the global jQuery object. This means we can rename the object within the context of our .ready() handler without affecting other code:

jQuery(document).ready(function($) {
  // Code using $ as usual goes here.
});
Display a message when the DOM is loaded.
Remove an event handler previously attached using .live() from the elements. 1.3 A string containing a JavaScript event type, such as click or keydown. The 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.

Can bind and unbind events to the colored button. To unbind all live events from all paragraphs, write: To unbind all live click events from all paragraphs, write: To unbind just one previously bound handler, pass the function in as the second argument:
1.0 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:

  • webkit (as of jQuery 1.4)
  • safari (deprecated)
  • opera
  • msie
  • mozilla

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.

Show the browser info. Returns true if the current useragent is some version of Microsoft's Internet Explorer. Alerts "this is webkit!" only for webkit browsers Alerts "Do stuff for firefox 3" only for firefox 3 browsers. Set a CSS property to specific browser.
1.1.3 The version number of the rendering engine for the user's browser.

Here are some typical results:

  • Internet Explorer: 6.0, 7.0
  • Mozilla/Firefox/Flock/Camino: 1.7.12, 1.8.1.3, 1.9
  • Opera: 9.20
  • Safari/Webkit: 312.8, 418.9

Note that IE8 claims to be 7 in Compatibility View.

Returns the browser version. Alerts the version of IE that is being used Often you only care about the "major number," the whole number. This can be accomplished with JavaScript's built-in parseInt() function:
Attach a handler to the event for all elements which match the current selector, now or in the future. 1.3 A string containing a JavaScript event type, such as "click" or "keydown" A function to execute at the time the event is triggered. 1.4 A string containing a JavaScript event type, such as "click" or "keydown" A map of data that will be passed to the event handler. A 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, then the message gets printed. 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.

Event Delegation

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:

  1. A click event is generated and passed to the <div> for handling.
  2. No handler is directly bound to the <div>, so the event bubbles up the DOM tree.
  3. The event bubbles up until it reaches the root of the tree, which is where .live() binds its special handlers by default.
  4. The special click handler bound by .live() executes.
  5. This handler tests the 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.
  6. If a matching element is found, the original handler is called on it.

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.

Caveats

The .live() technique is useful, but due to its special approach cannot be simply substituted for .bind() in all cases. Specific differences include:

  • As of jQuery 1.4, the .live() method supports custom events as well as all JavaScript events. Two exceptions: Since focus and blur aren't actually bubbling events, we need to use focusin and focusout instead. In version 1.3.x, however, only the following JavaScript events (in addition to custom events) could be bound with .live(): click, dblclick, keydown, keypress, keyup, mousedown, mousemove, mouseout, mouseover, and mouseup.
  • DOM traversal methods are not fully supported for finding elements to send to .live(). Rather, the .live() method should always be called directly after a selector, as in the example above.
  • To stop further handlers from executing after one bound using .live(), the handler must return false. Calling .stopPropagation() will not accomplish this.
  • See the discussion for .bind() for more information on event binding.

    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.

    Click a paragraph to add another. Note that live binds the click event to all paragraphs - even new ones. To display each paragraph's text in an alert box whenever it is clicked: To cancel a default action and prevent it from bubbling up, return false: To cancel only the default action by using the preventDefault method. Can bind custom events too.
    Execute all handlers attached to an element for an event. 1.2 A string containing a JavaScript event type, such as click or submit. An array of additional parameters to pass along to the event handler.

    The .triggerHandler() method behaves similarly to .trigger(), with the following exceptions:

    • The .triggerHandler() method does not cause the default behavior of an event to occur (such as a form submission).
    • While .trigger() will operate on all elements matched by the jQuery object, .triggerHandler() only affects the first matched element.
    • Events created with .triggerHandler() do not bubble up the DOM hierarchy; if they are not handled by the target element directly, they do nothing.
    • Instead of returning the jQuery object (to allow chaining), .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().

    If you called .triggerHandler() on a focus event - the browser's default focus action would not be triggered, only the event handlers bound to the focus event.
    Execute all handlers and behaviors attached to the matched elements for the given event type. 1.0 A string containing a JavaScript event type, such as click or submit. An 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.

    Clicks to button #2 also trigger a click for button #1. To submit the first form without using the submit() function, try: To submit the first form without using the submit() function, try: To pass arbitrary data to an event: To pass arbitrary data through an event object: Alternate way to pass data through an event object:
    1.0 The function to be invoked. Register a handler to be called when Ajax requests complete. This is an Ajax Event.

    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.');
      }
    });
    Show a message when an Ajax request completes.
    Attach a handler to an event for the elements. The handler is executed at most once. 1.1 A string containing one or more JavaScript event types, such as "click" or "submit," or custom event names. A map of data that will be passed to the event handler. 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.

    Tie a one-time click to each div. To display the text of all paragraphs in an alert box the first time each of them is clicked:
    1.2 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
      }
    ]
    Get the values from a form, iterate through them, and append them to a results display.
    1.0 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
    Serialize a form to a query string, that could be sent to a server in an Ajax request. 200
    1.1 A set of key/value pairs that configure the default Ajax request. All options are optional. Set default values for future Ajax requests.

    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 the settings object for $.ajaxSetup().

    Sets the defaults for Ajax requests to the url "/xmlhttp/", disables global handlers and uses POST instead of GET. The following Ajax requests then sends some data without having to set anything else.
    1.0 The function to be invoked. Attach a function to be executed whenever an Ajax request completes successfully. This is an Ajax Event.

    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.');
      }
    });
    Show a message when an Ajax request completes successfully.
    1.0 The function to be invoked. Register a handler to be called when all Ajax requests have completed. This is an Ajax Event.

    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.

    Hide a loading message after all the Ajax requests have stopped.
    1.0 The function to be invoked. Register a handler to be called when the first Ajax request begins. This is an Ajax Event.

    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.

    Show a loading message whenever an Ajax request starts (and none is already active).
    1.0 The function to be invoked. Attach a function to be executed before an Ajax request is sent. This is an Ajax Event.

    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 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.');
      }
    });
    Show a message before an Ajax request is sent.
    1.0 The function to be invoked. Register a handler to be called when Ajax requests complete with an error. This is an Ajax Event.

    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.');
      }
    });
    Show a message when an Ajax request fails.
    Remove a previously-attached event handler from the elements. 1.0 A string containing a JavaScript event type, such as click or submit. The function that is to be no longer executed. 1.0 A 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.

    Using Namespaces

    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.

    Using the Event Object

    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.

    Can bind and unbind events to the colored button. To unbind all events from all paragraphs, write: To unbind all click events from all paragraphs, write: To unbind just one previously bound handler, pass the function in as the second argument:
    1.0 Attach a handler to an event for the elements. A string containing one or more JavaScript event types, such as "click" or "submit," or custom event names. A map of data that will be passed to the event handler. A function to execute each time the event is triggered. 1.4 A map of one or more JavaScript event types and functions to execute for them. Attach a handler to an event for the elements.

    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 Events

    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
      }
    });
    

    Event Handlers

    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.

    The Event object

    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.

    Passing Event Data

    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.

    Handle click and double-click for the paragraph. Note: the coordinates are window relative, so in this case relative to the demo iframe. To display each paragraph's text in an alert box whenever it is clicked: You can pass some extra data before the event handler: To cancel a default action and prevent it from bubbling up, return false: To cancel only the default action by using the preventDefault method. Stop only an event from bubbling by using the stopPropagation method. Can bind custom events too. Bind multiple events simultaneously.
    1.4 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.

    Highlight the first span in a paragraph.
    1.4 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 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').last().css('background-color', 'red');

    The result of this call is a red background for the final item.

    Highlight the last span in a paragraph.
    1.1.4 An integer indicating the 0-based position after which the elements are selected. If negative, it indicates an offset from the end of the set. An 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. Reduce the set of matched elements to a subset specified by a range of indices.

    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.

    Negative Indices

    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).

    Turns divs yellow based on a random slice. 240 Selects all paragraphs, then slices the selection to include only the first element. Selects all paragraphs, then slices the selection to include only the first and second element. Selects all paragraphs, then slices the selection to include only the second element. Selects all paragraphs, then slices the selection to include only the second and third element. Selects all paragraphs, then slices the selection to include only the third element.
    1.0 A string containing a selector expression A DOM Element, Document, or jQuery to use as context 1.0 A DOM element to wrap in a jQuery object. 1.0 An array containing a set of DOM elements to wrap in a jQuery object. 1.0 An existing jQuery object to clone. 1.4 Accepts a string containing a CSS selector which is then used to match a set of elements.

    In the first formulation listed above, $() searches through the DOM for any elements that match the provided selector and creates a new jQuery object that references these elements:

    $('div.foo');

    Selector Context

    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').

    Using DOM elements

    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.

    Cloning jQuery Objects

    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.

    Returning an Empty Set

    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.

    Finds all p elements that are children of a div element. Finds all inputs of type radio within the first form in the document. Finds all div elements within an XML document from an Ajax response. Sets the background color of the page to black. Hides all the input elements within a form.
    1.0 A string of HTML to create on the fly. Note that this parses HTML, not XML. A document in which the new elements will be created 1.4 A string defining a single, standalone, HTML element (e.g. <div/> or <div>). Attributes, events, and methods to call on the newly-created element. Creates DOM elements on the fly from the provided string of raw HTML.

    Creating New Elements

    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.

    Creates a div element (and all of its contents) dynamically, and appends it to the body element. Internally, an element is created and its innerHTML property set to the given markup. It is therefore both quite flexible and limited. Create some DOM elements.
    1.0 The function to execute when the DOM is ready. Binds a function to be executed when the DOM has finished loading.

    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.

    Executes the function when the DOM is ready to be used. Uses both the shortcut for $(document).ready() and the argument to write failsafe jQuery code using the $ alias, without relying on the global alias.
    Stop the currently-running animation on the matched elements. 1.2 A Boolean indicating whether to remove queued animation as well. Defaults to false. A 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.off to true. When this is done, all animation methods will immediately set elements to their final state when called, rather than displaying an effect.

    Click the Go button once to start the animation, then click the STOP button to stop it where it's currently positioned. Another option is to click several buttons to queue them up and see that stop just kills the currently playing one.
    1.0 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.

    Selects all paragraphs, finds span elements inside these, and reverts the selection back to the paragraphs. Selects all paragraphs, finds span elements inside these, and reverts the selection back to the paragraphs.
    1.2 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.

    Find all divs, and all the paragraphs inside of them, and give them both classnames. Notice the div doesn't have the yellow background color since it didn't use andSelf.
    1.0 A string containing a selector expression to match elements against. Get the siblings of each element in the set of matched elements, optionally filtered by a selector.

    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.

    Find the unique siblings of all yellow li elements in the 3 lists (including other yellow li elements if appropriate). Find all siblings with a class "selected" of each div.
    Perform a custom animation of a set of CSS properties. 1.0 A map of CSS properties that the animation will move toward. A string or number determining how long the animation will run. A string indicating which easing function to use for the transition. A function to call once the animation is complete. 1.0 A map of CSS properties that the animation will move toward. A 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.

    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 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.

    Per-property Easing

    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.

    Click the button to animate the div with a number of different properties. Shows a div animate with a relative move. Click several times on the buttons to see the relative animations queued up. Animates all paragraphs to toggle both height and opacity, completing the animation within 600 milliseconds. Animates all paragraph to a left style of 50 and opacity of 1 (opaque, visible), completing the animation within 500 milliseconds. An example of using an 'easing' function to provide a different style of animation. This will only work if you have a plugin that provides this easing function. Note, this code will do nothing unless the paragraph element is hidden. The first button shows how an unqueued animation works. It expands the div out to 90% width while the font-size is increasing. Once the font-size change is complete, the border animation will begin. The second button starts a traditional chained animation, where each animation will start once the previous animation on the element has completed. Animates all paragraphs to toggle both height and opacity, completing the animation within 600 milliseconds. Animates all paragraph to a left style of 50 and opacity of 1 (opaque, visible), completing the animation within 500 milliseconds. It also will do it outside the queue, meaning it will automatically start without waiting for its turn. An example of using an 'easing' function to provide a different style of animation. This will only work if you have a plugin that provides this easing function. An example of using a callback function. The first argument is an array of CSS properties, the second specifies that the animation should take 1000 milliseconds to complete, the third states the easing type, and the fourth argument is an anonymous callback function.
    1.2 A string containing a selector expression to match elements against. Get all preceding siblings of each element in the set of matched elements, optionally filtered by a selector.

    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.

    Locate all the divs in front of the last div and give them a class.
    1.0 A string containing a selector expression to match elements against. Get the immediately preceding sibling of each element in the set of matched elements, optionally filtered by a selector.

    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.

    Find the very previous sibling of each div. For each paragraph, find the very previous sibling that has a class "selected".
    Adjust the opacity of the matched elements. 1.0 A string or number determining how long the animation will run. A number between 0 and 1 denoting the target opacity. A 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).

    Animates first paragraph to fade to an opacity of 0.33 (33%, about one third visible), completing the animation within 600 milliseconds. Fade div to a random opacity on each click, completing the animation within 200 milliseconds. Find the right answer! The fade will take 250 milliseconds and change various styles when it completes.
    Hide the matched elements by fading them to transparent. 1.0 A string or number determining how long the animation will run. A 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.
      });
    });

    Animates all paragraphs to fade out, completing the animation within 600 milliseconds. Fades out spans in one section that you click on.
    1.0 A string containing a selector expression to match elements against. Get the ancestors of each element in the current set of matched elements, optionally filtered by a selector.

    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.

    Find all parent elements of each b. Click to find all unique div parent elements of each span.
    Display the matched elements by fading them to opaque. 1.0 A string or number determining how long the animation will run. A 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
          });
        });

    Animates hidden divs to fade in one by one, completing each animation within 600 milliseconds. Fades a red block in over the text. Once the animation is done, it quickly fades in more text on top.
    1.0 A string containing a selector expression to match elements against. Get the parent of each element in the current set of matched elements, optionally filtered by a selector.

    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.

    Shows the parent of each element as (parent > child). Check the View Source to see the raw html. Find the parent element of each paragraph with a class "selected".
    1.26 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.

    Find the offsetParent of item "A." 250 $('li.item-a').offsetParent().css('background-color', 'red');
    Display or hide the matched elements with a sliding motion. 1.0 A string or number determining how long the animation will run. A 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:

    Animates all paragraphs to slide up or down, completing the animation within 600 milliseconds. Animates divs between dividers with a toggle that makes some appear and some disappear.
    1.0 A string containing the URL to which the request is sent. A map or string that is sent to the server with the request. A callback function that is executed if the request succeeds. The type of data expected from the server. Load data from the server using a HTTP POST request.

    This is a shorthand Ajax function, which is equivalent to:

    $.ajax({
      type: 'POST',
      url: url,
      data: data,
      success: success
      dataType: dataType
    });
    

    The callback is passed the returned data, which will be an XML root element or a text string depending on the MIME type of the response.

    Most implementations will specify a success handler:

    $.post('ajax/test.html', function(data) {
      $('.result').html(data);
      $.print('Load was performed.');
    });
    

    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 have no effect on these requests.

    Request the test.php page, but ignore the return results. Request the test.php page and send some additional data along (while still ignoring the return results). pass arrays of data to the server (while still ignoring the return results). send form data using ajax requests Alert out the results from requesting test.php (HTML or XML, depending on what was returned). Alert out the results from requesting test.php with an additional payload of data (HTML or XML, depending on what was returned). Gets the test.php page content, store it in a XMLHttpResponse object and applies the process() JavaScript function. Gets the test.php page contents which has been returned in json format ("John","time"=>"2pm")); ?>)
    Hide the matched elements with a sliding motion. 1.0 A string or number determining how long the animation will run. A 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.
      });
    });
      

    Animates all divs to slide up, completing the animation within 400 milliseconds. Animates the parent paragraph to slide up, completing the animation within 200 milliseconds. Once the animation is done, it displays an alert.
    1.2 A string containing a selector expression to match elements against. Get all following siblings of each element in the set of matched elements, optionally filtered by a selector.

    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.

    Locate all the divs after the first and give them a class. 150 Locate all the paragraphs after the second child in the body and give them a class. 200
    1.0 A string containing a selector expression to match elements against. Get the immediately following sibling of each element in the set of matched elements, optionally filtered by a selector.

    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.

    Find the very next sibling of each disabled button and change its text "this button is disabled". Find the very next sibling of each paragraph. Keep only the ones with a class "selected".
    Display the matched elements with a sliding motion. 1.0 A string or number determining how long the animation will run. A 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.
      });
    });

    Animates all divs to slide down and show themselves over 600 milliseconds. Animates all inputs to slide down, completing the animation within 1000 milliseconds. Once the animation is done, the input look is changed especially if it is the middle input which gets the focus.
    1.0 A string containing a selector expression to match elements against. Get the descendants of each element in the current set of matched elements, filtered by a selector.

    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').

    Unlike in the rest of the tree traversal methods, the selector expression is required in a call to .find(). If we need to retrieve all of the descendant elements, we can pass in the universal selector '*' to accomplish this.
    Starts with all paragraphs and searches for descendant span elements, same as $("p span") Add spans around each word then add a hover and italicize words with the letter t.
    1.0 A string containing the URL to which the request is sent. A callback function that is executed if the request succeeds. Load a JavaScript file from the server using a GET HTTP request, then execute it.

    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.');
    });
    We load the new official jQuery Color Animation plugin dynamically and bind some color animations to occur once the new functionality is loaded. Load the test.js JavaScript file and execute it. Load the test.js JavaScript file and execute it, displaying an alert message when the execution is complete.
    1.2 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.

    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.

    Find all the text nodes inside a paragraph and wrap them with a bold tag.
    1.3 A string containing a selector expression to match elements against. 1.4 A string containing a selector expression to match elements against. A 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. Get the first element that matches the selector, beginning at the current element and progressing up through the DOM tree.

    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.

    Show how event delegation can be done with closest.
    1.4 An array of string containing a selector expression to match elements against (can also be a jQuery object). A 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. Gets an array of all the elements and selectors matched against the current element up through the DOM tree.

    This method is primarily meant to be used internally or by plugin authors.

    Show how event delegation can be done with closest.
    1.0 A string containing the URL to which the request is sent. A map or string that is sent to the server with the request. A callback function that is executed if the request succeeds. Load JSON-encoded data from the server using a GET HTTP request.

    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 eval() function.

    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.

    Loads the four most recent cat pictures from the Flickr JSONP API. Load the JSON data from test.js and access a name from the returned JSON data. Load the JSON data from test.js, passing along additional data, and access a name from the returned JSON data. List the result of a consultation of pages.php in HTML as an array. By Manuel Gonzalez. "+"Last Name:"+datos[1].lastname+"
    "+"Address:"+datos[1].address); } ]>
    1.0 A string containing the URL to which the request is sent. A map or string that is sent to the server with the request. A callback function that is executed if the request succeeds. The type of data expected from the server. Load data from the server using a HTTP GET request.

    This is a shorthand Ajax function, which is equivalent to:

    $.ajax({
      url: url,
      data: data,
      success: success
      dataType: dataType
    });
    

    The callback 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.

    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.

    Request the test.php page, but ignore the return results. Request the test.php page and send some additional data along (while still ignoring the return results). pass arrays of data to the server (while still ignoring the return results). Alert out the results from requesting test.php (HTML or XML, depending on what was returned). Alert out the results from requesting test.cgi with an additional payload of data (HTML or XML, depending on what was returned).
    1.0 A string containing the URL to which the request is sent. A map or string that is sent to the server with the request. A callback function that is executed if the request succeeds. Load data from the server and place the returned HTML into the matched element.

    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, .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.');
    });

    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.

    Loading Page Fragments

    The .load() method, unlike $.get(), allows only part of a remote document to be fetched. 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. This selector is used to identify a portion of the remote document to retrieve.

    We could modify the example above to fetch only part of the document:

    $('.result').load('ajax/test.html #container');
    

    When this method executes, the content of ajax/test.html is loaded, but then jQuery parses this returned document to find the element with an ID of container. The inner content of this element is inserted into the element with a class of result, and the rest of the loaded document is discarded.

    Load a piece of the documentation sidebar navigation into a custom unordered list. Load the feeds.html file into the div with the ID of feeds. pass arrays of data to the server. Same as above, but will POST the additional parameters to the server and a callback that is executed when the server is finished responding.
    1.0 A set of key/value pairs that configure the Ajax request. All options are optional. A default can be set for any option with $.ajaxSetup(). Perform an asynchronous HTTP (Ajax) request.

    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.

    Callback Functions

    The beforeSend, error, dataFilter, success and complete options all take callback functions that are invoked at the appropriate times:

    1. beforeSend is called before the request is sent, and is passed the XMLHttpRequest object as a parameter.
    2. 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.
    3. 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.
    4. success is called if the request succeeds. It is passed the returned data, a string containing the success code, and the XMLHttpRequest object.
    5. 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().

    Data Types

    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.

    Sending Data to the Server

    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.

    Advanced Options

    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.

    Load and execute a JavaScript file. Save some data to the server and notify the user once it's complete. Retrieve the latest version of an HTML page. Loads data synchronously. Blocks the browser while the requests is active. It is better to block user interaction by other means when synchronization is necessary. Sends an xml document as data to the server. By setting the processData option to false, the automatic conversion of data to strings is prevented. Sends an id as data to the server, save some data to the server and notify the user once it's complete.
    1.0 The number of elements in the jQuery object.

    The number of elements currently matched. The .size() method will return the same value.

    Count the divs. Click to add more.
    1.0 A string containing a selector expression to match elements against. Get the children of each element in the set of matched elements, optionally filtered by a selector.

    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.

    Find all children of the clicked element. Find all children of each div. Find all children with a class "selected" of each div.
    1.3 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.

    Determine the selector used. "); ]> Collecting elements differently
    1.0 A string containing a selector expression to match additional elements against. 1.0 one or more elements to add to the set of matched elements. 1.0 An HTML fragment to add to the set of matched elements. 1.4 A string containing a selector expression to match additional elements against. Add some elements rooted against the specified context. Add elements to the set of matched elements.

    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).

    Finds all divs and makes a border. Then adds all paragraphs to the jQuery object to set their backgrounds yellow. Adds more elements, matched by the given expression, to the set of matched elements. Adds more elements, created on the fly, to the set of matched elements. Adds one or more Elements to the set of matched elements. Demonstrates how to add (or push) elements to an existing collection
    1.3 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.

    Determine the exact context used.
    1.0 A string containing a selector expression to match elements against. 1.0 One or more DOM elements to remove from the matched set. 1.0 A function used as a test for each element in the set. this is the current DOM element. Remove elements from the set of matched elements.

    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).

    Removing Specific Elements

    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.

    Adds a border to divs that are not green or blue. Removes the element with the ID "selected" from the set of all paragraphs. Removes the element with the ID "selected" from the set of all paragraphs. Removes all elements that match "div p.selected" from the total set of all paragraphs.
    1.2.6 A Boolean indicating whether to include the element's margin in the calculation. Get the current computed width for the first element in the set of matched elements, including padding and border.

    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.

    Get the outerWidth of a paragraph.
    1.2.6 A Boolean indicating whether to include the element's margin in the calculation. Get the current computed height for the first element in the set of matched elements, including padding and border.

    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.

    Get the outerHeight of a paragraph.
    Bind two or more handlers to the matched elements, to be executed on alternate clicks. 1.0 A function to execute every even time the element is clicked. A function to execute every odd time the element is clicked. 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.

    Click to toggle highlight on the list item. To toggle a style on table cells:
    Display or hide the matched elements. 1.0 A string or number determining how long the animation will run. A function to call once the animation is complete. 1.3 A Boolean indicating whether to show or hide the elements. Toggles all paragraphs. Animates all paragraphs to be shown if they are hidden and hidden if they are visible, completing the animation within 600 milliseconds. Shows all paragraphs, then hides them all, back and forth. 1.2.6 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.

    Get the innerWidth of a paragraph.
    1.2.6 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.

    Get the innerHeight of a paragraph.
    1.2 An array or object to serialize. 1.4 An array or object to serialize. A Boolean indicating whether to perform a traditional "shallow" serialization. Create a serialized representation of an array or object, suitable for use in a URL query string or Ajax request.

    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

    Serialize a key/value object. Serialize a few complex objects =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" ]>
    Hide the matched elements. 1.0 1.0 A string or number determining how long the animation will run. A 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.');
      });
    });

    Hides all paragraphs then the link on click. Animates all shown paragraphs to hide slowly, completing the animation within 600 milliseconds. Animates all spans (words in this case) to hide fastly, completing each animation within 200 milliseconds. Once each animation is done, it starts the next one. Hides the divs when clicked over 2 seconds, then removes the div element when its hidden. Try clicking on more than one box at a time.
    1.0 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
    Show various widths. Note the values are from the iframe so might be smaller than you expected. The yellow highlight shows the iframe body.
    1.0 An integer representing the number of pixels, or an integer along with an optional unit of measure appended (as a string). Set the CSS width of each element in the set of matched elements.

    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.

    To set the width of each div on click to 30px plus a color change.
    1.0 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
    Show various heights. Note the values are from the iframe so might be smaller than you expected. The yellow highlight shows the iframe body.
    1.0 An integer representing the number of pixels, or an integer with an optional unit of measure appended (as a string). Set the CSS height of every matched element.

    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.

    To set the height of each div on click to 30px plus a color change.
    Display the matched elements. 1.0 1.0 A string or number determining how long the animation will run. A 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.
      });
    });

    Animates all hidden paragraphs to show slowly, completing the animation within 600 milliseconds. Animates all hidden divs to show fastly in order, completing each animation within 200 milliseconds. Once each animation is done, it starts the next one. Animates all span and input elements to show normally. Once the animation is done, it changes the text.
    1.2.6 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.

    Get the scrollLeft of a paragraph.
    1.2.6 An integer indicating the new position to set the scroll bar to. Set the current horizontal position of the scroll bar for each of 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. Setting the scrollLeft positions the horizontal scroll of each matched element.

    Set the scrollLeft of a div.
    1.0 Remove the whitespace from the beginning and end of a string. The $.trim() function removes all newlines, spaces, and tabs from the beginning and end of the supplied string. If these whitespace characters occur in the middle of the string, they are preserved. The string to trim. Removes the two whitespaces at the start and at the end of the string. Removes the two whitespaces at the start and at the end of the string. 1.2 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.

    Object to test whether or not it is a function. Test a few parameter examples.
    jQuery.isFunction(objs[1]) =
    jQuery.isFunction(objs[2]) =
    jQuery.isFunction(objs[3]) =
    jQuery.isFunction(objs[4]) =
    ]>
    Finds out if the parameter is a funcion.
    1.3 Object to test whether or not it is an array. Determine whether the argument 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).

    Finds out if the parameter is an array. ]>
    1.1.3 The Array of DOM elements. Create a copy of an array of DOM elements with the duplicates removed. Note that this only works on arrays of DOM elements, not strings or numbers.

    The $.unique() function searches through an array of objects, forming a new array that does not contain duplicate objects. 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.

    Removes any duplicate elements from the array of divs.
    Merge the contents of two arrays together into the first array. 1.0 The first array to merge, the elements of second added. The 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.

    Merges two arrays, altering the first argument. Merges two arrays, altering the first argument. Merges two arrays, but uses a copy, so the original isn't altered.
    1.2 Search for a specified value within an array. (-1 if not found) The value to search for. An 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.

    Report the index of some elements in the array.
    1.0 The Array to translate. 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. Translate all items in an array or array-like object to another array of items.

    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:

    • the translated value, which will be mapped to the resulting array
    • null, to remove the item
    • an array of values, which will be flattened into the full array

    Map can iterate through Array-like objects, like a jQuery object, that have a length property.

    A couple examples of using .map() Maps the original array to a new one and adds 4 to each value. Maps the original array to a new one and adds 1 to each value if it is bigger then zero, otherwise it's removed. 0 ? n + 1 : null; });]> Maps the original array to a new one, each element is added with it's original value and the value plus one. Maps the original array to a new one, each element is squared. Remove items by returning null from the function. This removes any numbers less than 50, and the rest are decreased by 45. 50 ? a - 45 : null); } );]> Augmenting the resulting array by returning an array inside the function.
    1.2 Any object to turn into a native Array. Convert an array-like object into a true JavaScript 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.

    Turn a collection of HTMLElements into an Array of them. Turn a jQuery object into an array
    Finds the elements of an array which satisfy a filter function. The original array is not affected. 1.0 The array to search through. 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. If "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.

    Filters the original array of numbers leaving that are not 5 and have an index greater than 4. Then it removes all 9s. 4); }); $("p").text(arr.join(", ")); arr = jQuery.grep(arr, function (a) { return a != 9; }); $("span").text(arr.join(", ")); ]> Filter an array of numbers to include only numbers bigger then zero. 0; });]> Filter an array of numbers to include numbers that are not bigger than zero. 0; },true);]>
    1.0 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. An object containing additional properties to merge in. Additional objects containing properties to merge in. 1.1.4 If true, the merge becomes recursive (aka. deep copy). The object to extend. It will receive the new properties. An object containing additional properties to merge in. Additional objects containing properties to merge in. Merge the contents of two or more objects together into the first object.

    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.

    Merge two objects, modifying the first. Merge two objects recursively, modifying the first. Merge settings and options, modifying settings. Merge defaults and options, without modifying the defaults. This is a common plugin development pattern.
    1.0 The object or array to iterate over. The function that will be executed on every object. 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.

    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.

    $.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.

    Iterates through the array displaying each number as both a word and numeral Iterates over items in an array, accessing both the current item and its index. Iterates over the properties in an object, accessing both the current item and its key.
    1.0 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. Returns the box model for the iframe. Returns false if the page is in Quirks Mode in Internet Explorer 1.2.6 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.

    Get the scrollTop of a paragraph.
    1.2.6 An integer indicating the new position to set the scroll bar to. Set the current vertical position of the scroll bar for each of 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. Setting the scrollTop positions the vertical scroll of each matched element.

    Set the scrollTop of a div.
    1.3 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 a <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).
    Returns the box model for the iframe. Returns false if the page is in QuirksMode in Internet Explorer
    1.2 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.

    Access the position of the second paragraph:
    1.2 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.

    Access the offset of the second paragraph: Click to see the offset.
    1.4 An object containing the properties top and left, which are integers indicating the new top and left coordinates for the elements. 1.4 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. Set the current coordinates of every element in the set of matched elements, relative to the document.

    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.

    Set the offset of the second paragraph:
    1.0 A CSS property. Get the value of a style property for the first element in the set of matched elements.

    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:

    1. $('div.left').css('float');
    2. $('div.left').css('cssFloat');
    3. $('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.

    To access the background color of a clicked div.
    1.0 A CSS property name. A value to set for the property. 1.4 A CSS property name. A function returning the value to set. Receives the index position of the element in the set and the old value as arguments. 1.0 A map of property-value pairs to set. Set one or more CSS properties for the set of matched elements.

    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.

    To change the color of any paragraph to red on mouseover event. To highlight a clicked word in the paragraph. To set the color of all paragraphs to red and background to blue: Increase the size of a div when you click it:
    1.4 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.

    Wrap/unwrap a div around each of the paragraphs.
    1.4 A selector expression that filters the set of matched elements to be removed. Remove the set of matched elements from the DOM.

    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.

    Detach all paragraphs from the DOM
    1.0 A Boolean indicating whether event handlers should be copied along with the elements. As of jQuery 1.4 element data will be copied as well. Create a copy of the set of matched elements.

    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.

    Clones all b elements (and selects the clones) and prepends them to all paragraphs.
    1.0 A selector expression that filters the set of matched elements to be removed. Remove the set of matched elements from the DOM.

    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>
    Removes all paragraphs from the DOM Removes all paragraphs that contain "Hello" from the DOM
    1.0 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.

    Removes all child nodes (including text nodes) from all paragraphs
    1.2 A selector expression indicating which element(s) to replace. 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.

    Replace all the paragraphs with bold words.
    1.2 The content to insert. May be an HTML string, DOM element, or jQuery object. 1.4 A function that returns an HTML string to replace the set of matched elements with. Replace each element in the set of matched elements with the provided new content.

    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 original jQuery object is returned. This object refers to the element that has been removed from the DOM, not the new element that has replaced it.

    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.

    On click, replace the button with a div containing the same word. Replace all the paragraphs with bold words. Replace all the paragraphs with empty div elements. On click, replace each paragraph with a jQuery div object that is already in the DOM. Notice it doesn't clone the object but rather moves it to replace the paragraph.
    1.2 An HTML snippet, selector expression, jQuery object, or DOM element specifying the structure to wrap around the content of the matched elements. 1.4 A callback function which generates a structure to wrap around the content of the matched elements. Wrap an HTML structure around the content of each element in the set of 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>
    Selects all paragraphs and wraps a bold tag around each of its contents. Wraps a newly created tree of objects around the inside of the body. Selects all paragraphs and wraps a bold tag around each of its contents. Selects all paragraphs and wraps a jQuery object around each of its contents.
    1.2 An HTML snippet, selector expression, jQuery object, or DOM element specifying the structure to wrap around the matched elements. Wrap an HTML structure around all elements in the set of 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>
    Wrap a new div around all of the paragraphs. Wraps a newly created tree of objects around the spans. Notice anything in between the spans gets left out like the <strong> (red text) in this example. Even the white space between spans is left out. Click View Source to see the original html. Wrap a new div around all of the paragraphs. Wrap a jQuery object double depth div around all of the paragraphs. Notice it doesn't move the object but just clones it to wrap around its target.
    1.0 An HTML snippet, selector expression, jQuery object, or DOM element specifying the structure to wrap around the matched elements. 1.4 A callback function which generates a structure to wrap around the matched elements. Wrap an HTML structure around each element in the set of 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.

    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>
    Wrap a new div around all of the paragraphs. Wrap a new div around all of the paragraphs. Wrap a jQuery object double depth div around all of the paragraphs. Notice it doesn't move the object but just clones it to wrap around its target.
    1.0 Content after which the selected element(s) is inserted. Insert every element in the set of matched elements before the target.

    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.

    Inserts all paragraphs before an element with id of "foo". Same as $("#foo").before("p")
    1.0 An element, HTML string, or jQuery object to insert before each element in the set of matched elements. 1.4 A function that returns an HTML string to insert before each element in the set of matched elements. Insert content, specified by the parameter, 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. For example if you were to do:

    $("
    ").before("

    ");

    Then you would end up with a jQuery set that contains a paragraph and a div (in that order).

    Inserts some HTML before all paragraphs. Inserts a DOM element before all paragraphs. Inserts a jQuery object (similar to an Array of DOM Elements) before all paragraphs.
    1.0 A selector, element, HTML string, or jQuery object; the matched set of elements will be inserted after the element(s) specified by this parameter. Insert every element in the set of matched elements after the target.

    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.

    Inserts all paragraphs after an element with id of "foo". Same as $("#foo").after("p")
    1.0 An element, HTML string, or jQuery object to insert after each element in the set of matched elements. 1.4 A function that returns an HTML string to insert after each element in the set of matched elements. Insert content, specified by the parameter, 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.

    Inserts some HTML after all paragraphs. Inserts a DOM element after all paragraphs. Inserts a jQuery object (similar to an Array of DOM Elements) after all paragraphs.
    1.0 A 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. Insert every element in the set of matched elements to the beginning of the target.

    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.

    Prepends all spans to the element with the ID "foo"
    1.0 An element, HTML string, or jQuery object to insert at the beginning of each element in the set of matched elements. 1.4 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. Insert content, specified by the parameter, to the beginning of each element in the set of matched elements.

    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.

    Prepends some HTML to all paragraphs. Prepends a DOM Element to all paragraphs. Prepends a jQuery object (similar to an Array of DOM Elements) to all paragraphs.
    1.0 A 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. Insert every element in the set of matched elements to the end of the target.

    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.

    Appends all spans to the element with the ID "foo"
    1.0 An element, HTML string, or jQuery object to insert at the end of each element in the set of matched elements. 1.4 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. Insert content, specified by the parameter, to the end of each element in the set of matched elements.

    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.

    Appends some HTML to all paragraphs. Appends an Element to all paragraphs. Appends a jQuery object (similar to an Array of DOM Elements) to all paragraphs.
    1.0 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
    Get the single value from a single select and an array of values from a multiple select and display their values. Single: " + singleValues + " Multiple: " + multipleValues.join(", ")); } $("select").change(displayVals); displayVals(); ]> Find the value of an input box.
    1.0 A string of text or an array of strings to set as the value property of each matched element. 1.4 A function returning the value to set. Set the value of each element in the set of matched elements.

    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:

    $('input:text.items').val(function() {
      return this.value + ' ' + this.className;
    });
    

    This example appends the string "items" to the text inputs' values.

    In jQuery 1.2, this is also able to set the value of select elements, but selecting the appropriate options.

    Set the value of an input box. Set a single select and a multiple select .
    1.0 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. 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.

    Find the text in the first paragraph (stripping out the html), then set the html of the last paragraph to show it is just text (the red bold is gone).
    1.0 A string of text to set as the content of each matched element. 1.4 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. Set the content of each element in the set of matched elements to the specified text.

    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 &lt; 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">
    &lt;p&gt;This is a test.&lt;/p&gt;
    </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() {
      return 'item number ' + ($(this).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>
    
    Add text to the paragraph (notice the bold tag is escaped).
    1.0 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>
    Click a paragraph to convert it from html to text.
    1.0 A string of HTML to set as the content of each matched element. 1.4 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. Set the HTML contents of each element in the set of matched elements.

    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>.

    Add some html to each div. Add some html to each div then immediately do further manipulations to the inserted html.
    1.2 A function object that will be invoked for each element in the current set. Pass each element in the current matched set through a function, producing a new jQuery object containing the return values..

    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 check all of the checkboxes by setting their checked property to true:

    $('input:checkbox').map(function() {
     return this.checked = true;
    });

    We can get the sum of the values of the checked inputs:

    var sum = 0;
    $('input:checked').map(function() {
     return sum += (this.value * 1);
    });

    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".

    Build a list of all the values within a form. A contrived example to show some functionality. - A"); $(replacement[1]).append("Extra - B"); } // replacement will be an dom element, null, // or an array of dom elements return replacement; }); $("#results").append(mappedItems); ]>
    1.0 A string containing a selector expression to match elements against. Check the current matched set of elements against a selector and return true if at least one of these elements matches the selector.

    Unlike the rest of the methods in this chapter, .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.

    Shows a few ways is() can be used inside an event handler. Returns true, because the parent of the input is a form element Returns false, because the parent of the input is a p element
    1.1.2 An integer indicating the 0-based position of the element. Reduce the set of matched elements to the one at the specified index.

    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.

    Turn the div with index 2 blue by adding an appropriate class.
    1.0 A string containing a selector expression to match elements against. 1.0 A function used as a test for each element in the set. this is the current DOM element. Reduce the set of matched elements to those that match the selector or pass the function's test.

    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:

    <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> <li>list item 6</li> </ul>

    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).

    Using a Filter Function

    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.

    Change the color of all divs then put a border around only some of them. Selects all paragraphs and removes those without a class "selected". Selects all paragraphs and removes those that aren't of class "selected" or the first one. Change the color of all divs then put a border to specific ones. Remove all elements that have a descendant ol element
    1.0 A class name to be toggled for each element in the matched set. 1.3 A class name to be toggled for each element in the matched set. A boolean value to determine whether the class should be added or removed. 1.4 A function that returns a class name 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. A boolean value to determine whether the class should be added or removed. Add or remove a class from each element in the set of matched elements, depending on either the class's presence or the value of the switch argument.

    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.

    Toggle the class 'highlight' when a paragraph is clicked. Add the "highlight" class to the clicked paragraph on every third click of that paragraph, remove it every first and second click.
    1.0 A class name to be removed from the class attribute of each matched element. 1.4 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. Remove one or all classes from each element in the set of matched elements.

    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>.

    Remove the class 'blue' from the matched elements. Remove the class 'blue' and 'under' from the matched elements. Remove all the classes from the matched elements.
    1.2 The class name to search for. Determine whether any of the matched elements are assigned the given class.

    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')
    Looks for the class 'selected' on the matched elements.
    1.0 An attribute to remove. Remove an attribute from each element in the set of matched elements.

    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.

    Clicking the button enables the input next to it.
    1.0 The name of the attribute to get. Get the value of an attribute for the first element in the set of matched elements.

    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:

    1. Convenience: It can be called directly on a jQuery object and chained to other jQuery methods.
    2. Cross-browser consistency: Some attributes have inconsistent naming from browser to browser. Furthermore, the values of some attributes are reported inconsistently across browsers, and even across versions of a single browser. The .attr() method reduces such inconsistencies.
    Finds the title attribute of the first <em> in the page.
    1.0 The name of the attribute to set. A value to set for the attribute. 1.0 A map of attribute-value pairs to set. 1.1 The name of the attribute to set. 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. Set one or more attributes for the set of matched elements.

    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" />

    Setting a simple attribute

    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');

    Setting several attributes at once

    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!

    Computed attribute values

    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.

    Set some attributes for all <img>s in the page. Disables buttons greater than the 1st button. Sets id for divs based on the position in the page. Sets src attribute from title attribute on the image.
    1.0 One or more class names to be added to the class attribute of each matched element. 1.4 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. Adds the specified class(es) to each of the set of matched elements.

    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>.

    Adds the class 'selected' to the matched elements. Adds the classes 'selected' and 'highlight' to the matched elements.