forked from epicweb-dev/advanced-react-patterns
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathtoggle.tsx
38 lines (31 loc) · 1.41 KB
/
toggle.tsx
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
import { createContext, use, useState } from 'react'
import { Switch } from '#shared/switch.tsx'
type ToggleValue = { on: boolean; toggle: () => void }
const ToggleContext = createContext<ToggleValue | null>(null)
export function Toggle({ children }: { children: React.ReactNode }) {
const [on, setOn] = useState(false)
const toggle = () => setOn(!on)
return <ToggleContext value={{ on, toggle }}>{children}</ToggleContext>
}
// 🐨 create a custom useToggle() hook here
// create a new context variable and read ToggleContext with use
// when no context is found, throw an error with a useful message
// otherwise return the context
export function ToggleOn({ children }: { children: React.ReactNode }) {
// 🐨 instead reading context with use, we'll need to get that from useToggle()
const { on } = use(ToggleContext)!
return <>{on ? children : null}</>
}
export function ToggleOff({ children }: { children: React.ReactNode }) {
// 🐨 instead reading context with use, we'll need to get that from useToggle()
const { on } = use(ToggleContext)!
return <>{on ? null : children}</>
}
type ToggleButtonProps = Omit<React.ComponentProps<typeof Switch>, 'on'> & {
on?: boolean
}
export function ToggleButton({ ...props }: ToggleButtonProps) {
// 🐨 instead reading context with use, we'll need to get that from useToggle()
const { on, toggle } = use(ToggleContext)!
return <Switch {...props} on={on} onClick={toggle} />
}