不要在每个 formControl 上标记验证器,而是为电话号码创建一个嵌套组并将验证器应用于该组。在这个示例中,我将在整个表单上应用验证器。
此外,在应用验证器时,我们需要null
在字段有效时返回。
此外,由于您使用的是 Angular 材质,我们需要添加一个ErrorStateMatcher
才能显示mat-errors
. mat-errors
仅当验证器设置为表单控件时才显示,而不是表单组。
您的代码应如下所示:
createFormGroup() {
this.myForm = this.fb.group({
mobile : new FormControl(''),
homePhone : new FormControl('')
// our custom validator
}, { validator: this.atLeastOnePhoneRequired});
}
atLeastOnePhoneRequired(group : FormGroup) : {[s:string ]: boolean} {
if (group) {
if(group.controls['mobile'].value || group.controls['homePhone'].value) {
return null;
}
}
return {'error': true};
}
错误状态匹配器:
export class MyErrorStateMatcher implements ErrorStateMatcher {
isErrorState(control: FormControl | null, form: FormGroupDirective | NgForm | null): boolean {
const controlTouched = !!(control && (control.dirty || control.touched));
const controlInvalid = !!(control && control.invalid);
const parentInvalid = !!(control && control.parent && control.parent.invalid && (control.parent.dirty || control.parent.touched));
return (controlTouched && (controlInvalid || parentInvalid));
}
}
您在组件中使用以下标记:
matcher = new MyErrorStateMatcher();
然后在两个输入字段上将其标记到您的模板中。另请注意*ngIf
显示验证消息的外观:
<mat-form-field>
<input matInput placeholder="Mobile" formControlName="mobile" [errorStateMatcher]="matcher">
<mat-error *ngIf="myForm.hasError('error')">
"Enter either phone number"
</mat-error>
</mat-form-field>
<mat-form-field>
<input matInput placeholder="Home Phone" formControlName="homePhone" [errorStateMatcher]="matcher">
<mat-error *ngIf="myForm.hasError('error')">
"Enter either phone number"
</mat-error>
</mat-form-field>
StackBlitz