Files
drone-detector/server/routes/detections.js
2025-08-28 11:52:52 +02:00

168 lines
4.3 KiB
JavaScript

const express = require('express');
const { DroneDetection, Device } = require('../models');
const { authenticateToken } = require('../middleware/auth');
const { getDroneTypeInfo } = require('../utils/droneTypes');
const router = express.Router();
/**
* GET /api/detections
* Get all drone detections with filtering and pagination
*/
router.get('/', authenticateToken, async (req, res) => {
try {
const {
device_id,
drone_id,
start_date,
end_date,
page = 1,
limit = 50,
sort = 'server_timestamp',
order = 'desc'
} = req.query;
// Build where clause for filtering
const whereClause = {};
if (device_id) {
whereClause.device_id = device_id;
}
if (drone_id) {
whereClause.drone_id = drone_id;
}
if (start_date) {
whereClause.server_timestamp = { ...whereClause.server_timestamp, gte: new Date(start_date) };
}
if (end_date) {
whereClause.server_timestamp = { ...whereClause.server_timestamp, lte: new Date(end_date) };
}
// Calculate offset for pagination
const offset = (parseInt(page) - 1) * parseInt(limit);
// Query detections with device information
const detections = await DroneDetection.findAll({
where: whereClause,
include: [{
model: Device,
as: 'device',
attributes: ['id', 'name', 'geo_lat', 'geo_lon', 'location_description', 'is_approved']
}],
order: [[sort, order.toUpperCase()]],
limit: parseInt(limit),
offset: offset
});
// Get total count for pagination
const totalCount = await DroneDetection.count({
where: whereClause
});
// Calculate pagination info
const totalPages = Math.ceil(totalCount / parseInt(limit));
const hasNextPage = parseInt(page) < totalPages;
const hasPrevPage = parseInt(page) > 1;
// Enhance detections with drone type information
const enhancedDetections = detections.map(detection => {
const droneTypeInfo = getDroneTypeInfo(detection.drone_type);
return {
...detection.toJSON(),
drone_type_info: droneTypeInfo
};
});
res.json({
detections: enhancedDetections,
pagination: {
currentPage: parseInt(page),
totalPages,
totalCount,
limit: parseInt(limit),
hasNextPage,
hasPrevPage
}
});
} catch (error) {
console.error('Error fetching detections:', error);
res.status(500).json({
error: 'Failed to fetch detections',
details: error.message
});
}
});
/**
* GET /api/detections/:id
* Get a specific detection by ID
*/
router.get('/:id', authenticateToken, async (req, res) => {
try {
const { id } = req.params;
const detection = await DroneDetection.findByPk(id, {
include: [{
model: Device,
as: 'device',
attributes: ['id', 'name', 'geo_lat', 'geo_lon', 'location_description', 'is_approved']
}]
});
if (!detection) {
return res.status(404).json({ error: 'Detection not found' });
}
// Enhance detection with drone type information
const droneTypeInfo = getDroneTypeInfo(detection.drone_type);
const enhancedDetection = {
...detection.toJSON(),
drone_type_info: droneTypeInfo
};
res.json(enhancedDetection);
} catch (error) {
console.error('Error fetching detection:', error);
res.status(500).json({
error: 'Failed to fetch detection',
details: error.message
});
}
});
/**
* DELETE /api/detections/:id
* Delete a specific detection (admin only)
*/
router.delete('/:id', authenticateToken, async (req, res) => {
try {
// Check if user is admin
if (req.user.role !== 'admin') {
return res.status(403).json({ error: 'Admin access required' });
}
const { id } = req.params;
const detection = await DroneDetection.findByPk(id);
if (!detection) {
return res.status(404).json({ error: 'Detection not found' });
}
await detection.destroy();
res.json({ message: 'Detection deleted successfully' });
} catch (error) {
console.error('Error deleting detection:', error);
res.status(500).json({
error: 'Failed to delete detection',
details: error.message
});
}
});
module.exports = router;