128 lines
3.2 KiB
Rust
128 lines
3.2 KiB
Rust
|
|
//! Tracking API endpoints for project change logs and TODOs
|
||
|
|
//!
|
||
|
|
//! Integrates vapora-tracking system with the main backend API,
|
||
|
|
//! providing unified access to project tracking data.
|
||
|
|
|
||
|
|
use axum::{
|
||
|
|
extract::{Path, Query, State},
|
||
|
|
http::StatusCode,
|
||
|
|
response::IntoResponse,
|
||
|
|
routing::get,
|
||
|
|
Json, Router,
|
||
|
|
};
|
||
|
|
use serde::{Deserialize, Serialize};
|
||
|
|
use serde_json::json;
|
||
|
|
use std::sync::Arc;
|
||
|
|
use tracing::info;
|
||
|
|
use vapora_tracking::storage::TrackingDb;
|
||
|
|
|
||
|
|
use crate::api::AppState;
|
||
|
|
|
||
|
|
/// Query parameters for filtering tracking entries
|
||
|
|
#[derive(Debug, Deserialize, Serialize)]
|
||
|
|
pub struct TrackingFilter {
|
||
|
|
/// Filter by project path
|
||
|
|
pub project: Option<String>,
|
||
|
|
/// Filter by source type
|
||
|
|
pub source: Option<String>,
|
||
|
|
/// Limit number of results
|
||
|
|
pub limit: Option<usize>,
|
||
|
|
}
|
||
|
|
|
||
|
|
/// Initialize tracking routes for the API
|
||
|
|
///
|
||
|
|
/// # Arguments
|
||
|
|
///
|
||
|
|
/// * `db` - Shared TrackingDb instance
|
||
|
|
///
|
||
|
|
/// # Returns
|
||
|
|
///
|
||
|
|
/// Router configured with tracking endpoints
|
||
|
|
pub fn setup_tracking_routes() -> Router {
|
||
|
|
Router::new()
|
||
|
|
.route("/tracking/entries", get(list_tracking_entries))
|
||
|
|
.route("/tracking/summary", get(get_tracking_summary))
|
||
|
|
.route("/tracking/health", get(tracking_health))
|
||
|
|
}
|
||
|
|
|
||
|
|
/// List all tracking entries with optional filtering
|
||
|
|
///
|
||
|
|
/// # Query Parameters
|
||
|
|
///
|
||
|
|
/// * `project` - Filter by project path
|
||
|
|
/// * `source` - Filter by source type
|
||
|
|
/// * `limit` - Limit results (default: 100)
|
||
|
|
///
|
||
|
|
/// # Examples
|
||
|
|
///
|
||
|
|
/// `GET /api/v1/tracking/entries?project=/myproject&limit=50`
|
||
|
|
pub async fn list_tracking_entries(
|
||
|
|
Query(filter): Query<TrackingFilter>,
|
||
|
|
) -> Result<Json<serde_json::Value>, StatusCode> {
|
||
|
|
info!("Getting tracking entries with filter: {:?}", filter);
|
||
|
|
|
||
|
|
// TODO: Implement actual query using filter parameters
|
||
|
|
// For now, return placeholder response
|
||
|
|
let response = json!({
|
||
|
|
"items": [],
|
||
|
|
"count": 0,
|
||
|
|
"filter": filter
|
||
|
|
});
|
||
|
|
|
||
|
|
Ok(Json(response))
|
||
|
|
}
|
||
|
|
|
||
|
|
/// Get tracking summary statistics
|
||
|
|
///
|
||
|
|
/// # Examples
|
||
|
|
///
|
||
|
|
/// `GET /api/v1/tracking/summary`
|
||
|
|
pub async fn get_tracking_summary() -> Result<Json<serde_json::Value>, StatusCode> {
|
||
|
|
info!("Getting tracking summary");
|
||
|
|
|
||
|
|
let summary = json!({
|
||
|
|
"total_entries": 0,
|
||
|
|
"change_count": 0,
|
||
|
|
"todo_count": 0,
|
||
|
|
"todos_by_status": {
|
||
|
|
"pending": 0,
|
||
|
|
"in_progress": 0,
|
||
|
|
"completed": 0,
|
||
|
|
"blocked": 0
|
||
|
|
},
|
||
|
|
"last_sync": chrono::Utc::now().to_rfc3339()
|
||
|
|
});
|
||
|
|
|
||
|
|
Ok(Json(summary))
|
||
|
|
}
|
||
|
|
|
||
|
|
/// Health check for tracking service
|
||
|
|
///
|
||
|
|
/// # Examples
|
||
|
|
///
|
||
|
|
/// `GET /api/v1/tracking/health`
|
||
|
|
pub async fn tracking_health() -> Result<Json<serde_json::Value>, StatusCode> {
|
||
|
|
info!("Tracking service health check");
|
||
|
|
|
||
|
|
let response = json!({
|
||
|
|
"status": "ok",
|
||
|
|
"service": "vapora-tracking",
|
||
|
|
"timestamp": chrono::Utc::now().to_rfc3339()
|
||
|
|
});
|
||
|
|
|
||
|
|
Ok(Json(response))
|
||
|
|
}
|
||
|
|
|
||
|
|
#[cfg(test)]
|
||
|
|
mod tests {
|
||
|
|
use super::*;
|
||
|
|
|
||
|
|
#[test]
|
||
|
|
fn test_tracking_filter_deserialization() {
|
||
|
|
let json = r#"{"project": "/test", "limit": 50}"#;
|
||
|
|
let filter: TrackingFilter = serde_json::from_str(json).unwrap();
|
||
|
|
assert_eq!(filter.project, Some("/test".to_string()));
|
||
|
|
assert_eq!(filter.limit, Some(50));
|
||
|
|
}
|
||
|
|
}
|