Compare commits

...

7 Commits

Author SHA1 Message Date
pacnpal
5b7b203619 Refactor add ride modal to utilize Alpine.js for state management. Improved modal open/close functionality and enhanced event handling for better user experience. 2025-09-26 14:32:10 -04:00
pacnpal
47c435d2f5 Refactor ride model search results template to utilize Alpine.js for state management. Enhanced selection handling and improved event dispatching for better user experience. 2025-09-26 14:31:15 -04:00
pacnpal
ce382a4361 Refactor designer search results template to utilize Alpine.js for state management. Enhanced designer selection handling and improved event dispatching for better user experience. 2025-09-26 14:30:22 -04:00
pacnpal
07ab9f28f2 Refactor manufacturer search results template to utilize Alpine.js for state management. Enhanced manufacturer selection handling and improved event dispatching for better user experience. 2025-09-26 14:29:37 -04:00
pacnpal
40e5cf3162 Refactor ride form template to utilize Alpine.js for state management. Enhanced form submission handling and improved search result clearing functionality for better user experience. 2025-09-26 14:27:47 -04:00
pacnpal
b9377ead37 Refactor designer and ride model search results templates to utilize Alpine.js for state management. Enhanced selection functionality and improved event handling for better user experience. 2025-09-26 14:23:03 -04:00
pacnpal
851709058f Refactor location widget and park search results templates to utilize Alpine.js for state management. Enhanced search functionality, improved data binding, and streamlined event handling for better user experience. 2025-09-26 14:21:28 -04:00
11 changed files with 700 additions and 622 deletions

View File

@@ -199,24 +199,31 @@
</div> </div>
<script> <script>
document.body.addEventListener('htmx:afterRequest', function(evt) { document.addEventListener('alpine:init', () => {
if (evt.detail.successful) { Alpine.data('moderationDashboard', () => ({
const path = evt.detail.requestConfig.path; init() {
let event; // Handle HTMX events using AlpineJS approach
document.body.addEventListener('htmx:afterRequest', (evt) => {
if (path.includes('approve')) { if (evt.detail.successful) {
event = new CustomEvent('submission-approved'); const path = evt.detail.requestConfig.path;
} else if (path.includes('reject')) { let eventName;
event = new CustomEvent('submission-rejected');
} else if (path.includes('escalate')) { if (path.includes('approve')) {
event = new CustomEvent('submission-escalated'); eventName = 'submission-approved';
} else if (path.includes('edit')) { } else if (path.includes('reject')) {
event = new CustomEvent('submission-updated'); eventName = 'submission-rejected';
} } else if (path.includes('escalate')) {
eventName = 'submission-escalated';
if (event) { } else if (path.includes('edit')) {
window.dispatchEvent(event); eventName = 'submission-updated';
} }
if (eventName) {
this.$dispatch(eventName);
}
}
});
} }
}); }));
});
</script> </script>

View File

@@ -1,9 +1,12 @@
<div class="w-full mt-1 bg-white border border-gray-300 rounded-lg shadow-lg dark:bg-gray-700 dark:border-gray-600" style="max-height: 240px; overflow-y: auto;"> <div class="w-full mt-1 bg-white border border-gray-300 rounded-lg shadow-lg dark:bg-gray-700 dark:border-gray-600"
style="max-height: 240px; overflow-y: auto;"
x-data="designerSearchResults('{{ submission_id }}')"
@click.outside="clearResults()">
{% if designers %} {% if designers %}
{% for designer in designers %} {% for designer in designers %}
<button type="button" <button type="button"
class="w-full px-4 py-2 text-left text-gray-900 hover:bg-gray-100 dark:text-white dark:hover:bg-gray-600" class="w-full px-4 py-2 text-left text-gray-900 hover:bg-gray-100 dark:text-white dark:hover:bg-gray-600"
onclick="selectDesignerForSubmission('{{ designer.id }}', '{{ designer.name|escapejs }}', '{{ submission_id }}')"> @click="selectDesigner('{{ designer.id }}', '{{ designer.name|escapejs }}')">
{{ designer.name }} {{ designer.name }}
</button> </button>
{% endfor %} {% endfor %}
@@ -19,49 +22,49 @@
</div> </div>
<script> <script>
function selectDesignerForSubmission(id, name, submissionId) { document.addEventListener('alpine:init', () => {
// Debug logging Alpine.data('designerSearchResults', (submissionId) => ({
console.log('Selecting designer:', {id, name, submissionId}); submissionId: submissionId,
// Find elements
const designerInput = document.querySelector(`#designer-input-${submissionId}`);
const searchInput = document.querySelector(`#designer-search-${submissionId}`);
const resultsDiv = document.querySelector(`#designer-search-results-${submissionId}`);
// Debug logging
console.log('Found elements:', {
designerInput: designerInput?.id,
searchInput: searchInput?.id,
resultsDiv: resultsDiv?.id
});
// Update hidden input
if (designerInput) {
designerInput.value = id;
console.log('Updated designer input value:', designerInput.value);
}
// Update search input
if (searchInput) {
searchInput.value = name;
console.log('Updated search input value:', searchInput.value);
}
// Clear results
if (resultsDiv) {
resultsDiv.innerHTML = '';
console.log('Cleared results div');
}
}
// Close search results when clicking outside selectDesigner(id, name) {
document.addEventListener('click', function(e) { // Debug logging
const searchResults = document.querySelectorAll('[id^="designer-search-results-"]'); console.log('Selecting designer:', {id, name, submissionId: this.submissionId});
searchResults.forEach(function(resultsDiv) {
const searchInput = document.querySelector(`#designer-search-${resultsDiv.id.split('-').pop()}`); // Find elements using AlpineJS approach
if (!resultsDiv.contains(e.target) && e.target !== searchInput) { const designerInput = document.querySelector(`#designer-input-${this.submissionId}`);
resultsDiv.innerHTML = ''; const searchInput = document.querySelector(`#designer-search-${this.submissionId}`);
const resultsDiv = document.querySelector(`#designer-search-results-${this.submissionId}`);
// Debug logging
console.log('Found elements:', {
designerInput: designerInput?.id,
searchInput: searchInput?.id,
resultsDiv: resultsDiv?.id
});
// Update hidden input
if (designerInput) {
designerInput.value = id;
console.log('Updated designer input value:', designerInput.value);
}
// Update search input
if (searchInput) {
searchInput.value = name;
console.log('Updated search input value:', searchInput.value);
}
// Clear results
this.clearResults();
},
clearResults() {
const resultsDiv = document.querySelector(`#designer-search-results-${this.submissionId}`);
if (resultsDiv) {
resultsDiv.innerHTML = '';
console.log('Cleared results div');
}
} }
}); }));
}); });
</script> </script>

View File

