我正在尝试为我的注册表单创建一个自定义的异步验证器,它在其中检查电子邮件是否已经存在。如果电子邮件不存在,则后端返回404,如果电子邮件不存在,则返回200(无法更改此旧代码)。
我找到了一些教程,但是没有使用最新的rxjs库。我创建了这个Validation类:
export class UniqueEmailValidator {
static createValidator(httpClient: HttpClient, degree: number, wlId: number) {
return (control: AbstractControl) => {
return httpClient.get(`${url}?degree=${degree}&email=${control.value}&wl_id=${wlId}`)
.pipe(
map(
(response: Response) => {
return response.status === 404 ? null : { emailNotUnique: true };
}
)
);
};
}
}
并在我的ts文件中创建我正在使用的表单
this.registerForm = this.fb.group({
email: ['', [Validators.required, Validators.email], UniqueEmailValidator.createValidator(
this.httpClient, this.wlService.wl.degree, this.wlService.wl.id)],
xhr调用已完成并正确返回,但是电子邮件的表单控件保持为待处理状态。对我做错了什么想法?
答案 0 :(得分:0)
经过一段时间的研究,终于弄清楚了。
验证类:
@Injectable()
export class UniqueEmailValidator {
constructor(private http: HttpClient) {}
searchEmail(email: string, degree: number, wlId: number) {
return timer(1000)
.pipe(
switchMap(() => {
// Check if email is unique
return this.http.get<any>(`${url}?degree=${degree}&email=${email}&wl_id=${wlId}`);
})
);
}
createValidator(degree: number, wlId: number): AsyncValidatorFn {
return (control: AbstractControl): Observable<{ [key: string]: any } | null> => {
return this.searchEmail(control.value, degree, wlId)
.pipe(
map(
(response: Response) => {
return null;
},
),
catchError(
(err: any) => {
return err.status === 404 ? of(null) : of({ emailNotUnique: true });
},
),
);
};
}
}
不确定计时器是否可以更改,但是我在文章中找到了它,并且可以正常工作。很乐意对此进行确认。
基本上我正在执行catchError,因为来自后端的响应返回404并再次从catchError返回一个可观察的对象。
然后在表单创建中,我正在做
this.registerForm = this.fb.group({
email: ['', [Validators.required, Validators.email], this.uniqueEmailValidator.createValidator(
this.wlService.wl.degree, this.wlService.wl.id
)],
然后我在模块中添加了UniqueEmailValidator作为提供程序,并注入了此组件构造函数中。