npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2026 – Pkg Stats / Ryan Hefner

@clundberg1/reactive-forms

v1.5.1

Published

A library that will help you easily create forms in React and React Native.

Downloads

37

Readme

Reactive Forms

Easily create a representation of your forms and manage their state in React and React Native.

Installation

To install the latest version of reactive-forms, simply run:

npm install --save @clundberg1/reactive-forms

API

Usage

FormBuilder

This is a helper class that will get you a FormGroup instance.

group

Pass it an object with the structure of your form. You can optionally pass it a Function or an Array of Functions which will validate at the FormGroup level. It returns an instance of FormGroup.

Arguments
  • controls : { [key: string]: any } (required)
  • validators : Function | Function[] (optional)
Example

import { FormBuilder } from '@clundberg1/reactive-forms';

...

constructor(props){
  super(props);
  
  const formBuilder = new FormBuilder();
  
  this.form = formBuilder.group({
      username: '',
      email: '',
      age: ''
   });
}

When creating a FormGroup, you can initialize your controls with any value and easily create nested forms:


import { FormBuilder } from '@clundberg1/reactive-forms';

...

constructor(props){
  super(props);
  
  const formBuilder = new FormBuilder();
  
  this.form = formBuilder.group({
      username: '',
      email: '[email protected]', //initialize a form control with a value
      age: '',
      address: formBuilder.group({  //easily create nested forms
        street: '',
        city: '',
        state: ''
      })
   });
}

Validators

A class consisting of validator functions.

If your controls require validation, instead of passing the value directly, you can pass an Array where the first element will be the initial value, and the second can either be a Validator Function or an Array of Validator Functions.

Example

import { FormBuilder, Validators } from '@clundberg1/reactive-forms';

...

constructor(props){
  super(props);
  
  const formBuilder = new FormBuilder();
  
  this.form = formBuilder.group({
      username: ['', Validators.minlength(6)],
      email: ['[email protected]', [Validators.required, Validators.email]],  //Make sure you aren't calling the functions. Only minlength/maxlength are called because they are closures.
      age: '',
      address: formBuilder.group({
        street: '',
        city: '',
        state: ''
      })
    });
}

required

Validation for a control to have a value. The control will be invalid if its value is one of the following: undefined, null, [], {}, '', 0.

Example

formBuilder.group({
   username: ['', Validators.required]
});

requiredTrue

Validation for a control's value to be true. Useful for checkboxes.

Example

formBuilder.group({
   isAdult: [false, Validators.requiredTrue]
});

email

Validation for a control to have an email format.

Example

formBuilder.group({
   email: ['', Validators.email]
});

minlength

Validation for a control's required min length.

Arguments
  • length : number (required)
Example

formBuilder.group({
   username: ['', Validators.minlength(8)]
});

maxlength

Validation for a control's required max length.

Arguments
  • length : number (required)
Example

formBuilder.group({
   username: ['', Validators.minlength(8)]
});

min

Validation for a control's minimum value.

Arguments
  • min : number (required)
Example

formBuilder.group({
   age: [0, Validators.min(18)]
});

max

Validation for a control's max value.

Arguments
  • max : number (required)
Example

formBuilder.group({
   age: [0, Validators.max(13)]
});

pattern

Regex validation for a control.

Arguments
  • pattern : RegExp | string (required)
Example

