Get Even More Visitors To Your Blog, Upgrade To A Business Listing >>

Validations in Angular Reactive Forms

Before submitting data to the server, it's really important to validate if it's in the expected format. In this Angular tutorial, you'll learn how to add validations in Angular Reactive forms.

Setting up the app

In one of our previous tutorials, you learned how to create a user registration form using reactive forms. Let's clone the source code we used there and use it for this tutorial.

git clone https://github.com/jay3dec/reactive-form-demo

Navigate to the project directory. You'll have two directories inside, form-app and form-server.

form-app is the Angular project directory. Navigate to the form-app directory and install the project dependencies using npm.

cd reactive-form-demo
cd form-app
npm install

Once you have the dependencies installed, you can run the app.

npm start

You will have the app running at localhost:4200.

Using Built In Validators

Let's first try some built in validators like required, minlength, maxlength.

this.userForm = this.formBuilder.group({
      firstName: ['', [Validators.required, Validators.pattern('^[a-zA-Z]+$')]],
      lastName: ['',[Validators.required, Validators.pattern('^[a-zA-Z]+$')]],
      email: ['', [Validators.required, Validators.email]]
    });

The form is already using required and pattern field validators. As the name implies required means that the field is required, and along with that the text entered must satisfy the pattern.

Let's add a couple of more built-in validators to the first name and last name field.

this.userForm = this.formBuilder.group({
      firstName: ['', [Validators.required, Validators.pattern('^[a-zA-Z]+$'), Validators.maxLength(10)]],
      lastName: ['',[Validators.required, Validators.pattern('^[a-zA-Z]+$'), Validators.maxLength(10)]],
      email: ['', [Validators.required, Validators.email]]
    });

As you can see, we just added the maxlength validator to the firstName and lastName.

Now let's display a message under the fields based on the validations to make it more meaningful.

Add the following CSS code to root.component.css.

.custom-col{
    display: flex;
    flex-direction: column;
    align-items: flex-start;
}

.custom-col span{ 
    color: red;
    font-size: small;
    margin-top: 0.25rem;
 }

Modify the root.component.html file to include a span inside the first name divand change the class name of the div.

        
* First Name is required

Now you need to make the validation message conditional based on the validation. So, you need to show the message when the user has clicked on the sign-in button and has not entered the first name.

Let's define a variable to keep a check when the form is submitted inside the root.component.ts file. You can add it before the constructor method.

formSubmitted : boolean = false; 

Currently, a message is being shown when the form is not valid. Let's remove the alert message and set the formSubmitted variable to true.

  onSubmit(){
    if(this.userForm.valid){
      alert('good')
      this.http.post('/api/userCreate', this.userForm.value)
      .subscribe((response)=>{
        console.log('repsonsei ',response);
      })
    } else {
      this.formSubmitted = true;
    }
  }

Inside the root.component.htmlfile, add the ngIf directive to show the message when the form is submitted and the required validator is true.


   * First Name is required

Save the changes and run the app. Click on the sign-in button without entering the first name and you will be able to see the required validation message.

Similarly, you can add validation messages for other validations like pattern and maxlength.

Writing Custom Validations

You saw how to use built-in validators in Angular reactive forms. You can also create your own custom validations and use them in reactive forms. Let's try to create one.

You have an Email id field in the sign up form. Let’s create a custom validation to check for duplicate or existing email ids and display a message.

Assuming that you already have a list of email ids already signed up, add the following array list to the root.component.ts file.

emailIds = ["[email protected]","[email protected]","[email protected]"];

Import FormControl in root.component.ts file.

import { FormControl } from '@angular/forms';

Let's create a method called duplicateEmailValidator inside the root.component.ts file.

  duplicateEmailValidator(control: FormControl){
    let email = control.value;
    if (email && this.emailIds.includes(email)) {
      return {
        duplicateEmailId: {
          email: email
        }
      }
    }
    return null;
  }

The above method takes a FormControl type as a parameter. It takes into account if the email entered exists in the emailIds list. If it exists it returns an object which indicates an error. If all is good it returns null.

You need to add the validator to the validations array of email control.

  ngOnInit() {
    this.userForm = this.formBuilder.group({
      firstName: ['', [Validators.required, Validators.pattern('^[a-zA-Z]+$'), Validators.maxLength(10)]],
      lastName: ['',[Validators.required, Validators.pattern('^[a-zA-Z]+$'), Validators.maxLength(10)]],
      email: ['', [Validators.required, Validators.email, this.duplicateEmailValidator.bind(this)]]
    });
  }

You have used bind to bound the current scope in order to provide access to the emailIds array inside the duplicateEmailValidator method.

Let's also add an error message in the HTML in the root.component.html file. Add a div container to the email input and add a span as shown:

    
* Email Id already exists !!

Save the above changes and from the application try entering an existing email id. The email field will be validated for duplicate emails and an error will be shown.

