Skip to main content

datasynth_core/
uuid_factory.rs

1//! Deterministic UUID generation factory for reproducible synthetic data.
2//!
3//! This module provides a centralized UUID generation system that ensures:
4//! - No collisions between different generator types
5//! - Reproducible output given the same seed
6//! - Thread-safe counter increments
7
8use std::sync::atomic::{AtomicU64, Ordering};
9use uuid::Uuid;
10
11/// Generator type discriminators to prevent UUID collisions across generators.
12#[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
13#[repr(u8)]
14pub enum GeneratorType {
15    /// Journal Entry generator
16    JournalEntry = 0x01,
17    /// Document Flow (P2P/O2C) generator
18    DocumentFlow = 0x02,
19    /// Master Data - Vendor generator
20    Vendor = 0x03,
21    /// Master Data - Customer generator
22    Customer = 0x04,
23    /// Master Data - Material generator
24    Material = 0x05,
25    /// Master Data - Asset generator
26    Asset = 0x06,
27    /// Master Data - Employee generator
28    Employee = 0x07,
29    /// Subledger - AR generator
30    ARSubledger = 0x08,
31    /// Subledger - AP generator
32    APSubledger = 0x09,
33    /// Subledger - FA generator
34    FASubledger = 0x0A,
35    /// Subledger - Inventory generator
36    InventorySubledger = 0x0B,
37    /// Intercompany generator
38    Intercompany = 0x0C,
39    /// Anomaly injection
40    Anomaly = 0x0D,
41    /// Period close generator
42    PeriodClose = 0x0E,
43    /// FX rate generator
44    FxRate = 0x0F,
45    /// Accrual generator
46    Accrual = 0x10,
47    /// Depreciation generator
48    Depreciation = 0x11,
49    /// Control generator
50    Control = 0x12,
51    /// Opening balance generator
52    OpeningBalance = 0x13,
53    /// Trial balance generator
54    TrialBalance = 0x14,
55    /// Purchase Order document
56    PurchaseOrder = 0x20,
57    /// Goods Receipt document
58    GoodsReceipt = 0x21,
59    /// Vendor Invoice document
60    VendorInvoice = 0x22,
61    /// Payment document
62    Payment = 0x23,
63    /// Sales Order document
64    SalesOrder = 0x24,
65    /// Delivery document
66    Delivery = 0x25,
67    /// Customer Invoice document
68    CustomerInvoice = 0x26,
69    /// Customer Receipt document
70    CustomerReceipt = 0x27,
71
72    // ===== Enterprise Process Chain generators =====
73    /// Sourcing project generator
74    SourcingProject = 0x28,
75    /// RFx event generator
76    RfxEvent = 0x29,
77    /// Supplier bid generator
78    SupplierBid = 0x2A,
79    /// Procurement contract generator
80    ProcurementContract = 0x2B,
81    /// Catalog item generator
82    CatalogItem = 0x2C,
83    /// Bank reconciliation generator
84    BankReconciliation = 0x2D,
85    /// Financial statement generator
86    FinancialStatement = 0x2E,
87    /// Payroll run generator
88    PayrollRun = 0x2F,
89    /// Time entry generator
90    TimeEntry = 0x30,
91    /// Expense report generator
92    ExpenseReport = 0x31,
93    /// Production order generator
94    ProductionOrder = 0x32,
95    /// Cycle count generator
96    CycleCount = 0x33,
97    /// Quality inspection generator
98    QualityInspection = 0x34,
99    /// Sales quote generator
100    SalesQuote = 0x35,
101    /// Budget line generator
102    BudgetLine = 0x36,
103    /// Revenue recognition contract generator
104    RevenueRecognition = 0x37,
105    /// Impairment test generator
106    ImpairmentTest = 0x38,
107    /// Management KPI generator
108    Kpi = 0x39,
109    /// Tax code / jurisdiction generator
110    Tax = 0x3A,
111    /// Project accounting (cost lines, revenue, milestones, change orders, EVM)
112    ProjectAccounting = 0x3B,
113    /// ESG / Sustainability (emissions, energy, water, waste, diversity, safety)
114    Esg = 0x3C,
115    /// Supplier qualification generator
116    SupplierQualification = 0x3D,
117    /// Supplier scorecard generator
118    SupplierScorecard = 0x3E,
119    /// BOM component generator
120    BomComponent = 0x3F,
121    /// Inventory movement generator
122    InventoryMovement = 0x40,
123    /// Benefit enrollment generator
124    BenefitEnrollment = 0x41,
125    /// Disruption event generator
126    Disruption = 0x42,
127    /// Business combination generator (IFRS 3 / ASC 805)
128    BusinessCombination = 0x43,
129    /// Segment reporting generator (IFRS 8 / ASC 280)
130    SegmentReport = 0x44,
131    /// Expected Credit Loss generator (IFRS 9 / ASC 326)
132    ExpectedCreditLoss = 0x45,
133    /// Defined benefit pension generator (IAS 19 / ASC 715)
134    Pension = 0x46,
135    /// Provisions and contingencies generator (IAS 37 / ASC 450)
136    Provision = 0x47,
137    /// Stock-based compensation generator (ASC 718 / IFRS 2)
138    StockCompensation = 0x48,
139    /// Industry benchmark generator (WI-3)
140    IndustryBenchmark = 0x49,
141    /// Governance / board minutes generator (WI-5)
142    Governance = 0x4A,
143    /// Organizational profile generator (WI-6)
144    OrganizationalProfile = 0x4B,
145    /// IT controls generator — access logs and change management (WI-4)
146    ItControls = 0x4C,
147    /// Management report generator (WI-7)
148    ManagementReport = 0x4D,
149    /// Prior-year comparative data generator (WI-2)
150    PriorYear = 0x4E,
151    /// Legal document generator (GAM audit engagement support)
152    LegalDocument = 0x4F,
153}
154
155/// A factory for generating deterministic UUIDs that are guaranteed unique
156/// across different generator types within the same seed.
157///
158/// # UUID Structure (16 bytes)
159///
160/// ```text
161/// Bytes 0-5:   Seed (lower 48 bits)
162/// Byte  6:     Generator type discriminator
163/// Byte  7:     Version nibble (0x4_) | Sub-discriminator
164/// Bytes 8-15:  Counter (64-bit, with variant bits set)
165/// ```
166///
167/// # Thread Safety
168///
169/// The counter uses `AtomicU64` for thread-safe increments, allowing
170/// concurrent UUID generation from multiple threads.
171#[derive(Debug)]
172pub struct DeterministicUuidFactory {
173    seed: u64,
174    generator_type: GeneratorType,
175    counter: AtomicU64,
176    /// Optional sub-discriminator for further namespace separation
177    sub_discriminator: u8,
178}
179
180impl DeterministicUuidFactory {
181    /// Create a new UUID factory for a specific generator type.
182    ///
183    /// # Arguments
184    ///
185    /// * `seed` - The global seed for deterministic generation
186    /// * `generator_type` - The type of generator using this factory
187    ///
188    /// # Example
189    ///
190    /// ```
191    /// use datasynth_core::uuid_factory::{DeterministicUuidFactory, GeneratorType};
192    ///
193    /// let factory = DeterministicUuidFactory::new(12345, GeneratorType::JournalEntry);
194    /// let uuid = factory.next();
195    /// ```
196    pub fn new(seed: u64, generator_type: GeneratorType) -> Self {
197        Self {
198            seed,
199            generator_type,
200            counter: AtomicU64::new(0),
201            sub_discriminator: 0,
202        }
203    }
204
205    /// Create a factory with a sub-discriminator for additional namespace separation.
206    ///
207    /// Useful when the same generator type needs multiple independent UUID streams.
208    pub fn with_sub_discriminator(
209        seed: u64,
210        generator_type: GeneratorType,
211        sub_discriminator: u8,
212    ) -> Self {
213        Self {
214            seed,
215            generator_type,
216            counter: AtomicU64::new(0),
217            sub_discriminator,
218        }
219    }
220
221    /// Create a factory starting from a specific counter value.
222    ///
223    /// Useful for resuming generation from a checkpoint or for partitioned
224    /// parallel generation where each thread gets a non-overlapping counter range.
225    pub fn with_counter(seed: u64, generator_type: GeneratorType, start_counter: u64) -> Self {
226        Self {
227            seed,
228            generator_type,
229            counter: AtomicU64::new(start_counter),
230            sub_discriminator: 0,
231        }
232    }
233
234    /// Create a factory for a specific partition in parallel generation.
235    ///
236    /// Each partition gets a unique sub-discriminator so that counters starting
237    /// from 0 in each partition still produce globally unique UUIDs. This avoids
238    /// atomic contention between threads since each partition has its own factory.
239    pub fn for_partition(seed: u64, generator_type: GeneratorType, partition_index: u8) -> Self {
240        Self {
241            seed,
242            generator_type,
243            counter: AtomicU64::new(0),
244            sub_discriminator: partition_index,
245        }
246    }
247
248    /// Generate the next UUID in the sequence.
249    ///
250    /// This method is thread-safe and can be called from multiple threads.
251    #[inline]
252    pub fn next(&self) -> Uuid {
253        let counter = self.counter.fetch_add(1, Ordering::Relaxed);
254        self.generate_uuid(counter)
255    }
256
257    /// Generate a UUID for a specific counter value without incrementing.
258    ///
259    /// Useful for deterministic regeneration of specific UUIDs.
260    pub fn generate_at(&self, counter: u64) -> Uuid {
261        self.generate_uuid(counter)
262    }
263
264    /// Get the current counter value.
265    pub fn current_counter(&self) -> u64 {
266        self.counter.load(Ordering::Relaxed)
267    }
268
269    /// Reset the counter to zero.
270    pub fn reset(&self) {
271        self.counter.store(0, Ordering::Relaxed);
272    }
273
274    /// Set the counter to a specific value.
275    pub fn set_counter(&self, value: u64) {
276        self.counter.store(value, Ordering::Relaxed);
277    }
278
279    /// Generate a UUID from the seed, generator type, and counter.
280    ///
281    /// Uses a simple hash-based approach to ensure uniqueness while maintaining
282    /// determinism. The hash function is designed to spread entropy across all
283    /// bytes while preserving the UUID v4 format.
284    #[inline]
285    fn generate_uuid(&self, counter: u64) -> Uuid {
286        // Create a unique input by combining all distinguishing factors
287        // Use FNV-1a style hashing for simplicity and determinism
288        let mut hash: u64 = 14695981039346656037; // FNV offset basis
289
290        // Mix in seed
291        for byte in self.seed.to_le_bytes() {
292            hash ^= byte as u64;
293            hash = hash.wrapping_mul(1099511628211); // FNV prime
294        }
295
296        // Mix in generator type
297        hash ^= self.generator_type as u64;
298        hash = hash.wrapping_mul(1099511628211);
299
300        // Mix in sub-discriminator
301        hash ^= self.sub_discriminator as u64;
302        hash = hash.wrapping_mul(1099511628211);
303
304        // Mix in counter (most important for uniqueness within same factory)
305        for byte in counter.to_le_bytes() {
306            hash ^= byte as u64;
307            hash = hash.wrapping_mul(1099511628211);
308        }
309
310        // Create second hash for remaining bytes
311        let mut hash2: u64 = hash;
312        hash2 ^= self.seed.rotate_left(32);
313        hash2 = hash2.wrapping_mul(1099511628211);
314        hash2 ^= counter.rotate_left(32);
315        hash2 = hash2.wrapping_mul(1099511628211);
316
317        let mut bytes = [0u8; 16];
318
319        // First 8 bytes from hash
320        bytes[0..8].copy_from_slice(&hash.to_le_bytes());
321        // Second 8 bytes from hash2
322        bytes[8..16].copy_from_slice(&hash2.to_le_bytes());
323
324        // Set UUID version 4 (bits 12-15 of time_hi_and_version)
325        // Byte 6: xxxx0100 -> set bits 4-7 to 0100
326        bytes[6] = (bytes[6] & 0x0f) | 0x40;
327
328        // Set variant to RFC 4122 (bits 6-7 of clock_seq_hi_and_reserved)
329        // Byte 8: 10xxxxxx -> set bits 6-7 to 10
330        bytes[8] = (bytes[8] & 0x3f) | 0x80;
331
332        Uuid::from_bytes(bytes)
333    }
334}
335
336impl Clone for DeterministicUuidFactory {
337    fn clone(&self) -> Self {
338        Self {
339            seed: self.seed,
340            generator_type: self.generator_type,
341            counter: AtomicU64::new(self.counter.load(Ordering::Relaxed)),
342            sub_discriminator: self.sub_discriminator,
343        }
344    }
345}
346
347/// A registry that manages multiple UUID factories for different generator types.
348///
349/// This ensures a single source of truth for UUID generation across the system.
350#[derive(Debug)]
351pub struct UuidFactoryRegistry {
352    seed: u64,
353    factories: std::collections::HashMap<GeneratorType, DeterministicUuidFactory>,
354}
355
356impl UuidFactoryRegistry {
357    /// Create a new registry with a global seed.
358    pub fn new(seed: u64) -> Self {
359        Self {
360            seed,
361            factories: std::collections::HashMap::new(),
362        }
363    }
364
365    /// Get or create a factory for a specific generator type.
366    pub fn get_factory(&mut self, generator_type: GeneratorType) -> &DeterministicUuidFactory {
367        self.factories
368            .entry(generator_type)
369            .or_insert_with(|| DeterministicUuidFactory::new(self.seed, generator_type))
370    }
371
372    /// Generate the next UUID for a specific generator type.
373    pub fn next_uuid(&mut self, generator_type: GeneratorType) -> Uuid {
374        self.get_factory(generator_type).next()
375    }
376
377    /// Reset all factories.
378    pub fn reset_all(&self) {
379        for factory in self.factories.values() {
380            factory.reset();
381        }
382    }
383
384    /// Get the current counter for a generator type.
385    pub fn get_counter(&self, generator_type: GeneratorType) -> Option<u64> {
386        self.factories
387            .get(&generator_type)
388            .map(DeterministicUuidFactory::current_counter)
389    }
390}
391
392#[cfg(test)]
393#[allow(clippy::unwrap_used)]
394mod tests {
395    use super::*;
396    use std::collections::HashSet;
397    use std::thread;
398
399    #[test]
400    fn test_uuid_uniqueness_same_generator() {
401        let factory = DeterministicUuidFactory::new(12345, GeneratorType::JournalEntry);
402
403        let mut uuids = HashSet::new();
404        for _ in 0..10000 {
405            let uuid = factory.next();
406            assert!(uuids.insert(uuid), "Duplicate UUID generated");
407        }
408    }
409
410    #[test]
411    fn test_uuid_uniqueness_different_generators() {
412        let factory1 = DeterministicUuidFactory::new(12345, GeneratorType::JournalEntry);
413        let factory2 = DeterministicUuidFactory::new(12345, GeneratorType::DocumentFlow);
414
415        let mut uuids = HashSet::new();
416
417        for _ in 0..5000 {
418            let uuid1 = factory1.next();
419            let uuid2 = factory2.next();
420            assert!(uuids.insert(uuid1), "Duplicate UUID from JE generator");
421            assert!(uuids.insert(uuid2), "Duplicate UUID from DocFlow generator");
422        }
423    }
424
425    #[test]
426    fn test_uuid_determinism() {
427        let factory1 = DeterministicUuidFactory::new(12345, GeneratorType::JournalEntry);
428        let factory2 = DeterministicUuidFactory::new(12345, GeneratorType::JournalEntry);
429
430        for _ in 0..100 {
431            assert_eq!(factory1.next(), factory2.next());
432        }
433    }
434
435    #[test]
436    fn test_uuid_different_seeds() {
437        let factory1 = DeterministicUuidFactory::new(12345, GeneratorType::JournalEntry);
438        let factory2 = DeterministicUuidFactory::new(67890, GeneratorType::JournalEntry);
439
440        // Different seeds should produce different UUIDs
441        assert_ne!(factory1.next(), factory2.next());
442    }
443
444    #[test]
445    fn test_thread_safety() {
446        use std::sync::Arc;
447
448        let factory = Arc::new(DeterministicUuidFactory::new(
449            12345,
450            GeneratorType::JournalEntry,
451        ));
452        let mut handles = vec![];
453
454        for _ in 0..4 {
455            let factory_clone = Arc::clone(&factory);
456            handles.push(thread::spawn(move || {
457                let mut uuids = Vec::new();
458                for _ in 0..1000 {
459                    uuids.push(factory_clone.next());
460                }
461                uuids
462            }));
463        }
464
465        let mut all_uuids = HashSet::new();
466        for handle in handles {
467            let uuids = handle.join().unwrap();
468            for uuid in uuids {
469                assert!(all_uuids.insert(uuid), "Thread-generated UUID collision");
470            }
471        }
472
473        assert_eq!(all_uuids.len(), 4000);
474    }
475
476    #[test]
477    fn test_sub_discriminator() {
478        let factory1 =
479            DeterministicUuidFactory::with_sub_discriminator(12345, GeneratorType::JournalEntry, 0);
480        let factory2 =
481            DeterministicUuidFactory::with_sub_discriminator(12345, GeneratorType::JournalEntry, 1);
482
483        // Different sub-discriminators should produce different UUIDs
484        let uuid1 = factory1.next();
485        factory1.reset();
486        let uuid2 = factory2.next();
487
488        assert_ne!(uuid1, uuid2);
489    }
490
491    #[test]
492    fn test_generate_at() {
493        let factory = DeterministicUuidFactory::new(12345, GeneratorType::JournalEntry);
494
495        // Generate at specific counter
496        let uuid_at_5 = factory.generate_at(5);
497
498        // Generate sequentially to reach counter 5
499        for _ in 0..5 {
500            factory.next();
501        }
502        let _uuid_sequential = factory.next();
503
504        // The UUID at counter 5 should match
505        assert_eq!(uuid_at_5, factory.generate_at(5));
506    }
507
508    #[test]
509    fn test_registry() {
510        let mut registry = UuidFactoryRegistry::new(12345);
511
512        let uuid1 = registry.next_uuid(GeneratorType::JournalEntry);
513        let uuid2 = registry.next_uuid(GeneratorType::JournalEntry);
514        let uuid3 = registry.next_uuid(GeneratorType::DocumentFlow);
515
516        // All should be unique
517        assert_ne!(uuid1, uuid2);
518        assert_ne!(uuid1, uuid3);
519        assert_ne!(uuid2, uuid3);
520
521        // Counter should be tracked
522        assert_eq!(registry.get_counter(GeneratorType::JournalEntry), Some(2));
523        assert_eq!(registry.get_counter(GeneratorType::DocumentFlow), Some(1));
524    }
525
526    #[test]
527    fn test_uuid_is_valid_v4() {
528        let factory = DeterministicUuidFactory::new(12345, GeneratorType::JournalEntry);
529        let uuid = factory.next();
530
531        // Check version is 4
532        assert_eq!(uuid.get_version_num(), 4);
533
534        // Check variant is RFC 4122
535        assert_eq!(uuid.get_variant(), uuid::Variant::RFC4122);
536    }
537}