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

@kotaio/adaptive-form

v1.0.0

Published

A lightweight, type-safe adaptive form system for React with JSON-Logic for conditional fields, dynamic validation, and computed values

Readme

@kotaio/adaptive-form

React component for rendering requirement schemas from the Adaptive Requirements API. Wraps the @kotaio/adaptive-requirements-engine with a pluggable component system, multi-step flow support, and form library adapters.

Installation

npm install @kotaio/adaptive-form

Peer dependencies: react (>=18.3.1), react-dom (>=18.3.1)

Quick start

Fetch a requirements schema from the API, wrap your form in an AdaptiveFormProvider, and render AdaptiveForm. You provide the UI components — the form handles visibility, validation, computed values, and step navigation automatically.

import { AdaptiveFormProvider, AdaptiveForm } from '@kotaio/adaptive-form/react';

function RequirementsForm({ requirementId }) {
  const [requirements, setRequirements] = useState(null);

  useEffect(() => {
    fetch(`/api/requirements/${requirementId}`)
      .then((res) => res.json())
      .then((data) => setRequirements(data.schema));
  }, [requirementId]);

  if (!requirements) return <p>Loading...</p>;

  return (
    <AdaptiveFormProvider requirements={requirements}>
      <form
        onSubmit={(e) => {
          e.preventDefault();
          const formData = new FormData(e.currentTarget);
          fetch(`/api/requirements/${requirementId}`, {
            method: 'POST',
            body: formData,
          });
        }}
      >
        <AdaptiveForm
          defaultValue={{}}
          components={{
            text: (props) => <TextInput {...props} />,
            number: (props) => <NumberInput {...props} />,
            select: (props) => <SelectInput {...props} />,
            checkbox: (props) => <CheckboxInput {...props} />,
          }}
        />
        <button type="submit">Submit</button>
      </form>
    </AdaptiveFormProvider>
  );
}

Uncontrolled vs controlled mode

Uncontrolled (recommended): Pass defaultValue and let AdaptiveForm manage state internally. Use native form submission via name attributes on your inputs.

<AdaptiveFormProvider requirements={requirements}>
  <AdaptiveForm defaultValue={{}} components={myComponents} />
</AdaptiveFormProvider>

Controlled: Pass value and onChange when you need real-time access to form data in the parent.

function MyForm({ requirements }) {
  const [formData, setFormData] = useState({});

  return (
    <AdaptiveFormProvider requirements={requirements}>
      <AdaptiveForm value={formData} onChange={setFormData} components={myComponents} />
    </AdaptiveFormProvider>
  );
}

Providing components

The components prop maps field type strings (e.g. text, select, checkbox) to render functions. Each render function receives typed props with full autocomplete — types are inferred automatically from the components prop signature.

Tip: In controlled mode, define your components object outside the component or memoize it with useMemo to keep stable references. Inline arrow functions create new component identities each render, which causes React to remount fields (losing focus and internal state).

If you need an explicit annotation (e.g. for a standalone variable), FieldInputProps is exported for typing component renderers:

import type { FieldInputProps } from '@kotaio/adaptive-form/react';

FieldInputProps

Props received by render functions for interactive fields (text, number, email, select, checkbox, radio, and custom types):

| Prop | Type | Description | | -------------- | ------------------------------------ | -------------------------------------------------------------------------------------- | | field | Field | The field definition from the schema (id, type, label, placeholder, description, etc.) | | value | FieldValue | The current field value | | onChange | (value: FieldValue) => void | Call this when the user changes the value | | onBlur | (() => void) \| undefined | Call this on blur for touched-state tracking | | errors | string[] | Validation error messages to display | | isRequired | boolean | Whether the field is currently required | | isVisible | boolean | Whether the field should be rendered | | isReadOnly | boolean | Whether the field should be read-only | | isValidating | boolean \| undefined | Whether an async validator is currently running for this field | | options | ResolvedFieldOption[] \| undefined | Resolved options for select/radio fields | | label | string \| undefined | Resolved label text (after localization) |

