Recoil.js
Recoil.js is a state management library, open-sourced by Facebook. It's offering a simple and powerful way of dealing with global, asynchronous and derived state.
We'll show basic usage of Recoil API with simple counter example.
Refer to official documentation for detailed usage. →
We need to wrap our code with RecoilRoot in root component.
import React from "react";import { RecoilRoot } from "recoil";
import Home from "pages";
function App(): JSX.Element { return ( <RecoilRoot> <div className="App"> <Home /> </div> </RecoilRoot> );}
export default App;
An atom
is simply a unit of state that component can subscribe. By updating the value, each subscribed component is re-rendered with the new value.
import { atom } from "recoil";
enum Atoms { Counter = "Counter",}
export const counter = atom({ key: Atoms.Counter, default: 0,});
To read and write an atom from a component, we use a hook called useRecoilState
.
import { useRecoilState } from "recoil";import { counter } from "recoil/atoms/index.ts";
const useCounter: () => [ number, { increase: () => void; decrease: () => void } ] = () => { const [count, setCount] = useRecoilState(counter);
const increase = () => { setCount((current) => current + 1); };
const decrease = () => { setCount((current) => current - 1); };
return [count, { increase, decrease }];};
export const RecoilExample: React.FC = () => { const [count, { increase, decrease }] = useCounter();
return ( <> <h2>Recoil Counter</h2> <div> <button onClick={increase}> + </button> <span>{count}</span> <button onClick={decrease}> - </button> </div> </> );};
Clicking on the buttons will update state and change count. It's that simple.
tip
We recommend watching Dave McCabe's presentation about Recoil to understand the logic behind the Recoil.
note
All required configurations will be handled automatically by CLI as long as you choose Recoil plugin during the project creation phase.
#
Adding Recoil to your project laterIf you didn't choose Recoil plugin during project creation phase, you can follow the instructions below to add it.
- npm
- yarn
npm install recoil
yarn add recoil
Refer to official documentation for installation.