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 🙏

© 2026 – Pkg Stats / Ryan Hefner

react-html-forms

v1.0.0

Published

The simplicity of native HTML for your React apps, without sacrificing first-class typing, validation, and modern user experience.

Downloads

109

Readme

react-html-forms

Type-safe, native HTML forms for React 19.

Say goodbye to massive form libraries. react-html-forms brings the simplicity of native HTML back to your React apps without sacrificing first-class typing, validation, and modern UX.

✨ Features

  • 🪶 Ultra-Lightweight: Only ~5 KB (gzipped). Minimal footprint for maximum performance.
  • 🔌 Native-First: Based on the native HTML5 Constraint Validation API. No heavy validation engine required.
  • 🎨 CSS Modules: Clean, encapsulated styling without “style leakage” into the rest of your project.
  • ♿ Accessible by Default: Automatic handling of aria-invalid, aria-describedby, and label bindings.
  • 🛠️ Developer Experience: Full TypeScript support and an intuitive factory function for creating type-safe form components.
  • 📦 Zero Dependencies: No unnecessary packages in node_modules—only React as a peer dependency.

🚀 Quick Start

import { createFormComponents } from 'react-html-forms';

interface UserData {
  username: string;
  email: string;
}

const { Form, Input, ErrorSummary, SubmitButton } = createFormComponents<UserData>();

export default function MyForm() {
    const handleAction = async (data: UserData) => {
        // your server action logic
        console.log(data);
    };

    return (
        <Form
            action={handleAction}
            validate={(values) => {
                const errors = {};
                if (values.username === "admin") {
                    errors.username = "The username is not allowed."
                }
                return errors;
            }}
        >
            <ErrorSummary />

            <Input name="username" label="Username" required />
            <Input name="email" label="Email address" type="email" required />

            <SubmitButton>Save</SubmitButton>
        </Form>
    );
}

🔍 Features in Detail

1. The Factory (createFormComponents)

Create type-safe components for your specific data model. This way, you don't have to add the generic <T> to every single input component.

interface UserProfile {
  name: string;
  age: number;
}

const { Form, Input, SubmitButton, ErrorSummary } = createFormComponents<UserProfile>();

2. Synchronous & Asynchronous Validation

You can validate errors synchronously directly in the client (both globally on the form and directly on the component) or use the return values of your asynchronous server action.

<Form
    action={async (data) => {
        const result = await saveToDatabase(data);
        if (result.error) {
            return { _form: "The Server is overloaded." }; // Global error
        }
    }}
    validate={(values) => {
        const errors: ValidationErrors<UserProfile> = {};
        if (values.name === "admin") {
            errors.name = "The username is not allowed."
        };
        return errors;
    }}
>
    {/* ... */}
    <Input
        name="name"
        required
        minLength={3}
    />
    <Input
        name="age"
        type="number"
        required
        min={0}
        max={110}
        validate={(value, allValues) => {
            /* custom validation */
        }}
    />
    {/* ... */}
</Form>

3. Global Error Handling (_form)

Manchmal gehört ein Fehler nicht zu einem spezifischen Feld (z.B. "Login fehlgeschlagen"). Dafür nutzt du den speziellen _form Key. Sometimes an error isn't associated with a specific field (e.g., "Login failed"). In that case, use the special _form key.

<Form
    action={(data) => {
        try {
            /* data processing throws errors */
        } catch (e) {
            return {
                _form: e.message || 'Unknown error occured'
            }
        }
    })}
>
    {/* ... */}
</Form>

4. Die ErrorSummary (A11y)

A central list of all errors at the top of the form.

  • Prominently displays the global _form error.
  • Provides clickable buttons for field errors that use focus() and scrollIntoView() to navigate directly to the problem.

5. Native reset support

A standard <button type="reset"> not only resets the HTML fields, but also automatically clears your library's internal error state.

6. Easy Component Library Integration

Thanks to the useFieldUtils hooks, you can integrate any third-party library (such as Material UI or Headless UI):

import { TextField } from '@mui/material';
import { useForm } from 'react-html-forms';

function CustomMuiInput({ name, label }: { name: keyof MyData; label: string }) {
    const { error } = useFieldUtils(name);

    return (
        <TextField
            name={name} // important for FormData!
            label={label}
            error={!!error}
            helperText={error}
            fullWidth
        />
    );
}

Or use the built-in components as wrappers with a children render function for your own field component:

<Input
    name="name"
    validate={(val) => {
        return val === "admin" ? "The username is not allowed." : undefined;
    }}
>
    {({ disabled, name, onChange, error, inputProps }) => (
        <MuiTextField
            disabled={disabled}
            error={!!error}
            helperText={error}
            name={name}
            onChange={onChange}
            required={inputProps.required}
        />
    )}
</Input>

💬 Custom Validation Messages

By default, the library uses the browser's validation messages. However, you can easily replace these with your own messages by adding data attributes to your components. This works seamlessly with native HTML5 validation attributes such as required, min, max, or pattern.

Füge einfach das entsprechende Attribut hinzu, um die Nachricht für diesen Fehlertyp zu überschreiben: | Attribute | Validation-Trigger | | --------- | ------------------ | | data-required-message | required | | data-type-message | type="email", type="url", etc. | | data-maxlength-message | maxLength | | data-max-message | max | | data-minlength-message | minLength | | data-min-message | min | | data-pattern-message | pattern (Regex) |

Example:

<Input
    name="email"
    type="email"
    required
    label="Email address"
    data-required-message="We need your email address so we can reply to you."
    data-type-message="That doesn't look like a real email."
/>

<Input
    name="password"
    type="password"
    minLength={8}
    label="Password"
    data-minlength-message="Your password must be at least 8 characters long."
/>

🎨 Styles

To use the default styles, import the CSS file into your main file (e.g., main.tsx)

import 'react-html-forms/dist/index.css';

The minimalist default design can be customized using the following CSS variables:

--rhf-primary: #0066ff;
--rhf-error: #d32f2f;
--rhf-border: #ccc;
--rhf-radius: 4px;

📖 Complete example

import { createFormComponents } from 'react-html-forms';

const { Form, Input, Select, Textarea, ErrorSummary, SubmitButton } = createFormComponents<MyData>();

export default function RegistrationForm() {
    return (
        <Form action={myServerAction}>
            <ErrorSummary />

            <Input name="email" type="email" label="Email address" />

            <Select name="role" label="Your role">
                <option value="dev">Developer</option>
                <option value="admin">Admin</option>
            </Select>

            <Textarea name="bio" label="Biography" />

            <div className="actions">
                <SubmitButton>Register</SubmitButton>
                <button type="reset">Cancel</button>
            </div>
        </Form>
    );
}

🔗 API Übersicht

| Component / Hook | Description | | ----------------- | ----------- | | Form | Form container with context provider and action handling. | | Input / Select / Textarea | Standard input fields with automatic error notification and deactivation during submission, as well as the ability to integrate third-party libraries. | | ErrorSummary | Accessible list of all current errors. | | SubmitButton | Submit button that automatically deactivates during submission. | | useForm | Hook for accessing the entire form state. | | useFieldUtils | Hook for a single form field. Encapsulates access to the global form context (useForm) so that a field component only needs to know its own name in order to: Handle errors (error, setError)Control validation (addValidator, removeValidator)Retrieve the default value (initialValue) | | createFormComponents | A library for creating type-safe form components. |

🛠 Installation

npm install react-html-forms

🗺️ Roadmap

  • Support for Arrays and nested Objects
  • Dirty-State & "Unsaved Changes" Warning
  • Debounced "Live" Validation