Checkbox
A checkbox is a form element that allows the user to toggle between two states: checked and unchecked.
Code
import { AnimatePresence, motion } from "motion/react";
import React from "react";
export interface CheckboxContextType {
isChecked: boolean;
}
export const CheckboxContext = React.createContext<CheckboxContextType>(
{} as CheckboxContextType
);
export function useCheckbox() {
return React.useContext(CheckboxContext);
}
export interface CheckboxProps extends React.ComponentProps<"input"> {
children: React.ReactNode;
}
export function Checkbox({
children,
className,
style,
id,
defaultChecked,
checked,
onChange,
...props
}: CheckboxProps) {
const [isChecked, setIsChecked] = React.useState(defaultChecked || false);
const inputRef = React.useRef<HTMLInputElement>(null);
const state = checked ?? isChecked;
return (
<CheckboxContext.Provider value={{ isChecked: state }}>
<button
className={className}
style={style}
role="checkbox"
data-checked={state}
type="button"
onClick={() => {
inputRef.current?.click();
}}
id={id}
>
<input
type="checkbox"
aria-hidden
{...props}
style={{ display: "none" }}
checked={state}
onChange={e => {
setIsChecked(e.target.checked);
onChange?.(e);
}}
ref={inputRef}
/>
{children}
</button>
</CheckboxContext.Provider>
);
}
export interface CheckboxIndicatorProps
extends React.ComponentProps<typeof motion.span> {}
export function CheckboxIndicator(props: CheckboxIndicatorProps) {
const { isChecked } = useCheckbox();
return (
<AnimatePresence>
{isChecked ? <motion.span {...props} /> : null}
</AnimatePresence>
);
}
Example
import { Checkbox, CheckboxIndicator } from "../ui/primitives/checkbox";
export function CheckboxExample() {
return (
<div className="flex gap-2 items-center">
<Checkbox
className="size-[20px] flex justify-center items-center rounded-sm bg-neutral-100 hover:bg-neutral-200 border border-neutral-300 data-[checked=true]:bg-violet-500 data-[checked=true]:border-violet-500 data-[checked=true]:text-white transition-colors select-none"
id="check"
>
<CheckboxIndicator
initial={{ opacity: 0, scale: 0.5 }}
animate={{ opacity: 1, scale: 1 }}
exit={{ opacity: 0, scale: 0.5 }}
>
<svg
className="size-[15px] mr-0.5 mb-0.5"
xmlns="http://www.w3.org/2000/svg"
viewBox="0 0 20 20"
fill="none"
stroke="currentColor"
strokeWidth="2"
strokeLinecap="round"
strokeLinejoin="round"
>
<path d="M4 12l5 5L20 4" />
</svg>
</CheckboxIndicator>
</Checkbox>
<label
htmlFor="check"
>
I agree to the terms and conditions
</label>
</div>
);
}