@@ -19,30 +19,60 @@
} }
</style> </style>
<div class="p-4 bg-white border rounded-lg dark:bg-gray-800 border-gray-200/50 dark:border-gray-700/50"> <div class="p-4 bg-white border rounded-lg dark:bg-gray-800 border-gray-200/50 dark:border-gray-700/50"
x-data="locationWidget({
submissionId: '{{ submission.id }}',
initialData: {
city: '{{ submission.changes.city|default:"" }}',
state: '{{ submission.changes.state|default:"" }}',
country: '{{ submission.changes.country|default:"" }}',
postal_code: '{{ submission.changes.postal_code|default:"" }}',
street_address: '{{ submission.changes.street_address|default:"" }}',
latitude: '{{ submission.changes.latitude|default:"" }}',
longitude: '{{ submission.changes.longitude|default:"" }}'
}
})"
x-init="init()">
<h3 class="mb-4 text-lg font-semibold text-gray-900 dark:text-gray-300">Location</h3> <h3 class="mb-4 text-lg font-semibold text-gray-900 dark:text-gray-300">Location</h3>
<div class="location-widget" id="locationWidget-{{ submission.id }}"> <div class="location-widget">
{# Search Form #} {# Search Form #}
<div class="relative mb-4"> <div class="relative mb-4">
<label class="block mb-2 text-sm font-medium text-gray-700 dark:text-gray-300"> <label class="block mb-2 text-sm font-medium text-gray-700 dark:text-gray-300">
Search Location Search Location
</label> </label>
<input type="text" <input type="text"
id="locationSearch-{{ submission.id }}" x-model="searchQuery"
@input.debounce.300ms="handleSearch()"
@click.outside="showSearchResults = false"
class="relative w-full px-4 py-2 text-gray-900 bg-white border rounded-lg dark:text-gray-300 dark:bg-gray-700 dark:border-gray-600 form-input" class="relative w-full px-4 py-2 text-gray-900 bg-white border rounded-lg dark:text-gray-300 dark:bg-gray-700 dark:border-gray-600 form-input"
placeholder="Search for a location..." placeholder="Search for a location..."
autocomplete="off" autocomplete="off"
style="z-index: 10;"> style="z-index: 10;">
<div id="searchResults-{{ submission.id }}" <div x-show="showSearchResults"
x-transition
style="position: absolute; top: 100%; left: 0; right: 0; z-index: 1000;" style="position: absolute; top: 100%; left: 0; right: 0; z-index: 1000;"
class="hidden w-full mt-1 overflow-auto bg-white border rounded-md shadow-lg max-h-60 dark:bg-gray-700 dark:border-gray-600"> class="w-full mt-1 overflow-auto bg-white border rounded-md shadow-lg max-h-60 dark:bg-gray-700 dark:border-gray-600">
<template x-for="(result, index) in searchResults" :key="index">
<div class="p-2 cursor-pointer hover:bg-gray-100 dark:hover:bg-gray-600"
@click="selectLocation(result)">
<div class="font-medium text-gray-900 dark:text-white" x-text="result.display_name || result.name || ''"></div>
<div class="text-sm text-gray-500 dark:text-gray-400">
<span x-text="result.address?.city ? result.address.city + ', ' : ''"></span>
<span x-text="result.address?.country || ''"></span>
</div>
</div>
</template>
<div x-show="searchResults.length === 0 && searchQuery.length > 0"
class="p-2 text-gray-500 dark:text-gray-400">
No results found
</div>
</div> </div>
</div> </div>
{# Map Container #} {# Map Container #}
<div class="relative mb-4" style="z-index: 1;"> <div class="relative mb-4" style="z-index: 1;">
<div id="locationMap-{{ submission.id }}" <div x-ref="mapContainer"
class="h-[300px] w-full rounded-lg border border-gray-300 dark:border-gray-600"></div> class="h-[300px] w-full rounded-lg border border-gray-300 dark:border-gray-600"></div>
</div> </div>
@@ -54,9 +84,8 @@
</label> </label>
<input type="text" <input type="text"
name="street_address" name="street_address"
id="streetAddress-{{ submission.id }}" x-model="formData.street_address"
class="w-full px-4 py-2 text-gray-900 bg-white border rounded-lg dark:text-gray-300 dark:bg-gray-700 dark:border-gray-600 form-input" class="w-full px-4 py-2 text-gray-900 bg-white border rounded-lg dark:text-gray-300 dark:bg-gray-700 dark:border-gray-600 form-input">
value="{{ submission.changes.street_address }}">
</div> </div>
<div> <div>
<label class="block mb-2 text-sm font-medium text-gray-700 dark:text-gray-300"> <label class="block mb-2 text-sm font-medium text-gray-700 dark:text-gray-300">
@@ -64,9 +93,8 @@
</label> </label>
<input type="text" <input type="text"
name="city" name="city"
id="city-{{ submission.id }}" x-model="formData.city"
class="w-full px-4 py-2 text-gray-900 bg-white border rounded-lg dark:text-gray-300 dark:bg-gray-700 dark:border-gray-600 form-input" class="w-full px-4 py-2 text-gray-900 bg-white border rounded-lg dark:text-gray-300 dark:bg-gray-700 dark:border-gray-600 form-input">
value="{{ submission.changes.city }}">
</div> </div>
<div> <div>
<label class="block mb-2 text-sm font-medium text-gray-700 dark:text-gray-300"> <label class="block mb-2 text-sm font-medium text-gray-700 dark:text-gray-300">
@@ -74,9 +102,8 @@
</label> </label>
<input type="text" <input type="text"
name="state" name="state"
id="state-{{ submission.id }}" x-model="formData.state"
class="w-full px-4 py-2 text-gray-900 bg-white border rounded-lg dark:text-gray-300 dark:bg-gray-700 dark:border-gray-600 form-input" class="w-full px-4 py-2 text-gray-900 bg-white border rounded-lg dark:text-gray-300 dark:bg-gray-700 dark:border-gray-600 form-input">
value="{{ submission.changes.state }}">
</div> </div>
<div> <div>
<label class="block mb-2 text-sm font-medium text-gray-700 dark:text-gray-300"> <label class="block mb-2 text-sm font-medium text-gray-700 dark:text-gray-300">
@@ -84,9 +111,8 @@
</label> </label>
<input type="text" <input type="text"
name="country" name="country"
id="country-{{ submission.id }}" x-model="formData.country"
class="w-full px-4 py-2 text-gray-900 bg-white border rounded-lg dark:text-gray-300 dark:bg-gray-700 dark:border-gray-600 form-input" class="w-full px-4 py-2 text-gray-900 bg-white border rounded-lg dark:text-gray-300 dark:bg-gray-700 dark:border-gray-600 form-input">
value="{{ submission.changes.country }}">
</div> </div>
<div> <div>
<label class="block mb-2 text-sm font-medium text-gray-700 dark:text-gray-300"> <label class="block mb-2 text-sm font-medium text-gray-700 dark:text-gray-300">
@@ -94,143 +120,140 @@
</label> </label>
<input type="text" <input type="text"
name="postal_code" name="postal_code"
id="postalCode-{{ submission.id }}" x-model="formData.postal_code"
class="w-full px-4 py-2 text-gray-900 bg-white border rounded-lg dark:text-gray-300 dark:bg-gray-700 dark:border-gray-600 form-input" class="w-full px-4 py-2 text-gray-900 bg-white border rounded-lg dark:text-gray-300 dark:bg-gray-700 dark:border-gray-600 form-input">
value="{{ submission.changes.postal_code }}">
</div> </div>
</div> </div>
{# Hidden Coordinate Fields #} {# Hidden Coordinate Fields #}
<div class="hidden"> <div class="hidden">
<input type="hidden" name="latitude" id="latitude-{{ submission.id }}" value="{{ submission.changes.latitude }}"> <input type="hidden" name="latitude" x-model="formData.latitude">
<input type="hidden" name="longitude" id="longitude-{{ submission.id }}" value="{{ submission.changes.longitude }}"> <input type="hidden" name="longitude" x-model="formData.longitude">
</div> </div>
</div> </div>
</div> </div>
<script> <script>
document.addEventListener('DOMContentLoaded', function() { document.addEventListener('alpine:init', () => {
let maps = {}; Alpine.data('locationWidget', (config) => ({
let markers = {}; submissionId: config.submissionId,
const searchInput = document.getElementById('locationSearch-{{ submission.id }}'); formData: { ...config.initialData },
const searchResults = document.getElementById('searchResults-{{ submission.id }}'); searchQuery: '',
let searchTimeout; searchResults: [],
showSearchResults: false,
map: null,
marker: null,
// Initialize form fields with existing values init() {
const fields = { // Set initial search query if location exists
city: '{{ submission.changes.city|default:"" }}', if (this.formData.street_address || this.formData.city) {
state: '{{ submission.changes.state|default:"" }}', const parts = [
country: '{{ submission.changes.country|default:"" }}', this.formData.street_address,
postal_code: '{{ submission.changes.postal_code|default:"" }}', this.formData.city,
street_address: '{{ submission.changes.street_address|default:"" }}', this.formData.state,
latitude: '{{ submission.changes.latitude|default:"" }}', this.formData.country
longitude: '{{ submission.changes.longitude|default:"" }}' ].filter(Boolean);
}; this.searchQuery = parts.join(', ');
Object.entries(fields).forEach(([field, value]) => {
const element = document.getElementById(`${field}-{{ submission.id }}`);
if (element) {
element.value = value;
}
});
// Set initial search input value if location exists
if (fields.street_address || fields.city) {
const parts = [
fields.street_address,
fields.city,
fields.state,
fields.country
].filter(Boolean);
searchInput.value = parts.join(', ');
}
function normalizeCoordinate(value, maxDigits, decimalPlaces) {
if (!value) return null;
try {
const rounded = Number(value).toFixed(decimalPlaces);
const strValue = rounded.replace('.', '').replace('-', '');
const strippedValue = strValue.replace(/0+$/, '');
if (strippedValue.length > maxDigits) {
return Number(Number(value).toFixed(decimalPlaces - 1));
} }
return rounded;
} catch (error) {
console.error('Coordinate normalization failed:', error);
return null;
}
}
function validateCoordinates(lat, lng) { // Initialize map when component is ready
const normalizedLat = normalizeCoordinate(lat, 9, 6); this.$nextTick(() => {
const normalizedLng = normalizeCoordinate(lng, 10, 6); this.initMap();
});
},
if (normalizedLat === null || normalizedLng === null) { normalizeCoordinate(value, maxDigits, decimalPlaces) {
throw new Error('Invalid coordinate format'); if (!value) return null;
}
const parsedLat = parseFloat(normalizedLat);
const parsedLng = parseFloat(normalizedLng);
if (parsedLat < -90 || parsedLat > 90) {
throw new Error('Latitude must be between -90 and 90 degrees.');
}
if (parsedLng < -180 || parsedLng > 180) {
throw new Error('Longitude must be between -180 and 180 degrees.');
}
return { lat: normalizedLat, lng: normalizedLng };
}
function initMap() {
const submissionId = '{{ submission.id }}';
const mapId = `locationMap-${submissionId}`;
const mapContainer = document.getElementById(mapId);
if (!mapContainer) {
console.error(`Map container ${mapId} not found`);
return;
}
// If map already exists, remove it
if (maps[submissionId]) {
maps[submissionId].remove();
delete maps[submissionId];
delete markers[submissionId];
}
// Create new map
maps[submissionId] = L.map(mapId);
L.tileLayer('https://{s}.tile.openstreetmap.org/{z}/{x}/{y}.png', {
attribution: '© OpenStreetMap contributors'
}).addTo(maps[submissionId]);
// Initialize with existing coordinates if available
const initialLat = fields.latitude;
const initialLng = fields.longitude;
if (initialLat && initialLng) {
try { try {
const normalized = validateCoordinates(initialLat, initialLng); const rounded = Number(value).toFixed(decimalPlaces);
maps[submissionId].setView([normalized.lat, normalized.lng], 13); const strValue = rounded.replace('.', '').replace('-', '');
addMarker(normalized.lat, normalized.lng); const strippedValue = strValue.replace(/0+$/, '');
} catch (error) {
console.error('Invalid initial coordinates:', error);
maps[submissionId].setView([0, 0], 2);
}
} else {
maps[submissionId].setView([0, 0], 2);
}
// Handle map clicks - HTMX version
maps[submissionId].on('click', function(e) {
try {
const normalized = validateCoordinates(e.latlng.lat, e.latlng.lng);
// Create a temporary form for HTMX request if (strippedValue.length > maxDigits) {
return Number(Number(value).toFixed(decimalPlaces - 1));
}
return rounded;
} catch (error) {
console.error('Coordinate normalization failed:', error);
return null;
}
},
validateCoordinates(lat, lng) {
const normalizedLat = this.normalizeCoordinate(lat, 9, 6);
const normalizedLng = this.normalizeCoordinate(lng, 10, 6);
if (normalizedLat === null || normalizedLng === null) {
throw new Error('Invalid coordinate format');
}
const parsedLat = parseFloat(normalizedLat);
const parsedLng = parseFloat(normalizedLng);
if (parsedLat < -90 || parsedLat > 90) {
throw new Error('Latitude must be between -90 and 90 degrees.');
}
if (parsedLng < -180 || parsedLng > 180) {
throw new Error('Longitude must be between -180 and 180 degrees.');
}
return { lat: normalizedLat, lng: normalizedLng };
},
initMap() {
if (!this.$refs.mapContainer) {
console.error('Map container not found');
return;
}
// If map already exists, remove it
if (this.map) {
this.map.remove();
this.map = null;
this.marker = null;
}
// Create new map
this.map = L.map(this.$refs.mapContainer);
L.tileLayer('https://{s}.tile.openstreetmap.org/{z}/{x}/{y}.png', {
attribution: '© OpenStreetMap contributors'
}).addTo(this.map);
// Initialize with existing coordinates if available
if (this.formData.latitude && this.formData.longitude) {
try {
const normalized = this.validateCoordinates(this.formData.latitude, this.formData.longitude);
this.map.setView([normalized.lat, normalized.lng], 13);
this.addMarker(normalized.lat, normalized.lng);
} catch (error) {
console.error('Invalid initial coordinates:', error);
this.map.setView([0, 0], 2);
}
} else {
this.map.setView([0, 0], 2);
}
// Handle map clicks
this.map.on('click', (e) => {
this.handleMapClick(e.latlng.lat, e.latlng.lng);
});
},
addMarker(lat, lng) {
if (this.marker) {
this.marker.remove();
}
this.marker = L.marker([lat, lng]).addTo(this.map);
this.map.setView([lat, lng], 13);
},
async handleMapClick(lat, lng) {
try {
const normalized = this.validateCoordinates(lat, lng);
// Use HTMX for reverse geocoding
const tempForm = document.createElement('form'); const tempForm = document.createElement('form');
tempForm.style.display = 'none'; tempForm.style.display = 'none';
tempForm.setAttribute('hx-get', '/parks/search/reverse-geocode/'); tempForm.setAttribute('hx-get', '/parks/search/reverse-geocode/');
@@ -241,15 +264,14 @@ document.addEventListener('DOMContentLoaded', function() {
tempForm.setAttribute('hx-trigger', 'submit'); tempForm.setAttribute('hx-trigger', 'submit');
tempForm.setAttribute('hx-swap', 'none'); tempForm.setAttribute('hx-swap', 'none');
// Add event listener for HTMX response tempForm.addEventListener('htmx:afterRequest', (event) => {
tempForm.addEventListener('htmx:afterRequest', function(event) {
if (event.detail.successful) { if (event.detail.successful) {
try { try {
const data = JSON.parse(event.detail.xhr.responseText); const data = JSON.parse(event.detail.xhr.responseText);
if (data.error) { if (data.error) {
throw new Error(data.error); throw new Error(data.error);
} }
updateLocation(normalized.lat, normalized.lng, data); this.updateLocation(normalized.lat, normalized.lng, data);
} catch (error) { } catch (error) {
console.error('Location update failed:', error); console.error('Location update failed:', error);
alert(error.message || 'Failed to update location. Please try again.'); alert(error.message || 'Failed to update location. Please try again.');
@@ -258,7 +280,6 @@ document.addEventListener('DOMContentLoaded', function() {
console.error('Geocoding request failed'); console.error('Geocoding request failed');
alert('Failed to update location. Please try again.'); alert('Failed to update location. Please try again.');
} }
// Clean up temporary form
document.body.removeChild(tempForm); document.body.removeChild(tempForm);
}); });
@@ -269,102 +290,50 @@ document.addEventListener('DOMContentLoaded', function() {
console.error('Location update failed:', error); console.error('Location update failed:', error);
alert(error.message || 'Failed to update location. Please try again.'); alert(error.message || 'Failed to update location. Please try again.');
} }
}); },
}
function addMarker(lat, lng) { updateLocation(lat, lng, data) {
const submissionId = '{{ submission.id }}'; try {
if (markers[submissionId]) { const normalized = this.validateCoordinates(lat, lng);
markers[submissionId].remove();
} // Update coordinates
markers[submissionId] = L.marker([lat, lng]).addTo(maps[submissionId]); this.formData.latitude = normalized.lat;
maps[submissionId].setView([lat, lng], 13); this.formData.longitude = normalized.lng;
}
// Update marker
this.addMarker(normalized.lat, normalized.lng);
// Update form fields with English names where available
const address = data.address || {};
this.formData.street_address = `${address.house_number || ''} ${address.road || address.street || ''}`.trim() || '';
this.formData.city = address.city || address.town || address.village || '';
this.formData.state = address.state || address.region || '';
this.formData.country = address.country || '';
this.formData.postal_code = address.postcode || '';
function updateLocation(lat, lng, data) { // Update search input
try { const locationParts = [
const normalized = validateCoordinates(lat, lng); this.formData.street_address,
const submissionId = '{{ submission.id }}'; this.formData.city,
this.formData.state,
// Update coordinates this.formData.country
document.getElementById(`latitude-${submissionId}`).value = normalized.lat; ].filter(Boolean);
document.getElementById(`longitude-${submissionId}`).value = normalized.lng; this.searchQuery = locationParts.join(', ');
} catch (error) {
// Update marker console.error('Location update failed:', error);
addMarker(normalized.lat, normalized.lng); alert(error.message || 'Failed to update location. Please try again.');
// Update form fields with English names where available
const address = data.address || {};
document.getElementById(`streetAddress-${submissionId}`).value =
`${address.house_number || ''} ${address.road || address.street || ''}`.trim() || '';
document.getElementById(`city-${submissionId}`).value =
address.city || address.town || address.village || '';
document.getElementById(`state-${submissionId}`).value =
address.state || address.region || '';
document.getElementById(`country-${submissionId}`).value = address.country || '';
document.getElementById(`postalCode-${submissionId}`).value = address.postcode || '';
// Update search input
const locationString-3 = [
document.getElementById(`streetAddress-${submissionId}`).value,
document.getElementById(`city-${submissionId}`).value,
document.getElementById(`state-${submissionId}`).value,
document.getElementById(`country-${submissionId}`).value
].filter(Boolean).join(', ');
searchInput.value = locationString;
} catch (error) {
console.error('Location update failed:', error);
alert(error.message || 'Failed to update location. Please try again.');
}
}
function selectLocation(result) {
if (!result) return;
try {
const lat = parseFloat(result.lat);
const lon = parseFloat(result.lon);
if (isNaN(lat) || isNaN(lon)) {
throw new Error('Invalid coordinates in search result');
} }
},
const normalized = validateCoordinates(lat, lon);
// Create a normalized address object
const address = {
name: result.display_name || result.name || '',
address: {
house_number: result.address ? result.address.house_number : '',
road: result.address ? (result.address.road || result.address.street) : '',
city: result.address ? (result.address.city || result.address.town || result.address.village) : '',
state: result.address ? (result.address.state || result.address.region) : '',
country: result.address ? result.address.country : '',
postcode: result.address ? result.address.postcode : ''
}
};
updateLocation(normalized.lat, normalized.lng, address);
searchResults.classList.add('hidden');
searchInput.value = address.name;
} catch (error) {
console.error('Location selection failed:', error);
alert(error.message || 'Failed to select location. Please try again.');
}
}
// Handle location search - HTMX version handleSearch() {
searchInput.addEventListener('input', function() { const query = this.searchQuery.trim();
clearTimeout(searchTimeout);
const query = this.value.trim(); if (!query) {
this.showSearchResults = false;
if (!query) { return;
searchResults.classList.add('hidden'); }
return;
}
searchTimeout = setTimeout(function() { // Use HTMX for location search
// Create a temporary form for HTMX request
const tempForm = document.createElement('form'); const tempForm = document.createElement('form');
tempForm.style.display = 'none'; tempForm.style.display = 'none';
tempForm.setAttribute('hx-get', '/parks/search/location/'); tempForm.setAttribute('hx-get', '/parks/search/location/');
@@ -374,88 +343,69 @@ document.addEventListener('DOMContentLoaded', function() {
tempForm.setAttribute('hx-trigger', 'submit'); tempForm.setAttribute('hx-trigger', 'submit');
tempForm.setAttribute('hx-swap', 'none'); tempForm.setAttribute('hx-swap', 'none');
// Add event listener for HTMX response tempForm.addEventListener('htmx:afterRequest', (event) => {
tempForm.addEventListener('htmx:afterRequest', function(event) {
if (event.detail.successful) { if (event.detail.successful) {
try { try {
const data = JSON.parse(event.detail.xhr.responseText); const data = JSON.parse(event.detail.xhr.responseText);
if (data.results && data.results.length > 0) { if (data.results && data.results.length > 0) {
const resultsHtml = data.results.map((result, index) => ` this.searchResults = data.results;
<div class="p-2 cursor-pointer hover:bg-gray-100 dark:hover:bg-gray-600" this.showSearchResults = true;
data-result-index="${index}">
<div class="font-medium text-gray-900 dark:text-white">${result.display_name || result.name || ''}</div>
<div class="text-sm text-gray-500 dark:text-gray-400">
${(result.address && result.address.city) ? result.address.city + ', ' : ''}${(result.address && result.address.country) || ''}
</div>
</div>
`).join('');
searchResults.innerHTML = resultsHtml;
searchResults.classList.remove('hidden');
// Store results data
searchResults.dataset.results = JSON.stringify(data.results);
// Add click handlers
searchResults.querySelectorAll('[data-result-index]').forEach(el => {
el.addEventListener('click', function() {
const results = JSON.parse(searchResults.dataset.results);
const result = results[this.dataset.resultIndex];
selectLocation(result);
});
});
} else { } else {
searchResults.innerHTML = '<div class="p-2 text-gray-500 dark:text-gray-400">No results found</div>'; this.searchResults = [];
searchResults.classList.remove('hidden'); this.showSearchResults = true;
} }
} catch (error) { } catch (error) {
console.error('Search failed:', error); console.error('Search failed:', error);
searchResults.innerHTML = '<div class="p-2 text-red-500 dark:text-red-400">Search failed. Please try again.</div>'; this.searchResults = [];
searchResults.classList.remove('hidden'); this.showSearchResults = false;
} }
} else { } else {
console.error('Search request failed'); console.error('Search request failed');
searchResults.innerHTML = '<div class="p-2 text-red-500 dark:text-red-400">Search failed. Please try again.</div>'; this.searchResults = [];
searchResults.classList.remove('hidden'); this.showSearchResults = false;
} }
// Clean up temporary form
document.body.removeChild(tempForm); document.body.removeChild(tempForm);
}); });
document.body.appendChild(tempForm); document.body.appendChild(tempForm);
htmx.trigger(tempForm, 'submit'); htmx.trigger(tempForm, 'submit');
}, 300); },
});
// Hide search results when clicking outside selectLocation(result) {
document.addEventListener('click', function(e) { if (!result) return;
if (!searchResults.contains(e.target) && e.target !== searchInput) {
searchResults.classList.add('hidden'); try {
} const lat = parseFloat(result.lat);
}); const lon = parseFloat(result.lon);
// Initialize map when the element becomes visible if (isNaN(lat) || isNaN(lon)) {
const observer = new MutationObserver(function(mutations) { throw new Error('Invalid coordinates in search result');
mutations.forEach(function(mutation) {
if (mutation.type === 'attributes' && mutation.attributeName === 'style') {
const mapContainer = document.getElementById(`locationMap-{{ submission.id }}`);
if (mapContainer && window.getComputedStyle(mapContainer).display !== 'none') {
initMap();
observer.disconnect();
} }
const normalized = this.validateCoordinates(lat, lon);
// Create a normalized address object
const address = {
name: result.display_name || result.name || '',
address: {
house_number: result.address ? result.address.house_number : '',
road: result.address ? (result.address.road || result.address.street) : '',
city: result.address ? (result.address.city || result.address.town || result.address.village) : '',
state: result.address ? (result.address.state || result.address.region) : '',
country: result.address ? result.address.country : '',
postcode: result.address ? result.address.postcode : ''
}
};
this.updateLocation(normalized.lat, normalized.lng, address);
this.showSearchResults = false;
this.searchQuery = address.name;
} catch (error) {
console.error('Location selection failed:', error);
alert(error.message || 'Failed to select location. Please try again.');
} }
});
});
const mapContainer = document.getElementById(`locationMap-{{ submission.id }}`);
if (mapContainer) {
observer.observe(mapContainer.parentElement.parentElement, { attributes: true });
// Also initialize immediately if the container is already visible
if (window.getComputedStyle(mapContainer).display !== 'none') {
initMap();
} }
} }));
}); });
</script> </script>

View File

@@ -1,9 +1,12 @@
<div class="w-full mt-1 bg-white border border-gray-300 rounded-lg shadow-lg dark:bg-gray-700 dark:border-gray-600" style="max-height: 240px; overflow-y: auto;"> <div class="w-full mt-1 bg-white border border-gray-300 rounded-lg shadow-lg dark:bg-gray-700 dark:border-gray-600"
style="max-height: 240px; overflow-y: auto;"
x-data="manufacturerSearchResults('{{ submission_id }}')"
@click.outside="clearResults()">
{% if manufacturers %} {% if manufacturers %}
{% for manufacturer in manufacturers %} {% for manufacturer in manufacturers %}
<button type="button" <button type="button"
class="w-full px-4 py-2 text-left text-gray-900 hover:bg-gray-100 dark:text-white dark:hover:bg-gray-600" class="w-full px-4 py-2 text-left text-gray-900 hover:bg-gray-100 dark:text-white dark:hover:bg-gray-600"
onclick="selectManufacturerForSubmission('{{ manufacturer.id }}', '{{ manufacturer.name|escapejs }}', '{{ submission_id }}')"> @click="selectManufacturer('{{ manufacturer.id }}', '{{ manufacturer.name|escapejs }}')">
{{ manufacturer.name }} {{ manufacturer.name }}
</button> </button>
{% endfor %} {% endfor %}
@@ -19,49 +22,49 @@
</div> </div>
<script> <script>
function selectManufacturerForSubmission(id, name, submissionId) { document.addEventListener('alpine:init', () => {
// Debug logging Alpine.data('manufacturerSearchResults', (submissionId) => ({
console.log('Selecting manufacturer:', {id, name, submissionId}); submissionId: submissionId,
// Find elements
const manufacturerInput = document.querySelector(`#manufacturer-input-${submissionId}`);
const searchInput = document.querySelector(`#manufacturer-search-${submissionId}`);
const resultsDiv = document.querySelector(`#manufacturer-search-results-${submissionId}`);
// Debug logging
console.log('Found elements:', {
manufacturerInput: manufacturerInput?.id,
searchInput: searchInput?.id,
resultsDiv: resultsDiv?.id
});
// Update hidden input
if (manufacturerInput) {
manufacturerInput.value = id;
console.log('Updated manufacturer input value:', manufacturerInput.value);
}
// Update search input
if (searchInput) {
searchInput.value = name;
console.log('Updated search input value:', searchInput.value);
}
// Clear results
if (resultsDiv) {
resultsDiv.innerHTML = '';
console.log('Cleared results div');
}
}
// Close search results when clicking outside selectManufacturer(id, name) {
document.addEventListener('click', function(e) { // Debug logging
const searchResults = document.querySelectorAll('[id^="manufacturer-search-results-"]'); console.log('Selecting manufacturer:', {id, name, submissionId: this.submissionId});
searchResults.forEach(function(resultsDiv) {
const searchInput = document.querySelector(`#manufacturer-search-${resultsDiv.id.split('-').pop()}`); // Find elements using AlpineJS approach
if (!resultsDiv.contains(e.target) && e.target !== searchInput) { const manufacturerInput = document.querySelector(`#manufacturer-input-${this.submissionId}`);
resultsDiv.innerHTML = ''; const searchInput = document.querySelector(`#manufacturer-search-${this.submissionId}`);
const resultsDiv = document.querySelector(`#manufacturer-search-results-${this.submissionId}`);
// Debug logging
console.log('Found elements:', {
manufacturerInput: manufacturerInput?.id,
searchInput: searchInput?.id,
resultsDiv: resultsDiv?.id
});
// Update hidden input
if (manufacturerInput) {
manufacturerInput.value = id;
console.log('Updated manufacturer input value:', manufacturerInput.value);
}
// Update search input
if (searchInput) {
searchInput.value = name;
console.log('Updated search input value:', searchInput.value);
}
// Clear results
this.clearResults();
},
clearResults() {
const resultsDiv = document.querySelector(`#manufacturer-search-results-${this.submissionId}`);
if (resultsDiv) {
resultsDiv.innerHTML = '';
console.log('Cleared results div');
}
} }
}); }));
}); });
</script> </script>