A ResolvedFieldOption has { value: string | boolean, label: string }.

Example component

function TextInput({ field, value, onChange, onBlur, errors, isRequired, isVisible, label }) {
  if (!isVisible) return null;

  return (
    <div>
      <label>
        {label}
        {isRequired && <span>*</span>}
      </label>
      <input
        type="text"
        name={field.id}
        value={(value as string) ?? ''}
        onChange={(e) => onChange(e.target.value)}
        onBlur={onBlur}
        placeholder={field.placeholder}
        readOnly={isReadOnly}
      />
      {errors.map((error, i) => (
        <p key={i} className="error">
          {error}
        </p>
      ))}
      {field.description && <p className="hint">{field.description}</p>}
    </div>
  );
}

Computed fields

When a field has type: 'computed', its value is calculated automatically from other fields. The render function for computed fields receives a simpler set of props:

| Prop | Type | Description | | ----------- | ------------ | ------------------------------------ | | field | Field | The field definition | | value | FieldValue | The computed value | | isVisible | boolean | Whether the field should be rendered |

function ComputedDisplay({ field, value, isVisible }) {
  if (!isVisible) return null;

  // field.label may be a string or { default: string, key?: string }
  const label = typeof field.label === 'object' ? field.label.default : field.label;

  return (
    <div>
      <label>{label}</label>
      <span>{value}</span>
    </div>
  );
}

// Register it in your components map (types are inferred when passed inline to AdaptiveForm):
const components = {
  text: (props: FieldInputProps) => <TextInput {...props} />,
  computed: (props: { field: Field; value: FieldValue; isVisible: boolean }) => <ComputedDisplay {...props} />,
};

Custom render function

For complete control over how each field renders, use the renderField prop. It receives:

| Prop | Type | Description | | --------------- | ----------------------------- | ------------------------------------------------------------ | | field | Field | The field definition | | fieldState | FieldState | Full engine state (visibility, errors, value, options, etc.) | | displayErrors | string[] | Errors filtered by touched state | | isTouched | boolean | Whether the user has interacted with this field | | isValidating | boolean | Whether an async validator is currently running | | asyncErrors | string[] | Async validation errors for this field | | onChange | (value: FieldValue) => void | Value change handler | | onBlur | () => void | Blur handler for touched tracking | | components | object \| undefined | The components map (for delegation) |

<AdaptiveFormProvider requirements={requirements}>
  <AdaptiveForm
    defaultValue={{}}
    components={myComponents}
    renderField={({ field, fieldState, displayErrors, onChange, onBlur }) => {
      if (!fieldState.isVisible) return null;

      // Custom rendering for a specific field type
      if (field.type === 'file') {
        return <FileUploader field={field} onChange={onChange} errors={displayErrors} />;
      }

      // Return null to fall back to the components map
      return null;
    }}
  />
</AdaptiveFormProvider>

Multi-step forms

When the API returns a schema with a flow property, AdaptiveForm automatically renders one step at a time with Previous/Next navigation. Steps can be conditionally skipped based on form data.

Default navigation

AdaptiveForm renders default Previous/Next buttons. The Next button is disabled until all visible fields in the current step pass validation.

Custom navigation UI

Use renderStepNavigation for full control over the navigation UI:

<AdaptiveFormProvider requirements={requirements}>
  <AdaptiveForm
    defaultValue={{}}
    components={myComponents}
    renderStepNavigation={({
      canGoPrevious,
      canGoNext,
      isStepValid,
      onPrevious,
      onNext,
      stepTitle,
      currentStepIndex,
      totalSteps,
    }) => (
      <div>
        <span>
          {stepTitle} ({currentStepIndex + 1} of {totalSteps})
        </span>
        {canGoPrevious && <button onClick={onPrevious}>Back</button>}
        {canGoNext && (
          <button onClick={onNext} disabled={!isStepValid}>
            Next
          </button>
        )}
      </div>
    )}
  />
