85 lines
1.9 KiB
TypeScript
85 lines
1.9 KiB
TypeScript
'use client';
|
|
|
|
import React, { ChangeEvent } from 'react';
|
|
|
|
interface SelectOption {
|
|
value: string | number;
|
|
label: string;
|
|
}
|
|
|
|
interface FormSelectProps {
|
|
label: string;
|
|
name: string;
|
|
value: string | number;
|
|
onChange: (e: ChangeEvent<HTMLSelectElement>) => void;
|
|
onBlur?: (e: ChangeEvent<HTMLSelectElement>) => void;
|
|
options: SelectOption[];
|
|
error?: string;
|
|
touched?: boolean;
|
|
placeholder?: string;
|
|
required?: boolean;
|
|
disabled?: boolean;
|
|
className?: string;
|
|
}
|
|
|
|
/**
|
|
* Composant de select de formulaire réutilisable
|
|
*/
|
|
export default function FormSelect({
|
|
label,
|
|
name,
|
|
value,
|
|
onChange,
|
|
onBlur,
|
|
options,
|
|
error,
|
|
touched,
|
|
placeholder,
|
|
required = false,
|
|
disabled = false,
|
|
className = '',
|
|
}: FormSelectProps) {
|
|
const showError = touched && error;
|
|
|
|
return (
|
|
<div className={`mb-4 ${className}`}>
|
|
<label
|
|
htmlFor={name}
|
|
className="block text-sm font-medium text-gray-700 mb-2"
|
|
>
|
|
{label}
|
|
{required && <span className="text-red-500 ml-1">*</span>}
|
|
</label>
|
|
<select
|
|
id={name}
|
|
name={name}
|
|
value={value}
|
|
onChange={onChange}
|
|
onBlur={onBlur}
|
|
disabled={disabled}
|
|
required={required}
|
|
className={`
|
|
w-full px-4 py-2 border rounded-lg
|
|
focus:outline-none focus:ring-2 focus:ring-primary-500
|
|
disabled:bg-gray-100 disabled:cursor-not-allowed
|
|
${showError ? 'border-red-500' : 'border-gray-300'}
|
|
`}
|
|
>
|
|
{placeholder && (
|
|
<option value="" disabled>
|
|
{placeholder}
|
|
</option>
|
|
)}
|
|
{options.map((option) => (
|
|
<option key={option.value} value={option.value}>
|
|
{option.label}
|
|
</option>
|
|
))}
|
|
</select>
|
|
{showError && (
|
|
<p className="mt-1 text-sm text-red-500">{error}</p>
|
|
)}
|
|
</div>
|
|
);
|
|
}
|