Dynamically Adding Validations

Sometimes it's required to add validations dynamically.
Let's add a new field called Employed. It will be a check box.
Add another one called Company Name. This will be required only if the Employed checkbox is checked.

    

Let's add the form control name for employed and companyName in the root.component.ts.

  ngOnInit() {
    this.userForm = this.formBuilder.group({
      firstName: ['', [Validators.required, Validators.pattern('^[a-zA-Z]+$'), Validators.maxLength(10)]],
      lastName: ['',[Validators.required, Validators.pattern('^[a-zA-Z]+$'), Validators.maxLength(10)]],
      email: ['', [Validators.required, Validators.email, this.duplicateEmailValidator.bind(this)]],
      employed : [''],
      companyName: ['']
    });
  }

When the employed checkbox is checked, you need to make the companyName as required.

Let's create a value change event handler for employed.

  handleValueChange(){
    this.userForm.get('employed').valueChanges.subscribe(response => {
      console.log('check response is ', response);
    })
  }

You need to call the handleValueChange method in the ngOnInit method, after you have defined the userForm.

ngOnInit() {
    this.userForm = this.formBuilder.group({
      firstName: ['', [Validators.required, Validators.pattern('^[a-zA-Z]+$'), Validators.maxLength(10)]],
      lastName: ['',[Validators.required, Validators.pattern('^[a-zA-Z]+$'), Validators.maxLength(10)]],
      email: ['', [Validators.required, Validators.email, this.duplicateEmailValidator.bind(this)]],
      employed : [''],
      companyName: ['']
    });
    this.handleValueChange();
  }

If the checkbox is checked, add the required field validator to the companyName field. If the checkbox is unchecked remove the validators from companyName.

  handleValueChange(){
    this.userForm.get('employed').valueChanges.subscribe(response => {
      console.log('check response is ', response);
      if(response == true){
        this.userForm.get('companyName').setValidators(Validators.required);
      } else {
        this.userForm.get('companyName').clearValidators();
      }
      this.userForm.get('companyName').updateValueAndValidity();
    })
  }

As seen in the above code the setValidators and clearValidators have been used to set and clear the control validations. In the end, the updateValueAndValidity method is used to reset the validation status of the control.

Let's also add the HTML code to show a validation status message for the company name field.

    
* Company Name is required

Save the above changes and restart the app. While filling the form, click on the employed checkbox and you will see the company name has required field validation. Uncheck the checkbox and the validation is removed.

Next, let's have a look at what is cross validation and how to use it.

Cross Validations

Cross validation means validating two fields across a form group. For example, your email address should be your company email address. So, if your email is [email protected] and then your company name should be gmail. Let's try adding this cross validation in our user form.

For this, we'll be placing the validation not on any particular form group control, but on the whole form group.

Add the form group validation as shown:

this.userForm = this.formBuilder.group({
      firstName: ['', [Validators.required, Validators.pattern('^[a-zA-Z]+$'), Validators.maxLength(10)]],
      lastName: ['',[Validators.required, Validators.pattern('^[a-zA-Z]+$'), Validators.maxLength(10)]],
      email: ['', [Validators.required, Validators.email, this.duplicateEmailValidator.bind(this)]],
      employed : [''],
      companyName: ['']
    }, {validator : this.companyEmailValidation});

Now let's define the companyEmailValidation validation in our root.component.ts.

The validation method will take formGroup as a parameter. Let's first parse the required form control from the form group. Once you have the form controls you'll split the email string to get the @ name and compare it with the company name. Here is how the method looks:

  companyEmailValidation(formGroup : FormGroup){
    const email = formGroup.get('email').value;
    const company = formGroup.get('companyName').value;
    if(email && email.length > 0){
      let comName = email.split("@")[1].split(".")[0];
      if(company == comName) return null;
    }
    return {
      companyEmailError : true
    }
  }

If the validation fails, it will return an error object as shown in the above code. If all is good null will be returned.

Now let's add some HTML to check for the error and show the error message.

Before the sign-in button HTML, add the following code to show the validation message.

    
* Enter your company email address

Save the changes and refresh the app. Enter the email address and enter a different company name other than the one in the email. For example, enter the email address as [email protected] and enter the company name as google.

You'll be able to see the validation message.

Summary

In this tutorial, you learned how to validate Angular reactive forms. You also learned about built-in validators, dynamic validation, custom validation, and cross validation across form groups.

We hope you found it helpful and lastly, if you want to learn how you can secure your Angular source code against theft and reverse-engineering, be sure to check our guide.

Source code from this tutorial is available on GitHub.



This post first appeared on Jscrambler, please read the originial post: here

Share the post

Validations in Angular Reactive Forms

×

Subscribe to Jscrambler

Get updates delivered right to your inbox!

Thank you for your subscription

×