tanstack-form

TanStack Form best practices for type-safe form management, validation, field composition, and submission handling in React. Use when building forms with complex validation, integrating schema libraries (Zod/Valibot/ArkType), composing reusable form components, managing array/dynamic fields, or integrating with meta-frameworks (TanStack Start, Next.js, Remix).

Safety Notice

This listing is imported from skills.sh public index metadata. Review upstream SKILL.md and repository scripts before running.

Copy this and send it to your AI assistant to learn

Install skill "tanstack-form" with this command: npx skills add fellipeutaka/leon/fellipeutaka-leon-tanstack-form

TanStack Form

Version: @tanstack/react-form@latest Requires: React 18.0+, TypeScript 5.0+

Quick Setup

npm install @tanstack/react-form
import { useForm } from '@tanstack/react-form'

function App() {
  const form = useForm({
    defaultValues: {
      firstName: '',
      lastName: '',
    },
    onSubmit: async ({ value }) => {
      console.log(value)
    },
  })

  return (
    <form
      onSubmit={(e) => {
        e.preventDefault()
        e.stopPropagation()
        form.handleSubmit()
      }}
    >
      <form.Field
        name="firstName"
        validators={{
          onChange: ({ value }) =>
            !value ? 'Required' : value.length < 3 ? 'Too short' : undefined,
        }}
        children={(field) => (
          <>
            <input
              value={field.state.value}
              onBlur={field.handleBlur}
              onChange={(e) => field.handleChange(e.target.value)}
            />
            {!field.state.meta.isValid && (
              <em>{field.state.meta.errors.join(', ')}</em>
            )}
          </>
        )}
      />
      <form.Subscribe
        selector={(state) => [state.canSubmit, state.isSubmitting]}
        children={([canSubmit, isSubmitting]) => (
          <button type="submit" disabled={!canSubmit}>
            {isSubmitting ? '...' : 'Submit'}
          </button>
        )}
      />
    </form>
  )
}

Production Setup (Recommended)

For production apps, use createFormHook to pre-bind reusable UI components and reduce boilerplate:

import { createFormHookContexts, createFormHook } from '@tanstack/react-form'
import { TextField, NumberField, SubmitButton } from '~/ui-library'

const { fieldContext, formContext } = createFormHookContexts()

export const { useAppForm } = createFormHook({
  fieldComponents: { TextField, NumberField },
  formComponents: { SubmitButton },
  fieldContext,
  formContext,
})

Devtools

npm install -D @tanstack/react-devtools @tanstack/react-form-devtools
import { TanStackDevtools } from '@tanstack/react-devtools'
import { formDevtoolsPlugin } from '@tanstack/react-form-devtools'

<TanStackDevtools
  config={{ hideUntilHover: true }}
  plugins={[formDevtoolsPlugin()]}
/>

Rule Categories

PriorityCategoryRule FileImpact
CRITICALForm Setuprules/form-setup.mdCorrect form creation and type inference
CRITICALValidationrules/val-validation.mdPrevents invalid submissions and poor UX
CRITICALSchema Validationrules/val-schema-validation.mdType-safe validation with Zod/Valibot/ArkType
HIGHForm Compositionrules/comp-form-composition.mdReduces boilerplate, enables reusable components
HIGHField Staterules/field-state.mdCorrect state access and reactivity
HIGHArray Fieldsrules/arr-array-fields.mdDynamic list management
HIGHLinked Fieldsrules/link-linked-fields.mdCross-field validation (e.g. confirm password)
MEDIUMListenersrules/listen-listeners.mdSide effects on field events
MEDIUMSubmissionrules/sub-submission.mdCorrect submit handling and meta passing
MEDIUMSSR / Meta-Frameworksrules/ssr-meta-frameworks.mdServer validation with Start/Next.js/Remix
LOWUI Librariesrules/ui-libraries.mdHeadless integration with component libraries

Critical Rules

Always Do

  • Type from defaultValues — never pass generics to useForm<T>(), let TS infer from defaultValues
  • Prevent default on submite.preventDefault(); e.stopPropagation(); form.handleSubmit()
  • Use children render propform.Field uses render props via children={(field) => ...}
  • Use form.Subscribe with selector — subscribe to specific state slices to avoid re-renders
  • Use useStore with selectoruseStore(form.store, (s) => s.values.name) not useStore(form.store)
  • Use createFormHook in production — pre-bind components for consistency and less boilerplate
  • Debounce async validators — set onChangeAsyncDebounceMs or asyncDebounceMs

Never Do

  • Pass genericsuseForm<MyType>() breaks the design; use typed defaultValues instead
  • Skip e.preventDefault() — native form submission will bypass TanStack Form's handling
  • Use useField for reactivity — use useStore(form.store) or form.Subscribe instead
  • Omit selector in useStore — causes full re-render on every state change
  • Use type="reset" without e.preventDefault() — native reset bypasses TanStack Form; use form.reset() explicitly
  • Expect transformed values in onSubmit — Standard Schema transforms aren't applied; parse manually in onSubmit

Key Patterns

// Schema validation (form-level with Zod)
const form = useForm({
  defaultValues: { age: 0, name: '' },
  validators: {
    onChange: z.object({ age: z.number().min(13), name: z.string().min(1) }),
  },
  onSubmit: ({ value }) => console.log(value),
})

// Array fields
<form.Field name="hobbies" mode="array" children={(field) => (
  <div>
    {field.state.value.map((_, i) => (
      <form.Field key={i} name={`hobbies[${i}].name`} children={(sub) => (
        <input value={sub.state.value} onChange={(e) => sub.handleChange(e.target.value)} />
      )} />
    ))}
    <button type="button" onClick={() => field.pushValue({ name: '' })}>Add</button>
  </div>
)} />

// Linked fields (confirm password)
<form.Field name="confirm_password" validators={{
  onChangeListenTo: ['password'],
  onChange: ({ value, fieldApi }) =>
    value !== fieldApi.form.getFieldValue('password') ? 'Passwords do not match' : undefined,
}} children={(field) => <input value={field.state.value} onChange={(e) => field.handleChange(e.target.value)} />} />

// Listeners (reset province when country changes)
<form.Field name="country" listeners={{
  onChange: ({ value }) => { form.setFieldValue('province', '') },
}} children={(field) => <input value={field.state.value} onChange={(e) => field.handleChange(e.target.value)} />} />

// Form composition with withForm
const ChildForm = withForm({
  defaultValues: { firstName: '', lastName: '' },
  render: function Render({ form }) {
    return <form.AppField name="firstName" children={(field) => <field.TextField label="First Name" />} />
  },
})

Source Transparency

This detail page is rendered from real SKILL.md content. Trust labels are metadata-based hints, not a safety guarantee.

Related Skills

Related by shared tags or category signals.

Coding

clean-code

No summary provided by upstream source.

Repository SourceNeeds Review
General

docker

No summary provided by upstream source.

Repository SourceNeeds Review
General

commit-work

No summary provided by upstream source.

Repository SourceNeeds Review
General

motion

No summary provided by upstream source.

Repository SourceNeeds Review