-
Notifications
You must be signed in to change notification settings - Fork 86
/
Copy pathCheckboxInputField.tsx
96 lines (89 loc) · 2.97 KB
/
CheckboxInputField.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
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
import classNames from "classnames";
import React, { useCallback, useId, type FC, type PropsWithChildren, type ReactNode } from "react";
import { InputField } from "./InputField";
import { InputFieldHint } from "./InputFieldHint";
type CheckboxListFieldProps = {
label: string;
error?: ReactNode;
className?: string;
topMargin?: boolean;
};
// CheckboxListField is a wrapper for a list of related CheckboxInputField components.
export const CheckboxListField: FC<PropsWithChildren<CheckboxListFieldProps>> = ({
label,
error,
className,
topMargin,
children,
}) => {
return (
<InputField label={label} className={className} error={error} topMargin={topMargin}>
<div className="space-y-2 ml-2">{children}</div>
</InputField>
);
};
type CheckboxInputFieldProps = {
id?: string;
value?: string;
checked: boolean;
disabled?: boolean;
label: ReactNode;
hint?: ReactNode;
error?: ReactNode;
topMargin?: boolean;
containerClassName?: string;
onChange: (checked: boolean) => void;
};
export const CheckboxInputField: FC<CheckboxInputFieldProps> = ({
id,
value,
label,
hint,
error,
checked,
disabled = false,
topMargin = true,
containerClassName,
onChange,
}) => {
const maybeId = useId();
const elementId = id || maybeId;
const handleChange = useCallback(
(e) => {
onChange(e.target.checked);
},
[onChange],
);
return (
// Intentionally not passing label and hint to InputField because we want to render them differently for checkboxes.
<InputField error={error} topMargin={topMargin} className={containerClassName}>
<label className="flex space-x-2 justify-start items-start max-w-lg" htmlFor={elementId}>
<input
type="checkbox"
className={classNames(
"h-4 w-4 mt-0.5 rounded cursor-pointer border-2 dark:invert",
"focus:ring-2 ring-blue-400",
"border-gray-600 dark:border-gray-900 bg-transparent",
"checked:bg-gray-600 dark:checked:bg-gray-900",
)}
id={elementId}
checked={checked}
disabled={disabled}
value={value}
onChange={handleChange}
/>
<div className="flex flex-col">
<span
className={classNames(
"text-sm font-bold cursor-pointer",
disabled ? "text-gray-400 dark:text-gray-400" : "text-gray-600 dark:text-gray-100",
)}
>
{label}
</span>
{hint && <InputFieldHint disabled={disabled}>{hint}</InputFieldHint>}
</div>
</label>
</InputField>
);
};