forms
Form
Collect and validate form data.
Usage
Use the Form component to validate form data using schema libraries such as Yup, Zod, Joi, Valibot or your own validation logic. It works seamlessly with the FormGroup component to automatically display error messages around form elements.
The Form component requires the validate
and state
props for form validation.
state
- a reactive object that holds the current state of the form.validate
- a function that takes the form's state as input and returns an array ofFormError
objects with the following fields:message
- the error message to display.path
- the path to the form element matching thename
.
<script setup lang="ts">
import { ref } from 'vue'
import type { FormError, FormSubmitEvent } from '@nuxt/ui/dist/runtime/types'
const state = ref({
email: undefined,
password: undefined
})
const validate = (state: any): FormError[] => {
const errors = []
if (!state.email) errors.push({ path: 'email', message: 'Required' })
if (!state.password) errors.push({ path: 'password', message: 'Required' })
return errors
}
async function submit (event: FormSubmitEvent<any>) {
// Do something with data
console.log(event.data)
}
</script>
<template>
<UForm
:validate="validate"
:state="state"
@submit="submit"
>
<UFormGroup label="Email" name="email">
<UInput v-model="state.email" />
</UFormGroup>
<UFormGroup label="Password" name="password">
<UInput v-model="state.password" type="password" />
</UFormGroup>
<UButton type="submit">
Submit
</UButton>
</UForm>
</template>
Schema
You can provide a schema from Yup, Zod or Joi, Valibot through the schema
prop to validate the state. It's important to note that none of these libraries are included by default, so make sure to install the one you need.
Yup
<script setup lang="ts">
import { ref } from 'vue'
import { object, string, InferType } from 'yup'
import type { FormSubmitEvent } from '@nuxt/ui/dist/runtime/types'
const schema = object({
email: string().email('Invalid email').required('Required'),
password: string()
.min(8, 'Must be at least 8 characters')
.required('Required')
})
type Schema = InferType<typeof schema>
const state = ref({
email: undefined,
password: undefined
})
async function submit (event: FormSubmitEvent<Schema>) {
// Do something with event.data
console.log(event.data)
}
</script>
<template>
<UForm
:schema="schema"
:state="state"
@submit="submit"
>
<UFormGroup label="Email" name="email">
<UInput v-model="state.email" />
</UFormGroup>
<UFormGroup label="Password" name="password">
<UInput v-model="state.password" type="password" />
</UFormGroup>
<UButton type="submit">
Submit
</UButton>
</UForm>
</template>
Zod
<script setup lang="ts">
import { ref } from 'vue'
import { z } from 'zod'
import type { FormSubmitEvent } from '@nuxt/ui/dist/runtime/types'
const schema = z.object({
email: z.string().email('Invalid email'),
password: z.string().min(8, 'Must be at least 8 characters')
})
type Schema = z.output<typeof schema>
const state = ref({
email: undefined,
password: undefined
})
async function submit (event: FormSubmitEvent<Schema>) {
// Do something with data
console.log(event.data)
}
</script>
<template>
<UForm
:schema="schema"
:state="state"
@submit="submit"
>
<UFormGroup label="Email" name="email">
<UInput v-model="state.email" />
</UFormGroup>
<UFormGroup label="Password" name="password">
<UInput v-model="state.password" type="password" />
</UFormGroup>
<UButton type="submit">
Submit
</UButton>
</UForm>
</template>
Joi
<script setup lang="ts">
import { ref } from 'vue'
import Joi from 'joi'
import type { FormSubmitEvent } from '@nuxt/ui/dist/runtime/types'
const schema = Joi.object({
email: Joi.string().required(),
password: Joi.string()
.min(8)
.required()
})
const state = ref({
email: undefined,
password: undefined
})
async function submit (event: FormSubmitEvent<any>) {
// Do something with event.data
console.log(event.data)
}
</script>
<template>
<UForm
:schema="schema"
:state="state"
@submit="submit"
>
<UFormGroup label="Email" name="email">
<UInput v-model="state.email" />
</UFormGroup>
<UFormGroup label="Password" name="password">
<UInput v-model="state.password" type="password" />
</UFormGroup>
<UButton type="submit">
Submit
</UButton>
</UForm>
</template>
Valibot New
<script setup lang="ts">
import { ref } from 'vue'
import { string, object, email, minLength, Input } from 'valibot'
import type { FormSubmitEvent } from '@nuxt/ui/dist/runtime/types'
const schema = object({
email: string([email('Invalid email')]),
password: string([minLength(8, 'Must be at least 8 characters')])
})
type Schema = Input<typeof schema>
const state = ref({
email: undefined,
password: undefined
})
async function submit (event: FormSubmitEvent<Schema>) {
// Do something with event.data
console.log(event.data)
}
</script>
<template>
<UForm
:schema="schema"
:state="state"
@submit="submit"
>
<UFormGroup label="Email" name="email">
<UInput v-model="state.email" />
</UFormGroup>
<UFormGroup label="Password" name="password">
<UInput v-model="state.password" type="password" />
</UFormGroup>
<UButton type="submit">
Submit
</UButton>
</UForm>
</template>
Other libraries
For other validation libraries, you can define your own component with custom validation logic.
Here is an example with Vuelidate:
<script setup lang="ts">
import useVuelidate from '@vuelidate/core'
const props = defineProps({
rules: { type: Object, required: true },
model: { type: Object, required: true }
})
const form = ref();
const v = useVuelidate(props.rules, props.model)
async function validateWithVuelidate() {
v.value.$touch()
await v.value.$validate()
return v.value.$errors.map((error) => ({
message: error.$message,
path: error.$propertyPath,
}))
}
defineExpose({
validate: async () => {
await form.value.validate()
}
})
</script>
<template>
<UForm ref="form" :model="model" :validate="validateWithVuelidate">
<slot />
</UForm>
</template>
Backend validation
You can manually set errors after form submission if required. To do this, simply use the form.setErrors
function to set the errors as needed.
<script setup lang="ts">
import type { FormError, FormSubmitEvent } from '@nuxt/ui/dist/runtime/types'
const state = ref({
email: undefined,
password: undefined
})
const form = ref()
async function submit (event: FormSubmitEvent<any>) {
form.value.clear()
const response = await fetch('...')
if (!response.status === 422) {
const errors = await response.json()
form.value.setErrors(errors.map((err) => {
// Map validation errors to { path: string, message: string }
}))
} else {
// ...
}
}
</script>
<template>
<UForm ref="form" :state="state" @submit="submit">
<UFormGroup label="Email" name="email">
<UInput v-model="state.email" />
</UFormGroup>
<UFormGroup label="Password" name="password">
<UInput v-model="state.password" type="password" />
</UFormGroup>
<UButton type="submit">
Submit
</UButton>
</UForm>
</template>
Input events
The Form component automatically triggers validation upon submit
, input
, blur
or change
events. This ensures that any errors are displayed as soon as the user interacts with the form elements. You can control when validation happens this using the validate-on
prop.
Props
undefined
ZodType<any, ZodTypeDef, any>
ObjectSchema<any, AnyObject, any, "">
AnySchema<any>
{
"kind": "object",
"type": "ObjectSchema<any>",
"schema": {
"async": {
"name": "async",
"global": false,
"description": "",
"tags": [],
"required": true,
"type": "false",
"declarations": [
{
"file": "/vercel/path0/node_modules/.pnpm/valibot@0.13.1/node_modules/valibot/dist/index.d.ts",
"range": [
49115,
49128
]
}
],
"schema": "false"
},
"_parse": {
"name": "_parse",
"global": false,
"description": "",
"tags": [],
"required": true,
"type": "(input: unknown, info?: Partial<Pick<Issue, \"origin\" | \"abortEarly\" | \"abortPipeEarly\">>) => _ParseResult<{ [x: string]: any; }>",
"declarations": [
{
"file": "/vercel/path0/node_modules/.pnpm/valibot@0.13.1/node_modules/valibot/dist/index.d.ts",
"range": [
49133,
49197
]
}
],
"schema": {
"kind": "event",
"type": "(input: unknown, info?: Partial<Pick<Issue, \"origin\" | \"abortEarly\" | \"abortPipeEarly\">>): _ParseResult<{ [x: string]: any; }>",
"schema": []
}
},
"_types": {
"name": "_types",
"global": false,
"description": "",
"tags": [],
"required": false,
"type": "{ input: { [x: string]: any; }; output: { [x: string]: any; }; }",
"declarations": [
{
"file": "/vercel/path0/node_modules/.pnpm/valibot@0.13.1/node_modules/valibot/dist/index.d.ts",
"range": [
49202,
49267
]
}
],
"schema": {
"kind": "object",
"type": "{ input: { [x: string]: any; }; output: { [x: string]: any; }; }",
"schema": {
"input": {
"name": "input",
"global": false,
"description": "",
"tags": [],
"required": true,
"type": "{ [x: string]: any; }",
"declarations": [
{
"file": "/vercel/path0/node_modules/.pnpm/valibot@0.13.1/node_modules/valibot/dist/index.d.ts",
"range": [
49221,
49235
]
}
],
"schema": "{ [x: string]: any; }"
},
"output": {
"name": "output",
"global": false,
"description": "",
"tags": [],
"required": true,
"type": "{ [x: string]: any; }",
"declarations": [
{
"file": "/vercel/path0/node_modules/.pnpm/valibot@0.13.1/node_modules/valibot/dist/index.d.ts",
"range": [
49244,
49260
]
}
],
"schema": "{ [x: string]: any; }"
}
}
}
},
"schema": {
"name": "schema",
"global": false,
"description": "",
"tags": [],
"required": true,
"type": "\"object\"",
"declarations": [
{
"file": "/vercel/path0/node_modules/.pnpm/valibot@0.13.1/node_modules/valibot/dist/index.d.ts",
"range": [
26341,
26358
]
}
],
"schema": "\"object\""
},
"object": {
"name": "object",
"global": false,
"description": "",
"tags": [],
"required": true,
"type": "any",
"declarations": [
{
"file": "/vercel/path0/node_modules/.pnpm/valibot@0.13.1/node_modules/valibot/dist/index.d.ts",
"range": [
26363,
26384
]
}
],
"schema": "any"
}
}
}
[]
{
"kind": "event",
"type": "(state: any): Promise<FormError[]>",
"schema": []
}
{
"kind": "event",
"type": "(state: any): FormError[]",
"schema": []
}
["blur", "input", "change", "submit"]
API
Triggers form validation. Will raise any errors unless opts.silent
is set to true.
Clears form errors associated with a specific path. If no path is provided, clears all form errors.
Retrieves form errors associated with a specific path. If no path is provided, returns all form errors.
Sets form errors for a given path. If no path is provided, overrides all errors.
A reference to the array containing validation errors. Use this to access or manipulate the error information.