如何关闭外部单击的下拉列表?

我想关闭我的登录菜单下拉列表当用户点击任何地方以外的下拉列表,我想这样做与 Angular2和 Angular2“方法”..。

我已经实现了一个解决方案,但我对它真的没有信心。我认为必须有一个最简单的方法来达到同样的结果,所以如果你有任何想法... 让我们讨论:) !

以下是我的实施方案:

下拉组件:

这是我的下拉列表的组件:

  • 每次这个组件设置为可见时(例如: 当用户点击一个按钮来显示它时) ,它订阅存储在 科目服务中的“ global”rxjs subject 用户菜单
  • 每次它被隐藏起来,它就会取消对这个主题的订阅。
  • 每次单击 内心的任何位置,该组件的模板都会触发 OnClick ()方法,该方法只是停止事件冒泡到顶部(以及应用程序组件)

这是密码

export class UserMenuComponent {


_isVisible: boolean = false;
_subscriptions: Subscription<any> = null;


constructor(public subjects: SubjectsService) {
}


onClick(event) {
event.stopPropagation();
}


set isVisible(v) {
if( v ){
setTimeout( () => {
this._subscriptions =  this.subjects.userMenu.subscribe((e) => {
this.isVisible = false;
})
}, 0);
} else {
this._subscriptions.unsubscribe();
}
this._isVisible = v;
}


get isVisible() {
return this._isVisible;
}
}

应用程序组件:

另一方面,还有应用程序组件(它是下拉组件的父组件) :

  • 该组件捕获每个 click 事件并在相同的 rxjs Subject (用户菜单)上发出

密码如下:

export class AppComponent {


constructor( public subjects: SubjectsService) {
document.addEventListener('click', () => this.onClick());
}
onClick( ) {
this.subjects.userMenu.next({});
}
}

让我烦恼的是:

  1. 我对使用一个全局 Subject 作为这些组件之间的连接器的想法感到非常不舒服。
  2. SetTimeout: 这是必需的,因为如果用户点击显示下拉菜单的按钮,下面就会发生以下情况:
    • 用户点击按钮(它不是下拉组件的一部分)来显示下拉菜单。
    • 将显示下拉列表和 它立即订阅用户菜单主题
    • 单击事件冒泡到应用程序组件并被捕获
    • 应用程序组件在 用户菜单主题上发出一个事件
    • 下拉组件在 用户菜单上捕捉这个动作并隐藏下拉。
    • 最后,下拉列表从不显示。

这个设置超时延迟订阅到当前的 JavaScript 代码结束,这解决了问题,但在我看来是以一种非常优雅的方式。

如果你知道更清洁,更好,更聪明,更快或更强的解决方案,请让我知道:) !

234076 次浏览

你可以使用 (document:click)事件:

@Component({
host: {
'(document:click)': 'onClick($event)',
},
})
class SomeComponent() {
constructor(private _eref: ElementRef) { }


onClick(event) {
if (!this._eref.nativeElement.contains(event.target)) // or some similar check
doSomething();
}
}

另一种方法是创建自定义事件作为指令:

我是这么做的。

在文档 click上添加了一个事件侦听器,并在该处理程序中检查我的 container是否包含 event.target,如果没有-隐藏下拉列表。

就像这样。

@Component({})
class SomeComponent {
@ViewChild('container') container;
@ViewChild('dropdown') dropdown;


constructor() {
document.addEventListener('click', this.offClickHandler.bind(this)); // bind on doc
}


offClickHandler(event:any) {
if (!this.container.nativeElement.contains(event.target)) { // check click origin
this.dropdown.nativeElement.style.display = "none";
}
}
}

我们今天在工作中一直在研究一个类似的问题,试图弄明白如何让一个下拉 div 在被点击关闭时消失。我们的问题与最初的海报问题略有不同,因为我们不想点击不同的 组件指令,而仅仅是在特定的 div 之外。

我们最终使用(window: mouseup)事件处理程序解决了这个问题。

