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 🙏

© 2024 – Pkg Stats / Ryan Hefner

vue-dog-form

v2.0.0

Published

The simplest vue 3 form validation plugin.

Downloads

201

Readme

Vue-Dog-Form 🐶

Simplest yet flexible form validation plugin for Vue 3.

✔ No more validation schema object, use native html-like validation attributes.

✔ Compatible with any custom input components.

✔ Support custom validation rules and messages.

✔ Lightweight, less than 3kb gzipped.


Getting Started

1. Installation

$ npm i vue-dog-form

2. Import into your project as Vue Plugin

Vue 3

In /src/main.js

import { createApp } from 'vue'
import App from './App.vue'
import dogForm from 'vue-dog-form'

const app = createApp(App)
app.use(dogForm)
app.mount('#app')

Nuxt 3

Create a dogForm.js file under plugins folder with the following content:

import dogForm from 'vue-dog-form'

export default defineNuxtPlugin(nuxtApp => {
    nuxtApp.vueApp.use(dogForm)
})

Basic Usage

  1. Build your form as usual, but wrap it in a <DForm> component.
  2. Add <DError> with validation attributes.
<DForm @submit="submitHandler">
    <div>
        <label>Name</label>
        <input type="text" v-model="name">
        <DError v-model="name" required minlength="3"/>
    </div>
    <div>
        <label>Password</label>
        <input type="password" v-model="password">
        <DError v-model="password" required/>
    </div>
    <button type="submit">Submit</button>
</DForm>

<script setup>
const submitHandler = (e) => {
    // You don't have to call e.preventDefault(). It's prevented automatically.

    if (!e.isValid) return // stop if form is not valid

    // whatever you want to do if form is valid
}
</script>

Note *By default, error messages has no styling. You can style it with the ._df_ErrMsg class.


How It Works

When the v-model in <DError> changes, the value will be validated with it's attributes. If the value is invalid, <DError> will render the corresponding validation message.

During form submission, <DForm> will pick up the event and trigger all nested <DError> to run validation again.

The isValid property in the submit event will tell us whether the form is valid.


Components

DError

Props

| Name | Info | Type | | -- | -- | -- | | v-model | *Required. The value of your input. | string, number, object or array | | messages | Custom validation messages. See Example. | object | | target | The css selector to select associated html elements. See Example. | string |

Methods

validate()

Validates the input. If the value is invalid, an error message will be shown. If target prop is provided, matched elements will have .invalid or .valid class.

clear()

Clears the error message. Also removes .invalid and .valid class from matched target.


DForm

Props

| Name | Info | Type | | -- | -- | -- | | novalidate | Remove browser's default validation message | Boolean | | focus-error | Auto scroll to invalid input upon form submission. See Example | Boolean | | focus-offset | The offset position for auto scroll. See Example. | Number | | activate | Specify when should the validation happen. See Example | String / Boolean

Methods

clearErrors()

Removes all error messages by calling the clear() method on every .


Built-in Validations

Vue Dog Form provides some built-in validations which are similar to native html validation attributes:

  • required
  • minlength="3"
  • maxlength="10"
  • min="1"
  • max="5"
  • accept="image/*" (for validating file types in file input)
  • maxfile="2" (set the maximum number of files allowed in file input) Example
  • maxsize="5242880" 5Mb (set the maximum file size bytes allowed in file input)
  • validemail (input value must be an email)
  • :equalto="otherState" (input value must be the same as otherState, useful for confirming password) Example
  • :notequalto="otherState" (input value cannot be the same as otherState)

Configurations

You can modify DogForm's behavior with app.use().

app.use(dogForm, {
    ... parameters
})

defaultMessages

Overwrites default validation messages globally.

E.g. Overwriting only the required validation message.

app.use(dogForm, {
    defaultMessages: {
        required: `Don't be lazy.`
    }
})'

message(error)

The function to generate validation message. The error object has the following parameters:

| Parameters | Info |Type | Examples | -- | -- | -- | -- | | type | The failed validation type. | string | "required", "minlength" | value | The expected valid value. | object | {n: 3} *when minlength="3" |

By default, Vue Dog Form will read the type and value.n to generate validation message.

E.g. Translating messages with vue-i18n:

In main.js

