Files
MAD-Platform/components/AddressAutocomplete.tsx

155 lines
5.3 KiB
TypeScript
Raw Permalink Normal View History

2026-01-21 17:34:48 +01:00
'use client';
import { useState, useEffect, useRef } from 'react';
interface AddressSuggestion {
display_name: string;
lat: string;
lon: string;
}
interface AddressAutocompleteProps {
value: string;
onChange: (address: string) => void;
placeholder?: string;
required?: boolean;
}
export default function AddressAutocomplete({
value,
onChange,
placeholder = 'Rechercher une adresse...',
required = false,
}: AddressAutocompleteProps) {
const [suggestions, setSuggestions] = useState<AddressSuggestion[]>([]);
const [showSuggestions, setShowSuggestions] = useState(false);
const [loading, setLoading] = useState(false);
const wrapperRef = useRef<HTMLDivElement>(null);
const timeoutRef = useRef<NodeJS.Timeout | null>(null);
useEffect(() => {
const handleClickOutside = (event: MouseEvent) => {
if (wrapperRef.current && !wrapperRef.current.contains(event.target as Node)) {
setShowSuggestions(false);
}
};
document.addEventListener('mousedown', handleClickOutside);
return () => {
document.removeEventListener('mousedown', handleClickOutside);
if (timeoutRef.current) {
clearTimeout(timeoutRef.current);
}
};
}, []);
const searchAddresses = async (query: string) => {
if (query.length < 3) {
setSuggestions([]);
return;
}
setLoading(true);
try {
// Annuler la requête précédente si elle existe
if (timeoutRef.current) {
clearTimeout(timeoutRef.current);
}
// Attendre un peu avant de faire la requête (debounce)
timeoutRef.current = setTimeout(async () => {
try {
const response = await fetch(
`https://nominatim.openstreetmap.org/search?format=json&q=${encodeURIComponent(query)}&limit=5&addressdetails=1&countrycodes=fr`,
{
headers: {
'User-Agent': 'MAD Platform',
'Accept-Language': 'fr-FR,fr;q=0.9',
},
}
);
if (response.ok) {
const data = await response.json();
setSuggestions(data);
setShowSuggestions(true);
}
} catch (error) {
console.error('Erreur lors de la recherche d\'adresses:', error);
} finally {
setLoading(false);
}
}, 300);
} catch (error) {
console.error('Erreur:', error);
setLoading(false);
}
};
const handleInputChange = (e: React.ChangeEvent<HTMLInputElement>) => {
const newValue = e.target.value;
onChange(newValue);
searchAddresses(newValue);
};
const handleSelectSuggestion = (suggestion: AddressSuggestion) => {
onChange(suggestion.display_name);
setShowSuggestions(false);
setSuggestions([]);
};
return (
<div className="relative" ref={wrapperRef}>
<div className="relative">
<input
type="text"
value={value}
onChange={handleInputChange}
onFocus={() => {
if (suggestions.length > 0) {
setShowSuggestions(true);
}
}}
placeholder={placeholder}
required={required}
className="w-full px-4 py-2.5 border border-gray-300 rounded-lg text-gray-900 placeholder-gray-400 focus:outline-none focus:ring-2 focus:ring-lblue focus:border-transparent"
/>
{loading && (
<div className="absolute right-3 top-1/2 transform -translate-y-1/2">
<svg className="animate-spin h-5 w-5 text-gray-400" fill="none" viewBox="0 0 24 24">
<circle className="opacity-25" cx="12" cy="12" r="10" stroke="currentColor" strokeWidth="4"></circle>
<path className="opacity-75" fill="currentColor" d="M4 12a8 8 0 018-8V0C5.373 0 0 5.373 0 12h4zm2 5.291A7.962 7.962 0 014 12H0c0 3.042 1.135 5.824 3 7.938l3-2.647z"></path>
</svg>
</div>
)}
</div>
{showSuggestions && suggestions.length > 0 && (
<div className="absolute z-20 w-full mt-1 bg-white border border-gray-200 rounded-lg shadow-lg max-h-60 overflow-y-auto">
{suggestions.map((suggestion, index) => (
<button
key={index}
type="button"
onClick={() => handleSelectSuggestion(suggestion)}
className="w-full px-4 py-3 text-left hover:bg-gray-50 flex items-start gap-3 border-b border-gray-100 last:border-b-0 transition-colors"
>
<svg className="w-5 h-5 text-gray-400 mt-0.5 flex-shrink-0" fill="none" stroke="currentColor" viewBox="0 0 24 24">
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M17.657 16.657L13.414 20.9a1.998 1.998 0 01-2.827 0l-4.244-4.243a8 8 0 1111.314 0z" />
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M15 11a3 3 0 11-6 0 3 3 0 016 0z" />
</svg>
<div className="flex-1 min-w-0">
<div className="text-sm font-medium text-gray-900 truncate">
{suggestion.display_name.split(',').slice(0, 2).join(', ')}
</div>
<div className="text-xs text-gray-500 mt-0.5 truncate">
{suggestion.display_name}
</div>
</div>
</button>
))}
</div>
)}
</div>
);
}