Angular 2 个自定义验证器,用于检查何时需要两个字段之一

Angular 2 custom validator to check when either one of the two fields is required

我正在尝试实现自定义验证器功能来检查是否输入了 Phone 号码(家庭 Phone 和手机)。当它们都被触摸但没有有效值时,我想在两个字段上显示错误消息,由于某种原因我的代码没有按预期工作。请帮我解决这个问题。 -谢谢! 这是 stackblitz link https://stackblitz.com/edit/angular-ve5ctu

createFormGroup() {
   this.myForm = this.fb.group({
     mobile : new FormControl('', [this.atLeastOnePhoneRequired]),
     homePhone : new FormControl('', [this.atLeastOnePhoneRequired])
   });
}

atLeastOnePhoneRequired(control : AbstractControl) : {[s:string ]: boolean} {
  const group = control.parent;
  if (group) {
    if(group.controls['mobile'].value || group.controls['homePhone'].value) {
      return;
    }
  }
  let errorObj = {'error': false};
  return errorObj;
}

不是在每个 formControl 上标记验证器,而是为 phone 数字创建一个嵌套组并将验证器应用于该组。在此示例中,我将只对整个表单应用验证器。

此外,在应用验证器时,我们需要在字段有效时 return null

此外,由于您使用的是 Angular material,我们需要添加一个 ErrorStateMatcher 才能显示 mat-errorsmat-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