I have a directive which implements kind of a select box.
Now when the select box is open and I click somewhere outside of it(anywhere else in the document) I need it to collapse.
This JQuery code works inside my directive, but I want to do it "the angular way":
$(document).bind('click', function (e) {
var $clicked = e.target;
if (!$clicked.parents().hasClass("myClass")) {
scope.colapse();
}
});
I tried doing thing with injecting the $document service into my directive but didn't succeed.
I have a directive which implements kind of a select box.
Now when the select box is open and I click somewhere outside of it(anywhere else in the document) I need it to collapse.
This JQuery code works inside my directive, but I want to do it "the angular way":
$(document).bind('click', function (e) {
var $clicked = e.target;
if (!$clicked.parents().hasClass("myClass")) {
scope.colapse();
}
});
I tried doing thing with injecting the $document service into my directive but didn't succeed.
Share Improve this question asked Jun 23, 2014 at 10:22 Amir PopovichAmir Popovich 29.8k9 gold badges57 silver badges101 bronze badges 6 | Show 1 more comment1 Answer
Reset to default 18I believe, the most true Angular way is to use angular.element
instead of jQuery
and accessing window.document
via the $document
service:
(function() {
angular.module('myApp').directive('myDocumentClick',
['$window', '$document', '$log',
function($window, $document, $log) {
return {
restrict: 'A',
link: function(scope, element, attrs) {
$document.bind('click', function(event) {
$log.info(event);
if (angular.element(event.target).hasClass('myClass')) {
$window.alert('Foo!');
}
})
}
};
}
]);
})();
Plunker link
$window
which has onclick functions. – Jorg Commented Jun 23, 2014 at 10:53