3
votes

I have a "parent div" containing a child box input type=number. When user clicks outside of input box I use blur or focusout event of parent div to use input values at some other place.

I also need to use $('inputbox').trigger('focus') at some place, which fires "parent div"'s blur event unwantedly and runs code on that event.

Please give a solution to stop this parent blur event on child's focus OR give a way to find whether focus is made by trigger('focus') on child element or by user clicking outside of parent div.

I need to fire parent Blur only when user clicks outside of it & not when focus is triggered through code.

4
can you share a fiddle jsfiddle.net ?gurvinder372
Please see final answer.Umesh K.

4 Answers

2
votes

with jquery you can make custom events very easily , something like:

$('inputbox').trigger('special-focus');

then you can wait for this event just like any other event:

$('div').on('special-focus' , function(){ ... } );

this will prevent your events from interfering with the built in ones.

I guess if you don't want to use that suggestion then do this in your click handler or your focus handler of the child

 .on('focus' , function(e){
    e.stopPropagation();
    e.preventDefault();
   /// the rest of your code ...
 });

this will stop the propagation of events to parent elements

2
votes

This worked perfect for me:

if (e.relatedTarget === null) ...
1
votes

What worked for me was checking the relatedTarget property of the eventObject object in the handler function.

$("#parentDiv").focusout(function (eventObject) {
    if (eventObject.relatedTarget.id === "childInputId")
        /// childInput is getting focus
    else
        /// childInput is not getting focus
});
0
votes

.on('blur',...) of parent fires before .on('focus' ,...) of child.
Anyways for a parent div containing child input box we can use
$('input').trigger('special-focus');
and then

  $("#form" ).on('special-focus', '.parentdiv' , function(event) {
          $("#form" ).off('blur', '.parentdiv');
          $(event.target).focus();
          $("#form" ).on('blur', '.parentdiv' , showValuesOnBlur);
     });


Now blur of parent will not fire on focus of child.
This worked for me. i.e. off & on the blur event of parent inside special-focus.
Thanks Scott Selby :)