generated from react18-tools/turborepo-template
-
-
Notifications
You must be signed in to change notification settings - Fork 1
1. Quick Start
Mayank edited this page Jun 13, 2024
·
1 revision
Welcome to the quick guide for using this library.
To get started, you can install the package via your preferred package manager. Here are a few examples:
$ pnpm add r18gs
or
$ npm install r18gs
or
$ yarn add r18gs
Utilize this hook similarly to the useState
hook. However, ensure to pass a unique key, unique across the app, to identify and make this state accessible to all client components.
const [state, setState] = useRGS<number>("counter", 1);
You can access the same state across all client-side components using a unique key.
It's advisable to store your keys in a separate file to prevent typos and unnecessary conflicts.
In some cases you might want to initialize the state with a function, for example, when reading from localStorage
. We support initializer function as well.
const [state, setState] = useRGS<number>("counter", () =>
typeof localStorage === "undefined" ? 1 : localStorage.getItem("counter") ?? 1,
);
// constants/global-states.ts
export const COUNTER = "counter";
// components/display.tsx
"use client";
import useRGS from "r18gs";
import { COUNTER } from "../constants/global-states";
export default function Display() {
const [count] = useRGS<number>(COUNTER);
return (
<div>
<h2>Client Component 2</h2>
<b>{count}</b>
</div>
);
}
// components/counter.tsx
"use client";
import useRGS from "r18gs";
import { COUNTER } from "../constants/global-states";
export default function Counter() {
const [count, setCount] = useRGS(COUNTER, 0);
return (
<div>
<h2>Client Component 1</h2>
<input
onChange={e => {
setCount(parseInt(e.target.value.trim()));
}}
type="number"
value={count}
/>
</div>
);
}