Creating custom field validator in Angular template driven form
March 25, 2025 11:47 PM
In this article, we will be creating a custom field validator for our password input field. We already have some attributes such as maxlength, minlength, required that are applied to the form field and will ensure that certain business validation is applied to the form. But in our case, we are going to build a password strength validator for our password field. We want to make sure that password is not only field but it also has lowercase character, uppercase character, numeric and some special character as well.
We are going to add a new password strength attribute that is applied to this form password input field. It will make that this password input field is valid if it has a password strength. We will also be displaying error messaging for the user indicating the current problem with the entered password.
Things to do, we are going to implement an angular directive that is going to be linked to the password strength attribute. It works in the similar way if we compare with the default pre-built validators "minlength, required etc." we have been using with the input fields. For each of these validators, there is a angular directive that is getting applied here to the input field, Each of these custom directive is then going to have a validator function that is going to use to determine if the value of the field is valid or not.
Let's break this implementation into the multiple steps.
we are going to implement our validator function and after that we are going to use it to implement our password strength directive.
Let's start creating a validator function, for that we have to add one folder in the app with the name "validators" and then new file "passwordStrength.validator.ts"
In the above code, we have just created a function named as passwordStrengthValidator and its return type will be a ValidatorFn. The return will not be a validator function itself but a factory function that returns a function. As we know that the factory function returns an another function. Here also this Validator function will return another function which will accepts a parameter as a control of type Abstract Control. The return type of this function will be the ValidationError or null. ValidationError defines a map of errors returned from failed validator checks.
You may ask about this AbstractControl type and why we are using it as control type. Since, the control is going to be nothing but a form field control which will have all the characteristic as similar to angular form control. So, it will have value property, errors, setValue, patchValue etc. AbstractControl is the base class for the form controls which we use in Angular form. So it is a base class which represents each element in the form either it is single input field FormControl or group of fields FormGroup or array of fields FormArray. All of them inherits from this class. So this is Abstract(common) structure which will provide all the properties and methods a form control should have.
While building a custom validator we are using this AbstractControl type so it will give us access to the all the existing behaviour(value, valid, invalid, errors, touched, dirty, setValue, patchValue etc.) of a angular form control.
we call it Abstract because we are not directly using it but we implement it for FormControl, FormGroup, FormArray.
Part 1 Here is the complete code
import { AbstractControl, ValidationErrors, ValidatorFn } from "@angular/forms";
export function passwordStrengthValidator(minLength: number = 8): ValidatorFn {
return (control: AbstractControl): ValidationErrors | null => {
const value = control.value;
if (!value) return null;
const errors: { [key: string]: any } = {};
if (value.length < minLength) {
errors['minLength'] = {
requiredLength: minLength,
actualLength: value.length
};
}
if (!/[A-Z]+/.test(value)) {
errors['noUpperCase'] = true;
}
if (!/[a-z]+/.test(value)) {
errors['noLowerCase'] = true;
}
if (!/[0-9]+/.test(value)) {
errors['noNumeric'] = true;
}
// you can also add for special characters
//!/[!@#$%^&*()_+\-=\[\]{};':"\\|,.<>\/?]+/.test(value)
return Object.keys(errors).length ? { ...errors, passwordStrength: true } : null;
}
}
Now, if we want we can directly use this validator inside the Reactive form of our component. This will be a synchronous validator. By the way we are using Template driven form but you can use it in the same way as we will be using here.
ngOnInit() {
this.myForm = new FormGroup({
password: new FormControl('', [
Validators.required,
passwordStrengthValidator(8) // Use the validator with minLength 8
])
});
}
// in the html template file, add like this<div *ngIf="myForm.get('password').errors['noUpperCase']">Password must contain at least one uppercase letter.</div>
But as we know we are trying to create a custom validator which can be attached to the input field as a attribute. So we have to approach it in a different manner.
Part 2 - Implementing a custom validation directive.
Now we are going to implement a custom validation directive for template driven form. This directive will be indirectly calling our password validator function for validation check. So it will work in a similar way like "required" directive on the input field.
Let's create a new folder with name "directives" and one new file with name "password-strength.directive.ts" in the same folder.
import { Directive } from "@angular/core";
import { AbstractControl, ValidationErrors, Validator } from "@angular/forms";
import { passwordStrengthValidator } from "../validators/passwordStrength.validator";
@Directive({
selector: "[passwordStrength]"
})
export class PasswordStrengthDirective implements Validator {
validate(control: AbstractControl): ValidationErrors | null {
// passing the min length and the passing control to the output of it.
return passwordStrengthValidator(8)(control)
}
}
Here in the above code we have created a directive and its selector name is passed between the square bracket as it is a attribute directive.
This directive implements a special Validator directive and this will allow this directive to validate our form field.
Since we have implemented the validator interface, we will have to implement its validate method. This method will accept a parameter as a control with type AbstractControl which is the base class for all the input fields in the angular.
At last this method will be returning the set of of validationErrors or null if no errors. This signature is very similar to the signature we have seen in the password strength validator function.
Since the signature is same, I hope you have guessed it well. We will be invoking and returing the result of our passwordStrengthValidator function here.
Part 3 - Register our Directive in the import array of the Module or In the component in the case of standalone.
Note the directive should be standalone if it is intended to be used in the standalone component.
import { FormsModule, NgForm } from '@angular/forms';
import { PasswordStrengthDirective } from '../directives/password-strength.directive';
@Component({
selector: 'app-login',
standalone: true,
imports: [FormsModule, JsonPipe, CommonModule, PasswordStrengthDirective],
templateUrl: './login.component.html',
styleUrl: './login.component.scss',
})
export class LoginComponent {
login(form: NgForm, submitEvent: Event) {
const formValues = form.value;
}
}
Now you must be thinking we are done with this directive and we can test it as we have already attached the directive selector name to our input control field. But it will not work as it does require some futher modifcations.
Part 4 : Informing Angular that this directive is not a normal one but its a form field validation directive (Most important part)
We have to use now Angular dependency injection System (DI) to register this directive as a form field directive. We will be doing that in the providers array.
@Directive({
selector: '[passwordStrength]',
standalone: true,
providers: [
{
provide: NG_VALIDATORS,
useExisting: PasswordStrengthDirective,
multi: true,
},
],
})
export class PasswordStrengthDirective implements Validator {
constructor() {
}
validate(control: AbstractControl): ValidationErrors | null {
// passing the min length and the passing control to the output of it.
return passwordStrengthValidator(8)(control);
}
}
Let's talk about the explaination of this part.
These modifications register the directive as part of Angular's existing form validation system or adding to the list of directive which Angular framework already knows for form validations..
standalone: true
:- Indicates that this directive is a standalone directive and does not need to be declared in an Angular module.
provide: NG_VALIDATORS
:- This registers the PasswordStrengthDirective as a custom validator in Angular's validation system.
- NG_VALIDATORS is a predefined token in Angular that represents all validators.
useExisting: PasswordStrengthDirective
:- Specifies that the PasswordStrengthDirective itself should be used as the validator.
- This means Angular will call the validate method of the PasswordStrengthDirective whenever validation is needed.
multi: true
:- Ensures that this directive is added to the list of existing validators, rather than replacing them.
- So we want to add one more value linked to the same key.
- This allows multiple validators to work together on the same form control.
- There are multiple types of directives that are used for form validation, with multi: true, we say this is one more.
validate(control: AbstractControl): ValidationErrors | null
:- This method is called automatically by Angular when the form control's value changes.
- It uses the passwordStrengthValidator function to validate the control's value.
- The passwordStrengthValidator(8) function is called with a minimum length of 8, and the returned validator function is executed with the control.
Benefits of This Approach
Reusability:
- The PasswordStrengthDirective can be applied to any form control without duplicating validation logic.
Separation of Concerns:
- The directive encapsulates the password strength validation logic, keeping the component code clean.
Customizability:
- You can easily modify the passwordStrengthValidator function to include additional validation rules or change the minimum length.
Integration with Angular Forms:
- The directive integrates seamlessly with both template-driven and reactive forms.
We can take one more practical example. Let's say we dont want username and password to have the same value and we want to make a custom validator for it.
export function matchFieldsValidator(field1: string, field2: string) {In Angular Reactive Form
return (control: AbstractControl): ValidationErrors | null => {
const value1 = control.get(field1)?.value;
const value2 = control.get(field2)?.value;
return value1 && value2 && value1 === value2 ? { matchFields: true } : null;
};
}
// Form
form = this.fb.group({
username: ['', Validators.required],
password: ['', Validators.required]
}, { validators: matchFieldsValidator('username', 'password') });
We can take one more example, let's say we want to build a custom validator where minlength should be specific value and admin as a value should not be used
Step 1 : Build custom validator
import { AbstractControl, ValidationErrors } from '@angular/forms';
// this function will check username
export function noAdminValidator(control: AbstractControl): ValidationErrors | null {
const value = control.value || '';
if (value.toLowerCase() === 'admin') {
return { noAdmin: true }; // returns Error if "admin" found
}
return null; // Valid hai to null
}
Step: 2 Build a Directive and integrate your custom validator
import { Directive } from '@angular/core';
import { NG_VALIDATORS, Validator, AbstractControl } from '@angular/forms';
@Directive({
selector: '[noAdmin]', // Is directive ko HTML mein use karenge
providers: [
{ provide: NG_VALIDATORS, useExisting: NoAdminDirective, multi: true }
],
standalone: true // Angular 19 mein standalone support
})
export class NoAdminDirective implements Validator {
validate(control: AbstractControl): ValidationErrors | null {
return noAdminValidator(control); // Validation logic yaha call hota hai
}
}
Step 3: Use it in your form and show error
<form #myForm="ngForm">
<input
type="text"
name="username"
ngModel
required
minlength="5"
noAdmin
#username="ngModel">
<div *ngIf="username.errors?.['noAdmin']">Username cannot be 'admin'.</div>
<div *ngIf="username.errors?.['minlength']">Username must be at least 5 characters.</div>
<div *ngIf="username.errors?.['required']">Username is required.</div>
</form>
You can also use it in the reactive form
import { Component } from'@angular/core';
import { FormBuilder,Validators } from'@angular/forms';
@Component({
selector:'app-my-form',
template:`
<form [formGroup]="form">
<input formControlName="username">
<div *ngIf="form.get('username')?.hasError('noAdmin')">Username cannot be 'admin'.</div>
</form>
`,
standalone:true,
imports:[ReactiveFormsModule]
})
export class MyFormComponent {
form = this.fb.group({
username:['',[Validators.required, Validators.minLength(5), noAdminValidator]]
});
constructor(privatefb:FormBuilder) {}
}
Comments