.empty()

.empty() Returns: jQuery

Description: Remove all child nodes of the set of matched elements from the DOM.

  • version added: 1.0.empty()

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.

Example:

Removes all child nodes (including text nodes) from all paragraphs

<!DOCTYPE html>
<html>
<head>
  <style>
  p { background:yellow; }
  </style>
  <script src="https://code.jquery.com/jquery-latest.js"></script>
</head>
<body>
	<p>
    Hello, <span>Person</span> <a href="javascript:;">and person</a>
  </p>

  <button>Call empty() on above paragraph</button>
<script>
    $("button").click(function () {
      $("p").empty();
    });

</script>
</body>
</html>

Demo: