次のようなHTML構造があります。
<div ng-click="test()">
<div id="myId" ng-click="test2()"></div>
<div></div>
...
</div>
現在、ID div
を持つmyId
をクリックすると、両方の関数がトリガーされますが、ただtest2
関数がトリガーされます。どうやってやるの?
必要なのは、イベントの伝播/バブリングを停止することだけです。
このコードは次のことに役立ちます。
_<div ng-click="test()">ZZZZZ
<div id="myId" ng-click="test2();$event.stopPropagation()">XXXXX</div>
<div>YYYYYY</div>
...
</div>
_
test
および_test2
_関数が次のように見える場合、myId
DIVをクリックすると、コンソールに_test2
_のみが表示されます。 $event.stopPropagation()
がなければ、コンソール出力ウィンドウで_test2
_に続いてtest
が表示されます。
_$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>