View File

@@ -1,9 +1,12 @@
<div class="w-full mt-1 bg-white border border-gray-300 rounded-lg shadow-lg dark:bg-gray-700 dark:border-gray-600" style="max-height: 240px; overflow-y: auto;"> <div class="w-full mt-1 bg-white border border-gray-300 rounded-lg shadow-lg dark:bg-gray-700 dark:border-gray-600"
style="max-height: 240px; overflow-y: auto;"
x-data="parkSearchResults('{{ submission_id }}')"
@click.outside="clearResults()">
{% if parks %} {% if parks %}
{% for park in parks %} {% for park in parks %}
<button type="button" <button type="button"
class="w-full px-4 py-2 text-left text-gray-900 hover:bg-gray-100 dark:text-white dark:hover:bg-gray-600" class="w-full px-4 py-2 text-left text-gray-900 hover:bg-gray-100 dark:text-white dark:hover:bg-gray-600"
onclick="selectParkForSubmission('{{ park.id }}', '{{ park.name|escapejs }}', '{{ submission_id }}')"> @click="selectPark('{{ park.id }}', '{{ park.name|escapejs }}')">
{{ park.name }} {{ park.name }}
</button> </button>
{% endfor %} {% endfor %}
@@ -19,55 +22,55 @@
</div> </div>
<script> <script>
function selectParkForSubmission(id, name, submissionId) { document.addEventListener('alpine:init', () => {
// Debug logging Alpine.data('parkSearchResults', (submissionId) => ({
console.log('Selecting park:', {id, name, submissionId}); submissionId: submissionId,
// Find elements
const parkInput = document.querySelector(`#park-input-${submissionId}`);
const searchInput = document.querySelector(`#park-search-${submissionId}`);
const resultsDiv = document.querySelector(`#park-search-results-${submissionId}`);
// Debug logging
console.log('Found elements:', {
parkInput: parkInput?.id,
searchInput: searchInput?.id,
resultsDiv: resultsDiv?.id
});
// Update hidden input
if (parkInput) {
parkInput.value = id;
console.log('Updated park input value:', parkInput.value);
}
// Update search input
if (searchInput) {
searchInput.value = name;
console.log('Updated search input value:', searchInput.value);
}
// Clear results
if (resultsDiv) {
resultsDiv.innerHTML = '';
console.log('Cleared results div');
}
// Trigger park areas update
if (parkInput) {
htmx.trigger(parkInput, 'change');
console.log('Triggered change event');
}
}
// Close search results when clicking outside selectPark(id, name) {
document.addEventListener('click', function(e) { // Debug logging
const searchResults = document.querySelectorAll('[id^="park-search-results-"]'); console.log('Selecting park:', {id, name, submissionId: this.submissionId});
searchResults.forEach(function(resultsDiv) {
const searchInput = document.querySelector(`#park-search-${resultsDiv.id.split('-').pop()}`); // Find elements using AlpineJS approach
if (!resultsDiv.contains(e.target) && e.target !== searchInput) { const parkInput = document.querySelector(`#park-input-${this.submissionId}`);
resultsDiv.innerHTML = ''; const searchInput = document.querySelector(`#park-search-${this.submissionId}`);
const resultsDiv = document.querySelector(`#park-search-results-${this.submissionId}`);
// Debug logging
console.log('Found elements:', {
parkInput: parkInput?.id,
searchInput: searchInput?.id,
resultsDiv: resultsDiv?.id
});
// Update hidden input
if (parkInput) {
parkInput.value = id;
console.log('Updated park input value:', parkInput.value);
}
// Update search input
if (searchInput) {
searchInput.value = name;
console.log('Updated search input value:', searchInput.value);
}
// Clear results
this.clearResults();
// Trigger park areas update
if (parkInput) {
htmx.trigger(parkInput, 'change');
console.log('Triggered change event');
}
},
clearResults() {
const resultsDiv = document.querySelector(`#park-search-results-${this.submissionId}`);
if (resultsDiv) {
resultsDiv.innerHTML = '';
console.log('Cleared results div');
}
} }
}); }));
}); });
</script> </script>

