Program Tip

angularjs를 사용한 두 개의 중첩 클릭 이벤트

programtip 2020. 12. 10. 21:04
반응형

angularjs를 사용한 두 개의 중첩 클릭 이벤트


다음과 같은 HTML 구조가 있습니다.

<div ng-click="test()">
    <div id="myId" ng-click="test2()"></div>
    <div></div>
    ...
</div>

현재 divID로 myId클릭하면 두 기능이 모두 트리거되지만 함수 만 트리거되기를 원합니다 test2. 어떻게 할 수 있습니까?


이벤트 전파 / 버블 링을 중지하기 만하면됩니다.

이 코드는 다음을 지원합니다.

<div ng-click="test()">ZZZZZ
    <div id="myId" ng-click="test2();$event.stopPropagation()">XXXXX</div>
    <div>YYYYYY</div>
    ...
</div>

testtest2기능이 다음과 같이 보이면 DIV를 test2클릭 할 때만 콘솔에 표시됩니다 myId. 없이는 콘솔 출력 창에서 뒤따 $event.stopPropagation()를 것 입니다.test2test

$scope.test = function() {
    console.info('test');
}
$scope.test2 = function() {
    console.info('test2');
}

톰의 대답과 같지만 약간 다릅니다.

        <div ng-click="test()">
            <div id="myId" ng-click="test2($event)">child</div>
        </div>

        $scope.test2 =function($event){
            $event.stopPropagation();
            console.log("from test2")
        }
        $scope.test =function(){
            console.log("from test")
        }

다음은 ng-href 링크를 지원 하는 또 다른 질문에 기반한 지시문 입니다.

지령

'use strict';


var myApp = angular.module('myApp', [
    'ngAnimate'
  ]);

/**
 * @ngdoc directive
 * @name myMobileApp.directive:stopEvent
 * @description Allow normal ng-href links in a list where each list element itselve has an ng-click attached.
 */
angular.module('myApp')
  .directive('stopEvent', function($location, $rootScope) {
    return {
      restrict: 'A',
      link: function(scope, element) {
        element.bind('click', function(event) {

        // other ng-click handlers shouldn't be triggered
        event.stopPropagation(event);
        if(element && element[0] && element[0].href && element[0].pathname) {
          // don't normaly open links as it would create a reload.
          event.preventDefault(event);
          $rootScope.$apply(function() {
            $location.path( element[0].pathname );
          });
        }
      });
      }
    };
  })


.controller('TestCtrl', ['$rootScope', '$scope', 'Profile', '$location', '$http', '$log',
  function($rootScope, $scope, Profile, $location, $http, $log) {
    $scope.profiles = [{'a':1,'b':2},{'a':3,'b':3}];

    $scope.goToURL = function(path, $event) {
      $event.stopPropagation($event);
      $location.path(path);
    };

  }
]);
  <div ng-repeat="x in profiles" 
     ng-click="goToURL('/profiles/' + x.a, $event)">

      <a stop-event ng-href="/profiles/{{x.b}}">{{x}}</a>

  </div>

참고URL : https://stackoverflow.com/questions/15390393/two-nested-click-events-with-angularjs

반응형