Reputation: 1419
I have a custom dropdown selector. I want to Toggle the dropdown when i click anywhere else on browser.
toggleModules()
is working within the dropdown.
Data: modules=["A", "B", "C", "D", "E", "F"]
<div class="col-xl-3 col-lg-3 col-md-3 col-sm-12">
<div class="vov-filters ov-filter-region">
<span ng-click="toggleModules($event)"><label>Module</label>
<b id="caret-glyph" class="glyphicon glyphicon-chevron-down pull-right" area-hidden="true"></b>
</span>
<div id="el1" class="overlay bordered" ng-if="showModules">
<span role="button" ng-click="clearSelectedModules()" class="clear">Clear</span>
<div class="filter-checkbox" ng-repeat="entry in modules" ng-click="moduleFilter(entry)">
<label>
<input ng-show="entry.show" type="checkbox" ng-model="entry.show">
<span class="cr"><i class="cr-icon glyphicon glyphicon-ok"></i></span>
{{entry.name}}
</label>
</div>
</div>
</div>
</div>
controller: Toggle fn -
$scope.toggleModules = function(ev) {
ev.preventDefault();
ev.stopPropagation();
$scope.showModules = !$scope.showModules;
if ($scope.showModules) {
$scope.overlay = true;
} else {
$scope.overlay = false;
}
};
Same Contoller: $document Click Event:
$document.on('click', function(event) {
<!-- Start Toggle Module filter -->
$scope.toggleModules(event)
<!-- End Toggle Module filter -->
return $document.off('click', event);
});
Upvotes: 0
Views: 97
Reputation: 1419
Thanks guys. I got a solution working fine for me.
$document.on('click', function(event) {
event.preventDefault();
event.stopPropagation();
$scope.$apply(function() {
$scope.showModules = false;
});
$document.off('click', event);
});
Upvotes: 1
Reputation: 2808
You can create a new click-off directive that can check a click outside of a div and then do whatever you want
myApp.directive('clickOff', function($parse, $document) {
var dir = {
compile: function($element, attr) {
// Parse the expression to be executed
// whenever someone clicks _off_ this element.
var fn = $parse(attr["clickOff"]);
return function(scope, element, attr) {
// add a click handler to the element that
// stops the event propagation.
element.bind("click", function(event) {
console.log("stopProp");
event.stopPropagation();
});
angular.element($document[0].body).bind("click", function(event) {
console.log("cancel.");
scope.$apply(function() {
fn(scope, {$event:event});
});
});
};
}
};
return dir;
});
Upvotes: 0