我已经在Angular 6中创建了一个自定义input
组件。此输入组件可以是text
或number
类型。如果是数字,则需要验证min
和max
的值。
验证有效,但是输入的值第二次未更新。该模型将更新。
该组件如下所示:
<input [type]="type" [min]="min" [max]="max" (keyup)="change($event.target.value)" [value]="value">
那是keypress
上的 change 事件:
change(value: any): void {
if (this.max) {
if (value > this.max) {
this.value = this.max;
this.valueChange.emit(this.value);
return;
}
}
if (this.min) {
if (value < this.min) {
this.value = this.min;
this.valueChange.emit(this.value);
return;
}
}
this.value = value;
this.valueChange.emit(this.value);
}
那是我完整的InputComponent
import { Component, EventEmitter, Input, OnInit, Output } from '@angular/core';
@Component({
selector: 'app-custom-input',
templateUrl: 'input.component.html',
styleUrls: ['./input.component.scss']
})
export class InputComponent implements OnInit {
@Output() valueChange = new EventEmitter();
@Input() value: any = null;
@Input() type = 'text';
@Input() min: number;
@Input() max: number;
constructor() {}
ngOnInit() {}
change(value: any): void {
if (this.max) {
if (value > this.max) {
this.value = this.max;
this.valueChange.emit(this.value);
return;
}
}
if (this.min) {
if (value < this.min) {
this.value = this.min;
this.valueChange.emit(this.value);
return;
}
}
this.value = value;
this.valueChange.emit(this.value);
}
}
为什么输入值没有更新?模型正确更新。如果我调试代码,则会看到this.value
是期望的值,但在DOM中不是。
上图显示红色圆圈中的值也应在输入值中。如您所见,模型是正确的,但是输入值没有更新。
答案 0 :(得分:3)
将[value]
替换为ngModel
:
<input [type]="type" [min]="min" [max]="max" (keyup)="change($event.target.value)" [(ngModel)]="value">