View File

@@ -1,9 +1,12 @@
<div class="w-full mt-1 bg-white border border-gray-300 rounded-lg shadow-lg dark:bg-gray-700 dark:border-gray-600" style="max-height: 240px; overflow-y: auto;"> <div class="w-full mt-1 bg-white border border-gray-300 rounded-lg shadow-lg dark:bg-gray-700 dark:border-gray-600"
style="max-height: 240px; overflow-y: auto;"
x-data="rideModelSearchResults('{{ submission_id }}')"
@click.outside="clearResults()">
{% if ride_models %} {% if ride_models %}
{% for model in ride_models %} {% for model in ride_models %}
<button type="button" <button type="button"
class="w-full px-4 py-2 text-left text-gray-900 hover:bg-gray-100 dark:text-white dark:hover:bg-gray-600" class="w-full px-4 py-2 text-left text-gray-900 hover:bg-gray-100 dark:text-white dark:hover:bg-gray-600"
onclick="selectRideModelForSubmission('{{ model.id }}', '{{ model.name|escapejs }}', '{{ submission_id }}')"> @click="selectRideModel('{{ model.id }}', '{{ model.name|escapejs }}')">
{{ model.name }} {{ model.name }}
</button> </button>
{% endfor %} {% endfor %}
@@ -19,49 +22,49 @@
</div> </div>
<script> <script>
function selectRideModelForSubmission(id, name, submissionId) { document.addEventListener('alpine:init', () => {
// Debug logging Alpine.data('rideModelSearchResults', (submissionId) => ({
console.log('Selecting ride model:', {id, name, submissionId}); submissionId: submissionId,
// Find elements
const modelInput = document.querySelector(`#ride-model-input-${submissionId}`);
const searchInput = document.querySelector(`#ride-model-search-${submissionId}`);
const resultsDiv = document.querySelector(`#ride-model-search-results-${submissionId}`);
// Debug logging
console.log('Found elements:', {
modelInput: modelInput?.id,
searchInput: searchInput?.id,
resultsDiv: resultsDiv?.id
});
// Update hidden input
if (modelInput) {
modelInput.value = id;
console.log('Updated ride model input value:', modelInput.value);
}
// Update search input
if (searchInput) {
searchInput.value = name;
console.log('Updated search input value:', searchInput.value);
}
// Clear results
if (resultsDiv) {
resultsDiv.innerHTML = '';
console.log('Cleared results div');
}
}
// Close search results when clicking outside selectRideModel(id, name) {
document.addEventListener('click', function(e) { // Debug logging
const searchResults = document.querySelectorAll('[id^="ride-model-search-results-"]'); console.log('Selecting ride model:', {id, name, submissionId: this.submissionId});
searchResults.forEach(function(resultsDiv) {
const searchInput = document.querySelector(`#ride-model-search-${resultsDiv.id.split('-').pop()}`); // Find elements using AlpineJS approach
if (!resultsDiv.contains(e.target) && e.target !== searchInput) { const modelInput = document.querySelector(`#ride-model-input-${this.submissionId}`);
resultsDiv.innerHTML = ''; const searchInput = document.querySelector(`#ride-model-search-${this.submissionId}`);
const resultsDiv = document.querySelector(`#ride-model-search-results-${this.submissionId}`);
// Debug logging
console.log('Found elements:', {
modelInput: modelInput?.id,
searchInput: searchInput?.id,
resultsDiv: resultsDiv?.id
});
// Update hidden input
if (modelInput) {
modelInput.value = id;
console.log('Updated ride model input value:', modelInput.value);
}
// Update search input
if (searchInput) {
searchInput.value = name;
console.log('Updated search input value:', searchInput.value);
}
// Clear results
this.clearResults();
},
clearResults() {
const resultsDiv = document.querySelector(`#ride-model-search-results-${this.submissionId}`);
if (resultsDiv) {
resultsDiv.innerHTML = '';
console.log('Cleared results div');
}
} }
}); }));
}); });
</script> </script>