const emailPattern = /[a-zA-Z0-9!#$%&'*+/=?^_`{|}~-]+(?:\.[a-zA-Z0-9!#$%&'*+/=?^_`{|}~-]+)*@(?:[a-zA-Z0-9](?:[a-zA-Z0-9-]*[a-zA-Z0-9])?\.)+[a-zA-Z0-9](?:[a-zA-Z0-9-]*[a-zA-Z0-9])?/

formBuilder.group({
   email: ['', Validators.pattern(emailPattern)]
});

Form Group Validation

You can also validate an entire FormGroup. This is useful when you need to apply validation at the FormGroup level, these validators will run whenever any of the group's FormControls changes its value.

equals

Validator that requires two controls to have the same value.

Arguments
  • c1 : string (required)
  • c2 : string (required)
Example

formBuilder.group({
   password: ['', Validators.required],
   confirmPassword: ['']
}, Validators.equals('password', 'confirmPassword'));

Custom Validation

Those were the built in validators, but this clearly does not cover all validation. So what if you need to implement your own custom validation? It's quite simple actually. As seen previously, a validator is simply a function that receives a FormGroup or a FormControl and returns null (if valid) or an object with the key being the name of your error.

Example
export class CustomValidators {
    static uppercase(control) {
        if(!control.value)
            return null;
        return control.value === control.value.toUpperCase() ? null : { uppercase : true };
    }
}

FormGroup And FormControl

Both classes share mostly the same properties and methods. The only difference is on the FormControl class, they refer to a single control, and on a FormGroup they apply to the combined child controls.

Properties

value: any

The values of all enabled controls as an object.


  const formBuilder = new FormBuilder();
  
  this.form = formBuilder.group({
      username: '',
      email: '[email protected]',
      age: '',
      address: formBuilder.group({
        street: '',
        city: '',
        state: ''
      })
   });
   
   console.log(this.form.value)
   
   /*
   {
      username: '',
      email: '[email protected]',
      age: '',
      address: {
        street: '',
        city: '',
        state: ''
      }
   }
   */
   
   console.log(this.form.get('address').value);
   /*
    {
      street: '',
      city: '',
      state: ''
     }
   */
   
   //get the value of a single FormControl.
   
   console.log(this.form.get('email').value) //'[email protected]'
   

status: string
  • Disabled if all of the controls are disabled.
  • Invalid if any of the controls are invalid.
  • Valid if all the controls are valid.

  const formBuilder = new FormBuilder();
  
  this.form = formBuilder.group({
      username: ['', Validators.required],
      email: '[email protected]',
      age: '',
      address: formBuilder.group({
        street: '',
        city: '',
        state: ''
      })
   });
   
   console.log(this.form.status) // "INVALID"
   console.log(this.form.get('username').status) // "INVALID"   
   console.log(this.form.get('address').status) // "VALID"   

valid: boolean

True if status is "VALID".

   console.log(this.form.valid)

invalid: boolean

True if status is "INVALID".

   console.log(this.form.invalid)

errors: any

All the errors the control has, merged into a single object.

   this.form = formBuilder.group({
      username: ['Samuel', [Validators.minlength(8), CustomValidators.uppercase]] //for some reason you want username to be all uppercase
   });
   
   console.log(this.form.get('username').errors)
   
   /*
   {
      minlength: true,
      uppercase: true
   }
   */

pristine: boolean
  • FormControl: True if the control hasn't changed value.
  • FormGroup: True if none of the controls have changed value.
   console.log(this.form.pristine)

dirty: boolean
  • FormControl: True if the control has changed value.
  • FormGroup: True if any of the controls have changed value.
   console.log(this.form.dirty)

untouched: boolean
  • FormControl: True if the control has not been marked as touched (blur event)
  • FormGroup: True if none of the controls have been marked as touched.
   console.log(this.form.untouched)

touched: boolean
  • FormControl: True if the control has been marked as touched (blur event)
  • FormGroup: True if any of the controls have been marked as touched.
   console.log(this.form.untouched)

enabled: boolean
  • FormControl: True if the control's status is not "DISABLED".
  • FormGroup: True if any of the control's are not "DISABLED".
   console.log(this.form.enabled)

disabled: boolean
  • FormControl: True if the control's status is "DISABLED".
  • FormGroup: True if all of the control's are "DISABLED".
   console.log(this.form.disabled)

Methods

setValue: void
  • FormControl: Sets its value.
  • FormGroup: Set the value of the controls. You must pass an object with the exact same structure as the one of the FormGroup or it'll throw an error.

It also sets the control's pristine property to false, because the control's value has been changed.

Arguments
  • FormControl
    • value: any
  • FormGroup
    • controls: { [control: string ]: any }
Example

this.form = formBuilder.group({
   username: '',
   password: ''
});

this.form.get('username').setValue('my_name'); //sets the value of a single control
console.log(this.form.value);
/*
   {
      username: 'my_name',
      password: ''
   }
*/

this.form.setValue({
  username: 'my_name' //throws an error because it's missing the password.
});

this.form.setValue({
  id: 1234
  username: 'my_name', //Also would throw error because there isn't a FormControl named "id".
  password: 'x1PPDasa3'
});

this.form.setValue({
  username: 'my_name', //this is ok
  password: 'x1PPDasa3'
});

patchValue: void
  • FormControl: Same as setValue.
  • FormGroup: Set the value of the controls. This method won't throw an error if the object's missing or has extra keys.

It also sets the control's pristine property to false, because the control's value has been changed.

Arguments
  • FormControl
    • value: any
  • FormGroup
    • controls: { [control: string ]: any }
Example

this.form = formBuilder.group({
   username: '',
   password: ''
});

this.form.get('username').patchValue('my_name'); //sets the value of a single control
console.log(this.form.value);
/*
   {
      username: 'my_name',
      password: ''
   }
*/

this.form.patchValue({
  username: 'my_name' 
});

console.log(this.form.value);
/*
   {
      username: 'my_name',
      password: ''
   }
*/

this.form.setValue({
  id: 1234 //The "id" property is simply ignored
  username: 'my_name', 
  password: 'x1PPDasa3'
});

console.log(this.form.value);
/*
   {
      username: 'my_name',
      password: 'x1PPDasa3'
   }
*/

reset: void
  • FormControl: Reset the control to null.
  • FormGroup: Reset all of its controls to null.

It also sets the control's pristine and untouched properties to true. You can optionally pass the value you want the control to be reset to.

Arguments
  • FormControl
    • value: any
  • FormGroup
    • controls: { [control: string ]: any }
Example

this.form = formBuilder.group({
   username: 'my_name',
   password: 'my_password'
});

this.form.get('username').reset(); 
console.log(this.form.value);
/*
   {
      username: null,
      password: 'my_password'
   }
*/

this.form.reset({
  username: 'new_name',
  password: 'new_password'
});

console.log(this.form.value);
/*
   {
      username: 'new_name',
      password: 'new_password'
   }
*/

disable: void
  • FormControl: Disable the control
  • FormGroup: Disable all of the group's controls.

Disabled controls are ignored when calculating a FormGroup's status or value, so this is useful for controls which can be hidden: simply disable them and they won't be validated nor will their value appear in the FormGroup's value. If you need the entire FormGroup's value including disabled controls, call the getRawValue method.

Example

this.form = formBuilder.group({
   username: ['', Validators.required],
   password: ''
});

this.form.get('username').disable(); 
console.log(this.form.value);
/*
   {
      password: ''
   }
*/

console.log(this.form.getRawValue());

/*
   {
      username: '',
      password: ''
   }
*/

console.log(this.form.get('username').status) //"DISABLED"
console.log(this.form.get('username').enabled) //false
console.log(this.form.get('username').disabled) //true
console.log(this.form.valid) //true. The FormGroup is valid because the username is disabled thus not validated.

enable: void
  • FormControl: Enable the control
  • FormGroup: Enable all of the group's controls.
get: AbstractControl

Returns a child control given a control's path or name.


Arguments
  • path: string | string[]
Example

this.form = formBuilder.group({
   name: '',
   address: formBuilder.group({
      street: '',
      city: ''
   })
});

const addressGroup = this.form.get('address');
const streetControl = this.form.get('address.street') //access nested controls
const cityControl = this.form.get(['address', 'city']) //or this way

hasError: boolean

Whether the control has the specified error.

Arguments
  • error: string
Example

this.form = formBuilder.group({
   name: ['', Validators.required]
});

console.log(this.form.get('name').errors)

/*
{
  required: true
}
*/

console.log(this.form.get('name').hasError('required')) //true
console.log(this.form.get('name').hasError('minlength')) //false

getRawValue: any

Returns the value of the FormGroup including disabled controls.

Example

this.form = formBuilder.group({
   username: 'my_username',
   password: 'my_password'
});

this.form.get('password').disable()

console.log(this.form.value);

/*
{
  username: 'my_username'
}
*/

console.log(this.form.getRawValue());

/*
{
  username: 'my_username',
  password: 'my_password'
}
*/

Full example

import React, { Component } from 'react';
import {
  StyleSheet,
  Text,
  View,
  TextInput,
  TouchableOpacity
} from 'react-native';
import { FormBuilder, Validators } from '@clundberg1/reactive-forms';



export default class App extends Component {

  constructor(props) {
    super(props);

    const formBuilder = new FormBuilder();

    this.form = formBuilder.group({
        name: ['', Validators.required],
        email: ['', [Validators.required, Validators.email]],
        address: formBuilder.group({
          street: '',
          city: ''
        })
      });

    this.onSubmit = this.onSubmit.bind(this);
    this.onBlur = this.onBlur.bind(this);
    this.onChangeValue = this.onChangeValue.bind(this);
  }

  onSubmit() {
    console.log(this.form.value);
  }

  onBlur(control){
    this.form.get(control).markAsTouched();
    this.forceUpdate();
  }

  onChangeValue(control, value) {
    this.form.get(control).setValue(value);
    this.forceUpdate();
  }

  renderError(control, error, message) {
    if (this.form.get(control).touched && this.form.get(control).hasError(error))
      return <Text style={styles.error}>{message}</Text>

    return null;
  }

  render() {
    return (
      <View style={styles.container}>
        <View style={styles.inputContainer}>
          <TextInput
            onBlur={() => this.onBlur('name')}
            onChangeText={value => this.onChangeValue('name', value)}
            value={this.form.value.name}
            style={styles.input}
            placeholder="Name..."
          />
          { this.renderError('name', 'required', 'The name is required') }
        </View>
        <View style={styles.inputContainer}>
          <TextInput
            onBlur={() => this.onBlur('email')}
            onChangeText={value => this.onChangeValue('email', value)}
            value={this.form.value.email}
            style={styles.input}
            placeholder="Email..."
          />
          { this.renderError('email', 'required', 'The email is required') }
          { this.renderError('email', 'email', "The email's format is invalid.") }
        </View>
        <View style={styles.inputContainer}>
          <TextInput
            onBlur={() => this.onBlur('address.street')}
            onChangeText={value => this.onChangeValue('address.street', value)}
            value={this.form.value.address.street}
            style={styles.input}
            placeholder="Street..."
          />
        </View>
        <View style={styles.inputContainer}>
          <TextInput
            onBlur={() => this.onBlur('address.city')}
            onChangeText={value => this.onChangeValue('address.city', value)}
            value={this.form.value.address.city}
            style={styles.input}
            placeholder="City..."
          />
        </View>
        <TouchableOpacity
          disabled={this.form.invalid}
          onPress={this.onSubmit}
          style={styles.button}>
          <Text style={styles.buttonText}>SAVE</Text>
        </TouchableOpacity>
      </View>
    );
  }
}

const styles = StyleSheet.create({
  container: {
    flex: 1,
    justifyContent: 'center',
    padding: 20
  },
  inputContainer: {
    marginBottom: 15
  },
  input: {
    alignSelf: 'stretch',
    backgroundColor: '#F2F2F2',
    padding: 15,
    fontSize: 20,
    marginBottom: 2
  },
  button: {
    padding: 15,
    alignSelf: 'stretch',
    backgroundColor: '#00ccff'
  },
  buttonText: {
    fontSize: 20,
    color: 'white',
    textAlign: 'center',
    fontWeight: 'bold'
  },
  error: {
    color: 'red'
  }
});