dawarich/app/javascript/controllers/maps/maplibre/map_data_manager.js
Claude f1474d105b
Add interactive timeline slider with graph visualization to map
This commit implements a comprehensive timeline feature for the map interface,
allowing users to visualize and navigate through location history interactively.

**New Features:**
- Interactive timeline slider at the bottom of the map
- Real-time graph visualization showing:
  - Speed over time (km/h)
  - Battery level (%)
  - Elevation/altitude (meters)
- Play/pause animation controls for automatic timeline progression
- Smooth synchronization between timeline and map layers
- Graph type selector to switch between different metrics

**Technical Implementation:**
- New Stimulus controller (maps--timeline) for timeline UI and interactions
- Canvas-based graph rendering for performance
- Event-driven architecture for map-timeline communication
- Real-time filtering of points and routes based on timeline position
- Integration with existing MapLibre GL layers

**User Benefits:**
- Clear visualization of movement progression over time
- Easy identification of journey start, end, and direction
- Ability to "replay" trips with animation
- Additional context through speed, battery, and elevation data
- Toggleable visibility to preserve screen space when not needed

**Files Added:**
- app/javascript/controllers/maps/timeline_controller.js
- app/views/map/maplibre/_timeline.html.erb

**Files Modified:**
- app/javascript/controllers/maps/maplibre_controller.js
- app/javascript/controllers/maps/maplibre/map_data_manager.js
- app/views/map/maplibre/index.html.erb
2025-12-23 20:23:07 +00:00

139 lines
3.8 KiB
JavaScript

import maplibregl from 'maplibre-gl'
import { Toast } from 'maps_maplibre/components/toast'
import { performanceMonitor } from 'maps_maplibre/utils/performance_monitor'
/**
* Manages data loading and layer setup for the map
*/
export class MapDataManager {
constructor(controller) {
this.controller = controller
this.map = controller.map
this.dataLoader = controller.dataLoader
this.layerManager = controller.layerManager
this.filterManager = controller.filterManager
this.eventHandlers = controller.eventHandlers
}
/**
* Load map data from API and setup layers
* @param {string} startDate - Start date for data range
* @param {string} endDate - End date for data range
* @param {Object} options - Loading options
*/
async loadMapData(startDate, endDate, options = {}) {
const {
showLoading = true,
fitBounds = true,
showToast = true,
onProgress = null
} = options
performanceMonitor.mark('load-map-data')
if (showLoading) {
this.controller.showLoading()
}
try {
// Fetch data from API
const data = await this.dataLoader.fetchMapData(
startDate,
endDate,
showLoading ? onProgress : null
)
// Store points in dataLoader for timeline access
this.dataLoader.allPoints = data.points
// Store visits for filtering
this.filterManager.setAllVisits(data.visits)
// Setup layers
await this._setupLayers(data)
// Fit bounds if requested
if (fitBounds && data.points.length > 0) {
this._fitMapToBounds(data.pointsGeoJSON)
}
// Update timeline with new data
if (this.controller.updateTimelineData) {
this.controller.updateTimelineData()
}
// Show success message
if (showToast) {
const pointText = data.points.length === 1 ? 'point' : 'points'
Toast.success(`Loaded ${data.points.length} location ${pointText}`)
}
return data
} catch (error) {
console.error('[MapDataManager] Failed to load map data:', error)
Toast.error('Failed to load location data. Please try again.')
throw error
} finally {
if (showLoading) {
this.controller.hideLoading()
}
const duration = performanceMonitor.measure('load-map-data')
console.log(`[Performance] Map data loaded in ${duration}ms`)
}
}
/**
* Setup all map layers with loaded data
* @private
*/
async _setupLayers(data) {
const addAllLayers = async () => {
await this.layerManager.addAllLayers(
data.pointsGeoJSON,
data.routesGeoJSON,
data.visitsGeoJSON,
data.photosGeoJSON,
data.areasGeoJSON,
data.tracksGeoJSON,
data.placesGeoJSON
)
this.layerManager.setupLayerEventHandlers({
handlePointClick: this.eventHandlers.handlePointClick.bind(this.eventHandlers),
handleVisitClick: this.eventHandlers.handleVisitClick.bind(this.eventHandlers),
handlePhotoClick: this.eventHandlers.handlePhotoClick.bind(this.eventHandlers),
handlePlaceClick: this.eventHandlers.handlePlaceClick.bind(this.eventHandlers),
handleAreaClick: this.eventHandlers.handleAreaClick.bind(this.eventHandlers)
})
}
if (this.map.loaded()) {
await addAllLayers()
} else {
this.map.once('load', async () => {
await addAllLayers()
})
}
}
/**
* Fit map to data bounds
* @private
*/
_fitMapToBounds(geojson) {
if (!geojson?.features?.length) {
return
}
const coordinates = geojson.features.map(f => f.geometry.coordinates)
const bounds = coordinates.reduce((bounds, coord) => {
return bounds.extend(coord)
}, new maplibregl.LngLatBounds(coordinates[0], coordinates[0]))
this.map.fitBounds(bounds, {
padding: 50,
maxZoom: 15
})
}
}