Угловой пользовательский асинхронный валидатор, возвращающий {Zone symbol state: null, Zone symbol value: Array (0)}

Я пытаюсь реализовать пользовательские валидаторы. В неасинхронным один (cannotContainSpaces) работает просто отлично. Асинхронные один (shouldBeUnique), который, да, тривиален на данный момент, должен возвращать обещание, как я понимаю, которое объект валидатора должен разрешить. Это не так. Коллекция ошибок в formControl username показывает это в консоли:

{__zone_symbol__state: null, __zone_symbol__value: Array(0)}

форма компонента:

import { CustomValidators } from './custom.validators';
import { Component, Input } from '@angular/core';
import { FormGroup, FormControl, Validators } from '@angular/forms';

@Component({
  selector: 'signup-form',
  templateUrl: './signup-form.component.html',
  styleUrls: ['./signup-form.component.css']
})
export class SignupFormComponent {

  form = new FormGroup({
    username: new FormControl('', [ 
       CustomValidators.cannotContainSpaces,
       CustomValidators.shouldBeUnique
      //  Validators.email, 
    ]),
    password: new FormControl('', Validators.required)
  })

  get username() {
    return this.form.get('username');
  }

  keyPressed(){
    console.log(this.username.errors)
  }

}

пользовательский валидатор метод:

import { AbstractControl, ValidationErrors } from "@angular/forms";

export class CustomValidators {
    static cannotContainSpaces(control: AbstractControl) : ValidationErrors | null {
        if ((<string>control.value).indexOf(' ') >= 0)
            return { cannotContainSpaces: true};
        return null;
    }

    static shouldBeUnique(control: AbstractControl) : Promise<ValidationErrors | null> {
        return new Promise((resolve, reject) => {
            setTimeout(function() {
                if (control.value === 'treve')
                    resolve({shouldBeUnique: true});
                else resolve(null);
            }, 2000);
        });
    }
}

соответствующий HTML:

<form [formGroup]="form">
    <div class="form-group">
        <label for="username">Username</label>
        <input 
            (keyup) = "keyPressed()" (blur) = "keyPressed()"
            formControlName="username"
            id="username" 
            type="text" 
            class="form-control">
        <div *ngIf="username.touched && username.invalid" class="alert alert-danger">
            <div *ngIf="username.errors.cannotContainSpaces">Username must not contain spaces</div>
            <div *ngIf="username.errors.shouldBeUnique">Sorry, that username has been taken</div>
        </div>
    </div>

1 ответов


асинхронность валидаторы должны быть установлены в качестве третьего аргумента:

username: ['', [sync validators here], [async validators here]]

поэтому измените следующее:

username: new FormControl('', 
  [ 
   CustomValidators.cannotContainSpaces,
   CustomValidators.shouldBeUnique
  ]),

в:

username: new FormControl('', 
   [CustomValidators.cannotContainSpaces],
   [CustomValidators.shouldBeUnique]
),

демо:http://plnkr.co/edit/OceHbSl3atPHdcvNRQDs?p=preview