AngularJS: How to stop event propagation from ng-click?

21,084

Solution 1

In your case you can't stop propagtion because click event happens on the same element, there are just two different handlers.

However you can leverage the fact that this is the same event object in both controller ngClick and in directive. So what you can do is to set some property to this event object and check for it in directive:

$scope.dosomething = function($event){
    $event.stopPropagation();
    $event.preventDefault();
    alert('here');

    if (someCondtion) {
        $event.stopNextHandler = true;
    }
}

and in directive:

link: function(scope, element){
    element.bind('click', function(e) {
        if (e.stopNextHandler !== true) {
            alert('want to prevent this');    
        }
    });            
}

Demo: http://jsfiddle.net/5bfkbh7u/6/

Solution 2

Have you tried lowering the priority of this directive to make sure it binds after the ng-click directive? I assume the events fire in the order they were bound which is in turn determined by the priority of the ng-click directive vs your directive.

You also need stopImmediatePropagation to prevent any more handlers on the same element from firing. stopPropagation just prevents the event propagating to parent handlers.

Solution 3

Use e.stopImmediatePropagation();
elem.bind('click', function (e) {
  if (disable(scope)){
    e.stopImmediatePropagation();
    return false;
  }

  return true;
});
Share:
21,084
Stepan Suvorov
Author by

Stepan Suvorov

@stepansuvorov http://stepansuvorov.com

Updated on July 09, 2022

Comments

  • Stepan Suvorov
    Stepan Suvorov almost 2 years

    I have directive that does something like so:

    app.directive('custom', function(){
        return {
            restrict:'A',
            link: function(scope, element){
                element.bind('click', function(){
                    alert('want to prevent this');
                });
    
            }
        }
    });
    

    yes, it's necessary to do jQuery-way binding for this case.

    And now I want to stop this event(click) propagation if some condition met.

    Tried to do:

      $event.stopPropagation();
      $event.preventDefault();
    

    but it did not help.

    here fiddle for example - http://jsfiddle.net/STEVER/5bfkbh7u/