View File

@@ -1,47 +1,79 @@
<!-- Add Ride Modal --> <script>
<div id="add-ride-modal" class="fixed inset-0 z-50 hidden overflow-y-auto" aria-labelledby="modal-title" role="dialog" aria-modal="true"> document.addEventListener('alpine:init', () => {
<div class="flex items-center justify-center min-h-screen p-4"> Alpine.data('addRideModal', () => ({
<!-- Background overlay --> isOpen: false,
<div class="fixed inset-0 transition-opacity bg-gray-500 bg-opacity-75" aria-hidden="true"></div>
openModal() {
this.isOpen = true;
},
closeModal() {
this.isOpen = false;
},
handleBackdropClick(event) {
if (event.target === event.currentTarget) {
this.closeModal();
}
}
}));
});
</script>
<!-- Modal panel --> <div x-data="addRideModal()">
<div class="relative w-full max-w-3xl p-6 mx-auto bg-white rounded-lg shadow-xl dark:bg-gray-800"> <!-- Add Ride Modal -->
<div class="mb-6"> <div x-show="isOpen"
<h2 class="text-2xl font-bold text-gray-900 dark:text-white"> x-transition:enter="transition ease-out duration-300"
Add Ride at {{ park.name }} x-transition:enter-start="opacity-0"
</h2> x-transition:enter-end="opacity-100"
</div> x-transition:leave="transition ease-in duration-200"
x-transition:leave-start="opacity-100"
x-transition:leave-end="opacity-0"
@click="handleBackdropClick($event)"
@keydown.escape.window="closeModal()"
class="fixed inset-0 z-50 overflow-y-auto"
aria-labelledby="modal-title"
role="dialog"
aria-modal="true"
style="display: none;">
<div class="flex items-center justify-center min-h-screen p-4">
<!-- Background overlay -->
<div class="fixed inset-0 transition-opacity bg-gray-500 bg-opacity-75" aria-hidden="true"></div>
<div id="modal-content"> <!-- Modal panel -->
{% include "rides/partials/ride_form.html" with modal=True %} <div class="relative w-full max-w-3xl p-6 mx-auto bg-white rounded-lg shadow-xl dark:bg-gray-800"
x-transition:enter="transition ease-out duration-300 transform"
x-transition:enter-start="opacity-0 translate-y-4 sm:translate-y-0 sm:scale-95"
x-transition:enter-end="opacity-100 translate-y-0 sm:scale-100"
x-transition:leave="transition ease-in duration-200 transform"
x-transition:leave-start="opacity-100 translate-y-0 sm:scale-100"
x-transition:leave-end="opacity-0 translate-y-4 sm:translate-y-0 sm:scale-95">
<div class="mb-6">
<h2 class="text-2xl font-bold text-gray-900 dark:text-white">
Add Ride at {{ park.name }}
</h2>
<button @click="closeModal()"
class="absolute top-4 right-4 text-gray-400 hover:text-gray-600 dark:hover:text-gray-300">
<svg class="w-6 h-6" fill="none" stroke="currentColor" viewBox="0 0 24 24">
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M6 18L18 6M6 6l12 12"></path>
</svg>
</button>
</div>
<div id="modal-content">
{% include "rides/partials/ride_form.html" with modal=True %}
</div>
</div> </div>
</div> </div>
</div> </div>
<!-- Modal Toggle Button -->
<button type="button"
@click="openModal()"
class="inline-flex items-center px-4 py-2 text-sm font-medium text-white bg-blue-600 rounded-lg hover:bg-blue-700 dark:bg-blue-500 dark:hover:bg-blue-600">
<svg class="w-4 h-4 mr-2" fill="none" stroke="currentColor" viewBox="0 0 24 24">
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M12 4v16m8-8H4"></path>
</svg>
Add Ride
</button>
</div> </div>
<!-- Modal Toggle Button -->
<button type="button"
onclick="openModal('add-ride-modal')"
class="inline-flex items-center px-4 py-2 text-sm font-medium text-white bg-blue-600 rounded-lg hover:bg-blue-700 dark:bg-blue-500 dark:hover:bg-blue-600">
<svg class="w-4 h-4 mr-2" fill="none" stroke="currentColor" viewBox="0 0 24 24">
<path stroke-linecap="round" stroke-linejoin="round" stroke-width="2" d="M12 4v16m8-8H4"></path>
</svg>
Add Ride
</button>
<script>
function openModal(modalId) {
document.getElementById(modalId).classList.remove('hidden');
}
function closeModal() {
document.getElementById('add-ride-modal').classList.add('hidden');
}
// Close modal when clicking outside
document.getElementById('add-ride-modal').addEventListener('click', function(event) {
if (event.target === this) {
closeModal();
}
});
</script>