步骤:
我们给整个下拉菜单 div 一个唯一的类名。 < br > < br > 2)在内部下拉菜单本身(我们希望单击不要关闭菜单的唯一部分) ,我们添加了一个(window: mouseup)事件处理程序并传递 $event。< br > < br > 注意: 这不能用典型的“ click”处理程序完成,因为这与父单击处理程序冲突。< br > < br > 3)在我们的控制器中,我们创建了希望在 click out 事件上被调用的方法,并且我们使用 event.close (我是医生)查找单击点是否在我们的目标类 div 中。

 autoCloseForDropdownCars(event) {
var target = event.target;
if (!target.closest(".DropdownCars")) {
// do whatever you want here
}
}
 <div class="DropdownCars">
<span (click)="toggleDropdown(dropdownTypes.Cars)" class="searchBarPlaceholder">Cars</span>
<div class="criteriaDropdown" (window:mouseup)="autoCloseForDropdownCars($event)" *ngIf="isDropdownShown(dropdownTypes.Cars)">
</div>
</div>

如果你正在使用 Bootstrap,你可以通过下拉菜单(Bootstrap 组件)直接使用 Bootstrap 方式。

<div class="input-group">
<div class="input-group-btn">
<button aria-expanded="false" aria-haspopup="true" class="btn btn-default dropdown-toggle" data-toggle="dropdown" type="button">
Toggle Drop Down. <span class="fa fa-sort-alpha-asc"></span>
</button>
<ul class="dropdown-menu">
<li>List 1</li>
<li>List 2</li>
<li>List 3</li>
</ul>
</div>
</div>

现在可以把 (click)="clickButton()"的东西放在按钮上了。 Http://getbootstrap.com/javascript/#dropdowns

您可以在下拉列表中创建一个覆盖整个屏幕的兄弟元素,这个元素是不可见的,只用于捕获单击事件。然后,您可以检测到该元素上的单击,并在单击时关闭下拉列表。让我们假设这个元素是级丝网印刷品,这里是它的一些样式:

.silkscreen {
position: fixed;
top: 0;
bottom: 0;
left: 0;
right: 0;
z-index: 1;
}

Z 指数必须足够高,才能把它放在除了下拉框之外的所有地方。在这种情况下,我的下拉菜单应该是 bz-index 2。

其他的答案在某些情况下对我有用,除了有时我的下拉列表关闭时,我与其中的元素交互,我不想这样。我已经根据事件目标动态地添加了组件中不包含的元素,就像我期望的那样。与其把这些乱七八糟的事情弄清楚,我想还不如试试丝网印刷的方法。

我想补充@Tony 的回答,因为事件不会在组件外部点击之后被删除。完整收据:

  • 用 # Container 标记主要元素

    @ViewChild('container') container;
    
    
    _dropstatus: boolean = false;
    get dropstatus() { return this._dropstatus; }
    set dropstatus(b: boolean)
    {
    if (b) { document.addEventListener('click', this.offclickevent);}
    else { document.removeEventListener('click', this.offclickevent);}
    this._dropstatus = b;
    }
    offclickevent: any = ((evt:any) => { if (!this.container.nativeElement.contains(evt.target)) this.dropstatus= false; }).bind(this);
    
  • On the clickable element, use:

    (click)="dropstatus=true"
    

Now you can control your dropdown state with the dropstatus variable, and apply proper classes with [ngClass]...

我认为萨斯克斯接受的答案适用于大多数人。但是,我遇到了这样一种情况: 应该监听断开单击事件的 Element 的内容发生了动态变化。因此,在动态创建时,Elements nativeElement 不包含 event.target。 我可以用下面的指令来解决这个问题

@Directive({
selector: '[myOffClick]'
})
export class MyOffClickDirective {


@Output() offClick = new EventEmitter();


constructor(private _elementRef: ElementRef) {
}


@HostListener('document:click', ['$event.path'])
public onGlobalClick(targetElementPath: Array<any>) {
let elementRefInPath = targetElementPath.find(e => e === this._elementRef.nativeElement);
if (!elementRefInPath) {
this.offClick.emit(null);
}
}
}

我没有检查 elementRef 是否包含 event.target,而是检查 elementRef 是否在事件的路径(DOM 路径到 target)中。这样就可以处理动态创建的元素。

优雅的方法

我发现了这个 clickOut指令: Https://github.com/chliebel/angular2-click-outside.我检查它,它工作得很好(我只复制 clickOutside.directive.ts到我的项目)。你可以这样使用它:

<div (clickOutside)="close($event)"></div>

其中 close是您的函数,当用户单击 div 外部时将调用该函数。这是一种非常优雅的方式来处理问题所描述的问题。

如果使用以上指令关闭 popUp 窗口,请记住首先添加 event.stopPropagation()来按钮单击打开 popUp 的事件处理程序。

额外收获:

下面我从文件 clickOutside.directive.ts复制原始指令代码(如果链接将停止工作在未来的情况下)-作者是 Christian Liebel:

import {Directive, ElementRef, Output, EventEmitter, HostListener} from '@angular/core';
    

@Directive({
selector: '[clickOutside]'
})
export class ClickOutsideDirective {
constructor(private _elementRef: ElementRef) {
}


@Output()
public clickOutside = new EventEmitter<MouseEvent>();


@HostListener('document:click', ['$event', '$event.target'])
public onClick(event: MouseEvent, targetElement: HTMLElement): void {
if (!targetElement) {
return;
}


const clickedInside = this._elementRef.nativeElement.contains(targetElement);
if (!clickedInside) {
this.clickOutside.emit(event);
}
}
}

一个更好的版本@Tony 伟大的解决方案:

@Component({})
class SomeComponent {
@ViewChild('container') container;
@ViewChild('dropdown') dropdown;


constructor() {
document.addEventListener('click', this.offClickHandler.bind(this)); // bind on doc
}


offClickHandler(event:any) {
if (!this.container.nativeElement.contains(event.target)) { // check click origin


this.dropdown.nativeElement.closest(".ourDropdown.open").classList.remove("open");


}
}
}

在 css 文件中://NOT,如果您使用 bootstrap 下拉菜单。

.ourDropdown{
display: none;
}
.ourDropdown.open{
display: inherit;
}

我自己也做了一些变通。

我创建了一个 < em > (drop downOpen) 事件,我在我的 ng-select 元素组件中监听它,并调用一个函数来关闭除了当前打开的 SelectComponent 之外所有其他打开的 SelectComponent。

我在 < em > select.ts 文件中修改了一个如下函数来发出事件:

private open():void {
this.options = this.itemObjects
.filter((option:SelectItem) => (this.multiple === false ||
this.multiple === true && !this.active.find((o:SelectItem) => option.text === o.text)));


if (this.options.length > 0) {
this.behavior.first();
}
this.optionsOpened = true;
this.dropdownOpened.emit(true);
}

在 HTML 中,我为 (下拉式打开)添加了一个事件侦听器:

<ng-select #elem (dropdownOpened)="closeOtherElems(elem)"
[multiple]="true"
[items]="items"
[disabled]="disabled"
[isInputAllowed]="true"
(data)="refreshValue($event)"
(selected)="selected($event)"
(removed)="removed($event)"
placeholder="No city selected"></ng-select>

这是我在具有 ng2-select 标记的组件中的事件触发器上的调用函数:

@ViewChildren(SelectComponent) selectElem :QueryList<SelectComponent>;


public closeOtherElems(element){
let a = this.selectElem.filter(function(el){
return (el != element)
});


a.forEach(function(e:SelectComponent){
e.closeDropdown();
})
}
import { Component, HostListener } from '@angular/core';


@Component({
selector: 'custom-dropdown',
template: `
<div class="custom-dropdown-container">
Dropdown code here
</div>
`
})
export class CustomDropdownComponent {
thisElementClicked: boolean = false;


constructor() { }


@HostListener('click', ['$event'])
onLocalClick(event: Event) {
this.thisElementClicked = true;
}


@HostListener('document:click', ['$event'])
onClick(event: Event) {
if (!this.thisElementClicked) {
//click was outside the element, do stuff
}
this.thisElementClicked = false;
}
}

缺点: - 页面上每个组件的两个单击事件侦听器。不要在页面上出现了数百次的组件上使用这种方法。

你可以写下指令:

@Directive({
selector: '[clickOut]'
})
export class ClickOutDirective implements AfterViewInit {
@Input() clickOut: boolean;


@Output() clickOutEvent: EventEmitter<any> = new EventEmitter<any>();


@HostListener('document:mousedown', ['$event']) onMouseDown(event: MouseEvent) {


if (this.clickOut &&
!event.path.includes(this._element.nativeElement))
{
this.clickOutEvent.emit();
}
}




}

