Respostas:
Se você deseja adicionar isso a qualquer elemento sem precisar copiar / colar o mesmo código repetidamente, é possível criar uma diretiva para fazer isso. É tão simples como abaixo:
import {Directive, HostListener} from "@angular/core";
@Directive({
selector: "[click-stop-propagation]"
})
export class ClickStopPropagation
{
@HostListener("click", ["$event"])
public onClick(event: any): void
{
event.stopPropagation();
}
}
Em seguida, basta adicioná-lo ao elemento em que você deseja:
<div click-stop-propagation>Stop Propagation</div>
@HostListener("mousedown", ["$event"]) public onMousedown(event: any): void { event.stopPropagation(); }
O mais simples é chamar parar a propagação em um manipulador de eventos. $event
funciona da mesma maneira no Angular 2 e contém o evento em andamento (por meio de um clique do mouse, evento do mouse etc.):
(click)="onEvent($event)"
no manipulador de eventos, podemos parar a propagação:
onEvent(event) {
event.stopPropagation();
}
<button confirmMessage="are you sure?" (click)="delete()">Delete</button>
, e na minha diretiva:, (click)="confirmAction($event)
então confirmAction(event) { event.stopPropagation(); }
;
event
com a função de manipulador stopPropogation()
não está disponível. Eu tive que fazer isso direito na marcação: `(click) =" foo (); $ event.stopPropogation () "
A chamada stopPropagation
ao evento impede a propagação:
(event)="doSomething($event); $event.stopPropagation()"
Por preventDefault
apenas voltarfalse
(event)="doSomething($event); false"
;
o final no entanto. Eu vou mudar isso.
false
<3
Adicionando à resposta da @AndroidUniversity. Em uma única linha, você pode escrever da seguinte maneira:
<component (click)="$event.stopPropagation()"></component>
Se você estiver em um método vinculado a um evento, simplesmente retorne false:
@Component({
(...)
template: `
<a href="https://stackoverflow.com/test.html" (click)="doSomething()">Test</a>
`
})
export class MyComp {
doSomething() {
(...)
return false;
}
}
false
chamadas preventDefault
não stopPropagation
.
preventDefault
é chamado. github.com/angular/angular/blob/… , github.com/angular/angular/blob/…
Isso funcionou para mim:
mycomponent.component.ts:
action(event): void {
event.stopPropagation();
}
mycomponent.component.html:
<button mat-icon-button (click)="action($event);false">Click me !<button/>
Eu precisava stopPropigation
e preventDefault
para impedir que um botão expandisse um item de acordeão que estava acima.
Assim...
@Component({
template: `
<button (click)="doSomething($event); false">Test</button>
`
})
export class MyComponent {
doSomething(e) {
e.stopPropagation();
// do other stuff...
}
}
Nada funcionou para o IE (Internet Explorer). Meus testadores conseguiram interromper meu modal clicando na janela pop-up nos botões atrás dele. Então, ouvi um clique na minha tela modal div e forcei o foco novamente em um botão pop-up.
<div class="modal-backscreen" (click)="modalOutsideClick($event)">
</div>
modalOutsideClick(event: any) {
event.preventDefault()
// handle IE click-through modal bug
event.stopPropagation()
setTimeout(() => {
this.renderer.invokeElementMethod(this.myModal.nativeElement, 'focus')
}, 100)
}
eu usei
<... (click)="..;..; ..someOtherFunctions(mybesomevalue); $event.stopPropagation();" ...>...
em suma, apenas separe outras coisas / chamadas de função com ';' e adicione $ event.stopPropagation ()
Acabei de fazer o check-in em um aplicativo Angular 6, o event.stopPropagation () funciona em um manipulador de eventos sem passar $ event
(click)="doSomething()" // does not require to pass $event
doSomething(){
// write any code here
event.stopPropagation();
}
<a href="#" onclick="return yes_js_login();">link</a>
yes_js_login = function() {
// Your code here
return false;
}
<a class="list-group-item list-group-item-action" (click)="employeesService.selectEmployeeFromList($event); false" [routerLinkActive]="['active']" [routerLink]="['/employees', 1]">
RouterLink
</a>
TypeScript
public selectEmployeeFromList(e) {
e.stopPropagation();
e.preventDefault();
console.log("This onClick method should prevent routerLink from executing.");
return false;
}
Mas isso não desabilita a execução do routerLink!
A adição de função false after interromperá a propagação de eventos
<a (click)="foo(); false">click with stop propagation</a>
Isso resolveu meu problema, impedindo que um evento fosse disparado por crianças:
doSmth(){
// what ever
}
<div (click)="doSmth()">
<div (click)="$event.stopPropagation()">
<my-component></my-component>
</div>
</div>
Tente esta diretiva
@Directive({
selector: '[stopPropagation]'
})
export class StopPropagationDirective implements OnInit, OnDestroy {
@Input()
private stopPropagation: string | string[];
get element(): HTMLElement {
return this.elementRef.nativeElement;
}
get events(): string[] {
if (typeof this.stopPropagation === 'string') {
return [this.stopPropagation];
}
return this.stopPropagation;
}
constructor(
private elementRef: ElementRef
) { }
onEvent = (event: Event) => {
event.stopPropagation();
}
ngOnInit() {
for (const event of this.events) {
this.element.addEventListener(event, this.onEvent);
}
}
ngOnDestroy() {
for (const event of this.events) {
this.element.removeEventListener(event, this.onEvent);
}
}
}
Uso
<input
type="text"
stopPropagation="input" />
<input
type="text"
[stopPropagation]="['input', 'click']" />