我正在尝试将自定义验证器实现到通用验证器类中,基本上我知道要在纯类中编写普通的自定义验证器,但是在编写通用验证器类时会遇到一些困惑。如果有人知道,请帮帮我。
这是我的generic-validator.ts文件
import { FormGroup } from '@angular/forms';
// Generic validator for Reactive forms
// Implemented as a class, not a service, so it can retain state for multiple forms.
export class GenericValidator {
// Provide the set of valid validation messages
// Stucture:
// controlName1: {
// validationRuleName1: 'Validation Message.',
// validationRuleName2: 'Validation Message.'
// },
// controlName2: {
// validationRuleName1: 'Validation Message.',
// validationRuleName2: 'Validation Message.'
// }
constructor(private validationMessages: { [key: string]: { [key: string]: string } }) {
}
// Processes each control within a FormGroup
// And returns a set of validation messages to display
// Structure
// controlName1: 'Validation Message.',
// controlName2: 'Validation Message.'
processMessages(container: FormGroup): { [key: string]: string } {
let messages = {};
for (let controlKey in container.controls) {
if (container.controls.hasOwnProperty(controlKey)) {
let c = container.controls[controlKey];
// If it is a FormGroup, process its child controls.
if (c instanceof FormGroup) {
let childMessages = this.processMessages(c);
Object.assign(messages, childMessages);
} else {
// Only validate if there are validation messages for the control
if (this.validationMessages[controlKey]) {
messages[controlKey] = '';
if ((c.dirty || c.touched) &&
c.errors) {
for (let messageKey in c.errors) {
if (c.errors.hasOwnProperty(messageKey) &&
this.validationMessages[controlKey][messageKey]) {
messages[controlKey] += this.validationMessages[controlKey][messageKey];
}
}
}
}
}
}
}
return messages;
}
}
以下是我用于自定义验证程序的参数 即说:'22,3333,4,555,66',[2,5] 第一个是逗号分隔的字符串...可能有2或5个长项 这里的条件是每个逗号化的字符串必须> 2。
答案 0 :(得分:0)
当我编写自定义验证器时,通常将其与反应形式一起使用。我的自定义验证器位于从@ angular / forms模块扩展验证器的类中。 这样,如果验证成功,则返回null;如果验证失败,则返回对象。以下检查无效字符。
import { FormControl, Validators, ValidatorFn } from '@angular/forms';
// setup simple regex for white listed characters
const validCharacters = /[^\s\w,.:&\/()+%'`@-]/;
// create your class that extends the angular validator class
export class CustomValidators extends Validators {
// create a static method for your validation
static invalidateCharacters(control: FormControl) {
// first check if the control has a value
if (control.value && control.value.length > 0) {
// match the control value against the regular expression
const matches = control.value.match(invalidCharacters);
// if there are matches return an object, else return null.
return matches && matches.length ? { invalid_characters: matches } : null;
} else {
return null;
}
}
}
制作一个FormErrorService来构建您的错误消息:
import { Injectable } from '@angular/core';
import { FormGroup } from '@angular/forms';
@Injectable()
export class FormErrorService {
// return list of error messages
public validationMessages() {
const messages = {
required: 'This field is required',
email: 'This email address is invalid',
is1980OrLater: 'Please enter a date that is after 01/01/1980.',
maxDateFailed: (failText: string) => {
return failText;
},
minDateFailed: (failText: string) => {
return failText;
},
invalid_characters: (matches: any[]) => {
let matchedCharacters = matches;
matchedCharacters = matchedCharacters.reduce((characterString, character, index) => {
let string = characterString;
string += character;
if (matchedCharacters.length !== index + 1) {
string += ', ';
}
return string;
}, '');
return `These characters are not allowed: ${matchedCharacters}`;
},
};
return messages;
}
// Validate form instance
// check_dirty true will only emit errors if the field is touched
// check_dirty false will check all fields independent of
// being touched or not. Use this as the last check before submitting
public validateForm(formToValidate: FormGroup, formErrors: any, checkDirty?: boolean) {
const form = formToValidate;
for (const field in formErrors) {
if (field) {
formErrors[field] = '';
const control = form.get(field);
const messages = this.validationMessages();
if (control && !control.valid) {
if (!checkDirty || (control.dirty || control.touched)) {
for (const key in control.errors) {
if (key && key !== 'invalid_characters') {
formErrors[field] = formErrors[field] || messages[key];
} else {
formErrors[field] = formErrors[field] || messages[key](control.errors[key]);
}
}
}
}
}
}
return formErrors;
}
}
您要在其中构建表单的位置:
import {CustomValidators} from 'filepath';
import {FormErrorService} from 'formerrorservicepath';
myFormGroup: FormGroup;
public formErrors = {
myInput: ''
};
formErrors = [];
constructor(
public formErrorService: FormErrorService
) {}
// then in your ngOnInit
this.myFormGroup = new FormGroup({});
this.myFormGroup.addControl('myInput', new FormControl());
this.myFormGroup.get('myInput').setValidators(Validators.compose([CustomValidators.invalidCharacters]);
this.myFormGroup.valueChanges.subscribe(data => {
this.formErrors = [];
this.formErrors = this.formErrorService.validateForm(
this.myFormGroup,
this.formErrors,
true
);
})
现在在您的HTML中:
<form [formGroup]="myFormGroup">
<div>
<input type="text" formControlName="myInput"/>
<p *ngFor="let error of formErrors">
{{error}}
</p>
<button type="button" [diabled]="!myFormGroup.valid">Action Button</button>
</div>
</form>
答案 1 :(得分:0)
您可以尝试一个名为 ts.validator.fluent 的框架。通用对象验证。流利的规则。
https://github.com/VeritasSoftware/ts.validator
NPM软件包:
https://www.npmjs.com/package/ts.validator.fluent
还有一个 Angular 6 CLI应用来演示该框架:
https://github.com/VeritasSoftware/ts-validator-app-angular6
以下是使用框架验证TypeScript模型的示例:
/* Install npm package ts.validator.fluent and then import like below */
import { IValidator, Validator, ValidationResult } from 'ts.validator.fluent/dist';
/*TypeScript model*/
class Person {
Name: string;
}
/* Validation rules */
var validatePersonRules = (validator: IValidator<Person>) : ValidationResult => {
return validator
.NotEmpty(m => m.Name, "Name cannot be empty")
.ToResult();
};
/* Populate model */
var person = new Person();
person.Name = "John Doe";
/* Validate model */
/* Sync */
var validationResult = new Validator(person).Validate(validatePersonRules);
/* Async */
var validationResult = await new Validator(person).ValidateAsync(validatePersonRules);