*有很多类似的问题,但是我没有找到一个真正的副本来回答我的问题,如果我错过了一些东西,抱歉。
我的页面上有多个输入/按钮(重复相同的组件),单击按钮时需要专注于正确的输入。
我尝试了elementRef,nativeElement的变体,重点是基于ID ...但是我只能让它专注于DOM中的第一个或特定对象...
<ng-template #myTemplate let-context="context">
<input #foo [id]="'myInput'+context.id" />
<button class="btn" [id]="'btnAction'+context.id (click)="focusOnInput()"></button>
</ng-template>
哪个在DOM中呈现如下:
<input #foo id="myInput1" />
<button class="btn" id="btnAction1></button>
<input #foo id="myInput2" />
<button class="btn" id="btnAction2></button>
<input #foo id="myInput3" />
<button class="btn" id="btnAction3></button>
这是我一直在尝试的:
@ViewChild("foo") focusOnThis: ElementRef;
focusOnInput(): void {
this.focusOnThis.nativeElement.focus();
}
所需行为: 单击按钮时,将焦点放在相应的输入上。 目前,它仅关注第一个或我指定的ID ...
答案 0 :(得分:2)
您可以在按钮点击处理程序中调用foo.focus()
。由于模板引用变量#foo
的范围是模板实例,因此它将引用同级输入元素。
<ng-template #myTemplate let-context="context">
<input #foo />
<button class="btn" (click)="foo.focus()"></button>
</ng-template>
有关演示,请参见this stackblitz。
如果需要通过方法设置焦点,请将foo
作为参数传递给它:
<ng-template #myTemplate let-context="context">
<input #foo />
<button class="btn" (click)="focusOnInput(foo)"></button>
</ng-template>
focusOnInput(input): void {
// Do something else here
...
input.focus();
}
答案 1 :(得分:0)
如何使用具有id的数据属性并从中获取输入?
<ng-template #myTemplate let-context="context">
<input [attr.data-group]="context.id" />
<button class="btn" [attr.data-group]="context.id" (click)="focusOnInput($event)"></button>
</ng-template>
<input data-group="1" />
<button class="btn" data-group="1"></button>
<input data-group="2" />
<button class="btn" data-group="2"></button>
<input data-group="3" />
<button class="btn" data-group="3"></button>
// component constructor
constructor(
private readonly elementRef: ElementRef,
// ...
) {
// ...
}
focusOnInput(event: MouseEvent): void {
const groupId = (<HTMLElement>event.target).dataset.group;
const input = this.elementRef.nativeElement.querySelector(`input[data-group="${groupId}"]`);
input.focus();
}