</AdaptiveFormProvider>

Show all steps

To render all steps as sections on a single page (no navigation), set showAllSteps:

<AdaptiveFormProvider requirements={requirements}>
  <AdaptiveForm defaultValue={{}} showAllSteps components={myComponents} />
</AdaptiveFormProvider>

Accessing step information from outside AdaptiveForm

Wrap AdaptiveForm in an AdaptiveFormProvider to expose step information to sibling components (e.g. a progress stepper or breadcrumbs) via the useFormInfo() hook.

import { useState } from 'react';
import { AdaptiveFormProvider, AdaptiveForm, useFormInfo } from '@kotaio/adaptive-form/react';

function ProgressStepper() {
  const stepInfo = useFormInfo();

  return (
    <nav>
      {stepInfo.steps.map((step) => (
        <span key={step.id} data-active={step.isCurrent} data-visited={step.hasBeenVisited}>
          {step.title}
          {step.isValid && ' ✓'}
        </span>
      ))}
    </nav>
  );
}

function MyForm({ requirements }) {
  const [formData, setFormData] = useState({});

  return (
    <AdaptiveFormProvider requirements={requirements}>
      <ProgressStepper />
      <AdaptiveForm value={formData} onChange={setFormData} components={myComponents} />
    </AdaptiveFormProvider>
  );
}

AdaptiveForm must be rendered inside an AdaptiveFormProvider. The provider supplies requirements via context and enables siblings to read step state via useFormInfo().

useFormInfo() returns a StepperInfo object:

| Property | Type | Description | | ------------------ | --------------------------- | ---------------------------- | | currentStepId | string | ID of the active step | | currentStepIndex | number | 0-based index of active step | | totalSteps | number | Total number of steps | | steps | ReadonlyArray<StepDetail> | Details for every step |

Each StepDetail contains:

| Property | Type | Description | | ---------------- | --------------------- | ----------------------------------------------- | | id | string | Step ID | | title | string \| undefined | Step title (after localization) | | isCurrent | boolean | Whether this is the active step | | isValid | boolean | All visible fields in this step pass validation | | hasBeenVisited | boolean | Whether the user has navigated to this step |

Step information is also available via renderStepNavigation — the callback now receives a steps array with the same StepDetail objects, alongside the existing navigation props.

Field mapping

When your application's field names differ from the schema's, use the mapping prop to translate between them:

<AdaptiveFormProvider requirements={requirements}>
  <AdaptiveForm
    defaultValue={{}}
    mapping={{
      fieldIdMap: {
        firstName: 'first_name',
        lastName: 'last_name',
      },
    }}
    components={myComponents}
  />
</AdaptiveFormProvider>

Form data will use your field names (firstName) while the engine maps them to the schema's field IDs (first_name) internally.

Datasets and dynamic options

Schemas can include datasets — reusable lists of options that fields reference. When a field uses a dataset, AdaptiveForm resolves the options automatically and passes them to your component via the options prop.

Datasets can also include filters that narrow options based on the current form data. For example, a "plan" field might only show plans for the selected insurer. This filtering happens automatically — your select component just renders whatever options it receives.

Handling boolean option values

Option values can be string or boolean. If your select/radio component requires string values for the DOM (e.g. <option value="...">), serialize for display but pass the raw value to onChange:

function SelectInput({ field, value, onChange, options, isVisible, isRequired, label }) {
  if (!isVisible) return null;

  return (
    <div>
      <label>
        {label}
        {isRequired && <span>*</span>}
      </label>
      <select
        name={field.id}
        value={String(value ?? '')}
        onChange={(e) => {
          const selected = options?.find((o) => String(o.value) === e.target.value);
          onChange(selected?.value ?? e.target.value);
        }}
      >
        <option value="">Select...</option>
        {options?.map((opt) => (
          <option key={String(opt.value)} value={String(opt.value)}>
            {opt.label}
          </option>
        ))}
      </select>
    </div>
  );
}

