onblur Event
THE WORLD'S LARGEST WEB DEVELOPER SITE

onblur Event

❮ DOM Events ❮ FocusEvent

Example

Execute a JavaScript when a user leaves an input field:

<input type="text" onblur="myFunction()">
Try it Yourself »

More "Try it Yourself" examples below.


Definition and Usage

The onblur event occurs when an object loses focus.

The onblur event is most often used with form validation code (e.g. when the user leaves a form field).

Tip: The onblur event is the opposite of the onfocus event.

Tip: The onblur event is similar to the onfocusout event. The main difference is that the onblur event does not bubble. Therefore, if you want to find out whether an element or its child loses focus, you could use the onfocusout event. However, you can achieve this by using the optional useCapture parameter of the addEventListener() method for the onblur event.


Browser Support

Event
onblur Yes Yes Yes Yes Yes


Syntax

In HTML:

<element onblur="myScript">
Try it Yourself »

In JavaScript:

object.onblur = function(){myScript};
Try it Yourself »

In JavaScript, using the addEventListener() method:

object.addEventListener("blur", myScript);
Try it Yourself »

Note: The addEventListener() method is not supported in Internet Explorer 8 and earlier versions.


Technical Details

Bubbles: No
Cancelable: No
Event type: FocusEvent
Supported HTML tags: ALL HTML elements, EXCEPT: <base>, <bdo>, <br>, <head>, <html>, <iframe>, <meta>, <param>, <script>, <style>, and <title>
DOM Version: Level 2 Events

More Examples

Example

Using "onblur" together with the "onfocus" event:

<input type="text" onfocus="focusFunction()" onblur="blurFunction()">
Try it Yourself »

Example

Event delegation: setting the useCapture parameter of addEventListener() to true:

<form id="myForm">
  <input type="text" id="myInput">
</form>

<script>
var x = document.getElementById("myForm");
x.addEventListener("focus", myFocusFunction, true);
x.addEventListener("blur", myBlurFunction, true);

function myFocusFunction() {
    document.getElementById("myInput").style.backgroundColor = "yellow";
}

function myBlurFunction() {
    document.getElementById("myInput").style.backgroundColor = "";
}
</script>
Try it Yourself »

Example

Event delegation: using the focusin event (not supported by Firefox):

<form id="myForm">
  <input type="text" id="myInput">
</form>

<script>
var x = document.getElementById("myForm");
x.addEventListener("focusin", myFocusFunction);
x.addEventListener("focusout", myBlurFunction);

function myFocusFunction() {
    document.getElementById("myInput").style.backgroundColor = "yellow";
}

function myBlurFunction() {
    document.getElementById("myInput").style.backgroundColor = "";
}
</script>
Try it Yourself »

❮ DOM Events ❮ FocusEvent