const messages = {
    cn: {
        error_required: "这是必填栏。",
        error_minlength: "输入至少要有 {n} 个字符。",
        error_maxlength: "输入不可超过 {n} 个字符。",
        error_equalto: "输入必须匹配。",
        error_validemail: "请输入有效的电邮。",
        error_min: "最小值为 {n}。",
        error_max: "最大值为 {n}。",
        error_accept: "副档不被接受。",
        error_maxfile: "请选择不多于 {n} 个文件。",
        error_maxsize: "文件必须少于 {n}Mb。"
    }
}

const i18n = createI18n({
    locale: 'cn', // set locale
    fallbackLocale: 'cn', // set fallback locale
    messages
})

app.use(dogForm, {
    message(error) {
        const translateKey = `error_${error.type}`
        return error.value?.n ? i18n.global.t(translateKey, {n : error.value.n}) : i18n.global.t(translateKey)    
    }
})

customRules

Adds custom validation rules.

E.g. Add a custom attribute that checks whether input value is a multiple of 3.

<input type="number" v-model="answer">
<DError v-model="answer" multiple="3" />
app.use(dogForm, {
    customRules: {
        multipleof: {
            rule(val, validateValue) {
            // val is your input's value,
            // validateValue is the value you passed in the attribute, in this case, 3
                if (Number(val) % validateValue != 0) { // condition for invalid value
                // must return an object with 'type' key
                    return {
                        type: 'multipleof',
                        value: {
                            n: validateValue
                        }
                    }
                }
                return {}
            },
            message: 'Value must be multiple of {n}'
        }
    }
})

Note *validation attributes must be small caps

Examples

Custom validation message

Use messages prop to show custom validation messages.

<DError v-model="name" required minlength="2" :messages="customMessage" />

<script setup>
const customMessage = {
    required: 'Name is required',
}
// since minlength is not specified in 'customMessage', it will use the default validation message
</script>

Adding class to inputs

Use the target prop on <DError> as css selector to select elements. Selected elements will have .invalid class added when the input is invalid, .valid when valid.

<input type="email" id="emailInput" v-model="name"/>
<DError v-model="name" required validemail target="#emailInput" />

Remove browser's default validation

Simply add a novalidate attribute on <DForm>

<DForm @submit="submitHandler" novalidate>
<!-- Your inputs -->
</DForm>

Scroll to invalid input

By adding focus-error prop on <DForm>, invalid inputs can be automatically scrolled into view upon form submission. This is useful when you have a long form.

<DForm @submit="handleSubmit" focus-error>
    <input type="text" v-model="name" id="nameInput" />
    <DError v-model="name" required target="#nameInput" />
</DForm>

*It's actually scrolling to the element specified by target in <DError>. Therefore the target prop is needed for this to work.

Offsetting scroll

We can offset the scroll position by using focus-offset. This is useful if you have a floating header that covers the input after scrolling.

<DForm @submit="handleSubmit" focus-error :focus-offset="90">

This will offset the scroll position by 90px.

When to validate

The activate props controls the validation behaviour. The value could be

  • "always" - Validate everytime the v-model changes. (default)
  • "first_submit" - Only start to validate on the first form submission, and then behave like "always".
  • "only_submit" - Only validate during form submissions.
  • "never" - Disable validation. e.isValid from the submit event will always be true
  • true - Same as "always"
  • false - Same as "never"
<DForm activate="first_submit">

Clearing Form Errors

Calling the clearErrors() method on <DForm> to clear all errors.

<DForm ref="formRef">
    <!-- ...your inputs -->
    <button type="reset" @click="clearForm">Reset</button>
</DForm>

<script setup>
const formRef = ref(null)
const clearForm = (e) => {
    formRef.value.clearErrors()
}
</script>

File Input Validations

<input type="file" multiple @change="fileChange">
<DError v-model="file"  maxsize="2097152" maxfile="2" required />

<script setup>
const file = ref('')

const fileChange = (e) => {
    file.value = e.target.files
}
</script>

Password And Confirm Password

<div>
    <label>Password</label>
    <input type="password" v-model="password">
</div>
<div>
    <label>Confirm Password</label>
    <input type="password" v-model="confirmPassword" />
    <DError v-model="confirmPassword" :equalto="password" />
</div>

Made by yklim 😊