View File

@@ -1,9 +1,32 @@
<div class="absolute z-50 w-full mt-1 bg-white border border-gray-300 rounded-lg shadow-lg dark:bg-gray-700 dark:border-gray-600" style="max-height: 240px; overflow-y: auto;"> <script>
document.addEventListener('alpine:init', () => {
Alpine.data('designerSearchResults', () => ({
selectDesigner(id, name) {
// Update designer fields using AlpineJS reactive approach
const designerInput = this.$el.closest('form').querySelector('#id_designer');
const searchInput = this.$el.closest('form').querySelector('#id_designer_search');
const resultsDiv = this.$el.closest('form').querySelector('#designer-search-results');
if (designerInput) designerInput.value = id;
if (searchInput) searchInput.value = name;
if (resultsDiv) resultsDiv.innerHTML = '';
// Dispatch custom event for parent component
this.$dispatch('designer-selected', { id, name });
}
}));
});
</script>
<div x-data="designerSearchResults()"
@click.outside="$el.innerHTML = ''"
class="absolute z-50 w-full mt-1 bg-white border border-gray-300 rounded-lg shadow-lg dark:bg-gray-700 dark:border-gray-600"
style="max-height: 240px; overflow-y: auto;">
{% if designers %} {% if designers %}
{% for designer in designers %} {% for designer in designers %}
<button type="button" <button type="button"
class="w-full px-4 py-2 text-left text-gray-900 hover:bg-gray-100 dark:text-white dark:hover:bg-gray-600" class="w-full px-4 py-2 text-left text-gray-900 hover:bg-gray-100 dark:text-white dark:hover:bg-gray-600"
onclick="selectDesigner('{{ designer.id }}', '{{ designer.name|escapejs }}')"> @click="selectDesigner('{{ designer.id }}', '{{ designer.name|escapejs }}')">
{{ designer.name }} {{ designer.name }}
</button> </button>
{% endfor %} {% endfor %}
@@ -17,11 +40,3 @@
</div> </div>
{% endif %} {% endif %}
</div> </div>
<script>
function selectDesigner(id, name) {
document.getElementById('id_designer').value = id;
document.getElementById('id_designer_search').value = name;
document.getElementById('designer-search-results').innerHTML = '';
}
</script>

