Skip to main content

ballistics_engine/
bc_table_download.rs

1//! BC5D Table Auto-Download Module
2//!
3//! This module provides automatic downloading and caching of BC5D correction tables
4//! from a remote server. Tables are cached locally to avoid repeated downloads.
5//!
6//! # Example
7//!
8//! ```no_run
9//! use ballistics_engine::bc_table_download::Bc5dDownloader;
10//!
11//! let mut downloader = Bc5dDownloader::new(
12//!     "https://ballistics.tools/downloads/bc5d",
13//!     false
14//! ).unwrap();
15//!
16//! // Download table for .308 caliber
17//! let table_path = downloader.ensure_table(0.308).unwrap();
18//! ```
19
20use std::fs::{self, File};
21use std::io::{Read, Write};
22use std::path::PathBuf;
23use std::time::Duration;
24
25/// Default URL for BC5D table downloads
26pub const DEFAULT_BC5D_URL: &str = "https://ballistics.tools/downloads/bc5d";
27
28/// Download timeout in seconds
29const DOWNLOAD_TIMEOUT_SECS: u64 = 60;
30
31/// Manifest file name
32const MANIFEST_FILE: &str = "manifest.json";
33
34/// Error type for BC5D table download operations
35#[derive(Debug)]
36pub enum Bc5dDownloadError {
37    /// Network error during download
38    NetworkError(String),
39    /// Request timed out
40    Timeout,
41    /// IO error reading/writing files
42    IoError(std::io::Error),
43    /// CRC32 checksum mismatch after download
44    ChecksumMismatch { expected: String, actual: String },
45    /// Requested caliber not available
46    CaliberNotAvailable { requested: f64, available: Vec<f64> },
47    /// Failed to parse manifest
48    ManifestParseError(String),
49    /// Cache directory could not be created
50    CacheDirectoryError(String),
51}
52
53impl std::fmt::Display for Bc5dDownloadError {
54    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
55        match self {
56            Bc5dDownloadError::NetworkError(msg) => write!(f, "Network error: {}", msg),
57            Bc5dDownloadError::Timeout => write!(f, "Download timed out"),
58            Bc5dDownloadError::IoError(e) => write!(f, "IO error: {}", e),
59            Bc5dDownloadError::ChecksumMismatch { expected, actual } => {
60                write!(f, "Checksum mismatch: expected {}, got {}", expected, actual)
61            }
62            Bc5dDownloadError::CaliberNotAvailable { requested, available } => {
63                let available_str: Vec<String> = available.iter().map(|c| format!(".{}", (c * 1000.0) as i32)).collect();
64                write!(
65                    f,
66                    "No BC5D table available for caliber {:.3} ({:.1}mm)\nAvailable calibers: {}",
67                    requested,
68                    requested * 25.4,
69                    available_str.join(", ")
70                )
71            }
72            Bc5dDownloadError::ManifestParseError(msg) => write!(f, "Manifest parse error: {}", msg),
73            Bc5dDownloadError::CacheDirectoryError(msg) => write!(f, "Cache directory error: {}", msg),
74        }
75    }
76}
77
78impl std::error::Error for Bc5dDownloadError {}
79
80impl From<std::io::Error> for Bc5dDownloadError {
81    fn from(e: std::io::Error) -> Self {
82        Bc5dDownloadError::IoError(e)
83    }
84}
85
86/// Manifest entry for a BC5D table
87#[derive(Debug, Clone)]
88pub struct TableEntry {
89    /// Filename
90    pub file: String,
91    /// File size in bytes
92    pub size: u64,
93    /// CRC32 checksum (hex string)
94    pub crc32: String,
95}
96
97/// Manifest describing available BC5D tables
98#[derive(Debug, Clone)]
99pub struct Bc5dManifest {
100    /// Manifest version
101    pub version: String,
102    /// When the manifest was generated
103    pub generated: String,
104    /// Map of caliber (as string like "308") to table entry
105    pub tables: std::collections::HashMap<String, TableEntry>,
106}
107
108/// BC5D table downloader with caching
109pub struct Bc5dDownloader {
110    /// Base URL for downloads
111    base_url: String,
112    /// Local cache directory
113    cache_dir: PathBuf,
114    /// Force re-download even if cached
115    force_refresh: bool,
116    /// Cached manifest
117    manifest: Option<Bc5dManifest>,
118}
119
120impl Bc5dDownloader {
121    /// Create a new downloader
122    ///
123    /// # Arguments
124    /// * `base_url` - Base URL for BC5D table downloads
125    /// * `force_refresh` - If true, always re-download even if cached
126    ///
127    /// # Returns
128    /// A new downloader, or an error if the cache directory cannot be created
129    pub fn new(base_url: &str, force_refresh: bool) -> Result<Self, Bc5dDownloadError> {
130        let cache_dir = get_cache_directory()?;
131
132        // Create cache directory if it doesn't exist
133        if !cache_dir.exists() {
134            fs::create_dir_all(&cache_dir).map_err(|e| {
135                Bc5dDownloadError::CacheDirectoryError(format!(
136                    "Failed to create cache directory {}: {}",
137                    cache_dir.display(),
138                    e
139                ))
140            })?;
141        }
142
143        Ok(Bc5dDownloader {
144            base_url: base_url.trim_end_matches('/').to_string(),
145            cache_dir,
146            force_refresh,
147            manifest: None,
148        })
149    }
150
151    /// Ensure a BC5D table is available for the given caliber
152    ///
153    /// Downloads the table if not cached or if force_refresh is true.
154    ///
155    /// # Arguments
156    /// * `caliber` - Bullet caliber in inches (e.g., 0.308)
157    ///
158    /// # Returns
159    /// Path to the cached table file
160    pub fn ensure_table(&mut self, caliber: f64) -> Result<PathBuf, Bc5dDownloadError> {
161        // Load manifest if not already loaded
162        if self.manifest.is_none() {
163            self.manifest = Some(self.fetch_manifest()?);
164        }
165        let manifest = self.manifest.as_ref().unwrap();
166
167        // Convert caliber to key (e.g., 0.308 -> "308")
168        let caliber_key = format!("{}", (caliber * 1000.0).round() as i32);
169
170        // Check if caliber is available
171        let entry = manifest.tables.get(&caliber_key).ok_or_else(|| {
172            Bc5dDownloadError::CaliberNotAvailable {
173                requested: caliber,
174                available: self.available_calibers_from_manifest(manifest),
175            }
176        })?;
177
178        // Check if already cached and valid
179        let cached_path = self.cache_dir.join(&entry.file);
180        if !self.force_refresh && cached_path.exists() {
181            // Verify checksum
182            if let Ok(actual_crc) = calculate_file_crc32(&cached_path) {
183                if actual_crc == entry.crc32 {
184                    return Ok(cached_path);
185                }
186                // Checksum mismatch - re-download
187                eprintln!("Warning: Cached table checksum mismatch, re-downloading...");
188            }
189        }
190
191        // Download the table
192        self.download_table(&entry.file, &cached_path, &entry.crc32)?;
193
194        Ok(cached_path)
195    }
196
197    /// Get list of available calibers from the server
198    pub fn available_calibers(&mut self) -> Result<Vec<f64>, Bc5dDownloadError> {
199        if self.manifest.is_none() {
200            self.manifest = Some(self.fetch_manifest()?);
201        }
202        Ok(self.available_calibers_from_manifest(self.manifest.as_ref().unwrap()))
203    }
204
205    /// Get the cache directory path
206    pub fn cache_dir(&self) -> &PathBuf {
207        &self.cache_dir
208    }
209
210    /// Check if a table is cached for the given caliber
211    pub fn is_cached(&self, caliber: f64) -> bool {
212        let caliber_key = (caliber * 1000.0).round() as i32;
213        let filename = format!("bc5d_{}.bin", caliber_key);
214        self.cache_dir.join(&filename).exists()
215    }
216
217    /// Get available calibers from a manifest
218    fn available_calibers_from_manifest(&self, manifest: &Bc5dManifest) -> Vec<f64> {
219        let mut calibers: Vec<f64> = manifest
220            .tables
221            .keys()
222            .filter_map(|k| k.parse::<i32>().ok())
223            .map(|k| k as f64 / 1000.0)
224            .collect();
225        calibers.sort_by(|a, b| a.partial_cmp(b).unwrap_or(std::cmp::Ordering::Equal));
226        calibers
227    }
228
229    /// Fetch the manifest from the server
230    #[cfg(feature = "online")]
231    fn fetch_manifest(&self) -> Result<Bc5dManifest, Bc5dDownloadError> {
232        let url = format!("{}/{}", self.base_url, MANIFEST_FILE);
233
234        let response = ureq::get(&url)
235            .timeout(Duration::from_secs(DOWNLOAD_TIMEOUT_SECS))
236            .call()
237            .map_err(|e| match e {
238                ureq::Error::Transport(t) if t.kind() == ureq::ErrorKind::Io => {
239                    Bc5dDownloadError::NetworkError(format!("Connection failed: {}", t))
240                }
241                _ => Bc5dDownloadError::NetworkError(format!("{}", e)),
242            })?;
243
244        let json: serde_json::Value = response.into_json().map_err(|e| {
245            Bc5dDownloadError::ManifestParseError(format!("Failed to parse JSON: {}", e))
246        })?;
247
248        // Parse manifest
249        let version = json["version"]
250            .as_str()
251            .unwrap_or("unknown")
252            .to_string();
253        let generated = json["generated"]
254            .as_str()
255            .unwrap_or("unknown")
256            .to_string();
257
258        let tables_obj = json["tables"]
259            .as_object()
260            .ok_or_else(|| Bc5dDownloadError::ManifestParseError("Missing 'tables' field".to_string()))?;
261
262        let mut tables = std::collections::HashMap::new();
263        for (caliber, entry) in tables_obj {
264            let file = entry["file"]
265                .as_str()
266                .ok_or_else(|| Bc5dDownloadError::ManifestParseError(format!("Missing 'file' for caliber {}", caliber)))?
267                .to_string();
268            let size = entry["size"]
269                .as_u64()
270                .ok_or_else(|| Bc5dDownloadError::ManifestParseError(format!("Missing 'size' for caliber {}", caliber)))?;
271            let crc32 = entry["crc32"]
272                .as_str()
273                .ok_or_else(|| Bc5dDownloadError::ManifestParseError(format!("Missing 'crc32' for caliber {}", caliber)))?
274                .to_string();
275
276            tables.insert(caliber.clone(), TableEntry { file, size, crc32 });
277        }
278
279        Ok(Bc5dManifest {
280            version,
281            generated,
282            tables,
283        })
284    }
285
286    /// Stub for non-online builds
287    #[cfg(not(feature = "online"))]
288    fn fetch_manifest(&self) -> Result<Bc5dManifest, Bc5dDownloadError> {
289        Err(Bc5dDownloadError::NetworkError(
290            "Online features not enabled. Build with --features online".to_string(),
291        ))
292    }
293
294    /// Download a table file
295    #[cfg(feature = "online")]
296    fn download_table(&self, filename: &str, dest_path: &PathBuf, expected_crc: &str) -> Result<(), Bc5dDownloadError> {
297        let url = format!("{}/{}", self.base_url, filename);
298
299        eprintln!("Downloading BC5D table: {}...", filename);
300
301        let response = ureq::get(&url)
302            .timeout(Duration::from_secs(DOWNLOAD_TIMEOUT_SECS))
303            .call()
304            .map_err(|e| match e {
305                ureq::Error::Transport(t) if t.kind() == ureq::ErrorKind::Io => {
306                    Bc5dDownloadError::NetworkError(format!("Connection failed: {}", t))
307                }
308                _ => Bc5dDownloadError::NetworkError(format!("{}", e)),
309            })?;
310
311        // Read response body
312        let mut data = Vec::new();
313        response.into_reader().read_to_end(&mut data).map_err(|e| {
314            Bc5dDownloadError::NetworkError(format!("Failed to read response: {}", e))
315        })?;
316
317        // Verify checksum
318        let actual_crc = calculate_crc32(&data);
319        if actual_crc != expected_crc {
320            return Err(Bc5dDownloadError::ChecksumMismatch {
321                expected: expected_crc.to_string(),
322                actual: actual_crc,
323            });
324        }
325
326        // Write to file
327        let mut file = File::create(dest_path)?;
328        file.write_all(&data)?;
329
330        eprintln!("Downloaded {} ({} bytes)", filename, data.len());
331
332        Ok(())
333    }
334
335    /// Stub for non-online builds
336    #[cfg(not(feature = "online"))]
337    fn download_table(&self, _filename: &str, _dest_path: &PathBuf, _expected_crc: &str) -> Result<(), Bc5dDownloadError> {
338        Err(Bc5dDownloadError::NetworkError(
339            "Online features not enabled. Build with --features online".to_string(),
340        ))
341    }
342}
343
344/// Get the platform-specific cache directory for BC5D tables
345pub fn get_cache_directory() -> Result<PathBuf, Bc5dDownloadError> {
346    // Try to use the dirs crate for platform-specific directories
347    if let Some(cache_dir) = dirs::cache_dir() {
348        return Ok(cache_dir.join("ballistics-engine").join("bc5d"));
349    }
350
351    // Fallback to home directory
352    if let Some(home) = dirs::home_dir() {
353        #[cfg(target_os = "macos")]
354        return Ok(home.join("Library").join("Caches").join("ballistics-engine").join("bc5d"));
355
356        #[cfg(target_os = "windows")]
357        return Ok(home.join("AppData").join("Local").join("ballistics-engine").join("cache").join("bc5d"));
358
359        #[cfg(not(any(target_os = "macos", target_os = "windows")))]
360        return Ok(home.join(".cache").join("ballistics-engine").join("bc5d"));
361    }
362
363    Err(Bc5dDownloadError::CacheDirectoryError(
364        "Could not determine cache directory".to_string(),
365    ))
366}
367
368/// Calculate CRC32 of a byte slice
369fn calculate_crc32(data: &[u8]) -> String {
370    const TABLE: [u32; 256] = make_crc32_table();
371    let mut crc = 0xFFFFFFFFu32;
372    for &byte in data {
373        let idx = ((crc ^ byte as u32) & 0xFF) as usize;
374        crc = (crc >> 8) ^ TABLE[idx];
375    }
376    format!("{:08x}", !crc)
377}
378
379/// Calculate CRC32 of a file
380fn calculate_file_crc32(path: &PathBuf) -> Result<String, std::io::Error> {
381    let mut file = File::open(path)?;
382    let mut data = Vec::new();
383    file.read_to_end(&mut data)?;
384    Ok(calculate_crc32(&data))
385}
386
387/// Generate CRC32 lookup table (IEEE polynomial)
388const fn make_crc32_table() -> [u32; 256] {
389    const POLY: u32 = 0xEDB88320;
390    let mut table = [0u32; 256];
391    let mut i = 0;
392    while i < 256 {
393        let mut crc = i as u32;
394        let mut j = 0;
395        while j < 8 {
396            if crc & 1 != 0 {
397                crc = (crc >> 1) ^ POLY;
398            } else {
399                crc >>= 1;
400            }
401            j += 1;
402        }
403        table[i] = crc;
404        i += 1;
405    }
406    table
407}
408
409#[cfg(test)]
410mod tests {
411    use super::*;
412
413    #[test]
414    fn test_crc32_calculation() {
415        // Test with known value
416        let data = b"123456789";
417        let crc = calculate_crc32(data);
418        assert_eq!(crc, "cbf43926");
419    }
420
421    #[test]
422    fn test_cache_directory() {
423        let cache_dir = get_cache_directory();
424        assert!(cache_dir.is_ok());
425        let path = cache_dir.unwrap();
426        assert!(path.to_string_lossy().contains("bc5d"));
427    }
428
429    #[test]
430    fn test_caliber_key_conversion() {
431        // Test caliber to key conversion
432        let caliber: f64 = 0.308;
433        let key = format!("{}", (caliber * 1000.0).round() as i32);
434        assert_eq!(key, "308");
435
436        let caliber: f64 = 0.224;
437        let key = format!("{}", (caliber * 1000.0).round() as i32);
438        assert_eq!(key, "224");
439    }
440
441    #[test]
442    fn test_error_display() {
443        let err = Bc5dDownloadError::CaliberNotAvailable {
444            requested: 0.375,
445            available: vec![0.224, 0.308, 0.338],
446        };
447        let msg = format!("{}", err);
448        assert!(msg.contains("0.375"));
449        assert!(msg.contains("9.5mm"));
450        assert!(msg.contains(".224"));
451        assert!(msg.contains(".308"));
452        assert!(msg.contains(".338"));
453    }
454}