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 🙏

© 2024 – Pkg Stats / Ryan Hefner

composable-forms

v0.1.19

Published

Highly-flexible forms library built on top of [**Effector**](https://effector.dev)!

Downloads

21

Readme

Composable forms

Highly-flexible forms library built on top of Effector!

Why "composable"?

The problem with most form-managers is that they are based on monolithic schemas.

But this leads to a lot of problems:

  • Sometimes you have just a single field, and you don't want to create "a whole form" for that
  • Sometimes you have a custom form with a variable structure which depends on specific conditions. Some of monolithic form managers don't support that at all, and others provide you with a frustrating configurations.
  • You have various fields - inputs, selects or even custom ones, but API would be the same for all of them, and you'll have to create your wrappers for that.

This library allows you to create simple fields, then combine them together, and also easily create dynamic forms depending on your conditions.

Install

npm i composable-forms

... and don't forget peer dependencies:

npm i effector joi

P.S. We use joi for validation schemas. Learn more about it here

Usage

Create fields

import Joi from "joi";
import { createField } from "composable-forms";

const login = createField({
  initialValue: "",
  schema: Joi.string().required(),
});

const password = createField({
  initialValue: "",
  schema: Joi.string().required().min(3),
});

Fields provide a pack of useful stores:

login.$value; // Current field value
login.$errors; // Errors array
login.$isDirty; // `true` if value changed, `false` otherwise
login.$isValid; // `true` if no errors, `false` otherwise
login.$hasErrors; // Like `$isValid` but reversed
login.$dirtyErrors; // Like `$errors` but returns empty array if `$isDirty` is `true`
login.$isDirtyAndValid; // Like `$isValid` but returns `true` if `$isDirty` is `true`
login.$hasDirtyErrors; // Like `$isValid` but returns `false` if `$isDirty` is `true`

NOTE: All the stuff except $value and $errors will be called "meta"

Combine fields together

import { composeFields } from "composable-forms";

const loginForm = composeFields({
  fields: { login, password },
});

composeFields provide the same stores that createField - they combine all the values and errors from passed fields into one shape:

loginForm.fields; // { login: Field<string>, password: Field<string> }
loginForm.$value; // Store<{ login: '', password: '' }>
loginForm.$errors; // Store<ValidationErrorItem[]>
// + meta

Forms also have the optional schema option, in case you need to add form-specific rules:

import { composeFields } from "composable-forms";

const signupForm = composeFields({
  fields: { login, password, repeatPassword },
  schema: joi.object({
    repeatPassword: joi.any().valid(Joi.ref("password")),
  }),
});

If you want to access only form-specific errors, signupForm.$ownErrors does that

Conditional fields

import Joi from "joi";
import { isValue, createField, composeFields, conditionalField } from "composable-forms";

const type = createField({
  initialValue: "message",
  schema: Joi.string().valid("message", "menu", "tag"),
});

const messageOptions = composeFields(/* ... */);
const menuOptions = composeFields(/* ... */);
const tagOptions = composeFields(/* ... */);

const options = conditionalField({
  cases: [
    [isValue(type, "message"), messageOptions],
    [isValue(type, "menu"), menuOptions],
    [isValue(type, "tag"), tagOptions],
  ],
});

conditionalField returns the same stuff that createField/composeFields do, but with the value and errors of the first matched case.

Conditional fields support all fields, forms and other conditional fields.

Custom fields

Library also provides built-in custom fields with ready-to-use API. You can import them from composable-forms/custom

createInput

Like createField but with a changed/inputChanged events!

import Joi from "joi";
import { createInput } from "composable-forms/custom";

const name = createInput({
  initialValue: "",
  schema: Joi.string().required(),
});

// Provides the same stuff that `createField` does
// + two additional events to attach to your fields:
name.changed; // Event<string | number>
name.inputChanged; // Event<InputEvent>

Utilities

extractValues

This method accepts an object with fields and extracts their $value stores.
In combination with patronum/spread you can fill multiple fields with no boilerplate:

import Joi from "joi";
import { spread } from "patronum";
import { createField, extractValues } from "composable-forms";

const userLoaded = createEvent<{ login: string; password: string }>();

const name = createField({ initialValue: "", schema: Joi.string() });
const surname = createField({ initialValue: "", schema: Joi.string() });

spread({
  source: userLoaded,
  targets: extractValues({ name, surname }),
});

isValue

Creates a store which accepts a field and returns true/false whether it has a specific value or not.

import Joi from "joi";
import { isValue, createField } from "composable-forms";

const type = createField({
  initialValue: "message",
  schema: Joi.string().valid("message", "menu", "tag"),
});

const isMessage = isValue(type, "message");
// `true` if type.$value is 'message'
// `false` otherwise

Useful in combo with conditionalField:

import { conditionalField } from "composable-forms";

const options = conditionalField({
  cases: [
    [isValue(type, "message"), messageOptions],
    [isValue(type, "menu"), menuOptions],
    [isValue(type, "tag"), tagOptions],
  ],
});

createErrorsMeta

If you want to create custom field, you might want to have all the meta as well:

import { createEvent, createStore } from "effector";
import { validate, createErrorsMeta } from "composable-fields";

const createCounter = () => {
  const plus = createEvent();
  const minus = createEvent();
  const $value = createStore(0);
  const $errors = createStore([]);

  // Creates $isDirty and all the meta
  const meta = createErrorsMeta({
    value: $value,
    errors: $errors,
  });

  // You have to manually validate and set dirty state
  $errors.on($value, (_prev, value) => {
    return validate(value, params.schema);
  });

  meta.$isDirty.on([plus, minus], () => true);

  return { $value, $errors, plus, minus, ...meta };
};

const counter = createCounter();