View File

@@ -1,9 +1,38 @@
<div class="absolute z-50 w-full mt-1 bg-white border border-gray-300 rounded-lg shadow-lg dark:bg-gray-700 dark:border-gray-600" style="max-height: 240px; overflow-y: auto;"> <script>
document.addEventListener('alpine:init', () => {
Alpine.data('manufacturerSearchResults', () => ({
selectManufacturer(id, name) {
// Update manufacturer fields using AlpineJS reactive approach
const manufacturerInput = this.$el.closest('form').querySelector('#id_manufacturer');
const searchInput = this.$el.closest('form').querySelector('#id_manufacturer_search');
const resultsDiv = this.$el.closest('form').querySelector('#manufacturer-search-results');
if (manufacturerInput) manufacturerInput.value = id;
if (searchInput) searchInput.value = name;
if (resultsDiv) resultsDiv.innerHTML = '';
// Update ride model search to include manufacturer using HTMX
const rideModelSearch = this.$el.closest('form').querySelector('#id_ride_model_search');
if (rideModelSearch) {
rideModelSearch.setAttribute('hx-include', '[name="manufacturer"]');
}
// Dispatch custom event for parent component
this.$dispatch('manufacturer-selected', { id, name });
}
}));
});
</script>
<div x-data="manufacturerSearchResults()"
@click.outside="$el.innerHTML = ''"
class="absolute z-50 w-full mt-1 bg-white border border-gray-300 rounded-lg shadow-lg dark:bg-gray-700 dark:border-gray-600"
style="max-height: 240px; overflow-y: auto;">
{% if manufacturers %} {% if manufacturers %}
{% for manufacturer in manufacturers %} {% for manufacturer in manufacturers %}
<button type="button" <button type="button"
class="w-full px-4 py-2 text-left text-gray-900 hover:bg-gray-100 dark:text-white dark:hover:bg-gray-600" class="w-full px-4 py-2 text-left text-gray-900 hover:bg-gray-100 dark:text-white dark:hover:bg-gray-600"
onclick="selectManufacturer('{{ manufacturer.id }}', '{{ manufacturer.name|escapejs }}')"> @click="selectManufacturer('{{ manufacturer.id }}', '{{ manufacturer.name|escapejs }}')">
{{ manufacturer.name }} {{ manufacturer.name }}
</button> </button>
{% endfor %} {% endfor %}
@@ -17,17 +46,3 @@
</div> </div>
{% endif %} {% endif %}
</div> </div>
<script>
function selectManufacturer(id, name) {
document.getElementById('id_manufacturer').value = id;
document.getElementById('id_manufacturer_search').value = name;
document.getElementById('manufacturer-search-results').innerHTML = '';
// Update ride model search to include manufacturer
const rideModelSearch = document.getElementById('id_ride_model_search');
if (rideModelSearch) {
rideModelSearch.setAttribute('hx-include', '[name="manufacturer"]');
}
}
</script>

View File

