esp_hal/rng.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266
//! # Random Number Generator (RNG)
//!
//! ## Overview
//! The Random Number Generator (RNG) module provides an interface to generate
//! random numbers using the RNG peripheral on ESP chips. This driver allows you
//! to generate random numbers that can be used for various cryptographic,
//! security, or general-purpose applications.
//!
//! There are certain pre-conditions which must be met in order for the RNG to
//! produce *true* random numbers. The hardware RNG produces true random numbers
//! under any of the following conditions:
//!
//! - RF subsystem is enabled (i.e. Wi-Fi or Bluetooth are enabled).
//! - An internal entropy source has been enabled by calling
//! `bootloader_random_enable()` and not yet disabled by calling
//! `bootloader_random_disable()`.
//! - While the ESP-IDF Second stage bootloader is running. This is because the
//! default ESP-IDF bootloader implementation calls
//! `bootloader_random_enable()` when the bootloader starts, and
//! `bootloader_random_disable()` before executing the app.
//!
//! When any of these conditions are true, samples of physical noise are
//! continuously mixed into the internal hardware RNG state to provide entropy.
//! If none of the above conditions are true, the output of the RNG should be
//! considered pseudo-random only.
//!
//! For more information, please refer to the
#, "/api-reference/system/random.html)")]
//! ## Configuration
//! To use the [Rng] Driver, you need to initialize it with the RNG peripheral.
//! Once initialized, you can generate random numbers by calling the `random`
//! method, which returns a 32-bit unsigned integer.
//!
//! ## Usage
//! The driver implements the traits from the [`rand_core`] crate.
//!
//! [`rand_core`]: https://crates.io/crates/rand_core
//!
//! ## Examples
//!
//! ### Basic RNG operation
//!
//! ```rust, no_run
#![doc = crate::before_snippet!()]
//! # use esp_hal::rng::Rng;
//!
//! let mut rng = Rng::new(peripherals.RNG);
//!
//! // Generate a random word (u32):
//! let rand_word = rng.random();
//!
//! // Fill a buffer with random bytes:
//! let mut buf = [0u8; 16];
//! rng.read(&mut buf);
//!
//! loop {}
//! # }
//! ```
//!
//! ### TRNG operation
//! ```rust, no_run
#![doc = crate::before_snippet!()]
//! # use esp_hal::Blocking;
//! # use esp_hal::rng::Trng;
//! # use esp_hal::peripherals::Peripherals;
//! # use esp_hal::peripherals::ADC1;
//! # use esp_hal::analog::adc::{AdcConfig, Attenuation, Adc};
//!
//! let mut buf = [0u8; 16];
//!
//! // ADC is not available from now
//! let mut trng = Trng::new(peripherals.RNG, &mut peripherals.ADC1);
//! trng.read(&mut buf);
//! let mut true_rand = trng.random();
//! let mut rng = trng.downgrade();
//! // ADC is available now
#![cfg_attr(esp32, doc = "let analog_pin = peripherals.GPIO32;")]
#![cfg_attr(not(esp32), doc = "let analog_pin = peripherals.GPIO3;")]
//! let mut adc1_config = AdcConfig::new();
//! let mut adc1_pin = adc1_config.enable_pin(
//! analog_pin,
//! Attenuation::_11dB
//! );
//! let mut adc1 = Adc::<ADC1, Blocking>::new(peripherals.ADC1, adc1_config);
//! let pin_value: u16 = nb::block!(adc1.read_oneshot(&mut adc1_pin))?;
//! rng.read(&mut buf);
//! true_rand = rng.random();
//! let pin_value: u16 = nb::block!(adc1.read_oneshot(&mut adc1_pin))?;
//! # Ok(())
//! # }
//! ```
use core::marker::PhantomData;
use crate::{
peripheral::{Peripheral, PeripheralRef},
peripherals::{ADC1, RNG},
private::Sealed,
};
/// Random number generator driver
#[derive(Clone, Copy)]
pub struct Rng {
_phantom: PhantomData<RNG>,
}
impl Rng {
/// Create a new random number generator instance
pub fn new(_rng: impl Peripheral<P = RNG>) -> Self {
Self {
_phantom: PhantomData,
}
}
#[inline]
/// Reads currently available `u32` integer from `RNG`
pub fn random(&mut self) -> u32 {
// SAFETY: read-only register access
RNG::regs().data().read().bits()
}
#[inline]
/// Reads enough bytes from hardware random number generator to fill
/// `buffer`.
///
/// If any error is encountered then this function immediately returns. The
/// contents of buf are unspecified in this case.
///
/// If this function returns an error, it is unspecified how many bytes it
/// has read, but it will never read more than would be necessary to
/// completely fill the buffer.
pub fn read(&mut self, buffer: &mut [u8]) {
for chunk in buffer.chunks_mut(4) {
let bytes = self.random().to_le_bytes();
chunk.copy_from_slice(&bytes[..chunk.len()]);
}
}
}
impl Sealed for Rng {}
impl Peripheral for Rng {
type P = Self;
#[inline]
unsafe fn clone_unchecked(&self) -> Self::P {
*self
}
}
impl rand_core::RngCore for Rng {
fn next_u32(&mut self) -> u32 {
self.random()
}
fn next_u64(&mut self) -> u64 {
let upper = self.random() as u64;
let lower = self.random() as u64;
(upper << 32) | lower
}
fn fill_bytes(&mut self, dest: &mut [u8]) {
self.read(dest);
}
fn try_fill_bytes(&mut self, dest: &mut [u8]) -> Result<(), rand_core::Error> {
self.read(dest);
Ok(())
}
}
/// True Random Number Generator (TRNG) driver
///
/// The `Trng` struct represents a true random number generator that combines
/// the randomness from the hardware RNG and an ADC. This struct provides
/// methods to generate random numbers and fill buffers with random bytes.
/// Due to pulling the entropy source from the ADC, it uses the associated
/// registers, so to use TRNG we need to "occupy" the ADC peripheral.
pub struct Trng<'d> {
/// The hardware random number generator instance.
pub rng: Rng,
/// A mutable reference to the ADC1 instance.
_adc: PeripheralRef<'d, ADC1>,
}
impl<'d> Trng<'d> {
/// Creates a new True Random Number Generator (TRNG) instance.
///
/// # Arguments
///
/// * `rng` - A peripheral instance implementing the `RNG` trait.
/// * `adc` - A mutable reference to an `Adc` instance.
///
/// # Returns
///
/// Returns a new `Trng` instance.
pub fn new(rng: impl Peripheral<P = RNG>, adc: impl Peripheral<P = ADC1> + 'd) -> Self {
crate::into_ref!(adc);
let gen = Rng::new(rng);
crate::soc::trng::ensure_randomness();
Self {
rng: gen,
_adc: adc,
}
}
/// Reads currently available `u32` integer from `TRNG`
pub fn random(&mut self) -> u32 {
self.rng.random()
}
/// Fills the provided buffer with random bytes.
pub fn read(&mut self, buffer: &mut [u8]) {
self.rng.read(buffer);
}
/// Downgrades the `Trng` instance to a `Rng` instance and releases the
/// ADC1.
pub fn downgrade(self) -> Rng {
self.rng
}
}
impl Drop for Trng<'_> {
fn drop(&mut self) {
crate::soc::trng::revert_trng();
}
}
/// Implementing RngCore trait from rand_core for `Trng` structure
impl rand_core::RngCore for Trng<'_> {
fn next_u32(&mut self) -> u32 {
self.rng.next_u32()
}
fn next_u64(&mut self) -> u64 {
self.rng.next_u64()
}
fn fill_bytes(&mut self, dest: &mut [u8]) {
self.rng.fill_bytes(dest)
}
fn try_fill_bytes(&mut self, dest: &mut [u8]) -> Result<(), rand_core::Error> {
self.rng.try_fill_bytes(dest)
}
}
/// Implementing a CryptoRng marker trait that indicates that the generator is
/// cryptographically secure.
impl rand_core::CryptoRng for Trng<'_> {}
impl Sealed for Trng<'_> {}
impl Peripheral for Trng<'_> {
type P = Self;
#[inline]
unsafe fn clone_unchecked(&self) -> Self::P {
Self {
rng: self.rng.clone_unchecked(),
_adc: self._adc.clone_unchecked(),
}
}
}