devela/num/rand/
xabc.rs

1// devela::num::rand::xabc
2//
3//!
4//
5
6use crate::{ConstDefault, Own};
7
8/// X ABC <abbr title="Pseudo-Random Number Generator">PRNG</abbr> for 8-bit devices.
9///
10/// It has a 32-bit state and generates 8-bit numbers.
11///
12/// This is a small PRNG, experimentally verified to have at least a 50 million
13/// byte period by generating 50 million bytes and observing that there were no
14/// overapping sequences and repeats.
15///
16/// This generator passes serial correlation, entropy, Monte Carlo Pi value,
17/// arithmetic mean, and many other statistical tests. This generator may have a
18/// period of up to 2^32, but this has not been verified.
19///
20/// By XORing 3 bytes into the a, b, and c registers, you can add in entropy
21/// from an external source easily.
22///
23/// This generator is free to use, but is not suitable for cryptography due to
24/// its short period (by cryptographic standards) and simple construction.
25/// No attempt was made to make this generator suitable for cryptographic use.
26///
27/// Due to the use of a constant counter, the generator should be resistant to
28/// latching up. A significant performance gain is had in that the x variable is
29/// only ever incremented.
30///
31/// Only 4 bytes of ram are needed for the internal state, and generating a byte
32/// requires 3 XORs, 2 ADDs, one bit shift right, and one increment. Difficult
33/// or slow operations like multiply, etc were avoided for maximum speed on
34/// ultra low power devices.
35///
36/// It has a period of 487,780,609 from a zeroed state.
37///
38#[doc = crate::doc_!(vendor: "Xabc")]
39#[must_use]
40#[derive(Clone, Copy, Debug, PartialEq, Eq)]
41pub struct Xabc {
42    a: u8,
43    b: u8,
44    c: u8,
45    x: u8,
46}
47
48/// Creates a new PRNG initialized with the default fixed seed.
49impl Default for Xabc {
50    fn default() -> Self {
51        Self::DEFAULT
52    }
53}
54/// Creates a new PRNG initialized with the default fixed seed.
55impl ConstDefault for Xabc {
56    const DEFAULT: Self = Self::new(Self::DEFAULT_SEED);
57}
58
59// private associated items
60impl Xabc {
61    const DEFAULT_SEED: [u8; 3] = [0xDE, 0xFA, 0x17];
62}
63
64impl Xabc {
65    /// Returns a seeded `Xabc` generator from the given 3 × 8-bit seeds.
66    pub const fn new(seeds: [u8; 3]) -> Self {
67        let a = seeds[0];
68        let b = seeds[1];
69        let c = seeds[2];
70        let x = 1;
71        let a = a ^ c ^ x;
72        let b = b.wrapping_add(a);
73        let c = c.wrapping_add(b >> 1) ^ a;
74        Self { a, b, c, x }
75    }
76
77    /// Reseeds the generator from the given 3 × 8-bit seeds.
78    pub fn reseed(&mut self, seeds: [u8; 3]) {
79        // XOR new entropy into key state
80        self.a ^= seeds[0];
81        self.b ^= seeds[1];
82        self.c ^= seeds[2];
83
84        self.x += 1;
85        self.a = self.a ^ self.c ^ self.x;
86        self.b = self.b.wrapping_add(self.a);
87        self.c = self.c.wrapping_add(self.b >> 1) ^ self.a;
88    }
89
90    #[must_use]
91    /// Returns the PRNG's inner state as a raw snapshot.
92    pub const fn inner_state(self) -> [u8; 4] {
93        [self.a, self.b, self.c, self.x]
94    }
95    /// Restores the PRNG from the given state.
96    pub const fn from_state(state: [u8; 4]) -> Self {
97        Self { a: state[0], b: state[1], c: state[2], x: state[3] }
98    }
99
100    /// Returns the current random `u8`.
101    #[must_use]
102    pub const fn current_u8(&self) -> u8 {
103        self.c
104    }
105    /// Advances the state and returns the next random `u8`.
106    #[must_use]
107    pub fn next_u8(&mut self) -> u8 {
108        // x is incremented every round and is not affected by any other variable
109        self.x = self.x.wrapping_add(1);
110        // note the mix of addition and XOR
111        self.a = self.a ^ self.c ^ self.x;
112        // And the use of very few instructions
113        self.b = self.b.wrapping_add(self.a);
114        // the right shift is to ensure that high-order bits from b can affect
115        // low order bits of other variables
116        self.c = self.c.wrapping_add(self.b >> 1) ^ self.a;
117        self.c
118    }
119
120    /// Returns a copy of the next new random state.
121    pub const fn peek_next_state(&self) -> Self {
122        let [mut a, mut b, mut c, mut x] = [self.a, self.b, self.c, self.x];
123        x += 1;
124        a = a ^ c ^ x;
125        b = b.wrapping_add(a);
126        c = c.wrapping_add(b >> 1) ^ a;
127        Self { a, b, c, x }
128    }
129
130    /// Returns both the next random state and the `u8` value.
131    pub const fn own_next_u8(self) -> Own<Self, u8> {
132        let s = self.peek_next_state();
133        let v = s.current_u8();
134        Own::new(s, v)
135    }
136}
137
138/// # Extra constructors
139impl Xabc {
140    /// Returns a seeded `Xabc` generator from the given 3 × 8-bit seeds.
141    ///
142    /// This is an alias of [`new`][Self#method.new].
143    pub const fn new3_u8(seeds: [u8; 3]) -> Self {
144        Self::new(seeds)
145    }
146}
147
148#[cfg(feature = "dep_rand_core")]
149#[cfg_attr(feature = "nightly_doc", doc(cfg(feature = "dep_rand_core")))]
150mod impl_rand {
151    use super::Xabc;
152    use crate::_dep::rand_core::{RngCore, SeedableRng};
153
154    impl RngCore for Xabc {
155        /// Returns the next 4 × random `u8` combined as a single `u32`.
156        fn next_u32(&mut self) -> u32 {
157            u32::from_le_bytes([self.next_u8(), self.next_u8(), self.next_u8(), self.next_u8()])
158        }
159        /// Returns the next 8 × random `u8` combined as a single `u64`.
160        fn next_u64(&mut self) -> u64 {
161            u64::from_le_bytes([
162                self.next_u8(),
163                self.next_u8(),
164                self.next_u8(),
165                self.next_u8(),
166                self.next_u8(),
167                self.next_u8(),
168                self.next_u8(),
169                self.next_u8(),
170            ])
171        }
172        fn fill_bytes(&mut self, dest: &mut [u8]) {
173            for byte in dest {
174                *byte = self.next_u8();
175            }
176        }
177    }
178
179    impl SeedableRng for Xabc {
180        type Seed = [u8; 3];
181
182        fn from_seed(seed: Self::Seed) -> Self {
183            Self::new(seed)
184        }
185    }
186}