Socket
Socket
Sign inDemoInstall

validx

Package Overview
Dependencies
2
Maintainers
1
Versions
13
Alerts
File Explorer

Advanced tools

Install Socket

Detect and block malicious and high-risk dependencies

Install

    validx

Validation library for MobX


Version published
Weekly downloads
410
increased by73.73%
Maintainers
1
Created
Weekly downloads
 

Changelog

Source

0.1.1

  • Updated npm description.

Readme

Source

validx

npm dependency Status devDependency Status Build Status Coveralls npm npm node

Validation library for MobX.

Install

npm install --save validx

Why?

We want to reactively display validation issues in our UI when using MobX. You can use any (non-DOM) validation library, but then you still need to make it reactive.

ValidX is built for MobX and is easy to use, yet powerful enough to add any validation you'd like.

Examples

See the TypeScript example and Babel example for runnable examples (in Node).

API documentation

The ValidationContext

The meat of the library is the validation context. To create one, you can either use

import { ValidationContext } from 'validx'
const validation = new ValidationContext()

Or use the factory function

import { validationContext } from 'validx'
const validation = validationContext()

The properties on the context are reactive (observables/computeds powered by MobX).

validate()

Given an object and a schema, validates the object and returns itself. validate() is a MobX action.

Calling it will populate the errors property with any validation errors found on the object

There are multiple ways to use validate(), see Bound ValidationContext.

import { validationContext, required, pattern } from 'validx'

const validation = validationContext()

// For good measure, reset the internal state.
validation.reset()

// validate takes 2 parameters:
// - the object to validate
// - the schema.
const schema = {
  // The schema maps to the fields we are validating.
  name: [
    // Each field you wish to validate is an array of validation
    // functions.
    // `required` is just a function returning a validator function.
    required({ msg: 'Name is required' })
  ],
  email: [
    required({ msg: 'Email is required' }),
    // The `pattern` validator can be used to validate
    // emails and other regexps.
    pattern({ pattern: 'email', msg: 'Not a valid email' })
  ]
}

validation.validate({
  name: '',
  email: ''
}, schema)

Now that we have validated our object, we can pull the errors from the context.

console.log(validation.isValid)
// false

console.log(validation.errors.name)
// ['Name is required']

console.log(validation.errors.email)
// ['Email is required', 'Not a valid email']

To validate again, we need to reset the context and then call validate.

validation.reset().validate({
  name: 'Jeff',
  email: 'test'
}, schema)

console.log(validation.isValid)
// false

console.log(validation.errors.name)
// []

console.log(validation.errors.email)
// ['Not a valid email']

Let's see what the errors are like when we log them after resetting.

validation.reset()
console.log(validation.isValid)
// true
console.log(validation.errors.name)
// undefined

console.log(validation.errors.email)
// undefined

They are undefined because we don't know what fields will be validated yet.

validation.validate({
  name: 'Jeff',
  email: 'test'
}, schema)

console.log(validation.isValid)
// false

console.log(validation.errors.name)
// []

console.log(validation.errors.email)
// ['Not a valid email']

reset()

Resets the internal state of the context. You usually use this before starting a new validation. reset() is a MobX action.

const validation = validationContext()
validation.validate({ name: '' }, {
  name: [required()]
})
console.log(validation.errors.name)
// ['This field is invalid']
validation.reset()
console.log(validation.errors.name)
// undefined

Use case: sharing a validation context in a class hierarchy.

class Element {
  @observable label = ''

  validation = validationContext(this)

  @action validate () {
    this.validation.validate({
      label: [required({ msg: 'Label required' })]
    })
  }
}

class TextElement extends Element {
  @observable placeholder = ''

  @action validate () {
    // reset before caling super
    this.validation.reset().validate({
      placeholder: [required({ msg: 'Placeholder required' })]
    })
    super.validate()
  }
}

const textElement = new TextElement()
textElement.validate()
console.log(textElement.validation.errors)
// { label: ['Label required'], placeholder: ['Placeholder required'] }

textElement.label = 'First name'
textElement.validate()
console.log(textElement.validation.errors)
// { placeholder: ['Placeholder required'] }

addErrors()

If you at some point want to add errors without calling validate, this is how to do it. addErrors() is a MobX action.

const obj = {}
const validation = validationContext(obj, {
})

if (usernameIsTaken) {
  validation.addErrors({
    username: ['Username is taken']
  })
}

console.log(validation.errors.username)
// ['Username is taken']

getErrors()

Safer way to get errors for a field rather than using errors.field, as this will return an empty array in case there are no errors.

const validation = validationContext()
validation.addErrors({ name: ['Not cool'] })

validation.getErrors('name')
// ['Not cool']

validation.reset()
validation.getErrors('name')
// []

getError()

Convenience method for getErrors('field')[0]. Returns undefined if the error is not found.

const validation = validationContext()
validation.addErrors({ name: ['Not cool'] })

validation.getError('name')
// 'Not cool'

validation.reset()
validation.getError('name')
// undefined

errors

A MobX computed map of field -> errors. When validate discovers validation errors, it puts them in here.

If a field has not been validated, or the context has just been reset, there will be no keys.

const validation = validationContext(obj, {
  name: [required()]
})
console.log(validation.errors)
// {}

validation.validate()
console.log(validation.errors)
// { name: ['This field is invalid'] }
validation.validate()
// { name: ['This field is invalid', 'This field is invalid] }
// that's why you need to remember to `reset()` first!

isValid

A MobX computed property that determines whether the context has any errors or not.

const validation = validationContext()
console.log(validation.isValid)
// true
validation.validate({ }, { name: [required()] })
console.log(validation.isValid)
// false

Validators

Validators are just plain functions that take an object with the rule configuration as a parameter and returns either true for success, false for failure, or a string for a failure with a specific message.

const validation = validationContext()
const schema = {
  age: [
    required({ msg: 'Age is required' }),
    (opts) => opts.value >= 13 || 'Must be 13 years or older'
  ]
}

validation.validate({
  age: 8
}, schema)

console.log(validation.errors.age)
// ['Must be 13 years or older']

Bound ValidationContext

By passing either 1 or 2 parameters to validationContext, you can "pre-bind" it to an object and a schema.

// Not bound to anything.
const obj = { name: '' }
const validation = validationContext()

validation.validate(obj, {
  name: [required()]
})
// Bound to an object
const obj = { name: '' }
const validation = validationContext(obj)

validation.validate({
  name: [required()]
})
// Bound to an object and a schema
const obj = { name: '' }
const validation = validationContext(obj, {
  name: [required()]
})

validation.validate()

Changelog

v0.1.0

  • Added validation.getErrors()
  • Added validation.getError()
  • Removed lodash dependency

v0.0.4

  • First official release.

Author

Jeff Hansen - @Jeffijoe

Keywords

FAQs

Last updated on 22 Feb 2017

Did you know?

Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.

Install

Related posts

SocketSocket SOC 2 Logo

Product

  • Package Alerts
  • Integrations
  • Docs
  • Pricing
  • FAQ
  • Roadmap

Stay in touch

Get open source security insights delivered straight into your inbox.


  • Terms
  • Privacy
  • Security

Made with ⚡️ by Socket Inc