如何将参数传递给异步验证器以进行反应式 angular 控制?
How to pass params to async validator for reactive angular control?
问题,
我在 read/edit 例程中使用相同的组件。 async-validator
与新条目完美配合。如果用户不小心更改了值并试图恢复到保存的值,问题就会出现。我当前的代码将 运行 无论如何 returns 现有的值。我想传递更多数据和控制值,这样我就可以验证该对值是否已经存在。
我贴出相关代码,
这是我的 form control
,
patientEmail: new FormControl(
null,
[Validators.email, Validators.required],
FormControlValidator.createEmailAsyncValidator(
this.asyncValidatorService
),
),
我的异步验证器创建者 class 是,
export class FormControlValidator {
static createEmailAsyncValidator(asyncValidatorService: AsyncValidationService) {
return (control: AbstractControl) => {
if (!control.pristine) {
control.markAsPristine();
return asyncValidatorService
.validateEmailNotTaken(control)
.map((response: HttpResponse<boolean>) => {
return !response.body ? null : { taken: true };
});
}
return Observable.of(null);
};
}
最后是我的服务,
@Injectable()
export class AsyncValidationService {
constructor(private httpService: HttpClientService) {}
public validateEmailNotTaken(control: AbstractControl) {
return this.httpService.getRequest(
'PatientsRegistration/IsPatientEmailExist?email=' + control.value,
);
}
}
我希望能够将另一个参数传递给我的 createEmailAsyncValidator
,如果可能的话,类似于表单中的另一个控件值。
如果需要基于另一个控件验证控件,则需要将验证器提升到父控件。下面是一个验证器示例,它检查电子邮件是否以人名(另一个控制值)开头。
app.component.ts
import { Component } from '@angular/core';
import {FormBuilder, FormControl, FormGroup, ValidatorFn} from '@angular/forms'
const personalEmailValidator: ValidatorFn = (ctrl: FormGroup) => {
const email = ctrl.get('email') as FormControl;
const name = ctrl.get('name') as FormControl;
const valid = (email.value || '').startsWith(name.value);
return valid ? null : { personalEmailError: 'Email must start with a person name'}
}
@Component({
selector: 'my-app',
templateUrl: './app.component.html',
styleUrls: [ './app.component.css' ]
})
export class AppComponent {
form: FormGroup;
constructor(private fb: FormBuilder) {
this.form = this.fb.group({
email: [null],
name: [null]
}, { validator: personalEmailValidator })
}
}
app.component.html
<input [formControl]="form.get('name')" placeholder="name" />
<input [formControl]="form.get('email')" placeholder="email" />
{{ form.hasError('personalEmailError') ? form.getError('personalEmailError') : 'form is valid'}}
所以我以另一种方式工作,受到
的启发
我创建了一个实现了 AsyncValidator
接口的 Async Directive
,
我将额外的参数作为对象传递,在我的例子中它看起来像这样,
{
coupledControl: AbstractControl,
method: {
apiUrl: string
}
}
这是我的 directive
代码,
import { Directive, forwardRef, Input } from '@angular/core';
import { NG_ASYNC_VALIDATORS, Validator, AbstractControl } from '@angular/forms';
import { Observable } from 'rxjs/Observable';
import { HttpClientService } from '../../../../../shared/services/httpclient.service';
import { HttpResponse } from '@angular/common/http';
import { IAsyncMethod } from './../interfaces/async-methods-interface';
@Directive({
// tslint:disable-next-line:directive-selector
selector: '[asyncValidator][formControlName], [asyncValidator][ngModel]',
providers: [
{
provide: NG_ASYNC_VALIDATORS,
useExisting: forwardRef(() => AsynValidatorDirective),
multi: true,
},
],
})
export class AsynValidatorDirective implements Validator {
@Input() asyncValidator: { coupledControl: AbstractControl; method: IAsyncMethod };
validate(
control: AbstractControl,
): Promise<{ [key: string]: any }> | Observable<{ [key: string]: any }> {
return this.validateIsExistAsync(control);
}
constructor(private httpService: HttpClientService) {}
validateIsExistAsync(control: AbstractControl) {
if (!control.pristine) {
const coupledControl: AbstractControl = this.asyncValidator.coupledControl;
const method: IAsyncMethod = this.asyncValidator.method;
return this.httpService
.getRequest(method.apiUrl + '?control=' + control.value + '&id=' + coupledControl.value)
.map((response: HttpResponse<boolean>) => {
return !response.body ? null : { asyncInvalid: true };
});
}
return Observable.of(null);
}
}
在我的 HTML
,
<input [asyncValidator]="{coupledControl: patientRestrationForm.get('patientFileId'), method: this.asyncMethods.validatePatientEmail }" [errorStateMatcher]="matcher" matInput autocomplete="off" formControlName="patientEmail">
在我的后端我检查存在和匹配,简单的逻辑!
欢迎任何意见,
问题,
我在 read/edit 例程中使用相同的组件。 async-validator
与新条目完美配合。如果用户不小心更改了值并试图恢复到保存的值,问题就会出现。我当前的代码将 运行 无论如何 returns 现有的值。我想传递更多数据和控制值,这样我就可以验证该对值是否已经存在。
我贴出相关代码,
这是我的 form control
,
patientEmail: new FormControl(
null,
[Validators.email, Validators.required],
FormControlValidator.createEmailAsyncValidator(
this.asyncValidatorService
),
),
我的异步验证器创建者 class 是,
export class FormControlValidator {
static createEmailAsyncValidator(asyncValidatorService: AsyncValidationService) {
return (control: AbstractControl) => {
if (!control.pristine) {
control.markAsPristine();
return asyncValidatorService
.validateEmailNotTaken(control)
.map((response: HttpResponse<boolean>) => {
return !response.body ? null : { taken: true };
});
}
return Observable.of(null);
};
}
最后是我的服务,
@Injectable()
export class AsyncValidationService {
constructor(private httpService: HttpClientService) {}
public validateEmailNotTaken(control: AbstractControl) {
return this.httpService.getRequest(
'PatientsRegistration/IsPatientEmailExist?email=' + control.value,
);
}
}
我希望能够将另一个参数传递给我的 createEmailAsyncValidator
,如果可能的话,类似于表单中的另一个控件值。
如果需要基于另一个控件验证控件,则需要将验证器提升到父控件。下面是一个验证器示例,它检查电子邮件是否以人名(另一个控制值)开头。
app.component.ts
import { Component } from '@angular/core';
import {FormBuilder, FormControl, FormGroup, ValidatorFn} from '@angular/forms'
const personalEmailValidator: ValidatorFn = (ctrl: FormGroup) => {
const email = ctrl.get('email') as FormControl;
const name = ctrl.get('name') as FormControl;
const valid = (email.value || '').startsWith(name.value);
return valid ? null : { personalEmailError: 'Email must start with a person name'}
}
@Component({
selector: 'my-app',
templateUrl: './app.component.html',
styleUrls: [ './app.component.css' ]
})
export class AppComponent {
form: FormGroup;
constructor(private fb: FormBuilder) {
this.form = this.fb.group({
email: [null],
name: [null]
}, { validator: personalEmailValidator })
}
}
app.component.html
<input [formControl]="form.get('name')" placeholder="name" />
<input [formControl]="form.get('email')" placeholder="email" />
{{ form.hasError('personalEmailError') ? form.getError('personalEmailError') : 'form is valid'}}
所以我以另一种方式工作,受到
我创建了一个实现了 AsyncValidator
接口的 Async Directive
,
我将额外的参数作为对象传递,在我的例子中它看起来像这样,
{
coupledControl: AbstractControl,
method: {
apiUrl: string
}
}
这是我的 directive
代码,
import { Directive, forwardRef, Input } from '@angular/core';
import { NG_ASYNC_VALIDATORS, Validator, AbstractControl } from '@angular/forms';
import { Observable } from 'rxjs/Observable';
import { HttpClientService } from '../../../../../shared/services/httpclient.service';
import { HttpResponse } from '@angular/common/http';
import { IAsyncMethod } from './../interfaces/async-methods-interface';
@Directive({
// tslint:disable-next-line:directive-selector
selector: '[asyncValidator][formControlName], [asyncValidator][ngModel]',
providers: [
{
provide: NG_ASYNC_VALIDATORS,
useExisting: forwardRef(() => AsynValidatorDirective),
multi: true,
},
],
})
export class AsynValidatorDirective implements Validator {
@Input() asyncValidator: { coupledControl: AbstractControl; method: IAsyncMethod };
validate(
control: AbstractControl,
): Promise<{ [key: string]: any }> | Observable<{ [key: string]: any }> {
return this.validateIsExistAsync(control);
}
constructor(private httpService: HttpClientService) {}
validateIsExistAsync(control: AbstractControl) {
if (!control.pristine) {
const coupledControl: AbstractControl = this.asyncValidator.coupledControl;
const method: IAsyncMethod = this.asyncValidator.method;
return this.httpService
.getRequest(method.apiUrl + '?control=' + control.value + '&id=' + coupledControl.value)
.map((response: HttpResponse<boolean>) => {
return !response.body ? null : { asyncInvalid: true };
});
}
return Observable.of(null);
}
}
在我的 HTML
,
<input [asyncValidator]="{coupledControl: patientRestrationForm.get('patientFileId'), method: this.asyncMethods.validatePatientEmail }" [errorStateMatcher]="matcher" matInput autocomplete="off" formControlName="patientEmail">
在我的后端我检查存在和匹配,简单的逻辑!
欢迎任何意见,