@@ -1,59 +1,85 @@
{% load static %} {% load static %}
<script> <script>
function selectManufacturer(id, name) { document.addEventListener('alpine:init', () => {
document.getElementById('id_manufacturer').value = id; Alpine.data('rideForm', () => ({
document.getElementById('id_manufacturer_search').value = name; init() {
document.getElementById('manufacturer-search-results').innerHTML = ''; // Handle form submission cleanup
this.$el.addEventListener('submit', () => {
// Update ride model search to include manufacturer this.clearAllSearchResults();
const rideModelSearch = document.getElementById('id_ride_model_search'); });
if (rideModelSearch) { },
rideModelSearch.setAttribute('hx-include', '[name="manufacturer"]');
}
}
function selectDesigner(id, name) { selectManufacturer(id, name) {
document.getElementById('id_designer').value = id; const manufacturerInput = document.getElementById('id_manufacturer');
document.getElementById('id_designer_search').value = name; const manufacturerSearch = document.getElementById('id_manufacturer_search');
document.getElementById('designer-search-results').innerHTML = ''; const manufacturerResults = document.getElementById('manufacturer-search-results');
}
if (manufacturerInput) manufacturerInput.value = id;
if (manufacturerSearch) manufacturerSearch.value = name;
if (manufacturerResults) manufacturerResults.innerHTML = '';
// Update ride model search to include manufacturer
const rideModelSearch = document.getElementById('id_ride_model_search');
if (rideModelSearch) {
rideModelSearch.setAttribute('hx-include', '[name="manufacturer"]');
}
},
function selectRideModel(id, name) { selectDesigner(id, name) {
document.getElementById('id_ride_model').value = id; const designerInput = document.getElementById('id_designer');
document.getElementById('id_ride_model_search').value = name; const designerSearch = document.getElementById('id_designer_search');
document.getElementById('ride-model-search-results').innerHTML = ''; const designerResults = document.getElementById('designer-search-results');
}
if (designerInput) designerInput.value = id;
if (designerSearch) designerSearch.value = name;
if (designerResults) designerResults.innerHTML = '';
},
// Handle form submission selectRideModel(id, name) {
document.addEventListener('submit', function(e) { const rideModelInput = document.getElementById('id_ride_model');
if (e.target.id === 'ride-form') { const rideModelSearch = document.getElementById('id_ride_model_search');
// Clear search results const rideModelResults = document.getElementById('ride-model-search-results');
document.getElementById('manufacturer-search-results').innerHTML = '';
document.getElementById('designer-search-results').innerHTML = ''; if (rideModelInput) rideModelInput.value = id;
document.getElementById('ride-model-search-results').innerHTML = ''; if (rideModelSearch) rideModelSearch.value = name;
} if (rideModelResults) rideModelResults.innerHTML = '';
}); },
// Handle clicks outside search results clearAllSearchResults() {
document.addEventListener('click', function(e) { const manufacturerResults = document.getElementById('manufacturer-search-results');
const manufacturerResults = document.getElementById('manufacturer-search-results'); const designerResults = document.getElementById('designer-search-results');
const designerResults = document.getElementById('designer-search-results'); const rideModelResults = document.getElementById('ride-model-search-results');
const rideModelResults = document.getElementById('ride-model-search-results');
if (manufacturerResults) manufacturerResults.innerHTML = '';
if (!e.target.closest('#manufacturer-search-container')) { if (designerResults) designerResults.innerHTML = '';
manufacturerResults.innerHTML = ''; if (rideModelResults) rideModelResults.innerHTML = '';
} },
if (!e.target.closest('#designer-search-container')) {
designerResults.innerHTML = ''; clearManufacturerResults() {
} const manufacturerResults = document.getElementById('manufacturer-search-results');
if (!e.target.closest('#ride-model-search-container')) { if (manufacturerResults) manufacturerResults.innerHTML = '';
rideModelResults.innerHTML = ''; },
}
clearDesignerResults() {
const designerResults = document.getElementById('designer-search-results');
if (designerResults) designerResults.innerHTML = '';
},
clearRideModelResults() {
const rideModelResults = document.getElementById('ride-model-search-results');
if (rideModelResults) rideModelResults.innerHTML = '';
}
}));
}); });
</script> </script>
<form method="post" id="ride-form" class="space-y-6" enctype="multipart/form-data"> <form method="post"
id="ride-form"
class="space-y-6"
enctype="multipart/form-data"
x-data="rideForm"
x-init="init()">
{% csrf_token %} {% csrf_token %}
<!-- Park Area --> <!-- Park Area -->
@@ -86,7 +112,9 @@ document.addEventListener('click', function(e) {
<!-- Manufacturer --> <!-- Manufacturer -->
<div class="space-y-2"> <div class="space-y-2">
<div id="manufacturer-search-container" class="relative"> <div id="manufacturer-search-container"
class="relative"
@click.outside="clearManufacturerResults()">
<label for="{{ form.manufacturer_search.id_for_label }}" class="block text-sm font-medium text-gray-700 dark:text-gray-300"> <label for="{{ form.manufacturer_search.id_for_label }}" class="block text-sm font-medium text-gray-700 dark:text-gray-300">
Manufacturer Manufacturer
</label> </label>
@@ -103,7 +131,9 @@ document.addEventListener('click', function(e) {
<!-- Designer --> <!-- Designer -->
<div class="space-y-2"> <div class="space-y-2">
<div id="designer-search-container" class="relative"> <div id="designer-search-container"
class="relative"
@click.outside="clearDesignerResults()">
<label for="{{ form.designer_search.id_for_label }}" class="block text-sm font-medium text-gray-700 dark:text-gray-300"> <label for="{{ form.designer_search.id_for_label }}" class="block text-sm font-medium text-gray-700 dark:text-gray-300">
Designer Designer
</label> </label>
@@ -120,7 +150,9 @@ document.addEventListener('click', function(e) {
<!-- Ride Model --> <!-- Ride Model -->
<div class="space-y-2"> <div class="space-y-2">
<div id="ride-model-search-container" class="relative"> <div id="ride-model-search-container"
class="relative"
@click.outside="clearRideModelResults()">
<label for="{{ form.ride_model_search.id_for_label }}" class="block text-sm font-medium text-gray-700 dark:text-gray-300"> <label for="{{ form.ride_model_search.id_for_label }}" class="block text-sm font-medium text-gray-700 dark:text-gray-300">
Ride Model Ride Model
</label> </label>

View File

@@ -1,4 +1,27 @@
<div class="absolute z-50 w-full mt-1 bg-white border border-gray-300 rounded-lg shadow-lg dark:bg-gray-700 dark:border-gray-600" style="max-height: 240px; overflow-y: auto;"> <script>
document.addEventListener('alpine:init', () => {
Alpine.data('rideModelSearchResults', () => ({
selectRideModel(id, name) {
// Update ride model fields using AlpineJS reactive approach
const rideModelInput = this.$el.closest('form').querySelector('#id_ride_model');
const searchInput = this.$el.closest('form').querySelector('#id_ride_model_search');
const resultsDiv = this.$el.closest('form').querySelector('#ride-model-search-results');
if (rideModelInput) rideModelInput.value = id;
if (searchInput) searchInput.value = name;
if (resultsDiv) resultsDiv.innerHTML = '';
// Dispatch custom event for parent component
this.$dispatch('ride-model-selected', { id, name });
}
}));
});
</script>
<div x-data="rideModelSearchResults()"
@click.outside="$el.innerHTML = ''"
class="absolute z-50 w-full mt-1 bg-white border border-gray-300 rounded-lg shadow-lg dark:bg-gray-700 dark:border-gray-600"
style="max-height: 240px; overflow-y: auto;">
{% if not manufacturer_id %} {% if not manufacturer_id %}
<div class="px-4 py-2 text-gray-700 dark:text-gray-300"> <div class="px-4 py-2 text-gray-700 dark:text-gray-300">
Please select a manufacturer first Please select a manufacturer first
@@ -8,7 +31,7 @@
{% for ride_model in ride_models %} {% for ride_model in ride_models %}
<button type="button" <button type="button"
class="w-full px-4 py-2 text-left text-gray-900 hover:bg-gray-100 dark:text-white dark:hover:bg-gray-600" class="w-full px-4 py-2 text-left text-gray-900 hover:bg-gray-100 dark:text-white dark:hover:bg-gray-600"
onclick="selectRideModel('{{ ride_model.id }}', '{{ ride_model.name|escapejs }}')"> @click="selectRideModel('{{ ride_model.id }}', '{{ ride_model.name|escapejs }}')">
{{ ride_model.name }} {{ ride_model.name }}
{% if ride_model.manufacturer %} {% if ride_model.manufacturer %}
<div class="text-sm text-gray-700 dark:text-gray-300"> <div class="text-sm text-gray-700 dark:text-gray-300">
@@ -28,11 +51,3 @@
{% endif %} {% endif %}
{% endif %} {% endif %}
</div> </div>
<script>
function selectRideModel(id, name) {
document.getElementById('id_ride_model').value = id;
document.getElementById('id_ride_model_search').value = name;
document.getElementById('ride-model-search-results').innerHTML = '';
}
</script>