A svelte form library that is easy to use and has no boilerplate. It lets you create and control complicated forms with ease. Like svelte, the focus is DX ๐ปโโจ
npm i -D svelte-use-form
Features:
- Minimalistic approach. Don't write more than necessary. ๐
- No new components, bindings or callbacks required! โ
- OOTB validators and custom validator support โ
- Works with dynamic inputs => Show / Hide Inputs at runtime. โ
- Type inference [TS] โ
It's pretty self-explanatoryโฆ check out the examples below ๐
Just make sure to prefix the form with $
, when accessing its state.
Minimal Example REPL
<script>
import { useForm, Hint, validators, minLength } from "svelte-use-form";
const form = useForm();
</script>
<form use:form>
<input name="title" use:validators={[minLength(5)]} />
<Hint for="title" on="minLength" let:value>
The title requires at least {value} characters.
</Hint>
<button disabled={!$form.valid}>Submit</button> <br />
</form>
or you could also print the error message like this:
...
{#if $form.title?.touched && $form.title?.errors.minLength}
The title requires at least {$form.title.errors.minLength} characters.
{/if}
Login Example (Styling omitted) REPL
<script>
import {
useForm,
HintGroup,
Hint,
validators,
email,
required,
} from "svelte-use-form";
const form = useForm();
</script>
<form use:form>
<h1>Login</h1>
<input type="email" name="email" use:validators={[required, email]} />
<HintGroup for="email">
<Hint on="required">This is a mandatory field</Hint>
<Hint on="email" hideWhenRequired>Email is not valid</Hint>
</HintGroup>
<input type="password" name="password" use:validators={[required]} />
<Hint for="password" on="required">This is a mandatory field</Hint>
<button disabled={!$form.valid}>Login</button>
</form>
REPLs:
useForm() returns a svelte store
(Observable) that is also an action
. (That's what I call svelte ๐)
Providing the names of the properties as arguments allows us to initialize all form controls in the form before the site is actually rendered. Thus you won't need to null-check them when accessing them.
const form = useForm({ firstName: {} });
$form.firstName // Works as expected
$form?.lastName // lastName would be null on page load
Subscribe to the form with $
-prefix to access the state of the form. It returns a Form
instance.
Remark: In reality the "Form" is an union of multiple types and its self.
class Form {
valid: boolean;
touched: boolean;
values: {
[controlName: string]: string;
};
reset(): void;
[controlName: string]: FormControl | undefined;
}
export type FormProperties = {
[key: string]: {
/** Initial value of the form control */
initial?: string;
/** The validators that will be checked when the input changes */
validators?: Validator[];
/**
* The map through which validation errors will be mapped.
* You can either pass a string or a function returning a new error value
*
* **Think of it as a translation map. ๐**
*/
errorMap?: ErrorMap;
};
};
A FormControl represents an input of the form. (input, textarea, radio, select...)
Important: Every control in the form will be accessible through $form directly via the name attribute.
e.g. <input name="email" />
--> $form.email
class FormControl {
value: string;
touched: boolean;
validators: Validator[];
/** Does the FormControl pass all given validators? */
valid: boolean;
/** The initial value of the FormControl. */
initial: string;
/** The DOM elements representing this control*/
elements: FormControlElement[];
/** Returns an object containing possible validation errors */
errors: ValidationErrors;
/**
* Contains a map of values, that will be shown
* in place of the original validation error.
*/
errorMap: ErrorMap;
error(errors: ValidationErrors): void;
/** Change the value and the value of all HTML-Elements associated with this control */
change(value: any): void;
/** Validate the FormControl by querying through the given validators. */
validate(): boolean;
/** Reset the form control value to its initial value or `{ value }` and untouch it */
reset({ value }?: { value?: string | null }): void;
}
Takes in the validators that should be used on the form control. e.g.
<input name="email" use:validators={[required, email]} />
Helper component for displaying information based on errors in an input.
Properties:
for="name_of_input"
on="error"
the error which should trigger ithideWhen="different_error"
hides the hint if the different error is throwinghideWhenRequired
shortcut for hideWhen="required"showWhenUntouched
hint will get displayed even if the field hasn't been touched yet.let:value
returns the value of the error
You can omit the Hint name
prop when wrapping it with a HintGroup.
Properties:
for="name_of_input"
You can ignore a form control element by adding the data-suf-ignore
attribute to it.
<input name="email" data-suf-ignore />
This will prevent it from being added to the form elements. And thus it won't be validated or observed for changes.
required
minLength(n)
maxLength(n)
number
email
url
pattern(regExp)
A validator needs to be a function that returns null if valid else an object with the key being the name of the error. The value of the object will be accessible through the error. e.g. $form.title.errors.name_of_error -> 'info'.
function passwordMatch(value: string, form: Form): null | ValidationErrors {
return value === form.password.value
? null
: { passwordMatch: "Passwords are not matching" };
}
... use:validators={[passwordMatch]}
or
... passwordConfirmation: { validators: [passwordMatch] } }
... $form.title.errors.passwordMatch
An example with validator.js REPL
When Chrome autofills the form on page load, it will always register all inputs as valid. After clicking anywhere on the site, pressing a key or pressing the submit button it will then reevaluate all fields and update the state of the form.
This solution was needed due to Chrome's way of autofilling forms without actually setting the value of the inputs until the page gets a click or key event.