在您的组件中:

@Component({
selector: 'app-root',
template: `
<h1 *ngIf="isVisible"
[clickOut]="true"
(clickOutEvent)="onToggle()"
>\{\{title}}</h1>
`,
styleUrls: ['./app.component.scss'],
changeDetection: ChangeDetectionStrategy.OnPush
})
export class AppComponent {
title = 'app works!';


isVisible = false;


onToggle() {
this.isVisible = !this.isVisible;
}
}

当 html 元素包含在 DOM 中并且[ clickOut ] input 属性为‘ true’时,该指令发出事件。 在从 DOM 中删除元素之前,它先侦听 mousedown 事件来处理事件。

还有一点: Firefox 不包含对事件的属性‘ path’你可以使用函数创建 path:

const getEventPath = (event: Event): HTMLElement[] => {
if (event['path']) {
return event['path'];
}
if (event['composedPath']) {
return event['composedPath']();
}
const path = [];
let node = <HTMLElement>event.target;
do {
path.push(node);
} while (node = node.parentElement);
return path;
};

因此,您应该更改指令上的事件处理程序: Path 应该被替换为 getEventPath (event)

这个模块可以提供帮助。 < a href = “ https://www.npmjs.com/package/ngx-clickout”rel = “ nofollow norefrer”> https://www.npmjs.com/package/ngx-clickout 它包含相同的逻辑,但也处理源 html 元素上的 esc 事件。

您应该检查如果您点击模态覆盖,而不是,很容易。

你的模板:

<div #modalOverlay (click)="clickOutside($event)" class="modal fade show" role="dialog" style="display: block;">
<div class="modal-dialog" [ngClass]='size' role="document">
<div class="modal-content" id="modal-content">
<div class="close-modal" (click)="closeModal()"> <i class="fa fa-times" aria-hidden="true"></i></div>
<ng-content></ng-content>
</div>
</div>
</div>

方法是:

    @ViewChild('modalOverlay') modalOverlay: ElementRef;
    

// ... your constructor and other methods
    

clickOutside(event: Event) {
const target = event.target || event.srcElement;
console.log('click', target);
console.log("outside???", this.modalOverlay.nativeElement == event.target)
// const isClickOutside = !this.modalBody.nativeElement.contains(event.target);
// console.log("click outside ?", isClickOutside);
if ("isClickOutside") {
// this.closeModal();
}
}

如果你在 iOS 上做这件事,也可以使用 touchstart事件:

至于角4,装饰 HostListener是首选的方式做到这一点

