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

@codegateinc/react-form-builder-v2

v1.3.2

Published

<p align="center"> <img src="https://cdn.codegate.pl/react-form-builder-v2/react-form-builder-v2.png" width="400"/> </p>

Downloads

718

Readme

React-form-builder-v2 is a library that allows you to create highly customizable forms by rendering your own components and storing the state. It works perfectly with ReactJS, React Native, and monorepo with React Native Web.

Create your own components and simply pass callbacks, errors, and values. You can store any type of value in the useField. It can be a string, boolean, number, array, or even an object.

Features

  • Fully working on hooks
  • Relies only on react and ramda
  • Highly customizable components
  • Well typed (Typescript)

Live demo

Install

yarn add @codegateinc/react-form-builder-v2 or npm install --save @codegateinc/react-form-builder-v2

Hooks

useField

type ValidationRule<T> = {
    errorMessage: string,
    validate(value: T): boolean
}

useField(config)

useField config

| Property | Type | Description | |-----------------|----------------------------|-------------------------------------------------------------------------------------------------------------------------------------------| | key | string | Default: undefined. This field is required, must be a unique within whole form. | | label | string | Default: undefined. The label value that will be passed through the field. | | initialValue | generic (T) | Default: undefined. This field is required. This will define the initial value of the field. | | isRequired | boolean | Default: false. Defines if the field is required and should be mandatory. With validation rules it can be additionally validated. | | placeholder | string | Default: undefined. Placeholder value that will be passed via the field | | validateOnBlur | boolean | Default: false. Defines if the field should be validated when blurred. If false, validation will be checked on each change. | | validationRules | Array<ValidationRule<T>> | Default: undefined. Array of validation objects that will define if the field is valid | | liveParser | (value: T) => T | Default: undefined. Function that, if defined, will be invoked every time the value changes. | | submitParser | (value: T) => T | Default: undefined. Function that, if defined, will be invoked after the submit function is invoked. | | hasError | boolean | Default: false. This value indicates if the field has an error. |

validationRules example

validationRule: [
    {
        errorMessage: 'this field should be at least 2 chars',
        validate: (value: string) => value.length >= 2
    }
]

useForm

const statesAndFunctions = useForm(config, callbacks)

States and functions

| Property | Type | Description | |----------------------|---------------------------------------------|------------------------------------------------------------------------------------------------------------------------------------------------------------------| | form | Record<string, T> | Form with all values. | | hasError | boolean | Indicates if the form has an error. | | isFilled | boolean | Determines whether or not all fields have changed. | | formHasChanges | () => boolean | Returns a boolean indicating whether any fields have changed. | | setError | (key: string, errorMessage: string) => void | Sets an error to a field, even if the field is valid. After revalidation, this error disappears. It can be useful for server-side validation. | | setFieldValue | (key: string, value: T) => void | Sets the field value. | | setFieldInitialValue | (key: string, initialValue: string) => void | Sets a field's initial value. The value of the field will change if it is pristine. | | addFields | (fields: Array<Field<any>>) => void | Adds new fields to the form. It allows users to create recurring forms or add new fields during runtime. | | removeFieldIds | (ids: Array<string>) => void | Removes fields from the form at runtime. Deletes only fields that were added with the "addFields" function. Fields passed in by configuration cannot be removed. | | resetForm | () => void | Resets all fields and forms to their initial values and states. | | submit | () => void | Submits the form, validating all the fields that are required. | | validateAll | () => boolean | Validates all fields. Returns if any field has error |

Usage

Basic

Let's create our first component

    import React from 'react'
    import { ReactSmartScroller } from '@codegateinc/react-form-builder-v2'
    
    const getConfig = () => {
        const name = useField({
            key: 'name',
            initialValue: '',
            isRequired: true,
            placeholder: 'name'
        })
        const surname = useField({
            key: 'surname',
            initialValue: '',
            isRequired: true,
            placeholder: 'surname'
        })
    
        return {
            name,
            surname
        }
    }
    
    export const FormBuilder: React.FunctionComponent = () => {
        const { form, submit } = useForm(getConfig(), {
            onSuccess: validForm => console.log(validForm)
        })

        return (
            <Container>
                <Input {...form.name}/>
                <Input {...form.surname}/>
                <Button onClick={submit}>
                    save
                </Button>
            </Container>
        )
    }

    const Container = styled.div`
        display: flex;
        flex-direction: column;
        padding: 100px;
        align-items: center;
        input {
            margin-bottom: 20px;
        }
    `
    
    const Button = styled.div`
        background-color: green;
        padding: 10px 15px;
        color: white;
        border-radius: 20px;
        cursor: pointer;
    `

Here is a sandbox with 3 simple types of different components to show how it works https://codesandbox.io/embed/fragrant-bush-4gpqkl?fontsize=14&hidenavigation=1&theme=dark

Below you can find some usage examples

setError

<Button onClick={() => setError('input', 'custom error')}>
    set error
</Button>

setInitialValue

<Button onClick={() => setInitialValue('input', 'this is new initial value')}>
    set initial value
</Button>

setFieldValue

<Button onClick={() => setFieldvalue('input', 'this is new value')}>
    set field value
</Button>

addFields

<Button
    onClick={() => addFields([{
        key: 'second input',
        placeholder: 'second input'
    }])}
>
    add field
</Button>

removeFields

<Button
    onClick={() => addFields([{
        key: 'second input',
        placeholder: 'second input'
    }])}
>
    add field
</Button>
<Button
    onClick={() => removeFieldIds(['second input'])}
>
    remove field
</Button>

Contribution

Library created by Jacek Pudysz and Grzegorz Tarnopolski