Form library adapters

Adapter hooks bridge AdaptiveForm with popular form libraries. They return { value, onChange } to pass directly to AdaptiveForm in controlled mode.

React Hook Form

import { AdaptiveFormProvider, AdaptiveForm } from '@kotaio/adaptive-form/react';
import { useReactHookFormAdapter } from '@kotaio/adaptive-form/react/adapters/react-hook-form';

function MyForm({ requirements }) {
  const form = useFormContext();
  const { value, onChange } = useReactHookFormAdapter({ form });

  return (
    <AdaptiveFormProvider requirements={requirements}>
      <AdaptiveForm value={value} onChange={onChange} components={myComponents} />
    </AdaptiveFormProvider>
  );
}

The adapter accepts optional serialize and deserialize functions for custom value transformation (e.g. Date objects to YYYY-MM-DD strings). By default, Date values are serialized automatically.

Formik

import { AdaptiveFormProvider, AdaptiveForm } from '@kotaio/adaptive-form/react';
import { useFormikAdapter } from '@kotaio/adaptive-form/react/adapters/formik';
import { useState } from 'react';

function MyForm({ requirements }) {
  const formik = useFormikContext();
  const { value, onChange } = useFormikAdapter({ formik });
  const [isValidating, setIsValidating] = useState(false);

  return (
    <AdaptiveFormProvider requirements={requirements}>
      <AdaptiveForm
        value={value}
        onChange={onChange}
        onValidationStateChange={setIsValidating}
        components={myComponents}
      />
      <button type="submit" disabled={isValidating || !formik.isValid}>
        {isValidating ? 'Validating...' : 'Submit'}
      </button>
    </AdaptiveFormProvider>
  );
}

Same serialize/deserialize options as the React Hook Form adapter.

Schema features

These are features expressed in the schema that AdaptiveForm handles automatically. You don't need to implement any of this logic — it's documented here so you understand what your form will do.

Conditional visibility — Fields can appear or disappear based on the values of other fields. Hidden field values are optionally cleared (set clearHiddenValues).

Conditional validation — Fields can become required based on conditions (e.g. ZIP code required only when country is US).

Computed fields — Fields whose values are calculated from other fields using formulas (e.g. age from date of birth, totals from line items).

Read-only fields — Fields the user can see but not edit.

Hidden fields — Fields included in form data but not rendered.

Localized labels — Labels can be plain strings or objects with a default display value and an optional i18n key for translation lookup.

Exclusion rules — Fields can be excluded from submission based on conditions, separate from visibility.

Custom validators — Schemas can reference built-in validators (date checks, ID format validation, file constraints) with custom error messages.

AdaptiveForm props

| Prop | Type | Default | Description | | ------------------------- | -------------------------------------- | -------- | ---------------------------------------------- | | requirements | RequirementsObject | required | The schema from the API | | defaultValue | FormData | {} | Initial data (uncontrolled mode) | | value | FormData | — | Current data (controlled mode) | | onChange | (data: FormData) => void | — | Change handler (required in controlled mode) | | onValidationStateChange | (isValidating: boolean) => void | — | Called when async validation state transitions | | components | Record<string, (props) => ReactNode> | — | Map of field type → render function | | renderField | (props) => ReactNode | — | Custom per-field render function | | renderStepNavigation | (props) => ReactNode | — | Custom step navigation UI | | mapping | FieldMapping | — | Field ID remapping | | clearHiddenValues | boolean | false | Clear values when fields become hidden | | showAllSteps | boolean | false | Render all flow steps as sections | | showAllErrors | boolean | false | Show validation errors before interaction | | className | string | — | Container class name | | groupClassName | string | — | Field group container class name | | children | ReactNode | — | Content rendered after fields |

License

Apache-2.0 — see LICENSE for details.