import { Component, OnInit, HostListener, ElementRef } from '@angular/core';
...
@Component({...})
export class MyComponent implement OnInit {


constructor(private eRef: ElementRef){}


@HostListener('document:click', ['$event'])
@HostListener('document:touchstart', ['$event'])
handleOutsideClick(event) {
// Some kind of logic to exclude clicks in Component.
// This example is borrowed Kamil's answer
if (!this.eRef.nativeElement.contains(event.target) {
doSomethingCool();
}
}


}

我没有做任何变通。我只是附上文档: 点击我的切换功能如下:



@Directive({
selector: '[appDropDown]'
})
export class DropdownDirective implements OnInit {


@HostBinding('class.open') isOpen: boolean;


constructor(private elemRef: ElementRef) { }


ngOnInit(): void {
this.isOpen = false;
}


@HostListener('document:click', ['$event'])
@HostListener('document:touchstart', ['$event'])
toggle(event) {
if (this.elemRef.nativeElement.contains(event.target)) {
this.isOpen = !this.isOpen;
} else {
this.isOpen = false;
}
}


因此,当我在指令之外时,我关闭下拉列表。

注意: 对于那些想要使用 web worker 的人来说,你需要避免使用 document 和 nativeElement,这样就可以了。

我在这里回答了同样的问题: https://stackoverflow.com/questions/47571144

从上面的链接复制/粘贴:

当我制作下拉菜单和确认对话框时,我也遇到了同样的问题,当我点击外部时,我想要忽略它们。

我的最终实现工作完美,但需要一些 css3动画和样式。

注意 : 我还没有测试下面的代码,可能有一些语法问题需要解决,还有对您自己的项目的明显调整!

我所做的:

我做了一个单独的固定的 div,高度为100% ,宽度为100% ,变换为: scale (0) ,这基本上是背景,你可以用背景颜色: rgba (0,0,0,0.466)来设置它的样式; 为了显示菜单是打开的,背景是点击关闭的。 菜单的 z-index 高于其他所有内容,然后背景 div 的 z-index 低于菜单,但也高于其他所有内容。然后背景有一个关闭下拉列表的单击事件。

这里是你的 html 代码。

<div class="dropdownbackground" [ngClass]="{showbackground: qtydropdownOpened}" (click)="qtydropdownOpened = !qtydropdownOpened"><div>
<div class="zindex" [class.open]="qtydropdownOpened">
<button (click)="qtydropdownOpened = !qtydropdownOpened" type="button"
data-toggle="dropdown" aria-haspopup="true" [attr.aria-expanded]="qtydropdownOpened ? 'true': 'false' ">
\{\{selectedqty}}<span class="caret margin-left-1x "></span>
</button>
<div class="dropdown-wrp dropdown-menu">
<ul class="default-dropdown">
<li *ngFor="let quantity of quantities">
<a (click)="qtydropdownOpened = !qtydropdownOpened;setQuantity(quantity)">\{\{quantity  }}</a>
</li>
</ul>
</div>
</div>

这是 css3,它需要一些简单的动画。

/* make sure the menu/drop-down is in front of the background */
.zindex{
z-index: 3;
}


/* make background fill the whole page but sit behind the drop-down, then
scale it to 0 so its essentially gone from the page */
.dropdownbackground{
width: 100%;
height: 100%;
position: fixed;
z-index: 2;
transform: scale(0);
opacity: 0;
background-color: rgba(0, 0, 0, 0.466);
}


/* this is the class we add in the template when the drop down is opened
it has the animation rules set these how you like */
.showbackground{
animation: showBackGround 0.4s 1 forwards;


}


/* this animates the background to fill the page
if you don't want any thing visual you could use a transition instead */
@keyframes showBackGround {
1%{
transform: scale(1);
opacity: 0;
}
100% {
transform: scale(1);
opacity: 1;
}
}

如果你不是在追求任何视觉效果,你可以使用这样的过渡

.dropdownbackground{
width: 100%;
height: 100%;
position: fixed;
z-index: 2;
transform: scale(0);
opacity: 0;
transition all 0.1s;
}


.dropdownbackground.showbackground{
transform: scale(1);
}

正确的答案有一个问题,如果你有一个可点击的组件在你的 popover,元素将不再在 contain方法,并将关闭,基于@JuHarm89我创建了我自己的:

export class PopOverComponent implements AfterViewInit {
private parentNode: any;


constructor(
private _element: ElementRef
) { }


ngAfterViewInit(): void {
this.parentNode = this._element.nativeElement.parentNode;
}


@HostListener('document:click', ['$event.path'])
onClickOutside($event: Array<any>) {
const elementRefInPath = $event.find(node => node === this.parentNode);
if (!elementRefInPath) {
this.closeEventEmmit.emit();
}
}
}

谢谢你的帮助!

我已经制定了一个指令来解决这个类似的问题,我正在使用 Bootstrap。但在我的例子中,与其等待元素外的点击事件关闭当前打开的下拉菜单,我认为最好是我们监视“鼠标离开”事件来自动关闭菜单。

我的解决办法是:

指令

import { Directive, HostListener, HostBinding } from '@angular/core';
@Directive({
selector: '[appDropdown]'
})
export class DropdownDirective {


@HostBinding('class.open') isOpen = false;


@HostListener('click') toggleOpen() {
this.isOpen = !this.isOpen;
}


@HostListener('mouseleave') closeDropdown() {
this.isOpen = false;
}


}

超文本标示语言

<ul class="nav navbar-nav navbar-right">
<li class="dropdown" appDropdown>
<a class="dropdown-toggle" data-toggle="dropdown">Test <span class="caret"></span>
</a>
<ul class="dropdown-menu">
<li routerLinkActive="active"><a routerLink="/test1">Test1</a></li>
<li routerLinkActive="active"><a routerLink="/test2/">Test2</a></li>
</ul>
</li>
</ul>

最优雅的方法: D

有一个最简单的方法,不需要任何指令。

“ element-That-toggle-your-drop”应该是按钮标签。使用(模糊)属性中的任何方法。就这样。

<button class="element-that-toggle-your-dropdown"
(blur)="isDropdownOpen = false"
(click)="isDropdownOpen = !isDropdownOpen">
</button>

我遇到了另一个解决方案,灵感来自于聚焦/模糊事件的例子。

因此,如果希望在不附加全局文档侦听器的情况下实现相同的功能,可以考虑使用下面的示例。它也适用于 OSx 上的 Safari 和 Firefox,尽管它们还有其他处理按钮焦点事件的功能: https://developer.mozilla.org/en-US/docs/Web/HTML/Element/button#Clicking_and_focus

角度为8: https://stackblitz.com/edit/angular-sv4tbi?file=src%2Ftoggle-dropdown%2Ftoggle-dropdown.directive.ts的 stackbiz 工作实例

HTML 标记:

<div class="dropdown">
<button class="btn btn-secondary dropdown-toggle" type="button" aria-haspopup="true" aria-expanded="false">Dropdown button</button>
<div class="dropdown-menu" aria-labelledby="dropdownMenuButton">
<a class="dropdown-item" href="#">Action</a>
<a class="dropdown-item" href="#">Another action</a>
<a class="dropdown-item" href="#">Something else here</a>
</div>
</div>


指令如下:

import { Directive, HostBinding, ElementRef, OnDestroy, Renderer2 } from '@angular/core';


@Directive({
selector: '.dropdown'
})
export class ToggleDropdownDirective {


@HostBinding('class.show')
public isOpen: boolean;


private buttonMousedown: () => void;
private buttonBlur: () => void;
private navMousedown: () => void;
private navClick: () => void;


constructor(private element: ElementRef, private renderer: Renderer2) { }


ngAfterViewInit() {
const el = this.element.nativeElement;
const btnElem = el.querySelector('.dropdown-toggle');
const menuElem = el.querySelector('.dropdown-menu');


this.buttonMousedown = this.renderer.listen(btnElem, 'mousedown', (evt) => {
console.log('MOUSEDOWN BTN');
this.isOpen = !this.isOpen;
evt.preventDefault(); // prevents loose of focus (default behaviour) on some browsers
});


this.buttonMousedown = this.renderer.listen(btnElem, 'click', () => {
console.log('CLICK BTN');
// firefox OSx, Safari, Ie OSx, Mobile browsers.
// Whether clicking on a <button> causes it to become focused varies by browser and OS.
btnElem.focus();
});


// only for debug
this.buttonMousedown = this.renderer.listen(btnElem, 'focus', () => {
console.log('FOCUS BTN');
});


this.buttonBlur = this.renderer.listen(btnElem, 'blur', () => {
console.log('BLUR BTN');
this.isOpen = false;
});


this.navMousedown = this.renderer.listen(menuElem, 'mousedown', (evt) => {
console.log('MOUSEDOWN MENU');
evt.preventDefault(); // prevents nav element to get focus and button blur event to fire too early
});
this.navClick = this.renderer.listen(menuElem, 'click', () => {
console.log('CLICK MENU');
this.isOpen = false;
btnElem.blur();
});
}


ngOnDestroy() {
this.buttonMousedown();
this.buttonBlur();
this.navMousedown();
this.navClick();
}
}

您可以像这样在视图中使用 mouseleave

测试角度8和工作完美

<ul (mouseleave)="closeDropdown()"> </ul>

我决定根据我的用例发布我自己的解决方案。我有一个(点击)在角11事件 href。这将切换主应用程序中的关闭/菜单组件

<li><a href="javascript:void(0)" id="menu-link" (click)="toggleMenu();" ><img id="menu-image" src="img/icons/menu-white.png" ></a></li>

基于名为“ isMenuVisible”的布尔值,菜单组件(例如 div)是可见的(* ngIf)。当然,它可以是一个下拉列表或任何组件。

在 app.ts 中,我有这个简单的函数

@HostListener('document:click', ['$event'])
onClick(event: Event) {


const elementId = (event.target as Element).id;
if (elementId.includes("menu")) {
return;
}


this.isMenuVisble = false;


}

这意味着在“命名”上下文之外的任何地方单击都会关闭/隐藏“命名”组件。

这是角引导下拉按钮样本与组件外部关闭。

不使用 bootstrap.js

// .html
<div class="mx-3 dropdown" [class.show]="isTestButton">
<button class="btn dropdown-toggle"
(click)="isTestButton = !isTestButton">
<span>Month</span>
</button>
<div class="dropdown-menu" [class.show]="isTestButton">
<button class="btn dropdown-item">Month</button>
<button class="btn dropdown-item">Week</button>
</div>
</div>


// .ts
import { Component, ElementRef, HostListener } from "@angular/core";


@Component({
selector: "app-test",
templateUrl: "./test.component.html",
styleUrls: ["./test.component.scss"]
})
export class TestComponent {


isTestButton = false;


constructor(private eleRef: ElementRef) {
}




@HostListener("document:click", ["$event"])
docEvent($e: MouseEvent) {
if (!this.isTestButton) {
return;
}
const paths: Array<HTMLElement> = $e["path"];
if (!paths.some(p => p === this.eleRef.nativeElement)) {
this.isTestButton = false;
}
}
}

我觉得没有足够的答案,所以我想加入,我是这么做的

组件

@Component({
selector: 'app-issue',
templateUrl: './issue.component.html',
styleUrls: ['./issue.component.sass'],
})
export class IssueComponent {
@Input() issue: IIssue;
@ViewChild('issueRef') issueRef;
    

public dropdownHidden = true;
    

constructor(private ref: ElementRef) {}


public toggleDropdown($event) {
this.dropdownHidden = !this.dropdownHidden;
}
    

@HostListener('document:click', ['$event'])
public hideDropdown(event: any) {
if (!this.dropdownHidden && !this.issueRef.nativeElement.contains(event.target)) {
this.dropdownHidden = true;
}
}
}

组件

<div #issueRef (click)="toggleDropdown()">
<div class="card card-body">
<p class="card-text truncate">\{\{ issue.fields.summary }}</p>
<div class="d-flex justify-content-between">
<img
*ngIf="issue.fields.assignee; else unassigned"
class="rounded"
[src]="issue.fields.assignee.avatarUrls['32x32']"
[alt]="issue.fields.assignee.displayName"
/>
<ng-template #unassigned>
<img
class="rounded"
src="https://img.icons8.com/pastel-glyph/2x/person-male--v2.png"
alt="Unassigned"
/>
</ng-template>
<img
*ngIf="issue.fields.priority"
class="rounded mt-auto priority"
[src]="issue.fields.priority.iconUrl"
[alt]="issue.fields.priority.name"
/>
</div>
</div>
<div *ngIf="!dropdownHidden" class="list-group context-menu">
<a href="#" class="list-group-item list-group-item-action active" aria-current="true">
The current link item
</a>
<a href="#" class="list-group-item list-group-item-action">A second link item</a>
<a href="#" class="list-group-item list-group-item-action">A third link item</a>
<a href="#" class="list-group-item list-group-item-action">A fourth link item</a>
<a
href="#"
class="list-group-item list-group-item-action disabled"
tabindex="-1"
aria-disabled="true"
>A disabled link item</a
>
</div>
</div>

超级复杂。我读了它们,但不可能用我的代码复制它们。 我有这个 Java 下拉菜单的代码。

document.addEventListener("mouseover", e => {
const isDropdownButton = e.target.matches("[data-dropdown-button]")
if (!isDropdownButton && e.closest('[data-dropdown]') != null) return
  

let currentDropDown
if (isDropdownButton) {
currentDropdown = e.target.closest('[data-dropdown]')
currentDropdown.classList.toggle('active')
}
  

document.querySelectorAll("[data-dropdown].active").forEach(dropdown => {
if (dropdown === currentDropdown) return
dropdown.classList.remove("active")
})
})

当鼠标悬停打开下拉菜单并保持打开状态时,这个功能运行良好。

  1. 当我单击其他地方时,下拉列表不会关闭。
  2. 当我点击下拉菜单,进入一个 URL 地址。 谢谢