我有一些带有 ngIf 的 div,我只是想知道特定的 div 是否是现在可见/活动的,比如像焦点这样的事件触发器(它不起作用)或其他东西,并且这个事件,我会设置一个变量什么的。
<div *ngIf="test === true" (focus)="myVariable = true">
</div>
我有一些带有 ngIf 的 div,我只是想知道特定的 div 是否是现在可见/活动的,比如像焦点这样的事件触发器(它不起作用)或其他东西,并且这个事件,我会设置一个变量什么的。
<div *ngIf="test === true" (focus)="myVariable = true">
</div>
一旦触发更改检测,您的 div 将被渲染并可见。当检测到更改时,将再次运行整个生命周期。
如果你想运行一些东西,你应该挂钩生命周期的事件之一。我建议AfterViewInit
。
既然你知道怎么做,让我们看看你应该怎么做。
在您的情况下,您应该使用模板引用创建 div 。这将允许您引用元素并让您能够检查显示或隐藏的 div。
这是一个堆栈闪电战,向您展示它是如何工作的,这里是代码:
import { Component, ViewChildren, QueryList, ElementRef } from '@angular/core';
@Component({
selector: 'my-app',
template: `
<div *ngFor="let item of [0, 1, 2, 3, 4, 5]; let i = index">
<span *ngIf="i === show" #shownDiv [id]="'div-' + i">{{ item }}</span>
</div>
`
})
export class AppComponent {
name = 'Angular 6';
show = 0;
@ViewChildren('shownDiv') divs: QueryList<ElementRef>;
ngOnInit() {
setInterval(() => {
this.show++;
if (this.show > 5) {
this.show = 0;
}
}, 1000);
}
ngAfterViewChecked() {
let shown = this.divs.find(div => !!div);
console.log('DIV shown is ' + (shown.nativeElement as HTMLSpanElement).id);
// Now that you know which div is shown, you can run whatever piece of code you want
}
}
这可能是一种解决方法。它可能不是最好的,但会起作用。
在 html 文件中,
<div *ngIf="show()"> </div>
在组件 TS 文件中,
show(){
if(test){ //condition for showing the div
myVariable = true;
return true;
}
else
return false;
}
我想以 Rachit 的回答为基础。
<div *ngIf="test"><ng-container *ngIf="runShow && show()"></ng-container></div>
并在组件中
this.runShow = true;
//show always returns true.
show() {
//Return if not running. Shouldn't be needed as runShow proceeds show in the template.
if(!this.runShow) {
return true;
}
//Do modifications...
this.runShow = false;
return true;
show()
只有在测试是真实的情况下才会运行,并且会在一次迭代后自行关闭(当然,您可以更改this.runShow
为基于某些东西)。一个重要的问题是 until this.runShow == false
,每次组件检测到更改时都会运行它,不多也不少。我们将 show() 放在它自己的 ng-container 中,这样它就不会影响 DOM 并在测试渲染后运行。
一个解决方案是使用@ViewChildren
并订阅in的changes
Observable ,也可以避免(例如,如果您想在 div 可见时更改模板中使用的属性,则会发生这种情况),您可以像这样使用:QueryList
ngAfterViewInit()
ExpressionChangedAfterItHasBeenCheckedError
detectChanges()
ChangeDetectorRef
@Component({
selector: "my-app",
template: `
<div *ngIf="num % 10 === 0" #doSomethingWhenVisibleDIV>
Show some content
</div>
<div *ngIf="showOtherDiv">Show different content here</div>
`,
styleUrls: ["./app.component.css"]
})
export class AppComponent implements OnInit, AfterViewInit, OnDestroy {
num: number = 0;
showOtherDiv: boolean = false;
private subscription: Subscription;
@ViewChildren("doSomethingWhenVisibleDIV") divs: QueryList<ElementRef>;
constructor(private changeDetectorRef: ChangeDetectorRef) {}
ngOnInit() {
setInterval(() => this.num++, 1000);
}
ngAfterViewInit() {
this.subscription = this.divs.changes.subscribe({
next: () => {
if (this.divs.length > 0) {
this.showOtherDiv = !this.showOtherDiv;
this.changeDetectorRef.detectChanges();
}
}
});
}
ngOnDestroy() {
this.subscription.unsubscribe();
}
}